diff --git a/openlp/core/lib/db.py b/openlp/core/lib/db.py index 5b4d97feb..41b445cd5 100644 --- a/openlp/core/lib/db.py +++ b/openlp/core/lib/db.py @@ -223,7 +223,9 @@ class Manager(object): query = self.session.query(object_class) if filter_clause is not None: query = query.filter(filter_clause) - if order_by_ref is not None: + if isinstance(order_by_ref, list): + return query.order_by(*order_by_ref).all() + elif order_by_ref is not None: return query.order_by(order_by_ref).all() return query.all() diff --git a/openlp/core/lib/spelltextedit.py b/openlp/core/lib/spelltextedit.py index b0bb61e92..25e4e24ae 100644 --- a/openlp/core/lib/spelltextedit.py +++ b/openlp/core/lib/spelltextedit.py @@ -48,9 +48,10 @@ class SpellTextEdit(QtGui.QPlainTextEdit): """ Spell checking widget based on QPlanTextEdit. """ - def __init__(self, *args): + def __init__(self, parent=None, formattingTagsAllowed=True): global ENCHANT_AVAILABLE - QtGui.QPlainTextEdit.__init__(self, *args) + QtGui.QPlainTextEdit.__init__(self, parent) + self.formattingTagsAllowed = formattingTagsAllowed # Default dictionary based on the current locale. if ENCHANT_AVAILABLE: try: @@ -110,16 +111,17 @@ class SpellTextEdit(QtGui.QPlainTextEdit): spell_menu.addAction(action) # Only add the spelling suggests to the menu if there are # suggestions. - if len(spell_menu.actions()): + if spell_menu.actions(): popupMenu.insertMenu(popupMenu.actions()[0], spell_menu) tagMenu = QtGui.QMenu(translate('OpenLP.SpellTextEdit', 'Formatting Tags')) - for html in FormattingTags.get_html_tags(): - action = SpellAction(html[u'desc'], tagMenu) - action.correct.connect(self.htmlTag) - tagMenu.addAction(action) - popupMenu.insertSeparator(popupMenu.actions()[0]) - popupMenu.insertMenu(popupMenu.actions()[0], tagMenu) + if self.formattingTagsAllowed: + for html in FormattingTags.get_html_tags(): + action = SpellAction(html[u'desc'], tagMenu) + action.correct.connect(self.htmlTag) + tagMenu.addAction(action) + popupMenu.insertSeparator(popupMenu.actions()[0]) + popupMenu.insertMenu(popupMenu.actions()[0], tagMenu) popupMenu.exec_(event.globalPos()) def setLanguage(self, action): diff --git a/openlp/core/ui/mainwindow.py b/openlp/core/ui/mainwindow.py index b9bf7ae34..00b8d6dae 100644 --- a/openlp/core/ui/mainwindow.py +++ b/openlp/core/ui/mainwindow.py @@ -28,6 +28,7 @@ import logging import os import sys, string +import shutil from tempfile import gettempdir from datetime import datetime @@ -311,10 +312,10 @@ class Ui_MainWindow(object): add_actions(self.fileExportMenu, (self.settingsExportItem, None, self.exportThemeItem, self.exportLanguageItem)) add_actions(self.fileMenu, (self.fileNewItem, self.fileOpenItem, - self.fileSaveItem, self.fileSaveAsItem, None, - self.recentFilesMenu.menuAction(), None, self.printServiceOrderItem, - None, self.fileImportMenu.menuAction(), - self.fileExportMenu.menuAction(), self.fileExitItem)) + self.fileSaveItem, self.fileSaveAsItem, + self.recentFilesMenu.menuAction(), None, + self.fileImportMenu.menuAction(), self.fileExportMenu.menuAction(), + None, self.printServiceOrderItem, self.fileExitItem)) add_actions(self.viewModeMenu, (self.modeDefaultItem, self.modeSetupItem, self.modeLiveItem)) add_actions(self.viewMenu, (self.viewModeMenu.menuAction(), @@ -423,7 +424,7 @@ class Ui_MainWindow(object): self.settingsShortcutsItem.setText( translate('OpenLP.MainWindow', 'Configure &Shortcuts...')) self.formattingTagItem.setText( - translate('OpenLP.MainWindow', '&Configure Formatting Tags...')) + translate('OpenLP.MainWindow', 'Configure &Formatting Tags...')) self.settingsConfigureItem.setText( translate('OpenLP.MainWindow', '&Configure OpenLP...')) self.settingsExportItem.setStatusTip(translate('OpenLP.MainWindow', @@ -750,11 +751,7 @@ class MainWindow(QtGui.QMainWindow, Ui_MainWindow): plugin.firstTime() Receiver.send_message(u'openlp_process_events') temp_dir = os.path.join(unicode(gettempdir()), u'openlp') - if not os.path.exists(temp_dir): - return - for filename in os.listdir(temp_dir): - delete_file(os.path.join(temp_dir, filename)) - os.removedirs(temp_dir) + shutil.rmtree(temp_dir, True) def onFirstTimeWizardClicked(self): """ diff --git a/openlp/core/ui/printservicedialog.py b/openlp/core/ui/printservicedialog.py index b0065df99..8287ef02a 100644 --- a/openlp/core/ui/printservicedialog.py +++ b/openlp/core/ui/printservicedialog.py @@ -108,7 +108,7 @@ class Ui_PrintServiceDialog(object): self.footerLabel = QtGui.QLabel(self.optionsWidget) self.footerLabel.setObjectName(u'footerLabel') self.optionsLayout.addWidget(self.footerLabel) - self.footerTextEdit = SpellTextEdit(self.optionsWidget) + self.footerTextEdit = SpellTextEdit(self.optionsWidget, False) self.footerTextEdit.setObjectName(u'footerTextEdit') self.optionsLayout.addWidget(self.footerTextEdit) self.optionsGroupBox = QtGui.QGroupBox() diff --git a/openlp/core/ui/printserviceform.py b/openlp/core/ui/printserviceform.py index f50237619..55fc6eb3c 100644 --- a/openlp/core/ui/printserviceform.py +++ b/openlp/core/ui/printserviceform.py @@ -24,6 +24,7 @@ # with this program; if not, write to the Free Software Foundation, Inc., 59 # # Temple Place, Suite 330, Boston, MA 02111-1307 USA # ############################################################################### +import cgi import datetime import os @@ -183,7 +184,7 @@ class PrintServiceForm(QtGui.QDialog, Ui_PrintServiceDialog): self._addElement(u'style', custom_css, html_data.head, attribute=(u'type', u'text/css')) self._addElement(u'body', parent=html_data) - self._addElement(u'h1', unicode(self.titleLineEdit.text()), + self._addElement(u'h1', cgi.escape(unicode(self.titleLineEdit.text())), html_data.body, classId=u'serviceTitle') for index, item in enumerate(self.serviceManager.serviceItems): self._addPreviewItem(html_data.body, item[u'service_item'], index) @@ -193,8 +194,9 @@ class PrintServiceForm(QtGui.QDialog, Ui_PrintServiceDialog): classId=u'customNotes') self._addElement(u'span', translate('OpenLP.ServiceManager', 'Custom Service Notes: '), div, classId=u'customNotesTitle') - self._addElement(u'span', self.footerTextEdit.toPlainText(), div, - classId=u'customNotesText') + self._addElement(u'span', + cgi.escape(self.footerTextEdit.toPlainText()), + div, classId=u'customNotesText') self.document.setHtml(html.tostring(html_data)) self.previewWidget.updatePreview() @@ -204,8 +206,8 @@ class PrintServiceForm(QtGui.QDialog, Ui_PrintServiceDialog): item_title = self._addElement(u'h2', parent=div, classId=u'itemTitle') self._addElement(u'img', parent=item_title, attribute=(u'src', item.icon)) - self._addElement(u'span', u' ' + item.get_display_title(), - item_title) + self._addElement(u'span', + u' ' + cgi.escape(item.get_display_title()), item_title) if self.slideTextCheckBox.isChecked(): # Add the text of the service item. if item.is_text(): @@ -230,8 +232,9 @@ class PrintServiceForm(QtGui.QDialog, Ui_PrintServiceDialog): foot_text = item.foot_text foot_text = foot_text.partition(u'
')[2] if foot_text: - foot = self._addElement(u'div', foot_text, parent=div, - classId=u'itemFooter') + foot_text = cgi.escape(foot_text.replace(u'
', u'\n')) + self._addElement(u'div', foot_text.replace(u'\n', u'
'), + parent=div, classId=u'itemFooter') # Add service items' notes. if self.notesCheckBox.isChecked(): if item.notes: @@ -239,8 +242,8 @@ class PrintServiceForm(QtGui.QDialog, Ui_PrintServiceDialog): self._addElement(u'span', translate('OpenLP.ServiceManager', 'Notes: '), p, classId=u'itemNotesTitle') - notes = self._addElement(u'span', - item.notes.replace(u'\n', u'
'), p, + self._addElement(u'span', + cgi.escape(unicode(item.notes)).replace(u'\n', u'
'), p, classId=u'itemNotesText') # Add play length of media files. if item.is_media() and self.metaDataCheckBox.isChecked(): diff --git a/openlp/core/ui/servicemanager.py b/openlp/core/ui/servicemanager.py index c1a6ddb9d..ad1161e0d 100644 --- a/openlp/core/ui/servicemanager.py +++ b/openlp/core/ui/servicemanager.py @@ -24,6 +24,7 @@ # with this program; if not, write to the Free Software Foundation, Inc., 59 # # Temple Place, Suite 330, Boston, MA 02111-1307 USA # ############################################################################### +import cgi import cPickle import logging import os @@ -721,6 +722,9 @@ class ServiceManager(QtGui.QWidget): self.setModified() def onStartTimeForm(self): + """ + Opens a dialog to type in service item notes. + """ item = self.findServiceItem()[0] self.startTimeForm.item = self.serviceItems[item] if self.startTimeForm.exec_(): @@ -959,7 +963,7 @@ class ServiceManager(QtGui.QWidget): if serviceitem.notes: tips.append(u'%s: %s' % (unicode(translate('OpenLP.ServiceManager', 'Notes')), - unicode(serviceitem.notes))) + cgi.escape(unicode(serviceitem.notes)))) if item[u'service_item'] \ .is_capable(ItemCapabilities.AllowsVariableStartTime): tips.append(item[u'service_item'].get_media_time()) diff --git a/openlp/core/ui/servicenoteform.py b/openlp/core/ui/servicenoteform.py index 3bc55e242..ddfcb3381 100644 --- a/openlp/core/ui/servicenoteform.py +++ b/openlp/core/ui/servicenoteform.py @@ -27,7 +27,7 @@ from PyQt4 import QtCore, QtGui -from openlp.core.lib import translate +from openlp.core.lib import translate, SpellTextEdit from openlp.core.lib.ui import create_accept_reject_button_box class ServiceNoteForm(QtGui.QDialog): @@ -52,7 +52,7 @@ class ServiceNoteForm(QtGui.QDialog): self.dialogLayout.setContentsMargins(8, 8, 8, 8) self.dialogLayout.setSpacing(8) self.dialogLayout.setObjectName(u'verticalLayout') - self.textEdit = QtGui.QTextEdit(self) + self.textEdit = SpellTextEdit(self, False) self.textEdit.setObjectName(u'textEdit') self.dialogLayout.addWidget(self.textEdit) self.dialogLayout.addWidget(create_accept_reject_button_box(self)) diff --git a/openlp/core/utils/__init__.py b/openlp/core/utils/__init__.py index b0a28962c..3612bb002 100644 --- a/openlp/core/utils/__init__.py +++ b/openlp/core/utils/__init__.py @@ -386,6 +386,17 @@ def split_filename(path): else: return os.path.split(path) +def clean_filename(filename): + """ + Removes invalid characters from the given ``filename``. + + ``filename`` + The "dirty" file name to clean. + """ + if not isinstance(filename, unicode): + filename = unicode(filename, u'utf-8') + return re.sub(r'[/\\?*|<>\[\]":<>+%]+', u'_', filename).strip(u'_') + def delete_file(file_path_name): """ Deletes a file from the system. @@ -492,4 +503,4 @@ from actions import ActionList __all__ = [u'AppLocation', u'get_application_version', u'check_latest_version', u'add_actions', u'get_filesystem_encoding', u'LanguageManager', u'ActionList', u'get_web_page', u'file_is_unicode', u'get_uno_command', - u'get_uno_instance', u'delete_file'] + u'get_uno_instance', u'delete_file', u'clean_filename'] diff --git a/openlp/plugins/alerts/lib/alertstab.py b/openlp/plugins/alerts/lib/alertstab.py index 0a1eb3e75..15577fd0e 100644 --- a/openlp/plugins/alerts/lib/alertstab.py +++ b/openlp/plugins/alerts/lib/alertstab.py @@ -44,85 +44,85 @@ class AlertsTab(SettingsTab): self.fontGroupBox.setObjectName(u'fontGroupBox') self.fontLayout = QtGui.QFormLayout(self.fontGroupBox) self.fontLayout.setObjectName(u'fontLayout') - self.FontLabel = QtGui.QLabel(self.fontGroupBox) - self.FontLabel.setObjectName(u'FontLabel') - self.FontComboBox = QtGui.QFontComboBox(self.fontGroupBox) - self.FontComboBox.setObjectName(u'FontComboBox') - self.fontLayout.addRow(self.FontLabel, self.FontComboBox) - self.FontColorLabel = QtGui.QLabel(self.fontGroupBox) - self.FontColorLabel.setObjectName(u'FontColorLabel') - self.ColorLayout = QtGui.QHBoxLayout() - self.ColorLayout.setObjectName(u'ColorLayout') - self.FontColorButton = QtGui.QPushButton(self.fontGroupBox) - self.FontColorButton.setObjectName(u'FontColorButton') - self.ColorLayout.addWidget(self.FontColorButton) - self.ColorLayout.addSpacing(20) - self.BackgroundColorLabel = QtGui.QLabel(self.fontGroupBox) - self.BackgroundColorLabel.setObjectName(u'BackgroundColorLabel') - self.ColorLayout.addWidget(self.BackgroundColorLabel) - self.BackgroundColorButton = QtGui.QPushButton(self.fontGroupBox) - self.BackgroundColorButton.setObjectName(u'BackgroundColorButton') - self.ColorLayout.addWidget(self.BackgroundColorButton) - self.fontLayout.addRow(self.FontColorLabel, self.ColorLayout) - self.FontSizeLabel = QtGui.QLabel(self.fontGroupBox) - self.FontSizeLabel.setObjectName(u'FontSizeLabel') - self.FontSizeSpinBox = QtGui.QSpinBox(self.fontGroupBox) - self.FontSizeSpinBox.setObjectName(u'FontSizeSpinBox') - self.fontLayout.addRow(self.FontSizeLabel, self.FontSizeSpinBox) - self.TimeoutLabel = QtGui.QLabel(self.fontGroupBox) - self.TimeoutLabel.setObjectName(u'TimeoutLabel') - self.TimeoutSpinBox = QtGui.QSpinBox(self.fontGroupBox) - self.TimeoutSpinBox.setMaximum(180) - self.TimeoutSpinBox.setObjectName(u'TimeoutSpinBox') - self.fontLayout.addRow(self.TimeoutLabel, self.TimeoutSpinBox) + self.fontLabel = QtGui.QLabel(self.fontGroupBox) + self.fontLabel.setObjectName(u'fontLabel') + self.fontComboBox = QtGui.QFontComboBox(self.fontGroupBox) + self.fontComboBox.setObjectName(u'fontComboBox') + self.fontLayout.addRow(self.fontLabel, self.fontComboBox) + self.fontColorLabel = QtGui.QLabel(self.fontGroupBox) + self.fontColorLabel.setObjectName(u'fontColorLabel') + self.colorLayout = QtGui.QHBoxLayout() + self.colorLayout.setObjectName(u'colorLayout') + self.fontColorButton = QtGui.QPushButton(self.fontGroupBox) + self.fontColorButton.setObjectName(u'fontColorButton') + self.colorLayout.addWidget(self.fontColorButton) + self.colorLayout.addSpacing(20) + self.backgroundColorLabel = QtGui.QLabel(self.fontGroupBox) + self.backgroundColorLabel.setObjectName(u'backgroundColorLabel') + self.colorLayout.addWidget(self.backgroundColorLabel) + self.backgroundColorButton = QtGui.QPushButton(self.fontGroupBox) + self.backgroundColorButton.setObjectName(u'backgroundColorButton') + self.colorLayout.addWidget(self.backgroundColorButton) + self.fontLayout.addRow(self.fontColorLabel, self.colorLayout) + self.fontSizeLabel = QtGui.QLabel(self.fontGroupBox) + self.fontSizeLabel.setObjectName(u'fontSizeLabel') + self.fontSizeSpinBox = QtGui.QSpinBox(self.fontGroupBox) + self.fontSizeSpinBox.setObjectName(u'fontSizeSpinBox') + self.fontLayout.addRow(self.fontSizeLabel, self.fontSizeSpinBox) + self.timeoutLabel = QtGui.QLabel(self.fontGroupBox) + self.timeoutLabel.setObjectName(u'timeoutLabel') + self.timeoutSpinBox = QtGui.QSpinBox(self.fontGroupBox) + self.timeoutSpinBox.setMaximum(180) + self.timeoutSpinBox.setObjectName(u'timeoutSpinBox') + self.fontLayout.addRow(self.timeoutLabel, self.timeoutSpinBox) create_valign_combo(self, self.fontGroupBox, self.fontLayout) self.leftLayout.addWidget(self.fontGroupBox) self.leftLayout.addStretch() - self.PreviewGroupBox = QtGui.QGroupBox(self.rightColumn) - self.PreviewGroupBox.setObjectName(u'PreviewGroupBox') - self.PreviewLayout = QtGui.QVBoxLayout(self.PreviewGroupBox) - self.PreviewLayout.setObjectName(u'PreviewLayout') - self.FontPreview = QtGui.QLineEdit(self.PreviewGroupBox) - self.FontPreview.setObjectName(u'FontPreview') - self.PreviewLayout.addWidget(self.FontPreview) - self.rightLayout.addWidget(self.PreviewGroupBox) + self.previewGroupBox = QtGui.QGroupBox(self.rightColumn) + self.previewGroupBox.setObjectName(u'previewGroupBox') + self.previewLayout = QtGui.QVBoxLayout(self.previewGroupBox) + self.previewLayout.setObjectName(u'previewLayout') + self.fontPreview = QtGui.QLineEdit(self.previewGroupBox) + self.fontPreview.setObjectName(u'fontPreview') + self.previewLayout.addWidget(self.fontPreview) + self.rightLayout.addWidget(self.previewGroupBox) self.rightLayout.addStretch() # Signals and slots - QtCore.QObject.connect(self.BackgroundColorButton, + QtCore.QObject.connect(self.backgroundColorButton, QtCore.SIGNAL(u'pressed()'), self.onBackgroundColorButtonClicked) - QtCore.QObject.connect(self.FontColorButton, + QtCore.QObject.connect(self.fontColorButton, QtCore.SIGNAL(u'pressed()'), self.onFontColorButtonClicked) - QtCore.QObject.connect(self.FontComboBox, + QtCore.QObject.connect(self.fontComboBox, QtCore.SIGNAL(u'activated(int)'), self.onFontComboBoxClicked) - QtCore.QObject.connect(self.TimeoutSpinBox, + QtCore.QObject.connect(self.timeoutSpinBox, QtCore.SIGNAL(u'valueChanged(int)'), self.onTimeoutSpinBoxChanged) - QtCore.QObject.connect(self.FontSizeSpinBox, + QtCore.QObject.connect(self.fontSizeSpinBox, QtCore.SIGNAL(u'valueChanged(int)'), self.onFontSizeSpinBoxChanged) def retranslateUi(self): self.fontGroupBox.setTitle( translate('AlertsPlugin.AlertsTab', 'Font')) - self.FontLabel.setText( + self.fontLabel.setText( translate('AlertsPlugin.AlertsTab', 'Font name:')) - self.FontColorLabel.setText( + self.fontColorLabel.setText( translate('AlertsPlugin.AlertsTab', 'Font color:')) - self.BackgroundColorLabel.setText( + self.backgroundColorLabel.setText( translate('AlertsPlugin.AlertsTab', 'Background color:')) - self.FontSizeLabel.setText( + self.fontSizeLabel.setText( translate('AlertsPlugin.AlertsTab', 'Font size:')) - self.FontSizeSpinBox.setSuffix(UiStrings().FontSizePtUnit) - self.TimeoutLabel.setText( + self.fontSizeSpinBox.setSuffix(UiStrings().FontSizePtUnit) + self.timeoutLabel.setText( translate('AlertsPlugin.AlertsTab', 'Alert timeout:')) - self.TimeoutSpinBox.setSuffix(UiStrings().Seconds) - self.PreviewGroupBox.setTitle(UiStrings().Preview) - self.FontPreview.setText(UiStrings().OLPV2) + self.timeoutSpinBox.setSuffix(UiStrings().Seconds) + self.previewGroupBox.setTitle(UiStrings().Preview) + self.fontPreview.setText(UiStrings().OLPV2) def onBackgroundColorButtonClicked(self): new_color = QtGui.QColorDialog.getColor( QtGui.QColor(self.bg_color), self) if new_color.isValid(): self.bg_color = new_color.name() - self.BackgroundColorButton.setStyleSheet( + self.backgroundColorButton.setStyleSheet( u'background-color: %s' % self.bg_color) self.updateDisplay() @@ -134,15 +134,15 @@ class AlertsTab(SettingsTab): QtGui.QColor(self.font_color), self) if new_color.isValid(): self.font_color = new_color.name() - self.FontColorButton.setStyleSheet( + self.fontColorButton.setStyleSheet( u'background-color: %s' % self.font_color) self.updateDisplay() def onTimeoutSpinBoxChanged(self): - self.timeout = self.TimeoutSpinBox.value() + self.timeout = self.timeoutSpinBox.value() def onFontSizeSpinBoxChanged(self): - self.font_size = self.FontSizeSpinBox.value() + self.font_size = self.fontSizeSpinBox.value() self.updateDisplay() def load(self): @@ -160,16 +160,16 @@ class AlertsTab(SettingsTab): self.location = settings.value( u'location', QtCore.QVariant(1)).toInt()[0] settings.endGroup() - self.FontSizeSpinBox.setValue(self.font_size) - self.TimeoutSpinBox.setValue(self.timeout) - self.FontColorButton.setStyleSheet( + self.fontSizeSpinBox.setValue(self.font_size) + self.timeoutSpinBox.setValue(self.timeout) + self.fontColorButton.setStyleSheet( u'background-color: %s' % self.font_color) - self.BackgroundColorButton.setStyleSheet( + self.backgroundColorButton.setStyleSheet( u'background-color: %s' % self.bg_color) self.verticalComboBox.setCurrentIndex(self.location) font = QtGui.QFont() font.setFamily(self.font_face) - self.FontComboBox.setCurrentFont(font) + self.fontComboBox.setCurrentFont(font) self.updateDisplay() def save(self): @@ -178,7 +178,7 @@ class AlertsTab(SettingsTab): settings.setValue(u'background color', QtCore.QVariant(self.bg_color)) settings.setValue(u'font color', QtCore.QVariant(self.font_color)) settings.setValue(u'font size', QtCore.QVariant(self.font_size)) - self.font_face = self.FontComboBox.currentFont().family() + self.font_face = self.fontComboBox.currentFont().family() settings.setValue(u'font face', QtCore.QVariant(self.font_face)) settings.setValue(u'timeout', QtCore.QVariant(self.timeout)) self.location = self.verticalComboBox.currentIndex() @@ -187,10 +187,10 @@ class AlertsTab(SettingsTab): def updateDisplay(self): font = QtGui.QFont() - font.setFamily(self.FontComboBox.currentFont().family()) + font.setFamily(self.fontComboBox.currentFont().family()) font.setBold(True) font.setPointSize(self.font_size) - self.FontPreview.setFont(font) - self.FontPreview.setStyleSheet(u'background-color: %s; color: %s' % + self.fontPreview.setFont(font) + self.fontPreview.setStyleSheet(u'background-color: %s; color: %s' % (self.bg_color, self.font_color)) diff --git a/openlp/plugins/bibles/forms/bibleupgradeform.py b/openlp/plugins/bibles/forms/bibleupgradeform.py index 615d4231e..322e3219a 100644 --- a/openlp/plugins/bibles/forms/bibleupgradeform.py +++ b/openlp/plugins/bibles/forms/bibleupgradeform.py @@ -29,17 +29,17 @@ The bible import functions for OpenLP import logging import os import shutil +from tempfile import gettempdir from PyQt4 import QtCore, QtGui from openlp.core.lib import Receiver, SettingsManager, translate, \ check_directory_exists -from openlp.core.lib.db import delete_database from openlp.core.lib.ui import UiStrings, critical_error_message_box from openlp.core.ui.wizard import OpenLPWizard, WizardStrings from openlp.core.utils import AppLocation, delete_file from openlp.plugins.bibles.lib.db import BibleDB, BibleMeta, OldBibleDB, \ - BiblesResourcesDB, clean_filename + BiblesResourcesDB from openlp.plugins.bibles.lib.http import BSExtract, BGExtract, CWExtract log = logging.getLogger(__name__) @@ -70,6 +70,7 @@ class BibleUpgradeForm(OpenLPWizard): self.suffix = u'.sqlite' self.settingsSection = u'bibles' self.path = AppLocation.get_section_data_path(self.settingsSection) + self.temp_dir = os.path.join(gettempdir(), u'openlp') self.files = self.manager.old_bible_databases self.success = {} self.newbibles = {} @@ -91,20 +92,6 @@ class BibleUpgradeForm(OpenLPWizard): log.debug(u'Stopping import') self.stop_import_flag = True - def onCheckBoxIndexChanged(self, index): - """ - Show/Hide warnings if CheckBox state has changed - """ - for number, filename in enumerate(self.files): - if not self.checkBox[number].checkState() == QtCore.Qt.Checked: - self.verticalWidget[number].hide() - self.formWidget[number].hide() - else: - version_name = unicode(self.versionNameEdit[number].text()) - if self.manager.exists(version_name): - self.verticalWidget[number].show() - self.formWidget[number].show() - def reject(self): """ Stop the wizard on cancel button, close button or ESC key. @@ -113,8 +100,6 @@ class BibleUpgradeForm(OpenLPWizard): self.stop_import_flag = True if not self.currentPage() == self.progressPage: self.done(QtGui.QDialog.Rejected) - else: - self.postWizard() def onCurrentIdChanged(self, pageId): """ @@ -124,7 +109,7 @@ class BibleUpgradeForm(OpenLPWizard): self.preWizard() self.performWizard() self.postWizard() - elif self.page(pageId) == self.selectPage and self.maxBibles == 0: + elif self.page(pageId) == self.selectPage and not self.files: self.next() def onBackupBrowseButtonClicked(self): @@ -243,78 +228,13 @@ class BibleUpgradeForm(OpenLPWizard): Add the content to the scrollArea. """ self.checkBox = {} - self.versionNameEdit = {} - self.versionNameLabel = {} - self.versionInfoLabel = {} - self.versionInfoPixmap = {} - self.verticalWidget = {} - self.horizontalLayout = {} - self.formWidget = {} - self.formLayoutAttention = {} for number, filename in enumerate(self.files): bible = OldBibleDB(self.mediaItem, path=self.path, file=filename[0]) self.checkBox[number] = QtGui.QCheckBox(self.scrollAreaContents) - checkBoxName = u'checkBox[%d]' % number - self.checkBox[number].setObjectName(checkBoxName) + self.checkBox[number].setObjectName(u'checkBox[%d]' % number) self.checkBox[number].setText(bible.get_name()) self.checkBox[number].setCheckState(QtCore.Qt.Checked) self.formLayout.addWidget(self.checkBox[number]) - self.verticalWidget[number] = QtGui.QWidget(self.scrollAreaContents) - verticalWidgetName = u'verticalWidget[%d]' % number - self.verticalWidget[number].setObjectName(verticalWidgetName) - self.horizontalLayout[number] = QtGui.QHBoxLayout( - self.verticalWidget[number]) - self.horizontalLayout[number].setContentsMargins(25, 0, 0, 0) - horizontalLayoutName = u'horizontalLayout[%d]' % number - self.horizontalLayout[number].setObjectName(horizontalLayoutName) - self.versionInfoPixmap[number] = QtGui.QLabel( - self.verticalWidget[number]) - versionInfoPixmapName = u'versionInfoPixmap[%d]' % number - self.versionInfoPixmap[number].setObjectName(versionInfoPixmapName) - self.versionInfoPixmap[number].setPixmap(QtGui.QPixmap( - u':/bibles/bibles_upgrade_alert.png')) - self.versionInfoPixmap[number].setAlignment(QtCore.Qt.AlignRight) - self.horizontalLayout[number].addWidget( - self.versionInfoPixmap[number]) - self.versionInfoLabel[number] = QtGui.QLabel( - self.verticalWidget[number]) - versionInfoLabelName = u'versionInfoLabel[%d]' % number - self.versionInfoLabel[number].setObjectName(versionInfoLabelName) - sizePolicy = QtGui.QSizePolicy(QtGui.QSizePolicy.Expanding, - QtGui.QSizePolicy.Preferred) - sizePolicy.setHorizontalStretch(0) - sizePolicy.setVerticalStretch(0) - sizePolicy.setHeightForWidth( - self.versionInfoLabel[number].sizePolicy().hasHeightForWidth()) - self.versionInfoLabel[number].setSizePolicy(sizePolicy) - self.horizontalLayout[number].addWidget( - self.versionInfoLabel[number]) - self.formLayout.addWidget(self.verticalWidget[number]) - self.formWidget[number] = QtGui.QWidget(self.scrollAreaContents) - formWidgetName = u'formWidget[%d]' % number - self.formWidget[number].setObjectName(formWidgetName) - self.formLayoutAttention[number] = QtGui.QFormLayout( - self.formWidget[number]) - self.formLayoutAttention[number].setContentsMargins(25, 0, 0, 5) - formLayoutAttentionName = u'formLayoutAttention[%d]' % number - self.formLayoutAttention[number].setObjectName( - formLayoutAttentionName) - self.versionNameLabel[number] = QtGui.QLabel( - self.formWidget[number]) - self.versionNameLabel[number].setObjectName(u'VersionNameLabel') - self.formLayoutAttention[number].setWidget(0, - QtGui.QFormLayout.LabelRole, self.versionNameLabel[number]) - self.versionNameEdit[number] = QtGui.QLineEdit( - self.formWidget[number]) - self.versionNameEdit[number].setObjectName(u'VersionNameEdit') - self.formLayoutAttention[number].setWidget(0, - QtGui.QFormLayout.FieldRole, self.versionNameEdit[number]) - self.versionNameEdit[number].setText(bible.get_name()) - self.formLayout.addWidget(self.formWidget[number]) - # Set up the Signal for the checkbox. - QtCore.QObject.connect(self.checkBox[number], - QtCore.SIGNAL(u'stateChanged(int)'), - self.onCheckBoxIndexChanged) self.spacerItem = QtGui.QSpacerItem(20, 5, QtGui.QSizePolicy.Minimum, QtGui.QSizePolicy.Expanding) self.formLayout.addItem(self.spacerItem) @@ -327,23 +247,6 @@ class BibleUpgradeForm(OpenLPWizard): for number, filename in enumerate(self.files): self.formLayout.removeWidget(self.checkBox[number]) self.checkBox[number].setParent(None) - self.horizontalLayout[number].removeWidget( - self.versionInfoPixmap[number]) - self.versionInfoPixmap[number].setParent(None) - self.horizontalLayout[number].removeWidget( - self.versionInfoLabel[number]) - self.versionInfoLabel[number].setParent(None) - self.formLayout.removeWidget(self.verticalWidget[number]) - self.verticalWidget[number].setParent(None) - self.formLayoutAttention[number].removeWidget( - self.versionNameLabel[number]) - self.versionNameLabel[number].setParent(None) - self.formLayoutAttention[number].removeWidget( - self.versionNameEdit[number]) - self.formLayoutAttention[number].deleteLater() - self.versionNameEdit[number].setParent(None) - self.formLayout.removeWidget(self.formWidget[number]) - self.formWidget[number].setParent(None) self.formLayout.removeItem(self.spacerItem) def retranslateUi(self): @@ -385,12 +288,6 @@ class BibleUpgradeForm(OpenLPWizard): self.selectPage.setSubTitle( translate('BiblesPlugin.UpgradeWizardForm', 'Please select the Bibles to upgrade')) - for number, bible in enumerate(self.files): - self.versionNameLabel[number].setText( - translate('BiblesPlugin.UpgradeWizardForm', 'Version name:')) - self.versionInfoLabel[number].setText( - translate('BiblesPlugin.UpgradeWizardForm', 'This ' - 'Bible still exists. Please change the name or uncheck it.')) self.progressPage.setTitle(translate('BiblesPlugin.UpgradeWizardForm', 'Upgrading')) self.progressPage.setSubTitle( @@ -425,58 +322,16 @@ class BibleUpgradeForm(OpenLPWizard): return False return True elif self.currentPage() == self.selectPage: + check_directory_exists(self.temp_dir) for number, filename in enumerate(self.files): if not self.checkBox[number].checkState() == QtCore.Qt.Checked: continue - version_name = unicode(self.versionNameEdit[number].text()) - if not version_name: - critical_error_message_box(UiStrings().EmptyField, - translate('BiblesPlugin.UpgradeWizardForm', - 'You need to specify a version name for your Bible.')) - self.versionNameEdit[number].setFocus() - return False - elif self.manager.exists(version_name): - critical_error_message_box( - translate('BiblesPlugin.UpgradeWizardForm', - 'Bible Exists'), - translate('BiblesPlugin.UpgradeWizardForm', - 'This Bible already exists. Please upgrade ' - 'a different Bible, delete the existing one or ' - 'uncheck.')) - self.versionNameEdit[number].setFocus() - return False - elif os.path.exists(os.path.join(self.path, clean_filename( - version_name))) and version_name == filename[1]: - newfilename = u'old_database_%s' % filename[0] - if not os.path.exists(os.path.join(self.path, - newfilename)): - os.rename(os.path.join(self.path, filename[0]), - os.path.join(self.path, newfilename)) - self.files[number] = [newfilename, filename[1]] - continue - else: - critical_error_message_box( - translate('BiblesPlugin.UpgradeWizardForm', - 'Bible Exists'), - translate('BiblesPlugin.UpgradeWizardForm', - 'This Bible already exists. Please upgrade ' - 'a different Bible, delete the existing one or ' - 'uncheck.')) - self.verticalWidget[number].show() - self.formWidget[number].show() - self.versionNameEdit[number].setFocus() - return False - elif os.path.exists(os.path.join(self.path, - clean_filename(version_name))): - critical_error_message_box( - translate('BiblesPlugin.UpgradeWizardForm', - 'Bible Exists'), - translate('BiblesPlugin.UpgradeWizardForm', - 'This Bible already exists. Please upgrade ' - 'a different Bible, delete the existing one or ' - 'uncheck.')) - self.versionNameEdit[number].setFocus() - return False + # Move bibles to temp dir. + if not os.path.exists(os.path.join(self.temp_dir, filename[0])): + shutil.move( + os.path.join(self.path, filename[0]), self.temp_dir) + else: + delete_file(os.path.join(self.path, filename[0])) return True if self.currentPage() == self.progressPage: return True @@ -495,16 +350,8 @@ class BibleUpgradeForm(OpenLPWizard): self.files = self.manager.old_bible_databases self.addScrollArea() self.retranslateUi() - self.maxBibles = len(self.files) for number, filename in enumerate(self.files): self.checkBox[number].setCheckState(QtCore.Qt.Checked) - oldname = filename[1] - if self.manager.exists(oldname): - self.verticalWidget[number].show() - self.formWidget[number].show() - else: - self.verticalWidget[number].hide() - self.formWidget[number].hide() self.progressBar.show() self.restart() self.finishButton.setVisible(False) @@ -516,9 +363,8 @@ class BibleUpgradeForm(OpenLPWizard): Prepare the UI for the upgrade. """ OpenLPWizard.preWizard(self) - self.progressLabel.setText(translate( - 'BiblesPlugin.UpgradeWizardForm', - 'Starting upgrade...')) + self.progressLabel.setText( + translate('BiblesPlugin.UpgradeWizardForm', 'Starting upgrade...')) Receiver.send_message(u'openlp_process_events') def performWizard(self): @@ -527,48 +373,42 @@ class BibleUpgradeForm(OpenLPWizard): """ self.include_webbible = False proxy_server = None - if self.maxBibles == 0: + if not self.files: self.progressLabel.setText( translate('BiblesPlugin.UpgradeWizardForm', 'There are no ' 'Bibles that need to be upgraded.')) self.progressBar.hide() return - self.maxBibles = 0 + max_bibles = 0 for number, file in enumerate(self.files): if self.checkBox[number].checkState() == QtCore.Qt.Checked: - self.maxBibles += 1 - number = 0 - for biblenumber, filename in enumerate(self.files): + max_bibles += 1 + oldBible = None + for number, filename in enumerate(self.files): + # Close the previous bible's connection. + if oldBible is not None: + oldBible.close_connection() + # Set to None to make obvious that we have already closed the + # database. + oldBible = None if self.stop_import_flag: - bible_failed = True + self.success[number] = False break - bible_failed = False - self.success[biblenumber] = False - if not self.checkBox[biblenumber].checkState() == QtCore.Qt.Checked: + if not self.checkBox[number].checkState() == QtCore.Qt.Checked: + self.success[number] = False continue self.progressBar.reset() - oldbible = OldBibleDB(self.mediaItem, path=self.path, + oldBible = OldBibleDB(self.mediaItem, path=self.temp_dir, file=filename[0]) name = filename[1] - if name is None: - delete_file(os.path.join(self.path, filename[0])) - self.incrementProgressBar(unicode(translate( - 'BiblesPlugin.UpgradeWizardForm', - 'Upgrading Bible %s of %s: "%s"\nFailed')) % - (number + 1, self.maxBibles, name), - self.progressBar.maximum() - self.progressBar.value()) - number += 1 - continue self.progressLabel.setText(unicode(translate( 'BiblesPlugin.UpgradeWizardForm', 'Upgrading Bible %s of %s: "%s"\nUpgrading ...')) % - (number + 1, self.maxBibles, name)) - if os.path.exists(os.path.join(self.path, filename[0])): - name = unicode(self.versionNameEdit[biblenumber].text()) + (number + 1, max_bibles, name)) self.newbibles[number] = BibleDB(self.mediaItem, path=self.path, - name=name) + name=name, file=filename[0]) self.newbibles[number].register(self.plugin.upgrade_wizard) - metadata = oldbible.get_metadata() + metadata = oldBible.get_metadata() webbible = False meta_data = {} for meta in metadata: @@ -595,7 +435,7 @@ class BibleUpgradeForm(OpenLPWizard): u'name: "%s" failed' % ( meta_data[u'download source'], meta_data[u'download name'])) - delete_database(self.path, clean_filename(name)) + self.newbibles[number].session.close() del self.newbibles[number] critical_error_message_box( translate('BiblesPlugin.UpgradeWizardForm', @@ -606,9 +446,9 @@ class BibleUpgradeForm(OpenLPWizard): self.incrementProgressBar(unicode(translate( 'BiblesPlugin.UpgradeWizardForm', 'Upgrading Bible %s of %s: "%s"\nFailed')) % - (number + 1, self.maxBibles, name), + (number + 1, max_bibles, name), self.progressBar.maximum() - self.progressBar.value()) - number += 1 + self.success[number] = False continue bible = BiblesResourcesDB.get_webbible( meta_data[u'download name'], @@ -621,25 +461,25 @@ class BibleUpgradeForm(OpenLPWizard): language_id = self.newbibles[number].get_language(name) if not language_id: log.warn(u'Upgrading from "%s" failed' % filename[0]) - delete_database(self.path, clean_filename(name)) + self.newbibles[number].session.close() del self.newbibles[number] self.incrementProgressBar(unicode(translate( 'BiblesPlugin.UpgradeWizardForm', 'Upgrading Bible %s of %s: "%s"\nFailed')) % - (number + 1, self.maxBibles, name), + (number + 1, max_bibles, name), self.progressBar.maximum() - self.progressBar.value()) - number += 1 + self.success[number] = False continue self.progressBar.setMaximum(len(books)) for book in books: if self.stop_import_flag: - bible_failed = True + self.success[number] = False break self.incrementProgressBar(unicode(translate( 'BiblesPlugin.UpgradeWizardForm', 'Upgrading Bible %s of %s: "%s"\n' 'Upgrading %s ...')) % - (number + 1, self.maxBibles, name, book)) + (number + 1, max_bibles, name, book)) book_ref_id = self.newbibles[number].\ get_book_ref_id_by_name(book, len(books), language_id) if not book_ref_id: @@ -647,24 +487,24 @@ class BibleUpgradeForm(OpenLPWizard): u'name: "%s" aborted by user' % ( meta_data[u'download source'], meta_data[u'download name'])) - delete_database(self.path, clean_filename(name)) + self.newbibles[number].session.close() del self.newbibles[number] - bible_failed = True + self.success[number] = False break book_details = BiblesResourcesDB.get_book_by_id(book_ref_id) db_book = self.newbibles[number].create_book(book, book_ref_id, book_details[u'testament_id']) - # Try to import still downloaded verses - oldbook = oldbible.get_book(book) + # Try to import already downloaded verses. + oldbook = oldBible.get_book(book) if oldbook: - verses = oldbible.get_verses(oldbook[u'id']) + verses = oldBible.get_verses(oldbook[u'id']) if not verses: log.warn(u'No verses found to import for book ' u'"%s"', book) continue for verse in verses: if self.stop_import_flag: - bible_failed = True + self.success[number] = False break self.newbibles[number].create_verse(db_book.id, int(verse[u'chapter']), @@ -678,40 +518,40 @@ class BibleUpgradeForm(OpenLPWizard): language_id = self.newbibles[number].get_language(name) if not language_id: log.warn(u'Upgrading books from "%s" failed' % name) - delete_database(self.path, clean_filename(name)) + self.newbibles[number].session.close() del self.newbibles[number] self.incrementProgressBar(unicode(translate( 'BiblesPlugin.UpgradeWizardForm', 'Upgrading Bible %s of %s: "%s"\nFailed')) % - (number + 1, self.maxBibles, name), + (number + 1, max_bibles, name), self.progressBar.maximum() - self.progressBar.value()) - number += 1 + self.success[number] = False continue - books = oldbible.get_books() + books = oldBible.get_books() self.progressBar.setMaximum(len(books)) for book in books: if self.stop_import_flag: - bible_failed = True + self.success[number] = False break self.incrementProgressBar(unicode(translate( 'BiblesPlugin.UpgradeWizardForm', 'Upgrading Bible %s of %s: "%s"\n' 'Upgrading %s ...')) % - (number + 1, self.maxBibles, name, book[u'name'])) + (number + 1, max_bibles, name, book[u'name'])) book_ref_id = self.newbibles[number].\ get_book_ref_id_by_name(book[u'name'], len(books), language_id) if not book_ref_id: log.warn(u'Upgrading books from %s " '\ 'failed - aborted by user' % name) - delete_database(self.path, clean_filename(name)) + self.newbibles[number].session.close() del self.newbibles[number] - bible_failed = True + self.success[number] = False break book_details = BiblesResourcesDB.get_book_by_id(book_ref_id) db_book = self.newbibles[number].create_book(book[u'name'], book_ref_id, book_details[u'testament_id']) - verses = oldbible.get_verses(book[u'id']) + verses = oldBible.get_verses(book[u'id']) if not verses: log.warn(u'No verses found to import for book ' u'"%s"', book[u'name']) @@ -719,31 +559,32 @@ class BibleUpgradeForm(OpenLPWizard): continue for verse in verses: if self.stop_import_flag: - bible_failed = True + self.success[number] = False break self.newbibles[number].create_verse(db_book.id, int(verse[u'chapter']), int(verse[u'verse']), unicode(verse[u'text'])) Receiver.send_message(u'openlp_process_events') self.newbibles[number].session.commit() - if not bible_failed: + if self.success.has_key(number) and not self.success[number]: + self.incrementProgressBar(unicode(translate( + 'BiblesPlugin.UpgradeWizardForm', + 'Upgrading Bible %s of %s: "%s"\nFailed')) % + (number + 1, max_bibles, name), + self.progressBar.maximum() - self.progressBar.value()) + else: + self.success[number] = True self.newbibles[number].create_meta(u'Version', name) - oldbible.close_connection() - delete_file(os.path.join(self.path, filename[0])) self.incrementProgressBar(unicode(translate( 'BiblesPlugin.UpgradeWizardForm', 'Upgrading Bible %s of %s: "%s"\n' 'Complete')) % - (number + 1, self.maxBibles, name)) - self.success[biblenumber] = True - else: - self.incrementProgressBar(unicode(translate( - 'BiblesPlugin.UpgradeWizardForm', - 'Upgrading Bible %s of %s: "%s"\nFailed')) % - (number + 1, self.maxBibles, name), - self.progressBar.maximum() - self.progressBar.value()) - delete_database(self.path, clean_filename(name)) - number += 1 + (number + 1, max_bibles, name)) + if self.newbibles.has_key(number): + self.newbibles[number].session.close() + # Close the last bible's connection if possible. + if oldBible is not None: + oldBible.close_connection() def postWizard(self): """ @@ -752,10 +593,14 @@ class BibleUpgradeForm(OpenLPWizard): successful_import = 0 failed_import = 0 for number, filename in enumerate(self.files): - if number in self.success and self.success[number] == True: + if self.success.has_key(number) and self.success[number]: successful_import += 1 elif self.checkBox[number].checkState() == QtCore.Qt.Checked: failed_import += 1 + # Delete upgraded (but not complete, corrupted, ...) bible. + delete_file(os.path.join(self.path, filename[0])) + # Copy not upgraded bible back. + shutil.move(os.path.join(self.temp_dir, filename[0]), self.path) if failed_import > 0: failed_import_text = unicode(translate( 'BiblesPlugin.UpgradeWizardForm', @@ -776,7 +621,8 @@ class BibleUpgradeForm(OpenLPWizard): 'Bible(s): %s successful%s')) % (successful_import, failed_import_text)) else: - self.progressLabel.setText( - translate('BiblesPlugin.UpgradeWizardForm', 'Upgrade ' - 'failed.')) + self.progressLabel.setText(translate( + 'BiblesPlugin.UpgradeWizardForm', 'Upgrade failed.')) + # Remove temp directory. + shutil.rmtree(self.temp_dir, True) OpenLPWizard.postWizard(self) diff --git a/openlp/plugins/bibles/forms/languageform.py b/openlp/plugins/bibles/forms/languageform.py index 477c7ee1e..c5069815b 100644 --- a/openlp/plugins/bibles/forms/languageform.py +++ b/openlp/plugins/bibles/forms/languageform.py @@ -44,8 +44,8 @@ class LanguageForm(QDialog, Ui_LanguageDialog): Class to manage a dialog which ask the user for a language. """ log.info(u'LanguageForm loaded') - - def __init__(self, parent = None): + + def __init__(self, parent=None): """ Constructor """ @@ -57,12 +57,11 @@ class LanguageForm(QDialog, Ui_LanguageDialog): if bible_name: self.bibleLabel.setText(unicode(bible_name)) items = BiblesResourcesDB.get_languages() - for item in items: - self.languageComboBox.addItem(item[u'name']) + self.languageComboBox.addItems([item[u'name'] for item in items]) return QDialog.exec_(self) - + def accept(self): - if self.languageComboBox.currentText() == u'': + if not self.languageComboBox.currentText(): critical_error_message_box( message=translate('BiblesPlugin.LanguageForm', 'You need to choose a language.')) diff --git a/openlp/plugins/bibles/lib/db.py b/openlp/plugins/bibles/lib/db.py index 5273f670c..e5962664b 100644 --- a/openlp/plugins/bibles/lib/db.py +++ b/openlp/plugins/bibles/lib/db.py @@ -39,7 +39,7 @@ from sqlalchemy.orm.exc import UnmappedClassError from openlp.core.lib import Receiver, translate from openlp.core.lib.db import BaseModel, init_db, Manager from openlp.core.lib.ui import critical_error_message_box -from openlp.core.utils import AppLocation +from openlp.core.utils import AppLocation, clean_filename log = logging.getLogger(__name__) @@ -63,19 +63,6 @@ class Verse(BaseModel): """ pass -def clean_filename(filename): - """ - Clean up the version name of the Bible and convert it into a valid - file name. - - ``filename`` - The "dirty" file name or version name. - """ - if not isinstance(filename, unicode): - filename = unicode(filename, u'utf-8') - filename = re.sub(r'[^\w]+', u'_', filename).strip(u'_') - return filename + u'.sqlite' - def init_schema(url): """ Setup a bible database connection and initialise the database schema. @@ -158,7 +145,7 @@ class BibleDB(QtCore.QObject, Manager): self.name = kwargs[u'name'] if not isinstance(self.name, unicode): self.name = unicode(self.name, u'utf-8') - self.file = clean_filename(self.name) + self.file = clean_filename(self.name) + u'.sqlite' if u'file' in kwargs: self.file = kwargs[u'file'] Manager.__init__(self, u'bibles', init_schema, self.file) @@ -210,7 +197,7 @@ class BibleDB(QtCore.QObject, Manager): The book_reference_id from bibles_resources.sqlite of the book. ``testament`` - *Defaults to 1.* The testament_reference_id from + *Defaults to 1.* The testament_reference_id from bibles_resources.sqlite of the testament this book belongs to. """ log.debug(u'BibleDB.create_book("%s", "%s")', name, bk_ref_id) @@ -329,7 +316,7 @@ class BibleDB(QtCore.QObject, Manager): return self.get_object_filtered(Book, Book.book_reference_id.like(id)) def get_book_ref_id_by_name(self, book, maxbooks, language_id=None): - log.debug(u'BibleDB.get_book_ref_id_by_name:("%s", "%s")', book, + log.debug(u'BibleDB.get_book_ref_id_by_name:("%s", "%s")', book, language_id) if BiblesResourcesDB.get_book(book, True): book_temp = BiblesResourcesDB.get_book(book, True) @@ -471,7 +458,7 @@ class BibleDB(QtCore.QObject, Manager): def get_language(self, bible_name=None): """ - If no language is given it calls a dialog window where the user could + If no language is given it calls a dialog window where the user could select the bible language. Return the language id of a bible. @@ -521,9 +508,9 @@ class BiblesResourcesDB(QtCore.QObject, Manager): some resources which are used in the Bibles plugin. A wrapper class around a small SQLite database which contains the download resources, a biblelist from the different download resources, the books, - chapter counts and verse counts for the web download Bibles, a language - reference, the testament reference and some alternative book names. This - class contains a singleton "cursor" so that only one connection to the + chapter counts and verse counts for the web download Bibles, a language + reference, the testament reference and some alternative book names. This + class contains a singleton "cursor" so that only one connection to the SQLite database is ever used. """ cursor = None @@ -582,7 +569,7 @@ class BiblesResourcesDB(QtCore.QObject, Manager): ``name`` The name or abbreviation of the book. - + ``lower`` True if the comparsion should be only lowercase """ @@ -592,7 +579,7 @@ class BiblesResourcesDB(QtCore.QObject, Manager): if lower: books = BiblesResourcesDB.run_sql(u'SELECT id, testament_id, name, ' u'abbreviation, chapters FROM book_reference WHERE ' - u'LOWER(name) = ? OR LOWER(abbreviation) = ?', + u'LOWER(name) = ? OR LOWER(abbreviation) = ?', (name.lower(), name.lower())) else: books = BiblesResourcesDB.run_sql(u'SELECT id, testament_id, name, ' @@ -621,7 +608,7 @@ class BiblesResourcesDB(QtCore.QObject, Manager): if not isinstance(id, int): id = int(id) books = BiblesResourcesDB.run_sql(u'SELECT id, testament_id, name, ' - u'abbreviation, chapters FROM book_reference WHERE id = ?', + u'abbreviation, chapters FROM book_reference WHERE id = ?', (id, )) if books: return { @@ -645,12 +632,12 @@ class BiblesResourcesDB(QtCore.QObject, Manager): ``chapter`` The chapter number. """ - log.debug(u'BiblesResourcesDB.get_chapter("%s", "%s")', book_id, + log.debug(u'BiblesResourcesDB.get_chapter("%s", "%s")', book_id, chapter) if not isinstance(chapter, int): chapter = int(chapter) chapters = BiblesResourcesDB.run_sql(u'SELECT id, book_reference_id, ' - u'chapter, verse_count FROM chapters WHERE book_reference_id = ?', + u'chapter, verse_count FROM chapters WHERE book_reference_id = ?', (book_id,)) if chapters: return { @@ -687,7 +674,7 @@ class BiblesResourcesDB(QtCore.QObject, Manager): ``chapter`` The number of the chapter. """ - log.debug(u'BiblesResourcesDB.get_verse_count("%s", "%s")', book_id, + log.debug(u'BiblesResourcesDB.get_verse_count("%s", "%s")', book_id, chapter) details = BiblesResourcesDB.get_chapter(book_id, chapter) if details: @@ -715,7 +702,7 @@ class BiblesResourcesDB(QtCore.QObject, Manager): } else: return None - + @staticmethod def get_webbibles(source): """ @@ -737,7 +724,7 @@ class BiblesResourcesDB(QtCore.QObject, Manager): u'id': bible[0], u'name': bible[1], u'abbreviation': bible[2], - u'language_id': bible[3], + u'language_id': bible[3], u'download_source_id': bible[4] } for bible in bibles @@ -752,11 +739,11 @@ class BiblesResourcesDB(QtCore.QObject, Manager): ``abbreviation`` The abbreviation of the webbible. - + ``source`` The source of the webbible. """ - log.debug(u'BiblesResourcesDB.get_webbibles("%s", "%s")', abbreviation, + log.debug(u'BiblesResourcesDB.get_webbibles("%s", "%s")', abbreviation, source) if not isinstance(abbreviation, unicode): abbreviation = unicode(abbreviation) @@ -765,14 +752,14 @@ class BiblesResourcesDB(QtCore.QObject, Manager): source = BiblesResourcesDB.get_download_source(source) bible = BiblesResourcesDB.run_sql(u'SELECT id, name, abbreviation, ' u'language_id, download_source_id FROM webbibles WHERE ' - u'download_source_id = ? AND abbreviation = ?', (source[u'id'], + u'download_source_id = ? AND abbreviation = ?', (source[u'id'], abbreviation)) if bible: return { u'id': bible[0][0], u'name': bible[0][1], u'abbreviation': bible[0][2], - u'language_id': bible[0][3], + u'language_id': bible[0][3], u'download_source_id': bible[0][4] } else: @@ -785,11 +772,11 @@ class BiblesResourcesDB(QtCore.QObject, Manager): ``name`` The name to search the id. - + ``language_id`` The language_id for which language should be searched """ - log.debug(u'BiblesResourcesDB.get_alternative_book_name("%s", "%s")', + log.debug(u'BiblesResourcesDB.get_alternative_book_name("%s", "%s")', name, language_id) if language_id: books = BiblesResourcesDB.run_sql(u'SELECT book_reference_id, name ' @@ -806,7 +793,7 @@ class BiblesResourcesDB(QtCore.QObject, Manager): @staticmethod def get_language(name): """ - Return a dict containing the language id, name and code by name or + Return a dict containing the language id, name and code by name or abbreviation. ``name`` @@ -865,7 +852,7 @@ class BiblesResourcesDB(QtCore.QObject, Manager): class AlternativeBookNamesDB(QtCore.QObject, Manager): """ - This class represents a database-bound alternative book names system. + This class represents a database-bound alternative book names system. """ cursor = None conn = None @@ -874,7 +861,7 @@ class AlternativeBookNamesDB(QtCore.QObject, Manager): def get_cursor(): """ Return the cursor object. Instantiate one if it doesn't exist yet. - If necessary loads up the database and creates the tables if the + If necessary loads up the database and creates the tables if the database doesn't exist. """ if AlternativeBookNamesDB.cursor is None: @@ -904,7 +891,7 @@ class AlternativeBookNamesDB(QtCore.QObject, Manager): ``parameters`` Any variable parameters to add to the query - + ``commit`` If a commit statement is necessary this should be True. """ @@ -921,11 +908,11 @@ class AlternativeBookNamesDB(QtCore.QObject, Manager): ``name`` The name to search the id. - + ``language_id`` The language_id for which language should be searched """ - log.debug(u'AlternativeBookNamesDB.get_book_reference_id("%s", "%s")', + log.debug(u'AlternativeBookNamesDB.get_book_reference_id("%s", "%s")', name, language_id) if language_id: books = AlternativeBookNamesDB.run_sql(u'SELECT book_reference_id, ' @@ -962,11 +949,11 @@ class AlternativeBookNamesDB(QtCore.QObject, Manager): class OldBibleDB(QtCore.QObject, Manager): """ - This class conects to the old bible databases to reimport them to the new + This class conects to the old bible databases to reimport them to the new database scheme. """ cursor = None - + def __init__(self, parent, **kwargs): """ The constructor loads up the database and creates and initialises the diff --git a/openlp/plugins/bibles/lib/manager.py b/openlp/plugins/bibles/lib/manager.py index 354332083..934aa2d90 100644 --- a/openlp/plugins/bibles/lib/manager.py +++ b/openlp/plugins/bibles/lib/manager.py @@ -151,9 +151,10 @@ class BibleManager(object): name = bible.get_name() # Remove corrupted files. if name is None: + bible.session.close() delete_file(os.path.join(self.path, filename)) continue - # Find old database versions + # Find old database versions. if bible.is_old_database(): self.old_bible_databases.append([filename, name]) bible.session.close() @@ -220,7 +221,7 @@ class BibleManager(object): return [ { u'name': book.name, - u'book_reference_id': book.book_reference_id, + u'book_reference_id': book.book_reference_id, u'chapters': self.db_cache[bible].get_chapter_count(book) } for book in self.db_cache[bible].get_books() @@ -229,10 +230,10 @@ class BibleManager(object): def get_chapter_count(self, bible, book): """ Returns the number of Chapters for a given book. - + ``bible`` Unicode. The Bible to get the list of books from. - + ``book`` The book object to get the chapter count for. """ @@ -295,7 +296,7 @@ class BibleManager(object): if db_book: book_id = db_book.book_reference_id log.debug(u'Book name corrected to "%s"', db_book.name) - new_reflist.append((book_id, item[1], item[2], + new_reflist.append((book_id, item[1], item[2], item[3])) else: log.debug(u'OpenLP failed to find book %s', item[0]) diff --git a/openlp/plugins/bibles/lib/mediaitem.py b/openlp/plugins/bibles/lib/mediaitem.py index 82ee4430c..91009424c 100644 --- a/openlp/plugins/bibles/lib/mediaitem.py +++ b/openlp/plugins/bibles/lib/mediaitem.py @@ -395,6 +395,7 @@ class BibleMediaItem(MediaManagerItem): log.debug(u'Reloading Bibles') self.plugin.manager.reload_bibles() self.loadBibles() + self.updateAutoCompleter() def initialiseAdvancedBible(self, bible): """ @@ -612,7 +613,7 @@ class BibleMediaItem(MediaManagerItem): if restore: old_text = unicode(combo.currentText()) combo.clear() - combo.addItems([unicode(i) for i in range(range_from, range_to + 1)]) + combo.addItems(map(unicode, range(range_from, range_to + 1))) if restore and combo.findText(old_text) != -1: combo.setCurrentIndex(combo.findText(old_text)) diff --git a/openlp/plugins/bibles/resources/bibles_resources.sqlite b/openlp/plugins/bibles/resources/bibles_resources.sqlite index 3235c9562..c0fa931d1 100644 Binary files a/openlp/plugins/bibles/resources/bibles_resources.sqlite and b/openlp/plugins/bibles/resources/bibles_resources.sqlite differ diff --git a/openlp/plugins/songs/lib/openlyricsexport.py b/openlp/plugins/songs/lib/openlyricsexport.py index 6ba1fabe7..ec5677ea4 100644 --- a/openlp/plugins/songs/lib/openlyricsexport.py +++ b/openlp/plugins/songs/lib/openlyricsexport.py @@ -35,6 +35,7 @@ import re from lxml import etree from openlp.core.lib import check_directory_exists, Receiver, translate +from openlp.core.utils import clean_filename from openlp.plugins.songs.lib import OpenLyrics log = logging.getLogger(__name__) @@ -72,8 +73,7 @@ class OpenLyricsExport(object): tree = etree.ElementTree(etree.fromstring(xml)) filename = u'%s (%s)' % (song.title, u', '.join([author.display_name for author in song.authors])) - filename = re.sub( - r'[/\\?*|<>\[\]":<>+%]+', u'_', filename).strip(u'_') + filename = clean_filename(filename) # Ensure the filename isn't too long for some filesystems filename = u'%s.xml' % filename[0:250 - len(self.save_path)] # Pass a file object, because lxml does not cope with some special diff --git a/openlp/plugins/songs/lib/songshowplusimport.py b/openlp/plugins/songs/lib/songshowplusimport.py index 7f7527c6d..c50df8752 100644 --- a/openlp/plugins/songs/lib/songshowplusimport.py +++ b/openlp/plugins/songs/lib/songshowplusimport.py @@ -102,7 +102,6 @@ class SongShowPlusImport(SongImport): if not isinstance(self.import_source, list): return self.import_wizard.progressBar.setMaximum(len(self.import_source)) - for file in self.import_source: self.sspVerseOrderList = [] otherCount = 0 @@ -111,7 +110,6 @@ class SongShowPlusImport(SongImport): self.import_wizard.incrementProgressBar( WizardStrings.ImportingType % file_name, 0) songData = open(file, 'rb') - while True: blockKey, = struct.unpack("I", songData.read(4)) # The file ends with 4 NUL's @@ -126,8 +124,9 @@ class SongShowPlusImport(SongImport): songData.read(2)) verseName = songData.read(verseNameLength) lengthDescriptorSize, = struct.unpack("B", songData.read(1)) + log.debug(lengthDescriptorSize) # Detect if/how long the length descriptor is - if lengthDescriptorSize == 12: + if lengthDescriptorSize == 12 or lengthDescriptorSize == 20: lengthDescriptor, = struct.unpack("I", songData.read(4)) elif lengthDescriptorSize == 2: lengthDescriptor = 1 @@ -135,6 +134,7 @@ class SongShowPlusImport(SongImport): lengthDescriptor = 0 else: lengthDescriptor, = struct.unpack("B", songData.read(1)) + log.debug(lengthDescriptorSize) data = songData.read(lengthDescriptor) if blockKey == TITLE: self.title = unicode(data, u'cp1252') diff --git a/openlp/plugins/songs/lib/xml.py b/openlp/plugins/songs/lib/xml.py index 3635fd7e7..193a823d5 100644 --- a/openlp/plugins/songs/lib/xml.py +++ b/openlp/plugins/songs/lib/xml.py @@ -246,8 +246,9 @@ class OpenLyrics(object): # Append the necessary meta data to the song. song_xml.set(u'xmlns', u'http://openlyrics.info/namespace/2009/song') song_xml.set(u'version', OpenLyrics.IMPLEMENTED_VERSION) - song_xml.set(u'createdIn', get_application_version()[u'version']) - song_xml.set(u'modifiedIn', get_application_version()[u'version']) + application_name = u'OpenLP ' + get_application_version()[u'version'] + song_xml.set(u'createdIn', application_name) + song_xml.set(u'modifiedIn', application_name) song_xml.set(u'modifiedDate', datetime.datetime.now().strftime(u'%Y-%m-%dT%H:%M:%S')) properties = etree.SubElement(song_xml, u'properties') diff --git a/openlp/plugins/songusage/forms/songusagedeletedialog.py b/openlp/plugins/songusage/forms/songusagedeletedialog.py index e66260975..28f18d578 100644 --- a/openlp/plugins/songusage/forms/songusagedeletedialog.py +++ b/openlp/plugins/songusage/forms/songusagedeletedialog.py @@ -34,26 +34,33 @@ class Ui_SongUsageDeleteDialog(object): def setupUi(self, songUsageDeleteDialog): songUsageDeleteDialog.setObjectName(u'songUsageDeleteDialog') songUsageDeleteDialog.resize(291, 243) - self.layoutWidget = QtGui.QWidget(songUsageDeleteDialog) - self.layoutWidget.setGeometry(QtCore.QRect(20, 10, 247, 181)) - self.layoutWidget.setObjectName(u'layoutWidget') - self.verticalLayout = QtGui.QVBoxLayout(self.layoutWidget) + self.verticalLayout = QtGui.QVBoxLayout(songUsageDeleteDialog) + self.verticalLayout.setSpacing(8) + self.verticalLayout.setContentsMargins(8, 8, 8, 8) self.verticalLayout.setObjectName(u'verticalLayout') - self.deleteCalendar = QtGui.QCalendarWidget(self.layoutWidget) + self.deleteLabel = QtGui.QLabel(songUsageDeleteDialog) + self.deleteLabel.setObjectName(u'deleteLabel') + self.verticalLayout.addWidget(self.deleteLabel) + self.deleteCalendar = QtGui.QCalendarWidget(songUsageDeleteDialog) self.deleteCalendar.setFirstDayOfWeek(QtCore.Qt.Sunday) self.deleteCalendar.setGridVisible(True) self.deleteCalendar.setVerticalHeaderFormat( QtGui.QCalendarWidget.NoVerticalHeader) self.deleteCalendar.setObjectName(u'deleteCalendar') self.verticalLayout.addWidget(self.deleteCalendar) - self.buttonBox = create_accept_reject_button_box( - songUsageDeleteDialog, True) - self.buttonBox.setGeometry(QtCore.QRect(30, 210, 245, 25)) + self.buttonBox = QtGui.QDialogButtonBox(songUsageDeleteDialog) + self.buttonBox.setStandardButtons( + QtGui.QDialogButtonBox.Ok | QtGui.QDialogButtonBox.Cancel) self.buttonBox.setObjectName(u'buttonBox') + self.verticalLayout.addWidget(self.buttonBox) self.retranslateUi(songUsageDeleteDialog) - QtCore.QMetaObject.connectSlotsByName(songUsageDeleteDialog) def retranslateUi(self, songUsageDeleteDialog): songUsageDeleteDialog.setWindowTitle( translate('SongUsagePlugin.SongUsageDeleteForm', - 'Delete Song Usage Data')) + 'Delete Song Usage Data')) + self.deleteLabel.setText( + translate('SongUsagePlugin.SongUsageDeleteForm', + 'Select the date up to which the song usage data should be ' + 'deleted. All data recorded before this date will be ' + 'permanently deleted.')) diff --git a/openlp/plugins/songusage/forms/songusagedeleteform.py b/openlp/plugins/songusage/forms/songusagedeleteform.py index 935fc7c71..bd73ea2f0 100644 --- a/openlp/plugins/songusage/forms/songusagedeleteform.py +++ b/openlp/plugins/songusage/forms/songusagedeleteform.py @@ -25,7 +25,7 @@ # Temple Place, Suite 330, Boston, MA 02111-1307 USA # ############################################################################### -from PyQt4 import QtGui +from PyQt4 import QtCore, QtGui from openlp.core.lib import translate, Receiver from openlp.plugins.songusage.lib.db import SongUsageItem @@ -42,23 +42,32 @@ class SongUsageDeleteForm(QtGui.QDialog, Ui_SongUsageDeleteDialog): self.manager = manager QtGui.QDialog.__init__(self, parent) self.setupUi(self) + QtCore.QObject.connect( + self.buttonBox, QtCore.SIGNAL(u'clicked(QAbstractButton*)'), + self.onButtonBoxClicked) - def accept(self): - ret = QtGui.QMessageBox.question(self, - translate('SongUsagePlugin.SongUsageDeleteForm', - 'Delete Selected Song Usage Events?'), - translate('SongUsagePlugin.SongUsageDeleteForm', - 'Are you sure you want to delete selected Song Usage data?'), - QtGui.QMessageBox.StandardButtons(QtGui.QMessageBox.Ok | - QtGui.QMessageBox.Cancel), - QtGui.QMessageBox.Cancel) - if ret == QtGui.QMessageBox.Ok: - deleteDate = self.deleteCalendar.selectedDate().toPyDate() - self.manager.delete_all_objects(SongUsageItem, - SongUsageItem.usagedate <= deleteDate) - Receiver.send_message(u'openlp_information_message', { - u'title': translate('SongUsagePlugin.SongUsageDeleteForm', - 'Deletion Successful'), - u'message': translate('SongUsagePlugin.SongUsageDeleteForm', - 'All requested data has been deleted successfully. ')}) - self.close() + def onButtonBoxClicked(self, button): + if self.buttonBox.standardButton(button) == QtGui.QDialogButtonBox.Ok: + ret = QtGui.QMessageBox.question(self, + translate('SongUsagePlugin.SongUsageDeleteForm', + 'Delete Selected Song Usage Events?'), + translate('SongUsagePlugin.SongUsageDeleteForm', + 'Are you sure you want to delete selected Song Usage ' + 'data?'), + QtGui.QMessageBox.StandardButtons(QtGui.QMessageBox.Yes | + QtGui.QMessageBox.No), + QtGui.QMessageBox.No) + if ret == QtGui.QMessageBox.Yes: + deleteDate = self.deleteCalendar.selectedDate().toPyDate() + self.manager.delete_all_objects(SongUsageItem, + SongUsageItem.usagedate <= deleteDate) + Receiver.send_message(u'openlp_information_message', { + u'title': translate('SongUsagePlugin.SongUsageDeleteForm', + 'Deletion Successful'), + u'message': translate( + 'SongUsagePlugin.SongUsageDeleteForm', + 'All requested data has been deleted successfully. ')} + ) + self.accept() + else: + self.reject() diff --git a/openlp/plugins/songusage/forms/songusagedetaildialog.py b/openlp/plugins/songusage/forms/songusagedetaildialog.py index 08e0aaf7f..16021c4ac 100644 --- a/openlp/plugins/songusage/forms/songusagedetaildialog.py +++ b/openlp/plugins/songusage/forms/songusagedetaildialog.py @@ -35,12 +35,14 @@ class Ui_SongUsageDetailDialog(object): songUsageDetailDialog.setObjectName(u'songUsageDetailDialog') songUsageDetailDialog.resize(609, 413) self.verticalLayout = QtGui.QVBoxLayout(songUsageDetailDialog) + self.verticalLayout.setSpacing(8) + self.verticalLayout.setContentsMargins(8, 8, 8, 8) self.verticalLayout.setObjectName(u'verticalLayout') self.dateRangeGroupBox = QtGui.QGroupBox(songUsageDetailDialog) self.dateRangeGroupBox.setObjectName(u'dateRangeGroupBox') - self.verticalLayout2 = QtGui.QVBoxLayout(self.dateRangeGroupBox) - self.verticalLayout2.setObjectName(u'verticalLayout2') - self.dateHorizontalLayout = QtGui.QHBoxLayout() + self.dateHorizontalLayout = QtGui.QHBoxLayout(self.dateRangeGroupBox) + self.dateHorizontalLayout.setSpacing(8) + self.dateHorizontalLayout.setContentsMargins(8, 8, 8, 8) self.dateHorizontalLayout.setObjectName(u'dateHorizontalLayout') self.fromDate = QtGui.QCalendarWidget(self.dateRangeGroupBox) self.fromDate.setObjectName(u'fromDate') @@ -53,26 +55,25 @@ class Ui_SongUsageDetailDialog(object): self.toDate = QtGui.QCalendarWidget(self.dateRangeGroupBox) self.toDate.setObjectName(u'toDate') self.dateHorizontalLayout.addWidget(self.toDate) - self.verticalLayout2.addLayout(self.dateHorizontalLayout) + self.verticalLayout.addWidget(self.dateRangeGroupBox) self.fileGroupBox = QtGui.QGroupBox(self.dateRangeGroupBox) self.fileGroupBox.setObjectName(u'fileGroupBox') - self.verticalLayout4 = QtGui.QVBoxLayout(self.fileGroupBox) - self.verticalLayout4.setObjectName(u'verticalLayout4') - self.horizontalLayout = QtGui.QHBoxLayout() - self.horizontalLayout.setObjectName(u'horizontalLayout') + self.fileHorizontalLayout = QtGui.QHBoxLayout(self.fileGroupBox) + self.fileHorizontalLayout.setSpacing(8) + self.fileHorizontalLayout.setContentsMargins(8, 8, 8, 8) + self.fileHorizontalLayout.setObjectName(u'fileHorizontalLayout') self.fileLineEdit = QtGui.QLineEdit(self.fileGroupBox) self.fileLineEdit.setObjectName(u'fileLineEdit') self.fileLineEdit.setReadOnly(True) - self.fileLineEdit.setEnabled(False) - self.horizontalLayout.addWidget(self.fileLineEdit) + self.fileHorizontalLayout.addWidget(self.fileLineEdit) self.saveFilePushButton = QtGui.QPushButton(self.fileGroupBox) + self.saveFilePushButton.setMaximumWidth( + self.saveFilePushButton.size().height()) self.saveFilePushButton.setIcon( build_icon(u':/general/general_open.png')) self.saveFilePushButton.setObjectName(u'saveFilePushButton') - self.horizontalLayout.addWidget(self.saveFilePushButton) - self.verticalLayout4.addLayout(self.horizontalLayout) - self.verticalLayout2.addWidget(self.fileGroupBox) - self.verticalLayout.addWidget(self.dateRangeGroupBox) + self.fileHorizontalLayout.addWidget(self.saveFilePushButton) + self.verticalLayout.addWidget(self.fileGroupBox) self.buttonBox = create_accept_reject_button_box( songUsageDetailDialog, True) self.verticalLayout.addWidget(self.buttonBox) diff --git a/openlp/plugins/songusage/songusageplugin.py b/openlp/plugins/songusage/songusageplugin.py index 4ca23aeb0..d63467792 100644 --- a/openlp/plugins/songusage/songusageplugin.py +++ b/openlp/plugins/songusage/songusageplugin.py @@ -96,6 +96,7 @@ class SongUsagePlugin(Plugin): self.songUsageActiveButton = QtGui.QToolButton( self.formparent.statusBar) self.songUsageActiveButton.setCheckable(True) + self.songUsageActiveButton.setAutoRaise(True) self.songUsageActiveButton.setStatusTip(translate('SongUsagePlugin', 'Toggle the tracking of song usage.')) self.songUsageActiveButton.setObjectName(u'songUsageActiveButton') diff --git a/resources/i18n/af.ts b/resources/i18n/af.ts index d7233db70..1b7cf22c5 100644 --- a/resources/i18n/af.ts +++ b/resources/i18n/af.ts @@ -1,29 +1,29 @@ - + AlertPlugin.AlertForm You have not entered a parameter to be replaced. Do you want to continue anyway? - Daar is nie 'n parameter gegee om te vervang nie. + Daar is nie 'n parameter gegee om te vervang nie. Gaan steeds voort? No Parameter Found - Geen Parameter Gevind nie + Geen Parameter Gevind nie No Placeholder Found - Geen Plekhouer Gevind nie + Geen Plekhouer Gevind nie The alert text does not contain '<>'. Do you want to continue anyway? - Die attent-teks bevat nie '<>' nie. + Die attent-teks bevat nie '<>' nie. Gaan steeds voort? @@ -42,7 +42,7 @@ Gaan steeds voort? <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen - <strong>Waarskuwing Mini-program</strong><br/>Die waarskuwing mini-program beheer die vertoning van moederskamer inligting op die vertoon skerm + <strong>Waarskuwing Mini-program</strong><br/>Die waarskuwing mini-program beheer die vertoning van moederskamer inligting op die vertoon skerm @@ -62,6 +62,11 @@ Gaan steeds voort? container title Waarskuwings + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. + + AlertsPlugin.AlertForm @@ -110,6 +115,30 @@ Gaan steeds voort? &Parameter: &Parameter: + + + No Parameter Found + Geen Parameter Gevind nie + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + Daar is nie 'n parameter gegee om te vervang nie. +Gaan steeds voort? + + + + No Placeholder Found + Geen Plekhouer Gevind nie + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + Die attent-teks bevat nie '<>' nie. +Gaan steeds voort? + AlertsPlugin.AlertsManager @@ -157,18 +186,18 @@ Gaan steeds voort? Importing books... %s - Boek invoer... %s + Boek invoer... %s Importing verses from %s... Importing verses from <book name>... - Vers invoer vanaf %s... + Vers invoer vanaf %s... Importing verses... done. - Vers invoer... voltooi. + Vers invoer... voltooi. @@ -176,12 +205,17 @@ Gaan steeds voort? &Upgrade older Bibles - &Opgradeer ouer Bybels + &Opgradeer ouer Bybels + + + + Upgrade the Bible databases to the latest format + Opgradeer die Bybel databasisse na die nuutste formaat Upgrade the Bible databases to the latest format. - Opgradeer die Bybel databasisse na die nuutste formaat. + Opgradeer die Bybel databasisse na die nuutste formaat. @@ -189,22 +223,22 @@ Gaan steeds voort? Download Error - Aflaai Fout + Aflaai Fout Parse Error - Ontleed Fout + Ontleed 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 vers seleksie af te laai. Gaan die Internet konneksie na en as hierdie probleem voortduur, oorweeg dit asseblief om 'n gogga te rapporteer. 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 vers seleksie te onttrek. As hierdie probleem voortduur, oorweeg dit asseblief om 'n gogga te rapporteer. @@ -212,22 +246,27 @@ Gaan steeds voort? Bible not fully loaded. - Die Bybel is nie ten volle gelaai nie. + Die Bybel is nie ten volle gelaai nie. 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 kombineer word nie. Wis die resultate uit en begin 'n nuwe soektog? + Enkel en dubbel Bybel vers soek resultate kan nie kombineer word nie. Wis die resultate uit en begin 'n nuwe soektog? Information - Informasie + Informasie + + + + The second Bibles 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 Bybels 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. 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. + 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. @@ -256,12 +295,12 @@ Gaan steeds voort? 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. @@ -305,38 +344,48 @@ Gaan steeds voort? <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. + BiblesPlugin.BibleManager - + Scripture Reference Error Skrif Verwysing Fout - + Web Bible cannot be used Web Bybel kan nie gebruik word nie - + Text Search is not available with Web Bibles. Teks Soektog is nie beskikbaar met Web Bybels nie. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Daar is nie 'n soek sleutelwoord ingevoer nie. Vir 'n soektog wat alle sleutelwoorde bevat, skei die woorde deur middel van 'n spasie. Vir 'n soektog wat een van die sleutelwoorde bevat, skei die woorde deur middel van 'n komma. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Huidig is daar geen Bybels geïnstalleer nie. Gebruik asseblief die Invoer Gids om een of meer Bybels te installeer. - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns: Book Chapter @@ -355,7 +404,7 @@ Boek Hoofstuk:Vers-Vers, Hoofstuk:Vers-Vers Boek Hoofstuk:Vers-Hoofstuk:Vers - + No Bibles Available Geeb Bybels Beskikbaar nie @@ -461,189 +510,228 @@ Veranderinge affekteer nie verse wat reeds in die diens is nie. Kies asseblief 'n boek. + + BiblesPlugin.CSVBible + + + Importing books... %s + Boek invoer... %s + + + + Importing verses from %s... + Importing verses from <book name>... + Vers invoer vanaf %s... + + + + Importing verses... done. + Vers invoer... voltooi. + + BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registreer Bybel en laai boeke... - + Registering Language... Taal registrasie... - + Importing %s... Importing <book name>... Voer %s in... + + + Download Error + Aflaai Fout + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + Daar was 'n probleem om die vers seleksie af te laai. Gaan die Internet konneksie na en as hierdie probleem voortduur, oorweeg dit asseblief om 'n gogga te rapporteer. + + + + Parse Error + Ontleed Fout + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + Daar was 'n probleem om die vers seleksie te onttrek. As hierdie probleem voortduur, oorweeg dit asseblief om 'n gogga te rapporteer. + 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. 'n Weergawe naam moet vir die Bybel gespesifiseer word. - + Bible Exists Bybel Bestaan reeds - + Your Bible import failed. Die Bybel invoer het misluk. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Die Bybel benodig 'n kopiereg. Bybels in die Publieke Domein moet daarvolgens gemerk word. - + 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 eers die bestaande een uit. - + Permissions: Toestemming: - + CSV File KGW Lêer - + Bibleserver Bybelbediener - + Bible file: Bybel lêer: - + Books file: Boeke lêer: - + Verses file: Verse lêer: - + openlp.org 1.x Bible Files openlp.org 1.x Bybel Lêers - + Registering Bible... Bybel word geregistreer... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. Geregistreerde Bybel. Neem asseblief kennis dat verse op aan- @@ -671,7 +759,7 @@ vraag afgelaai word en dus is 'n internet konneksie nodig. BiblesPlugin.LanguageForm - + You need to choose a language. Kies asseblief 'n taal. @@ -679,60 +767,80 @@ vraag afgelaai word en dus is 'n internet konneksie nodig. 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 kombineer 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. + BiblesPlugin.Opensong @@ -760,148 +868,181 @@ vraag afgelaai word en dus is 'n internet konneksie nodig. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory Kies 'n Rugsteun Ligging - + 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 - + Version name: - Weergawe naam: + Weergawe naam: - + This Bible still exists. Please change the name or uncheck it. - Hierdie Bybel bestaan steeds. Kies asseblief 'n ander naam of werwyder die seleksie. + Hierdie Bybel bestaan steeds. Kies asseblief 'n ander naam of werwyder die seleksie. - + Upgrading Opgradeer - + Please wait while your Bibles are upgraded. Wag asseblief terwyl die Bybels opgradeer word. You need to specify a Backup Directory for your Bibles. - 'n Rugsteun Ligging moet vir die Bybels gespesifiseer word. + 'n Rugsteun Ligging moet vir die Bybels gespesifiseer word. - + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. If you have write permissions and this error still occurs, please report a bug. + Die rugsteun was nie suksesvol nie. +Om die Bybels op te gradeer word skryf-toestemming benodig vir die gegewe lêer. As skryf-toestemming korrek is en hierdie fout duur voort, rapporteer asseblief 'n gogga. + + + You need to specify a version name for your Bible. - 'n Weergawe naam moet vir die Bybel gespesifiseer word. + 'n Weergawe naam moet vir die Bybel gespesifiseer word. - + Bible Exists - Bybel Bestaan reeds + Bybel Bestaan reeds - + This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck. - Hierdie Bybel bestaan reeds. Opgradeer asseblief 'n ander Bybel, wis die bestaande uit of verwyder merk. + Hierdie Bybel bestaan reeds. Opgradeer asseblief 'n ander Bybel, wis die bestaande uit of verwyder merk. + + + + Starting upgrading Bible(s)... + Begin Bybel(s) opgradering... There are no Bibles available to upgrade. - Daar is geen Bybels beskikbaar om op te gradeer nie. + Daar is geen Bybels beskikbaar om op te gradeer nie. - + 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. If you have a working Internet connection and this error still occurs, please report a bug. + Om die Web Bybels op te gradeer is 'n Internet verbinding nodig. As 'n Internet konneksie beskikbaar is en hierdie fout duur voort, rapporteer asseblief 'n gogga. + + + Upgrading Bible %s of %s: "%s" Upgrading %s ... Opgradeer Bybel %s van %s: "%s" Opgradering %s... - + + Upgrading Bible %s of %s: "%s" +Done + Opgradeer Bybel %s van %s: "%s" +Klaar + + + , %s failed , %s het gevaal - + + Upgrading Bible(s): %s successful%s +Please note, that verses from Web Bibles will be downloaded +on demand and so an Internet connection is required. + Opgradeer Bybel(s): %s suksesvol %s +Neem kennis, dat verse van Web Bybels op aanvraag afgelaai +word en dus is 'n Internet verbinding nodig. + + + Upgrading Bible(s): %s successful%s Opgradeer Bybel(s): %s suksesvol %s - + Upgrade failed. Opgradeer het gevaal. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. Die rugsteun was nie suksesvol nie. @@ -910,31 +1051,51 @@ Om die Bybels op te gradeer word skryf-toestemming benodig vir die gegewe lêer. Starting Bible upgrade... - Bybel opgradering begin... + Bybel opgradering begin... - + 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" Complete Opgradeer Bybel %s van %s: "%s" Volledig - + Upgrading Bible(s): %s successful%s Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. Opgradeer Bybel(s): %s suksesvol %s Neem kennis dat verse van Web Bybels op aanvraag afgelaai word en dus is 'n Internet verbinding nodig. + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + CustomPlugin + + + <strong>Custom Plugin</strong><br />The custom 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 Mini-program</strong><br/>Die aanpas 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. + <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. @@ -1039,6 +1200,11 @@ word en dus is 'n Internet verbinding nodig. Edit all the slides at once. Redigeer al die skyfies tegelyk. + + + Split Slide + Verdeel Skyfie + Split a slide into two by inserting a slide splitter. @@ -1055,12 +1221,12 @@ word en dus is 'n Internet verbinding nodig. &Krediete: - + You need to type in a title. 'n Titel word benodig. - + You need to add at least one slide Ten minste een skyfie moet bygevoeg word @@ -1069,18 +1235,95 @@ word en dus is 'n Internet verbinding nodig. Ed&it All Red&igeer Alles + + + 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. + Insert Slide Voeg 'n Skyfie in + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slides(s)? + + + + + + + + CustomsPlugin + + + Custom + name singular + Aanpassing + + + + Customs + name plural + Aanpassings + + + + Custom + container title + Aanpasing + + + + Load a new Custom. + Laai 'n nuwe Aanpassing. + + + + Import a Custom. + Voer 'n Aanpassing in. + + + + Add a new Custom. + Voeg 'n nuwe Aanpassing by. + + + + Edit the selected Custom. + Redigeer die geselekteerde Aanpassing. + + + + Delete the selected Custom. + Wis die geselekteerde Aanpassing uit. + + + + Preview the selected Custom. + Skou die geselekteerde Aanpassing. + + + + Send the selected Custom live. + Stuur die geselekteerde Aanpassing regstreeks. + + + + Add the selected Custom to the service. + Voeg die geselekteerde Aanpassing by die diens. + + GeneralTab General - Algemeen + Algemeen @@ -1108,6 +1351,41 @@ word en dus is 'n Internet verbinding nodig. container title Beelde + + + Load a new Image. + Laai 'n nuwe Beeld. + + + + Add a new Image. + Voeg 'n nuwe Beelb by. + + + + Edit the selected Image. + Redigeer die geselekteerde Beeld. + + + + Delete the selected Image. + Wis die geselekteerde Beeld uit. + + + + Preview the selected Image. + Skou die geselekteerde Beeld. + + + + Send the selected Image live. + Struur die geselekteerde Beeld regstreeks. + + + + Add the selected Image to the service. + Voeg die geselekteerde Beeld by die diens. + Load a new image. @@ -1155,42 +1433,47 @@ word en dus is 'n Internet verbinding nodig. ImagePlugin.MediaItem - + Select Image(s) Selekteer beeld(e) - + You must select an image to delete. 'n Beeld om uit te wis moet geselekteer word. - + 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. + + MediaPlugin @@ -1217,6 +1500,41 @@ Voeg steeds die ander beelde by? container title Media + + + Load a new Media. + Laai nuwe Media. + + + + Add a new Media. + Voeg nuwe Media by. + + + + Edit the selected Media. + Redigeer ide geselekteerde Media. + + + + Delete the selected Media. + Wis die geselekteerde 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. + Load new media. @@ -1256,40 +1574,45 @@ Voeg steeds die ander beelde by? 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. - + Missing Media File Vermisde Media Lêer - + The file %s no longer exists. Die lêer %s bestaan nie meer nie. - + 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. - + Videos (%s);;Audio (%s);;%s (*) Videos (%s);;Audio (%s);;%s (*) + + + There was no display item to amend. + + MediaPlugin.MediaTab @@ -1307,7 +1630,7 @@ Voeg steeds die ander beelde by? OpenLP - + Image Files Beeld Lêers @@ -1598,82 +1921,87 @@ Gedeeltelike kopiereg © 2004-2011 %s OpenLP.DisplayTagDialog - + Edit Selection - Redigeer Seleksie + Redigeer Seleksie - + Description - Beskrywing + Beskrywing + + + + Tag + Etiket + + + + Start tag + Begin etiket - Tag - Etiket - - - - Start tag - Begin etiket - - - End tag - Eind-etiket + Eind-etiket - + Tag Id - Haak Id + Haak Id - + Start HTML - Begin HTML + Begin HTML - + End HTML - Eindig HTML + Eindig HTML - + Save - Stoor + Stoor OpenLP.DisplayTagTab - + Update Error - Opdateer Fout + Opdateer Fout Tag "n" already defined. - Etiket "n" alreeds gedefinieër. + Etiket "n" alreeds gedefinieër. - + Tag %s already defined. - Etiket %s alreeds gedefinieër. + Etiket %s alreeds gedefinieër. New Tag - Nuwe Etiket + Nuwe Etiket + + + + <Html_here> + <Html_hier> </and here> - </en hier> + </en hier> <HTML here> - <HTML hier> + <HTML hier> @@ -1681,82 +2009,82 @@ Gedeeltelike kopiereg © 2004-2011 %s Red - Rooi + Rooi Black - Swart + Swart Blue - Blou + Blou Yellow - Geel + Geel Green - Groen + Groen Pink - Pienk + Pienk Orange - Oranje + Oranje Purple - Pers + Pers White - Wit + Wit Superscript - Bo-skrif + Bo-skrif Subscript - Onder-skrif + Onder-skrif Paragraph - Paragraaf + Paragraaf Bold - Vetdruk + Vetdruk Italics - Italiaans + Italiaans Underline - Onderlyn + Onderlyn Break - Breek + Breek @@ -1926,12 +2254,12 @@ Version: %s Aflaai %s... - + Download complete. Click the finish button to start OpenLP. Aflaai voltooi. Klik op die klaar knoppie om OpenLP te begin. - + Enabling selected plugins... Skakel geselekteerde miniprogramme aan... @@ -1963,7 +2291,7 @@ Version: %s Custom Text - Verpersoonlike Teks + Verpersoonlike Teks @@ -2062,6 +2390,16 @@ Om die Eerste-keer gids heeltemal te kanselleer, druk die vollledig-knoppie hier Set up default settings to be used by OpenLP. Stel verstek instellings wat deur OpenLP gebruik moet word. + + + Setting Up And Importing + Opstel en Invoer + + + + Please wait while OpenLP is set up and your data is imported. + Wag asseblief terwyl OpenLP opgestel word en die data ingevoer word. + Default output display: @@ -2083,25 +2421,209 @@ Om die Eerste-keer gids heeltemal te kanselleer, druk die vollledig-knoppie hier Hierdie gids sal bystand verleen in die proses om OpenLP op te stel vir eerste gebruik. Klik die volgende knoppie hieronder om die seleksie proses te 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 - + Click the finish button to start OpenLP. Kliek die voltooi knoppie om OpenLP te begin. + + + Custom Slides + Aangepasde Skyfies + + + + Download complete. Click the finish button to return to OpenLP. + + + + + Click the finish button to return to OpenLP. + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Edit Selection + Redigeer Seleksie + + + + Save + Stoor + + + + Description + Beskrywing + + + + Tag + Etiket + + + + Start tag + Begin etiket + + + + End tag + Eind-etiket + + + + Tag Id + Haak Id + + + + Start HTML + Begin HTML + + + + End HTML + Eindig HTML + + + + OpenLP.FormattingTagForm + + + Update Error + Opdateer Fout + + + + Tag "n" already defined. + Etiket "n" alreeds gedefinieër. + + + + New Tag + Nuwe Etiket + + + + <HTML here> + <HTML hier> + + + + </and here> + </en hier> + + + + Tag %s already defined. + Etiket %s alreeds gedefinieër. + + + + OpenLP.FormattingTags + + + Red + Rooi + + + + Black + Swart + + + + Blue + Blou + + + + Yellow + Geel + + + + Green + Groen + + + + Pink + Pienk + + + + Orange + Oranje + + + + Purple + Pers + + + + White + Wit + + + + Superscript + Bo-skrif + + + + Subscript + Onder-skrif + + + + Paragraph + Paragraaf + + + + Bold + Vetdruk + + + + Italics + Italiaans + + + + Underline + Onderlyn + + + + Break + Breek + OpenLP.GeneralTab @@ -2247,7 +2769,7 @@ Om die Eerste-keer gids heeltemal te kanselleer, druk die vollledig-knoppie hier OpenLP.MainDisplay - + OpenLP Display OpenLP Vertooning @@ -2255,287 +2777,287 @@ Om die Eerste-keer gids heeltemal te kanselleer, druk die vollledig-knoppie hier 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 - + Media Manager Media Bestuurder - + Service Manager Diens Bestuurder - + Theme Manager Tema Bestuurder - + &New &Nuwe - + &Open Maak &Oop - + Open an existing service. Maak 'n bestaande diens oop. - + &Save &Stoor - + Save the current service to disk. Stoor die huidige diens na skyf. - + Save &As... Stoor &As... - + 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. - + &Plugin List Mini-&program Lys - + 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/. @@ -2544,22 +3066,22 @@ You can download the latest version from http://openlp.org/. 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 @@ -2570,55 +3092,113 @@ Die nuutste weergawe kan afgelaai word vanaf http://openlp.org/. Afrikaans - + Configure &Shortcuts... Konfigureer Kor&tpaaie... - + Close OpenLP Mook OpenLP toe - + Are you sure you want to close OpenLP? Maak OpenLP sekerlik toe? - + + Print the current Service Order. + Druk die huidige Diens Bestelling. + + + 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. - + &Configure Display Tags - &Konfigureer Vertoon Haakies + &Konfigureer Vertoon Haakies - + &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 + + + + + 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. + + + + + &Recent Files + + + + + &Configure Formatting Tags... + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + OpenLP.MediaManagerItem @@ -2628,57 +3208,85 @@ Die nuutste weergawe kan afgelaai word vanaf http://openlp.org/. Geen item 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. - + + Duplicate file name %s. +Filename already exists in list + Duplikaat lêernaam %s. +Lêernaam bestaan reeds in die lys + + + You must select one or more items to add. Kies een of meer items om by te voeg. - + No Search Results Geen Soek Resultate - + Duplicate filename %s. This filename is already in the list - Duplikaat lêer naam %s. + Duplikaat lêer naam %s. Die lêer naam is reeds in die lys + + + &Clone + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + Duplicate files found on import and ignored. + + OpenLP.PluginForm @@ -2726,12 +3334,12 @@ Die lêer naam is reeds in die lys OpenLP.PrintServiceDialog - + Fit Page Pas Blaai - + Fit Width Pas Wydte @@ -2739,70 +3347,90 @@ Die lêer naam is reeds in die lys OpenLP.PrintServiceForm - + Options Opsies Close - Close + Close - + 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 - + + Service Order Sheet + Diens Bestelling Blad + + + Add page break before each text item Voeg 'n bladsy-breking voor elke teks item - + Service Sheet Diens Blad + + + Print + + + + + Title: + + + + + Custom Footer Text: + + OpenLP.ScreenList @@ -2817,10 +3445,23 @@ Die lêer naam is reeds in die lys primêr + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + OpenLP.ServiceItemEditForm - + Reorder Service Item Hergroepeer Diens Item @@ -2828,257 +3469,277 @@ Die lêer naam is reeds in die lys OpenLP.ServiceManager - + Move to &top Skuif boon&toe - + Move item to the top of the service. Skuif item tot heel bo in die diens. - + Move &up Sk&uif op - + Move item up one position in the service. Skuif item een posisie boontoe in die diens. - + Move &down Skuif &af - + Move item down one position in the service. Skuif item een posisie af in die diens. - + Move to &bottom Skuif &tot heel onder - + Move item to the end of the service. Skuif item tot aan die einde van die diens. - + &Delete From Service Wis uit vanaf die &Diens - + Delete the selected item from the service. 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. The content encoding is not UTF-8. Lêer is nie 'n geldige diens nie. Die inhoud enkodering is nie UTF-8 nie. - + 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 - + &Expand all Br&ei alles uit - + Expand all the service items. Brei al die diens items uit. - + &Collapse all Sto&rt alles ineen - + Collapse all the service items. Stort al die diens items ineen. - + Open File Maak Lêer oop - + OpenLP Service Files (*.osz) OpenLP Diens Lêers (*.osz) - + Moves the selection down the window. Skuif die geselekteerde afwaarts in die venster. - + Move up Skuif op - + Moves the selection up the window. Skuif die geselekteerde opwaarts in die venster. - + Go Live Gaan Regstreeks - + Send the selected item to Live. Stuur die geselekteerde item Regstreeks. - + Modified Service Redigeer Diens - + &Start Time &Begin Tyd - + Show &Preview Wys &Voorskou - + Show &Live Vertoo&n Regstreeks - + The current service has been modified. Would you like to save this service? Die huidige diens was verander. Stoor hierdie 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 - + Custom Service Notes: Aangepasde Diens Notas: - + Notes: Notas: - + Playing time: Speel tyd: - + Untitled Service Ongetitelde Diens - + + This file is either corrupt or not an OpenLP 2.0 service file. + Die lêer is óf korrup óf nie 'n OpenLP 2.0 diens lêer nie. + + + Load an existing service. Laai 'n bestaande diens. - + Save this service. Stoor die diens. - + Select a theme for the service. Kies 'n tema vir die diens. - + This file is either corrupt or it is not an OpenLP 2.0 service file. Die lêer is óf korrup óf is nie 'n OpenLP 2.0 diens lêer nie. + + + Slide theme + + + + + Notes + + + + + Service File Missing + + OpenLP.ServiceNoteForm - + Service Item Notes Diens Item Notas @@ -3096,7 +3757,7 @@ Die inhoud enkodering is nie UTF-8 nie. Customize Shortcuts - Verpersoonlik Kortpaaie + Verpersoonlik Kortpaaie @@ -3109,12 +3770,12 @@ Die inhoud enkodering is nie UTF-8 nie. 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. @@ -3149,20 +3810,25 @@ Die inhoud enkodering is nie UTF-8 nie. Stel die verstek kortpad terug vir hierdie aksie. - + Restore Default Shortcuts Herstel Verstek Kortpaaie - + Do you want to restore all shortcuts to their defaults? Herstel alle kortpaaie na hul verstek waarde? + + + Configure Shortcuts + + OpenLP.SlideController - + Hide Verskuil @@ -3172,27 +3838,27 @@ Die inhoud enkodering is nie UTF-8 nie. Gaan Na - + Blank Screen Blanko Skerm - + Blank to Theme Blanko na Tema - + Show Desktop Wys Werkskerm - + Previous Slide Vorige Skyfie - + Next Slide Volgende Skyfie @@ -3212,29 +3878,29 @@ Die inhoud enkodering is nie UTF-8 nie. Ontsnap Item - + Move to previous. Skuif terug. - + Move to next. Skuif volgende. - + Play Slides Speel Skyfies Play Slides in Loop - Speel Skyfies in Herhaling + Speel Skyfies in Herhaling Play Slides to End - Speel Skyfies tot Einde + Speel Skyfies tot Einde @@ -3265,17 +3931,17 @@ Die inhoud enkodering is nie UTF-8 nie. OpenLP.SpellTextEdit - + Spelling Suggestions Spelling Voorstelle - + Formatting Tags Uitleg Hakkies - + Language: Taal: @@ -3322,6 +3988,16 @@ Die inhoud enkodering is nie UTF-8 nie. Time Validation Error Tyd Validasie Fout + + + End time is set after the end of the media item + Eind tyd is gestel na die einde van die media item + + + + Start time is after the End Time of the media item + Begin tyd is na die Eind Tyd van die Media item + Finish time is set after the end of the media item @@ -3369,192 +4045,198 @@ Die inhoud enkodering is nie UTF-8 nie. 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 - + Your theme could not be exported due to an error. Die tema kon nie uitgevoer word nie weens 'n fout. - + Select Theme Import File Kies Tema Invoer Lêer - + File is not a valid theme. The content encoding is not UTF-8. Lêer is nie 'n geldige tema nie. Die inhoud enkodering is nie UTF-8 nie. - + File is not a valid theme. Lêer is nie 'n geldige tema nie. - + Theme %s is used in the %s plugin. Tema %s is in gebruik deur die %s mini-program. - + &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. - + OpenLP Themes (*.theme *.otz) OpenLP Temas (*.theme *.otz) + + + Copy of %s + Copy of <theme name> + + OpenLP.ThemeWizard @@ -3798,6 +4480,16 @@ Die inhoud enkodering is nie UTF-8 nie. Edit Theme - %s Redigeer Tema - %s + + + Starting color: + + + + + Ending color: + + OpenLP.ThemesTab @@ -3841,31 +4533,36 @@ Die inhoud enkodering is nie UTF-8 nie. Use the global theme, overriding any themes associated with either the service or the songs. Gebruik die globale tema om enige temas wat met die diens of liedere geassosieer is te vervang. + + + Themes + Temas + OpenLP.Ui - + Error Fout - + &Delete &Wis Uit - + Delete the selected item. Wis die geselekteerde item uit. - + Move selection up one position. Skuif die seleksie een posisie op. - + Move selection down one position. Skuif die seleksie een posisie af. @@ -3890,19 +4587,19 @@ Die inhoud enkodering is nie UTF-8 nie. Skep 'n nuwe diens. - + &Edit R&edigeer - + Import Voer in Length %s - Lengte %s + Lengte %s @@ -3930,42 +4627,57 @@ Die inhoud enkodering is nie UTF-8 nie. OpenLP 2.0 - + + Open Service + Maak Diens Oop + + + Preview Voorskou - + Replace Background Vervang Agtergrond - + + Replace Live Background + Vervang Regstreekse Agtergrond + + + Reset Background Herstel Agtergrond - + + Reset Live Background + Herstel Regstreekse Agtergrond + + + Save Service Stoor Diens - + Service Diens - + Start %s Begin %s - + &Vertical Align: &Vertikale Sporing: - + Top Bo @@ -4000,23 +4712,23 @@ Die inhoud enkodering is nie UTF-8 nie. CCLI nommer: - + Empty Field Leë Veld - + Export Uitvoer - + pt Abbreviated font pointsize unit pt - + Image Beeld @@ -4025,6 +4737,11 @@ Die inhoud enkodering is nie UTF-8 nie. Live Background Error Regstreekse Agtergrond Fout + + + Live Panel + Regstreekse Paneel + New Theme @@ -4060,45 +4777,55 @@ Die inhoud enkodering is nie UTF-8 nie. openlp.org 1.x - + + Preview Panel + Voorskou Paneel + + + + Print Service Order + Druk Diens Orde + + + s The abbreviated unit for seconds s - + Save && Preview Stoor && Voorskou - + Search Soek - + 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. - + Theme Singular Tema - + Themes Plural Temas - + Version Weergawe @@ -4164,12 +4891,12 @@ Die inhoud enkodering is nie UTF-8 nie. 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 @@ -4226,38 +4953,38 @@ Die inhoud enkodering is nie UTF-8 nie. Onderwerpe - + Continuous Aaneen-lopend - + Default Verstek - + Display style: Vertoon styl: - + File Lêer - + Help Hulp - + h The abbreviated unit for hours h - + Layout style: Uitleg styl: @@ -4278,37 +5005,37 @@ Die inhoud enkodering is nie UTF-8 nie. OpenLP is reeds ana die gang. Gaan voort? - + Settings Verstellings - + Tools Gereedskap - + Verse Per Slide Vers Per Skyfie - + Verse Per Line Vers Per Lyn - + View Vertoon - + Duplicate Error Dupliseer Fout - + Unsupported File Lêer nie Ondersteun nie @@ -4323,12 +5050,12 @@ Die inhoud enkodering is nie UTF-8 nie. XML sintaks fout - + View Mode Vertoon Modus - + Welcome to the Bible Upgrade Wizard Welkom by die Bybel Opgradeer Gids @@ -4338,37 +5065,62 @@ Die inhoud enkodering is nie UTF-8 nie. Maak 'n diens oop. - + Print Service Druk Diens uit - + Replace live background. Vervang regstreekse agtergrond. - + Reset live background. Herstel regstreekse agtergrond. - + &Split &Verdeel - + 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. + + + Confirm Delete + + + + + Play Slides in Loop + Speel Skyfies in Herhaling + + + + Play Slides to End + Speel Skyfies tot Einde + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + OpenLP.displayTagDialog - + Configure Display Tags - Konfigureer Vertoon Hakkies + Konfigureer Vertoon Hakkies @@ -4396,6 +5148,31 @@ Die inhoud enkodering is nie UTF-8 nie. container title Aanbiedinge + + + Load a new Presentation. + Laai 'n nuwe Aanbieding. + + + + Delete the selected Presentation. + Wis die geselekteerde Aanbieding uit. + + + + Preview the selected Presentation. + Skou die geselekteerde Aanbieding. + + + + Send the selected Presentation live. + Stuur die geselekteerde Aanbieding regstreeks. + + + + Add the selected Presentation to the service. + Voeg die geselekteerde Aanbieding by die diens. + Load a new presentation. @@ -4425,52 +5202,52 @@ Die inhoud enkodering is nie UTF-8 nie. PresentationPlugin.MediaItem - + Select Presentation(s) Selekteer Aanbieding(e) - + Automatic Outomaties - + Present using: 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 no longer exists. Die Aanbieding %s bestaan nie meer nie. - + The Presentation %s is incomplete, please reload. Die Aanbieding %s is onvolledig, herlaai asseblief. @@ -4522,12 +5299,12 @@ Die inhoud enkodering is nie UTF-8 nie. RemotePlugin.Mobile - + OpenLP 2.0 Remote OpenLP 2.0 Afgelië - + OpenLP 2.0 Stage View OpenLP 2.0 Verhoog Aansig @@ -4537,80 +5314,85 @@ Die inhoud enkodering is nie UTF-8 nie. Diens Bestuurder - + Slide Controller Skyfie Beheerder - + Alerts Waarskuwings - + Search Soek - + Back Terug - + Refresh Verfris - + Blank Blanko - + Show Wys - + Prev Vorige - + Next Volgende - + Text Teks - + Show Alert Wys Waarskuwing - + Go Live Gaan Regstreeks Add To Service - Voeg By Diens + Voeg By Diens - + No Results Geen Resultate - + Options Opsies + + + Add to Service + + RemotePlugin.RemoteTab @@ -4643,68 +5425,78 @@ Die inhoud enkodering is nie UTF-8 nie. SongUsagePlugin - + &Song Usage Tracking &Volg Lied Gebruik - + &Delete Tracking Data Wis Volg &Data Uit - + Delete song usage data up to a specified date. Wis lied volg data uit tot en met 'n spesifieke datum. - + &Extract Tracking Data Onttr&ek Volg Data - + Generate a report on song usage. Genereer 'n verslag oor lied-gebruik. - + Toggle Tracking Wissel Volging - + Toggle the tracking of song usage. Wissel lied-gebruik volging. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>LiedGebruik Mini-program</strong><br/>Die mini-program volg die gebruik van liedere in dienste. - + SongUsage name singular Lied Gebruik - + SongUsage name plural Lied Gebruik - + SongUsage container title Lied Gebruik - + Song Usage Lied Gebruik + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + SongUsagePlugin.SongUsageDeleteForm @@ -4938,6 +5730,36 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.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. + Add a new song. @@ -5018,190 +5840,197 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. SongsPlugin.EasyWorshipSongImport - + Administered by %s Toegedien deur %s + + + +[above are Song Tags with notes imported from + EasyWorship] + + SongsPlugin.EditSongForm - + Song Editor Lied Redigeerder - + &Title: &Titel: - + Alt&ernate title: Alt&ernatiewe titel: - + &Lyrics: &Lirieke: - + &Verse order: &Vers orde: - + Ed&it All Red&igeer Alles - + Title && Lyrics Titel && Lirieke - + &Add to Song &Voeg by Lied - + &Remove Ve&rwyder - + &Manage Authors, Topics, Song Books &Bestuur Skrywers, Onderwerpe en Lied Boeke - + A&dd to Song Voeg by Lie&d - + R&emove V&erwyder - + Book: Boek: - + Number: Nommer: - + Authors, Topics && Song Book Skrywers, Onderwerpe && Lied Boek - + New &Theme Nuwe &Tema - + Copyright Information Kopiereg Informasie - + Comments Kommentaar - + Theme, Copyright Info && Comments 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. - + Warning Waarskuwing - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. Die vers orde is ongeldig. Daar is geen vers wat ooreenstem met %s nie. Geldige opsies is %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? In die vers orde is %s nie gebruik nie. Kan die lied so gestoor word? - + Add Book Voeg Boek by - + This song book does not exist, do you want to add it? Die lied boek bestaan nie. Voeg dit by? - + You need to have an author for this song. Daar word 'n outeur benodig vir hierdie lied. - + You need to type some text in to the verse. Daar word teks benodig vir die vers. @@ -5223,6 +6052,16 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.&Insert Sit Tussen-&in + + + &Split + &Verdeel + + + + Split a slide into two only if it does not fit on the screen as one slide. + Verdeel 'n skyfie in twee slegs wanneer dit nie op die skerm inpas in een skyfie nie. + Split a slide into two by inserting a verse splitter. @@ -5232,82 +6071,82 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. SongsPlugin.ExportWizardForm - + Song Export Wizard Lied Uitvoer Gids - + This wizard will help to export your songs to the open and free OpenLyrics worship song format. Hierdie gids sal help om die liedere na die oop en gratis OpenLyrics aanbiddigs-formaat uit te voer. - + Select Songs Kies Liedere - + 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... - + Check the songs you want to export. Merk die liediere wat uitgevoer moet vord. - + 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. @@ -5315,7 +6154,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Selekteer Dokument/Aanbieding Lêers @@ -5349,6 +6188,16 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Remove File(s) Verwyder Lêer(s) + + + The Songs of Fellowship importer has been disabled because OpenLP cannot find OpenOffice.org on your computer. + Die Songs of Fellowship invoerder is onaktief gestel omdat OpenLP nie OpenOffice.org op die rekenaar kon vind nie. + + + + The generic document/presentation importer has been disabled because OpenLP cannot find OpenOffice.org on your computer. + Die generiese dokument/aanbieding invoerder is onaktief gestel omdat OpenLP nie OpenOffice.org op die rekenaar kon vind nie. + Please wait while your songs are imported. @@ -5360,42 +6209,42 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Die OpenLyrics invoerder is nog nie ontwikkel nie, maar soos gesien kan word is ons van mening om dit te doen. Hopelik sal dit in die volgende vrystelling wees. - + OpenLP 2.0 Databases OpenLP 2.0 Databasisse - + openlp.org v1.x Databases openlp.org v1.x Databasisse - + 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 - + You need to specify at least one document or presentation file to import from. Ten minste een document of aanbieding moet gespesifiseer word om vanaf in te voer. - + Foilpresenter Song Files Foilpresenter Lied Lêers @@ -5423,32 +6272,32 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. SongsPlugin.MediaItem - + Titles Titels - + Lyrics Lirieke Delete Song(s)? - Wis Lied(ere) uit? + Wis Lied(ere) uit? - + CCLI License: CCLI Lisensie: - + Entire Song Volledige Lied - + Are you sure you want to delete the %n selected song(s)? Wis regtig die %n geselekteerde lied uit? @@ -5456,15 +6305,21 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. - + Maintain the lists of authors, topics and books. Onderhou die lys van skrywers, onderwerpe en boeke. + + + copy + For song cloning + + SongsPlugin.OpenLP1SongImport - + Not a valid openlp.org 1.x song database. Nie 'n geldige openlp.org 1.x lied databasis. @@ -5480,7 +6335,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. SongsPlugin.OpenLyricsExport - + Exporting "%s"... Uitvoer "%s"... @@ -5511,12 +6366,12 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. SongsPlugin.SongExportForm - + Finished export. Uitvoer voltooi. - + Your song export failed. Die lied uitvoer het misluk. @@ -5524,27 +6379,32 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. SongsPlugin.SongImport - + copyright kopiereg - + The following songs could not be imported: Die volgende liedere kon nie ingevoer word nie: - + + Unable to open OpenOffice.org or LibreOffice + Kan nie OpenOffice.org of LibreOffice oopmaak nie + + + Unable to open file Kan nie lêer oopmaak nie - + File not found Lêer nie gevind nie - + Cannot access OpenOffice or LibreOffice Het nie toegang tot OpenOffice of LibreOffice nie @@ -5552,7 +6412,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. SongsPlugin.SongImportForm - + Your song import failed. Lied invoer het misluk. @@ -5754,7 +6614,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. Themes - Temas + Temas diff --git a/resources/i18n/cs.ts b/resources/i18n/cs.ts index d8fe71a44..27c975638 100644 --- a/resources/i18n/cs.ts +++ b/resources/i18n/cs.ts @@ -1,30 +1,30 @@ - + AlertPlugin.AlertForm - + You have not entered a parameter to be replaced. Do you want to continue anyway? - Nebyl zadán žádný parametr pro nahrazení. -Chcete p?esto pokra?ovat? + Nebyl zadán žádný parametr pro nahrazení. +Chcete přesto pokračovat? - + No Parameter Found - Parametr nebyl nalezen + Parametr nebyl nalezen - + No Placeholder Found - Zástupný znak nenalezen. + Zástupný znak nenalezen - + The alert text does not contain '<>'. Do you want to continue anyway? - Text upozorn?ní neobsahuje '<>'. -Chcete p?esto pokra?ovat? + Text upozornění neobsahuje '<>'. +Chcete přesto pokračovat? @@ -32,23 +32,23 @@ Chcete p?esto pokra?ovat? &Alert - &Upozorn?ní + &Upozornění Show an alert message. - Zobrazí vzkaz upozorn?ní. + Zobrazí vzkaz upozornění. - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen - <strong>Modul upozorn?ní</strong><br />Modul upozorn?ní ?ídí zobrazení upozorn?ní na zobrazovací obrazovce + <strong>Modul upozornění</strong><br />Modul upozornění řídí zobrazení upozornění na zobrazovací obrazovce Alert name singular - Upozorn?ní + Upozornění @@ -60,7 +60,12 @@ Chcete p?esto pokra?ovat? Alerts container title - Upozorn?ní + Upozornění + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. + @@ -68,12 +73,12 @@ Chcete p?esto pokra?ovat? Alert Message - Vzkaz upozorn?ní + Vzkaz upozornění Alert &text: - &Text upozorn?ní + &Text upozornění: @@ -93,30 +98,54 @@ Chcete p?esto pokra?ovat? Display && Cl&ose - Zobrazit a za&v?ít + Zobrazit a za&vřít New Alert - Nové upozorn?ní + Nové upozornění 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. + Nebyl zadán žádný text upozornění. Před klepnutím na Nový prosím zadejte nějaký text. &Parameter: &Parametr: + + + No Parameter Found + Parametr nebyl nalezen + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + Nebyl zadán žádný parametr pro nahrazení. +Chcete přesto pokračovat? + + + + No Placeholder Found + Zástupný znak nenalezen + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + Text upozornění neobsahuje '<>'. +Chcete přesto pokračovat? + AlertsPlugin.AlertsManager Alert message created and displayed. - Vzkaz upozorn?ní byl vytvo?en a zobrazen. + Vzkaz upozornění byl vytvořen a zobrazen. @@ -149,85 +178,72 @@ Chcete p?esto pokra?ovat? Alert timeout: - ?as vypršení upozorn?ní: + Čas vypršení upozornění: BibleDB.Wizard - - Importing books... %s - Importuji knihy... %s + + Importing testaments... %s + Importuji zákony... %s - + + Importing testaments... done. + Importuji Bible... hotovo. + + + + Importing books... %s + Importuji knihy... %s + + + Importing verses from %s... Importing verses from <book name>... - Importuji verše z %s... + Importuji verše z %s... - + Importing verses... done. - Importuji verše... hotovo. - - - - BiblePlugin - - - &Upgrade older Bibles - - - - - Upgrade the Bible databases to the latest format. - + Importuji verše... hotovo. BiblePlugin.HTTPBible - + Download Error - Chyba stahování + 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. + 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í + 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. + 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. BiblePlugin.MediaItem - + Bible not fully loaded. - Bible není celá na?tena. + Bible není celá načtena. - + 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? - - - - 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. - + 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? @@ -256,87 +272,97 @@ Chcete p?esto pokra?ovat? 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?. + 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 + + + + + Upgrade the Bible databases to the latest format. BiblesPlugin.BibleManager - + Scripture Reference Error Chyba v odkazu do Bible - + Web Bible cannot be used Bibli z www nelze použít - + Text Search is not available with Web Bibles. Hledání textu není dostupné v Bibli z www. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Nebylo zadáno slovo pro hledání. -K hledání textu obsahující všechna slova je nutno tato slova odd?lit mezerou. Odd?lením slov ?árkou se bude hledat text obsahující alespo? jedno ze zadaných slov. +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. - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns: Book Chapter @@ -345,7 +371,7 @@ Book Chapter:Verse-Verse Book Chapter:Verse-Verse,Verse-Verse Book Chapter:Verse-Verse,Chapter:Verse-Verse Book Chapter:Verse-Chapter:Verse - Odkaz do Bible bu?to není podporován aplikací OpenLP nebo je neplatný. P?esv?d?te se prosím, že odkaz odpovídá jednomu z následujcích vzor?: + Odkaz do Bible buďto není podporován aplikací OpenLP nebo je neplatný. Přesvědčte se prosím, že odkaz odpovídá jednomu z následujcích vzorů: Kniha Kapitola Kniha Kapitola-Kapitola @@ -355,7 +381,7 @@ Kniha Kapitola:Verš-Verš,Kapitola:Verš-Verš Kniha Kapitola:Verš-Kapitola:Verš - + No Bibles Available Žádné Bible k dispozici @@ -370,7 +396,7 @@ Kniha Kapitola:Verš-Kapitola:Verš Only show new chapter numbers - Zobrazit jen ?íslo nové kapitoly + Zobrazit jen číslo nové kapitoly @@ -402,7 +428,7 @@ Kniha Kapitola:Verš-Kapitola:Verš 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. +Verše, které jsou už ve službě, nejsou změnami ovlivněny. @@ -461,192 +487,241 @@ Verše, které jsou už ve služb?, nejsou zm?nami ovlivn?ny. + + BiblesPlugin.CSVBible + + + Importing books... %s + Importuji knihy... %s + + + + Importing verses from %s... + Importing verses from <book name>... + Importuji verše z %s... + + + + Importing verses... done. + Importuji verše... hotovo. + + BiblesPlugin.HTTPBible - + Registering Bible and loading books... - + Registering Language... - + Importing %s... Importing <book name>... + + + 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. + BiblesPlugin.ImportWizardForm - + Bible Import Wizard - Pr?vodce importem Bible + 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. + 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í: + 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 licence - + 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. - Prosím vy?kejte, než se Bible importuje. + Prosím vyčkejte, než se Bible importuje. - + 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. + 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. + 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, je nutno takto ozna?it. + K Bibli je potřeba nastavit autorská práva. Bible, které jsou volná díla, 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í. + 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 - - CSV File - Zahajuji registraci Bible... - - - + Bibleserver Bibleserver - + Permissions: Povolení: - + Bible file: Soubor s Biblí: - + + Testaments file: + Soubor se zákonem: + + + Books file: Soubor s knihami: - + Verses file: Soubor s verši: - + + You have not specified a testaments file. Do you want to proceed with the import? + Nebyl zadán soubor se zákony. Chcete pokračovat s importem? + + + openlp.org 1.x Bible Files Soubory s Biblemi z openlp.org 1.x - + Registering Bible... - + Registruji Bibli... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. - + Bible registrovaná. Upozornění: Verše budou stahovány na vyžádání a proto je vyžadováno internetové připojení. @@ -670,7 +745,7 @@ demand and thus an internet connection is required. BiblesPlugin.LanguageForm - + You need to choose a language. @@ -678,58 +753,78 @@ demand and thus an internet connection is required. BiblesPlugin.MediaItem - + Quick Rychlý - + Find: Hledat: - + Book: Kniha: - + 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í celá načtena. + + + + 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. @@ -739,7 +834,7 @@ demand and thus an internet connection is required. Importing %s %s... Importing <book name> <chapter>... - Importuji %s %s... + Importuji %s %s... @@ -747,186 +842,181 @@ demand and thus an internet connection is required. Detecting encoding (this may take a few minutes)... - Zjištuji kódování (m?že trvat n?kolik minut)... + Zjištuji kódování (může trvat několik minut)... Importing %s %s... Importing <book name> <chapter>... - Importuji %s %s... + Importuji %s %s... BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory - + Bible Upgrade Wizard - + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. - + Select Backup Directory - + Please select a backup directory for your Bibles - + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. - + Please select a backup location for your Bibles. - + Backup Directory: - + There is no need to backup my Bibles - + Select Bibles - + Please select the Bibles to upgrade - + Version name: - Název verze: + Název verze: - - This Bible still exists. Please change the name or uncheck it. - - - - + Upgrading - + Please wait while your Bibles are upgraded. - - You need to specify a Backup Directory for your Bibles. + + You need to specify a backup directory for your Bibles. - - You need to specify a version name for your Bible. - Je nutno uvést název verze Bible. - - - - Bible Exists - Bible existuje - - - - This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck. - - - - - There are no Bibles available to upgrade. - - - - - Upgrading Bible %s of %s: "%s" -Failed - - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - - - - - Download Error - Chyba stahování - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - - - - - , %s failed - - - - - Upgrading Bible(s): %s successful%s - - - - - Upgrade failed. - - - - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. - - Starting Bible upgrade... + + You need to specify a version name for your Bible. + Je nutno uvést název verze Bible. + + + + Bible Exists + Bible existuje + + + + Starting upgrade... - + + There are no Bibles that need to be upgraded. + + + + + Upgrading Bible %s of %s: "%s" +Failed + + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + + + + + Download Error + Chyba stahování + + + To upgrade your Web Bibles an Internet connection is required. - + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + + + + Upgrading Bible %s of %s: "%s" Complete - + + , %s failed + + + + Upgrading Bible(s): %s successful%s Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + Upgrading Bible(s): %s successful%s + + + + + Upgrade failed. + + CustomPlugin + + + <strong>Custom Plugin</strong><br />The custom plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + <strong>Modul uživatelský</strong><br />Modul uživatelský má na starost nastavení snímků s vlastním libovolným textem, který může být zobrazen na obrazovce podobným způsobem jako písně. Oproti modulu písně tento modul poskytuje větší možnosti nastavení. + <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. @@ -1001,7 +1091,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Display footer - Pati?ka zobrazení + Patička zobrazení @@ -1019,7 +1109,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add a new slide at bottom. - P?idat nový snímek na konec. + Přidat nový snímek na konec. @@ -1031,10 +1121,15 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Edit all the slides at once. Upravit všechny snímky najednou. + + + Split Slide + Rozdělit snímek + Split a slide into two by inserting a slide splitter. - Vložením odd?lova?e se snímek rozd?lí na dva. + Vložením oddělovače se snímek rozdělí na dva. @@ -1047,32 +1142,110 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Zásluhy: - + You need to type in a title. Je nutno zadat název. - + You need to add at least one slide - Je nutno p?idat alespo? jeden snímek + Je nutno přidat alespoň jeden snímek Ed&it All Upra&it vše + + + 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 text nevejde na obrazovku jako jeden snímek. + Insert Slide - + Vložit snímek + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slides(s)? + + + + + + + + + CustomsPlugin + + + Custom + name singular + Uživatelský + + + + Customs + name plural + Uživatelské + + + + Custom + container title + Uživatelský + + + + Load a new Custom. + Načíst nový Uživatelský. + + + + Import a Custom. + Import Uživatelského. + + + + Add a new Custom. + Přidat nový Uživatelský. + + + + Edit the selected Custom. + Upravit vybraný Uživatelský. + + + + Delete the selected Custom. + Smazat vybraný Uživatelský. + + + + Preview the selected Custom. + Náhled vybraného Uživatelského. + + + + Send the selected Custom live. + Zobrazit vybraný Uživatelský naživo. + + + + Add the selected Custom to the service. + Přidat vybraný Uživatelský ke službě. GeneralTab - + General - Obecné + Obecné @@ -1080,7 +1253,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>Modul obrázek</strong><br />Modul obrázek se stará o zobrazování obrázk?.<br />Jedna z charakteristických funkcí tohoto modulu je schopnost ve správci služby seskupit n?kolik obrázk? dohromady. Tato vlastnost zjednodušuje zobrazení více obrázk?. Tento modul také využívá vlastnosti "?asová smy?ka" aplikace OpenLP a je tudíž možno vytvo?it prezentaci obrázk?, která pob?ží samostatn?. Nadto lze využitím obrázk? z modulu p?ekrýt pozadí sou?asného motivu. + <strong>Modul obrázek</strong><br />Modul obrázek se stará o zobrazování obrázků.<br />Jedna z charakteristických funkcí tohoto modulu je schopnost ve správci služby seskupit několik obrázků dohromady. Tato vlastnost zjednodušuje zobrazení více obrázků. Tento modul také využívá vlastnosti "časová smyčka" aplikace OpenLP a je tudíž možno vytvořit prezentaci obrázků, která poběží samostatně. Nadto lze využitím obrázků z modulu překrýt pozadí současného motivu. @@ -1098,7 +1271,42 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Images container title - Obrázky + Obrázky + + + + Load a new Image. + Načíst nový obrázek. + + + + Add a new Image. + Přidat nový obrázek. + + + + Edit the selected Image. + Upravit vybraný obrázek. + + + + Delete the selected Image. + Smazat vybraný obrázek. + + + + Preview the selected Image. + Náhled vybraného obrázku. + + + + Send the selected Image live. + Zobrazit vybraný obrázek naživo. + + + + Add the selected Image to the service. + Přidat vybraný obrázek ke službě. @@ -1141,55 +1349,60 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Select Attachment - Vybrat p?ílohu + Vybrat přílohu ImagePlugin.MediaItem - + Select Image(s) Vybrat obrázky - + You must select an image to delete. - Pro smazání musíte nejd?íve vybrat obrázek. + Pro smazání musíte nejdříve vybrat obrázek. - + You must select an image to replace the background with. - K nahrazení pozadí musíte nejd?íve vybrat obrázek. + K nahrazení pozadí musíte nejdříve vybrat obrázek. - + Missing Image(s) - Chyb?jící obrázky + 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? +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. + + 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. + <strong>Modul média</strong><br />Modul média umožňuje přehrávat audio a video. @@ -1201,7 +1414,7 @@ Chcete p?idat ostatní obrázky? Media name plural - Médium + Média @@ -1209,6 +1422,41 @@ Chcete p?idat ostatní obrázky? container title Média + + + Load a new Media. + Načíst médium. + + + + Add a new Media. + Přidat 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ě. + Load new media. @@ -1248,40 +1496,45 @@ 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. + 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. + 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 + 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. + + MediaPlugin.MediaTab @@ -1293,13 +1546,13 @@ Chcete p?idat ostatní obrázky? Use Phonon for video playback - Použít Phonon k p?ehrávání videa + Použít Phonon k přehrávání videa OpenLP - + Image Files Soubory s obrázky @@ -1331,7 +1584,7 @@ Should OpenLP upgrade now? Contribute - P?isp?t + Přispět @@ -1341,7 +1594,7 @@ Should OpenLP upgrade now? This program is 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. - Tato aplikace je svobodný software. Lze ji libovoln? ší?it a upravovat v souladu s GNU General Public licencí, vydané Free Software Foundation; a to v souladu s verzí 2 této licence. + Tato aplikace je svobodný software. Lze ji libovolně šířit a upravovat v souladu s GNU General Public licencí, vydané Free Software Foundation; a to v souladu s verzí 2 této licence. @@ -1414,19 +1667,19 @@ Final Credit Vedení projektu %s -Vývojá?i +Vývojáři %s -P?isp?vatelé +Přispěvatelé %s -Teste?i +Testeři %s -Balí?kova?i +Balíčkovači %s -P?ekladatelé +Překladatelé Afrikaans (af) %s German (de) @@ -1455,23 +1708,23 @@ P?ekladatelé Dokumentace %s -Vytvo?eno za použití +Vytvořeno za použití Python: http://www.python.org/ Qt4: http://qt.nokia.com/ PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro Oxygen Icons: http://oxygen-icons.org/ Finální zásluhy - "Nebo? B?h tak miloval sv?t, že dal + "Neboť Bůh tak miloval svět, že dal svého jednorozeného Syna, aby žádný, - kdo v n?j v??í, nezahynul, ale m?l v??ný + kdo v něj věří, nezahynul, ale měl věčný život." -- Jan 3:16 - V neposlední ?ad?, kone?né zásluhy pat?í + V neposlední řadě, konečné zásluhy patří Bohu, našemu Otci, že poslal Svého Syna - zem?ít na k?íži, osvobodit nás od h?íchu. - P?inášíme tuto aplikaci zdarma, protože - On nás u?inil svobodnými. + zemřít na kříži, osvobodit nás od hříchu. + Přinášíme tuto aplikaci zdarma, protože + On nás učinil svobodnými. @@ -1482,13 +1735,20 @@ 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 contributing by using the button below. - + OpenLP <version><revision> - Open Source prezentace textů písní + +OpenLP je volně dostupný křesťanský software nebo také software pro prezentaci textů písní. Při křesťanských bohoslužbách slouží k zobrazení písní, veršů z Bible, videí, obrázků a dokonce prezentací (pokud Impress, PowerPoint nebo PowerPoint Viewer je instalován). K používání je nutný počítač a dataprojektor. + +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 prosím přispění tlačítkem níže. Copyright © 2004-2011 %s Portions copyright © 2004-2011 %s - + Autorská práva © 2004-2011 %s +Částečná autorská práva © 2004-2011 %s @@ -1501,27 +1761,27 @@ Portions copyright © 2004-2011 %s Number of recent files to display: - Po?et zobrazených nedávných soubor?: + 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í + 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 + Dvojklik zobrazí položku přímo naživo Expand new service items on creation - P?i vytvo?ení rozbalit nové položky služby + Při vytvoření rozbalit nové položky služby Enable application exit confirmation - Zapnout potvrzování ukon?ení aplikace + Zapnout potvrzování ukončení aplikace @@ -1531,7 +1791,7 @@ Portions copyright © 2004-2011 %s Hide mouse cursor when over display window - Skrýt kurzor myši v okn? zobrazení + Skrýt kurzor myši v okně zobrazení @@ -1551,196 +1811,111 @@ Portions copyright © 2004-2011 %s Open File - Otev?ít soubor + Otevřít soubor Preview items when clicked in Media Manager - Náhled položek p?i klepnutí ve správci médií + Náhled položek při klepnutí ve správci médií Advanced - Pokro?ilé + Pokročilé Click to select a color. - + Klepnout pro výběr barvy. 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. OpenLP.DisplayTagDialog - + Edit Selection - Upravit výb?r + Upravit výběr - + Description - Popis + Popis + + + + Tag + Značka + + + + Start tag + Začátek značky - Tag - Zna?ka - - - - Start tag - Za?átek zna?ky - - - End tag - Konec zna?ky + Konec značky - + + Default + Výchozí + + + Tag Id - Id zna?ky + Id značky - + Start HTML - Za?átek HTML + Začátek HTML - + End HTML - Konec HTML + Konec HTML - + Save - + Uložit OpenLP.DisplayTagTab - + Update Error - Aktualizovat chybu + Aktualizovat chybu Tag "n" already defined. - Zna?ka "n" je už definovaná. + Značka "n" je už definovaná. - + Tag %s already defined. - Zna?ka %s je už definovaná. - - - - New Tag - - - - - </and here> - - - - - <HTML here> - + Značka %s je už definovaná. OpenLP.DisplayTags - - - Red - - - - - Black - - - - - Blue - - - - - Yellow - - - - - Green - - - - - Pink - - - - - Orange - - - - - Purple - - - - - White - - - - - Superscript - - - - - Subscript - - - - - Paragraph - - Bold - Tu?né - - - - Italics - - - - - Underline - - - - - Break - + Tučné @@ -1753,7 +1928,7 @@ Portions copyright © 2004-2011 %s Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. - 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. + 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. @@ -1769,13 +1944,13 @@ Portions copyright © 2004-2011 %s Please enter a description of what you were doing to cause this error (Minimum 20 characters) - Zadejte prosím popis toho, co jste provád?l, když vznikla tato chyba -(Minimáln? 20 znak?) + Zadejte prosím popis toho, co jste prováděl, když vznikla tato chyba +(Minimálně 20 znaků) Attach File - P?iložit soubor + Přiložit soubor @@ -1871,7 +2046,7 @@ Version: %s File Rename - P?ejmenovat soubor + Přejmenovat soubor @@ -1889,17 +2064,17 @@ Version: %s Select Translation - Vybrat p?eklad + Vybrat překlad Choose the translation you'd like to use in OpenLP. - Vyberte p?eklad, který bude používat aplikace OpenLP. + Vyberte překlad, který bude používat aplikace OpenLP. Translation: - P?eklad: + Překlad: @@ -1907,17 +2082,17 @@ Version: %s Songs - Písn? + Písně First Time Wizard - Pr?vodce prvním spušt?ní + Průvodce prvním spuštění Welcome to the First Time Wizard - Vítejte v pr?vodci prvním spušt?ní + Vítejte v průvodci prvním spuštění @@ -1930,9 +2105,9 @@ Version: %s Vyberte moduly, které chcete používat. - + Custom Text - Vlastní text + Vlastní text @@ -1957,7 +2132,7 @@ Version: %s Allow remote access - Povolit vzdálený p?ístup + Povolit vzdálený přístup @@ -1967,7 +2142,7 @@ Version: %s Allow Alerts - Povolit upozorn?ní + Povolit upozornění @@ -1980,24 +2155,24 @@ Version: %s Stahuji %s... - + Download complete. Click the finish button to start OpenLP. - Stahování dokon?eno. Klepnutím na tla?ítko konec se spustí aplikace OpenLP. + Stahování dokončeno. Klepnutím na tlačítko konec se spustí aplikace OpenLP. - + Enabling selected plugins... Zapínám vybrané moduly... No Internet Connection - Žádné p?ipojení k Internetu + Žádné připojení k Internetu Unable to detect an Internet connection. - Nezda?ila se detekce internetového p?ipojení. + Nezdařila se detekce internetového připojení. @@ -2006,11 +2181,11 @@ Version: %s To re-run the First Time Wizard and import this sample data at a later stage, press the cancel button now, check your Internet connection, and restart OpenLP. To cancel the First Time Wizard completely, press the finish button now. - Žádné p?ipojení k Internetu nenalezeno. Pr?vodce prvním spušt?ní pot?ebuje internetové p?ipojení pro stahování ukázek písní, Biblí a motiv?. + Žádné připojení k Internetu nenalezeno. Průvodce prvním spuštění potřebuje internetové připojení pro stahování ukázek písní, Biblí a motivů. -Pro pozd?jší op?tovné spušt?ní Pr?vodce prvním spušt?ní a importu ukázkových dat klepn?te na tla?ítko Zrušit, prov??te internetové p?ipojení a restartujte aplikaci OpenLP. +Pro pozdější opětovné spuštění Průvodce prvním spuštění a importu ukázkových dat klepněte na tlačítko Zrušit, prověřte internetové připojení a restartujte aplikaci OpenLP. -Pro úplné zrušení Pr?vodce prvním spušt?ní klepn?te nyní na tla?ítko Dokon?it. +Pro úplné zrušení Průvodce prvním spuštění klepněte nyní na tlačítko Dokončit. @@ -2020,7 +2195,7 @@ Pro úplné zrušení Pr?vodce prvním spušt?ní klepn?te nyní na tla?ítko Do Select and download public domain songs. - Vybrat a stáhnout písn? s nechrán?nými autorskými právy. + Vybrat a stáhnout písně s nechráněnými autorskými právy. @@ -2030,23 +2205,33 @@ Pro úplné zrušení Pr?vodce prvním spušt?ní klepn?te nyní na tla?ítko Do Select and download free Bibles. - Vybrat a stáhnout voln? dostupné Bible. + Vybrat a stáhnout volně dostupné Bible. Sample Themes - Ukázky motiv? + Ukázky motivů Select and download sample themes. - Vybrat a stáhnout ukázky motiv?. + Vybrat a stáhnout ukázky motivů. Set up default settings to be used by OpenLP. Nastavit výchozí nastavení pro aplikaci OpenLP. + + + Setting Up And Importing + Nastavuji a importuji + + + + Please wait while OpenLP is set up and your data is imported. + Čekejte prosím, než aplikace OpenLP nastaví a importuje vaše data. + Default output display: @@ -2060,33 +2245,217 @@ Pro úplné zrušení Pr?vodce prvním spušt?ní klepn?te nyní na tla?ítko Do Starting configuration process... - Spouštím pr?b?h nastavení... + Spouštím průběh nastavení... This wizard will help you to configure OpenLP for initial use. Click the next button below to start. - + Tento průvodce pomáhá nastavit OpenLP pro první použití. Pro start klepněte níže na tlačítko další. - + Setting Up And Downloading - + Please wait while OpenLP is set up and your data is downloaded. - + Setting Up - + Click the finish button to start OpenLP. + + + Custom Slides + + + + + Download complete. Click the finish button to return to OpenLP. + + + + + Click the finish button to return to OpenLP. + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Edit Selection + Upravit výběr + + + + Save + Uložit + + + + Description + Popis + + + + Tag + Značka + + + + Start tag + Začátek značky + + + + End tag + Konec značky + + + + Tag Id + Id značky + + + + Start HTML + Začátek HTML + + + + End HTML + Konec HTML + + + + OpenLP.FormattingTagForm + + + Update Error + Aktualizovat chybu + + + + Tag "n" already defined. + Značka "n" je už definovaná. + + + + New Tag + + + + + <HTML here> + + + + + </and here> + + + + + Tag %s already defined. + Značka %s je už definovaná. + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + Tučné + + + + Italics + + + + + Underline + + + + + Break + + OpenLP.GeneralTab @@ -2108,22 +2477,22 @@ Pro úplné zrušení Pr?vodce prvním spušt?ní klepn?te nyní na tla?ítko Do Display if a single screen - Zobrazení p?i jedné obrazovce + Zobrazení při jedné obrazovce Application Startup - Spušt?ní aplikace + Spuštění aplikace Show blank screen warning - Zobrazit varování p?i prázdné obrazovce + Zobrazit varování při prázdné obrazovce Automatically open the last service - Automaticky otev?ít poslední službu + Automaticky otevřít poslední službu @@ -2138,12 +2507,17 @@ Pro úplné zrušení Pr?vodce prvním spušt?ní klepn?te nyní na tla?ítko Do Prompt to save before starting a new service - P?ed spušt?ním nové služby se ptát na uložení + 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? + Automatický náhled další položky ve službě + + + + Slide loop delay: + Zpoždění smyčky snímku: @@ -2168,7 +2542,7 @@ Pro úplné zrušení Pr?vodce prvním spušt?ní klepn?te nyní na tla?ítko Do Display Position - Umíst?ní zobrazení + Umístění zobrazení @@ -2188,12 +2562,12 @@ Pro úplné zrušení Pr?vodce prvním spušt?ní klepn?te nyní na tla?ítko Do Width - Ší?ka + Šířka Override display position - P?ekrýt umíst?ní zobrazení + Překrýt umístění zobrazení @@ -2203,7 +2577,7 @@ Pro úplné zrušení Pr?vodce prvním spušt?ní klepn?te nyní na tla?ítko Do Unblank display when adding new live item - Odkrýt zobrazení p?i p?idání nové položky naživo + Odkrýt zobrazení při přidání nové položky naživo @@ -2226,13 +2600,13 @@ Pro úplné zrušení Pr?vodce prvním spušt?ní klepn?te nyní na tla?ítko Do Please restart OpenLP to use your new language setting. - Zm?ny nastavení jazyka se projeví restartováním aplikace OpenLP. + Změny nastavení jazyka se projeví restartováním aplikace OpenLP. OpenLP.MainDisplay - + OpenLP Display Zobrazení OpenLP @@ -2240,311 +2614,311 @@ Pro úplné zrušení Pr?vodce prvním spušt?ní klepn?te nyní na tla?ítko Do 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 + &Nápověda - + Media Manager Správce médií - + Service Manager Správce služby - + Theme Manager - Správce motiv? + Správce motivů - + &New &Nový - + &Open - &Otev?ít + &Otevřít - + Open an existing service. - Otev?ít existující službu. + Otevřít existující službu. - + &Save &Uložit - + Save the current service to disk. - Uložit sou?asnou službu na disk. + Uložit současnou službu na disk. - + Save &As... Uložit &jako... - + 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. + Uložit současnou službu s novým názvem. - + E&xit - U&kon?it + U&končit - + Quit OpenLP - Ukon?it OpenLP + Ukončit OpenLP - + &Theme &Motiv - + &Configure OpenLP... &Nastavit OpenLP... - + &Media Manager Správce &médií - + Toggle Media Manager - P?epnout správce médií + Přepnout správce médií - + Toggle the visibility of the media manager. - P?epnout viditelnost správce médií. + Přepnout viditelnost správce médií. - + &Theme Manager - Správce &motiv? + Správce &motivů - + Toggle Theme Manager - P?epnout správce motiv? + Přepnout správce motivů - + Toggle the visibility of the theme manager. - P?epnout viditelnost správce motiv?. + Přepnout viditelnost správce motivů. - + &Service Manager Správce &služby - + Toggle Service Manager - P?epnout správce služby + Přepnout správce služby - + Toggle the visibility of the service manager. - P?epnout viditelnost správce služby. + Přepnout viditelnost správce služby. - + &Preview Panel Panel &náhledu - + Toggle Preview Panel - P?epnout panel náhledu + Přepnout panel náhledu - + Toggle the visibility of the preview panel. - P?epnout viditelnost panelu náhled. + Přepnout viditelnost panelu náhled. - + &Live Panel Panel na&živo - + Toggle Live Panel - P?epnout panel naživo + Přepnout panel naživo - + Toggle the visibility of the live panel. - P?epnout viditelnost panelu naživo. + Přepnout viditelnost panelu naživo. - + &Plugin List - Seznam &modul? + Seznam &modulů - + List the Plugins Vypsat moduly - + &User Guide - &Uživatelská p?íru?ka + &Uživatelská příručka - + &About &O aplikaci - + More information about OpenLP Více informací o aplikaci OpenLP - + &Online Help - &Online nápov?da + &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... + Přidat &nástroj... - + Add an application to the list of tools. - P?idat aplikaci do seznamu nástroj?. + 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í. + 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). + 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/. +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 @@ -2552,56 +2926,119 @@ Nejnov?jší verzi lze stáhnout z http://openlp.org/. English Please add the name of your language here - Angli?tina + Angličtina - + Configure &Shortcuts... - Nastavit &Zkratky + Nastavuji &zkratky... - + Close OpenLP - Zav?ít OpenLP + Zavřít OpenLP - + Are you sure you want to close OpenLP? - Chcete opravdu zav?ít aplikaci OpenLP? + Chcete opravdu zavřít aplikaci OpenLP? - + + Print the current Service Order. + Tisk současného Pořadí Služby. + + + &Configure Display Tags - &Nastavit zna?ky zobrazení + &Nastavit značky zobrazení - + Open &Data Folder... - Otev?ít složku s &daty... + 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. + Otevřít složku, kde se nachází písně, Bible a ostatní data. - + &Autodetect &Automaticky detekovat - + Update Theme Images - + Aktualizovat obrázky motivu - + Update the preview images for all themes. + Aktualizovat náhledy obrázků všech motivů. + + + + F1 + F1 + + + + Print the current service. - - 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. + + + + + &Recent Files + + + + + &Configure Formatting Tags... + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. @@ -2613,54 +3050,76 @@ Nejnov?jší verzi lze stáhnout z http://openlp.org/. Nevybraná zádná položka - + &Add to selected Service Item - &P?idat k vybrané Položce Služby + &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. + 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. + 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. + 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. + 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. + Je třeba vybrat %s položku služby. - + + Duplicate file name %s. +Filename already exists in list + Duplicitní název souboru %s. +Název souboru již v seznamu existuje + + + 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í + + + + &Clone - - Duplicate filename %s. -This filename is already in the list + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + Duplicate files found on import and ignored. @@ -2669,7 +3128,7 @@ This filename is already in the list Plugin List - Seznam modul? + Seznam modulů @@ -2699,7 +3158,7 @@ This filename is already in the list %s (Active) - &s (Aktivní) + %s (Aktivní) @@ -2710,80 +3169,100 @@ This filename is already in the list OpenLP.PrintServiceDialog - + Fit Page - P?izp?sobit stránce + Přizpůsobit stránce - + Fit Width - P?izp?sobit ší?ce + Přizpůsobit šířce OpenLP.PrintServiceForm - + Options Možnosti - + Close - Zav?ít + Zavřít - + Copy Kopírovat - + Copy as HTML Kopírovat jako HTML - + Zoom In - Zv?tšit + Zvětšit - + Zoom Out Zmenšit - + Zoom Original - P?vodní velikost + 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 + Zahrnout délku přehrávání mediálních položek - + + Service Order Sheet + List s pořadím služby + + + Add page break before each text item + Přidat zalomení stránky před každou textovou položku + + + + Print - + + Title: + + + + + Custom Footer Text: + + + + Service Sheet @@ -2801,268 +3280,301 @@ This filename is already in the list Primární + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + OpenLP.ServiceItemEditForm - + Reorder Service Item - Zm?nit po?adí Položky služby + Změnit pořadí Položky služby OpenLP.ServiceManager - + Move to &top - P?esun &nahoru + Přesun &nahoru - + Move item to the top of the service. - P?esun položky ve služb? úpln? nahoru. + Přesun položky ve službě úplně nahoru. - + Move &up - P?esun &výše + Přesun &výše - + Move item up one position in the service. - P?esun položky ve služb? o jednu pozici výše. + Přesun položky ve službě o jednu pozici výše. - + Move &down P?esun &níže - + Move item down one position in the service. P?esun položky ve služb? o jednu pozici níže. - + Move to &bottom - P?esun &dolu + Přesun &dolu - + Move item to the end of the service. - P?esun položky ve služb? úpln? dol?. + Přesun položky ve službě úplně dolů. - + &Delete From Service &Smazat ze služby - + Delete the selected item from the service. Smazat vybranou položku ze služby. - + &Add New Item - &P?idat novou položku + &Přidat novou položku - + &Add to Selected Item - &P?idat k vybrané položce + &Přidat k vybrané položce - + &Edit Item &Upravit položku - + &Reorder Item - &Zm?nit po?adí položky + &Změnit pořadí položky - + &Notes &Poznámky - + &Change Item Theme - &Zm?nit motiv položky + &Změnit motiv položky - + OpenLP Service Files (*.osz) Soubory služby OpenLP (*.osz) - + File is not a valid service. The content encoding is not UTF-8. Soubor není platná služba. Obsah souboru není v kódování UTF-8. - + File is not a valid service. Soubor není platná služba. - + Missing Display Handler - Chyb?jící obsluha zobrazení + 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í + Položku není možno zobrazit, protože modul potřebný pro zobrazení položky chybí nebo je neaktivní - + &Expand all &Rozvinou vše - + Expand all the service items. Rozvinout všechny položky služby. - + &Collapse all &Svinout vše - + Collapse all the service items. Svinout všechny položky služby. - + Open File - Otev?ít soubor + Otevřít soubor - + Moves the selection down the window. - P?esune výb?r v rámci okna dolu. + Přesune výběr v rámci okna dolu. - + Move up - P?esun nahoru + Přesun nahoru - + Moves the selection up the window. - P?esune výb?r v rámci okna nahoru. + Přesune výběr v rámci okna nahoru. - + Go Live Zobrazit naživo - + Send the selected item to Live. Zobrazí vybranou položku naživo. - + &Start Time - &Spustit ?as + &Spustit čas - + Show &Preview Zobrazit &náhled - + Show &Live Zobrazit n&aživo - + Modified Service - Zm?n?ná služba + 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? + Současná služba byla změněna. Přejete si službu uložit? - + File could not be opened because it is corrupt. - Soubor se nepoda?ilo otev?ít, protože je poškozený. + 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 - + Custom Service Notes: - + Poznámky Uživatelský služby: - + Notes: - + Poznámky: - + Playing time: - + Čas přehrávání: - + Untitled Service - + Prázdná služba - + + This file is either corrupt or not an OpenLP 2.0 service file. + Tento soubor je buďto poškozen nebo to není soubor se službou OpenLP 2.0. + + + Load an existing service. - + Načíst existující službu. - + Save this service. - + Uložit tuto službu. - + Select a theme for the service. + Vybrat motiv pro službu. + + + + This file is either corrupt or it is not an OpenLP 2.0 service file. - - This file is either corrupt or it is not an OpenLP 2.0 service file. + + Slide theme + + + + + Notes + + + + + Service File Missing OpenLP.ServiceNoteForm - + Service Item Notes Poznámky položky služby @@ -3080,12 +3592,12 @@ Obsah souboru není v kódování UTF-8. Customize Shortcuts - P?izp?sobit zkratky + Přizpůsobit zkratky Action - ?innost + Činnost @@ -3093,14 +3605,14 @@ Obsah souboru není v kódování UTF-8. Zkratka - + Duplicate Shortcut Duplikovat zkratku - + 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. + Zkratka "%s" je už přiřazena jiné činnosti. Použijte prosím jinou zkratku. @@ -3110,17 +3622,17 @@ Obsah souboru není v kódování UTF-8. Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. - Zadání nové hlavní nebo alternativní zkratky se spustí vybráním ?innosti a klepnutím na jedno z tla?ítek níže. + Zadání nové hlavní nebo alternativní zkratky se spustí vybráním činnosti a klepnutím na jedno z tlačítek níže. Default - Výchozí + Výchozí Custom - Uživatelský + Uživatelský @@ -3130,60 +3642,105 @@ Obsah souboru není v kódování UTF-8. Restore the default shortcut of this action. - Obnovit výchozí zkratku ?innosti. + Obnovit výchozí zkratku činnosti. - + Restore Default Shortcuts Obnovit výchozí zkratku - + Do you want to restore all shortcuts to their defaults? Chcete obnovit všechny zkratky na jejich výchozí hodnoty? + + + Configure Shortcuts + + OpenLP.SlideController - + + Move to previous + Přesun na předchozí + + + + Move to next + Přesun na následující + + + Hide Skrýt - - Go To - P?ejít na + + Move to live + Přesun naživo - + + Edit and reload song preview + Upravit a znovu načíst náhled písně + + + + Start continuous loop + Spustit souvislou smyčku + + + + Stop continuous loop + Zastavit souvislou smyčku + + + + Delay between slides in seconds + Zpoždění mezi snímky v sekundách + + + + Start playing media + Spustit přehrávání média + + + + Go To + Přejít na + + + Blank Screen Prázdná obrazovka - + Blank to Theme Prázdný motiv - + Show Desktop Zobrazit plochu - + Previous Slide - P?edchozí snímek + Předchozí snímek - + Next Slide Následující snímek Previous Service - P?edchozí služba + Předchozí služba @@ -3196,30 +3753,30 @@ Obsah souboru není v kódování UTF-8. Zrušit položku - + + Start/Stop continuous loop + Spustit/Zastavit souvislou smyšku + + + + Add to Service + Přidat ke službě + + + Move to previous. - + Move to next. - + Play Slides - - - Play Slides in Loop - - - - - Play Slides to End - - Delay between slides in seconds. @@ -3249,17 +3806,17 @@ Obsah souboru není v kódování UTF-8. OpenLP.SpellTextEdit - + Spelling Suggestions Návrhy pravopisu - + Formatting Tags - Formátovací zna?ky + Formátovací značky - + Language: Jazyk: @@ -3284,12 +3841,12 @@ Obsah souboru není v kódování UTF-8. Item Start and Finish Time - ?as za?átku a konce položky + Čas začátku a konce položky Start - Za?átek + Začátek @@ -3304,7 +3861,17 @@ Obsah souboru není v kódování UTF-8. Time Validation Error - Chyba p?i ov??ení ?asu + Chyba při ověření času + + + + End time is set after the end of the media item + Čas konce je nastaven po konci mediální položky + + + + Start time is after the End Time of the media item + Čas začátku je nastaven po konci mediální položky @@ -3332,7 +3899,7 @@ Obsah souboru není v kódování UTF-8. There is no name for this theme. Please enter one. - Není vypln?n název motivu. Prosím zadejte ho. + Není vyplněn název motivu. Prosím zadejte ho. @@ -3344,6 +3911,11 @@ Obsah souboru není v kódování UTF-8. Invalid theme name. Please enter one. Neplatný název motivu. Prosím zadejte nový. + + + (%d lines per slide) + (%d řádek na snímek) + (approximately %d lines per slide) @@ -3353,204 +3925,210 @@ Obsah souboru není v kódování UTF-8. OpenLP.ThemeManager - + Create a new theme. - Vytvo?í nový motiv. + 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. + Pro úpravy je třeba vybrat motiv. - + You are unable to delete the default theme. Není možno smazat výchozí motiv. - + Theme %s is used in the %s plugin. Motiv %s je používán v modulu %s. - + You have not selected a theme. Není vybrán žádný motiv. - + Save Theme - (%s) Uložit motiv - (%s) - + Theme Exported Motiv exportován - + Your theme has been successfully exported. - Motiv byl úsp?šn? exportován. + Motiv byl úspěšně exportován. - + Theme Export Failed Export motivu selhal - + Your theme could not be exported due to an error. - Kv?li chyb? nebylo možno motiv exportovat. + Kvůli chybě nebylo možno motiv exportovat. - + Select Theme Import File Vybrat soubor k importu motivu - + File is not a valid theme. The content encoding is not UTF-8. Soubor není platný motiv. Obsah souboru není v kódování UTF-8. - + File is not a valid theme. Soubor není platný motiv. - + &Copy Theme &Kopírovat motiv - + &Rename Theme - &P?ejmenovat motiv + &Přejmenovat motiv - + &Export Theme &Export motivu - + You must select a theme to rename. - K p?ejmenování je t?eba vybrat motiv. + K přejmenování je třeba vybrat motiv. - + Rename Confirmation - Potvrzení p?ejmenování + Potvrzení přejmenování - + Rename %s theme? - P?ejmenovat motiv %s? + Přejmenovat motiv %s? - + You must select a theme to delete. - Pro smazání je t?eba vybrat motiv. + 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í + Chyba ověřování - + A theme with this name already exists. Motiv s tímto názvem již existuje. - + OpenLP Themes (*.theme *.otz) OpenLP motivy (*.theme *.otz) + + + Copy of %s + Copy of <theme name> + + OpenLP.ThemeWizard Theme Wizard - Pr?vodce motivem + Průvodce motivem Welcome to the Theme Wizard - Vítejte v pr?vodci motivem + Vítejte v průvodci motivem @@ -3560,7 +4138,7 @@ Obsah souboru není v kódování UTF-8. Set up your theme's background according to the parameters below. - Podle parametr? níže nastavte pozadí motivu. + Podle parametrů níže nastavte pozadí motivu. @@ -3575,7 +4153,7 @@ Obsah souboru není v kódování UTF-8. Gradient - P?echod + Přechod @@ -3585,7 +4163,7 @@ Obsah souboru není v kódování UTF-8. Gradient: - P?echod: + Přechod: @@ -3605,12 +4183,12 @@ Obsah souboru není v kódování UTF-8. Top Left - Bottom Right - Vlevo naho?e - vpravo dole + Vlevo nahoře - vpravo dole Bottom Left - Top Right - Vlevo dole - vpravo naho?e + Vlevo dole - vpravo nahoře @@ -3635,7 +4213,7 @@ Obsah souboru není v kódování UTF-8. Line Spacing: - ?ádkování: + Řádkování: @@ -3650,7 +4228,7 @@ Obsah souboru není v kódování UTF-8. Bold - Tu?né + Tučné @@ -3695,17 +4273,17 @@ Obsah souboru není v kódování UTF-8. Center - Na st?ed + Na střed Output Area Locations - Umíst?ní výstupní oblasti + Umístění výstupní oblasti Allows you to change and move the main and footer areas. - Dovoluje zm?nit a p?esunout hlavní oblast a oblast zápatí. + Dovoluje změnit a přesunout hlavní oblast a oblast zápatí. @@ -3715,7 +4293,7 @@ Obsah souboru není v kódování UTF-8. &Use default location - &Použít výchozí umíst?ní + &Použít výchozí umístění @@ -3735,7 +4313,7 @@ Obsah souboru není v kódování UTF-8. Width: - Ší?ka: + Šířka: @@ -3745,7 +4323,7 @@ Obsah souboru není v kódování UTF-8. Use default location - Použít výchozí umíst?ní + Použít výchozí umístění @@ -3755,7 +4333,7 @@ Obsah souboru není v kódování UTF-8. View the theme and save it replacing the current one or change the name to create a new theme - Zobrazit motiv a uložit ho, dojde k p?epsání sou?asného nebo zm??te název, aby se vytvo?il nový motiv + Zobrazit motiv a uložit ho, dojde k přepsání současného nebo změňte název, aby se vytvořil nový motiv @@ -3770,18 +4348,28 @@ Obsah souboru není v kódování UTF-8. 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 vašich motivu. Klepn?te níže na tla?ítko další pro spušt?ní procesu nastavení vašeho pozadí. + Tento průvodce pomáhá s vytvořením a úpravou vašich motivu. Klepněte níže na tlačítko další pro spuštění procesu nastavení vašeho pozadí. Transitions: - P?echody: + Přechody: &Footer Area Oblast &zápatí + + + Starting color: + + + + + Ending color: + + OpenLP.ThemesTab @@ -3793,43 +4381,48 @@ Obsah souboru není v kódování UTF-8. Theme Level - Úrove? motivu + Úroveň motivu S&ong Level - Úrove? &písn? + Úroveň &písně 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. - Použít motiv z každé písn? z databáze. Pokud píse? nemá p?i?azen motiv, potom se použije motiv služby. Pokud služba nemá motiv, pak se použije globální motiv. + Použít motiv z každé písně z databáze. Pokud píseň nemá přiřazen motiv, potom se použije motiv služby. Pokud služba nemá motiv, pak se použije globální motiv. &Service Level - Úrove? &služby + Úroveň &služby 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. - Použitím motivu ze služby se p?ekryje motiv jednotlivých písní. Pokud služba nemá motiv, tak se použije globální motiv. + Použitím motivu ze služby se překryje motiv jednotlivých písní. Pokud služba nemá motiv, tak se použije globální motiv. &Global Level - &Globální úrove? + &Globální úroveň Use the global theme, overriding any themes associated with either the service or the songs. - Použitím globálního motivu se p?ekryjí motivy, které jsou p?i?azeny službám nebo písním. + Použitím globálního motivu se překryjí motivy, které jsou přiřazeny službám nebo písním. + + + + Themes + Motivy OpenLP.Ui - + Error Chyba @@ -3841,12 +4434,12 @@ Obsah souboru není v kódování UTF-8. &Add - &P?idat + &Přidat Advanced - Pokro?ilé + Pokročilé @@ -3871,53 +4464,53 @@ Obsah souboru není v kódování UTF-8. CCLI number: - CCLI ?íslo: + CCLI číslo: Create a new service. - Vytvo?it novou službu. + Vytvořit novou službu. - + &Delete &Smazat - + &Edit &Upravit - + Empty Field Prázdné pole - + Export Export - + pt Abbreviated font pointsize unit pt - + Image - Obrázek + Obrázek - + Import Import - + Length %s - Délka %s + Délka %s @@ -3929,15 +4522,20 @@ Obsah souboru není v kódování UTF-8. Live Background Error Chyba v pozadí naživo + + + Live Panel + Panel naživo + Load - Na?íst + Načíst Middle - Uprost?ed + Uprostřed @@ -3989,107 +4587,132 @@ Obsah souboru není v kódování UTF-8. OpenLP 2.0 - + + Open Service + Otevřít službu + + + Preview Náhled + + + Preview Panel + Panel náhledu + + Print Service Order + Tisk pořadí služby + + + 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 - - - 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. + 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. + + + Save Service Uložit službu - + Service Služba - + Start %s Spustit %s - + Theme Singular Motiv - + Themes Plural Motivy - + Top - Naho?e + Nahoře - + Version Verze - + Delete the selected item. Smazat vybranou položku. - + Move selection up one position. - P?esun výb?ru o jednu pozici výše. + Přesun výběru o jednu pozici výše. - + Move selection down one position. - P?esun výb?ru o jednu pozici níže. + Přesun výběru o jednu pozici níže. - + &Vertical Align: &Svislé zarovnání: Finished import. - Import dokon?en. + Import dokončen. @@ -4114,17 +4737,17 @@ Obsah souboru není v kódování UTF-8. Select the import format and the location to import from. - Vyberte formát importu a umíst?ní, ze kterého se má importovat. + Vyberte formát importu a umístění, ze kterého se má importovat. The openlp.org 1.x importer has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "python-sqlite" module. - Import dat z openlp.org 1.x je vypnuté kv?li chyb?jícímu Python modulu. Pokud chcete využít tohoto importu dat, je t?eba nainstallovat modul "python-sqlite". + Import dat z openlp.org 1.x je vypnuté kvůli chybějícímu Python modulu. Pokud chcete využít tohoto importu dat, je třeba nainstallovat modul "python-sqlite". Open %s File - Otev?ít soubor %s + Otevřít soubor %s @@ -4134,7 +4757,7 @@ Obsah souboru není v kódování UTF-8. Ready. - P?ipraven. + Připraven. @@ -4145,22 +4768,22 @@ Obsah souboru není v kódování UTF-8. 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. + Je třeba specifikovat alespoň jeden %s soubor, ze kterého se bude importovat. - + Welcome to the Bible Import Wizard - Vítejte v pr?vodci importu Bible + Vítejte v průvodci importu Bible - + Welcome to the Song Export Wizard - Vítejte v pr?vodci exportu písní + Vítejte v průvodci exportu písní Welcome to the Song Import Wizard - Vítejte v pr?vodci importu písní + Vítejte v průvodci importu písní @@ -4172,7 +4795,7 @@ Obsah souboru není v kódování UTF-8. Authors Plural - Auto?i + Autoři @@ -4184,13 +4807,13 @@ Obsah souboru není v kódování UTF-8. Song Book Singular - Zp?vník + Zpěvník Song Books Plural - Zp?vníky + Zpěvníky @@ -4209,41 +4832,41 @@ Obsah souboru není v kódování UTF-8. Plural Témata - - - Continuous - Spojitý - + Continuous + Spojitý + + + Default - Výchozí + Výchozí - + Display style: - Styl zobrazení: + Styl zobrazení: - + File Soubor - + Help - Nápov?da + Nápověda - + h The abbreviated unit for hours hod - + Layout style: - Styl rozvržení: + Styl rozvržení: @@ -4259,61 +4882,61 @@ Obsah souboru není v kódování UTF-8. OpenLP is already running. Do you wish to continue? - Aplikace OpenLP je už spušt?na. P?ejete si pokra?ovat? + Aplikace OpenLP je už spuštěna. Přejete si pokračovat? - + Settings Nastavení - + Tools Nástroje - + Verse Per Slide - Verš na jeden snímek + Verš na snímek - + Verse Per Line - Verš na jeden ?ádek + Verš na jeden řádek - + View Zobrazit - + Duplicate Error - + Duplikovat chybu - + Unsupported File - Nepodporovaný soubor + Nepodporovaný soubor Title and/or verses not found - + Název a/nebo slova nenalezeny XML syntax error - + Chyba v syntaxi XML - + View Mode - + Režim zobrazení - - Welcome to the Bible Upgrade Wizard + + Confirm Delete @@ -4321,38 +4944,63 @@ Obsah souboru není v kódování UTF-8. Open service. + + + Play Slides in Loop + + - Print Service + Play Slides to End - Replace live background. + Print Service + Replace live background. + + + + Reset live background. - + &Split + &Rozdělit + + + + 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. + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + + + + Welcome to the Bible Upgrade Wizard OpenLP.displayTagDialog - + Configure Display Tags - Nastavit zna?ky zobrazení + Nastavit značky zobrazení @@ -4360,7 +5008,7 @@ Obsah souboru není v kódování UTF-8. <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. - <strong>Modul prezentace</strong><br />Modul prezentace dovoluje zobrazovat prezentace z n?kolika r?zných program?. Výb?r dostupných prezenta?ních program? je uživateli p?ístupný v rozbalovacím menu. + <strong>Modul prezentace</strong><br />Modul prezentace dovoluje zobrazovat prezentace z několika různých programů. Výběr dostupných prezentačních programů je uživateli přístupný v rozbalovacím menu. @@ -4372,13 +5020,38 @@ Obsah souboru není v kódování UTF-8. Presentations name plural - Prezentace + Prezentace Presentations container title - Prezentace + Prezentace + + + + Load a new Presentation. + Načíst novou prezentaci. + + + + Delete the selected Presentation. + Smazat vybranou prezentaci. + + + + Preview the selected Presentation. + Náhled vybrané prezentace. + + + + Send the selected Presentation live. + Zobrazit vybranou prezentaci naživo. + + + + Add the selected Presentation to the service. + Přidat vybranou prezentaci ke službě. @@ -4409,54 +5082,54 @@ Obsah souboru není v kódování UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) Vybrat prezentace - + Automatic Automaticky - + Present using: 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 + Chybějící prezentace - + The Presentation %s no longer exists. Prezentace %s už neexistuje. - + The Presentation %s is incomplete, please reload. - Prezentace %s není kompletní, prosím na?t?te ji znovu. + Prezentace %s není kompletní, prosím načtěte ji znovu. @@ -4469,7 +5142,7 @@ Obsah souboru není v kódování UTF-8. Allow presentation application to be overriden - Povolit p?ekrytí prezenta?ní aplikace. + Povolit překrytí prezentační aplikace @@ -4482,13 +5155,13 @@ Obsah souboru není v kódování UTF-8. <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>Modul dálkové ovládání</strong><br />Modul dálkové ovládání poskytuje schopnost zasílat zprávy aplikaci OpenLP b?žící na jiném po?íta?i. Zprávy je možno posílat internetovým prohlíže?em nebo vzdáleným API. + <strong>Modul dálkové ovládání</strong><br />Modul dálkové ovládání poskytuje schopnost zasílat zprávy aplikaci OpenLP běžící na jiném počítači. Zprávy je možno posílat internetovým prohlížečem nebo vzdáleným API. Remote name singular - Dálkové ovládání + Dálkové ovládání @@ -4506,12 +5179,12 @@ Obsah souboru není v kódování UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote - + OpenLP 2.0 Stage View @@ -4521,77 +5194,77 @@ Obsah souboru není v kódování UTF-8. Správce služby - + Slide Controller - + Alerts - + Search Hledat - + Back - + Refresh - + Blank - + Show - + Prev - + Next - + Text - + Show Alert - + Go Live Zobrazit naživo - - Add To Service - + + Add to Service + Přidat ke službě - + No Results - + Options Možnosti @@ -4606,7 +5279,7 @@ Obsah souboru není v kódování UTF-8. Port number: - ?íslo portu: + Číslo portu: @@ -4616,79 +5289,89 @@ Obsah souboru není v kódování UTF-8. Remote URL: - + URL dálkového ovládání: Stage view URL: - + URL zobrazení na jevišti: SongUsagePlugin - + &Song Usage Tracking Sledování použití &písní - + &Delete Tracking Data &Smazat data sledování - + Delete song usage data up to a specified date. - Smazat data použití písní až ke konkrétnímu kalendá?nímu datu. + Smazat data použití písní až ke konkrétnímu kalendářnímu datu. - + &Extract Tracking Data &Rozbalit data sledování - + Generate a report on song usage. - Vytvo?it hlášení z používání písní. - - - - Toggle Tracking - P?epnout sledování + Vytvořit hlášení z používání písní. - Toggle the tracking of song usage. - P?epnout sledování použití písní. + Toggle Tracking + Přepnout sledování - + + Toggle the tracking of song usage. + Přepnout sledování použití písní. + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Modul používání písní</strong><br />Tento modul sleduje používání písní ve službách. - + SongUsage name singular - Používání písní + Používání písně - + SongUsage name plural - Používání písní + 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. + + + + + Song usage tracking is inactive. + + SongUsagePlugin.SongUsageDeleteForm @@ -4710,12 +5393,12 @@ Obsah souboru není v kódování UTF-8. Deletion Successful - Smazání úsp?šné + Smazání úspěšné All requested data has been deleted successfully. - Všechny požadovaná data byla úsp?šn? smazána. + Všechny požadovaná data byla úspěšně smazána. @@ -4738,12 +5421,12 @@ Obsah souboru není v kódování UTF-8. Report Location - Umíst?ní hlášení + Umístění hlášení Output File Location - Umíst?ní výstupního souboru + Umístění výstupního souboru @@ -4753,7 +5436,7 @@ Obsah souboru není v kódování UTF-8. Report Creation - Vytvo?ení hlášení + Vytvoření hlášení @@ -4762,7 +5445,7 @@ Obsah souboru není v kódování UTF-8. has been successfully created. Hlášení %s -bylo úsp?šn? vytvo?eno. +bylo úspěšně vytvořeno. @@ -4772,7 +5455,7 @@ bylo úsp?šn? vytvo?eno. You have not set a valid output location for your song usage report. Please select an existing path on your computer. - Platné výstupní umíst?ní pro hlášení používání písní není nastaveno. Prosím vyberte existující cestu ve vašem po?íta?i. + Platné výstupní umístění pro hlášení používání písní není nastaveno. Prosím vyberte existující cestu ve vašem počítači. @@ -4780,32 +5463,32 @@ bylo úsp?šn? vytvo?eno. &Song - &Píse? + &Píseň Import songs using the import wizard. - Import písní pr?vodcem importu. + Import písní průvodcem importu. <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?. + <strong>Modul písně</strong><br />Modul písně umožňuje zobrazovat a spravovat písně. &Re-index Songs - &P?eindexovat písn? + &Přeindexovat 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í. + Přeindexovat písně v databázi pro vylepšení hledání a řazení. Reindexing songs... - P?eindexovávám písn?... + Přeindexovávám písně... @@ -4815,12 +5498,12 @@ bylo úsp?šn? vytvo?eno. Baltic (CP-1257) - Baltské jazyky (CP-1257) + Baltské jazyky (CP-1257) Central European (CP-1250) - St?edoevropské jazyky (CP-1250) + Středoevropské jazyky (CP-1250) @@ -4830,7 +5513,7 @@ bylo úsp?šn? vytvo?eno. Greek (CP-1253) - ?e?tina (CP-1253) + Řečtina (CP-1253) @@ -4850,7 +5533,7 @@ bylo úsp?šn? vytvo?eno. Simplified Chinese (CP-936) - Zjednodušená ?ínština (CP-936) + Zjednodušená čínština (CP-936) @@ -4860,12 +5543,12 @@ bylo úsp?šn? vytvo?eno. Traditional Chinese (CP-950) - Tradi?ní ?ínština (CP-950) + Tradiční čínština (CP-950) Turkish (CP-1254) - Ture?tina (CP-1254) + Turečtina (CP-1254) @@ -4880,7 +5563,7 @@ bylo úsp?šn? vytvo?eno. Character Encoding - Kódování znak? + Kódování znaků @@ -4888,38 +5571,68 @@ bylo úsp?šn? vytvo?eno. for the correct character representation. Usually you are fine with the preselected choice. Nastavení kódové stránky zodpovídá -za správnou reprezentaci znak?. -P?edvybraná volba by obvykle m?la být správná. +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?. + Vyberte prosím kódování znaků. +Kódování zodpovídá za správnou reprezentaci znaků. Song name singular - Píse? + Píseň Songs name plural - Písně + Písně Songs container title - Písn? + Písně Exports songs using the export wizard. - Exportuje písn? pr?vodcem exportu. + Exportuje písně průvodcem exportu. + + + + 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ě. @@ -4957,7 +5670,7 @@ Kódování zodpovídá za správnou reprezentaci znak?. Author Maintenance - Údržba autor? + Údržba autorů @@ -4967,27 +5680,27 @@ Kódování zodpovídá za správnou reprezentaci znak?. First name: - K?estní jméno: + Křestní jméno: Last name: - P?íjmení: + Příjmení: You need to type in the first name of the author. - Je pot?eba zadat k?estní jméno autora. + Je potřeba zadat křestní jméno autora. You need to type in the last name of the author. - Je pot?eba zadat p?íjmení autora. + Je potřeba zadat příjmení autora. You have not set a display name for the author, combine the first and last names? - Zobrazené jméno autora není zadáno. Má se zkombinovat k?estní jméno a p?íjmení? + Zobrazené jméno autora není zadáno. Má se zkombinovat křestní jméno a příjmení? @@ -4995,198 +5708,205 @@ Kódování zodpovídá za správnou reprezentaci znak?. The file does not have a valid extension. - + Soubor nemá platnou příponu. SongsPlugin.EasyWorshipSongImport - + Administered by %s - Spravuje %s + Spravuje %s + + + + +[above are Song Tags with notes imported from + EasyWorship] + SongsPlugin.EditSongForm - - - Song Editor - Editor písn? - - &Title: - &Název: + Song Editor + Editor písně + &Title: + &Název: + + + Alt&ernate title: &Jiný název: - - - &Lyrics: - &Text písn?: - - &Verse order: - &Po?adí verš?: + &Lyrics: + &Text písně: - + + &Verse order: + &Pořadí veršů: + + + Ed&it All &Upravit vše - + Title && Lyrics - Název a text písn? - - - - &Add to Song - &P?idat k písni + Název a text písně + &Add to Song + &Přidat k písni + + + &Remove &Odstranit - + &Manage Authors, Topics, Song Books - &Správa autor?, témat a zp?vník? - - - - A&dd to Song - &P?idat k písni + &Správa autorů, témat a zpěvníků + A&dd to Song + &Přidat k písni + + + R&emove &Odstranit - - - Book: - Zp?vník: - - Number: - ?íslo: + Book: + Zpěvník: - Authors, Topics && Song Book - Auto?i, témata a zp?vníky + Number: + Číslo: - + + Authors, Topics && Song Book + Autoři, témata a zpěvníky + + + New &Theme Nový &motiv - + Copyright Information Informace o autorském právu - - - Comments - Komentá?e - + Comments + Komentáře + + + Theme, Copyright Info && Comments - Motiv, autorská práva a komentá?e + Motiv, autorská práva a komentáře - + Add Author - P?idat autora + Přidat autora - + This author does not exist, do you want to add them? - Tento autor neexistuje. Chcete ho p?idat? + 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". + 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 + Přidat téma - + This topic does not exist, do you want to add it? - Toto téma neexistuje. Chcete ho p?idat? + 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". + 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. + Je potřeba zadat název písne. - + You need to type in at least one verse. - Je pot?eba zadat alespo? jednu sloku. + Je potřeba zadat alespoň jednu sloku. - + Warning Varování - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - Po?adí ?ástí písn? není platné. ?ást odpovídající %s neexistuje. Platné položky jsou %s. + Pořadí částí písně není platné. Část odpovídající %s neexistuje. Platné položky jsou %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? - ?ást %s není použita v po?adí ?ástí písn?. Jste si jisti, že chcete píse? takto uložit? + Část %s není použita v pořadí částí písně. Jste si jisti, že chcete píseň takto uložit? - + Add Book - P?idat zp?vník + Přidat zpěvník - + This song book does not exist, do you want to add it? - Tento zp?vník neexistuje. Chcete ho p?idat? + Tento zpěvník neexistuje. Chcete ho přidat? - + You need to have an author for this song. - Pro tuto píse? je pot?eba zadat autora. + Pro tuto píseň je potřeba zadat autora. - + You need to type some text in to the verse. - Ke sloce je pot?eba zadat n?jaký text. + Ke sloce je potřeba zadat nějaký text. @@ -5206,111 +5926,121 @@ Kódování zodpovídá za správnou reprezentaci znak?. &Insert &Vložit + + + &Split + &Rozdělit + + + + 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 text nevejde na obrazovku. + Split a slide into two by inserting a verse splitter. - + Vložením oddělovače slok se snímek rozdělí na dva. SongsPlugin.ExportWizardForm - + Song Export Wizard - Pr?vodce exportem písní + Průvodce exportem písní - + This wizard will help to export your songs to the open and free OpenLyrics worship song format. - Tento pr?vodce pomáhá exportovat vaše písn? do otev?eného a svobodného formátu chval OpenLyrics. + Tento průvodce pomáhá exportovat vaše písně do otevřeného a svobodného formátu chval OpenLyrics. - + Select Songs - Vybrat písn? + Vybrat písně - + Check the songs you want to export. - Zaškrtn?te písn?, které chcete exportovat. + Zaškrtněte písně, které chcete exportovat. - + Uncheck All Odškrtnout vše - + Check All Zaškrtnout vše - + Select Directory - Vybrat adresá? + Vybrat adresář - + Directory: - Adresá?: + Adresář: - + Exporting Exportuji - + Please wait while your songs are exported. - ?ekejte prosím, než písn? budou exportovány. + Čekejte prosím, než písně budou exportovány. - + You need to add at least one Song to export. - Je pot?eba p?idat k exportu alespo? jednu píse?. + Je potřeba přidat k exportu alespoň jednu píseň. - + No Save Location specified - Není zadáno umíst?ní pro uložení + 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 adresá?. + Je potřeba zadat adresář. - + 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ě. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files - Vybrat dokumentové/prezenta?ní soubory + Vybrat dokumentové/prezentační soubory Song Import Wizard - Pr?vodce importem písní + 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. + 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. @@ -5325,12 +6055,12 @@ Kódování zodpovídá za správnou reprezentaci znak?. The OpenLyrics importer has not yet been developed, but as you can see, we are still intending to do so. Hopefully it will be in the next release. - Import pro formát OpenLyrics ješt? nebyl vyvinut, ale jak m?žete vid?t, stále to zamýšlíme ud?lat. Doufáme, že to bude p?ítomno v další verzi aplikace. + Import pro formát OpenLyrics ještě nebyl vyvinut, ale jak můžete vidět, stále to zamýšlíme udělat. Doufáme, že to bude přítomno v další verzi aplikace. Add Files... - P?idat soubory... + Přidat soubory... @@ -5338,59 +6068,69 @@ Kódování zodpovídá za správnou reprezentaci znak?. Odstranit soubory - - Please wait while your songs are imported. - ?ekejte prosím, než písn? budou importovány. + + The Songs of Fellowship importer has been disabled because OpenLP cannot find OpenOffice.org on your computer. + Import z formátu Songs of Fellowship byl vypnut, protože aplikace OpenLP nenalezla OpenOffice.org na vašem počítači. - + + The generic document/presentation importer has been disabled because OpenLP cannot find OpenOffice.org on your computer. + Import z obecných dokumentů nebo prezentací byl vypnut, protože aplikace OpenLP nenalezla OpenOffice.org na vašem počítači. + + + + Please wait while your songs are imported. + Čekejte prosím, než písně budou importovány. + + + OpenLP 2.0 Databases Databáze OpenLP 2.0 - + openlp.org v1.x Databases Databáze openlp.org v1.x - + Words Of Worship Song Files - Soubory s písn?mi Words of Worship + Soubory s písněmi Words of Worship - + You need to specify at least one document or presentation file to import from. - Je pot?eba zadat alespo? jeden dokument nebo jednu prezentaci, ze které importovat. + Je potřeba zadat alespoň jeden dokument nebo jednu prezentaci, ze které importovat. - + Songs Of Fellowship Song Files - Soubory s písn?mi Songs Of Fellowship + Soubory s písněmi Songs Of Fellowship - + SongBeamer Files SongBeamer soubory - + SongShow Plus Song Files - Soubory s písn?mi SongShow Plus + Soubory s písněmi SongShow Plus - + Foilpresenter Song Files - Soubory s písn?mi Foilpresenter + Soubory s písněmi Foilpresenter Copy - Kopírovat + Kopírovat Save to File - Uložit do souboru + Uložit do souboru @@ -5406,51 +6146,57 @@ Kódování zodpovídá za správnou reprezentaci znak?. SongsPlugin.MediaItem - + Titles Názvy - + Lyrics - Text písn? + Text písně - + Delete Song(s)? - Smazat písn?? + Smazat písně? - + CCLI License: CCLI Licence: - + Entire Song - Celá píse? + Celá píseň - + Are you sure you want to delete the %n selected song(s)? + Jste si jisti, že chcete smazat %n vybranou píseň? + Jste si jisti, že chcete smazat %n vybrané písně? Jste si jisti, že chcete smazat %n vybraných písní? - - - + Maintain the lists of authors, topics and books. + Spravovat seznamy autorů, témat a zpěvníků. + + + + copy + For song cloning SongsPlugin.OpenLP1SongImport - + Not a valid openlp.org 1.x song database. - + Neplatná databáze písní openlp.org 1.x. @@ -5458,15 +6204,15 @@ Kódování zodpovídá za správnou reprezentaci znak?. Not a valid OpenLP 2.0 song database. - + Neplatná databáze písní OpenLP 2.0. SongsPlugin.OpenLyricsExport - + Exporting "%s"... - Exportuji "%s"... + Exportuji "%s"... @@ -5474,7 +6220,7 @@ Kódování zodpovídá za správnou reprezentaci znak?. Song Book Maintenance - Údržba zp?vníku + Údržba zpěvníku @@ -5489,56 +6235,56 @@ Kódování zodpovídá za správnou reprezentaci znak?. You need to type in a name for the book. - Je pot?eba zadat název zp?vníku. + Je potřeba zadat název zpěvníku. SongsPlugin.SongExportForm - + Finished export. - Export dokon?en. + Export dokončen. - + Your song export failed. - Export písn? selhal. + Export písně selhal. SongsPlugin.SongImport - + copyright autorská práva - + The following songs could not be imported: + Následující písně nemohly být importovány: + + + + Cannot access OpenOffice or LibreOffice - + Unable to open file - + File not found - - - Cannot access OpenOffice or LibreOffice - - SongsPlugin.SongImportForm - + Your song import failed. - Import písn? selhal. + Import písně selhal. @@ -5546,7 +6292,7 @@ Kódování zodpovídá za správnou reprezentaci znak?. Could not add your author. - Nemohu p?idat autora. + Nemohu přidat autora. @@ -5556,7 +6302,7 @@ Kódování zodpovídá za správnou reprezentaci znak?. Could not add your topic. - Nemohu p?idat téma. + Nemohu přidat téma. @@ -5566,17 +6312,17 @@ Kódování zodpovídá za správnou reprezentaci znak?. Could not add your book. - Nemohu p?idat zp?vník. + Nemohu přidat zpěvník. This book already exists. - Tento zp?vník již existuje. + Tento zpěvník již existuje. Could not save your changes. - Nemohu uložit zm?ny. + Nemohu uložit změny. @@ -5601,7 +6347,7 @@ Kódování zodpovídá za správnou reprezentaci znak?. 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. + Nemohu smazat autora, protože je v současné době přiřazen alespoň k jedné písni. @@ -5616,37 +6362,37 @@ Kódování zodpovídá za správnou reprezentaci znak?. 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. + 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 + Smazat zpěvník Are you sure you want to delete the selected book? - Jste si jisti, že chcete smazat vybraný zp?vník? + Jste si jisti, ž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. + 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? + Autor %s již existuje. Přejete si vytvořit písně s autorem %s a použít již existujícího autora %s? 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? + 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 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? + 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? @@ -5654,27 +6400,27 @@ Kódování zodpovídá za správnou reprezentaci znak?. Songs Mode - Režim písn? + Režim písně Enable search as you type - Zapnout hledat b?hem psaní + Zapnout hledat během psaní Display verses on live tool bar - Zobrazit sloky v nástrojové lišt? naživo + Zobrazit sloky v nástrojové liště naživo Update service from song edit - Aktualizovat službu p?i úprav? písn? + Aktualizovat službu při úpravě písně Add missing songs when opening service - P?idat chyb?jící písn? p?i otev?ení služby + Přidat chybějící písně při otevření služby @@ -5692,7 +6438,7 @@ Kódování zodpovídá za správnou reprezentaci znak?. You need to type in a topic name. - Je pot?eba zadat název tématu. + Je potřeba zadat název tématu. @@ -5710,22 +6456,22 @@ Kódování zodpovídá za správnou reprezentaci znak?. Bridge - P?echod + Přechod Pre-Chorus - P?edrefrén + Předrefrén Intro - P?edehra + Předehra Ending - Zakon?ení + Zakončení @@ -5736,9 +6482,9 @@ Kódování zodpovídá za správnou reprezentaci znak?. ThemeTab - + Themes - Motivy + Motivy diff --git a/resources/i18n/de.ts b/resources/i18n/de.ts index b22ffef5b..09c5a2c6d 100644 --- a/resources/i18n/de.ts +++ b/resources/i18n/de.ts @@ -1,32 +1,5 @@ - - - AlertPlugin.AlertForm - - - You have not entered a parameter to be replaced. -Do you want to continue anyway? - Sie haben keinen Parameter angegeben, der ersetzt werden könnte. -Möchten Sie trotzdem fortfahren? - - - - No Parameter Found - Kein Parameter gefunden - - - - No Placeholder Found - Kein Platzhalter gefunden - - - - The alert text does not contain '<>'. -Do you want to continue anyway? - Der Hinweistext enthält nicht <>. -Möchten Sie trotzdem fortfahren? - - + AlertsPlugin @@ -39,11 +12,6 @@ Möchten Sie trotzdem fortfahren? Show an alert message. Hinweis anzeigen. - - - <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen - <strong>Hinweis Erweiterung</strong><br />Die Erweiterung Hinweis ermöglicht es, Texte auf der Anzeige einzublenden. - Alert @@ -62,6 +30,11 @@ Möchten Sie trotzdem fortfahren? container title Hinweise + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. + <strong>Hinweis Erweiterung</strong><br />Die Erweiterung Hinweis ermöglicht es, Texte auf der Anzeige einzublenden. + AlertsPlugin.AlertForm @@ -110,6 +83,30 @@ Möchten Sie trotzdem fortfahren? &Parameter: &Parameter: + + + No Parameter Found + Kein Parameter gefunden + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + Sie haben keinen Parameter angegeben, der ersetzt werden könnte. +Möchten Sie trotzdem fortfahren? + + + + No Placeholder Found + Kein Platzhalter gefunden + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + Der Hinweistext enthält nicht <>. +Möchten Sie trotzdem fortfahren? + AlertsPlugin.AlertsManager @@ -152,84 +149,6 @@ Möchten Sie trotzdem fortfahren? Schriftgröße: - - BibleDB.Wizard - - - Importing books... %s - Importiere Bücher... %s - - - - Importing verses from %s... - Importing verses from <book name>... - Importiere Verse von %s... - - - - Importing verses... done. - Importiere Verse... Fertig. - - - - BiblePlugin - - - &Upgrade older Bibles - &Upgrade alte Bibeln - - - - Upgrade the Bible databases to the latest format. - Stelle die Bibeln auf das aktuelle Datenbankformat um. - - - - BiblePlugin.HTTPBible - - - Download Error - Download Fehler - - - - Parse Error - Formatfehler - - - - 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. Sollte dieser Fehler dennoch auftreten, so wenden Sie sich bitte an den OpenLP Support. - - - - 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. Sollte dieser Fehler wiederholt auftreten, so wenden Sie sich bitte an den OpenLP Support. - - - - BiblePlugin.MediaItem - - - Bible not fully loaded. - Bibel wurde nicht vollständig geladen. - - - - 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? - - - - Information - Hinweis - - - - 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. - - BiblesPlugin @@ -256,12 +175,12 @@ Möchten Sie trotzdem fortfahren? 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. @@ -305,38 +224,48 @@ Möchten Sie trotzdem fortfahren? <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Bibel Erweiterung</strong><br />Die Bibel Erweiterung ermöglicht es Bibelverse aus verschiedenen Quellen anzuzeigen. + + + &Upgrade older Bibles + &Upgrade alte Bibeln + + + + Upgrade the Bible databases to the latest format. + Stelle die Bibeln auf das aktuelle Datenbankformat um. + BiblesPlugin.BibleManager - + Scripture Reference Error Fehler im Textverweis - + Web Bible cannot be used Für Onlinebibeln nicht verfügbar - + Text Search is not available with Web Bibles. In Onlinebibeln ist Textsuche nicht möglich. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Es wurde kein Suchbegriff eingegeben. Um nach mehreren Begriffen gleichzeitig zu suchen, müssen die Begriffe durch ein Leerzeichen getrennt sein. Alternative Suchbegriffe müssen per Komma getrennt sein. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Zurzeit sind keine Bibelübersetzungen installiert. Zur Suche muss eine solche mit dem Importassistent importiert werden. - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns: Book Chapter @@ -355,7 +284,7 @@ Buch Kapitel:Verse-Verse,Kapitel:Verse-Verse Buch Kapitel:Verse-Kapitel:Verse - + No Bibles Available Keine Bibeln verfügbar @@ -461,189 +390,228 @@ Changes do not affect verses already in the service. Sie müssen ein Buch wählen. + + BiblesPlugin.CSVBible + + + Importing books... %s + Importiere Bücher... %s + + + + Importing verses from %s... + Importing verses from <book name>... + Importiere Verse von %s... + + + + Importing verses... done. + Importiere Verse... Fertig. + + 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. Sollte dieser Fehler dennoch auftreten, so wenden Sie sich bitte an den OpenLP Support. + + + + 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. Sollte dieser Fehler wiederholt auftreten, so wenden Sie sich bitte an den OpenLP Support. + 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: Übersetzung: - + 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. - + 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. Bitte geben Sie den Namen der Bibelübersetzung ein. - + Bible Exists Übersetzung bereits vorhanden - + Your Bible import failed. Der Bibelimport ist fehlgeschlagen. - + Version name: Bibelausgabe: - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Das Copyright muss angegeben werden. Gemeinfreie Bibeln ohne Copyright sind als solche zu kennzeichnen. - + 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. - + Permissions: Genehmigung: - + CSV File CSV-Datei - + Bibleserver Bibleserver.com - + Bible file: Bibeldatei: - + Books file: Bücherdatei: - + Verses file: Versedatei: - + openlp.org 1.x Bible Files openlp.org 1.x Bibel-Dateien - + Registering Bible... Registriere Bibel... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. Registrierung abgeschlossen. @@ -672,7 +640,7 @@ werden. Daher ist eine Internetverbindung erforderlich. BiblesPlugin.LanguageForm - + You need to choose a language. Sie müssen eine Sprache wählen. @@ -680,60 +648,80 @@ werden. Daher ist eine Internetverbindung erforderlich. BiblesPlugin.MediaItem - + Quick Schnellsuche - + Find: Suchen: - + Book: Buch: - + 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 + Hinweis + + + + 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. + BiblesPlugin.Opensong @@ -761,177 +749,177 @@ werden. Daher ist eine Internetverbindung erforderlich. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory Ein Backup-Verzeichnis wählen - + 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 - + Version name: - Bibelausgabe: + Bibelausgabe: - + This Bible still exists. Please change the name or uncheck it. - Diese Bibel existiert bereits. Bitte ändern Sie den Namen oder wählen Sie die Bibel in der Liste ab. + Diese Bibel existiert bereits. Bitte ändern Sie den Namen oder wählen Sie die Bibel in der Liste ab. - + Upgrading Aktualisiere... - + Please wait while your Bibles are upgraded. Bitte warten Sie bis Ihre Bibeln aktualisiert sind. - - You need to specify a Backup Directory for your Bibles. - Sie müssen ein Backup-Verzeichnis für Ihre Bibeln angeben. - - - + You need to specify a version name for your Bible. - Bitte geben Sie den Namen der Bibelübersetzung ein. + Bitte geben Sie den Namen der Bibelübersetzung ein. - + Bible Exists - Übersetzung bereits vorhanden + Übersetzung bereits vorhanden - + This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck. - Diese Bibel existiert bereits. Bitte aktualisieren Sie eine andere Bibel, löschen Sie die bereits vorhandene oder wählen Sie die Bibel in der Liste ab. + Diese Bibel existiert bereits. Bitte aktualisieren Sie eine andere Bibel, löschen Sie die bereits vorhandene oder wählen Sie die Bibel in der Liste ab. - - There are no Bibles available to upgrade. - Es sind keine Bibel für eine Aktualisierung vorhanden... - - - + 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 - + Upgrading Bible %s of %s: "%s" Upgrading %s ... Aktualisiere Bibel %s von %s: »%s« Aktualisiere »%s«... - + , %s failed , %s fehlgeschlagen - + Upgrading Bible(s): %s successful%s Aktualisiere Bibeln: %s erfolgreich%s - + Upgrade failed. Aktualisierung schlug fehl. - + 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. - - Starting Bible upgrade... - Beginne mit der Aktualisierung... - - - + To upgrade your Web Bibles an Internet connection is required. Um Onlinebibeln zu aktualisieren ist eine Internetverbindung notwendig. - + Upgrading Bible %s of %s: "%s" Complete Aktualisiere Bibel %s von %s: »%s« Fertig - + Upgrading Bible(s): %s successful%s Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. Aktualisiere Bibeln: %s erfolgreich%s Bitte beachten Sie, dass Bibeltexte von Onlinebibeln bei Bedarf heruntergeladen werden. Daher ist eine Internetverbindung erforderlich. + + + 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. + CustomPlugin @@ -1055,12 +1043,12 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln bei Bedarf heruntergeladen Füge einen Folienumbruch ein. - + You need to type in a title. Bitte geben Sie einen Titel ein. - + You need to add at least one slide Es muss mindestens eine Folie erstellt werden. @@ -1076,11 +1064,14 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln bei Bedarf heruntergeladen - GeneralTab - - - General - Allgemein + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slides(s)? + + Sind Sie sicher, dass die %n Sonderfolie gelöscht werden soll? + Sind Sie sicher, dass die %n Sonderfolien gelöscht werden sollen? + @@ -1155,42 +1146,47 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln bei Bedarf heruntergeladen ImagePlugin.MediaItem - + Select Image(s) Bilder auswählen - + You must select an image to delete. Das Bild, das entfernt werden soll, muss ausgewählt sein. - + 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. + + MediaPlugin @@ -1256,40 +1252,45 @@ 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. - + Missing Media File Fehlende Audio-/Videodatei - + The file %s no longer exists. Die Audio-/Videodatei »%s« existiert nicht mehr. - + 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. - + Videos (%s);;Audio (%s);;%s (*) Video (%s);;Audio (%s);;%s (*) + + + There was no display item to amend. + + MediaPlugin.MediaTab @@ -1307,7 +1308,7 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen? OpenLP - + Image Files Bilddateien @@ -1603,82 +1604,82 @@ der Medienverwaltung angklickt werden OpenLP.DisplayTagDialog - + Edit Selection - Auswahl bearbeiten + Auswahl bearbeiten - + Description - Beschreibung + Beschreibung + + + + Tag + Tag + + + + Start tag + Anfangs Tag - Tag - Tag - - - - Start tag - Anfangs Tag - - - End tag - End Tag + End Tag - + Tag Id - Tag Nr. + Tag Nr. - + Start HTML - Anfangs HTML + Anfangs HTML - + End HTML - End HTML + End HTML - + Save - Speichern + Speichern OpenLP.DisplayTagTab - + Update Error - Aktualisierungsfehler + Aktualisierungsfehler Tag "n" already defined. - Tag »n« bereits definiert. + Tag »n« bereits definiert. - + Tag %s already defined. - Tag »%s« bereits definiert. + Tag »%s« bereits definiert. New Tag - Neuer Tag + Neuer Tag </and here> - </und hier> + </und hier> <HTML here> - <HTML hier> + <HTML hier> @@ -1686,82 +1687,82 @@ der Medienverwaltung angklickt werden Red - rot + rot Black - schwarz + schwarz Blue - blau + blau Yellow - gelb + gelb Green - grün + grün Pink - rosa + rosa Orange - orange + orange Purple - lila + lila White - weiß + weiß Superscript - hochgestellt + hochgestellt Subscript - tiefgestellt + tiefgestellt Paragraph - Textabsatz + Textabsatz Bold - fett + fett Italics - kursiv + kursiv Underline - unterstrichen + unterstrichen Break - Textumbruch + Textumbruch @@ -1811,7 +1812,7 @@ dieser Fehler auftrat. Bitte verwenden Sie (wenn möglich) Englisch. Platform: %s - Plattform: %s + Plattform: %s @@ -1932,12 +1933,12 @@ Version: %s %s wird heruntergeladen... - + Download complete. Click the finish button to start OpenLP. Download vollständig. Klicken Sie »Abschließen« um OpenLP zu starten. - + Enabling selected plugins... Aktiviere ausgewählte Erweiterungen... @@ -1966,11 +1967,6 @@ Version: %s Songs Lieder - - - Custom Text - Sonderfolien - Bible @@ -2090,25 +2086,209 @@ Um den Einrichtungsassistent nicht auszuführen, drücken Sie »Abschließen«.< Dieser Assistent wird Ihnen helfen OpenLP für die erste Benutzung zu konfigurieren. Klicken sie »Weiter« um den Assistenten zu starten. - + 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 - + Click the finish button to start OpenLP. Klicken Sie »Abschließen« um OpenLP zu starten. + + + Custom Slides + Sonderfolien + + + + Download complete. Click the finish button to return to OpenLP. + Download vollständig. Klicken Sie »Abschließen« um zurück zu OpenLP zu gelangen. + + + + Click the finish button to return to OpenLP. + Klicken Sie »Abschließen« um zu OpenLP zurück zu gelangen. + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + Konfiguriere Formatforlagen + + + + Edit Selection + Auswahl bearbeiten + + + + Save + Speichern + + + + Description + Beschreibung + + + + Tag + Tag + + + + Start tag + Anfangs Tag + + + + End tag + End Tag + + + + Tag Id + Tag Nr. + + + + Start HTML + Anfangs HTML + + + + End HTML + End HTML + + + + OpenLP.FormattingTagForm + + + Update Error + Aktualisierungsfehler + + + + Tag "n" already defined. + Tag »n« bereits definiert. + + + + New Tag + Neuer Tag + + + + <HTML here> + <HTML hier> + + + + </and here> + </und hier> + + + + Tag %s already defined. + Tag »%s« bereits definiert. + + + + OpenLP.FormattingTags + + + Red + rot + + + + Black + schwarz + + + + Blue + blau + + + + Yellow + gelb + + + + Green + grün + + + + Pink + rosa + + + + Orange + orange + + + + Purple + lila + + + + White + weiß + + + + Superscript + hochgestellt + + + + Subscript + tiefgestellt + + + + Paragraph + Textabsatz + + + + Bold + fett + + + + Italics + kursiv + + + + Underline + unterstrichen + + + + Break + Textumbruch + OpenLP.GeneralTab @@ -2254,7 +2434,7 @@ Um den Einrichtungsassistent nicht auszuführen, drücken Sie »Abschließen«.< OpenLP.MainDisplay - + OpenLP Display OpenLP-Anzeige @@ -2262,307 +2442,307 @@ Um den Einrichtungsassistent nicht auszuführen, drücken Sie »Abschließen«.< OpenLP.MainWindow - + &File &Datei - + &Import &Importieren - + &Export &Exportieren - + &View &Ansicht - + M&ode An&sichtsmodus - + &Tools E&xtras - + &Settings &Einstellungen - + &Language &Sprache - + &Help &Hilfe - + Media Manager Medienverwaltung - + Service Manager Ablaufverwaltung - + Theme Manager Designverwaltung - + &New &Neu - + &Open Ö&ffnen - + Open an existing service. Einen vorhandenen Ablauf öffnen. - + &Save &Speichern - + Save the current service to disk. Den aktuellen Ablauf speichern. - + Save &As... Speichern &unter... - + 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. - + &Plugin List Er&weiterungen... - + 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. - + 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 - + 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/. @@ -2577,55 +2757,110 @@ Sie können die letzte Version auf http://openlp.org abrufen. Deutsch - + Configure &Shortcuts... - &Tastenkürzel einrichten... + Konfiguriere &Tastenkürzel... - + Close OpenLP OpenLP beenden - + Are you sure you want to close OpenLP? Sind Sie sicher, dass OpenLP beendet werden soll? - + 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. - + &Configure Display Tags - &Formatvorlagen + &Formatvorlagen - + &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 + &Sperre Leisten + + + + 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. + Sind Sie sicher, dass Sie den Einrichtungsassistent erneut starten möchten? + +Der Einrichtungsassistent kann einige Einstellungen verändern und ggf. neue Lieder, Bibeln und Designs zu den bereits vorhandenen hinzufügen. + + + + &Recent Files + &Zuletzte geöffnete Abläufe + + + + &Configure Formatting Tags... + Konfiguriere &Formatvorlagen... + + + + Clear List + Clear List of recent files + Leeren + + + + Clear the list of recent files. + Leert die Liste der zuletzte geöffnete Abläufe. + OpenLP.MediaManagerItem @@ -2635,57 +2870,79 @@ Sie können die letzte Version auf http://openlp.org abrufen. 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. - + No Search Results Kein Suchergebnis - + You must select one or more items to add. Sie müssen ein oder mehrer Element auswählen. - + Duplicate filename %s. This filename is already in the list - Doppelter Dateiname %s. + Doppelter Dateiname %s. Dateiname existiert bereits in der Liste. + + + &Clone + &Klonen + + + + Invalid File Type + Ungültige Dateiendung + + + + Invalid File %s. +Suffix not supported + Ungültige Datei %s. +Dateiendung nicht unterstützt. + + + + Duplicate files found on import and ignored. + + OpenLP.PluginForm @@ -2733,12 +2990,12 @@ Dateiname existiert bereits in der Liste. OpenLP.PrintServiceDialog - + Fit Page Auf Seite einpassen - + Fit Width An Breite anpassen @@ -2746,70 +3003,80 @@ Dateiname existiert bereits in der Liste. OpenLP.PrintServiceForm - + Options Optionen - - Close - Schließen - - - + 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 + 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: + OpenLP.ScreenList @@ -2824,10 +3091,23 @@ Dateiname existiert bereits in der Liste. Primär + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + <strong>Anfang</strong>: %s + + + + <strong>Length</strong>: %s + <strong>Spiellänge</strong>: %s + + OpenLP.ServiceItemEditForm - + Reorder Service Item Reihenfolge der Bilder ändern @@ -2835,257 +3115,272 @@ Dateiname existiert bereits in der Liste. OpenLP.ServiceManager - + Move to &top Zum &Anfang schieben - + Move item to the top of the service. Das ausgewählte Element an den Anfang des Ablaufs verschieben. - + Move &up Nach &oben schieben - + Move item up one position in the service. Das ausgewählte Element um eine Position im Ablauf nach oben verschieben. - + Move &down Nach &unten schieben - + Move item down one position in the service. Das ausgewählte Element um eine Position im Ablauf nach unten verschieben. - + Move to &bottom Zum &Ende schieben - + Move item to the end of the service. Das ausgewählte Element an das Ende des Ablaufs verschieben. - + &Delete From Service Vom Ablauf &löschen - + Delete the selected item from the service. 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. The content encoding is not UTF-8. Die gewählte Datei ist keine gültige OpenLP Ablaufdatei. Der Inhalt ist nicht in UTF-8 kodiert. - + 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. - + &Expand all Alle au&sklappen - + Expand all the service items. Alle Ablaufelemente ausklappen. - + &Collapse all Alle ei&nklappen - + Collapse all the service items. Alle Ablaufelemente einklappen. - + Open File Ablauf öffnen - + OpenLP Service Files (*.osz) OpenLP Ablaufdateien (*.osz) - + Moves the selection up the window. Ausgewähltes nach oben schieben - + Move up Nach oben - + Go Live Live - + Send the selected item to Live. Zeige das ausgewählte Element Live. - + Moves the selection down the window. Ausgewähltes nach unten schieben - + 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? - + &Start Time &Startzeit - + Show &Preview &Vorschau - + Show &Live &Live - + 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 - + Untitled Service Unbenannt - + Custom Service Notes: Notizen zum Ablauf: - + Notes: Notizen: - + Playing time: Spiellänge: - + Load an existing service. Einen bestehenden Ablauf öffnen. - + Save this service. Den aktuellen Ablauf speichern. - + Select a theme for the service. Design für den Ablauf auswählen. - + This file is either corrupt or it is not an OpenLP 2.0 service file. Entweder ist die Datei fehlerhaft oder sie ist keine OpenLP 2.0 Ablauf-Datei. + + + Slide theme + Element-Design + + + + Notes + Notizen + + + + Service File Missing + Ablaufdatei fehlt + OpenLP.ServiceNoteForm - + Service Item Notes Elementnotiz @@ -3103,7 +3398,7 @@ Der Inhalt ist nicht in UTF-8 kodiert. Customize Shortcuts - Tastenkürzel anpassen + Tastenkürzel anpassen @@ -3116,12 +3411,12 @@ Der Inhalt ist nicht in UTF-8 kodiert. 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. @@ -3156,20 +3451,25 @@ Der Inhalt ist nicht in UTF-8 kodiert. Standard Tastenkürzel dieser Aktion wiederherstellen. - + Restore Default Shortcuts Standard Tastenkürzel wiederherstellen - + Do you want to restore all shortcuts to their defaults? Möchten Sie alle standard Tastenkürzel wiederherstellen? + + + Configure Shortcuts + Konfiguriere Tastaturkürzel... + OpenLP.SlideController - + Hide Verbergen @@ -3179,27 +3479,27 @@ Der Inhalt ist nicht in UTF-8 kodiert. Gehe zu - + Blank Screen Anzeige abdunkeln - + Blank to Theme Design leeren - + Show Desktop Desktop anzeigen - + Previous Slide Vorherige Folie - + Next Slide Nächste Folie @@ -3219,30 +3519,20 @@ Der Inhalt ist nicht in UTF-8 kodiert. Folie schließen - + Move to previous. Vorherige Folie anzeigen. - + Move to next. Vorherige Folie anzeigen. - + Play Slides Schleife - - - Play Slides in Loop - Endlosschleife - - - - Play Slides to End - Schleife bis zum Ende - Delay between slides in seconds. @@ -3272,17 +3562,17 @@ Der Inhalt ist nicht in UTF-8 kodiert. OpenLP.SpellTextEdit - + Spelling Suggestions Rechtschreibvorschläge - + Formatting Tags Formatvorlagen - + Language: Sprache: @@ -3376,192 +3666,198 @@ Der Inhalt ist nicht in UTF-8 kodiert. OpenLP.ThemeManager - + Edit a theme. Ein bestehendes Design bearbeiten. - + Delete a theme. Ein Design löschen. - + Import a theme. Ein Design aus einer Datei importieren. - + Export a theme. Ein Design in eine Datei exportieren. - + &Edit Theme Design &bearbeiten - + &Delete Theme Design &löschen - + 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 - + Your theme could not be exported due to an error. Dieses Design konnte aufgrund eines Fehlers nicht exportiert werden. - + Select Theme Import File OpenLP Designdatei importieren - + File is not a valid theme. The content encoding is not UTF-8. Die Datei ist keine gültige OpenLP Designdatei. Sie ist nicht in UTF-8 kodiert. - + File is not a valid theme. Diese Datei ist keine gültige OpenLP Designdatei. - + Theme %s is used in the %s plugin. Das Design »%s« wird in der »%s« Erweiterung benutzt. - + &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. - + Create a new theme. Erstelle ein neues Design. - + Edit Theme Bearbeite Design - + Delete Theme Lösche Design - + Import Theme Importiere Design - + Export Theme Exportiere Design - + OpenLP Themes (*.theme *.otz) OpenLP Designs (*.theme *.otz) + + + Copy of %s + Copy of <theme name> + Kopie von %s + OpenLP.ThemeWizard @@ -3673,12 +3969,12 @@ Sie ist nicht in UTF-8 kodiert. Bold - &fett + Fett Italic - &kursiv + Kursiv @@ -3805,6 +4101,16 @@ Sie ist nicht in UTF-8 kodiert. Edit Theme - %s Bearbeite Design - %s + + + Starting color: + + + + + Ending color: + + OpenLP.ThemesTab @@ -3848,31 +4154,36 @@ Sie ist nicht in UTF-8 kodiert. Use the global theme, overriding any themes associated with either the service or the songs. Das Standarddesign immer verwenden, unabhängig vom Lieddesign oder Ablaufdesign. + + + Themes + Designs + OpenLP.Ui - + Error Fehler - + &Delete &Löschen - + Delete the selected item. Lösche den ausgewählten Eintrag. - + Move selection up one position. Ausgewählten Eintrag nach oben schieben. - + Move selection down one position. Ausgewählten Eintrag nach unten schieben. @@ -3892,12 +4203,12 @@ Sie ist nicht in UTF-8 kodiert. Alle Dateien - + &Edit &Bearbeiten - + Import Import @@ -3922,32 +4233,32 @@ Sie ist nicht in UTF-8 kodiert. OpenLP 2.0 - + Preview Vorschau - + Replace Background Live-Hintergrund ersetzen - + Reset Background Hintergrund zurücksetzen - + Service Ablauf - + &Vertical Align: &Vertikale Ausrichtung: - + Top oben @@ -3966,23 +4277,18 @@ Sie ist nicht in UTF-8 kodiert. Create a new service. Erstelle neuen Ablauf. - - - Length %s - Länge %s - New Service Neuer Ablauf - + Save Service Speicher Ablauf - + Start %s Start %s @@ -4007,23 +4313,23 @@ Sie ist nicht in UTF-8 kodiert. CCLI-Nummer: - + Empty Field Leeres Feld - + Export Export - + pt Abbreviated font pointsize unit pt - + Image Bild @@ -4067,45 +4373,45 @@ Sie ist nicht in UTF-8 kodiert. openlp.org 1.x - + s The abbreviated unit for seconds s - + Save && Preview Speichern && Vorschau - + Search Suchen - + 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. - + Theme Singular Design - + Themes Plural Designs - + Version Version @@ -4171,12 +4477,12 @@ Sie ist nicht in UTF-8 kodiert. 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 @@ -4233,38 +4539,38 @@ Sie ist nicht in UTF-8 kodiert. Themen - + Continuous Fortlaufend - + Default Standard - + Display style: Versangabenformat: - + File Datei - + Help Hilfe - + h The abbreviated unit for hours h - + Layout style: Folienformat: @@ -4285,37 +4591,37 @@ Sie ist nicht in UTF-8 kodiert. OpenLP läuft bereits. Möchten Sie trotzdem fortfahren? - + Settings Einstellungen - + Tools Extras - + Verse Per Slide Verse pro Folie - + Verse Per Line Verse pro Zeile - + View Ansicht - + Duplicate Error Duplikate gefunden - + Unsupported File Nicht unterstütztes Dateiformat @@ -4330,12 +4636,12 @@ Sie ist nicht in UTF-8 kodiert. XML Syntax Fehler - + View Mode Ansichtsmodus - + Welcome to the Bible Upgrade Wizard Willkommen zum Aktualisierungsssistent @@ -4345,37 +4651,62 @@ Sie ist nicht in UTF-8 kodiert. Öffne einen Ablauf. - + Print Service Ablauf drucken - + Replace live background. Ersetzen den Live-Hintergrund. - + Reset live background. Setze den Live-Hintergrund zurück. - + &Split &Teilen - + 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. + + + Confirm Delete + Löschbestätigung + + + + Play Slides in Loop + Endlosschleife + + + + Play Slides to End + Schleife bis zum Ende + + + + Stop Play Slides in Loop + Halte Endlosschleife an + + + + Stop Play Slides to End + Halte Schleife an + OpenLP.displayTagDialog - + Configure Display Tags - Konfiguriere Formatvorlagen + Konfiguriere Formatvorlagen @@ -4432,52 +4763,52 @@ Sie ist nicht in UTF-8 kodiert. PresentationPlugin.MediaItem - + Select Presentation(s) Präsentationen auswählen - + Automatic automatisch - + Present using: Anzeigen mit: - + A presentation with that filename already exists. Eine Präsentation mit diesem Dateinamen existiert bereits. - + File Exists Datei existiert - + 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 no longer exists. Die Präsentation »%s« existiert nicht mehr. - + The Presentation %s is incomplete, please reload. Die Präsentation »%s« ist nicht vollständig, bitte neu laden. @@ -4529,12 +4860,12 @@ Sie ist nicht in UTF-8 kodiert. RemotePlugin.Mobile - + OpenLP 2.0 Remote OpenLP 2.0 Fernsteuerung - + OpenLP 2.0 Stage View OpenLP 2.0 Bühnenmonitor @@ -4544,80 +4875,80 @@ Sie ist nicht in UTF-8 kodiert. Ablaufverwaltung - + Slide Controller Live-Ansicht - + Alerts Hinweise - + Search Suchen - + Back Zurück - + Refresh Aktualisieren - + Blank Schwarz - + Show Zeigen - + Prev Vorh. - + Next Nächste - + Text Text - + Show Alert Hinweis zeigen - + Go Live Live - - Add To Service - Füge zum Ablauf hinzu - - - + No Results Kein Suchergebnis - + Options Optionen + + + Add to Service + Zum Ablauf hinzufügen + RemotePlugin.RemoteTab @@ -4650,68 +4981,78 @@ Sie ist nicht in UTF-8 kodiert. SongUsagePlugin - + &Song Usage Tracking &Protokollierung - + &Delete Tracking Data &Protokoll löschen - + Delete song usage data up to a specified date. Das Protokoll ab einem bestimmten Datum löschen. - + &Extract Tracking Data &Protokoll extrahieren - + Generate a report on song usage. Einen Protokoll-Bericht erstellen. - + Toggle Tracking Aktiviere Protokollierung - + Toggle the tracking of song usage. Setzt die Protokollierung aus. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Erweiterung Liedprotokollierung</strong><br />Diese Erweiterung zählt die Verwendung von Liedern in Veranstaltungen. - + SongUsage name singular Liedprotokollierung - + SongUsage name plural Liedprotokollierung - + SongUsage container title Liedprotokollierung - + Song Usage Liedprotokollierung + + + Song usage tracking is active. + Liedprotokollierung ist aktiv. + + + + Song usage tracking is inactive. + Liedprotokollierung ist nicht aktiv. + SongUsagePlugin.SongUsageDeleteForm @@ -5025,190 +5366,197 @@ Einstellung korrekt. SongsPlugin.EasyWorshipSongImport - + Administered by %s Verwaltet durch %s + + + +[above are Song Tags with notes imported from + EasyWorship] + + SongsPlugin.EditSongForm - + Song Editor Lied bearbeiten - + &Title: &Titel: - + &Lyrics: Lied&text: - + Ed&it All &Alle Bearbeiten - + Title && Lyrics Titel && Liedtext - + &Add to Song &Hinzufügen - + &Remove &Entfernen - + A&dd to Song H&inzufügen - + R&emove &Entfernen - + New &Theme Neues &Design - + Copyright Information Copyright - + Comments Kommentare - + Theme, Copyright Info && Comments 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? - + 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? - + 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«. - + Add Book Liederbuch hinzufügen - + This song book does not exist, do you want to add it? Dieses Liederbuch existiert nicht. Soll es zur Datenbank hinzugefügt werden? - + 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. - + Warning Warnung - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. Die Versfolge ist ungültig. Es gibt keinen Vers mit der Kennung »%s«. Gültige Werte sind »%s«. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? »%s« wurde nirgends in der Versfolge verwendet. Wollen Sie das Lied trotzdem so abspeichern? - + Alt&ernate title: &Zusatztitel: - + &Verse order: &Versfolge: - + &Manage Authors, Topics, Song Books &Datenbankeinträge verwalten - + Authors, Topics && Song Book Autoren, Themen && Liederbücher - + This author is already in the list. Dieser Autor ist bereits vorhanden. - + This topic is already in the list. Dieses Thema ist bereits vorhanden. - + Book: Liederbuch: - + Number: Nummer: - + You need to have an author for this song. Das Lied benötigt mindestens einen Autor. - + You need to type some text in to the verse. Die Strophe benötigt etwas Text. @@ -5239,82 +5587,82 @@ Einstellung korrekt. SongsPlugin.ExportWizardForm - + Song Export Wizard Lied Exportassistent - + This wizard will help to export your songs to the open and free OpenLyrics worship song format. Dieser Assistent wird Ihnen helfen Lieder in das freie und offene OpenLyrics Lobpreis Lieder Format zu exportieren. - + Select Songs Lieder auswählen - + 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... - + Check the songs you want to export. Wählen Sie die Lieder aus, die Sie exportieren wollen. - + 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. @@ -5352,7 +5700,7 @@ Einstellung korrekt. Die Liedtexte werden importiert. Bitte warten. - + Select Document/Presentation Files Präsentationen/Textdokumente auswählen @@ -5367,42 +5715,42 @@ Einstellung korrekt. Leider können noch keine OpenLyric Lieder importiert werden, aber vielleicht klappts ja in der nächsten Version. - + OpenLP 2.0 Databases OpenLP 2.0 Lieddatenbanken - + openlp.org v1.x Databases openlp.org 1.x Lieddatenbanken - + 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 - + You need to specify at least one document or presentation file to import from. Sie müssen wenigstens ein Dokument oder Präsentationsdatei auswählen, die importiert werden soll. - + Foilpresenter Song Files Foilpresenter Lied-Dateien @@ -5430,48 +5778,49 @@ Einstellung korrekt. SongsPlugin.MediaItem - + Titles Titel - + Lyrics Liedtext - - Delete Song(s)? - Lied(er) löschen? - - - + CCLI License: CCLI-Lizenz: - + Entire Song Ganzes Lied - + Are you sure you want to delete the %n selected song(s)? + Sind Sie sicher, dass das %n Lied gelöscht werden soll? Sind Sie sicher, dass die %n Lieder gelöscht werden sollen? - - + Maintain the lists of authors, topics and books. Autoren, Themen und Bücher verwalten. + + + copy + For song cloning + Kopie + SongsPlugin.OpenLP1SongImport - + Not a valid openlp.org 1.x song database. Keine gültige openlp.org 1.x Liederdatenbank. @@ -5487,7 +5836,7 @@ Einstellung korrekt. SongsPlugin.OpenLyricsExport - + Exporting "%s"... Exportiere »%s«... @@ -5518,12 +5867,12 @@ Einstellung korrekt. SongsPlugin.SongExportForm - + Finished export. Export beendet. - + Your song export failed. Der Liedexport schlug fehl. @@ -5531,27 +5880,27 @@ Einstellung korrekt. SongsPlugin.SongImport - + copyright copyright - + The following songs could not be imported: Die folgenden Lieder konnten nicht importiert werden: - + Unable to open file Konnte Datei nicht öffnen - + File not found Datei nicht gefunden - + Cannot access OpenOffice or LibreOffice Kann OpenOffice.org oder LibreOffice nicht öffnen @@ -5559,7 +5908,7 @@ Einstellung korrekt. SongsPlugin.SongImportForm - + Your song import failed. Importvorgang fehlgeschlagen. @@ -5756,12 +6105,4 @@ Einstellung korrekt. Anderes - - ThemeTab - - - Themes - Designs - - diff --git a/resources/i18n/en.ts b/resources/i18n/en.ts index 55a5a5aca..0aef9c929 100644 --- a/resources/i18n/en.ts +++ b/resources/i18n/en.ts @@ -1,29 +1,7 @@ - + AlertPlugin.AlertForm - - - You have not entered a parameter to be replaced. -Do you want to continue anyway? - - - - - No Parameter Found - - - - - No Placeholder Found - - - - - The alert text does not contain '<>'. -Do you want to continue anyway? - - AlertsPlugin @@ -37,11 +15,6 @@ Do you want to continue anyway? Show an alert message. - - - <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen - - Alert @@ -60,6 +33,11 @@ Do you want to continue anyway? container title + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. + + AlertsPlugin.AlertForm @@ -108,6 +86,28 @@ Do you want to continue anyway? &Parameter: + + + No Parameter Found + + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + + + + + No Placeholder Found + + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + + AlertsPlugin.AlertsManager @@ -152,81 +152,15 @@ Do you want to continue anyway? BibleDB.Wizard - - - Importing books... %s - - - - - Importing verses from %s... - Importing verses from <book name>... - - - - - Importing verses... done. - - BiblePlugin - - - &Upgrade older Bibles - - - - - Upgrade the Bible databases to the latest format. - - BiblePlugin.HTTPBible - - - 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. - - BiblePlugin.MediaItem - - - Bible not fully loaded. - - - - - You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? - - - - - 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. - - BiblesPlugin @@ -254,12 +188,12 @@ Do you want to continue anyway? - + No Book Found - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. @@ -303,37 +237,47 @@ Do you want to continue anyway? <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + + + &Upgrade older Bibles + + + + + Upgrade the Bible databases to the latest format. + + BiblesPlugin.BibleManager - + Scripture Reference Error - + Web Bible cannot be used - + Text Search is not available with Web Bibles. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns: Book Chapter @@ -345,7 +289,7 @@ Book Chapter:Verse-Chapter:Verse - + No Bibles Available @@ -450,189 +394,228 @@ Changes do not affect verses already in the service. + + BiblesPlugin.CSVBible + + + Importing books... %s + + + + + Importing verses from %s... + Importing verses from <book name>... + + + + + Importing verses... done. + + + BiblesPlugin.HTTPBible - + Registering Bible and loading books... - + Registering Language... - + Importing %s... Importing <book name>... + + + Download Error + + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + + + + + Parse Error + + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + + BiblesPlugin.ImportWizardForm - + Bible Import Wizard - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. - + Web Download - + Location: - + Crosswalk - + BibleGateway - + Bible: - + Download Options - + Server: - + Username: - + Password: - + Proxy Server (Optional) - + License Details - + Set up the Bible's license details. - + Version name: - + Copyright: - + Please wait while your Bible is imported. - + You need to specify a file with books of the Bible to use in the import. - + You need to specify a file of Bible verses to import. - + You need to specify a version name for your Bible. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. - + Bible Exists - + This Bible already exists. Please import a different Bible or first delete the existing one. - + Your Bible import failed. - + CSV File - + Bibleserver - + Permissions: - + Bible file: - + Books file: - + Verses file: - + openlp.org 1.x Bible Files - + Registering Bible... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. @@ -659,7 +642,7 @@ demand and thus an internet connection is required. BiblesPlugin.LanguageForm - + You need to choose a language. @@ -667,60 +650,80 @@ demand and thus an internet connection is required. 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. + + BiblesPlugin.Opensong @@ -748,171 +751,146 @@ demand and thus an internet connection is required. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory - + Bible Upgrade Wizard - + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. - + Select Backup Directory - + Please select a backup directory for your Bibles - + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. - + Please select a backup location for your Bibles. - + Backup Directory: - + There is no need to backup my Bibles - + Select Bibles - + Please select the Bibles to upgrade - - Version name: - - - - - This Bible still exists. Please change the name or uncheck it. - - - - + Upgrading - + Please wait while your Bibles are upgraded. - - You need to specify a Backup Directory for your Bibles. - - - - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. - - You need to specify a version name for your Bible. - - - - - Bible Exists - - - - - This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck. - - - - - Starting Bible upgrade... - - - - - There are no Bibles available to upgrade. - - - - + Upgrading Bible %s of %s: "%s" Failed - + Upgrading Bible %s of %s: "%s" Upgrading ... - + Download Error - + To upgrade your Web Bibles an Internet connection is required. - + Upgrading Bible %s of %s: "%s" Upgrading %s ... - + Upgrading Bible %s of %s: "%s" Complete - + , %s failed - + Upgrading Bible(s): %s successful%s Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - + Upgrading Bible(s): %s successful%s - + Upgrade failed. + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + CustomPlugin @@ -1036,12 +1014,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I - + You need to type in a title. - + You need to add at least one slide @@ -1057,13 +1035,18 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I - GeneralTab - - - General - + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slides(s)? + + + + + GeneralTab + ImagePlugin @@ -1136,41 +1119,46 @@ 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 delete. - + You must select an image to replace the background with. - + Missing Image(s) - + The following image(s) no longer exist: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? - + There was a problem replacing your background, the image file "%s" no longer exists. + + + There was no display item to amend. + + MediaPlugin @@ -1236,40 +1224,45 @@ 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. - + Missing Media File - + The file %s no longer exists. - + Videos (%s);;Audio (%s);;%s (*) + + + There was no display item to amend. + + MediaPlugin.MediaTab @@ -1287,7 +1280,7 @@ Do you want to add the other images anyway? OpenLP - + Image Files @@ -1509,167 +1502,12 @@ Portions copyright © 2004-2011 %s OpenLP.DisplayTagDialog - - - Edit Selection - - - - - Description - - - - - Tag - - - - - Start tag - - - - - End tag - - - - - Tag Id - - - - - Start HTML - - - - - End HTML - - - - - Save - - OpenLP.DisplayTagTab - - - Update Error - - - - - Tag "n" already defined. - - - - - Tag %s already defined. - - - - - New Tag - - - - - <HTML here> - - - - - </and here> - - OpenLP.DisplayTags - - - Red - - - - - Black - - - - - Blue - - - - - Yellow - - - - - Green - - - - - Pink - - - - - Orange - - - - - Purple - - - - - White - - - - - Superscript - - - - - Subscript - - - - - Paragraph - - - - - Bold - - - - - Italics - - - - - Underline - - - - - Break - - OpenLP.ExceptionDialog @@ -1829,11 +1667,6 @@ Version: %s Select the Plugins you wish to use. - - - Custom Text - - Bible @@ -1880,12 +1713,12 @@ Version: %s - + Download complete. Click the finish button to start OpenLP. - + Enabling selected plugins... @@ -1964,25 +1797,209 @@ To cancel the First Time Wizard completely, press the finish button now. - + Setting Up And Downloading - + Please wait while OpenLP is set up and your data is downloaded. - + Setting Up - + Click the finish button to start OpenLP. + + + Download complete. Click the finish button to return to OpenLP. + + + + + Click the finish button to return to OpenLP. + + + + + Custom Slides + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Edit Selection + + + + + Save + + + + + Description + + + + + Tag + + + + + Start tag + + + + + End tag + + + + + Tag Id + + + + + Start HTML + + + + + End HTML + + + + + OpenLP.FormattingTagForm + + + Update Error + + + + + Tag "n" already defined. + + + + + New Tag + + + + + <HTML here> + + + + + </and here> + + + + + Tag %s already defined. + + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + OpenLP.GeneralTab @@ -2128,7 +2145,7 @@ To cancel the First Time Wizard completely, press the finish button now. OpenLP.MainDisplay - + OpenLP Display @@ -2136,309 +2153,309 @@ To cancel the First Time Wizard completely, press the finish button now. OpenLP.MainWindow - + &File - + &Import - + &Export - + &View - + M&ode - + &Tools - + &Settings - + &Language - + &Help - + Media Manager - + Service Manager - + Theme Manager - + &New - + &Open - + Open an existing service. - + &Save - + Save the current service to disk. - + Save &As... - + Save Service As - + Save the current service under a new name. - + E&xit - + Quit OpenLP - + &Theme - + &Configure OpenLP... - + &Media Manager - + Toggle Media Manager - + Toggle the visibility of the media manager. - + &Theme Manager - + Toggle Theme Manager - + Toggle the visibility of the theme manager. - + &Service Manager - + Toggle Service Manager - + Toggle the visibility of the service manager. - + &Preview Panel - + Toggle Preview Panel - + Toggle the visibility of the preview panel. - + &Live Panel - + Toggle Live Panel - + Toggle the visibility of the live panel. - + &Plugin List - + List the Plugins - + &User Guide - + &About - + More information about OpenLP - + &Online Help - + &Web Site - + Use the system language, if available. - + Set the interface language to %s - + Add &Tool... - + Add an application to the list of tools. - + &Default - + Set the view mode back to the default. - + &Setup - + Set the view mode to Setup. - + &Live - + Set the view mode to Live. - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. - + OpenLP Version Updated - + OpenLP Main Display Blanked - + The Main Display has been blanked out - + Default Theme: %s @@ -2449,55 +2466,103 @@ You can download the latest version from http://openlp.org/. - + Configure &Shortcuts... - + Close OpenLP - + Are you sure you want to close OpenLP? - - &Configure Display Tags - - - - + Open &Data Folder... - + Open the folder where songs, bibles and other data resides. - + &Autodetect - + Update Theme Images - + Update the preview images for all themes. - + Print the current service. + + + &Recent Files + + + + + &Configure Formatting Tags... + + + + + L&ock Panels + + + + + Prevent the panels being moved. + + + + + Re-run First Time Wizard + + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + + + + + Re-run First Time Wizard? + + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + OpenLP.MediaManagerItem @@ -2507,54 +2572,69 @@ You can download the latest version from http://openlp.org/. - + &Add to selected Service Item - + You must select one or more items to preview. - + You must select one or more items to send live. - + You must select one or more items. - + You must select an existing service item to add to. - + Invalid Service Item - + You must select a %s service item. - + You must select one or more items to add. - + No Search Results - - Duplicate filename %s. -This filename is already in the list + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + Duplicate files found on import and ignored. + + + + + &Clone @@ -2604,12 +2684,12 @@ This filename is already in the list OpenLP.PrintServiceDialog - + Fit Page - + Fit Width @@ -2617,70 +2697,80 @@ This filename is already in the list OpenLP.PrintServiceForm - + Options - - Close - - - - + Copy - + Copy as HTML - + Zoom In - + Zoom Out - + Zoom Original - + Other Options - + Include slide text if available - + Include service item notes - + Include play length of media items - + Add page break before each text item - + Service Sheet + + + Print + + + + + Title: + + + + + Custom Footer Text: + + OpenLP.ScreenList @@ -2695,10 +2785,23 @@ This filename is already in the list + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + OpenLP.ServiceItemEditForm - + Reorder Service Item @@ -2706,256 +2809,271 @@ This filename is already in the list OpenLP.ServiceManager - + Move to &top - + Move item to the top of the service. - + Move &up - + Move item up one position in the service. - + Move &down - + Move item down one position in the service. - + Move to &bottom - + Move item to the end of the service. - + &Delete From Service - + Delete the selected item from the service. - + &Add New Item - + &Add to Selected Item - + &Edit Item - + &Reorder Item - + &Notes - + &Change Item Theme - + OpenLP Service Files (*.osz) - + File is not a valid service. The content encoding is not UTF-8. - + File is not a valid service. - + Missing Display Handler - + Your item cannot be displayed as there is no handler to display it - + Your item cannot be displayed as the plugin required to display it is missing or inactive - + &Expand all - + Expand all the service items. - + &Collapse all - + Collapse all the service items. - + Open File - + Moves the selection down the window. - + Move up - + Moves the selection up the window. - + Go Live - + Send the selected item to Live. - + &Start Time - + Show &Preview - + Show &Live - + Modified Service - + The current service has been modified. Would you like to save this service? - + Custom Service Notes: - + Notes: - + Playing time: - + Untitled Service - + File could not be opened because it is corrupt. - + Empty File - + This service file does not contain any data. - + Corrupt File - + Load an existing service. - + Save this service. - + Select a theme for the service. - + This file is either corrupt or it is not an OpenLP 2.0 service file. + + + Service File Missing + + + + + Slide theme + + + + + Notes + + OpenLP.ServiceNoteForm - + Service Item Notes @@ -2970,11 +3088,6 @@ The content encoding is not UTF-8. OpenLP.ShortcutListDialog - - - Customize Shortcuts - - Action @@ -2986,12 +3099,12 @@ The content encoding is not UTF-8. - + Duplicate Shortcut - + The shortcut "%s" is already assigned to another action, please use a different shortcut. @@ -3026,20 +3139,25 @@ The content encoding is not UTF-8. - + Restore Default Shortcuts - + Do you want to restore all shortcuts to their defaults? + + + Configure Shortcuts + + OpenLP.SlideController - + Hide @@ -3049,27 +3167,27 @@ The content encoding is not UTF-8. - + Blank Screen - + Blank to Theme - + Show Desktop - + Previous Slide - + Next Slide @@ -3089,30 +3207,20 @@ The content encoding is not UTF-8. - + Move to previous. - + Move to next. - + Play Slides - - - Play Slides in Loop - - - - - Play Slides to End - - Delay between slides in seconds. @@ -3142,17 +3250,17 @@ The content encoding is not UTF-8. OpenLP.SpellTextEdit - + Spelling Suggestions - + Formatting Tags - + Language: @@ -3246,191 +3354,197 @@ The content encoding is not UTF-8. OpenLP.ThemeManager - + Create a new theme. - + Edit Theme - + Edit a theme. - + Delete Theme - + Delete a theme. - + Import Theme - + Import a theme. - + Export Theme - + Export a theme. - + &Edit Theme - + &Delete Theme - + Set As &Global Default - + %s (default) - + You must select a theme to edit. - + You are unable to delete the default theme. - + Theme %s is used in the %s plugin. - + You have not selected a theme. - + Save Theme - (%s) - + Theme Exported - + Your theme has been successfully exported. - + Theme Export Failed - + Your theme could not be exported due to an error. - + Select Theme Import File - + File is not a valid theme. The content encoding is not UTF-8. - + File is not a valid theme. - + &Copy Theme - + &Rename Theme - + &Export Theme - + You must select a theme to rename. - + Rename Confirmation - + Rename %s theme? - + You must select a theme to delete. - + Delete Confirmation - + Delete %s theme? - + Validation Error - + A theme with this name already exists. - + OpenLP Themes (*.theme *.otz) + + + Copy of %s + Copy of <theme name> + + OpenLP.ThemeWizard @@ -3674,6 +3788,16 @@ The content encoding is not UTF-8. &Footer Area + + + Starting color: + + + + + Ending color: + + OpenLP.ThemesTab @@ -3717,11 +3841,16 @@ The content encoding is not UTF-8. Use the global theme, overriding any themes associated with either the service or the songs. + + + Themes + + OpenLP.Ui - + Error @@ -3771,46 +3900,41 @@ The content encoding is not UTF-8. - + &Delete - + &Edit - + Empty Field - + Export - + pt Abbreviated font pointsize unit - + Image - + Import - - - Length %s - - Live @@ -3881,100 +4005,100 @@ The content encoding is not UTF-8. - + Preview - + Replace Background - + Reset Background - + s The abbreviated unit for seconds - + Save && Preview - + Search - + You must select an item to delete. - + You must select an item to edit. - + Save Service - + Service - + Start %s - + Theme Singular - + Themes Plural - + Top - + Version - + Delete the selected item. - + Move selection up one position. - + Move selection down one position. - + &Vertical Align: @@ -4040,12 +4164,12 @@ The content encoding is not UTF-8. - + Welcome to the Bible Import Wizard - + Welcome to the Song Export Wizard @@ -4102,43 +4226,43 @@ The content encoding is not UTF-8. - + Continuous - + Default - + Display style: - + Duplicate Error - + File - + Help - + h The abbreviated unit for hours - + Layout style: @@ -4159,32 +4283,32 @@ The content encoding is not UTF-8. - + Settings - + Tools - + Unsupported File - + Verse Per Slide - + Verse Per Line - + View @@ -4199,7 +4323,7 @@ The content encoding is not UTF-8. - + View Mode @@ -4209,43 +4333,63 @@ The content encoding is not UTF-8. - + Print Service - + Replace live background. - + Reset live background. - + &Split - + Split a slide into two only if it does not fit on the screen as one slide. - + Welcome to the Bible Upgrade Wizard + + + Confirm Delete + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + OpenLP.displayTagDialog - - - Configure Display Tags - - PresentationPlugin @@ -4301,52 +4445,52 @@ The content encoding is not UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) - + Automatic - + Present using: - + File Exists - + A presentation with that filename already exists. - + This type of presentation is not supported. - + Presentations (%s) - + Missing Presentation - + The Presentation %s no longer exists. - + The Presentation %s is incomplete, please reload. @@ -4398,12 +4542,12 @@ The content encoding is not UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote - + OpenLP 2.0 Stage View @@ -4413,80 +4557,80 @@ The content encoding is not UTF-8. - + Slide Controller - + Alerts - + Search - + Back - + Refresh - + Blank - + Show - + Prev - + Next - + Text - + Show Alert - + Go Live - - Add To Service - - - - + No Results - + Options + + + Add to Service + + RemotePlugin.RemoteTab @@ -4519,68 +4663,78 @@ The content encoding is not UTF-8. SongUsagePlugin - + &Song Usage Tracking - + &Delete Tracking Data - + Delete song usage data up to a specified date. - + &Extract Tracking Data - + Generate a report on song usage. - + Toggle Tracking - + Toggle the tracking of song usage. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. - + SongUsage name singular - + SongUsage name plural - + SongUsage container title - + Song Usage + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + SongUsagePlugin.SongUsageDeleteForm @@ -4888,190 +5042,197 @@ The encoding is responsible for the correct character representation. SongsPlugin.EasyWorshipSongImport - + Administered by %s + + + +[above are Song Tags with notes imported from + EasyWorship] + + SongsPlugin.EditSongForm - + Song Editor - + &Title: - + Alt&ernate title: - + &Lyrics: - + &Verse order: - + Ed&it All - + Title && Lyrics - + &Add to Song - + &Remove - + &Manage Authors, Topics, Song Books - + A&dd to Song - + R&emove - + Book: - + Number: - + Authors, Topics && Song Book - + New &Theme - + Copyright Information - + Comments - + Theme, Copyright Info && Comments - + Add Author - + This author does not exist, do you want to add them? - + This author is already in the list. - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. - + Add Topic - + This topic does not exist, do you want to add it? - + This topic is already in the list. - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. - + You need to type in a song title. - + You need to type in at least one verse. - + Warning - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? - + Add Book - + This song book does not exist, do you want to add it? - + You need to have an author for this song. - + You need to type some text in to the verse. @@ -5102,82 +5263,82 @@ The encoding is responsible for the correct character representation. SongsPlugin.ExportWizardForm - + Song Export Wizard - + This wizard will help to export your songs to the open and free OpenLyrics worship song format. - + 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. @@ -5185,7 +5346,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files @@ -5230,42 +5391,42 @@ The encoding is responsible for the correct character representation. - + OpenLP 2.0 Databases - + openlp.org v1.x Databases - + Words Of Worship Song Files - + You need to specify at least one document or presentation file to import from. - + Songs Of Fellowship Song Files - + SongBeamer Files - + SongShow Plus Song Files - + Foilpresenter Song Files @@ -5293,47 +5454,48 @@ The encoding is responsible for the correct character representation. SongsPlugin.MediaItem - + Titles - + Lyrics - - Delete Song(s)? - - - - + CCLI License: - + Entire Song - + Are you sure you want to delete the %n selected song(s)? - + Maintain the lists of authors, topics and books. + + + copy + For song cloning + + SongsPlugin.OpenLP1SongImport - + Not a valid openlp.org 1.x song database. @@ -5349,7 +5511,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.OpenLyricsExport - + Exporting "%s"... @@ -5380,12 +5542,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongExportForm - + Finished export. - + Your song export failed. @@ -5393,27 +5555,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright - + The following songs could not be imported: - + Cannot access OpenOffice or LibreOffice - + Unable to open file - + File not found @@ -5421,7 +5583,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImportForm - + Your song import failed. @@ -5620,10 +5782,5 @@ The encoding is responsible for the correct character representation. ThemeTab - - - Themes - - diff --git a/resources/i18n/en_GB.ts b/resources/i18n/en_GB.ts index fae148223..a04554ea8 100644 --- a/resources/i18n/en_GB.ts +++ b/resources/i18n/en_GB.ts @@ -1,29 +1,29 @@ - + AlertPlugin.AlertForm You have not entered a parameter to be replaced. Do you want to continue anyway? - You have not entered a parameter to be replaced. + You have not entered a parameter to be replaced. Do you want to continue anyway? No Parameter Found - No Parameter Found + No Parameter Found No Placeholder Found - No Placeholder Found + No Placeholder Found The alert text does not contain '<>'. Do you want to continue anyway? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? @@ -42,7 +42,7 @@ Do you want to continue anyway? <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen - <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen @@ -62,6 +62,11 @@ Do you want to continue anyway? container title Alerts + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. + + AlertsPlugin.AlertForm @@ -110,6 +115,30 @@ Do you want to continue anyway? &Parameter: &Parameter: + + + No Parameter Found + No Parameter Found + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + You have not entered a parameter to be replaced. +Do you want to continue anyway? + + + + No Placeholder Found + No Placeholder Found + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + The alert text does not contain '<>'. +Do you want to continue anyway? + AlertsPlugin.AlertsManager @@ -157,18 +186,18 @@ Do you want to continue anyway? Importing books... %s - Importing books... %s + Importing books... %s Importing verses from %s... Importing verses from <book name>... - Importing verses from %s... + Importing verses from %s... Importing verses... done. - Importing verses... done. + Importing verses... done. @@ -176,12 +205,17 @@ Do you want to continue anyway? &Upgrade older Bibles - &Upgrade older Bibles + &Upgrade older Bibles Upgrade the Bible databases to the latest format. - Upgrade the Bible databases to the latest format. + Upgrade the Bible databases to the latest format. + + + + Upgrade the Bible databases to the latest format + Upgrade the Bible databases to the latest format @@ -189,22 +223,22 @@ Do you want to continue anyway? Download Error - Download Error + Download Error Parse Error - Parse Error + Parse 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. + 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 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. + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. @@ -212,22 +246,27 @@ Do you want to continue anyway? Bible not fully loaded. - Bible not fully loaded. + Bible not fully loaded. 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? + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Information - 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. + 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 Bibles 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 Bibles 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. @@ -256,12 +295,12 @@ Do you want to continue anyway? 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. @@ -305,38 +344,48 @@ Do you want to continue anyway? <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. + BiblesPlugin.BibleManager - + Scripture Reference Error Scripture Reference Error - + Web Bible cannot be used Web Bible cannot be used - + Text Search is not available with Web Bibles. Text Search is not available with Web Bibles. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns: Book Chapter @@ -355,7 +404,7 @@ Book Chapter:Verse-Verse,Chapter:Verse-Verse Book Chapter:Verse-Chapter:Verse - + No Bibles Available No Bibles Available @@ -461,189 +510,228 @@ Changes do not affect verses already in the service. You need to select a book. + + BiblesPlugin.CSVBible + + + Importing books... %s + Importing books... %s + + + + Importing verses from %s... + Importing verses from <book name>... + Importing verses from %s... + + + + Importing verses... done. + Importing verses... done. + + 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. + 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. - + Bible Exists Bible Exists - + Your Bible import failed. Your Bible import failed. - + 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. - + 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. - + Permissions: Permissions: - + CSV File CSV File - + Bibleserver Bibleserver - + Bible file: Bible file: - + Books file: Books file: - + Verses file: Verses file: - + openlp.org 1.x Bible Files openlp.org 1.x Bible Files - + 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 @@ -671,7 +759,7 @@ demand and thus an internet connection is required. BiblesPlugin.LanguageForm - + You need to choose a language. You need to choose a language. @@ -679,60 +767,80 @@ demand and thus an internet connection is required. 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. + BiblesPlugin.Opensong @@ -760,148 +868,148 @@ demand and thus an internet connection is required. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory Select a Backup Directory - + 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 - + Version name: - Version name: + Version name: - + This Bible still exists. Please change the name or uncheck it. - This Bible still exists. Please change the name or uncheck it. + This Bible still exists. Please change the name or uncheck it. - + Upgrading Upgrading - + Please wait while your Bibles are upgraded. Please wait while your Bibles are upgraded. You need to specify a Backup Directory for your Bibles. - You need to specify a Backup Directory for your Bibles. + You need to specify a Backup Directory for your Bibles. - + You need to specify a version name for your Bible. - You need to specify a version name for your Bible. + You need to specify a version name for your Bible. - + Bible Exists - Bible Exists + Bible Exists - + This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck. - This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck. + This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck. There are no Bibles available to upgrade. - There are no Bibles available to upgrade. + There are no Bibles available to upgrade. - + 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 - + Upgrading Bible %s of %s: "%s" Upgrading %s ... Upgrading Bible %s of %s: "%s" Upgrading %s ... - + , %s failed , %s failed - + Upgrading Bible(s): %s successful%s Upgrading Bible(s): %s successful%s - + Upgrade failed. Upgrade failed. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. The backup was not successful. @@ -910,27 +1018,75 @@ To backup your Bibles you need permission to write to the given directory. Starting Bible upgrade... - Starting Bible upgrade... + Starting Bible upgrade... - + 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" Complete Upgrading Bible %s of %s: "%s" Complete - + Upgrading Bible(s): %s successful%s Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. Upgrading Bible(s): %s successful%s Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. If you have write permissions and this error still occurs, please report a bug. + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. If you have write permissions and this error still occurs, please report a bug. + + + + Starting upgrading Bible(s)... + Starting upgrading Bible(s)... + + + + To upgrade your Web Bibles an Internet connection is required. If you have a working Internet connection and this error still occurs, please report a bug. + To upgrade your Web Bibles an Internet connection is required. If you have a working Internet connection and this error still occurs, please report a bug. + + + + Upgrading Bible %s of %s: "%s" +Done + Upgrading Bible %s of %s: "%s" +Done + + + + Upgrading Bible(s): %s successful%s +Please note, that verses from Web Bibles will be downloaded +on demand and so an Internet connection is required. + Upgrading Bible(s): %s successful%s +Please note, that verses from Web Bibles will be downloaded +on demand and so an Internet connection is required. + + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + CustomPlugin @@ -997,6 +1153,11 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected custom slide to the service. Add the selected custom slide to the service. + + + <strong>Custom Plugin</strong><br />The custom plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + <strong>Custom Plugin</strong><br />The custom plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + CustomPlugin.CustomTab @@ -1054,12 +1215,12 @@ 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. - + You need to add at least one slide You need to add at least one slide @@ -1073,13 +1234,89 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Insert Slide Insert Slide + + + Split Slide + Split Slide + + + + 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. + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slides(s)? + + + + + + + + CustomsPlugin + + + Customs + name plural + Customs + + + + Custom + container title + Custom + + + + Load a new Custom. + Load a new Custom. + + + + Import a Custom. + Import a Custom. + + + + Add a new Custom. + Add a new Custom. + + + + Edit the selected Custom. + Edit the selected Custom. + + + + Delete the selected Custom. + Delete the selected Custom. + + + + Preview the selected Custom. + Preview the selected Custom. + + + + Send the selected Custom live. + Send the selected Custom live. + + + + Add the selected Custom to the service. + Add the selected Custom to the service. + GeneralTab General - General + General @@ -1142,6 +1379,41 @@ 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. + + + Load a new Image. + Load a new Image. + + + + Add a new Image. + Add a new Image. + + + + Edit the selected Image. + Edit the selected Image. + + + + Delete the selected Image. + Delete the selected Image. + + + + Preview the selected Image. + Preview the selected Image. + + + + Send the selected Image live. + Send the selected Image live. + + + + Add the selected Image to the service. + Add the selected Image to the service. + ImagePlugin.ExceptionDialog @@ -1154,42 +1426,47 @@ 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 delete. You must select an image to delete. - + 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. + + MediaPlugin @@ -1251,44 +1528,84 @@ Do you want to add the other images anyway? Add the selected media to the service. Add the selected media to the service. + + + Load a new Media. + Load a new Media. + + + + Add a new Media. + Add a 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. + MediaPlugin.MediaItem - + Select Media Select Media - + You must select a media file to delete. You must select a media file to delete. - + Missing Media File Missing Media File - + The file %s no longer exists. The file %s no longer exists. - + 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. - + Videos (%s);;Audio (%s);;%s (*) Videos (%s);;Audio (%s);;%s (*) + + + There was no display item to amend. + + MediaPlugin.MediaTab @@ -1306,7 +1623,7 @@ Do you want to add the other images anyway? OpenLP - + Image Files Image Files @@ -1598,82 +1915,87 @@ Portions copyright © 2004-2011 %s OpenLP.DisplayTagDialog - + Edit Selection - Edit Selection + Edit Selection - + Description - Description + Description + + + + Tag + Tag + + + + Start tag + Start tag - Tag - Tag - - - - Start tag - Start tag - - - End tag - End tag + End tag - + Tag Id - Tag Id + Tag Id - + Start HTML - Start HTML + Start HTML - + End HTML - End HTML + End HTML - + Save - Save + Save OpenLP.DisplayTagTab - + Update Error - Update Error + Update Error Tag "n" already defined. - Tag "n" already defined. + Tag "n" already defined. - + Tag %s already defined. - Tag %s already defined. + Tag %s already defined. New Tag - New Tag + New Tag </and here> - </and here> + </and here> <HTML here> - <HTML here> + <HTML here> + + + + <Html_here> + <Html_here> @@ -1681,82 +2003,82 @@ Portions copyright © 2004-2011 %s Red - Red + Red Black - Black + Black Blue - Blue + Blue Yellow - Yellow + Yellow Green - Green + Green Pink - Pink + Pink Orange - Orange + Orange Purple - Purple + Purple White - White + White Superscript - Superscript + Superscript Subscript - Subscript + Subscript Paragraph - Paragraph + Paragraph Bold - Bold + Bold Italics - Italics + Italics Underline - Underline + Underline Break - Break + Break @@ -1926,12 +2248,12 @@ Version: %s Downloading %s... - + Download complete. Click the finish button to start OpenLP. Download complete. Click the finish button to start OpenLP. - + Enabling selected plugins... Enabling selected plugins... @@ -1963,7 +2285,7 @@ Version: %s Custom Text - Custom Text + Custom Text @@ -2084,25 +2406,219 @@ To cancel the First Time Wizard completely, press the finish button now.This wizard will help you to configure OpenLP for initial use. Click the next button below to start. - + 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 - + Click the finish button to start OpenLP. Click the finish button to start OpenLP. + + + Setting Up And Importing + Setting Up And Importing + + + + Please wait while OpenLP is set up and your data is imported. + Please wait while OpenLP is set up and your data is imported. + + + + Custom Slides + Custom Slides + + + + Download complete. Click the finish button to return to OpenLP. + + + + + Click the finish button to return to OpenLP. + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Edit Selection + Edit Selection + + + + Save + Save + + + + Description + Description + + + + Tag + Tag + + + + Start tag + Start tag + + + + End tag + End tag + + + + Tag Id + Tag Id + + + + Start HTML + Start HTML + + + + End HTML + End HTML + + + + OpenLP.FormattingTagForm + + + Update Error + Update Error + + + + Tag "n" already defined. + Tag "n" already defined. + + + + New Tag + New Tag + + + + <HTML here> + <HTML here> + + + + </and here> + </and here> + + + + Tag %s already defined. + Tag %s already defined. + + + + OpenLP.FormattingTags + + + Red + Red + + + + Black + Black + + + + Blue + Blue + + + + Yellow + Yellow + + + + Green + Green + + + + Pink + Pink + + + + Orange + Orange + + + + Purple + Purple + + + + White + White + + + + Superscript + Superscript + + + + Subscript + Subscript + + + + Paragraph + Paragraph + + + + Bold + Bold + + + + Italics + Italics + + + + Underline + Underline + + + + Break + Break + OpenLP.GeneralTab @@ -2248,7 +2764,7 @@ To cancel the First Time Wizard completely, press the finish button now. OpenLP.MainDisplay - + OpenLP Display OpenLP Display @@ -2256,287 +2772,287 @@ To cancel the First Time Wizard completely, press the finish button now. OpenLP.MainWindow - + &File &File - + &Import &Import - + &Export &Export - + &View &View - + M&ode M&ode - + &Tools &Tools - + &Settings &Settings - + &Language &Language - + &Help &Help - + Media Manager Media Manager - + Service Manager Service Manager - + Theme Manager Theme Manager - + &New &New - + &Open &Open - + Open an existing service. Open an existing service. - + &Save &Save - + Save the current service to disk. Save the current service to disk. - + Save &As... Save &As... - + 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. - + &Plugin List &Plugin List - + 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/. @@ -2544,22 +3060,22 @@ You can download the latest version from http://openlp.org/. 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 @@ -2570,55 +3086,113 @@ You can download the latest version from http://openlp.org/. English (United Kingdom) - + Configure &Shortcuts... Configure &Shortcuts... - + Close OpenLP Close OpenLP - + Are you sure you want to close OpenLP? Are you sure you want to close OpenLP? - + 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. - + &Configure Display Tags - &Configure Display Tags + &Configure Display Tags - + &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. + + + Print the current Service Order. + Print the current Service Order. + + + + 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. + + + + + &Recent Files + + + + + &Configure Formatting Tags... + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + OpenLP.MediaManagerItem @@ -2628,57 +3202,85 @@ You can download the latest version from http://openlp.org/. 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 - + Duplicate filename %s. This filename is already in the list - Duplicate filename %s. + Duplicate filename %s. This filename is already in the list + + + Duplicate file name %s. +Filename already exists in list + Duplicate file name %s. +Filename already exists in list + + + + &Clone + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + Duplicate files found on import and ignored. + + OpenLP.PluginForm @@ -2726,12 +3328,12 @@ This filename is already in the list OpenLP.PrintServiceDialog - + Fit Page Fit Page - + Fit Width Fit Width @@ -2739,70 +3341,90 @@ This filename is already in the list OpenLP.PrintServiceForm - + Options Options Close - Close + Close - + 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 + + + Service Order Sheet + Service Order Sheet + + + + Print + + + + + Title: + + + + + Custom Footer Text: + + OpenLP.ScreenList @@ -2817,10 +3439,23 @@ This filename is already in the list primary + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + OpenLP.ServiceItemEditForm - + Reorder Service Item Reorder Service Item @@ -2828,257 +3463,277 @@ This filename is already in the list OpenLP.ServiceManager - + Move to &top Move to &top - + Move item to the top of the service. Move item to the top of the service. - + Move &up Move &up - + Move item up one position in the service. Move item up one position in the service. - + Move &down Move &down - + Move item down one position in the service. Move item down one position in the service. - + Move to &bottom Move to &bottom - + Move item to the end of the service. Move item to the end of the service. - + &Delete From Service &Delete From Service - + Delete the selected item from the service. 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. The content encoding is not UTF-8. File is not a valid service. The content encoding is not UTF-8. - + 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 - + &Expand all &Expand all - + Expand all the service items. Expand all the service items. - + &Collapse all &Collapse all - + Collapse all the service items. Collapse all the service items. - + Open File Open File - + OpenLP Service Files (*.osz) OpenLP Service Files (*.osz) - + Moves the selection down the window. Moves the selection down the window. - + Move up Move up - + Moves the selection up the window. Moves the selection up the window. - + Go Live Go Live - + Send the selected item to Live. Send the selected item to Live. - + Modified Service Modified Service - + &Start Time &Start Time - + Show &Preview Show &Preview - + Show &Live Show &Live - + 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? - + 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 - + Custom Service Notes: Custom Service Notes: - + Notes: Notes: - + Playing time: Playing time: - + Untitled Service Untitled Service - + Load an existing service. Load an existing service. - + Save this service. Save this service. - + Select a theme for the service. Select a theme for the service. - + This file is either corrupt or it is not an OpenLP 2.0 service file. This file is either corrupt or it is not an OpenLP 2.0 service file. + + + This file is either corrupt or not an OpenLP 2.0 service file. + This file is either corrupt or not an OpenLP 2.0 service file. + + + + Slide theme + + + + + Notes + + + + + Service File Missing + + OpenLP.ServiceNoteForm - + Service Item Notes Service Item Notes @@ -3096,7 +3751,7 @@ The content encoding is not UTF-8. Customize Shortcuts - Customise Shortcuts + Customise Shortcuts @@ -3109,12 +3764,12 @@ The content encoding is not UTF-8. 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. @@ -3149,20 +3804,25 @@ The content encoding is not UTF-8. Restore the default shortcut of this action. - + Restore Default Shortcuts Restore Default Shortcuts - + Do you want to restore all shortcuts to their defaults? Do you want to restore all shortcuts to their defaults? + + + Configure Shortcuts + + OpenLP.SlideController - + Hide Hide @@ -3172,27 +3832,27 @@ The content encoding is not UTF-8. Go To - + Blank Screen Blank Screen - + Blank to Theme Blank to Theme - + Show Desktop Show Desktop - + Previous Slide Previous Slide - + Next Slide Next Slide @@ -3212,29 +3872,29 @@ The content encoding is not UTF-8. Escape Item - + Move to previous. Move to previous. - + Move to next. Move to next. - + Play Slides Play Slides Play Slides in Loop - Play Slides in Loop + Play Slides in Loop Play Slides to End - Play Slides to End + Play Slides to End @@ -3265,17 +3925,17 @@ The content encoding is not UTF-8. OpenLP.SpellTextEdit - + Spelling Suggestions Spelling Suggestions - + Formatting Tags Formatting Tags - + Language: Language: @@ -3332,6 +3992,16 @@ The content encoding is not UTF-8. Start time is after the finish time of the media item Start time is after the finish time of the media item + + + End time is set after the end of the media item + End time is set after the end of the media item + + + + Start time is after the End Time of the media item + Start time is after the End Time of the media item + OpenLP.ThemeForm @@ -3369,192 +4039,198 @@ The content encoding is not UTF-8. 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 - + Your theme could not be exported due to an error. Your theme could not be exported due to an error. - + Select Theme Import File Select Theme Import File - + File is not a valid theme. The content encoding is not UTF-8. File is not a valid theme. The content encoding is not UTF-8. - + File is not a valid theme. File is not a valid theme. - + Theme %s is used in the %s plugin. Theme %s is used in the %s plugin. - + &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. - + OpenLP Themes (*.theme *.otz) OpenLP Themes (*.theme *.otz) + + + Copy of %s + Copy of <theme name> + + OpenLP.ThemeWizard @@ -3798,6 +4474,16 @@ The content encoding is not UTF-8. Edit Theme - %s Edit Theme - %s + + + Starting color: + + + + + Ending color: + + OpenLP.ThemesTab @@ -3841,31 +4527,36 @@ The content encoding is not UTF-8. Use the global theme, overriding any themes associated with either the service or the songs. Use the global theme, overriding any themes associated with either the service or the songs. + + + Themes + Themes + OpenLP.Ui - + Error Error - + &Delete &Delete - + Delete the selected item. Delete the selected item. - + Move selection up one position. Move selection up one position. - + Move selection down one position. Move selection down one position. @@ -3890,19 +4581,19 @@ The content encoding is not UTF-8. Create a new service. - + &Edit &Edit - + Import Import Length %s - Length %s + Length %s @@ -3930,42 +4621,42 @@ The content encoding is not UTF-8. OpenLP 2.0 - + Preview Preview - + Replace Background Replace Background - + Reset Background Reset Background - + Save Service Save Service - + Service Service - + Start %s Start %s - + &Vertical Align: &Vertical Align: - + Top Top @@ -4000,23 +4691,23 @@ The content encoding is not UTF-8. CCLI number: - + Empty Field Empty Field - + Export Export - + pt Abbreviated font pointsize unit pt - + Image Image @@ -4060,45 +4751,45 @@ The content encoding is not UTF-8. openlp.org 1.x - + s The abbreviated unit for seconds s - + Save && Preview Save && Preview - + Search Search - + 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. - + Theme Singular Theme - + Themes Plural Themes - + Version Version @@ -4164,12 +4855,12 @@ The content encoding is not UTF-8. 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 @@ -4226,38 +4917,38 @@ The content encoding is not UTF-8. Topics - + Continuous Continuous - + Default Default - + Display style: Display style: - + File File - + Help Help - + h The abbreviated unit for hours h - + Layout style: Layout style: @@ -4278,37 +4969,37 @@ The content encoding is not UTF-8. OpenLP is already running. Do you wish to continue? - + Settings Settings - + Tools Tools - + Verse Per Slide Verse Per Slide - + Verse Per Line Verse Per Line - + View View - + Duplicate Error Duplicate Error - + Unsupported File Unsupported File @@ -4323,7 +5014,7 @@ The content encoding is not UTF-8. XML syntax error - + View Mode View Mode @@ -4333,42 +5024,97 @@ The content encoding is not UTF-8. Open service. - + Print Service Print Service - + Replace live background. Replace live background. - + Reset live background. Reset live background. - + Welcome to the Bible Upgrade Wizard Welcome to the Bible Upgrade Wizard - + &Split &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. + + + Live Panel + Live Panel + + + + Open Service + Open Service + + + + Preview Panel + Preview Panel + + + + Print Service Order + Print Service Order + + + + Replace Live Background + Replace Live Background + + + + Reset Live Background + Reset Live Background + + + + Confirm Delete + + + + + Play Slides in Loop + Play Slides in Loop + + + + Play Slides to End + Play Slides to End + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + OpenLP.displayTagDialog - + Configure Display Tags - Configure Display Tags + Configure Display Tags @@ -4421,56 +5167,81 @@ The content encoding is not UTF-8. Add the selected presentation to the service. Add the selected presentation to the service. + + + Load a new Presentation. + Load a new Presentation. + + + + Delete the selected Presentation. + Delete the selected Presentation. + + + + Preview the selected Presentation. + Preview the selected Presentation. + + + + Send the selected Presentation live. + Send the selected Presentation live. + + + + Add the selected Presentation to the service. + Add the selected Presentation to the service. + PresentationPlugin.MediaItem - + Select Presentation(s) Select Presentation(s) - + Automatic Automatic - + Present using: 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 no longer exists. The Presentation %s no longer exists. - + The Presentation %s is incomplete, please reload. The Presentation %s is incomplete, please reload. @@ -4522,12 +5293,12 @@ The content encoding is not UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote OpenLP 2.0 Remote - + OpenLP 2.0 Stage View OpenLP 2.0 Stage View @@ -4537,80 +5308,85 @@ The content encoding is not UTF-8. Service Manager - + Slide Controller Slide Controller - + Alerts Alerts - + Search Search - + Back Back - + Refresh Refresh - + Blank Blank - + Show Show - + Prev Prev - + Next Next - + Text Text - + Show Alert Show Alert - + Go Live Go Live Add To Service - Add To Service + Add To Service - + No Results No Results - + Options Options + + + Add to Service + + RemotePlugin.RemoteTab @@ -4643,68 +5419,78 @@ The content encoding is not UTF-8. SongUsagePlugin - + &Song Usage Tracking &Song Usage Tracking - + &Delete Tracking Data &Delete Tracking Data - + Delete song usage data up to a specified date. Delete song usage data up to a specified date. - + &Extract Tracking Data &Extract Tracking Data - + Generate a report on song usage. Generate a report on song usage. - + Toggle Tracking Toggle Tracking - + Toggle the tracking of song usage. Toggle the tracking of song usage. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. - + SongUsage name singular SongUsage - + SongUsage name plural SongUsage - + SongUsage container title SongUsage - + Song Usage Song Usage + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + SongUsagePlugin.SongUsageDeleteForm @@ -4967,6 +5753,36 @@ The encoding is responsible for the correct character representation.Add the selected song to the service. Add the selected song to the service. + + + 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. + SongsPlugin.AuthorsForm @@ -5017,190 +5833,197 @@ The encoding is responsible for the correct character representation. SongsPlugin.EasyWorshipSongImport - + Administered by %s Administered by %s + + + +[above are Song Tags with notes imported from + EasyWorship] + + SongsPlugin.EditSongForm - + Song Editor Song Editor - + &Title: &Title: - + Alt&ernate title: Alt&ernate title: - + &Lyrics: &Lyrics: - + &Verse order: &Verse order: - + Ed&it All Ed&it All - + Title && Lyrics Title && Lyrics - + &Add to Song &Add to Song - + &Remove &Remove - + &Manage Authors, Topics, Song Books &Manage Authors, Topics, Song Books - + A&dd to Song A&dd to Song - + R&emove R&emove - + Book: Book: - + Number: Number: - + Authors, Topics && Song Book Authors, Topics && Song Book - + New &Theme New &Theme - + Copyright Information Copyright Information - + Comments Comments - + Theme, Copyright Info && Comments 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. - + Warning Warning - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? - + Add Book Add Book - + This song book does not exist, do you want to add it? This song book does not exist, do you want to add it? - + You need to have an author for this song. You need to have an author for this song. - + You need to type some text in to the verse. You need to type some text in to the verse. @@ -5227,86 +6050,96 @@ The encoding is responsible for the correct character representation.Split a slide into two by inserting a verse splitter. Split a slide into two by inserting a verse splitter. + + + &Split + &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. + SongsPlugin.ExportWizardForm - + Song Export Wizard Song Export Wizard - + This wizard will help to export your songs to the open and free OpenLyrics worship song format. This wizard will help to export your songs to the open and free OpenLyrics worship song format. - + Select Songs Select Songs - + 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... - + Check the songs you want to export. Check the songs you want to 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. @@ -5314,7 +6147,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Select Document/Presentation Files @@ -5359,42 +6192,42 @@ The encoding is responsible for the correct character representation.The OpenLyrics importer has not yet been developed, but as you can see, we are still intending to do so. Hopefully it will be in the next release. - + OpenLP 2.0 Databases OpenLP 2.0 Databases - + openlp.org v1.x Databases openlp.org v1.x Databases - + 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 - + You need to specify at least one document or presentation file to import from. You need to specify at least one document or presentation file to import from. - + Foilpresenter Song Files Foilpresenter Song Files @@ -5418,36 +6251,46 @@ The encoding is responsible for the correct character representation.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. + + + The Songs of Fellowship importer has been disabled because OpenLP cannot find OpenOffice.org on your computer. + The Songs of Fellowship importer has been disabled because OpenLP cannot find OpenOffice.org on your computer. + + + + The generic document/presentation importer has been disabled because OpenLP cannot find OpenOffice.org on your computer. + The generic document/presentation importer has been disabled because OpenLP cannot find OpenOffice.org on your computer. + SongsPlugin.MediaItem - + Titles Titles - + Lyrics Lyrics Delete Song(s)? - Delete Song(s)? + Delete Song(s)? - + CCLI License: CCLI License: - + Entire Song Entire Song - + Are you sure you want to delete the %n selected song(s)? Are you sure you want to delete the %n selected song? @@ -5455,15 +6298,21 @@ The encoding is responsible for the correct character representation. - + Maintain the lists of authors, topics and books. Maintain the lists of authors, topics and books. + + + copy + For song cloning + + SongsPlugin.OpenLP1SongImport - + Not a valid openlp.org 1.x song database. Not a valid openlp.org 1.x song database. @@ -5479,7 +6328,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.OpenLyricsExport - + Exporting "%s"... Exporting "%s"... @@ -5510,12 +6359,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongExportForm - + Finished export. Finished export. - + Your song export failed. Your song export failed. @@ -5523,35 +6372,40 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright copyright - + The following songs could not be imported: The following songs could not be imported: - + Unable to open file Unable to open file - + File not found File not found - + Cannot access OpenOffice or LibreOffice Cannot access OpenOffice or LibreOffice + + + Unable to open OpenOffice.org or LibreOffice + Unable to open OpenOffice.org or LibreOffice + SongsPlugin.SongImportForm - + Your song import failed. Your song import failed. @@ -5753,7 +6607,7 @@ The encoding is responsible for the correct character representation. Themes - Themes + Themes diff --git a/resources/i18n/en_ZA.ts b/resources/i18n/en_ZA.ts index c194d4197..220e08f85 100644 --- a/resources/i18n/en_ZA.ts +++ b/resources/i18n/en_ZA.ts @@ -1,29 +1,29 @@ - + AlertPlugin.AlertForm You have not entered a parameter to be replaced. Do you want to continue anyway? - You have not entered a parameter to be replaced. + You have not entered a parameter to be replaced. Do you want to continue anyway? No Parameter Found - No Parameter Found + No Parameter Found No Placeholder Found - No Placeholder Found + No Placeholder Found The alert text does not contain '<>'. Do you want to continue anyway? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? @@ -42,7 +42,7 @@ Do you want to continue anyway? <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen - <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen @@ -62,6 +62,11 @@ Do you want to continue anyway? container title Alerts + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. + + AlertsPlugin.AlertForm @@ -110,6 +115,30 @@ Do you want to continue anyway? &Parameter: &Parameter: + + + No Parameter Found + No Parameter Found + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + You have not entered a parameter to be replaced. +Do you want to continue anyway? + + + + No Placeholder Found + No Placeholder Found + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + The alert text does not contain '<>'. +Do you want to continue anyway? + AlertsPlugin.AlertsManager @@ -157,18 +186,18 @@ Do you want to continue anyway? Importing books... %s - Importing books... %s + Importing books... %s Importing verses from %s... Importing verses from <book name>... - Importing verses from %s... + Importing verses from %s... Importing verses... done. - Importing verses... done. + Importing verses... done. @@ -176,12 +205,12 @@ Do you want to continue anyway? &Upgrade older Bibles - &Upgrade older Bibles + &Upgrade older Bibles Upgrade the Bible databases to the latest format. - Upgrade the Bible databases to the latest format. + Upgrade the Bible databases to the latest format. @@ -189,22 +218,22 @@ Do you want to continue anyway? Download Error - Download Error + Download Error Parse Error - Parse Error + Parse 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. + 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 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. + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. @@ -212,22 +241,22 @@ Do you want to continue anyway? Bible not fully loaded. - Bible not fully loaded. + Bible not fully loaded. 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? + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Information - 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. + 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. @@ -256,12 +285,12 @@ Do you want to continue anyway? 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. @@ -305,38 +334,48 @@ Do you want to continue anyway? <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. + BiblesPlugin.BibleManager - + Scripture Reference Error Scripture Reference Error - + Web Bible cannot be used Web Bible cannot be used - + Text Search is not available with Web Bibles. Text Search is not available with Web Bibles. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns: Book Chapter @@ -355,7 +394,7 @@ Book Chapter:Verse-Verse,Chapter:Verse-Verse Book Chapter:Verse-Chapter:Verse - + No Bibles Available No Bibles Available @@ -461,189 +500,228 @@ Changes do not affect verses already in the service. You need to select a book. + + BiblesPlugin.CSVBible + + + Importing books... %s + Importing books... %s + + + + Importing verses from %s... + Importing verses from <book name>... + Importing verses from %s... + + + + Importing verses... done. + Importing verses... done. + + 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. + 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. - + Bible Exists Bible Exists - + Your Bible import failed. Your Bible import failed. - + 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. - + 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. - + Permissions: Permissions: - + CSV File CSV File - + Bibleserver Bibleserver - + Bible file: Bible file: - + Books file: Books file: - + Verses file: Verses file: - + openlp.org 1.x Bible Files openlp.org 1.x Bible Files - + 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 @@ -671,7 +749,7 @@ demand and thus an internet connection is required. BiblesPlugin.LanguageForm - + You need to choose a language. You need to choose a language. @@ -679,60 +757,80 @@ demand and thus an internet connection is required. 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. + BiblesPlugin.Opensong @@ -760,148 +858,148 @@ demand and thus an internet connection is required. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory Select a Backup Directory - + 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 - + Version name: - Version name: + Version name: - + This Bible still exists. Please change the name or uncheck it. - This Bible still exists. Please change the name or uncheck it. + This Bible still exists. Please change the name or uncheck it. - + Upgrading Upgrading - + Please wait while your Bibles are upgraded. Please wait while your Bibles are upgraded. You need to specify a Backup Directory for your Bibles. - You need to specify a backup directory for your Bibles. + You need to specify a backup directory for your Bibles. - + You need to specify a version name for your Bible. - You need to specify a version name for your Bible. + You need to specify a version name for your Bible. - + Bible Exists - Bible Exists + Bible Exists - + This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck. - This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck. + This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck. There are no Bibles available to upgrade. - There are no Bibles available to upgrade. + There are no Bibles available to upgrade. - + 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 - + Upgrading Bible %s of %s: "%s" Upgrading %s ... Upgrading Bible %s of %s: "%s" Upgrading %s ... - + , %s failed , %s failed - + Upgrading Bible(s): %s successful%s Upgrading Bible(s): %s successful%s - + Upgrade failed. Upgrade failed. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. The backup was not successful. @@ -910,27 +1008,42 @@ To backup your Bibles you need permission to write to the given directory. Starting Bible upgrade... - Starting Bible upgrade... + Starting Bible upgrade... - + 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" Complete Upgrading Bible %s of %s: "%s" Complete - + Upgrading Bible(s): %s successful%s Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. Upgrading Bible(s): %s successful%s Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + CustomPlugin @@ -1054,12 +1167,12 @@ 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. - + You need to add at least one slide You need to add at least one slide @@ -1074,12 +1187,23 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Insert Slide + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slides(s)? + + + + + + GeneralTab General - General + General @@ -1154,42 +1278,47 @@ 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 delete. You must select an image to delete. - + 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. + + MediaPlugin @@ -1255,40 +1384,45 @@ 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. - + Missing Media File Missing Media File - + The file %s no longer exists. The file %s no longer exists. - + 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. - + Videos (%s);;Audio (%s);;%s (*) Videos (%s);;Audio (%s);;%s (*) + + + There was no display item to amend. + + MediaPlugin.MediaTab @@ -1306,7 +1440,7 @@ Do you want to add the other images anyway? OpenLP - + Image Files Image Files @@ -1598,82 +1732,82 @@ Portions copyright © 2004-2011 %s OpenLP.DisplayTagDialog - + Edit Selection - Edit Selection + Edit Selection - + Description - Description + Description + + + + Tag + Tag + + + + Start tag + Start tag - Tag - Tag - - - - Start tag - Start tag - - - End tag - End tag + End tag - + Tag Id - Tag Id + Tag Id - + Start HTML - Start HTML + Start HTML - + End HTML - End HTML + End HTML - + Save - Save + Save OpenLP.DisplayTagTab - + Update Error - Update Error + Update Error Tag "n" already defined. - Tag "n" already defined. + Tag "n" already defined. - + Tag %s already defined. - Tag %s already defined. + Tag %s already defined. New Tag - New Tag + New Tag </and here> - </and here> + </and here> <HTML here> - <HTML here> + <HTML here> @@ -1681,82 +1815,82 @@ Portions copyright © 2004-2011 %s Red - Red + Red Black - Black + Black Blue - Blue + Blue Yellow - Yellow + Yellow Green - Green + Green Pink - Pink + Pink Orange - Orange + Orange Purple - Purple + Purple White - White + White Superscript - Superscript + Superscript Subscript - Subscript + Subscript Paragraph - Paragraph + Paragraph Bold - Bold + Bold Italics - Italics + Italics Underline - Underline + Underline Break - Break + Break @@ -1926,12 +2060,12 @@ Version: %s Downloading %s... - + Download complete. Click the finish button to start OpenLP. Download complete. Click the finish button to start OpenLP. - + Enabling selected plugins... Enabling selected plugins... @@ -1963,7 +2097,7 @@ Version: %s Custom Text - Custom Text + Custom Text @@ -2084,25 +2218,209 @@ To cancel the First Time Wizard completely, press the finish button now.This wizard will help you to configure OpenLP for initial use. Click the next button below to start. - + 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 - + Click the finish button to start OpenLP. Click the finish button to start OpenLP. + + + Custom Slides + Custom Slides + + + + Download complete. Click the finish button to return to OpenLP. + + + + + Click the finish button to return to OpenLP. + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Edit Selection + Edit Selection + + + + Save + Save + + + + Description + Description + + + + Tag + Tag + + + + Start tag + Start tag + + + + End tag + End tag + + + + Tag Id + Tag Id + + + + Start HTML + Start HTML + + + + End HTML + End HTML + + + + OpenLP.FormattingTagForm + + + Update Error + Update Error + + + + Tag "n" already defined. + Tag "n" already defined. + + + + New Tag + New Tag + + + + <HTML here> + <HTML here> + + + + </and here> + </and here> + + + + Tag %s already defined. + Tag %s already defined. + + + + OpenLP.FormattingTags + + + Red + Red + + + + Black + Black + + + + Blue + Blue + + + + Yellow + Yellow + + + + Green + Green + + + + Pink + Pink + + + + Orange + Orange + + + + Purple + Purple + + + + White + White + + + + Superscript + Superscript + + + + Subscript + Subscript + + + + Paragraph + Paragraph + + + + Bold + Bold + + + + Italics + Italics + + + + Underline + Underline + + + + Break + Break + OpenLP.GeneralTab @@ -2248,7 +2566,7 @@ To cancel the First Time Wizard completely, press the finish button now. OpenLP.MainDisplay - + OpenLP Display OpenLP Display @@ -2256,307 +2574,307 @@ To cancel the First Time Wizard completely, press the finish button now. OpenLP.MainWindow - + &File &File - + &Import &Import - + &Export &Export - + &View &View - + M&ode M&ode - + &Tools &Tools - + &Settings &Settings - + &Language &Language - + &Help &Help - + Media Manager Media Manager - + Service Manager Service Manager - + Theme Manager Theme Manager - + &New &New - + &Open &Open - + Open an existing service. Open an existing service. - + &Save &Save - + Save the current service to disk. Save the current service to disk. - + Save &As... Save &As... - + 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. - + &Plugin List &Plugin List - + 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. - + 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 - + 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/. @@ -2571,55 +2889,108 @@ You can download the latest version from http://openlp.org/. English (South Africa) - + Configure &Shortcuts... Configure &Shortcuts... - + Close OpenLP Close OpenLP - + Are you sure you want to close OpenLP? Are you sure you want to close OpenLP? - + 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. - + &Configure Display Tags - &Configure Display Tags + &Configure Display Tags - + &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 + + + + + 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. + + + + + &Recent Files + + + + + &Configure Formatting Tags... + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + OpenLP.MediaManagerItem @@ -2629,57 +3000,78 @@ You can download the latest version from http://openlp.org/. 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 - + Duplicate filename %s. This filename is already in the list - Duplicate filename %s. + Duplicate filename %s. This filename is already in the list + + + &Clone + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + Duplicate files found on import and ignored. + + OpenLP.PluginForm @@ -2727,12 +3119,12 @@ This filename is already in the list OpenLP.PrintServiceDialog - + Fit Page Fit Page - + Fit Width Fit Width @@ -2740,70 +3132,85 @@ This filename is already in the list OpenLP.PrintServiceForm - + Options Options Close - Close + Close - + 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 + + + + + Title: + + + + + Custom Footer Text: + + OpenLP.ScreenList @@ -2818,10 +3225,23 @@ This filename is already in the list primary + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + OpenLP.ServiceItemEditForm - + Reorder Service Item Reorder Service Item @@ -2829,257 +3249,272 @@ This filename is already in the list OpenLP.ServiceManager - + Move to &top Move to &top - + Move item to the top of the service. Move item to the top of the service. - + Move &up Move &up - + Move item up one position in the service. Move item up one position in the service. - + Move &down Move &down - + Move item down one position in the service. Move item down one position in the service. - + Move to &bottom Move to &bottom - + Move item to the end of the service. Move item to the end of the service. - + &Delete From Service &Delete From Service - + Delete the selected item from the service. 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. The content encoding is not UTF-8. File is not a valid service. The content encoding is not UTF-8. - + 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 - + &Expand all &Expand all - + Expand all the service items. Expand all the service items. - + &Collapse all &Collapse all - + Collapse all the service items. Collapse all the service items. - + Open File Open File - + OpenLP Service Files (*.osz) OpenLP Service Files (*.osz) - + Moves the selection down the window. Moves the selection down the window. - + Move up Move up - + Moves the selection up the window. Moves the selection up the window. - + Go Live Go Live - + Send the selected item to Live. Send the selected item to Live. - + Modified Service Modified Service - + &Start Time &Start Time - + Show &Preview Show &Preview - + Show &Live Show &Live - + 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? - + 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 - + Custom Service Notes: Custom Service Notes: - + Notes: Notes: - + Playing time: Playing time: - + Untitled Service Untitled Service - + Load an existing service. Load an existing service. - + Save this service. Save this service. - + Select a theme for the service. Select a theme for the service. - + This file is either corrupt or it is not an OpenLP 2.0 service file. This file is either corrupt or it is not an OpenLP 2.0 service file. + + + Slide theme + + + + + Notes + + + + + Service File Missing + + OpenLP.ServiceNoteForm - + Service Item Notes Service Item Notes @@ -3097,7 +3532,7 @@ The content encoding is not UTF-8. Customize Shortcuts - Customize Shortcuts + Customize Shortcuts @@ -3110,12 +3545,12 @@ The content encoding is not UTF-8. 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. @@ -3150,20 +3585,25 @@ The content encoding is not UTF-8. Restore the default shortcut of this action. - + Restore Default Shortcuts Restore Default Shortcuts - + Do you want to restore all shortcuts to their defaults? Do you want to restore all shortcuts to their defaults? + + + Configure Shortcuts + + OpenLP.SlideController - + Hide Hide @@ -3173,27 +3613,27 @@ The content encoding is not UTF-8. Go To - + Blank Screen Blank Screen - + Blank to Theme Blank to Theme - + Show Desktop Show Desktop - + Previous Slide Previous Slide - + Next Slide Next Slide @@ -3213,29 +3653,29 @@ The content encoding is not UTF-8. Escape Item - + Move to previous. Move to previous. - + Move to next. Move to next. - + Play Slides Play Slides Play Slides in Loop - Play Slides in Loop + Play Slides in Loop Play Slides to End - Play Slides to End + Play Slides to End @@ -3266,17 +3706,17 @@ The content encoding is not UTF-8. OpenLP.SpellTextEdit - + Spelling Suggestions Spelling Suggestions - + Formatting Tags Formatting Tags - + Language: Language: @@ -3370,192 +3810,198 @@ The content encoding is not UTF-8. 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 - + Your theme could not be exported due to an error. Your theme could not be exported due to an error. - + Select Theme Import File Select Theme Import File - + File is not a valid theme. The content encoding is not UTF-8. File is not a valid theme. The content encoding is not UTF-8. - + File is not a valid theme. File is not a valid theme. - + Theme %s is used in the %s plugin. Theme %s is used in the %s plugin. - + &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. - + OpenLP Themes (*.theme *.otz) OpenLP Themes (*.theme *.otz) + + + Copy of %s + Copy of <theme name> + + OpenLP.ThemeWizard @@ -3799,6 +4245,16 @@ The content encoding is not UTF-8. Edit Theme - %s Edit Theme - %s + + + Starting color: + + + + + Ending color: + + OpenLP.ThemesTab @@ -3842,31 +4298,36 @@ The content encoding is not UTF-8. Use the global theme, overriding any themes associated with either the service or the songs. Use the global theme, overriding any themes associated with either the service or the songs. + + + Themes + Themes + OpenLP.Ui - + Error Error - + &Delete &Delete - + Delete the selected item. Delete the selected item. - + Move selection up one position. Move selection up one position. - + Move selection down one position. Move selection down one position. @@ -3891,19 +4352,19 @@ The content encoding is not UTF-8. Create a new service. - + &Edit &Edit - + Import Import Length %s - Length %s + Length %s @@ -3931,42 +4392,42 @@ The content encoding is not UTF-8. OpenLP 2.0 - + Preview Preview - + Replace Background Replace Background - + Reset Background Reset Background - + Save Service Save Service - + Service Service - + Start %s Start %s - + &Vertical Align: &Vertical Align: - + Top Top @@ -4001,23 +4462,23 @@ The content encoding is not UTF-8. CCLI number: - + Empty Field Empty Field - + Export Export - + pt Abbreviated font pointsize unit pt - + Image Image @@ -4061,45 +4522,45 @@ The content encoding is not UTF-8. openlp.org 1.x - + s The abbreviated unit for seconds s - + Save && Preview Save && Preview - + Search Search - + 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. - + Theme Singular Theme - + Themes Plural Themes - + Version Version @@ -4165,12 +4626,12 @@ The content encoding is not UTF-8. 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 @@ -4227,38 +4688,38 @@ The content encoding is not UTF-8. Topics - + Continuous Continuous - + Default Default - + Display style: Display style: - + File File - + Help Help - + h The abbreviated unit for hours h - + Layout style: Layout style: @@ -4279,37 +4740,37 @@ The content encoding is not UTF-8. OpenLP is already running. Do you wish to continue? - + Settings Settings - + Tools Tools - + Verse Per Slide Verse Per Slide - + Verse Per Line Verse Per Line - + View View - + Duplicate Error Duplicate Error - + Unsupported File Unsupported File @@ -4324,12 +4785,12 @@ The content encoding is not UTF-8. XML syntax error - + View Mode View Mode - + Welcome to the Bible Upgrade Wizard Welcome to the Bible Upgrade Wizard @@ -4339,37 +4800,62 @@ The content encoding is not UTF-8. Open service. - + Print Service Print Service - + Replace live background. Replace live background. - + Reset live background. Reset live background. - + &Split &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. + + + Confirm Delete + + + + + Play Slides in Loop + Play Slides in Loop + + + + Play Slides to End + Play Slides to End + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + OpenLP.displayTagDialog - + Configure Display Tags - Configure Display Tags + Configure Display Tags @@ -4426,52 +4912,52 @@ The content encoding is not UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) Select Presentation(s) - + Automatic Automatic - + Present using: 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 no longer exists. The Presentation %s no longer exists. - + The Presentation %s is incomplete, please reload. The Presentation %s is incomplete, please reload. @@ -4523,12 +5009,12 @@ The content encoding is not UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote OpenLP 2.0 Remote - + OpenLP 2.0 Stage View OpenLP 2.0 Stage View @@ -4538,80 +5024,85 @@ The content encoding is not UTF-8. Service Manager - + Slide Controller Slide Controller - + Alerts Alerts - + Search Search - + Back Back - + Refresh Refresh - + Blank Blank - + Show Show - + Prev Prev - + Next Next - + Text Text - + Show Alert Show Alert - + Go Live Go Live Add To Service - Add To Service + Add To Service - + No Results No Results - + Options Options + + + Add to Service + + RemotePlugin.RemoteTab @@ -4644,68 +5135,78 @@ The content encoding is not UTF-8. SongUsagePlugin - + &Song Usage Tracking &Song Usage Tracking - + &Delete Tracking Data &Delete Tracking Data - + Delete song usage data up to a specified date. Delete song usage data up to a specified date. - + &Extract Tracking Data &Extract Tracking Data - + Generate a report on song usage. Generate a report on song usage. - + Toggle Tracking Toggle Tracking - + Toggle the tracking of song usage. Toggle the tracking of song usage. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. - + SongUsage name singular SongUsage - + SongUsage name plural SongUsage - + SongUsage container title SongUsage - + Song Usage Song Usage + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + SongUsagePlugin.SongUsageDeleteForm @@ -5018,190 +5519,197 @@ The encoding is responsible for the correct character representation. SongsPlugin.EasyWorshipSongImport - + Administered by %s Administered by %s + + + +[above are Song Tags with notes imported from + EasyWorship] + + SongsPlugin.EditSongForm - + Song Editor Song Editor - + &Title: &Title: - + &Lyrics: &Lyrics: - + Ed&it All Ed&it All - + Title && Lyrics Title && Lyrics - + &Add to Song &Add to Song - + &Remove &Remove - + &Manage Authors, Topics, Song Books &Manage Authors, Topics, Song Books - + A&dd to Song A&dd to Song - + R&emove R&emove - + Authors, Topics && Song Book Authors, Topics && Song Book - + New &Theme New &Theme - + Copyright Information Copyright Information - + Comments Comments - + Theme, Copyright Info && Comments 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. - + Warning Warning - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? - + Add Book Add Book - + This song book does not exist, do you want to add it? This song book does not exist, do you want to add it? - + Alt&ernate title: Alt&ernate title: - + &Verse order: &Verse order: - + Book: Book: - + Number: Number: - + You need to have an author for this song. You need to have an author for this song. - + You need to type some text in to the verse. You need to type some text in to the verse. @@ -5232,82 +5740,82 @@ The encoding is responsible for the correct character representation. SongsPlugin.ExportWizardForm - + Song Export Wizard Song Export Wizard - + This wizard will help to export your songs to the open and free OpenLyrics worship song format. This wizard will help to export your songs to the open and free OpenLyrics worship song format. - + Select Songs Select Songs - + 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... - + Check the songs you want to export. Check the songs you want to 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. @@ -5345,7 +5853,7 @@ The encoding is responsible for the correct character representation.Please wait while your songs are imported. - + Select Document/Presentation Files Select Document/Presentation Files @@ -5360,42 +5868,42 @@ The encoding is responsible for the correct character representation.The OpenLyrics importer has not yet been developed, but as you can see, we are still intending to do so. Hopefully it will be in the next release. - + OpenLP 2.0 Databases OpenLP 2.0 Databases - + openlp.org v1.x Databases openlp.org v1.x Databases - + 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 - + You need to specify at least one document or presentation file to import from. You need to specify at least one document or presentation file to import from. - + Foilpresenter Song Files Foilpresenter Song Files @@ -5423,32 +5931,32 @@ The encoding is responsible for the correct character representation. SongsPlugin.MediaItem - + Titles Titles - + Lyrics Lyrics Delete Song(s)? - Delete Song(s)? + Delete Song(s)? - + CCLI License: CCLI License: - + Entire Song Entire Song - + Are you sure you want to delete the %n selected song(s)? Are you sure you want to delete the %n selected song(s)? @@ -5456,15 +5964,21 @@ The encoding is responsible for the correct character representation. - + Maintain the lists of authors, topics and books. Maintain the lists of authors, topics and books. + + + copy + For song cloning + + SongsPlugin.OpenLP1SongImport - + Not a valid openlp.org 1.x song database. Not a valid openlp.org 1.x song database. @@ -5480,7 +5994,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.OpenLyricsExport - + Exporting "%s"... Exporting "%s"... @@ -5511,12 +6025,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongExportForm - + Finished export. Finished export. - + Your song export failed. Your song export failed. @@ -5524,27 +6038,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright copyright - + The following songs could not be imported: The following songs could not be imported: - + Unable to open file Unable to open file - + File not found File not found - + Cannot access OpenOffice or LibreOffice Cannot access OpenOffice or LibreOffice @@ -5552,7 +6066,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImportForm - + Your song import failed. Your song import failed. @@ -5754,7 +6268,7 @@ The encoding is responsible for the correct character representation. Themes - Themes + Themes diff --git a/resources/i18n/es.ts b/resources/i18n/es.ts index c31c1ce06..573212a08 100644 --- a/resources/i18n/es.ts +++ b/resources/i18n/es.ts @@ -1,29 +1,29 @@ - + AlertPlugin.AlertForm You have not entered a parameter to be replaced. Do you want to continue anyway? - No ha ingresado un parámetro para reemplazarlo. + No ha ingresado un parámetro para reemplazarlo. ¿Desea continuar de todas maneras? No Parameter Found - Parámetro no encontrado + Parámetro no encontrado No Placeholder Found - Marcador No Encontrado + Marcador No Encontrado The alert text does not contain '<>'. Do you want to continue anyway? - El texto de alerta no contiene '<>'. + El texto de alerta no contiene '<>'. ¿Desea continuar de todos modos? @@ -42,7 +42,7 @@ Do you want to continue anyway? <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen - <strong>Complemento de Alertas</strong><br />El complemento de alertas controla la visualización de mensajes de guardería + <strong>Complemento de Alertas</strong><br />El complemento de alertas controla la visualización de mensajes de guardería @@ -62,6 +62,11 @@ Do you want to continue anyway? container title Alertas + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. + + AlertsPlugin.AlertForm @@ -110,6 +115,30 @@ Do you want to continue anyway? &Parameter: &Parámetro: + + + No Parameter Found + Parámetro no encontrado + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + No ha ingresado un parámetro para reemplazarlo. +¿Desea continuar de todas maneras? + + + + No Placeholder Found + Marcador No Encontrado + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + El texto de alerta no contiene '<>'. +¿Desea continuar de todos modos? + AlertsPlugin.AlertsManager @@ -157,18 +186,18 @@ Do you want to continue anyway? Importing books... %s - Importando libros... %s + Importando libros... %s Importing verses from %s... Importing verses from <book name>... - Importando versículos de %s... + Importando versículos de %s... Importing verses... done. - Importando versículos... listo. + Importando versículos... listo. @@ -176,12 +205,17 @@ Do you want to continue anyway? &Upgrade older Bibles - &Actualizar Biblias antiguas + &Actualizar Biblias antiguas + + + + Upgrade the Bible databases to the latest format + Actualizar las Biblias al último formato disponible Upgrade the Bible databases to the latest format. - Actualizar las Biblias al último formato disponible. + Actualizar las Biblias al último formato disponible. @@ -189,22 +223,22 @@ Do you want to continue anyway? Download Error - Error de Descarga + Error de Descarga Parse Error - Error de Análisis + Error de Análisis There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. - Hubo un problema al descargar los versículos seleccionados. Por favor revise la conexión a internet, y si el error persiste considere reportar esta falla. + Hubo un problema al descargar los versículos seleccionados. Por favor revise la conexión a internet, y si el error persiste considere reportar esta falla. 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. + Hubo un problema al extraer los versículos seleccionados. Si el error persiste considere reportar esta falla. @@ -212,22 +246,27 @@ Do you want to continue anyway? Bible not fully loaded. - Carga incompleta. + Carga incompleta. 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 busquedas individuales y dobles de versículos. ¿Desea borrar los resultados y abrir una busqueda nueva? + No puede mezclar busquedas individuales y dobles de versículos. ¿Desea borrar los resultados y abrir una busqueda nueva? Information - Información + Información + + + + The second Bibles 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. + Las Biblias secundarias no contienen todos los versículos de la Bilbia principal. Solo se muestran los versículos comunes. Versículos %d no se incluyen en los resultados. 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 Bilbia principal. Solo se muestran los versículos comunes. Versículos %d no se incluyen en los resultados. + La Biblia secundaria no contiene todos los versículos de la Bilbia principal. Solo se muestran los versículos comunes. Versículos %d no se incluyen en los resultados. @@ -256,12 +295,12 @@ Do you want to continue anyway? Biblias - + No Book Found No se encontró el libro - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. No se hayó el nombre en esta Biblia. Revise que el nombre del libro esté deletreado correctamente. @@ -305,38 +344,48 @@ Do you want to continue anyway? <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 proporciona la capacidad de mostrar versículos de diversas fuentes, durante el servicio. + + + &Upgrade older Bibles + &Actualizar Biblias antiguas + + + + Upgrade the Bible databases to the latest format. + Actualizar las Biblias al último formato disponible. + BiblesPlugin.BibleManager - + Scripture Reference Error Error de Referencia Bíblica - + Web Bible cannot be used No se puede usar la Biblia Web - + Text Search is not available with Web Bibles. LA búsqueda no esta disponible para Biblias Web. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. No ingreso una palabra clave a buscar. Puede separar palabras clave por un espacio para buscar todas las palabras clave y puede separar conr una coma para buscar una de ellas. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. No existen Bilbias instaladas. Puede usar el Asistente de Importación para instalar una o varias más. - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns: Book Chapter @@ -355,7 +404,7 @@ Libro Capítulo:Versículo-Versículo,Capítulo:Versículo-Versículo Libro Capítulo:Versículo-Capítulo:Versículo - + No Bibles Available Biblias no Disponibles @@ -415,27 +464,27 @@ Los cambios no se aplican a ítems en el servcio. Select Book Name - + Seleccione Nombre de Libro The following book name cannot be matched up internally. Please select the corresponding English name from the list. - + El siguiente nombre no se encontró internamente. Por favor seleccione de la lista el correspondiente nombre en inglés. Current name: - Nombre actual: + Nombre actual: Corresponding name: - + Nombre correspondiente: Show Books From - + Mostrar Libros Desde @@ -461,193 +510,232 @@ Los cambios no se aplican a ítems en el servcio. Debe seleccionar un libro. + + BiblesPlugin.CSVBible + + + Importing books... %s + Importando libros... %s + + + + Importing verses from %s... + Importing verses from <book name>... + Importando versículos de %s... + + + + Importing verses... done. + Importando versículos... listo. + + BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registrando Biblia y cargando libros... - + Registering Language... Registrando Idioma... - + Importing %s... Importing <book name>... Importando %s... + + + Download Error + Error de Descarga + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + Hubo un problema al descargar los versículos seleccionados. Por favor revise la conexión a internet, y 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. + BiblesPlugin.ImportWizardForm - + Bible Import Wizard Asistente para Biblias - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. Este asistente le ayudará a importar Biblias en una variedad de formatos. Haga clic en el botón siguiente para empezar el proceso seleccionando un formato a importar. - + Web Download Descarga Web - + Location: Ubicación: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Biblia: - + Download Options Opciones de Descarga - + Server: Servidor: - + Username: Usuario: - + Password: Contraseña: - + Proxy Server (Optional) Servidor Proxy (Opcional) - + License Details Detalles de Licencia - + Set up the Bible's license details. Establezca los detalles de licencia de la Biblia. - + Version name: Nombre de la versión: - + Copyright: Derechos de autor: - + Please wait while your Bible is imported. Por favor, espere mientras que 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 para la versión de esta Biblia. - + Bible Exists Ya existe la Biblia - + Your Bible import failed. La importación de su Biblia falló. - + 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. - + 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. - + Permissions: Permisos: - + CSV File Archivo CSV - + Bibleserver Servidor - + Bible file: Archivo de biblia: - + Books file: Archivo de libros: - + Verses file: Archivo de versículos: - + openlp.org 1.x Bible Files Archivos de Biblia openlp.org 1.x - + 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 se necesita una conexión a internet. +sea necesario, por lo que debe contar con una conexión a internet. @@ -671,7 +759,7 @@ sea necesario, por lo que se necesita una conexión a internet. BiblesPlugin.LanguageForm - + You need to choose a language. Debe elegir un idioma. @@ -679,60 +767,80 @@ sea necesario, por lo que se necesita una conexión a internet. BiblesPlugin.MediaItem - + Quick Rápida - + Find: Encontrar: - + Book: Libro: - + Chapter: Capítulo: - + Verse: Versículo: - + From: Desde: - + To: Hasta: - + Text Search Buscar texto - + Second: Secundaria: - + Scripture Reference Referencia Bíblica - + Toggle to keep or clear the previous results. Alterna entre mantener o limpiar 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 busquedas individuales y dobles de versículos. ¿Desea borrar los resultados y abrir una busqueda nueva? + + + + Bible not fully loaded. + Carga 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 Bilbia principal. Solo se muestran los versículos comunes. Versículos %d no se incluyen en los resultados. + BiblesPlugin.Opensong @@ -760,174 +868,233 @@ sea necesario, por lo que se necesita una conexión a internet. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory - + Seleccione un Directorio de Respaldo - + Bible Upgrade Wizard - + Asistente para Actualizar Bilias - + 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 Bilias de versiones anteriores de 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 de OpenLP 2.0 no utilizan las Biblias actualizadas. Se creará un respaldo de sus Biblias actuales, para facilitar el proceso, en caso que tenga que utilizar una versión anterior del programa. Las instrucciones para resturar 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 actualizar mis Biblias - + Select Bibles - + Seleccione Biblias - + Please select the Bibles to upgrade - + Por favor seleccione las Biblias a actualizar + + + + Version name: + Nombre de la versión: - Version name: - Nombre de la versión: - - - This Bible still exists. Please change the name or uncheck it. - + Esta Biblia todavía existe. Por favor cambie el nombre o deseleccionela. - + Upgrading - + Actualizando - + Please wait while your Bibles are upgraded. - + Por favor espere mientras sus Biblias son actualizadas. You need to specify a Backup Directory for your Bibles. - + Debe especificar un Directoria de Respaldo para su Biblia. - + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. If you have write permissions and this error still occurs, please report a bug. + El respaldo no fue exitoso. +Para respaldar sus Biblias debe tener permisos de escritura en el directorio seleccionado. Si los tiene y el problema persiste, por favor reporte el error. + + + You need to specify a version name for your Bible. - Debe ingresar un nombre para la versión de esta Biblia. + Debe ingresar un nombre para la versión de esta Biblia. - + Bible Exists - Ya existe la Biblia + Ya existe esta Biblia - + This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck. - + Esta Biblia ya existe. Por favor actualize una diferente, borre la existente o deseleccionela. + + + + Starting upgrading Bible(s)... + Iniciando la Actualización(es)... There are no Bibles available to upgrade. - + No existen Bilias disponibles para actualizar. - + 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 + Error de Descarga - + + To upgrade your Web Bibles an Internet connection is required. If you have a working Internet connection and this error still occurs, please report a bug. + Para actualizar sus Biblias se requiere de una conexión a internet. Si la tiene y el problema persiste, por favor reporte el error. + + + Upgrading Bible %s of %s: "%s" Upgrading %s ... - + Actualizando Biblia %s de %s: "%s" +Actualizando %s... - + + Upgrading Bible %s of %s: "%s" +Done + Actualizando Biblia %s de %s: "%s" +Listo + + + , %s failed - + , %s fallidas - + + Upgrading Bible(s): %s successful%s +Please note, that verses from Web Bibles will be downloaded +on demand and so an Internet connection is required. + Actualizando Biblia(s): %s exitosas%s +Note que los versículos se descargarán según sea necesario, +por lo que debe contar con una conexión a internet. + + + Upgrading Bible(s): %s successful%s - + Actualizando Biblia(s): %s exitosas%s - + Upgrade failed. - + Actualización fallida. - + 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. Starting Bible upgrade... - + Iniciando actualización... - + 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" Complete + Actualizando Biblia %s de %s: "%s" +Completado + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + Actualizando Biblia(s): %s exitosas%s +Note que los versículos se descargarán según sea necesario, por lo que debe contar con una conexión a internet. + + + + You need to specify a backup directory for your Bibles. - - Upgrading Bible(s): %s successful%s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. CustomPlugin + + + <strong>Custom Plugin</strong><br />The custom plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + <strong>Diapositivas</strong><br />Este complemento le permite mostar diapositivas de texto, de igual manera que se muestran las canciones. Este complemento ofrece una mayor libertad que el complemento de canciones. + <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. @@ -1032,6 +1199,11 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Edit all the slides at once. Editar todas las diapositivas a la vez. + + + Split Slide + Dividir la Diapositiva + Split a slide into two by inserting a slide splitter. @@ -1048,12 +1220,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Creditos: - + You need to type in a title. Debe escribir un título. - + You need to add at least one slide Debe agregar al menos una diapositiva @@ -1062,18 +1234,95 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Ed&it All Ed&itar Todo + + + 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. + Insert Slide Insertar + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slides(s)? + + + + + + + + CustomsPlugin + + + Custom + name singular + Diapositiva + + + + Customs + name plural + Diapositivas + + + + Custom + container title + Diapositivas + + + + Load a new Custom. + Cargar nueva Diapositiva. + + + + Import a Custom. + Importar nueva Diapositiva. + + + + Add a new Custom. + Agregar nueva Diapositiva. + + + + Edit the selected Custom. + Editar Diapositiva seleccionada. + + + + Delete the selected Custom. + Eliminar Diapositiva seleccionada. + + + + Preview the selected Custom. + Visualizar Diapositiva seleccionada. + + + + Send the selected Custom live. + Proyectar Diapositiva seleccionada. + + + + Add the selected Custom to the service. + Agregar Diapositiva al servicio. + + GeneralTab General - General + General @@ -1101,6 +1350,41 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title Imágenes + + + Load a new Image. + Cargar una Imagen nueva. + + + + Add a new Image. + Agregar una Imagen nueva. + + + + Edit the selected Image. + Editar la Imágen seleccionada. + + + + Delete the selected Image. + Eliminar la Imagen seleccionada. + + + + Preview the selected Image. + Visualizar la Imagen seleccionada. + + + + Send the selected Image live. + Proyectar la Imagen seleccionada. + + + + Add the selected Image to the service. + Agregar esta Imagen al servicio. + Load a new image. @@ -1148,42 +1432,47 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.MediaItem - + Select Image(s) Seleccionar Imagen(es) - + You must select an image to delete. Debe seleccionar una imagen para eliminar. - + You must select an image to replace the background with. Debe seleccionar una imagen para reemplazar el fondo. - + Missing Image(s) Imágen(es) faltante - + The following image(s) no longer exist: %s La siguiente imagen(es) ya no esta 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 esta 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. + + MediaPlugin @@ -1210,6 +1499,41 @@ Do you want to add the other images anyway? container title Medios + + + Load a new Media. + Cargar un Medio nuevo. + + + + Add a 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. + Visualizar el Medio seleccionado. + + + + Send the selected Media live. + Proyectar el Medio seleccionado. + + + + Add the selected Media to the service. + Agregar este Medio al servicio. + Load new media. @@ -1249,40 +1573,45 @@ 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 medio para eliminar. - + Missing Media File Archivo de Medios faltante - + The file %s no longer exists. El archivo %s ya no esta disponible. - + 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. - + Videos (%s);;Audio (%s);;%s (*) Videos (%s);;Audio (%s);;%s (*) + + + There was no display item to amend. + + MediaPlugin.MediaTab @@ -1300,7 +1629,7 @@ Do you want to add the other images anyway? OpenLP - + Image Files Archivos de Imagen @@ -1592,82 +1921,87 @@ Portions copyright © 2004-2011 %s OpenLP.DisplayTagDialog - + Edit Selection - Editar Selección + Editar Selección - + Description - Descripción + Descripción + + + + Tag + Marca + + + + Start tag + Marca inicial - Tag - Marca - - - - Start tag - Marca inicial - - - End tag - Marca final + Marca final - + Tag Id - Id + Id - + Start HTML - Inicio HTML + Inicio HTML - + End HTML - Final HTML + Final HTML - + Save - Guardar + Guardar OpenLP.DisplayTagTab - + Update Error - Error de Actualización + Error de Actualización Tag "n" already defined. - Etiqueta "n" ya definida. + Etiqueta "n" ya definida. - + Tag %s already defined. - Etiqueta %s ya definida. + Etiqueta %s ya definida. New Tag - Etiqueta nueva + Etiqueta nueva + + + + <Html_here> + <Html_aquí> </and here> - + </and aquí> <HTML here> - + <HTML aquí> @@ -1675,82 +2009,82 @@ Portions copyright © 2004-2011 %s Red - Rojo + Rojo Black - Negro + Negro Blue - Azul + Azul Yellow - Amarillo + Amarillo Green - Verde + Verde Pink - Rosado + Rosado Orange - Anaranjado + Anaranjado Purple - Morado + Morado White - Blanco + Blanco Superscript - Superíndice + Superíndice Subscript - Subíndice + Subíndice Paragraph - Párrafo + Párrafo Bold - Negrita + Negrita Italics - Cursiva + Cursiva Underline - Subrayado + Subrayado Break - Salto + Salto @@ -1921,12 +2255,12 @@ Version: %s Descargando %s... - + Download complete. Click the finish button to start OpenLP. Descarga completa. Presione finalizar para iniciar OpenLP. - + Enabling selected plugins... Habilitando complementos seleccionados... @@ -1958,7 +2292,7 @@ Version: %s Custom Text - Texto Personalizado + Texto Personalizado @@ -2058,6 +2392,16 @@ Para cancelar el Asistente Inicial por completo, pulse el botón Finalizar ahora Set up default settings to be used by OpenLP. Utilizar la configuración por defecto. + + + Setting Up And Importing + Preferencias e Inportación + + + + Please wait while OpenLP is set up and your data is imported. + Por favor espere mientras OpenLP se configura e importa los datos. + Default output display: @@ -2079,25 +2423,209 @@ Para cancelar el Asistente Inicial por completo, pulse el botón Finalizar ahora Este asistente configurará OpenLP para su uso inicial. Presione el botón Siguiente para iniciar. - + Setting Up And Downloading Configurando && 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 - + Click the finish button to start OpenLP. Presione finalizar para iniciar OpenLP. + + + Custom Slides + Diapositivas + + + + Download complete. Click the finish button to return to OpenLP. + + + + + Click the finish button to return to OpenLP. + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Edit Selection + Editar Selección + + + + Save + Guardar + + + + Description + Descripción + + + + Tag + Marca + + + + Start tag + Marca inicial + + + + End tag + Marca final + + + + Tag Id + Id + + + + Start HTML + Inicio HTML + + + + End HTML + Final HTML + + + + OpenLP.FormattingTagForm + + + Update Error + Error de Actualización + + + + Tag "n" already defined. + Etiqueta "n" ya definida. + + + + New Tag + Etiqueta nueva + + + + <HTML here> + <HTML aquí> + + + + </and here> + </and aquí> + + + + Tag %s already defined. + Etiqueta %s ya definida. + + + + OpenLP.FormattingTags + + + Red + Rojo + + + + Black + Negro + + + + Blue + Azul + + + + Yellow + Amarillo + + + + Green + Verde + + + + Pink + Rosado + + + + Orange + Anaranjado + + + + Purple + Morado + + + + White + Blanco + + + + Superscript + Superíndice + + + + Subscript + Subíndice + + + + Paragraph + Párrafo + + + + Bold + Negrita + + + + Italics + Cursiva + + + + Underline + Subrayado + + + + Break + Salto + OpenLP.GeneralTab @@ -2219,12 +2747,12 @@ Para cancelar el Asistente Inicial por completo, pulse el botón Finalizar ahora Enable slide wrap-around - + Habilitar ajuste de diapositiva Timed slide interval: - + Intervalo de diapositivas: @@ -2243,7 +2771,7 @@ Para cancelar el Asistente Inicial por completo, pulse el botón Finalizar ahora OpenLP.MainDisplay - + OpenLP Display Pantalla de OpenLP @@ -2251,287 +2779,287 @@ Para cancelar el Asistente Inicial por completo, pulse el botón Finalizar ahora OpenLP.MainWindow - + &File &Archivo - + &Import &Importar - + &Export &Exportar - + &View &Ver - + M&ode M&odo - + &Tools &Herramientas - + &Settings &Preferencias - + &Language &Idioma - + &Help &Ayuda - + Media Manager Gestor de Medios - + Service Manager Gestor de Servicio - + Theme Manager Gestor de Temas - + &New &Nuevo - + &Open &Abrir - + Open an existing service. Abrir un servicio existente. - + &Save &Guardar - + Save the current service to disk. Guardar el servicio actual en el disco. - + Save &As... Guardar &Como... - + 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. Alernar 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. Alernar la visibilidad del gestor de temas. - + &Service Manager Gestor de &Servicio - + Toggle Service Manager Alternar Gestor de Servicio - + Toggle the visibility of the service manager. Alernar la visibilidad del gestor de servicio. - + &Preview Panel &Panel de Vista Previa - + Toggle Preview Panel Alternar Panel de Vista Previa - + Toggle the visibility of the preview panel. Alernar 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. - + &Plugin List Lista de &Complementos - + 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 Por &defecto - + Set the view mode back to the default. Modo de vizualización por defecto. - + &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/. @@ -2540,22 +3068,22 @@ You can download the latest version from http://openlp.org/. 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 por defecto: %s @@ -2566,55 +3094,113 @@ Puede descargar la última versión desde http://openlp.org/. Español - + Configure &Shortcuts... Configurar &Atajos... - + Close OpenLP Cerrar OpenLP - + Are you sure you want to close OpenLP? ¿Desea realmente salir de OpenLP? - + + Print the current Service Order. + Imprimir Orden del Servicio actual. + + + Open &Data Folder... Abrir Folder de &Datos... - + Open the folder where songs, bibles and other data resides. Abrir el folder donde se almacenan las canciones, biblias y otros datos. - + &Configure Display Tags - &Configurar Etiquetas de Visualización + &Configurar Etiquetas de Visualización - + &Autodetect &Autodetectar - + Update Theme Images Actualizar Imágenes de Tema - + Update the preview images for all themes. Actualizar imagen de vista previa de todos los temas. - + Print the current service. Imprimir Orden del Servicio actual. + + + 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. + + + + + &Recent Files + + + + + &Configure Formatting Tags... + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + OpenLP.MediaManagerItem @@ -2624,57 +3210,85 @@ Puede descargar la última versión desde http://openlp.org/. Nada Seleccionado - + &Add to selected Service Item &Agregar al ítem del Servico - + You must select one or more items to preview. Debe seleccionar uno o más ítems para visualizar. - + You must select one or more items to send live. Debe seleccionar uno o más ítems para proyectar. - + You must select one or more items. Debe seleccionar uno o más ítems. - + You must select an existing service item to add to. Debe seleccionar un servicio existente al cual añadir. - + Invalid Service Item Ítem de Servicio no válido - + You must select a %s service item. Debe seleccionar un(a) %s del servicio. - + + Duplicate file name %s. +Filename already exists in list + Nombre %s duplicado. +Este ya existe en la lista + + + You must select one or more items to add. Debe seleccionar uno o más ítemes para agregar. - + No Search Results Sin Resultados - + Duplicate filename %s. This filename is already in the list - Nombre %s duplicado. + Nombre %s duplicado. Este nombre ya existe en la lista + + + &Clone + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + Duplicate files found on import and ignored. + + OpenLP.PluginForm @@ -2722,12 +3336,12 @@ Este nombre ya existe en la lista OpenLP.PrintServiceDialog - + Fit Page Ajustar a Página - + Fit Width Ajustar a Ancho @@ -2735,70 +3349,90 @@ Este nombre ya existe en la lista OpenLP.PrintServiceForm - + Options Opciones Close - Cerrar + Cerrar - + 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 diap. si está disponible - + Include service item notes Incluir las notas de servicio - + Include play length of media items Incluir la duración de los medios - + + Service Order Sheet + Hoja de Orden de Servicio + + + Add page break before each text item Agregar salto de página antes de cada ítem - + Service Sheet Hoja de Servicio + + + Print + + + + + Title: + + + + + Custom Footer Text: + + OpenLP.ScreenList @@ -2813,10 +3447,23 @@ Este nombre ya existe en la lista principal + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + OpenLP.ServiceItemEditForm - + Reorder Service Item Reorganizar ítem de Servicio @@ -2824,257 +3471,277 @@ Este nombre ya existe en la lista OpenLP.ServiceManager - + Move to &top Mover al &inicio - + Move item to the top of the service. Mover el ítem al inicio del servicio. - + Move &up S&ubir - + Move item up one position in the service. Mover el ítem una posición hacia arriba. - + Move &down Ba&jar - + Move item down one position in the service. Mover el ítem una posición hacia abajo. - + Move to &bottom Mover al &final - + Move item to the end of the service. Mover el ítem al final del servicio. - + &Delete From Service &Eliminar Del Servicio - + Delete the selected item from the service. Eliminar el ítem seleccionado del servicio. - + &Add New Item &Agregar un ítem nuevo - + &Add to Selected Item &Agregar al ítem Seleccionado - + &Edit Item &Editar ítem - + &Reorder Item &Reorganizar ítem - + &Notes &Notas - + &Change Item Theme &Cambiar Tema de ítem - + File is not a valid service. The content encoding is not UTF-8. Este no es un servicio válido. La codificación del contenido no es UTF-8. - + File is not a valid service. El archivo no es un servicio vá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 ítem 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 ítem no se puede mostar porque falta el complemento requerido o esta desabilitado - + &Expand all &Expandir todo - + Expand all the service items. Expandir todos los ítems del servicio. - + &Collapse all &Colapsar todo - + Collapse all the service items. Colapsar todos los ítems del servicio. - + Open File Abrir Archivo - + OpenLP Service Files (*.osz) Archivo de Servicio OpenLP (*.osz) - + Moves the selection down the window. Mover selección hacia abajo. - + Move up Subir - + Moves the selection up the window. Mover selección hacia arriba. - + Go Live Proyectar - + Send the selected item to Live. Proyectar el ítem seleccionado. - + Modified Service Servicio Modificado - + &Start Time &Tiempo de Inicio - + Show &Preview Mostrar &Vista previa - + Show &Live Mostrar &Proyección - + The current service has been modified. Would you like to save this service? El servicio actual a sido modificado. ¿Desea guardar este servicio? - + 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 - + Custom Service Notes: Notas Personales del Servicio: - + Notes: Notas: - + Playing time: Tiempo de reproducción: - + Untitled Service Servicio Sin nombre - + + This file is either corrupt or not an OpenLP 2.0 service file. + El archivo está corrompido o no es una archivo de OpenLP 2.0. + + + Load an existing service. Abrir un servicio existente. - + Save this service. Guardar este servicio. - + Select a theme for the service. Seleccione un tema para el servicio. - + This file is either corrupt or it is not an OpenLP 2.0 service file. El archivo está corrupto o no es un archivo OpenLP 2.0 válido. + + + Slide theme + + + + + Notes + + + + + Service File Missing + + OpenLP.ServiceNoteForm - + Service Item Notes Notas de Elemento de Servicio @@ -3092,7 +3759,7 @@ La codificación del contenido no es UTF-8. Customize Shortcuts - Cambiar Atajos + Cambiar Atajos @@ -3105,12 +3772,12 @@ La codificación del contenido no es UTF-8. 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. @@ -3145,20 +3812,25 @@ La codificación del contenido no es UTF-8. Restuarar el atajo por defecto para esta acción. - + Restore Default Shortcuts Restaurar los Atajos Por defecto - + Do you want to restore all shortcuts to their defaults? ¿Quiere restaurar todos los atajos a su valor original? + + + Configure Shortcuts + + OpenLP.SlideController - + Hide Ocultar @@ -3168,27 +3840,27 @@ La codificación del contenido no es UTF-8. Ir A - + Blank Screen Pantalla en Blanco - + Blank to Theme Proyectar el Tema - + Show Desktop Mostrar Escritorio - + Previous Slide Diapositiva Anterior - + Next Slide Diapositiva Siguiente @@ -3208,34 +3880,34 @@ La codificación del contenido no es UTF-8. Salir de ítem - + Move to previous. - Ir al anterior. + Ir al anterior. - + Move to next. - Ir al siguiente. + Ir al siguiente. - + Play Slides - Reproducir diapositivas + Reproducir diapositivas Play Slides in Loop - Reproducir en Bucle + Reproducir en Bucle Play Slides to End - Reproducir hasta el final + Reproducir hasta el final Delay between slides in seconds. - Tiempo entre diapositivas en segundos. + Tiempo entre diapositivas en segundos. @@ -3255,23 +3927,23 @@ La codificación del contenido no es UTF-8. Start playing media. - Reproducir medios. + Reproducir medios. OpenLP.SpellTextEdit - + Spelling Suggestions Sugerencias Ortográficas - + Formatting Tags Etiquetas de Formato - + Language: Idioma: @@ -3318,15 +3990,25 @@ La codificación del contenido no es UTF-8. Time Validation Error Error de Validación de Tiempo + + + End time is set after the end of the media item + El tiempo final se establece despues del final del medio + + + + Start time is after the End Time of the media item + El tiempo de inicio se establece despues del Tiempo Final del medio + Finish time is set after the end of the media item - + El Final se establece despues del final del medio actual Start time is after the finish time of the media item - + El Inicio se establece despues del final del medio actual @@ -3359,198 +4041,204 @@ La codificación del contenido no es UTF-8. (approximately %d lines per slide) - + (aproximadamente %d líneas por diapositiva) 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 (por defecto) - + 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 a sido exportado exitosamente. - + Theme Export Failed La importación falló - + Your theme could not be exported due to an error. No se pudo exportar el tema dedido a un error. - + Select Theme Import File Seleccione el Archivo de Tema a Importar - + File is not a valid theme. The content encoding is not UTF-8. Este no es un tema válido. La codificación del contenido no es UTF-8. - + File is not a valid theme. El archivo no es un tema válido. - + Theme %s is used in the %s plugin. El tema %s se usa en el complemento %s. - + &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. - + OpenLP Themes (*.theme *.otz) Tema OpenLP (*.theme *otz) + + + Copy of %s + Copy of <theme name> + + OpenLP.ThemeWizard @@ -3794,6 +4482,16 @@ La codificación del contenido no es UTF-8. Edit Theme - %s Editar Tema - %s + + + Starting color: + + + + + Ending color: + + OpenLP.ThemesTab @@ -3837,31 +4535,36 @@ La codificación del contenido no es UTF-8. Use the global theme, overriding any themes associated with either the service or the songs. Utilizar el tema global, ignorado los temas asociados con el servicio o con las canciones. + + + Themes + Temas + OpenLP.Ui - + Error Error - + &Delete &Eliminar - + Delete the selected item. Eliminar el ítem seleccionado. - + Move selection up one position. Mover selección un espacio hacia arriba. - + Move selection down one position. Mover selección un espacio hacia abajo. @@ -3886,19 +4589,19 @@ La codificación del contenido no es UTF-8. Crear un servicio nuevo. - + &Edit &Editar - + Import Importar Length %s - Duración %s + Duración %s @@ -3926,42 +4629,57 @@ La codificación del contenido no es UTF-8. OpenLP 2.0 - + + Open Service + Abrir Servicio + + + Preview Vista previa - + Replace Background Reemplazar Fondo - + + Replace Live Background + Reemplazar el Fondo Proyectado + + + Reset Background Restablecer Fondo - + + Reset Live Background + Restablecer el Fondo Proyectado + + + Save Service Guardar Servicio - + Service Servicio - + Start %s Inicio %s - + &Vertical Align: Alinea. &Vertical: - + Top Superior @@ -3996,23 +4714,23 @@ La codificación del contenido no es UTF-8. Número CCLI: - + Empty Field Campo Vacío - + Export Exportar - + pt Abbreviated font pointsize unit pto - + Image Imagen @@ -4021,6 +4739,11 @@ La codificación del contenido no es UTF-8. Live Background Error Error del Fondo en proyección + + + Live Panel + Panel de Proyección + New Theme @@ -4056,45 +4779,55 @@ La codificación del contenido no es UTF-8. openlp.org 1.x - + + Preview Panel + Panel de Vista Previa + + + + Print Service Order + Imprimir Orden del Servicio + + + s The abbreviated unit for seconds s - + Save && Preview Guardar && Previsualizar - + Search Buscar - + You must select an item to delete. Debe seleccionar un ítem para eliminar. - + You must select an item to edit. Debe seleccionar un ítem para editar. - + Theme Singular Tema - + Themes Plural Temas - + Version Versión @@ -4160,12 +4893,12 @@ La codificación del contenido no es UTF-8. 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 @@ -4222,38 +4955,38 @@ La codificación del contenido no es UTF-8. Categorías - + Continuous Continuo - + Default Por defecto - + Display style: Estilo de presentación: - + File Archivos - + Help Ayuda - + h The abbreviated unit for hours h - + Layout style: Distribución: @@ -4274,37 +5007,37 @@ La codificación del contenido no es UTF-8. OpenLP ya esta abierto. ¿Desea continuar? - + Settings Preferencias - + Tools Herramientas - + Verse Per Slide Verso por Diapositiva - + Verse Per Line Verso Por Línea - + View Vista - + Duplicate Error Error de Duplicación - + Unsupported File Archivo no Soportado @@ -4319,12 +5052,12 @@ La codificación del contenido no es UTF-8. Error XML de sintaxis - + View Mode Disposición - + Welcome to the Bible Upgrade Wizard Bienvenido al Asistente para Actualización de Biblias @@ -4334,37 +5067,62 @@ La codificación del contenido no es UTF-8. Abrir Servicio. - + Print Service Imprimir Servicio - + Replace live background. Reemplazar el fondo proyectado. - + Reset live background. Restablecer el fondo proyectado. - + &Split &Dividir - + 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. + + + Confirm Delete + + + + + Play Slides in Loop + Reproducir en Bucle + + + + Play Slides to End + Reproducir hasta el final + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + OpenLP.displayTagDialog - + Configure Display Tags - Configurar Etiquetas de Visualización + Configurar Etiquetas de Visualización @@ -4392,6 +5150,31 @@ La codificación del contenido no es UTF-8. container title Presentaciones + + + Load a new Presentation. + Cargar una Presentación nueva. + + + + Delete the selected Presentation. + Eliminar la Presentación seleccionada. + + + + Preview the selected Presentation. + Visualizar la Presentación seleccionada. + + + + Send the selected Presentation live. + Proyectar la Presentación seleccionada. + + + + Add the selected Presentation to the service. + Agregar esta Presentación al servicio. + Load a new presentation. @@ -4400,73 +5183,73 @@ La codificación del contenido no es UTF-8. Delete the selected presentation. - + Eliminar la presentación seleccionada. Preview the selected presentation. - + Visualizar la presentación seleccionada. Send the selected presentation live. - + Proyectar la presentación seleccionada. Add the selected presentation to the service. - + Agregar esta presentación al servicio. PresentationPlugin.MediaItem - + Select Presentation(s) Seleccionar Presentación(es) - + Automatic Automático - + Present using: 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 existe soporte para este tipo de presentación. - + Presentations (%s) Presentaciones (%s) - + Missing Presentation Presentación faltante - + The Presentation %s no longer exists. La Presentación %s ya no esta disponible. - + The Presentation %s is incomplete, please reload. La Presentación %s esta incompleta, por favor recargela. @@ -4518,94 +5301,99 @@ La codificación del contenido no es UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote - + OpenLP 2.0 Remoto - + OpenLP 2.0 Stage View - + OpenLP 2.0 Vista del Escenario Service Manager - Gestor de Servicio - - - - Slide Controller - + Gestor de Servicio - Alerts - Alertas - - - - Search - Buscar + Slide Controller + Control de Diapositivas - Back - + Alerts + Alertas - Refresh - + Search + Buscar - Blank - + Back + Atrás - Show - + Refresh + Refrezcar - Prev - + Blank + Negro - Next - + Show + Mostrar - Text - + Prev + Anterior - Show Alert - + Next + Siguiente + Text + Texto + + + + Show Alert + Mostrar Alerta + + + Go Live - Proyectar + Proyectar Add To Service - + Agregar al Servicio - + No Results - + Sin Resultados + + + + Options + Opciones - Options - Opciones + Add to Service + @@ -4639,68 +5427,78 @@ La codificación del contenido no es UTF-8. SongUsagePlugin - + &Song Usage Tracking &Historial de Uso - + &Delete Tracking Data &Eliminar datos de Historial - + Delete song usage data up to a specified date. Borrar el historial de datos hasta la fecha especificada. - + &Extract Tracking Data &Extraer datos de Historial - + Generate a report on song usage. Generar un reporte del uso de las canciones. - + Toggle Tracking Alternar Historial - + Toggle the tracking of song usage. Alternar seguimiento del uso de las canciones. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>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 Historiales - + SongUsage container title Historial - + Song Usage Historial + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + SongUsagePlugin.SongUsageDeleteForm @@ -4933,6 +5731,36 @@ La codificación se encarga de la correcta representación de caracteres.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. + Visualizar 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. + Add a new song. @@ -5013,190 +5841,197 @@ La codificación se encarga de la correcta representación de caracteres. SongsPlugin.EasyWorshipSongImport - + Administered by %s Administrado por %s + + + +[above are Song Tags with notes imported from + EasyWorship] + + SongsPlugin.EditSongForm - + Song Editor Editor de Canción - + &Title: &Título: - + Alt&ernate title: Título alt&ernativo: - + &Lyrics: &Letras: - + &Verse order: Orden de &versos: - + Ed&it All Ed&itar Todo - + Title && Lyrics Título && Letra - + &Add to Song &Agregar a Canción - + &Remove &Quitar - + &Manage Authors, Topics, Song Books Ad&ministrar Autores, Categorías, Himnarios - + A&dd to Song A&gregar a Canción - + R&emove &Quitar - + Book: Libro: - + Number: Número: - + Authors, Topics && Song Book Autores, Categorías e Himnarios - + New &Theme &Tema Nuevo - + Copyright Information Información de Derechos de Autor - + Comments Comentarios - + Theme, Copyright Info && Comments Tema, Derechos de Autor && 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. - + 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 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. - + 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 un nombre nuevo y presione el botón "Agregar Categoría a Canción" para agregar 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. - + Warning Advertencia - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. El orden de los versos no es válido. Ningún verso corresponde a %s. Las entradas válidas so %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? No ha utilizado %s en el orden de los versos. ¿Desea guardar la canción de esta manera? - + Add Book Agregar Himnario - + This song book does not exist, do you want to add it? Este himnario no existe, ¿desea agregarlo? - + You need to have an author for this song. Debe ingresar un autor para esta canción. - + You need to type some text in to the verse. Debe ingresar algún texto en el verso. @@ -5218,6 +6053,16 @@ La codificación se encarga de la correcta representación de caracteres.&Insert &Insertar + + + &Split + &Dividir + + + + 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. + Split a slide into two by inserting a verse splitter. @@ -5227,82 +6072,82 @@ La codificación se encarga de la correcta representación de caracteres. SongsPlugin.ExportWizardForm - + Song Export Wizard Asistente para Exportar Canciones - + This wizard will help to export your songs to the open and free OpenLyrics worship song format. Este asistente le ayudará a exportar canciones al formato OpenLyrics que es gratuito y de código abierto. - + Select Songs Seleccione Canciones - + 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... - + Check the songs you want to export. Revise las canciones a exportar. - + 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. @@ -5310,7 +6155,7 @@ La codificación se encarga de la correcta representación de caracteres. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Seleccione Documento/Presentación @@ -5344,6 +6189,16 @@ La codificación se encarga de la correcta representación de caracteres.Remove File(s) Eliminar Archivo(s) + + + The Songs of Fellowship importer has been disabled because OpenLP cannot find OpenOffice.org on your computer. + Las canciones de Fellowship se han deshabilitado porque OpenOffice.org no se encuentra en este equipo. + + + + The generic document/presentation importer has been disabled because OpenLP cannot find OpenOffice.org on your computer. + El importador Documento/Presentación se ha desabilitado porque OpenOffice.org no se encuentra en este equipo. + Please wait while your songs are imported. @@ -5355,42 +6210,42 @@ La codificación se encarga de la correcta representación de caracteres.El importador OpenLyrics no esta desarrollado, pero puede notar que tenemos la intención de hacerlo. Esperamos incluirlo en la siguiente versión. - + OpenLP 2.0 Databases Base de Datos OpenLP 2.0 - + openlp.org v1.x Databases Base de datos openlp v1.x - + 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 - + You need to specify at least one document or presentation file to import from. Debe especificar al menos un documento o presentación para importar. - + Foilpresenter Song Files Archivo Foilpresenter @@ -5407,43 +6262,43 @@ La codificación se encarga de la correcta representación de caracteres. 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. + 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. + El importador documento/presentación se ha deshabilitado porque OpenOffice.org o LibreOffice no esta disponible. SongsPlugin.MediaItem - + Titles Títulos - + Lyrics Letra Delete Song(s)? - ¿Eliminar Canción(es)? + ¿Eliminar Canción(es)? - + CCLI License: Licensia CCLI: - + Entire Song Canción Completa - + Are you sure you want to delete the %n selected song(s)? ¿Desea realmente borrar %n canción(es) seleccionada(s)? @@ -5451,15 +6306,21 @@ La codificación se encarga de la correcta representación de caracteres. - + Maintain the lists of authors, topics and books. Administrar la lista de autores, categorías y libros. + + + copy + For song cloning + + SongsPlugin.OpenLP1SongImport - + Not a valid openlp.org 1.x song database. Base de datos openlp.org 1.x no válida. @@ -5475,7 +6336,7 @@ La codificación se encarga de la correcta representación de caracteres. SongsPlugin.OpenLyricsExport - + Exporting "%s"... Exportando "%s"... @@ -5506,12 +6367,12 @@ La codificación se encarga de la correcta representación de caracteres. SongsPlugin.SongExportForm - + Finished export. Exportación finalizada. - + Your song export failed. La importación falló. @@ -5519,35 +6380,40 @@ La codificación se encarga de la correcta representación de caracteres. SongsPlugin.SongImport - + copyright derechos de autor - + The following songs could not be imported: Las siguientes canciones no se importaron: - + + Unable to open OpenOffice.org or LibreOffice + No se puede abrir OpenOffice.org o LibreOffice + + + Unable to open file - No se puede abrir el archivo + No se puede abrir el archivo - + File not found - No se encontró el archivo + No se encontró el archivo - + Cannot access OpenOffice or LibreOffice - Imposible accesar OpenOffice o LibreOffice + Imposible accesar OpenOffice o LibreOffice SongsPlugin.SongImportForm - + Your song import failed. La importación falló. @@ -5749,7 +6615,7 @@ La codificación se encarga de la correcta representación de caracteres. Themes - Temas + Temas diff --git a/resources/i18n/et.ts b/resources/i18n/et.ts index 5e2fedeee..2de001456 100644 --- a/resources/i18n/et.ts +++ b/resources/i18n/et.ts @@ -1,29 +1,29 @@ - + AlertPlugin.AlertForm You have not entered a parameter to be replaced. Do you want to continue anyway? - Sa ei ole sisestanud parameetrit, mida asendada. + Sa ei ole sisestanud parameetrit, mida asendada. Kas tahad sellegi poolest jätkata? No Parameter Found - Parameetreid ei leitud + Parameetreid ei leitud No Placeholder Found - Kohahoidjat ei leitud + Kohahoidjat ei leitud The alert text does not contain '<>'. Do you want to continue anyway? - Teate tekst ei sisalda '<>'. + Teate tekst ei sisalda '<>'. Kas tahad sellest hoolimata jätkata? @@ -42,7 +42,7 @@ Kas tahad sellest hoolimata jätkata? <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen - <strong>Teadete plugin</strong><br />Teadete plugina abil saab juhtida näiteks lastehoiu teadete kuvamist ekraanil + <strong>Teadete plugin</strong><br />Teadete plugina abil saab juhtida näiteks lastehoiu teadete kuvamist ekraanil @@ -62,6 +62,11 @@ Kas tahad sellest hoolimata jätkata? container title Teated + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. + <strong>Teadete plugin</strong><br />Teadete plugina abil saa ekraanil näidata näiteks lastehoiu või muid teateid. + AlertsPlugin.AlertForm @@ -110,6 +115,30 @@ Kas tahad sellest hoolimata jätkata? &Parameter: &Parameeter: + + + No Parameter Found + Parameetreid ei leitud + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + Sa ei ole sisestanud parameetrit, mida asendada. +Kas tahad siiski jätkata? + + + + No Placeholder Found + Kohahoidjat ei leitud + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + Teate tekst ei sisalda '<>'. +Kas tahad siiski jätkata? + AlertsPlugin.AlertsManager @@ -157,18 +186,18 @@ Kas tahad sellest hoolimata jätkata? Importing books... %s - Raamatute importimine... %s + Raamatute importimine... %s Importing verses from %s... Importing verses from <book name>... - Salmide importimine failist %s... + Salmide importimine failist %s... Importing verses... done. - Salmide importimine... valmis. + Salmide importimine... valmis. @@ -176,12 +205,17 @@ Kas tahad sellest hoolimata jätkata? &Upgrade older Bibles - + &Uuenda vanemad Piiblid + + + + Upgrade the Bible databases to the latest format + Piibli andmebaaside uuendamine viimasesse formaati Upgrade the Bible databases to the latest format. - + Piibli andmebaaside uuendamine viimasesse formaati. @@ -189,22 +223,22 @@ Kas tahad sellest hoolimata jätkata? Download Error - Tõrge allalaadimisel + Tõrge allalaadimisel Parse Error - Parsimise viga + Parsimise viga 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. + Valitud salmide allalaadimisel esines viga. Kontrolli oma internetiühendust ning kui see viga kordub, teata sellest veast. 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. + Sinu salmide vahemiku analüüsimisel esines viga. Kui see viga kordub, siis palun teata sellest veast. @@ -212,22 +246,27 @@ Kas tahad sellest hoolimata jätkata? Bible not fully loaded. - Piibel ei ole täielikult laaditud. + Piibel ei ole täielikult laaditud. 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? + Ühe- ja kahekeelseid piiblisalmide otsitulemusi pole võimalik kombineerida. Kas tahad otsingu tulemused kustutada ja alustada uue otsinguga? Information - + Andmed + + + + The second Bibles 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. + Teised Piiblid ei sisalda kõiki salme, mis on peamises Piiblis. Näidatakse ainult neid salme, mis leiduvad mõlemas Piiblis. %d salmi ei kaasatud tulemustesse. 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. @@ -256,12 +295,12 @@ Kas tahad sellest hoolimata jätkata? 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. @@ -303,40 +342,50 @@ Kas tahad sellest hoolimata jätkata? <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. + Piibli andmebaaside uuendamine viimasesse formaati. BiblesPlugin.BibleManager - + Scripture Reference Error Kirjakohaviite tõrge - + Web Bible cannot be used Veebipiiblit pole võimalik kasutada - + Text Search is not available with Web Bibles. Tekstiotsing veebipiiblist pole võimalik. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Sa ei sisestanud otsingusõna. Sa võid eraldada võtmesõnad tühikuga, et otsida neid kõiki, või eraldada need komaga, et otsitaks ühte neist. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Praegu pole ühtegi Piiblit paigaldatud. Palun paigalda mõni Piibel importimise nõustaja abil. - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns: Book Chapter @@ -355,7 +404,7 @@ Raamat peatükk:salm-salm,peatükk:salm-salm Raamat peatükk:salm-peatükk:salm - + No Bibles Available Ühtegi Piiblit pole saadaval @@ -415,42 +464,42 @@ Muudatused ei rakendu juba teenistusesse lisatud salmidele. Select Book Name - + Vali raamatu nimi The following book name cannot be matched up internally. Please select the corresponding English name from the list. - + Järgneva raamatu nime ei suudetud ise tuvastada. Palun vali loetelust vastav ingliskeelne nimi. Current name: - + Praegune nimi: Corresponding name: - + Vastav nimi: Show Books From - + Näidatakse ainult Old Testament - + Vana testament New Testament - + Uus testament Apocrypha - + Apokrüüfid @@ -458,195 +507,235 @@ Muudatused ei rakendu juba teenistusesse lisatud salmidele. You need to select a book. - + Pead valima raamatu. + + + + BiblesPlugin.CSVBible + + + Importing books... %s + Raamatute importimine... %s + + + + Importing verses from %s... + Importing verses from <book name>... + Salmide importimine failist %s... + + + + Importing verses... done. + Salmide importimine... valmis. BiblesPlugin.HTTPBible - + Registering Bible and loading books... - + Piibli registreerimine ja raamatute laadimine... - + Registering Language... - + Keele registreerimine... - + Importing %s... Importing <book name>... - + %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. 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 erinevatest vormingutest 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 Litsentsist lähemalt - + 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. Pead määrama Piibli versiooni nime. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Pead määrama piiblitõlke autoriõiguse! Avalikkuse omandisse kuuluvad Piiblid tuleb vastavalt tähistada. - + Bible Exists Piibel on juba olemas - + This Bible already exists. Please import a different Bible or first delete the existing one. See Piibel on juba olemas! Palun impordi mingi muu Piibel või kustuta enne olemasolev. - + Your Bible import failed. Piibli importimine nurjus. - + Permissions: Õigused: - + CSV File CSV fail - + Bibleserver Piibliserver - + Bible file: Piibli fail: - + Books file: Raamatute fail: - + Verses file: Salmide fail: - + openlp.org 1.x Bible Files openlp.org 1.x piiblifailid - + Registering Bible... - + Piibli registreerimine... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. - + Piibel on registreeritud. Pea meeles, et salmid laaditakse alla +vastavalt vajadusele ning seetõttu on vaja internetiühendust. @@ -654,12 +743,12 @@ demand and thus an internet connection is required. Select Language - + Keele valimine OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. - + OpenLP ei suuda tuvastada selle piiblitõlke keelt. Palun vali keel järgnevast loendist. @@ -670,67 +759,87 @@ demand and thus an internet connection is required. BiblesPlugin.LanguageForm - + You need to choose a language. - + Pead valima keele. 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äilistamiseks 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. @@ -759,236 +868,269 @@ demand and thus an internet connection is required. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory - + Varunduskataloogi valimine - + 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 + + + + Version name: + Versiooni nimi: - Version name: - Versiooni nimi: - - - This Bible still exists. Please change the name or uncheck it. - + Piibel on ikka veel olemas. Vali nimi või jäta see märkimata. - + Upgrading - + Uuendamine - + Please wait while your Bibles are upgraded. - + Palun oota, kuni Piibleid uuendatakse. You need to specify a Backup Directory for your Bibles. - + Pead Piiblite jaoks määrama varunduskataloogi. - + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. If you have write permissions and this error still occurs, please report a bug. + Varundus ei olnud edukas. +Piiblite varundamiseks peab sul olema õigus antud kataloogi kirjutada. Kui sul on kirjutusõigused ja see viga siiski esineb, raporteeri sellest veast. + + + You need to specify a version name for your Bible. - Pead määrama Piibli versiooni nime. + Pead määrama Piibli versiooni nime. - + Bible Exists - Piibel on juba olemas + Piibel on juba olemas - + This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck. - + Piibel on juba olemas. Uuenda mõni teine Piibel, kustuta olemasolev või jäta see märkimata. + + + + Starting upgrading Bible(s)... + Piibli(te) uuendamise alustamine... There are no Bibles available to upgrade. - + Uuendamiseks pole ühtegi Piiblit saadaval. - + 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 - + Upgrading Bible %s of %s: "%s" Upgrading %s ... - + %s Piibli uuendamine (kokku %s-st): "%s" +%s uuendamine... - + , %s failed - + , %s nurjus - + Upgrading Bible(s): %s successful%s - + Piibli(te) uuendamine: %s edukas%s - + Upgrade failed. - + Uuendamine nurjus. - + 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. - - Starting Bible upgrade... - - - - + To upgrade your Web Bibles an Internet connection is required. - + Veebipiiblite uuendamiseks on vajalik internetiühendus. - + Upgrading Bible %s of %s: "%s" Complete - + %s. Piibli uuendamine (kokku %s-st): "%s" +Valmis - + Upgrading Bible(s): %s successful%s Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - + Piibli(te) uuendamine: %s edukat%s +Pane tähele, et veebipiiblite salmid laaditakse internetist vajadusel, seega on nende kasutamisel vaja internetiühendust. + + + + 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. CustomPlugin + + + <strong>Custom Plugin</strong><br />The custom 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>Kohandatud plugin</strong><br />Kohandatud plugin võimaldab tekitada oma tekstiga slaidid, mida kuvatakse ekraanil täpselt nagu laulusõnugi. See plugin võimaldab rohkem vabadust, kui laulude plugin. + <strong>Custom Slide Plugin</strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. - + <strong>Kohandatud slaidide plugin</strong><br />Kohandatud slaidide plugin võimaldab ekraanil oma tekstiga slaide kuvada, samuti nagu kuvatakse laule, kuid pakub suuremat vabadust kui laulude plugin. Custom Slide name singular - + Kohandatud slaid Custom Slides name plural - + Kohandatud slaidid Custom Slides container title - + Kohandatud slaidid Load a new custom slide. - + Laadi uus kohandatud slaid. Import a custom slide. - + Kohandatud slaidi importimine. Add a new custom slide. - + Uue kohandatud slaidi lisamine. Edit the selected custom slide. - + Valitud kohandatud slaidi muutmine. Delete the selected custom slide. - + Valitud kohandatud slaidi kustutamine. Preview the selected custom slide. - + Valitud kohandatud slaidi eelvaatlus. Send the selected custom slide live. - + Valitud kohandatud slaidi saatmine ekraanile. Add the selected custom slide to the service. - + Valitud kohandatud slaidi lisamine teenistusele. @@ -1031,6 +1173,11 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Edit all the slides at once. Kõigi slaidide muutmine ühekorraga. + + + Split Slide + Slaidi tükeldamine + Split a slide into two by inserting a slide splitter. @@ -1047,12 +1194,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Autorid: - + You need to type in a title. Pead sisestama pealkirja. - + You need to add at least one slide Pead lisama vähemalt ühe slaidi @@ -1064,7 +1211,79 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Insert Slide - + Slaidi sisestamine + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slides(s)? + + Kas oled kindel, et tahad kustutada %n valitud kohandatud slaidi? + Kas oled kindel, et tahad kustutada %n valitud kohandatud slaidi? + + + + + CustomsPlugin + + + Custom + name singular + Kohandatud + + + + Customs + name plural + Kohandatud + + + + Custom + container title + Kohandatud + + + + Load a new Custom. + Uue kohandatud slaidi laadimine. + + + + Import a Custom. + Kohandatud slaidi importimine. + + + + Add a new Custom. + Uue kohandatud slaidi lisamine. + + + + Edit the selected Custom. + Valitud kohandatud slaidi muutmine. + + + + Delete the selected Custom. + Valitud kohandatud slaidi kustutamine. + + + + Preview the selected Custom. + Valitud kohandatud slaidi eelvaade. + + + + Send the selected Custom live. + Valitud kohandatud slaidi saatmine ekraanile. + + + + Add the selected Custom to the service. + Valitud kohandatud slaidi lisamine teenistusele. @@ -1072,7 +1291,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I General - Üldine + Üldine @@ -1100,40 +1319,75 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title Pildid + + + Load a new Image. + Uue pildi laadimine. + + + + Add a new Image. + Uue pildi lisamine. + + + + Edit the selected Image. + Valitud pildi muutmine. + + + + Delete the selected Image. + Valitud pildi kustutamine. + + + + Preview the selected Image. + Valitud pildi eelvaade. + + + + Send the selected Image live. + Valitud pildi saatmine ekraanile. + + + + Add the selected Image to the service. + Valitud pildi lisamine teenistusele. + Load a new image. - + Uue pildi laadimine. Add a new image. - + Uue pildi lisamine. Edit the selected image. - + Valitud pildi muutmine. Delete the selected image. - + Valitud pildi kustutamine. Preview the selected image. - + Valitud pildi eelvaatlus. Send the selected image live. - + Valitud pildi saatmine ekraanile. Add the selected image to the service. - + Valitud pildi lisamine teenistusele. @@ -1147,41 +1401,46 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.MediaItem - + Select Image(s) Pildi (piltide) valimine - + You must select an image to delete. Pead valima pildi, mida kustutada. - + 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: %sKas 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. + + MediaPlugin @@ -1208,79 +1467,119 @@ Do you want to add the other images anyway? container title Meedia + + + Load a new Media. + Uue meedia laadimine. + + + + Add a 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 eelvaade. + + + + Send the selected Media live. + Valitud meedia saatmine ekraanile. + + + + Add the selected Media to the service. + Valitud meedia lisamine teenistusele. + 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 saatmine ekraanile. Add the selected media to the service. - + Valitud meedia lisamine teenistusele. MediaPlugin.MediaItem - + Select Media Meedia valimine - + You must select a media file to delete. Pead valima meedia, mida kustutada. - + Missing Media File Puuduv meediafail - + The file %s no longer exists. Faili %s ei ole enam olemas. - + 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. - + Videos (%s);;Audio (%s);;%s (*) Videod (%s);;Audio (%s);;%s (*) + + + There was no display item to amend. + + MediaPlugin.MediaTab @@ -1298,21 +1597,23 @@ Do you want to add the other images anyway? 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? @@ -1480,7 +1781,13 @@ 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 contributing by using the button below. - + OpenLP <version><revision> - vaba tarkvara laulusõnade näitamiseks + +OpenLP on tasuta kiriku esitlustarkvara laulusõnade näitamiseks, mis näitab ka piiblisalme, videoid, pilte ja koguni esitlusi (kui on paigaldatud Impress, PowerPoint või PowerPoint Viewer), selleks on vaja arvutit ja projektorit. + +Uuri OpenLP kohta lähemalt: http://openlp.org/ + +OpenLP on kirjutanud ja seda haldavad vabatahtlikud. Kui sa tahad näha rohkem tasuta kristlikku tarkvara, kaalu kaasaaitamist, kasutades all asuvat nuppu. @@ -1580,82 +1887,82 @@ Portions copyright © 2004-2011 %s OpenLP.DisplayTagDialog - + Edit Selection - Valiku muutmine + Valiku muutmine - + Description - Kirjeldus + Kirjeldus + + + + Tag + Silt + + + + Start tag + Alustamise silt - Tag - Silt - - - - Start tag - Alustamise silt - - - End tag - Lõpu silt + Lõpu silt - + Tag Id - Märgise ID + Märgise ID - + Start HTML - HTML alguses + HTML alguses - + End HTML - HTML lõpus + HTML lõpus - + Save - + Salvesta OpenLP.DisplayTagTab - + Update Error - Tõrge uuendamisel + Tõrge uuendamisel Tag "n" already defined. - Silt "n" on juba defineeritud. + Silt "n" on juba defineeritud. - + Tag %s already defined. - Silt %s on juba defineeritud. + Silt %s on juba defineeritud. New Tag - + Uus silt </and here> - + </ja siia> <HTML here> - + <HTML siia> @@ -1663,82 +1970,77 @@ Portions copyright © 2004-2011 %s Red - + Punane Black - + Must Blue - + Sinine Yellow - + Kollane Green - + Roheline Pink - + Roosa Orange - + Oranž Purple - + Lilla White - + Valge Superscript - + Ülaindeks Subscript - + Alaindeks Paragraph - + Lõik Bold - Rasvane + Rasvane Italics - + Kursiiv Underline - - - - - Break - + Allajoonitud @@ -1908,12 +2210,12 @@ Version: %s %s allalaadimine... - + Download complete. Click the finish button to start OpenLP. Allalaadimine lõpetatud. OpenLP käivitamiseks klõpsa lõpetamise nupule. - + Enabling selected plugins... Valitud pluginate sisselülitamine... @@ -1945,7 +2247,7 @@ Version: %s Custom Text - Kohandatud tekst + Kohandatud tekst @@ -2045,6 +2347,16 @@ Esmakäivituse nõustajast loobumiseks klõpsa lõpetamise nupule. Set up default settings to be used by OpenLP. OpenLP jaoks vaikimisi sätete määramine. + + + Setting Up And Importing + Seadistamine ja importimine + + + + Please wait while OpenLP is set up and your data is imported. + Palun oota, kuni OpenLP on seadistatud ning sinu andmed on imporditud. + Default output display: @@ -2063,26 +2375,210 @@ Esmakäivituse nõustajast loobumiseks klõpsa lõpetamise nupule. This wizard will help you to configure OpenLP for initial use. Click the next button below to start. - + See nõustaja aitab alguses OpenLP seadistada. Alustamiseks klõpsa edasi nupule. - + Setting Up And Downloading - - - - - Please wait while OpenLP is set up and your data is downloaded. - - - - - Setting Up - + 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 + + + Click the finish button to start OpenLP. + OpenLP käivitamiseks klõpsa lõpetamise nupule. + + + + Custom Slides + Kohandatud slaidid + + + + Download complete. Click the finish button to return to OpenLP. + + + + + Click the finish button to return to OpenLP. + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Edit Selection + Valiku muutmine + + + + Save + Salvesta + + + + Description + Kirjeldus + + + + Tag + Silt + + + + Start tag + Alustamise silt + + + + End tag + Lõpu silt + + + + Tag Id + Märgise ID + + + + Start HTML + HTML alguses + + + + End HTML + HTML lõpus + + + + OpenLP.FormattingTagForm + + + Update Error + Tõrge uuendamisel + + + + Tag "n" already defined. + Silt "n" on juba defineeritud. + + + + New Tag + Uus silt + + + + <HTML here> + <HTML siia> + + + + </and here> + </ja siia> + + + + Tag %s already defined. + Silt %s on juba defineeritud. + + + + OpenLP.FormattingTags + + + Red + Punane + + + + Black + Must + + + + Blue + Sinine + + + + Yellow + Kollane + + + + Green + Roheline + + + + Pink + Roosa + + + + Orange + Oranž + + + + Purple + Lilla + + + + White + Valge + + + + Superscript + Ülaindeks + + + + Subscript + Alaindeks + + + + Paragraph + Lõik + + + + Bold + Rasvane + + + + Italics + Kursiiv + + + + Underline + Allajoonitud + + + + Break @@ -2230,7 +2726,7 @@ Esmakäivituse nõustajast loobumiseks klõpsa lõpetamise nupule. OpenLP.MainDisplay - + OpenLP Display OpenLP kuva @@ -2238,307 +2734,307 @@ Esmakäivituse nõustajast loobumiseks klõpsa lõpetamise nupule. 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 - + Media Manager Meediahaldur - + Service Manager Teenistuse haldur - + Theme Manager Kujunduse haldur - + &New &Uus - + &Open &Ava - + Open an existing service. Olemasoleva teenistuse avamine. - + &Save &Salvesta - + Save the current service to disk. Praeguse teenistuse salvestamine kettale. - + Save &As... Salvesta &kui... - + 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. - + &Plugin List &Pluginate loend - + 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. - + 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 - + 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/. @@ -2553,53 +3049,113 @@ Sa võid viimase versiooni alla laadida aadressilt http://openlp.org/.Eesti - + Configure &Shortcuts... &Kiirklahvide seadistamine... - + Close OpenLP OpenLP sulgemine - + Are you sure you want to close OpenLP? Kas oled kindel, et tahad OpenLP sulgeda? - - &Configure Display Tags - &Kuvasiltide seadistamine + + Print the current Service Order. + Praeguse teenistuse järjekorra printimine. - + + &Configure Display Tags + &Kuvasiltide 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 - + Teemapiltide uuendamine - + 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. + Kas oled kindel, et tahad esmakäivituse nõustaja uuesti käivitada? + +Selle nõustaja taaskäivitamine muudab sinu praegust OpenLP seadistust ja võib lisada laule olemasolevate laulude loetelusse ning muuta vaikimisi kujundust. + + + + &Recent Files - - Print the current service. + + &Configure Formatting Tags... + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. @@ -2611,54 +3167,76 @@ Sa võid viimase versiooni alla laadida aadressilt http://openlp.org/.Ü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. - + + Duplicate file name %s. +Filename already exists in list + Korduv failinimi %s. +Failinimi on loendis juba olemas + + + You must select one or more items to add. - + No Search Results - - Duplicate filename %s. -This filename is already in the list + + &Clone + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + Duplicate files found on import and ignored. @@ -2708,12 +3286,12 @@ This filename is already in the list OpenLP.PrintServiceDialog - + Fit Page Mahuta lehele - + Fit Width Mahuta laius @@ -2721,70 +3299,90 @@ This filename is already in the list OpenLP.PrintServiceForm - + Options Valikud Close - Sulge + Sulge - + 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 teksti, kui saadaval - + Include service item notes Teenistuse kirje märkmed - + Include play length of media items Meediakirjete pikkus - + + Service Order Sheet + Teenistuse järjekord + + + Add page break before each text item Iga tekstikirje algab uuelt lehelt - + Service Sheet + + + Print + + + + + Title: + + + + + Custom Footer Text: + + OpenLP.ScreenList @@ -2799,10 +3397,23 @@ This filename is already in the list peamine + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + OpenLP.ServiceItemEditForm - + Reorder Service Item Teenistuse elementide ümberjärjestamine @@ -2810,257 +3421,277 @@ This filename is already in the list OpenLP.ServiceManager - + Move to &top Tõsta ü&lemiseks - + Move item to the top of the service. Teenistuse algusesse tõstmine. - + Move &up Liiguta &üles - + Move item up one position in the service. Elemendi liigutamine teenistuses ühe koha võrra ettepoole. - + Move &down Liiguta &alla - + Move item down one position in the service. Elemendi liigutamine teenistuses ühe koha võrra tahapoole. - + Move to &bottom Tõsta &alumiseks - + Move item to the end of the service. Teenistuse lõppu tõstmine. - + &Delete From Service &Kustuta teenistusest - + Delete the selected item from the service. 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. The content encoding is not UTF-8. Fail ei ole sobiv teenistus. Sisu ei ole UTF-8 kodeeringus. - + 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 ekraanil, kuna puudub seda käsitsev programm - + &Expand all &Laienda kõik - + Expand all the service items. Kõigi teenistuse kirjete laiendamine. - + &Collapse all &Ahenda kõik - + Collapse all the service items. Kõigi teenistuse kirjete ahendamine. - + Open File Faili avamine - + OpenLP Service Files (*.osz) OpenLP teenistuse failid (*.osz) - + Moves the selection down the window. Valiku tõstmine aknas allapoole. - + Move up Liiguta üles - + Moves the selection up the window. Valiku tõstmine aknas ülespoole. - + Go Live Ekraanile - + Send the selected item to Live. Valitud kirje saatmine ekraanile. - + Modified Service Teenistust on muudetud - + &Start Time &Alguse aeg - + Show &Preview Näita &eelvaadet - + Show &Live Näita &ekraanil - + The current service has been modified. Would you like to save this service? Praegust teensitust on muudetud. Kas tahad selle teenistuse salvestada? - + 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 - + Custom Service Notes: Kohandatud teenistuse märkmed: - + Notes: Märkmed: - + Playing time: Kestus: - + Untitled Service Pealkirjata teenistus - + + This file is either corrupt or not an OpenLP 2.0 service file. + See fail on rikutud või pole see OpenLP 2.0 teenistuse fail. + + + Load an existing service. Olemasoleva teenistuse laadimine. - + Save this service. Selle teenistuse salvestamine. - + Select a theme for the service. Teenistuse jaoks kujunduse valimine. - + This file is either corrupt or it is not an OpenLP 2.0 service file. + + + Slide theme + + + + + Notes + + + + + Service File Missing + + OpenLP.ServiceNoteForm - + Service Item Notes Teenistuse elemendi märkmed @@ -3078,7 +3709,7 @@ Sisu ei ole UTF-8 kodeeringus. Customize Shortcuts - Kiirklahvide kohandamine + Kiirklahvide kohandamine @@ -3091,12 +3722,12 @@ Sisu ei ole UTF-8 kodeeringus. 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. @@ -3131,20 +3762,25 @@ Sisu ei ole UTF-8 kodeeringus. Selle tegevuse vaikimisi kiirklahvi taastamine. - + Restore Default Shortcuts Vaikimisi kiirklahvide taastamine - + Do you want to restore all shortcuts to their defaults? Kas tahad taastada kõigi kiirklahvide vaikimisi väärtused? + + + Configure Shortcuts + + OpenLP.SlideController - + Hide Peida @@ -3154,27 +3790,27 @@ Sisu ei ole UTF-8 kodeeringus. Liigu kohta - + Blank Screen Ekraani tühjendamine - + Blank to Theme Kujunduse tausta näitamine - + Show Desktop Töölaua näitamine - + Previous Slide Eelmine slaid - + Next Slide Järgmine slaid @@ -3194,30 +3830,20 @@ Sisu ei ole UTF-8 kodeeringus. Kuva sulgemine - + Move to previous. - + Move to next. - + Play Slides - - - Play Slides in Loop - - - - - Play Slides to End - - Delay between slides in seconds. @@ -3247,17 +3873,17 @@ Sisu ei ole UTF-8 kodeeringus. OpenLP.SpellTextEdit - + Spelling Suggestions Õigekirjasoovitused - + Formatting Tags Siltide vormindus - + Language: Keel: @@ -3304,6 +3930,16 @@ Sisu ei ole UTF-8 kodeeringus. Time Validation Error Valesti sisestatud aeg + + + End time is set after the end of the media item + Lõpu aeg on pärast meedia lõppu + + + + Start time is after the End Time of the media item + Alguse aeg on pärast meedia lõppu + Finish time is set after the end of the media item @@ -3351,192 +3987,198 @@ Sisu ei ole UTF-8 kodeeringus. 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. - + Theme %s is used in the %s plugin. Kujundust %s kasutatakse pluginas %s. - + You have not selected a theme. Sa ei ole kujundust valinud. - + Save Theme - (%s) Salvesta kujundus - (%s) - + Theme Exported Kujundus eksporditud - + Your theme has been successfully exported. Sinu kujunduse on edukalt eksporditud. - + Theme Export Failed Kujunduse eksportimine nurjus - + Your theme could not be exported due to an error. Sinu kujundust polnud võimalik eksportida, kuna esines viga. - + Select Theme Import File Importimiseks kujunduse faili valimine - + File is not a valid theme. The content encoding is not UTF-8. See fail ei ole korrektne kujundus. Sisu kodeering ei ole UTF-8. - + 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. - + OpenLP Themes (*.theme *.otz) OpenLP kujundused (*.theme *.otz) + + + Copy of %s + Copy of <theme name> + + OpenLP.ThemeWizard @@ -3780,6 +4422,16 @@ Sisu kodeering ei ole UTF-8. Edit Theme - %s Teema muutmine - %s + + + Starting color: + + + + + Ending color: + + OpenLP.ThemesTab @@ -3823,31 +4475,36 @@ Sisu kodeering ei ole UTF-8. Use the global theme, overriding any themes associated with either the service or the songs. Kasutatakse globaalset kujundust, eirates nii teenistuse kui laulu kujundust. + + + Themes + Kujundused + OpenLP.Ui - + Error Viga - + &Delete &Kustuta - + Delete the selected item. Valitud kirje kustutamine. - + Move selection up one position. Valiku liigutamine ühe koha võrra ülespoole. - + Move selection down one position. Valiku liigutamine ühe koha võrra allapoole. @@ -3897,40 +4554,40 @@ Sisu kodeering ei ole UTF-8. Uue teenistuse loomine. - + &Edit &Muuda - + Empty Field Tühi väli - + Export Ekspordi - + pt Abbreviated font pointsize unit pt - + Image Pilt - + Import Impordi Length %s - Kestus %s + Kestus %s @@ -3942,6 +4599,11 @@ Sisu kodeering ei ole UTF-8. Live Background Error Ekraani tausta viga + + + Live Panel + Ekraani paneel + Load @@ -4002,85 +4664,110 @@ Sisu kodeering ei ole UTF-8. OpenLP 2.0 - + + Open Service + Teenistuse avamine + + + Preview Eelvaade - + + Preview Panel + Eelvaate paneel + + + + Print Service Order + Teenistuse järjekorra printimine + + + Replace Background Tausta asendamine - + + Replace Live Background + Ekraani tausta asendamine + + + Reset Background Tausta lähtestamine - + + Reset Live Background + Ekraani tausta asendamine + + + s The abbreviated unit for seconds s - + Save && Preview Salvesta && eelvaatle - + Search Otsi - + 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. - + Save Service Teenistuse salvestamine - + Service Teenistus - + Start %s Algus %s - + Theme Singular Kujundus - + Themes Plural Kujundused - + Top Üleval - + Version Versioon - + &Vertical Align: &Vertikaaljoondus: @@ -4146,12 +4833,12 @@ Sisu kodeering ei ole UTF-8. 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 @@ -4208,38 +4895,38 @@ Sisu kodeering ei ole UTF-8. Teemad - + Continuous Jätkuv - + Default Vaikimisi - + Display style: Kuvalaad: - + File Fail - + Help Abi - + h The abbreviated unit for hours h - + Layout style: Paigutuse laad: @@ -4260,37 +4947,37 @@ Sisu kodeering ei ole UTF-8. OpenLP juba töötab. Kas tahad jätkata? - + Settings Sätted - + Tools Tööriistad - + Verse Per Slide Iga salm eraldi slaidil - + Verse Per Line Iga salm eraldi real - + View Vaade - + Duplicate Error Korduse viga - + Unsupported File Toetamata fail @@ -4305,12 +4992,12 @@ Sisu kodeering ei ole UTF-8. XML süntaksi viga - + View Mode - + Welcome to the Bible Upgrade Wizard @@ -4320,37 +5007,62 @@ Sisu kodeering ei ole UTF-8. - + Print Service - + Replace live background. - + Reset live background. - + &Split - + Split a slide into two only if it does not fit on the screen as one slide. + + + Confirm Delete + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + OpenLP.displayTagDialog - + Configure Display Tags - Kuvasiltide seadistamine + Kuvasiltide seadistamine @@ -4378,6 +5090,31 @@ Sisu kodeering ei ole UTF-8. container title Esitlused + + + Load a new Presentation. + Uue esitluse laadimine. + + + + Delete the selected Presentation. + Valitud esitluse kustutamine. + + + + Preview the selected Presentation. + Valitud esitluse eelvaade. + + + + Send the selected Presentation live. + Valitud esitluse saatmine ekraanile. + + + + Add the selected Presentation to the service. + Valitud esitluse lisamine teenistusele. + Load a new presentation. @@ -4407,52 +5144,52 @@ Sisu kodeering ei ole UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) Esitlus(t)e valimine - + Automatic Automaatne - + Present using: 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 no longer exists. Esitlust %s enam ei ole. - + The Presentation %s is incomplete, please reload. Esitlus %s ei ole täielik, palun laadi see uuesti. @@ -4504,12 +5241,12 @@ Sisu kodeering ei ole UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote - + OpenLP 2.0 Stage View @@ -4519,80 +5256,80 @@ Sisu kodeering ei ole UTF-8. Teenistuse haldur - + Slide Controller - + Alerts Teated - + Search Otsi - + Back - + Refresh - + Blank - + Show - + Prev - + Next - + Text - + Show Alert - + Go Live Ekraanile - - Add To Service - - - - + No Results - + Options Valikud + + + Add to Service + + RemotePlugin.RemoteTab @@ -4625,68 +5362,78 @@ Sisu kodeering ei ole UTF-8. SongUsagePlugin - + &Song Usage Tracking &Laulude kasutuse jälgimine - + &Delete Tracking Data &Kustuta kogutud andmed - + Delete song usage data up to a specified date. Laulude kasutuse andmete kustutamine kuni antud kuupäevani. - + &Extract Tracking Data &Eralda laulukasutuse andmed - + Generate a report on song usage. Genereeri raport laulude kasutuse kohta. - + Toggle Tracking Laulukasutuse jälgimine - + Toggle the tracking of song usage. Laulukasutuse jälgimise sisse- ja väljalülitamine. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Laulude plugin</strong><br />See plugin võimaldab laulude kuvamise ja haldamise. - + SongUsage name singular Laulukasutus - + SongUsage name plural Laulukasutus - + SongUsage container title Laulukasutus - + Song Usage Laulude kasutus + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + SongUsagePlugin.SongUsageDeleteForm @@ -4736,7 +5483,7 @@ Sisu kodeering ei ole UTF-8. Report Location - Asukohast raporteerimine + Raporti asukoht @@ -4918,6 +5665,36 @@ Kodeering on vajalik märkide õige esitamise jaoks. 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. + Add a new song. @@ -4998,190 +5775,197 @@ Kodeering on vajalik märkide õige esitamise jaoks. SongsPlugin.EasyWorshipSongImport - + Administered by %s Haldab %s + + + +[above are Song Tags with notes imported from + EasyWorship] + + SongsPlugin.EditSongForm - + Song Editor Lauluredaktor - + &Title: &Pealkiri: - + Alt&ernate title: &Alternatiivne pealkiri: - + &Lyrics: &Sõnad: - + &Verse order: &Salmide järjekord: - + Ed&it All Muuda &kõiki - + Title && Lyrics Pealkiri && laulusõnad - + &Add to Song &Lisa laulule - + &Remove &Eemalda - + &Manage Authors, Topics, Song Books &Autorite, teemade ja laulikute haldamine - + A&dd to Song L&isa laulule - + R&emove &Eemalda - + Book: Book: - + Number: Number: - + Authors, Topics && Song Book Autorid, teemad && laulik - + New &Theme Uus &kujundus - + Copyright Information Autoriõiguse andmed - + Comments Kommentaarid - + Theme, Copyright Info && Comments 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. - + Warning Hoiatus - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. Salmide järjekord pole sobiv. Mitte ükski valm ei vasta %s-le. Sobivad salmid on %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? Sa pole kasutanud %s mitte kusagil salmide järjekorras. Kas sa oled kindel, et tahad laulu selliselt salvestada? - + Add Book Lauliku lisamine - + This song book does not exist, do you want to add it? Sellist laulikut pole. Kas tahad selle lisada? - + You need to have an author for this song. Pead lisama sellele laulule autori. - + You need to type some text in to the verse. Salm peab sisaldama teksti. @@ -5212,82 +5996,82 @@ Kodeering on vajalik märkide õige esitamise jaoks. SongsPlugin.ExportWizardForm - + Song Export Wizard Laulude eksportimise nõustaja - + This wizard will help to export your songs to the open and free OpenLyrics worship song format. See nõustaja aitab laulud eksportida avatud ülistuslaulude vormingus OpenLyrics. - + 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. @@ -5295,7 +6079,7 @@ Kodeering on vajalik märkide õige esitamise jaoks. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Dokumentide/esitluste valimine @@ -5334,48 +6118,58 @@ Kodeering on vajalik märkide õige esitamise jaoks. Remove File(s) Faili(de) eemaldamine + + + The Songs of Fellowship importer has been disabled because OpenLP cannot find OpenOffice.org on your computer. + Songs of Fellowship importija on keelatud, kuna OpenLP ei suuda leida sinu arvutist OpenOffice.org-i. + + + + The generic document/presentation importer has been disabled because OpenLP cannot find OpenOffice.org on your computer. + Tavalisest dokumendist/esitlusest importija on keelatud, kuna OpenLP ei suuda leida sinu arvutist OpenOffice.org-i. + Please wait while your songs are imported. Palun oota, kuni laule imporditakse. - + OpenLP 2.0 Databases OpenLP 2.0 andmebaas - + openlp.org v1.x Databases openlp.org v1.x andmebaas - + Words Of Worship Song Files Words Of Worship Song failid - + You need to specify at least one document or presentation file to import from. Pead määrama vähemalt ühe dokumendi või esitluse faili, millest tahad importida. - + Songs Of Fellowship Song Files Songs Of Fellowship laulufailid - + SongBeamer Files SongBeameri failid - + SongShow Plus Song Files SongShow Plus laulufailid - + Foilpresenter Song Files Foilpresenteri laulufailid @@ -5403,32 +6197,32 @@ Kodeering on vajalik märkide õige esitamise jaoks. SongsPlugin.MediaItem - + Titles Pealkirjad - + Lyrics Laulusõnad Delete Song(s)? - Kas kustutada laul(ud)? + Kas kustutada laul(ud)? - + CCLI License: CCLI litsents: - + Entire Song Kogu laulust - + Are you sure you want to delete the %n selected song(s)? Kas sa oled kindel, et soovid kustutada %n valitud laulu? @@ -5436,15 +6230,21 @@ Kodeering on vajalik märkide õige esitamise jaoks. - + Maintain the lists of authors, topics and books. Autorite, teemade ja laulikute loendi haldamine. + + + copy + For song cloning + + SongsPlugin.OpenLP1SongImport - + Not a valid openlp.org 1.x song database. See pole openlp.org 1.x laulude andmebaas. @@ -5460,7 +6260,7 @@ Kodeering on vajalik märkide õige esitamise jaoks. SongsPlugin.OpenLyricsExport - + Exporting "%s"... "%s" eksportimine... @@ -5491,12 +6291,12 @@ Kodeering on vajalik märkide õige esitamise jaoks. SongsPlugin.SongExportForm - + Finished export. Eksportimine lõpetatud. - + Your song export failed. Laulude eksportimine nurjus. @@ -5504,27 +6304,27 @@ Kodeering on vajalik märkide õige esitamise jaoks. SongsPlugin.SongImport - + copyright autoriõigus - + The following songs could not be imported: Järgnevaid laule polnud võimalik importida: - + Unable to open file - + File not found - + Cannot access OpenOffice or LibreOffice @@ -5532,7 +6332,7 @@ Kodeering on vajalik märkide õige esitamise jaoks. SongsPlugin.SongImportForm - + Your song import failed. Laulu importimine nurjus. @@ -5734,7 +6534,7 @@ Kodeering on vajalik märkide õige esitamise jaoks. Themes - Kujundused + Kujundused diff --git a/resources/i18n/fr.ts b/resources/i18n/fr.ts index f74fc68f0..45caa753e 100644 --- a/resources/i18n/fr.ts +++ b/resources/i18n/fr.ts @@ -1,29 +1,29 @@ - + AlertPlugin.AlertForm You have not entered a parameter to be replaced. Do you want to continue anyway? - Vous n'avez pas entrer de paramètre a remplacer. + Vous n'avez pas entrer de paramètre a remplacer. Voulez vous continuer tout de même ? No Parameter Found - Pas de paramètre trouvé + Pas de paramètre trouvé No Placeholder Found - + Pas d'espace réservé trouvé The alert text does not contain '<>'. Do you want to continue anyway? - Le texte d'alerte ne doit pas contenir '<>'. + Le texte d'alerte ne doit pas contenir '<>'. Voulez-vous continuer tout de même ? @@ -42,7 +42,7 @@ Voulez-vous continuer tout de même ? <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen - <strong>Module d'alerte</strong><br />Le module d'alerte contre l'affichage d'alerte sur l’écran live + <strong>Module d'alerte</strong><br />Le module d'alerte contre l'affichage d'alerte sur l’écran live @@ -62,6 +62,11 @@ Voulez-vous continuer tout de même ? container title Alertes + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. + + AlertsPlugin.AlertForm @@ -110,6 +115,30 @@ Voulez-vous continuer tout de même ? You haven't specified any text for your alert. Please type in some text before clicking New. Vous n'avez pas spécifier de texte pour votre alerte. Pouvez vous introduire du texte avant de cliquer Nouveau. + + + No Parameter Found + Pas de paramètre trouvé + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + Vous n'avez pas entrer de paramètre a remplacer. +Voulez vous continuer tout de même ? + + + + No Placeholder Found + Pas d'espace réservé trouvé + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + Le texte d'alerte ne doit pas contenir '<>'. +Voulez-vous continuer tout de même ? + AlertsPlugin.AlertsManager @@ -157,18 +186,18 @@ Voulez-vous continuer tout de même ? Importing books... %s - Importation des livres... %s + Importation des livres... %s Importing verses from %s... Importing verses from <book name>... - Importation des versets de %s... + Importation des versets de %s... Importing verses... done. - Importation des versets... terminé. + Importation des versets... terminé. @@ -176,12 +205,17 @@ Voulez-vous continuer tout de même ? &Upgrade older Bibles - Mettre à &jour les anciennes 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 Upgrade the Bible databases to the latest format. - Mettre à jour les bases de données de Bible au nouveau format + Mettre à jour les bases de données de Bible au nouveau format @@ -189,22 +223,22 @@ Voulez-vous continuer tout de même ? Download Error - Erreur de téléchargement + 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. - Il y a un problème de téléchargement de votre sélection de verset. Pouvez-vous contrôler votre connexion Internet, et si cette erreur persiste pensez a rapporter un dysfonctionnement. + Il y a un problème de téléchargement de votre sélection de verset. Pouvez-vous contrôler votre connexion Internet, et si cette erreur persiste pensez a rapporter un dysfonctionnement. Parse Error - Erreur syntaxique + Erreur syntaxique There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. - Il y a un problème pour extraire votre sélection de verset. Si cette erreur persiste pensez a rapporter un dysfonctionnement. + Il y a un problème pour extraire votre sélection de verset. Si cette erreur persiste pensez a rapporter un dysfonctionnement. @@ -212,22 +246,27 @@ Voulez-vous continuer tout de même ? Bible not fully loaded. - Bible pas entièrement chargée. + Bible pas entièrement chargée. 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 simple et double Bible dans les résultats de recherche. Voulez vous effacer les résultats et commencer une nouvelle recherche ? + Vous ne pouvez pas combiner simple et double Bible dans les résultats de recherche. Voulez vous effacer les résultats et commencer une nouvelle recherche ? Information - Information + Information + + + + The second Bibles 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 deuxième Bible ne contient pas tous les versets présents dans la Bible principale. Seulement les versets trouvés dans les deux Bibles vont être affichés. %s versets n'ont pas été inclus dans le résultat. 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 deuxième Bible ne contient pas tous les versets présents dans la Bible principale. Seulement les versets trouvés dans les deux Bibles vont être affichés. %s versets n'ont pas été inclus dans le résultat. + La deuxième Bible ne contient pas tous les versets présents dans la Bible principale. Seulement les versets trouvés dans les deux Bibles vont être affichés. %s versets n'ont pas été inclus dans le résultat. @@ -256,12 +295,12 @@ Voulez-vous continuer tout de même ? Bibles - + No Book Found Pas de livre trouvé - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. Pas de livre correspondant n'a été trouvé dans cette Bible. Contrôlez que vous avez correctement écrit le nom du livre. @@ -305,38 +344,48 @@ Voulez-vous continuer tout de même ? <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 + BiblesPlugin.BibleManager - + 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. Pouvez-vous utiliser l'assistant d'importation pour installer une ou plusieurs Bibles. - + Scripture Reference Error Écriture de référence erronée - + Web Bible cannot be used Les Bible Web ne peut être utilisée - + Text Search is not available with Web Bibles. La recherche textuelle n'est pas disponible pour 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 introduit de mot clé de recherche. Vous pouvez séparer différents mot clé par une espace pour rechercher tous les mot clé et les séparer par des virgules pour en rechercher uniquement un. - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns: Book Chapter @@ -355,7 +404,7 @@ Livre Chapitre:Verset-Verset,Chapitre:Verset-Verset Livre Chapitre:Verset-Chapitre:Verset - + No Bibles Available Pas de Bible disponible @@ -461,189 +510,228 @@ Les changement ne s'applique aux versets déjà un service. Vous devez sélectionner un livre. + + BiblesPlugin.CSVBible + + + Importing books... %s + Importation des livres... %s + + + + Importing verses from %s... + Importing verses from <book name>... + Importation des versets de %s... + + + + Importing verses... done. + Importation des versets... terminé. + + BiblesPlugin.HTTPBible - + Registering Bible and loading books... Enregistrement de la Bible et chargement des livres... - + Registering Language... Enregistrement des langages... - + 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. + Il y a un problème de téléchargement de votre sélection de verset. Pouvez-vous contrôler votre connexion Internet, et si cette erreur persiste pensez a rapporter un dysfonctionnement. + + + + Parse Error + Erreur syntaxique + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + Il y a un problème pour extraire votre sélection de verset. Si cette erreur persiste pensez a rapporter un dysfonctionnement. + BiblesPlugin.ImportWizardForm - + Bible Import Wizard Assistant d'import de Bibles - + 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. Cette assistant vous aide a importer des bible de différents formats. Clique le bouton suivant si dessous pour démarrer le processus par sélectionner le format à importer. - + Web Download Téléchargement Web - + Location: Emplacement : - + Crosswalk - + BibleGateway BibleGateway - + Bibleserver Bibleserver - + Bible: Bible : - + Download Options Options de téléchargement - + Server: Serveur : - + Username: Nom d'utilisateur : - + Password: Mot de passe : - + Proxy Server (Optional) Serveur Proxy (Optionnel) - + License Details Détails de la licence - + Set up the Bible's license details. Mise en place des détailles de la licence de la Bible. - + Version name: Nom de la version : - + Copyright: Copyright : - + Permissions: Permissions : - + Please wait while your Bible is imported. Attendez que la Bible sois importée. - + You need to specify a file with books of the Bible to use in the import. Vous devez spécifier un fichier avec les livres de la Bible à utiliser dans l'import. - + You need to specify a file of Bible verses to import. Vous devez spécifier un fichier de verset biblique à importer. - + You need to specify a version name for your Bible. Vous devez spécifier un nom de version pour votre Bible. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Vous devez introduire un copyright pour votre Bible. Les Bibles dans le domaine publics doivent être marquée comme trouvé. - + Bible Exists La Bible existe - + This Bible already exists. Please import a different Bible or first delete the existing one. Cette bible existe déjà. Veuillez introduire un non de Bible différent ou commencer par supprimer celle qui existe déjà. - + CSV File Fichier CSV - + Your Bible import failed. Votre import de Bible à échoué. - + Bible file: Fichier Bible : - + Books file: Fichiers de livres : - + Verses file: Fichiers de versets : - + openlp.org 1.x Bible Files Fichiers Bible openlp.org 1.x - + Registering Bible... Enregistrement de Bible... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. Enregistrement de Bible. Remarquer que les versets vont être @@ -671,7 +759,7 @@ téléchargé à la demande, une connexion Internet fiable est donc nécessaire. BiblesPlugin.LanguageForm - + You need to choose a language. Vous devez choisir une langue. @@ -679,60 +767,80 @@ téléchargé à la demande, une connexion Internet fiable est donc nécessaire. BiblesPlugin.MediaItem - + Quick Rapide - + Second: Deuxième : - + Find: Recherche : - + Book: Livre : - + Chapter: Chapitre : - + Verse: Verset : - + From: De : - + To: A : - + Text Search Recherche de texte - + 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 simple et double Bible dans les résultats de recherche. Voulez vous effacer les résultats et commencer une nouvelle recherche ? + + + + Bible not fully loaded. + Bible pas entièrement 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 deuxième Bible ne contient pas tous les versets présents dans la Bible principale. Seulement les versets trouvés dans les deux Bibles vont être affichés. %s versets n'ont pas été inclus dans le résultat. + BiblesPlugin.Opensong @@ -760,148 +868,181 @@ téléchargé à la demande, une connexion Internet fiable est donc nécessaire. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory Sélectionner un répertoire de sauvegarde - + 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 va vous aider à mettre a jours vos Bibles depuis une version prétendante d'OpenLP 2. Cliquer sur le bouton, si dessous, suivant pour commencer le processus de mise a jour. - + Select Backup Directory Sélectionner 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 de OpenLP 2.0 sont incapables d'utiliser Bibles mises à jour. Cela créera une sauvegarde de vos Bibles de sorte que vous puissiez simplement copier les fichiers vers votre répertoire de donnée d'OpenLP si vous avez besoin de revenir à une version précédente de OpenLP. Instructions sur la façon de restaurer les fichiers peuvent être trouvés 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'y a pas besoin de sauvegarder mes Bibles - + Select Bibles Sélectionne Bibles - + Please select the Bibles to upgrade Veuillez sélectionner les Bibles à mettre à jours - + Version name: - Nom de la version : + Nom de la version : - + This Bible still exists. Please change the name or uncheck it. - Cette Bible existe encore. Veuillez changer le nom ou la décocher. + Cette Bible existe encore. Veuillez changer le nom ou la décocher. - + Upgrading Mise à jour - + Please wait while your Bibles are upgraded. Merci d'attendre pendant que vos Bible soient mises à jour. You need to specify a Backup Directory for your Bibles. - Vous devez spécifier un répertoire de sauvegarde pour vos Bibles. + Vous devez spécifier un répertoire de sauvegarde pour vos Bibles. - + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. If you have write permissions and this error still occurs, please report a bug. + La sauvegarde a échoué. +Pour sauvegarder vos Bibles vous besoin du 9droit d'écrire dans le répertoire donné. Si vous avez les autorisations d'écriture et cette erreur se produit encore, merci de signaler un problème. + + + You need to specify a version name for your Bible. - Vous devez spécifier un nom de version pour votre Bible. + Vous devez spécifier un nom de version pour votre Bible. - + Bible Exists - La Bible existe + La Bible existe - + This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck. - Cette Bible existe déjà. Merci de mettre a jours une Bible différente, effacer la bible existante ou décocher. + Cette Bible existe déjà. Merci de mettre a jours une Bible différente, effacer la bible existante ou décocher. + + + + Starting upgrading Bible(s)... + Commence la mise à jours des Bible(s)... There are no Bibles available to upgrade. - Il n'y a pas de Bibles à mettre a jour. + Il n'y a pas de Bibles à mettre a jour. - + Upgrading Bible %s of %s: "%s" Failed Mise a jour de la Bible %s de %s : "%s" Échouée - + Upgrading Bible %s of %s: "%s" Upgrading ... Mise a jour de la Bible %s de %s : "%s" Mise à jour ... - + Download Error Erreur de téléchargement - + + To upgrade your Web Bibles an Internet connection is required. If you have a working Internet connection and this error still occurs, please report a bug. + Pour mettre à jour vos Bibles Web une connexion Internet est nécessaire. Si vous avez une connexion à Internet et que cette erreur se produit toujours, Merci de signaler un problème. + + + Upgrading Bible %s of %s: "%s" Upgrading %s ... Mise a jour de la Bible %s de %s : "%s" Mise à jour %s ... - + + Upgrading Bible %s of %s: "%s" +Done + Mise a jour de la Bible %s de %s : "%s" +Terminée + + + , %s failed , %s écobuée - + + Upgrading Bible(s): %s successful%s +Please note, that verses from Web Bibles will be downloaded +on demand and so an Internet connection is required. + Mise a jour des Bible(s) : %s succès%s +Veuillez remarquer, que les versets des Bibles Web sont téléchargés +à la demande vous avez donc besoin d'une connexion Internet. + + + Upgrading Bible(s): %s successful%s Mise à jour des Bible(s) : %s succès%s - + Upgrade failed. Mise à jour échouée. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. La sauvegarde à échoué. @@ -910,30 +1051,50 @@ Pour sauvegarder vos bibles vous avez besoin des droits d'écriture pour le Starting Bible upgrade... - Commence la mise à jour de Bible... + Commence la mise à jour de Bible... - + To upgrade your Web Bibles an Internet connection is required. Pour mettre à jours vos Bibles Web une connexion à Internet est nécessaire. - + Upgrading Bible %s of %s: "%s" Complete Mise a jour de la Bible %s de %s : "%s" Terminée - + Upgrading Bible(s): %s successful%s Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. Mise a jour des Bible(s) : %s succès%s Veuillez remarquer, que les versets des Bibles Web sont téléchargés à la demande vous avez donc besoin d'une connexion Internet. + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + CustomPlugin + + + <strong>Custom Plugin</strong><br />The custom 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>Module Personnel</strong><br />Le module personnel permet de créer des diapositive textuel personnalisée qui peuvent être affichée comme les chants. Ce module permet une grande liberté par rapport au module chant. + <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. @@ -1054,32 +1215,108 @@ Veuillez remarquer, que les versets des Bibles Web sont téléchargés à la dem &Crédits : - + You need to type in a title. Vous devez introduire un titre. - + You need to add at least one slide Vous devez ajouter au moins une diapositive + + + Split Slide + Sépare la diapositive + Split a slide into two by inserting a slide splitter. Sépare la diapositive en deux par l'inversion d'un séparateur de diapositive. + + + Split a slide into two only if it does not fit on the screen as one slide. + Sépare la diapositive en 2 seulement si cela n'entre pas un l'écran d'une diapositive. + Insert Slide Insère une diapositive + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slides(s)? + + + + + + + + CustomsPlugin + + + Customs + name plural + Personnels + + + + Custom + container title + Personnel + + + + Load a new Custom. + Charge un nouveau Personnel. + + + + Import a Custom. + Import un Personnel. + + + + Add a new Custom. + Ajoute un nouveau Personnel. + + + + Edit the selected Custom. + Édite le Personnel sélectionné. + + + + Delete the selected Custom. + Efface le Personnel sélectionné. + + + + Preview the selected Custom. + Prévisualise le Personnel sélectionné. + + + + Send the selected Custom live. + Affiche le Personnel sélectionné en direct. + + + + Add the selected Custom to the service. + Ajoute le Personnel sélectionner au service. + + GeneralTab General - Général + Général @@ -1107,6 +1344,41 @@ Veuillez remarquer, que les versets des Bibles Web sont téléchargés à la dem container title Images + + + Load a new Image. + Charge une nouvelle Image. + + + + Add a new Image. + Ajoute une Image. + + + + Edit the selected Image. + Édite l'Image sélectionnée. + + + + Delete the selected Image. + Efface l'Image sélectionnée. + + + + Preview the selected Image. + Prévisualise l'Image sélectionnée. + + + + Send the selected Image live. + Envoie l'Image sélectionnée en direct. + + + + Add the selected Image to the service. + Ajoute l'Image sélectionnée au service. + Load a new image. @@ -1154,42 +1426,47 @@ Veuillez remarquer, que les versets des Bibles Web sont téléchargés à la dem ImagePlugin.MediaItem - + Select Image(s) Sélectionne Image(s) - + You must select an image to delete. Vous devez sélectionner une image a effacer. - + 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 de toute façon d'autres images ? - + You must select an image to replace the background with. Vous devez sélectionner une image pour remplacer le fond. - + There was a problem replacing your background, the image file "%s" no longer exists. Il y a un problème pour remplacer votre fond, le fichier d'image "%s" n'existe plus. + + + There was no display item to amend. + + MediaPlugin @@ -1216,6 +1493,41 @@ Voulez-vous ajouter de toute façon d'autres images ? container title Média + + + Load a new Media. + Charge un nouveau Média. + + + + Add a new Media. + Ajouter un nouveau Média. + + + + Edit the selected Media. + Édite le Média sélectionné. + + + + Delete the selected Media. + Efface le Média sélectionné. + + + + Preview the selected Media. + Prévisualise le Média sélectionné. + + + + Send the selected Media live. + Affiche le Média sélectionner le Média en direct. + + + + Add the selected Media to the service. + Ajoute le Média sélectionner au service. + Load new media. @@ -1255,40 +1567,45 @@ Voulez-vous ajouter de toute façon d'autres images ? MediaPlugin.MediaItem - + Select Media Média sélectionné - + You must select a media file to replace the background with. Vous devez sélectionné un fichier média le fond. - + There was a problem replacing your background, the media file "%s" no longer exists. Il y a un problème pour remplacer le fond du direct, le fichier du média "%s" n'existe plus. - + Missing Media File Fichier du média manquant - + The file %s no longer exists. Le fichier %s n'existe plus. - + You must select a media file to delete. Vous devez sélectionné un fichier média à effacer. - + Videos (%s);;Audio (%s);;%s (*) Vidéos (%s);;Audio (%s);;%s (*) + + + There was no display item to amend. + + MediaPlugin.MediaTab @@ -1306,7 +1623,7 @@ Voulez-vous ajouter de toute façon d'autres images ? OpenLP - + Image Files Fichiers image @@ -1599,82 +1916,87 @@ Copyright de composant © 2004-2011 %s OpenLP.DisplayTagDialog - + Edit Selection - Édite la sélection + Édite la sélection - + Description - Description + Description + + + + Tag + Balise + + + + Start tag + Balise de début - Tag - Balise - - - - Start tag - Balise de début - - - End tag - Balise de fin + Balise de fin - + Tag Id - Identifiant de balise + Identifiant de balise - + Start HTML - HTML de début + HTML de début - + End HTML - HTML de fin + HTML de fin - + Save - Enregistre + Enregistre OpenLP.DisplayTagTab - + Update Error - Erreur de mise a jours + Erreur de mise a jours Tag "n" already defined. - Balise "n" déjà définie. + Balise "n" déjà définie. - + Tag %s already defined. - Balise %s déjà définie. + Balise %s déjà définie. New Tag - Nouvelle balise + Nouvelle balise + + + + <Html_here> + <HTML_ici> </and here> - </ajoute ici> + </ajoute ici> <HTML here> - <HTML ici> + <HTML ici> @@ -1682,82 +2004,82 @@ Copyright de composant © 2004-2011 %s Red - Rouge + Rouge Black - Noir + Noir Blue - Bleu + Bleu Yellow - Jaune + Jaune Green - Vert + Vert Pink - Rose + Rose Orange - Orange + Orange Purple - Pourpre + Pourpre White - Blanc + Blanc Superscript - Exposant + Exposant Subscript - Indice + Indice Paragraph - Paragraphe + Paragraphe Bold - Gras + Gras Italics - Italiques + Italiques Underline - Souligner + Souligner Break - + Retour à la ligne @@ -1927,12 +2249,12 @@ Version : %s Téléchargement %s... - + Download complete. Click the finish button to start OpenLP. Téléchargement terminer. Clic le bouton terminer pour démarrer OpenLP. - + Enabling selected plugins... Active le module sélectionné... @@ -1964,7 +2286,7 @@ Version : %s Custom Text - Texte Personnel + Texte Personnel @@ -2064,6 +2386,16 @@ Pour annuler l'assistant de démarrage, appuyer sur le bouton fin maintenan Set up default settings to be used by OpenLP. Définir les paramètres par défaut pour être utilisé par OpenLP. + + + Setting Up And Importing + Configuration et importation + + + + Please wait while OpenLP is set up and your data is imported. + Merci de patienter pendant que OpenLP ce met en place et importe vos données. + Default output display: @@ -2085,25 +2417,209 @@ Pour annuler l'assistant de démarrage, appuyer sur le bouton fin maintenan Cet assistant va vous aider à configurer OpenLP pour sa première utilisation. Cliquez sur le bouton suivant pour démarrer. - + Setting Up And Downloading Mise en place et téléchargement - + Please wait while OpenLP is set up and your data is downloaded. Merci d'attendre pendant qu'OpenLP ce met en place que que vos données soient téléchargée. - + Setting Up Mise en place - + Click the finish button to start OpenLP. Cliquer sur le bouton pour démarrer OpenLP. + + + Custom Slides + Diapositives personnelles + + + + Download complete. Click the finish button to return to OpenLP. + + + + + Click the finish button to return to OpenLP. + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Edit Selection + Édite la sélection + + + + Save + Enregistre + + + + Description + Description + + + + Tag + Balise + + + + Start tag + Balise de début + + + + End tag + Balise de fin + + + + Tag Id + Identifiant de balise + + + + Start HTML + HTML de début + + + + End HTML + HTML de fin + + + + OpenLP.FormattingTagForm + + + Update Error + Erreur de mise a jours + + + + Tag "n" already defined. + Balise "n" déjà définie. + + + + New Tag + Nouvelle balise + + + + <HTML here> + <HTML ici> + + + + </and here> + </ajoute ici> + + + + Tag %s already defined. + Balise %s déjà définie. + + + + OpenLP.FormattingTags + + + Red + Rouge + + + + Black + Noir + + + + Blue + Bleu + + + + Yellow + Jaune + + + + Green + Vert + + + + Pink + Rose + + + + Orange + Orange + + + + Purple + Pourpre + + + + White + Blanc + + + + Superscript + Exposant + + + + Subscript + Indice + + + + Paragraph + Paragraphe + + + + Bold + Gras + + + + Italics + Italiques + + + + Underline + Souligner + + + + Break + Retour à la ligne + OpenLP.GeneralTab @@ -2249,7 +2765,7 @@ Pour annuler l'assistant de démarrage, appuyer sur le bouton fin maintenan OpenLP.MainDisplay - + OpenLP Display Affichage OpenLP @@ -2257,292 +2773,292 @@ Pour annuler l'assistant de démarrage, appuyer sur le bouton fin maintenan OpenLP.MainWindow - + &File &Fichier - + &Import &Import - + &Export &Export - + &View &Visualise - + M&ode M&ode - + &Tools &Outils - + &Settings &Options - + &Language &Langue - + &Help &Aide - + Media Manager Gestionnaire de médias - + Service Manager Gestionnaire de services - + Theme Manager Gestionnaire de thèmes - + &New &Nouveau - + &Open &Ouvrir - + Open an existing service. Ouvre un service existant. - + &Save &Enregistre - + Save the current service to disk. Enregistre le service courant sur le disque. - + Save &As... Enregistre &sous... - + Save Service As Enregistre 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 &Shortcuts... Personnalise les &raccourcis... - + &Configure OpenLP... &Personnalise 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. - + &Plugin List Liste des &modules - + 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 a 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/. @@ -2551,32 +3067,32 @@ You can download the latest version from http://openlp.org/. Vous pouvez télécharger la dernière version depuis http://openlp.org/. - + OpenLP Version Updated Version d'OpenLP mis a jours - + OpenLP Main Display Blanked OpenLP affichage principale noirci - + The Main Display has been blanked out L'affichage principale a été noirci - + Close OpenLP Ferme OpenLP - + Are you sure you want to close OpenLP? Êtes vous sur de vouloir fermer OpenLP ? - + Default Theme: %s Thème par défaut : %s @@ -2584,43 +3100,101 @@ Vous pouvez télécharger la dernière version depuis http://openlp.org/. English Please add the name of your language here - Anglais + Français - + + Print the current Service Order. + Imprime l'ordre du service courant. + + + Open &Data Folder... Ouvre le répertoire de &données... - + Open the folder where songs, bibles and other data resides. Ouvre le répertoire ou les chants, bibles et les autres données sont placées. - + &Configure Display Tags - &Configure les balise d'affichage + &Configure les balise d'affichage - + &Autodetect &Détecte automatiquement - + Update Theme Images Met a jours les images de thèmes - + Update the preview images for all themes. Met a jours les images de tous les thèmes. - + Print the current service. Imprime le service courant. + + + 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. + + + + + &Recent Files + + + + + &Configure Formatting Tags... + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + OpenLP.MediaManagerItem @@ -2630,57 +3204,85 @@ Vous pouvez télécharger la dernière version depuis http://openlp.org/.Pas d'éléments sélectionné - + &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 a prévisualiser. - + You must select one or more items to send live. Vous devez sélectionner un ou plusieurs éléments pour les envoyer en 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. - + + Duplicate file name %s. +Filename already exists in list + Nom de fichiers dupliquer %s. +Le nom de fichiers existe dans la liste + + + You must select one or more items to add. Vous devez sélectionner un ou plusieurs éléments a ajouter. - + No Search Results Pas de résultats de recherche - + Duplicate filename %s. This filename is already in the list - Nom de fichiers dupliquer %s. + Nom de fichiers dupliquer %s. Ce nom de fichier est déjà dans la liste + + + &Clone + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + Duplicate files found on import and ignored. + + OpenLP.PluginForm @@ -2728,12 +3330,12 @@ Ce nom de fichier est déjà dans la liste OpenLP.PrintServiceDialog - + Fit Page Ajuster à la page - + Fit Width Ajuster à la largeur @@ -2741,70 +3343,90 @@ Ce nom de fichier est déjà dans la liste OpenLP.PrintServiceForm - + Options Options Close - Fermer + Fermer - + Copy Copier - + Copy as HTML Copier comme de l'HTML - + Zoom In Zoom avant - + Zoom Out Zoom arrière - + Zoom Original Zoom originel - + 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 longueur des éléments média - + + Service Order Sheet + Fiche d'ordre du service + + + Add page break before each text item Ajoute des saut de page entre chaque éléments - + Service Sheet Feuille de service + + + Print + + + + + Title: + + + + + Custom Footer Text: + + OpenLP.ScreenList @@ -2819,10 +3441,23 @@ Ce nom de fichier est déjà dans la liste primaire + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + OpenLP.ServiceItemEditForm - + Reorder Service Item Réordonne les éléments du service @@ -2830,257 +3465,277 @@ Ce nom de fichier est déjà dans la liste OpenLP.ServiceManager - + Move to &top Place en &premier - + Move item to the top of the service. Place l'élément au début du service. - + Move &up Déplace en &haut - + Move item up one position in the service. Déplace l'élément d'une position en haut. - + Move &down Déplace en &bas - + Move item down one position in the service. Déplace l'élément d'une position en bas. - + Move to &bottom Place en &dernier - + Move item to the end of the service. Place l'élément a la fin du service. - + Moves the selection up the window. Déplace la sélection en haut de la fenêtre. - + Move up Déplace en haut - + &Delete From Service &Efface du service - + Delete the selected item from the service. Efface l'élément sélectionner du service. - + &Expand all &Développer tous - + Expand all the service items. Développe tous les éléments du service. - + &Collapse all &Réduire tous - + Collapse all the service items. Réduit tous les élément du service. - + Go Live Lance le direct - + Send the selected item to Live. Envoie l'élément sélectionné en direct. - + &Add New Item &Ajoute un nouvel élément - + &Add to Selected Item &Ajoute a l'élément sélectionné - + &Edit Item &Édite l'élément - + &Reorder Item &Réordonne l'élément - + &Notes &Remarques - + &Change Item Theme &Change le thème de l'élément - + Open File Ouvre un fichier - + 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 un service valide. Le contenu n'est pas de l'UTF-8. - + File is not a valid service. Le fichier n'est pas un service valide. - + Missing Display Handler Délégué d'affichage manquent - + Your item cannot be displayed as there is no handler to display it Votre élément ne peut pas être affiché il n'y a pas de délégué 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é le module nécessaire pour l'afficher est manquant ou inactif - + Moves the selection down the window. Déplace la sélection en bas de la fenêtre. - + Modified Service Service modifié - + &Start Time Temps de &début - + Show &Preview Affiche en &prévisualisation - + Show &Live Affiche en &direct - + The current service has been modified. Would you like to save this service? Le service courant à été modifier. Voulez-vous l'enregistrer ? - + File could not be opened because it is corrupt. Le fichier n'a pas pu être ouvert car il est corrompu. - + Empty File Fichier vide - + This service file does not contain any data. Ce fichier de service ne contiens aucune données. - + Corrupt File Fichier corrompu - + Custom Service Notes: Remarques de service : - + Notes: Remarques : - + Playing time: Durée du service : - + Untitled Service Service sans titre - + + This file is either corrupt or not an OpenLP 2.0 service file. + Ce fichier est corrompu ou n'est la un fichier service OpenLP 2.0. + + + Load an existing service. Charge un service existant. - + Save this service. Enregistre ce service. - + Select a theme for the service. Sélectionne un thème pour le service. - + This file is either corrupt or it is not an OpenLP 2.0 service file. Ce fichier est sois corrompu ou n'est pas un fichier de service OpenLP 2.0. + + + Slide theme + + + + + Notes + + + + + Service File Missing + + OpenLP.ServiceNoteForm - + Service Item Notes Remarque sur l'élément du service @@ -3098,7 +3753,7 @@ Le contenu n'est pas de l'UTF-8. Customize Shortcuts - Personnalise les raccourci + Personnalise les raccourci @@ -3111,12 +3766,12 @@ Le contenu n'est pas de l'UTF-8. 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à assigner a une autre action, veillez utiliser un raccourci diffèrent. @@ -3151,45 +3806,50 @@ Le contenu n'est pas de l'UTF-8. Restaure le raccourci par défaut de cette action. - + Restore Default Shortcuts Restaure les raccourcis par défaut - + Do you want to restore all shortcuts to their defaults? Voulez vous restaurer tous les raccourcis par leur valeur par défaut ? + + + Configure Shortcuts + + OpenLP.SlideController - + Previous Slide Diapositive précédente - + Next Slide Aller au suivant - + Hide Cache - + Blank Screen Écran noir - + Blank to Theme Thème vide - + Show Desktop Affiche le bureau @@ -3214,29 +3874,29 @@ Le contenu n'est pas de l'UTF-8. Élément échappement - + Move to previous. Déplace au précédant. - + Move to next. Déplace au suivant. - + Play Slides Joue les diapositives Play Slides in Loop - Joue les diapositives en boucle + Joue les diapositives en boucle Play Slides to End - Joue les diapositives jusqu’à la fin + Joue les diapositives jusqu’à la fin @@ -3267,17 +3927,17 @@ Le contenu n'est pas de l'UTF-8. OpenLP.SpellTextEdit - + Spelling Suggestions Suggestions orthographique - + Formatting Tags Tags de formatage - + Language: Langue : @@ -3324,6 +3984,16 @@ Le contenu n'est pas de l'UTF-8. Time Validation Error Erreur de validation du temps + + + End time is set after the end of the media item + Le temps de fin est défini après la fin de l’élément média + + + + Start time is after the End Time of the media item + Temps de début après le temps de fin pour l’élément média + Finish time is set after the end of the media item @@ -3371,192 +4041,198 @@ Le contenu n'est pas de l'UTF-8. OpenLP.ThemeManager - + Create a new theme. Crée un nouveau thème. - + Edit Theme Édite thème - + Edit a theme. Édite un thème. - + Delete Theme Efface thème - + Delete a theme. Efface un thème. - + Import Theme Import thème - + Import a theme. Import un thème. - + Export Theme Export thème - + Export a theme. Export un thème. - + &Edit Theme &Édite thème - + &Copy Theme &Copier le thème - + &Rename Theme &Renomme le thème - + &Delete Theme &Efface le thème - + Set As &Global Default Établir comme défaut &globale - + &Export Theme &Exporte le thème - + %s (default) %s (défaut) - + You must select a theme to rename. Vous devez sélectionner a thème à renommer. - + Rename Confirmation Confirme le renommage - + Rename %s theme? Renomme le thème %s ? - + You must select a theme to edit. Vous devez sélectionner un thème a éditer. - + You must select a theme to delete. Vous devez sélectionner un thème à effacer. - + Delete Confirmation Confirmation d'effacement - + Delete %s theme? Efface le thème %s ? - + You have not selected a theme. Vous n'avez pas sélectionner de thème. - + Save Theme - (%s) Enregistre le thème - (%s) - + Theme Exported Thème exporté - + Your theme has been successfully exported. Votre thème a été exporter avec succès. - + Theme Export Failed L'export du thème a échoué - + Your theme could not be exported due to an error. Votre thème ne peut pas être exporter a cause d'une erreur. - + Select Theme Import File Select le fichier thème à importer - + File is not a valid theme. The content encoding is not UTF-8. Le fichier n'est pas un thème. Le contenu n'est pas de l'UTF-8. - + Validation Error Erreur de validation - + File is not a valid theme. Le fichier n'est pas un thème valide. - + A theme with this name already exists. Le thème avec ce nom existe déjà. - + You are unable to delete the default theme. Vous ne pouvez pas supprimer le thème par défaut. - + Theme %s is used in the %s plugin. Thème %s est utiliser par le module %s. - + OpenLP Themes (*.theme *.otz) Thèmes OpenLP (*.theme *.otz) + + + Copy of %s + Copy of <theme name> + + OpenLP.ThemeWizard @@ -3800,6 +4476,16 @@ Le contenu n'est pas de l'UTF-8. Theme name: Nom du thème : + + + Starting color: + + + + + Ending color: + + OpenLP.ThemesTab @@ -3843,31 +4529,36 @@ Le contenu n'est pas de l'UTF-8. Use the global theme, overriding any themes associated with either the service or the songs. Utilise un thème global, surcharge tous les thèmes associer aux services et aux chants. + + + Themes + Thèmes + OpenLP.Ui - + Error Erreur - + &Delete &Supprime - + Delete the selected item. Supprime l'élément sélectionné. - + Move selection up one position. Déplace la sélection d'une position en haut. - + Move selection down one position. Déplace la sélection d'une position en bas. @@ -3892,24 +4583,24 @@ Le contenu n'est pas de l'UTF-8. Crée un nouveau service. - + &Edit &Édite - + Import Import Length %s - Longueur %s + Longueur %s Live - Dirrect + Direct @@ -3932,42 +4623,57 @@ Le contenu n'est pas de l'UTF-8. OpenLP 2.0 - + + Open Service + Ouvre un service + + + Preview Prévisualise - + Replace Background Remplace le fond - + + Replace Live Background + Remplace le fond du direct + + + Reset Background Réinitialiser le fond - + + Reset Live Background + Réinitialise de fond du direct + + + Save Service Enregistre le service - + Service Service - + Start %s Début %s - + &Vertical Align: Alignement &vertical : - + Top Haut @@ -4002,23 +4708,23 @@ Le contenu n'est pas de l'UTF-8. Numéro CCLI : - + Empty Field Champ vide - + Export Export - + pt Abbreviated font pointsize unit pt - + Image Image @@ -4027,6 +4733,11 @@ Le contenu n'est pas de l'UTF-8. Live Background Error Erreur fond du direct + + + Live Panel + Panneau du direct + New Theme @@ -4062,47 +4773,57 @@ Le contenu n'est pas de l'UTF-8. openlp.org 1.x - + + Preview Panel + Panneau de prévisualisation + + + + Print Service Order + Imprime l'ordre du service + + + s The abbreviated unit for seconds s - + Save && Preview Enregistre && prévisualise - + Search - Recherche + Recherche - + 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. - + Theme Singular Thème - + Themes Plural Thèmes - + Version - Version + Version @@ -4166,12 +4887,12 @@ Le contenu n'est pas de l'UTF-8. Vous devez spécifier au moins un %s fichier à importer. - + Welcome to the Bible Import Wizard Bienvenue dans l'assistant d'import de Bibles - + Welcome to the Song Export Wizard Bienvenue dans l'assistant d'export de Chant @@ -4228,45 +4949,45 @@ Le contenu n'est pas de l'UTF-8. Sujets - + Continuous Continu - + Default Défaut - + Display style: Style d'affichage : - + File Fichier - + Help Aide - + h The abbreviated unit for hours h - + Layout style: Style de disposition : Live Toolbar - Bar d'outils dirrect + Bar d'outils direct @@ -4280,37 +5001,37 @@ Le contenu n'est pas de l'UTF-8. OpenLP est déjà démarré. Voulez vous continuer ? - + Settings Configuration - + Tools Outils - + Verse Per Slide Un verset par diapositive - + Verse Per Line Un verset par ligne - + View Affiche - + Duplicate Error Erreur de duplication - + Unsupported File Fichier pas supporté @@ -4325,12 +5046,12 @@ Le contenu n'est pas de l'UTF-8. Erreur de syntaxe XML - + View Mode Mode d'affichage - + Welcome to the Bible Upgrade Wizard Bienvenue dans l'assistant de mise à jour de Bible @@ -4340,37 +5061,62 @@ Le contenu n'est pas de l'UTF-8. Ouvre le service. - + Print Service Imprime le service - + Replace live background. Remplace le fond du direct. - + Reset live background. Restaure le fond du direct. - + &Split &Sépare - + Split a slide into two only if it does not fit on the screen as one slide. Sépare la diapositive en 2 seulement si cela n'entre pas un l'écran d'une diapositive. + + + Confirm Delete + + + + + Play Slides in Loop + Joue les diapositives en boucle + + + + Play Slides to End + Joue les diapositives jusqu’à la fin + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + OpenLP.displayTagDialog - + Configure Display Tags - Configure les balises d'affichage + Configure les balises d'affichage @@ -4398,6 +5144,31 @@ Le contenu n'est pas de l'UTF-8. container title Présentations + + + Load a new Presentation. + Charge une nouvelle Présentation. + + + + Delete the selected Presentation. + Supprime la Présentation courante. + + + + Preview the selected Presentation. + Prévisualise la Présentation sélectionnée. + + + + Send the selected Presentation live. + Envoie la Présentation sélectionnée en direct. + + + + Add the selected Presentation to the service. + Ajoute la Présentation sélectionnée au service. + Load a new presentation. @@ -4427,52 +5198,52 @@ Le contenu n'est pas de l'UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) Sélectionne Présentation(s) - + Automatic Automatique - + Present using: Actuellement utilise : - + Presentations (%s) Présentations (%s) - + File Exists Fichier existe - + A presentation with that filename already exists. Une présentation avec ce nom de fichier existe déjà. - + This type of presentation is not supported. Ce type de présentation n'est pas supporté. - + Missing Presentation Présentation manquante - + The Presentation %s is incomplete, please reload. La présentation %s est incomplète, merci de recharger. - + The Presentation %s no longer exists. La présentation %s n'existe plus. @@ -4524,12 +5295,12 @@ Le contenu n'est pas de l'UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote OpenLP 2.0 à distance - + OpenLP 2.0 Stage View OpenLP 2.0 vue scène @@ -4539,80 +5310,85 @@ Le contenu n'est pas de l'UTF-8. Gestionnaire de services - + Slide Controller Controlleur de slides - + Alerts Alertes - + Search Recherche - + Back Arrière - + Refresh Rafraîchir - + Blank Vide - + Show Affiche - + Prev Préc - + Next Suiv - + Text Texte - + Show Alert Affiche une alerte - + Go Live Lance en direct Add To Service - Ajoute au service + Ajoute au service - + No Results Pas de résultats - + Options Options + + + Add to Service + + RemotePlugin.RemoteTab @@ -4645,68 +5421,78 @@ Le contenu n'est pas de l'UTF-8. SongUsagePlugin - + &Song Usage Tracking Suivre de l'utilisation des chants - + &Delete Tracking Data &Supprime les données de suivi - + Delete song usage data up to a specified date. Supprime les données de l'utilisation des chants jusqu'à une date déterminée. - + &Extract Tracking Data &Extraire les données de suivi - + Generate a report on song usage. Génère un rapport de l'utilisation des chants. - + Toggle Tracking Enclenche/déclenche suivi - + Toggle the tracking of song usage. Enclenche/déclenche 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</strong><br />Ce module permet de suivre l'utilisation des chants dans les services. - + 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. + + + + + Song usage tracking is inactive. + + SongUsagePlugin.SongUsageDeleteForm @@ -4766,7 +5552,7 @@ Le contenu n'est pas de l'UTF-8. usage_detail_%s_%s.txt - + rapport_d_utilisation_%s_%s.txt @@ -4939,6 +5725,36 @@ L'enccodage est responsable de l'affichage correct des caractères.Exports songs using the export wizard. Export les chants en utilisant l'assistant d'export. + + + Add a new Song. + Ajouter un nouveau Chant. + + + + Edit the selected Song. + Édite la Chant sélectionné. + + + + Delete the selected Song. + Efface le Chant sélectionné. + + + + Preview the selected Song. + Prévisualise le Chant sélectionné. + + + + Send the selected Song live. + Affiche le Chant sélectionné en direct. + + + + Add the selected Song to the service. + Ajoute le Chant sélectionné au service. + Add a new song. @@ -4962,7 +5778,7 @@ L'enccodage est responsable de l'affichage correct des caractères. Send the selected song live. - Affiche en dirrect le Chant sélectionné. + Affiche en direct le chant sélectionné. @@ -5019,190 +5835,197 @@ L'enccodage est responsable de l'affichage correct des caractères. SongsPlugin.EasyWorshipSongImport - + Administered by %s Administré pas %s + + + +[above are Song Tags with notes imported from + EasyWorship] + + SongsPlugin.EditSongForm - + Song Editor Éditeur de Chant - + &Title: &Titre : - + Alt&ernate title: Titre alt&ernatif : - + &Lyrics: &Paroles : - + &Verse order: Ordre des &versets : - + Ed&it All Édite &tous - + Title && Lyrics Titre && paroles - + &Add to Song &Ajoute un Chant - + &Remove &Enlève - + &Manage Authors, Topics, Song Books &Gère les auteurs, sujets, psautiers - + A&dd to Song A&joute un Chant - + R&emove E&nlève - + Book: Psautier : - + Number: Numéro : - + Authors, Topics && Song Book Auteurs, sujets && psautiers - + New &Theme Nouveau &thème - + Copyright Information Information du copyright - + Comments Commentaires - + Theme, Copyright Info && Comments 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 autheur valide. Vous pouvez sélectionner un auteur de la liste, ou tapez un nouvel auteur et cliquez sur "Ajouter un auteur au Chant" pour ajouter le nouvel auteur. - + 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 auteur de la liste, ou tapez un nouvel auteur et cliquez sur "Ajouter un sujet au Chant" pour ajouter le nouvel auteur. - + You need to type in a song title. Vous avez besoin d'introduire un titre pour le chant. - + You need to type in at least one verse. Vous avez besoin d'introduire au moins un verset. - + You need to have an author for this song. Vous avez besoin d'un auteur pour ce chant. - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. L'ordre des versets n'est pas valide. Il n'y a pas de verset correspondant à %s. Les entrées valide sont %s. - + Warning Attention - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? Vous n'avez pas utilisé %s dans l'ordre des verset. Êtes vous sur de vouloir enregistrer un chant comme ça ? - + Add Book Ajoute un psautier - + This song book does not exist, do you want to add it? Ce chant n'existe pas, voulez vous l'ajouter ? - + You need to type some text in to the verse. Vous avez besoin d'introduire du texte pour le verset. @@ -5224,6 +6047,16 @@ L'enccodage est responsable de l'affichage correct des caractères.&Insert &Insère + + + &Split + &Sépare + + + + Split a slide into two only if it does not fit on the screen as one slide. + Sépare une diapositive seulement si elle ne passe pas totalement dans l'écran. + Split a slide into two by inserting a verse splitter. @@ -5233,82 +6066,82 @@ L'enccodage est responsable de l'affichage correct des caractères. SongsPlugin.ExportWizardForm - + Song Export Wizard Assistant d'export de chant - + This wizard will help to export your songs to the open and free OpenLyrics worship song format. Cet assistant va sous aider a exporter vos chant fans le format de chant libre et gratuit OpenLyrics worship. - + Select Songs Sélectionne chants - + Uncheck All Décoche tous - + Check All Coche tous - + Select Directory Sélectionne répertoire - + Directory: Répertoire : - + Exporting Exportation - + Please wait while your songs are exported. Merci d'attendre que vos chants soient exporter. - + You need to add at least one Song to export. Vous devez exporter au moins un chant. - + No Save Location specified Pas d'emplacement de sauvegarde spécifier - + Starting export... Démarre l'export... - + Check the songs you want to export. Coche les chants que vous voulez exporter. - + You need to specify a directory. Vous devez spécifier un répertoire. - + Select Destination Folder Sélectionne le répertoire de destination - + Select the directory where you want the songs to be saved. Sélectionne le répertoire ou vous voulez enregistrer vos chants. @@ -5350,53 +6183,63 @@ L'enccodage est responsable de l'affichage correct des caractères.The OpenLyrics importer has not yet been developed, but as you can see, we are still intending to do so. Hopefully it will be in the next release. L'import OpenLyrics n'a pas encore été déployer, mais comme vous pouvez le voir, nous avous toujours l'intention de le faire. J'espère que ce sera dans la prochaine version. + + + The Songs of Fellowship importer has been disabled because OpenLP cannot find OpenOffice.org on your computer. + Les Chants de l'import Fellowship ont été désactivé car OpenLP ne peut trouver OpenOffice.org sur votre ordinateur. + + + + The generic document/presentation importer has been disabled because OpenLP cannot find OpenOffice.org on your computer. + L'import générique de document/présentation a été désactivé car OpenLP ne peut trouver OpenOffice.org sur votre ordinateur. + Please wait while your songs are imported. Attendez pendant que vos chants sont importé. - + OpenLP 2.0 Databases Base de données OpenLP 2.0 - + openlp.org v1.x Databases Base de données openlp.org 1.x - + Words Of Worship Song Files Fichiers Chant Words Of Worship - + Select Document/Presentation Files Sélectionne les fichiers document/présentation - + Songs Of Fellowship Song Files Fichiers Chant Songs Of Fellowship - + SongBeamer Files Fichiers SongBeamer - + SongShow Plus Song Files Fichiers Chant SongShow Plus - + You need to specify at least one document or presentation file to import from. Vous devez spécifier au moins un fichier document ou présentation à importer. - + Foilpresenter Song Files Fichiers Chant Foilpresenter @@ -5424,27 +6267,27 @@ L'enccodage est responsable de l'affichage correct des caractères. SongsPlugin.MediaItem - + Entire Song L'entier du Chant - + Titles Titres - + Lyrics Paroles Delete Song(s)? - Supprime le(s) Chant(s) ? + Supprime le(s) Chant(s) ? - + Are you sure you want to delete the %n selected song(s)? Êtes vous sur de vouloir supprimer le(s) %n chant(s) sélectionné(s) ? @@ -5452,20 +6295,26 @@ L'enccodage est responsable de l'affichage correct des caractères. - + CCLI License: License CCLI : - + Maintain the lists of authors, topics and books. Maintenir la liste des auteur, sujet et psautiers. + + + copy + For song cloning + + SongsPlugin.OpenLP1SongImport - + Not a valid openlp.org 1.x song database. Base de données de chant openlp.org 1.x pas valide. @@ -5481,7 +6330,7 @@ L'enccodage est responsable de l'affichage correct des caractères. SongsPlugin.OpenLyricsExport - + Exporting "%s"... Exportation "%s"... @@ -5512,12 +6361,12 @@ L'enccodage est responsable de l'affichage correct des caractères. SongsPlugin.SongExportForm - + Finished export. Export terminé. - + Your song export failed. Votre export de chant à échouer. @@ -5525,27 +6374,32 @@ L'enccodage est responsable de l'affichage correct des caractères. SongsPlugin.SongImport - + copyright copyright - + The following songs could not be imported: Les chants suivant ne peut pas être importé : - + + Unable to open OpenOffice.org or LibreOffice + Impossible d’ouvrir OpenOffice.org ou LibreOffice + + + Unable to open file Impossible d'ouvrir le fichier - + File not found Fichier pas trouver - + Cannot access OpenOffice or LibreOffice Impossible d’accéder à OpenOffice ou LibreOffice @@ -5553,7 +6407,7 @@ L'enccodage est responsable de l'affichage correct des caractères. SongsPlugin.SongImportForm - + Your song import failed. Votre import de chant à échouer. @@ -5755,7 +6609,7 @@ L'enccodage est responsable de l'affichage correct des caractères. Themes - Thèmes + Thèmes diff --git a/resources/i18n/hu.ts b/resources/i18n/hu.ts index b62d73581..4d3cf600e 100644 --- a/resources/i18n/hu.ts +++ b/resources/i18n/hu.ts @@ -1,28 +1,28 @@ - + AlertPlugin.AlertForm You have not entered a parameter to be replaced. Do you want to continue anyway? - Nincs megadva a cserélendő paraméter. Folytatható? + Nincs megadva a cserélend? paraméter. Folytatható? No Parameter Found - Nem található a paraméter + Nem található a paraméter No Placeholder Found - Nem található a helyjelölő + Nem található a helyjelöl? The alert text does not contain '<>'. Do you want to continue anyway? - Az értesítő szöveg nem tartalmaz „<>” karaktereket. + Az értesít? szöveg nem tartalmaz „<>” karaktereket. Folytatható? @@ -41,7 +41,7 @@ Folytatható? <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen - <strong>Értesítés bővítmény</strong><br />Az értesítés bővítmény kezeli a gyermekfelügyelet felhívásait a vetítőn. + <strong>Értesítés b?vítmény</strong><br />Az értesítés b?vítmény kezeli a gyermekfelügyelet felhívásait a vetít?n. @@ -61,13 +61,18 @@ Folytatható? container title Értesítések + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. + + AlertsPlugin.AlertForm Alert Message - Értesítő üzenet + Értesít? üzenet @@ -102,20 +107,43 @@ Folytatható? You haven't specified any text for your alert. Please type in some text before clicking New. - Az értesítés szövege nincs megadva. Adj meg valamilyen szöveget az Új gombra való kattintás előtt. + Az értesítés szövege nincs megadva. Adj meg valamilyen szöveget az Új gombra való kattintás el?tt. &Parameter: &Paraméter: + + + No Parameter Found + Nem található a paraméter + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + Nincs megadva a cserélend? paraméter. Folytatható? + + + + No Placeholder Found + Nem található a helyjelöl? + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + Az értesít? szöveg nem tartalmaz „<>” karaktereket. +Folytatható? + AlertsPlugin.AlertsManager Alert message created and displayed. - Az értesítő üzenet létrejött és megjelent. + Az értesít? üzenet létrejött és megjelent. @@ -123,17 +151,17 @@ Folytatható? Font - Betűkészlet + Bet?készlet Font name: - Betűkészlet neve: + Bet?készlet neve: Font color: - Betűszín: + Bet?szín: @@ -143,12 +171,12 @@ Folytatható? Font size: - Betűméret: + Bet?méret: Alert timeout: - Értesítés időtartama: + Értesítés id?tartama: @@ -156,18 +184,18 @@ Folytatható? Importing books... %s - Könyvek importálása… %s + Könyvek importálása… %s Importing verses from %s... Importing verses from <book name>... - Versek importálása ebből a könyvből: %… + Versek importálása ebb?l a könyvb?l: %… Importing verses... done. - Versek importálása… kész. + Versek importálása… kész. @@ -175,12 +203,17 @@ Folytatható? &Upgrade older Bibles - &Régebbi bibliák frissítés + &Régebbi bibliák frissítés + + + + Upgrade the Bible databases to the latest format + Frissíti a biblia adatbázisokat a legutolsó formára Upgrade the Bible databases to the latest format. - Frissíti a biblia adatbázisokat a legutolsó formára. + Frissíti a biblia adatbázisokat a legutolsó formára. @@ -188,22 +221,22 @@ Folytatható? Download Error - Letöltési hiba + 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. Kérem, ellen?rizd a az internetkapcsolatot, és ha a hiba nem oldódik meg, fontold meg a hiba bejelentését. Parse Error - Feldolgozási hiba + 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 kiválasztott versek kicsomagolásakor. Ha a hiba nem oldódik meg, fontold meg a hiba bejelentését. + Probléma történt a kiválasztott versek kicsomagolásakor. Ha a hiba nem oldódik meg, fontold meg a hiba bejelentését. @@ -211,22 +244,27 @@ Folytatható? Bible not fully loaded. - A biblia nem töltődött be teljesen. + A biblia nem tölt?dött be teljesen. 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öljük a keresési eredményt és kezdjünk egy újabbat? Information - Információ + Információ + + + + The second Bibles 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 mgejelenni. Ezek a versek nem lesznek megtalálhatóak: %d. 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 mgejelenni. Ezek a versek nem lesznek megtalálhatóak: %d. + A második biblia nem tartalmaz minden verset, ami az els?ben megtalálható. Csak a mindkét bibliában fellelhet? versek fognak mgejelenni. Ezek a versek nem lesznek megtalálhatóak: %d. @@ -255,14 +293,14 @@ Folytatható? 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. Kérlek, ellen?rizd a könyv nevének helyesírását. @@ -287,12 +325,12 @@ Folytatható? Preview the selected Bible. - A kijelölt biblia előnézete. + A kijelölt biblia el?nézete. Send the selected Bible live. - A kijelölt biblia élő adásba küldése. + A kijelölt biblia él? adásba küldése. @@ -302,18 +340,28 @@ Folytatható? <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. + <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és + + + + Upgrade the Bible databases to the latest format. + Frissíti a biblia adatbázisokat a legutolsó formára. BiblesPlugin.BibleManager - + Scripture Reference Error Igehely hivatkozási hiba - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns: Book Chapter @@ -322,7 +370,7 @@ Book Chapter:Verse-Verse Book Chapter:Verse-Verse,Verse-Verse Book Chapter:Verse-Verse,Chapter:Verse-Verse Book Chapter:Verse-Chapter:Verse - 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: + 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: Könyv fejezet Könyv fejezet-fejezet @@ -332,29 +380,29 @@ Könyv fejezet:Vers-Vers,Fejezet:Vers-Vers Könyv fejezet:Vers-Fejezet:Vers - + Web Bible cannot be used Online biblia nem használható - + Text Search is not available with Web Bibles. - A keresés nem érhető el online biblián. + 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. +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. - + No Bibles Available - Nincsenek elérhető bibliák + Nincsenek elérhet? bibliák - + 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. @@ -401,12 +449,12 @@ Több kifejezés is megadható. Szóközzel történő elválasztás esetén min 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. +A módosítások nem érintik a már a szolgálati sorrendben lév? verseket. Display second Bible verses - Kettőzött bibliaversek megjelenítése + Kett?zött bibliaversek megjelenítése @@ -419,7 +467,7 @@ A módosítások nem érintik a már a szolgálati sorrendben lévő verseket. The following book name cannot be matched up internally. Please select the corresponding English name from the list. - A következő könyvnév nem ismerhető fel. Válassz egy helyes angol nevet a következő listából. + A következ? könyvnév nem ismerhet? fel. Válassz egy helyes angol nevet a következ? listából. @@ -429,7 +477,7 @@ A módosítások nem érintik a már a szolgálati sorrendben lévő verseket. Corresponding name: - Megfelelő név: + Megfelel? név: @@ -460,189 +508,228 @@ A módosítások nem érintik a már a szolgálati sorrendben lévő verseket.Ki kell jelölni egy könyvet. + + BiblesPlugin.CSVBible + + + Importing books... %s + Könyvek importálása… %s + + + + Importing verses from %s... + Importing verses from <book name>... + Versek importálása ebb?l a könyvb?l: %… + + + + Importing verses... done. + Versek importálása… kész. + + BiblesPlugin.HTTPBible - + Registering Bible and loading books... Biblia regisztrálása és a könyvek letöltése… - + Registering Language... Nyelv regisztrálása… - + Importing %s... Importing <book name>... Importálás: %s… + + + Download Error + Letöltési hiba + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + Probléma történt a kijelölt versek letöltésekor. Kérem, ellen?rizd a az internetkapcsolatot, és ha a hiba nem oldódik meg, fontold meg a hiba bejelentését. + + + + Parse Error + Feldolgozási hiba + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + Probléma történt a kiválasztott versek kicsomagolásakor. Ha a hiba nem oldódik meg, fontold meg a hiba bejelentését. + 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. Kattints az alábbi Következ? gombra a folyamat els? lépésének indításhoz, a formátum kiválasztásához. - + Web Download Web letöltés - + Location: Hely: - + Crosswalk - + 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észletek - + Set up the Bible's license details. Állítsd be a biblia licenc részleteit. - + Version name: Verzió neve: - + Copyright: - Szerzői jog: + Szerz?i jog: - + Please wait while your Bible is imported. Kérlek, várj, míg a biblia importálás alatt áll. - + You need to specify a file with books of the Bible to use in the import. - Meg kell adni egy fájlt a bibliai könyvekről az importáláshoz. + 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. + 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. - + Bible Exists Biblia létezik - + Your Bible import failed. A biblia importálása nem sikerült. - + 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 ilyennek. - + 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. Kérlek, importálj egy másik bibliát vagy el?bb töröld a meglév?t. - + Permissions: Engedélyek: - + CSV File CSV fájl - + Bibleserver - + Bible file: Biblia fájl: - + Books file: Könyv fájl: - + Verses file: Versek fájl: - + openlp.org 1.x Bible Files openlp.org 1.x biblia fájlok - + 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 ekkor internet kapcsolat szükségeltetik. @@ -669,7 +756,7 @@ demand and thus an internet connection is required. BiblesPlugin.LanguageForm - + You need to choose a language. Meg kell adnod a nyelvet. @@ -677,59 +764,79 @@ demand and thus an internet connection is required. BiblesPlugin.MediaItem - + Quick Gyors - + Find: Keresés: - + Book: Könyv: - + Chapter: Fejezet: - + Verse: Vers: - + From: - Innentől: + 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. + Á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? + + + + 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 mgejelenni. Ezek a versek nem lesznek megtalálhatóak: %d. @@ -758,148 +865,181 @@ demand and thus an internet connection is required. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory Válassz egy mappát a biztonsági mentésnek - + Bible Upgrade Wizard - Bibliafrissítő tündér + 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. + 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 Válassz egy mappát a Biliá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 bitonsá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. + Az OpenLP 2.0 el?z? verziói nem képesek a frissített bibliákat alkalmazni. Ez a tündér segít bitonsá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. Válassz egy helyet a Biliáid biztonsági mentésének. - + Backup Directory: Biztonsági mentés helye: - + There is no need to backup my Bibles Nincs szükségem 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 + Jelöld ki a frissítend? bibliákat + + + + Version name: + Verzió neve: - Version name: - Verzió neve: - - - This Bible still exists. Please change the name or uncheck it. - A Bibia már létezik. Változtasd meg a nevét vagy ne jelöld be. + A Bibia már létezik. Változtasd meg a nevét vagy ne jelöld be. - + Upgrading Frissítés - + Please wait while your Bibles are upgraded. Kérlek, várj, míg a biblia frissítés alatt áll. You need to specify a Backup Directory for your Bibles. - Meg kell adni a bibliáid biztonsági mentésének helyét. + Meg kell adni a bibliáid biztonsági mentésének helyét. - + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. If you have write permissions and this error still occurs, please report a bug. + A bizontonsági mentés nem teljes. +A bibliák biztonsági mentéséhez írási jogosultság szükséges a megadott mappára. Ha az írási jogosultság fennáll, és mégis el?fordul ez a hiba, jelentsd be a hibát. + + + You need to specify a version name for your Bible. - Meg kell adni a biblia verziószámát. + Meg kell adni a biblia verziószámát. - + Bible Exists - Biblia létezik + Biblia létezik - + This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck. - A bibia már létezik. Kérlek, frissíts egy másik bibliát, töröld a már meglévőt vagy ne jelöld be. + A bibia már létezik. Kérlek, frissíts egy másik bibliát, töröld a már meglév?t vagy ne jelöld be. + + + + Starting upgrading Bible(s)... + Bibliák frissítésének kezdése… There are no Bibles available to upgrade. - Nincs frissíthető biblia. + Nincs frissíthet? biblia. - + 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. If you have a working Internet connection and this error still occurs, please report a bug. + A webes bibliák frissítéséshez internet kapcsolat szükséges. Ha van m?köd? internet kapcsolat, és mégis el?fordul ez a hiba, jelentsd be a hibát. + + + 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" +Done + Biblia frissítése: %s/%s: „%s” +Kész + + + , %s failed , %s sikertelen - + + Upgrading Bible(s): %s successful%s +Please note, that verses from Web Bibles will be downloaded +on demand and so an Internet connection is required. + Bibliák frissítése: %s teljesítve %s. +Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve +és ekkor is internet kapcsolat szükségeltetik. + + + Upgrading Bible(s): %s successful%s Biblia frissítése: %s teljesítve %s - + Upgrade failed. A frissítés nem sikerült. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. A bizontonsági mentés nem teljes. @@ -908,34 +1048,54 @@ A bibliák biztonsági mentéséhez írási jogosultság szükséges a megadott Starting Bible upgrade... - Bibliák frissítésének kezdése… + Bibliák frissítésének kezdése… - + To upgrade your Web Bibles an Internet connection is required. A webes bibliák frissítéséshez internet kapcsolat szükséges. - + Upgrading Bible %s of %s: "%s" Complete Biblia frissítése: %s/%s: „%s” Teljes - + Upgrading Bible(s): %s successful%s Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. Bibliák frissítése: %s teljesítve %s. Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor is internet kapcsolat szükségeltetik. + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + CustomPlugin + + + <strong>Custom Plugin</strong><br />The custom plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + <strong>Speciális b?vítmény</strong><br />A speciális b?vítmény dalokhoz hasonló egyéni diasor vetítését teszi lehet?vé. Ugyanakkor több szabadságot enged meg, mint a dalok b?vítmény. + <strong>Custom Slide Plugin</strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. - <strong>Speciális dia bővítmény</strong><br />A speciális dia bővítmény dalokhoz hasonló egyéni diasor vetítését teszi lehetővé. Ugyanakkor több szabadságot enged meg, mint a dalok bővítmény. + <strong>Speciális dia b?vítmény</strong><br />A speciális dia b?vítmény dalokhoz hasonló egyéni diasor vetítését teszi lehet?vé. Ugyanakkor több szabadságot enged meg, mint a dalok b?vítmény. @@ -983,12 +1143,12 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor Preview the selected custom slide. - A kijelölt speciális dia előnézete. + A kijelölt speciális dia el?nézete. Send the selected custom slide live. - A kijelölt speciális dia élő adásba küldése. + A kijelölt speciális dia él? adásba küldése. @@ -1036,6 +1196,11 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor Edit all the slides at once. Minden kijelölt dia szerkesztése egyszerre. + + + Split Slide + Szétválasztás + Split a slide into two by inserting a slide splitter. @@ -1049,15 +1214,15 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor &Credits: - &Közreműködők: + &Közrem?köd?k: - + You need to type in a title. Meg kell adnod a címet. - + You need to add at least one slide Meg kell adnod legalább egy diát @@ -1066,18 +1231,94 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor Ed&it All &Összes szerkesztése + + + 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. + Insert Slide Dia beszúrása + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slides(s)? + + + + + + + CustomsPlugin + + + Custom + name singular + Speciális + + + + Customs + name plural + Speciális diák + + + + Custom + container title + Speciális + + + + Load a new Custom. + Új speciális betöltése. + + + + Import a Custom. + Speciális importálása. + + + + Add a new Custom. + Új speciális hozzáadása. + + + + Edit the selected Custom. + A kijelölt speciális szerkesztése. + + + + Delete the selected Custom. + A kijelölt speciális törlése. + + + + Preview the selected Custom. + A kijelölt speciális el?nézete. + + + + Send the selected Custom live. + A kijelölt speciális él? adásba küldése. + + + + Add the selected Custom to the service. + A kijelölt speciális hozzáadása a szolgálati sorrendhez. + + GeneralTab General - Általános + Általános @@ -1085,7 +1326,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, amellyel 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 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, amellyel 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. @@ -1105,6 +1346,41 @@ 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. + Új kép hozzáadása. + + + + Edit the selected Image. + A kijelölt kép szerkesztése. + + + + Delete the selected Image. + A kijelölt kép törlése. + + + + Preview the selected Image. + A kijelölt kép el?nézete. + + + + Send the selected Image live. + A kijelölt kép él? adásba küldése. + + + + Add the selected Image to the service. + A kijelölt kép hozzáadása a szolgálati sorrendhez. + Load a new image. @@ -1128,12 +1404,12 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor Preview the selected image. - A kijelölt kép előnézete. + A kijelölt kép el?nézete. Send the selected image live. - A kijelölt kép élő adásba küldése. + A kijelölt kép él? adásba küldése. @@ -1152,49 +1428,54 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor ImagePlugin.MediaItem - + Select Image(s) Kép(ek) kijelölése - + You must select an image to delete. Ki kell választani egy képet a törléshez. - + You must select an image to replace the background with. Ki kell választani egy képet a háttér cseréjéhez. - + Missing Image(s) - + The following image(s) no longer exist: %s - A következő kép(ek) nem létezik: %s + A következ? kép(ek) nem létezik: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? - A következő kép(ek) nem létezik: %s + A következ? kép(ek) nem létezik: %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(z) „%s” kép nem létezik. + + + There was no display item to amend. + + 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é. + <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é. @@ -1214,6 +1495,41 @@ Szeretnél más képeket megadni? container title Média + + + Load a new Media. + Új médiafájl betöltése. + + + + Add a 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. + Load new media. @@ -1237,12 +1553,12 @@ Szeretnél más képeket megadni? Preview the selected media. - A kijelölt médiafájl előnézete. + 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. + A kijelölt médiafájl él? adásba küldése. @@ -1253,40 +1569,45 @@ 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. - + Videos (%s);;Audio (%s);;%s (*) Videók (%s);;Hang (%s);;%s (*) - + 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(z) „%s” média fájl nem létezik. - + Missing Media File Hiányzó média fájl - + The file %s no longer exists. A(z) „%s” fájl nem létezik. + + + There was no display item to amend. + + MediaPlugin.MediaTab @@ -1298,13 +1619,13 @@ Szeretnél más képeket megadni? Use Phonon for video playback - A Phonon médiakezelő keretrendszer alkalmazása videók lejátszására + A Phonon médiakezel? keretrendszer alkalmazása videók lejátszására OpenLP - + Image Files Kép fájlok @@ -1319,7 +1640,7 @@ Szeretnél más képeket megadni? 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. +ezért frissíteni kell a már meglév? bibliákat. Frissítheti most az OpenLP? @@ -1328,7 +1649,7 @@ Frissítheti most az OpenLP? Credits - Közreműködők + Közrem?köd?k @@ -1411,16 +1732,16 @@ Final Credit Projektvezetés %s -Fejlesztők +Fejleszt?k %s Hozzájárulók %s -Tesztelők +Tesztel?k %s -Csomagkészítők +Csomagkészít?k %s Fordítók @@ -1438,7 +1759,7 @@ Fordítók %s Magyar (hu) %s - Japűn (ja) + Jap?n (ja) %s Norvég bokmål (nb) %s @@ -1458,22 +1779,22 @@ Fordítás PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro Oxygen ikonok: http://oxygen-icons.org/ -Végső köszönet +Végs? köszönet „Úgy szerette Isten a világot, hogy egyszülött Fiát adta oda, hogy egyetlen - benne hívő se vesszen el, hanem + benne hív? se vesszen el, hanem örök élete legyen.” (Jn 3,16) - És végül, de nem utolsósorban, a végső köszönet + És végül, de nem utolsósorban, a végs? köszönet Istené, Atyánké, mert elküldte a Fiát, hogy meghaljon - a kereszten, megszabadítva bennünket a bűntől. Ezért + a kereszten, megszabadítva bennünket a b?nt?l. Ezért ezt a programot szabadnak és ingyenesnek készítettük, - mert Ő tett minket szabaddá. + mert ? tett minket szabaddá. This program is 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. + 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. @@ -1489,11 +1810,11 @@ 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 contributing by using the button below. - OpenLP <version><revision> – Nyílt forrású dalszöveg vetítő + 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, 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öveg vetít? szabad szoftver, mely használható énekek, bibliai versek, videók, képek és bemutatók (ha az Impress, 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/ +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, fontold meg a projektben való részvételt az alábbi gombbal. @@ -1501,8 +1822,8 @@ Az OpenLP-t önkéntesek készítették és tartják karban. Ha szeretnél több Copyright © 2004-2011 %s Portions copyright © 2004-2011 %s - Szerzői jog © 2004-2011 %s -Részleges szerzői jog © 2004-2011 %s + Szerz?i jog © 2004-2011 %s +Részleges szerz?i jog © 2004-2011 %s @@ -1515,27 +1836,27 @@ Részleges szerzői jog © 2004-2011 %s Number of recent files to display: - Előzmények megjelenítésének hossza: + 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 + Ú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 + Dupla kattintással az elemek azonnali él? adásba küldése Expand new service items on creation - A sorrendbe kerülő elemek kibontása létrehozáskor + A sorrendbe kerül? elemek kibontása létrehozáskor Enable application exit confirmation - Kilépési megerősítés engedélyezése + Kilépési meger?sítés engedélyezése @@ -1545,7 +1866,7 @@ Részleges szerzői jog © 2004-2011 %s Hide mouse cursor when over display window - Egérmutató elrejtése a vetítési képernyő felett + Egérmutató elrejtése a vetítési képerny? felett @@ -1570,7 +1891,7 @@ Részleges szerzői jog © 2004-2011 %s Preview items when clicked in Media Manager - Elem előnézete a médiakezelőben való kattintáskor + Elem el?nézete a médiakezel?ben való kattintáskor @@ -1585,7 +1906,7 @@ Részleges szerzői jog © 2004-2011 %s Browse for an image file to display. - Tallózd be a megjelenítendő képfájlt. + Tallózd be a megjelenítend? képfájlt. @@ -1596,82 +1917,87 @@ Részleges szerzői jog © 2004-2011 %s OpenLP.DisplayTagDialog - + Edit Selection - Kijelölés szerkesztése + Kijelölés szerkesztése - + Description - Leírás + Leírás + + + + Tag + Címke + + + + Start tag + Nyitó címke - Tag - Címke - - - - Start tag - Nyitó címke - - - End tag - Záró címke + Záró címke - + Tag Id - ID + ID - + Start HTML - Nyitó HTML + Nyitó HTML - + End HTML - Befejező HTML + Befejez? HTML - + Save - Mentés + Mentés OpenLP.DisplayTagTab - + Update Error - Frissítési hiba + Frissítési hiba Tag "n" already defined. - Az „n” címke már létezik. + Az „n” címke már létezik. - + Tag %s already defined. - A címke már létezik: %s. + A címke már létezik: %s. New Tag - Új címke + Új címke + + + + <Html_here> + <Html_itt> </and here> - </és itt> + </és itt> <HTML here> - <HTML itt> + <HTML itt> @@ -1679,82 +2005,82 @@ Részleges szerzői jog © 2004-2011 %s Red - Vörös + Vörös Black - Fekete + Fekete Blue - Kék + Kék Yellow - Sárga + Sárga Green - Zöld + Zöld Pink - Rózsaszín + Rózsaszín Orange - Narancs + Narancs Purple - Lila + Lila White - Fehér + Fehér Superscript - Felső index + Fels? index Subscript - Alsó index + Alsó index Paragraph - Bekezdés + Bekezdés Bold - Félkövér + Félkövér Italics - Dőlt + D?lt Underline - Aláhúzott + Aláhúzott Break - Sortörés + Sortörés @@ -1762,7 +2088,7 @@ Részleges szerzői jog © 2004-2011 %s Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. - 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. + 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. @@ -1896,34 +2222,34 @@ Version: %s Letöltés %s… - + Download complete. Click the finish button to start OpenLP. Letöltés kész. Kattints a Befejezés gombra az OpenLP indításához. - + Enabling selected plugins... - Kijelölt bővítmények engedélyezése… + Kijelölt b?vítmények engedélyezése… First Time Wizard - Első indítás tündér + Els? indítás tündér Welcome to the First Time Wizard - Üdvözlet az első indítás tündérben + Üdvözlet az els? indítás tündérben Activate required Plugins - Igényelt bővítmények aktiválása + 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. + Jelöld ki az alkalmazni kívánt b?vítményeket. @@ -1933,7 +2259,7 @@ Version: %s Custom Text - Speciális + Speciális @@ -1987,11 +2313,11 @@ Version: %s To re-run the First Time Wizard and import this sample data at a later stage, press the cancel button now, check your Internet connection, and restart OpenLP. To cancel the First Time Wizard completely, press the finish button now. - Nem sikerült internetkapcsolatot találni. Az Első indulás tündérnek internetkapcsolatra van szüksége ahhoz, hogy a példa dalokat, bibliákat és témákat le tudja tölteni. + Nem sikerült internetkapcsolatot találni. Az Els? indulás tündérnek internetkapcsolatra van szüksége ahhoz, hogy a példa dalokat, bibliákat és témákat le tudja tölteni. -Az Első indulás tündér újbóli indításához most a Mégse gobra kattints először, ellenőrizd az internetkapcsolatot és indítsd újra az OpenLP-t. +Az Els? indulás tündér újbóli indításához most a Mégse gobra kattints el?ször, ellen?rizd az internetkapcsolatot és indítsd újra az OpenLP-t. -Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés gombot. +Az Els? indulás tündér további megkerüléséhez, nyomd meg a Befejezés gombot. @@ -2033,10 +2359,20 @@ Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés go Set up default settings to be used by OpenLP. Az OpenLP alapértelmezett beállításai. + + + Setting Up And Importing + Beállítás és importálás + + + + Please wait while OpenLP is set up and your data is imported. + Várj, amíg az OpenLP beállítások érvényre jutnak és míg az adatok importálódnak. + Default output display: - Alapértelmezett kimeneti képernyő: + Alapértelmezett kimeneti képerny?: @@ -2051,28 +2387,212 @@ Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés go This wizard will help you to configure OpenLP for initial use. Click the next button below to start. - A tündér segít elkezdeni az OpenLP használatát. Kattints az alábbi Következő gombra az indításhoz. + A tündér segít elkezdeni az OpenLP használatát. Kattints az alábbi Következ? gombra az indításhoz. - + 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. + Várj, amíg az OpenLP beállítások érvényre jutnak és míg az adatok letölt?dnek. - + Setting Up Beállítás - + Click the finish button to start OpenLP. Kattints a Befejezés gombra az OpenLP indításához. + + + Custom Slides + + + + + Download complete. Click the finish button to return to OpenLP. + + + + + Click the finish button to return to OpenLP. + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Edit Selection + Kijelölés szerkesztése + + + + Save + Mentés + + + + Description + Leírás + + + + Tag + Címke + + + + Start tag + Nyitó címke + + + + End tag + Záró címke + + + + Tag Id + ID + + + + Start HTML + Nyitó HTML + + + + End HTML + Befejez? HTML + + + + OpenLP.FormattingTagForm + + + Update Error + Frissítési hiba + + + + Tag "n" already defined. + Az „n” címke már létezik. + + + + New Tag + Új címke + + + + <HTML here> + <HTML itt> + + + + </and here> + </és itt> + + + + Tag %s already defined. + A címke már létezik: %s. + + + + OpenLP.FormattingTags + + + Red + Vörös + + + + Black + Fekete + + + + Blue + Kék + + + + Yellow + Sárga + + + + Green + Zöld + + + + Pink + Rózsaszín + + + + Orange + Narancs + + + + Purple + Lila + + + + White + Fehér + + + + Superscript + Fels? index + + + + Subscript + Alsó index + + + + Paragraph + Bekezdés + + + + Bold + Félkövér + + + + Italics + D?lt + + + + Underline + Aláhúzott + + + + Break + Sortörés + OpenLP.GeneralTab @@ -2089,12 +2609,12 @@ Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés go Select monitor for output display: - Jelöld ki a vetítési képernyőt: + Jelöld ki a vetítési képerny?t: Display if a single screen - Megjelenítés egy képernyő esetén + Megjelenítés egy képerny? esetén @@ -2104,7 +2624,7 @@ Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés go Show blank screen warning - Figyelmeztetés megjelenítése az elsötétített képernyőről + Figyelmeztetés megjelenítése az elsötétített képerny?r?l @@ -2114,7 +2634,7 @@ Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés go Show the splash screen - Indító képernyő megjelenítése + Indító képerny? megjelenítése @@ -2124,12 +2644,12 @@ Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés go Prompt to save before starting a new service - Rákérdezés mentésre új sorrend létrehozása előtt + 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 + Következ? elem automatikus el?nézete a sorrendben @@ -2189,7 +2709,7 @@ Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés go 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 + Képerny? elsötétítésének visszavonása új elem él? adásba küldésekor @@ -2199,7 +2719,7 @@ Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés go Timed slide interval: - Időzített dia intervalluma: + Id?zített dia intervalluma: @@ -2218,7 +2738,7 @@ Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés go OpenLP.MainDisplay - + OpenLP Display OpenLP megjelenítés @@ -2226,318 +2746,318 @@ Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés go 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ó - + Media Manager - Médiakezelő + Médiakezel? - + Service Manager - Sorrendkezelő + Sorrendkezel? - + Theme Manager - Témakezelő + Témakezel? - + &New &Új - + &Open Meg&nyitás - + Open an existing service. - Meglévő sorrend megnyitása. + Meglév? sorrend megnyitása. - + &Save &Mentés - + Save the current service to disk. Aktuális sorrend mentése lemezre. - + Save &As... Mentés má&sként… - + 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ő + &Médiakezel? - + Toggle Media Manager - Médiakezelő átváltása + Médiakezel? átváltása - + Toggle the visibility of the media manager. - A médiakezelő láthatóságának átváltása. + A médiakezel? láthatóságának átváltása. - + &Theme Manager - &Témakezelő + &Témakezel? - + Toggle Theme Manager - Témakezelő átváltása + Témakezel? átváltása - + Toggle the visibility of the theme manager. - A témakezelő láthatóságának átváltása. + A témakezel? láthatóságának átváltása. - + &Service Manager - &Sorrendkezelő + &Sorrendkezel? - + Toggle Service Manager - Sorrendkezelő átváltása + Sorrendkezel? átváltása - + Toggle the visibility of the service manager. - A sorrendkezelő láthatóságának átváltása. + A sorrendkezel? láthatóságának átváltása. - + &Preview Panel - &Előnézet panel + &El?nézet panel - + Toggle Preview Panel - Előnézet panel átváltása + 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. + Az el?nézet panel láthatóságának átváltása. - + &Live Panel - &Élő adás panel + &Él? adás panel - + Toggle Live Panel - Élő adás panel átváltása + É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. + Az él? adás panel láthatóságának átváltása. - + &Plugin List - &Bővítménylista + &B?vítménylista - + List the Plugins - Bővítmények listája + 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ó az OpenLP-ről + További információ az OpenLP-r?l - + &Online Help &Online súgó - + &Web Site &Weboldal - + Use the system language, if available. - Rendszernyelv használata, ha elérhető. + 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 + &Él? adás - + Set the view mode to Live. - Nézetmód váltása a Élő módra. + Nézetmód váltása a É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). + 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. +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ő + 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 + A f? képerny? el lett sötétítve - + Default Theme: %s Alapértelmezett téma: %s - + Configure &Shortcuts... - &Gyorsbillentyűk beállítása… + &Gyorsbillenty?k beállítása… @@ -2546,50 +3066,108 @@ A legfrissebb verzió a http://openlp.org/ oldalról szerezhető be.Magyar - - &Configure Display Tags - Megjelenítési &címkék beállítása + + Print the current Service Order. + Az aktuális sorrend nyomtatása. - + + &Configure Display Tags + Megjelenítési &címkék beállítása + + + &Autodetect &Automatikus felismerés - + 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. - + Close OpenLP OpenLP bezárása - + Are you sure you want to close OpenLP? Biztosan bezárható az OpenLP? - + 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. + Ö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 + + + + + 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. + + + + + &Recent Files + + + + + &Configure Formatting Tags... + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + OpenLP.MediaManagerItem @@ -2599,69 +3177,97 @@ A legfrissebb verzió a http://openlp.org/ oldalról szerezhető be.Nincs kijelölt elem - + &Add to selected Service Item &Hozzáadás a kijelölt sorrend elemhez - + You must select one or more items to preview. - Ki kell jelölni egy elemet az előnézethez. + 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. + 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 sorrend elemet, amihez hozzá szeretné adni. - + Invalid Service Item Érvénytelen sorrend elem - + You must select a %s service item. Ki kell jelölni egy %s sorrend elemet. - + + Duplicate file name %s. +Filename already exists in list + Duplikátum fájlnév: %s. +A fájlnév már benn van a listában + + + 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 - + Duplicate filename %s. This filename is already in the list - Duplikátum fájlnév: %s. + Duplikátum fájlnév: %s. A fájlnév már benn van a listában + + + &Clone + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + Duplicate files found on import and ignored. + + OpenLP.PluginForm Plugin List - Bővítménylista + B?vítménylista Plugin Details - Bővítmény részletei + B?vítmény részletei @@ -2697,12 +3303,12 @@ A fájlnév már benn van a listában OpenLP.PrintServiceDialog - + Fit Page Oldal kitöltése - + Fit Width Szélesség kitöltése @@ -2710,88 +3316,121 @@ A fájlnév már benn van a listában OpenLP.PrintServiceForm - + Options Beállítások Close - Bezárás + Bezárás - + 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ő + Dia szövegének beillesztése, ha elérhet? - + Include service item notes Sorrend elem megjegyzéseinek beillesztése - + Include play length of media items Sorrend elem lejátszási hosszának beillesztése - + + Service Order Sheet + Szolgálati sorrend adatlap + + + Add page break before each text item Oldaltörés hozzádása minden szöveges elem elé - + Service Sheet Szolgálati adatlap + + + Print + + + + + Title: + + + + + Custom Footer Text: + + OpenLP.ScreenList Screen - Képernyő + Képerny? primary - elsődleges + els?dleges + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + OpenLP.ServiceItemEditForm - + Reorder Service Item Sorrend elemek újrarendezése @@ -2799,257 +3438,277 @@ A fájlnév már benn van a listában OpenLP.ServiceManager - + Move to &top Mozgatás &felülre - + Move item to the top of the service. Elem mozgatása a sorrend elejére. - + Move &up Mozgatás f&eljebb - + Move item up one position in the service. Elem mozgatása a sorrendben eggyel feljebb. - + Move &down Mozgatás &lejjebb - + Move item down one position in the service. Elem mozgatása a sorrendben eggyel lejjebb. - + Move to &bottom Mozgatás &alulra - + Move item to the end of the service. Elem mozgatása a sorrend végére. - + &Delete From Service - &Törlés a sorrendből + &Törlés a sorrendb?l - + Delete the selected item from the service. - Kijelölt elem törlése a sorrendből. + 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 - + OpenLP Service Files (*.osz) OpenLP sorrend fá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. - + File is not a valid service. A fájl nem érvényes sorrend. - + Missing Display Handler - Hiányzó képernyő kezelő + 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é + 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 + Az elemet nem lehet megjeleníteni, mert a b?vítmény, amely kezelné, hiányzik vagy inaktív - + &Expand all Mind &kibontása - + Expand all the service items. Minden sorrend elem kibontása. - + &Collapse all Mind össze&csukása - + Collapse all the service items. Minden sorrend elem összecsukása. - + Moves the selection down the window. A kiválasztás lejjebb mozgatja az ablakot. - + Move up Mozgatás feljebb - + Moves the selection up the window. A kiválasztás feljebb mozgatja az ablakot. - + Go Live - Élő adásba + Él? adásba - + Send the selected item to Live. - A kiválasztott elem élő adásba küldése. + A kiválasztott elem él? adásba küldése. - + &Start Time - &Kezdő időpont + &Kezd? id?pont - + Show &Preview - &Előnézet megjelenítése + &El?nézet megjelenítése - + Show &Live - Élő &adás megjelenítése + Él? &adás megjelenítése - + Open File Fájl megnyitása - + 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? - + 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 sorrend fájl nem tartalmaz semmilyen adatot. - + Corrupt File Sérült fájl - + Custom Service Notes: Egyedi szolgálati elem jegyzetek: - + Notes: Jegyzetek: - + Playing time: - Lejátszási idő: + Lejátszási id?: - + Untitled Service Névnélküli szolgálat - - Load an existing service. - Egy meglévő szolgálati sorrend betöltése. + + This file is either corrupt or not an OpenLP 2.0 service file. + A fájl vagy sérült vagy nem egy OpenLP 2.0 szolgálati sorrend fájl. - + + Load an existing service. + Egy meglév? szolgálati sorrend betöltése. + + + Save this service. Sorrend mentése. - + Select a theme for the service. Jelöljön ki egy témát a sorrendhez. - + This file is either corrupt or it is not an OpenLP 2.0 service file. A fájl vagy sérült vagy nem egy OpenLP 2.0 szolgálati sorrend fájl. + + + Slide theme + + + + + Notes + + + + + Service File Missing + + OpenLP.ServiceNoteForm - + Service Item Notes Sorrend elem jegyzetek @@ -3067,7 +3726,7 @@ A tartalom kódolása nem UTF-8. Customize Shortcuts - Egyedi gyorsbillentyűk + Egyedi gyorsbillenty?k @@ -3077,17 +3736,17 @@ A tartalom kódolása nem UTF-8. Shortcut - Gyorsbillentyű + Gyorsbillenty? - + Duplicate Shortcut - Azonos gyorsbillentyű + Azonos gyorsbillenty? - + The shortcut "%s" is already assigned to another action, please use a different shortcut. - A „%s” gyorsbillentyű már foglalt. + A „%s” gyorsbillenty? már foglalt. @@ -3097,7 +3756,7 @@ A tartalom kódolása nem UTF-8. Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. - Válassz egy parancsot és kattints egyenként az egyik alul található gombra az elsődleges vagy alternatív gyorbillenytű elfogásához. + Válassz egy parancsot és kattints egyenként az egyik alul található gombra az els?dleges vagy alternatív gyorbillenyt? elfogásához. @@ -3112,28 +3771,33 @@ A tartalom kódolása nem UTF-8. Capture shortcut. - Gyorbillentyű elfogása. + Gyorbillenty? elfogása. Restore the default shortcut of this action. - Az eredeti gyorsbillentyű visszaállítása. + Az eredeti gyorsbillenty? visszaállítása. - + Restore Default Shortcuts - Alapértelmezett gyorsbillentyűk visszaállítása + Alapértelmezett gyorsbillenty?k visszaállítása - + Do you want to restore all shortcuts to their defaults? - Valóban minden gyorsbillenytű visszaállítandó az alapértelmezettjére? + Valóban minden gyorsbillenyt? visszaállítandó az alapértelmezettjére? + + + + Configure Shortcuts + OpenLP.SlideController - + Hide Elrejtés @@ -3143,69 +3807,69 @@ A tartalom kódolása nem UTF-8. Ugrás - + Blank Screen - Képernyő elsötétítése + 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 Slide - Előző dia + El?z? dia - + Next Slide - Következő dia + Következ? dia Previous Service - Előző sorrend + El?z? sorrend Next Service - Következő sorrend + Következ? sorrend Escape Item - Kilépés az elemből + Kilépés az elemb?l - + Move to previous. - Mozgatás az előzőre. + Mozgatás az el?z?re. - + Move to next. - Mozgatás a következőre. + Mozgatás a következ?re. - + Play Slides Diák vetítése Play Slides in Loop - Diák ismétlődő vetítése + Diák ismétl?d? vetítése Play Slides to End - Diak vetítése végig + Diak vetítése végig @@ -3215,7 +3879,7 @@ A tartalom kódolása nem UTF-8. Move to live. - Élő adásba küldés. + Él? adásba küldés. @@ -3225,7 +3889,7 @@ A tartalom kódolása nem UTF-8. Edit and reload song preview. - Szerkesztés és az dal előnézetének újraolvasása. + Szerkesztés és az dal el?nézetének újraolvasása. @@ -3236,17 +3900,17 @@ A tartalom kódolása nem UTF-8. OpenLP.SpellTextEdit - + Spelling Suggestions Helyesírási javaslatok - + Formatting Tags Formázó címkék - + Language: Nyelv: @@ -3271,7 +3935,7 @@ A tartalom kódolása nem UTF-8. Item Start and Finish Time - Elem kezdő és befejező idő + Elem kezd? és befejez? id? @@ -3291,17 +3955,27 @@ A tartalom kódolása nem UTF-8. Time Validation Error - Idő érvényességi hiba + Id? érvényességi hiba + + + + End time is set after the end of the media item + A médiaelem befejez? id?pontja kés?bb van, mint a befejezése + + + + Start time is after the End Time of the media item + A médiaelem kezd? id?pontja kés?bb van, mint a befejezése Finish time is set after the end of the media item - A médiaelem befejező időpontja későbbre van állítva van, mint a hossza + A médiaelem befejez? id?pontja kés?bbre van állítva van, mint a hossza Start time is after the finish time of the media item - A médiaelem kezdő időpontja későbbre van állítva, mint a befejezése + A médiaelem kezd? id?pontja kés?bbre van állítva, mint a befejezése @@ -3340,192 +4014,198 @@ A tartalom kódolása nem UTF-8. 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 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 + Törlés meger?sítése - + 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 - + Your theme could not be exported due to an error. A témát nem sikerült exportálni egy hiba miatt. - + Select Theme Import File Importálandó téma fájl kijelölése - + File is not a valid theme. The content encoding is not UTF-8. Nem érvényes témafájl. A tartalom kódolása nem UTF-8. - + File is not a valid theme. Nem érvényes témafájl. - + Theme %s is used in the %s plugin. - A(z) %s témát a(z) %s bővítmény használja. + A(z) %s témát a(z) %s b?vítmény használja. - + &Copy Theme Téma &másolása - + &Rename Theme Téma át&nevezése - + &Export Theme Téma e&xportálása - + Delete %s theme? - Törölhető ez a téma: %s? + Törölhet? ez a téma: %s? - + 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 + Átnevezési meger?sítés - + Rename %s theme? - A téma átnevezhető: %s? + A téma átnevezhet?: %s? - + OpenLP Themes (*.theme *.otz) OpenLP témák (*.theme *.otz) - + 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> + + OpenLP.ThemeWizard @@ -3582,7 +4262,7 @@ A tartalom kódolása nem UTF-8. Vertical - Függőleges + Függ?leges @@ -3592,27 +4272,27 @@ A tartalom kódolása nem UTF-8. Top Left - Bottom Right - Bal felső sarokból jobb alsó sarokba + Bal fels? sarokból jobb alsó sarokba Bottom Left - Top Right - Bal alsó sarokból jobb felső sarokba + Bal alsó sarokból jobb fels? sarokba Main Area Font Details - Fő tartalom betűkészlet jellemzői + F? tartalom bet?készlet jellemz?i Define the font and display characteristics for the Display text - A fő szöveg betűkészlete és megjelenési tulajdonságai + A f? szöveg bet?készlete és megjelenési tulajdonságai Font: - Betűkészlet: + Bet?készlet: @@ -3642,22 +4322,22 @@ A tartalom kódolása nem UTF-8. Italic - Dőlt + D?lt Footer Area Font Details - Lábléc betűkészlet jellemzői + Lábléc bet?készlet 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 + A lábléc szöveg bet?készlete és megjelenési tulajdonságai Text Formatting Details - Szövegformázás jellemzői + Szövegformázás jellemz?i @@ -3692,12 +4372,12 @@ A tartalom kódolása nem UTF-8. Allows you to change and move the main and footer areas. - A fő szöveg és a lábléc helyzetének mozgatása. + A f? szöveg és a lábléc helyzetének mozgatása. &Main Area - &Fő szöveg + &F? szöveg @@ -3737,12 +4417,12 @@ A tartalom kódolása nem UTF-8. Save and Preview - Mentés és előnézet + Mentés és el?nézet View the theme and save it replacing the current one or change the name to create a new theme - A téma előnézete és mentése: egy már meglévő téma felülírható vagy egy új név megadásával új téma hozható létre + A téma el?nézete és mentése: egy már meglév? téma felülírható vagy egy új név megadásával új téma hozható létre @@ -3757,7 +4437,7 @@ A tartalom kódolása nem UTF-8. 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. 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. @@ -3769,6 +4449,16 @@ A tartalom kódolása nem UTF-8. &Footer Area &Lábléc + + + Starting color: + + + + + Ending color: + + OpenLP.ThemesTab @@ -3812,6 +4502,11 @@ A tartalom kódolása nem UTF-8. Use the global theme, overriding any themes associated with either the service or the songs. A globális téma alkalmazása, vagyis a szolgálati sorrendhez, ill. a dalokhoz beállított témák felülírása. + + + Themes + Témák + OpenLP.Ui @@ -3861,60 +4556,65 @@ A tartalom kódolása nem UTF-8. Új szolgálati sorrend létrehozása. - + &Delete &Törlés - + &Edit &Szerkesztés - + Empty Field - Üres mező + Üres mez? - + Error Hiba - + Export Exportálás - + pt Abbreviated font pointsize unit - + Image Kép - + Import Importálás Length %s - Hossz %s + Hossz %s Live - Élő adás + Él? adás Live Background Error - Élő háttér hiba + Él? háttér hiba + + + + Live Panel + Él? panel @@ -3976,107 +4676,132 @@ A tartalom kódolása nem UTF-8. - - Preview - Előnézet + + Open Service + Sorrend megnyitása + Preview + El?nézet + + + + Preview Panel + El?nézet panel + + + + Print Service Order + Szolgálati sorrend nyomtatása + + + 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 + Mentés és el?nézet - + Search Keresés - - - 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. + 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. + + + Save Service Sorrend mentése - + Service Sorrend - + Start %s Kezdés %s - + Theme Singular Téma - + Themes Plural Témák - + Top Felülre - + Version Verzió - + Delete the selected item. Kiválasztott elem törlése. - + Move selection up one position. Kiválasztás eggyel feljebb helyezése. - + Move selection down one position. Kiválasztás eggyel lejjebb helyezése. - + &Vertical Align: - &Függőleges igazítás: + &Függ?leges igazítás: Finished import. - Az importálás befejeződött. + Az importálás befejez?dött. @@ -4111,7 +4836,7 @@ A tartalom kódolása nem UTF-8. Open %s File - % fájl megnyitása + %s fájl megnyitása @@ -4135,12 +4860,12 @@ A tartalom kódolása nem UTF-8. Ki kell választani 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 @@ -4153,13 +4878,13 @@ A tartalom kódolása nem UTF-8. Author Singular - Szerző + Szerz? Authors Plural - Szerzők + Szerz?k @@ -4197,45 +4922,45 @@ A tartalom kódolása nem UTF-8. Témakörök - + Continuous Folytonos - + Default Alapértelmezett - + Display style: Megjelenítési stílus: - + File Fájl - + Help Súgó - + h The abbreviated unit for hours ó - + Layout style: Elrendezési stílus: Live Toolbar - Élő eszköztár + Él? eszköztár @@ -4249,37 +4974,37 @@ A tartalom kódolása nem UTF-8. Az OpenLP mér fut. Folytatható? - + Settings Beállítások - + Tools Eszközök - + Verse Per Slide Egy vers diánként - + Verse Per Line Egy vers soronként - + View Nézet - + Duplicate Error Duplikátum hiba - + Unsupported File Nem támogatott fájl @@ -4294,14 +5019,14 @@ A tartalom kódolása nem UTF-8. XML szintaktikai hiba - + View Mode Nézetmód - + Welcome to the Bible Upgrade Wizard - Üdvözlet a bibliafrissítő tündérben + Üdvözlet a bibliafrissít? tündérben @@ -4309,37 +5034,62 @@ A tartalom kódolása nem UTF-8. Sorrend megnyitása. - + Print Service Szolgálati sorrend nyomtatása - - - Replace live background. - Élő adás hátterének cseréje. - - Reset live background. - Élő adás hátterének visszaállítása. + Replace live background. + Él? adás hátterének cseréje. - + + Reset live background. + Él? adás hátterének visszaállítása. + + + &Split &Szétválasztá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. + Diák kettéválasztása csak akkor, ha nem fér ki a képerny?n egy diaként. + + + + Confirm Delete + + + + + Play Slides in Loop + Diák ismétl?d? vetítése + + + + Play Slides to End + Diak vetítése végig + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + OpenLP.displayTagDialog - + Configure Display Tags - Megjelenítési címkék beállítása + Megjelenítési címkék beállítása @@ -4347,7 +5097,7 @@ A tartalom kódolása nem UTF-8. <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. - <strong>Bemutató bővítmény</strong><br />A bemutató bővítmény különböző külső programok segítségével bemutatók megjelenítését teszi lehetővé. A prezentációs programok egy listából választhatók ki. + <strong>Bemutató b?vítmény</strong><br />A bemutató b?vítmény különböz? küls? programok segítségével bemutatók megjelenítését teszi lehet?vé. A prezentációs programok egy listából választhatók ki. @@ -4367,6 +5117,31 @@ A tartalom kódolása nem UTF-8. container title Bemutatók + + + Load a new Presentation. + Új bemutató betöltése. + + + + Delete the selected Presentation. + A kijelölt bemutató törlése. + + + + Preview the selected Presentation. + A kijelölt bemutató el?nézete. + + + + Send the selected Presentation live. + A kijelölt bemutató él? adásba küldése. + + + + Add the selected Presentation to the service. + A kijelölt bemutató hozzáadása a sorrendhez. + Load a new presentation. @@ -4380,12 +5155,12 @@ A tartalom kódolása nem UTF-8. Preview the selected presentation. - A kijelölt bemutató előnézete. + A kijelölt bemutató el?nézete. Send the selected presentation live. - A kijelölt bemutató élő adásba küldése. + A kijelölt bemutató él? adásba küldése. @@ -4396,52 +5171,52 @@ A tartalom kódolása nem UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) Bemutató(k) kijelölése - + Automatic Automatikus - + Present using: Bemutató 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. - + Presentations (%s) Bemutatók (%s) - + Missing Presentation Hiányzó bemutató - + The Presentation %s is incomplete, please reload. A(z) %s bemutató hiányos, újra kell tölteni. - + The Presentation %s no longer exists. A(z) %s bemutató már nem létezik. @@ -4451,7 +5226,7 @@ A tartalom kódolása nem UTF-8. Available Controllers - Elérhető vezérlők + Elérhet? vezérl?k @@ -4469,7 +5244,7 @@ A tartalom kódolása nem UTF-8. <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>Távirányító bővítmény</strong><br />A távirányító bővítmény egy böngésző vagy egy távoli API segítségével lehetővé teszi egy másik számítógépen futó OpenLP számára való üzenetküldést. + <strong>Távirányító b?vítmény</strong><br />A távirányító b?vítmény egy böngész? vagy egy távoli API segítségével lehet?vé teszi egy másik számítógépen futó OpenLP számára való üzenetküldést. @@ -4493,95 +5268,100 @@ A tartalom kódolása nem UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote OpenLP 2.0 távirányító - + OpenLP 2.0 Stage View OpenLP 2.0 színpadi nézet Service Manager - Sorrendkezelő - - - - Slide Controller - Diakezelő + Sorrendkezel? + Slide Controller + Diakezel? + + + Alerts Értesítések - + Search Keresés - + Back Vissza - + Refresh Frissítés - + Blank Elsötétítés - + Show Vetítés - - - Prev - Előző - - - - Next - Következő - + Prev + El?z? + + + + Next + Következ? + + + Text Szöveg - + Show Alert Értesítés megjelenítése - + Go Live - Élő adásba + Él? adásba Add To Service - Hozzáadás a sorrendhez + Hozzáadás a sorrendhez - + No Results Nincs találat - + Options Beállítások + + + Add to Service + + RemotePlugin.RemoteTab @@ -4614,68 +5394,78 @@ A tartalom kódolása nem UTF-8. SongUsagePlugin - + &Song Usage Tracking &Dalstatisztika rögzítése - + &Delete Tracking Data Rögzített adatok &törlése - + Delete song usage data up to a specified date. Dalstatisztika adatok törlése egy meghatározott dátumig. - + &Extract Tracking Data Rögzített adatok &kicsomagolása - + Generate a report on song usage. Dalstatisztika jelentés összeállítása. - + Toggle Tracking Rögzítés - + Toggle the tracking of song usage. Dalstatisztika rögzítésének átváltása. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. - <strong>Dalstatisztika bővítmény</strong><br />Ez a bővítmény rögzíti, hogy a dalok mikor lettek vetítve egy élő szolgálat vagy istentisztelet során. + <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. + + + + + Song usage tracking is inactive. + + SongUsagePlugin.SongUsageDeleteForm @@ -4687,12 +5477,12 @@ A tartalom kódolása nem UTF-8. 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? @@ -4715,7 +5505,7 @@ A tartalom kódolása nem UTF-8. Select Date Range - Időintervallum kijelölése + Id?intervallum kijelölése @@ -4740,7 +5530,7 @@ A tartalom kódolása nem UTF-8. You have not set a valid output location for your song usage report. Please select an existing path on your computer. - Egy nem létező útvonalat adtál meg a dalstatisztika riporthoz. Jelölj ki egy érvényes űtvonalat a számítógépen. + Egy nem létez? útvonalat adtál meg a dalstatisztika riporthoz. Jelölj ki egy érvényes ?tvonalat a számítógépen. @@ -4775,7 +5565,7 @@ has been successfully created. <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é. + <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é. @@ -4835,7 +5625,7 @@ has been successfully created. Simplified Chinese (CP-936) - Egyszerűsített kínai (CP-936) + Egyszer?sített kínai (CP-936) @@ -4872,16 +5662,16 @@ has been successfully created. The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. - A kódlap beállítás felelős + A kódlap beállítás felel?s a karakterek helyes megjelenítéséért. -Általában az előre beállított érték megfelelő. +Á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álasszd ki a karakterkódolást. -A kódlap felelős a karakterek helyes megjelenítéséért. +A kódlap felel?s a karakterek helyes megjelenítéséért. @@ -4906,6 +5696,36 @@ A kódlap felelős a karakterek helyes megjelenítéséért. container title Dalok + + + 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. + Add a new song. @@ -4924,12 +5744,12 @@ A kódlap felelős a karakterek helyes megjelenítéséért. Preview the selected song. - A kijelölt dal előnézete. + A kijelölt dal el?nézete. Send the selected song live. - A kijelölt dal élő adásba küldése. + A kijelölt dal él? adásba küldése. @@ -4942,7 +5762,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért. Author Maintenance - Szerzők kezelése + Szerz?k kezelése @@ -4962,17 +5782,17 @@ A kódlap felelős a karakterek helyes megjelenítéséért. You need to type in the first name of the author. - Meg kell adni a szerző vezetéknevét. + Meg kell adni a szerz? vezetéknevét. You need to type in the last name of the author. - Meg kell adni a szerző keresztnevét. + Meg kell adni a szerz? keresztnevét. You have not set a display name for the author, combine the first and last names? - Nincs megadva a szerző megjelenített neve, legyen előállítva a vezeték és keresztnevéből? + Nincs megadva a szerz? megjelenített neve, legyen el?állítva a vezeték és keresztnevéb?l? @@ -4986,190 +5806,197 @@ A kódlap felelős a karakterek helyes megjelenítéséért. SongsPlugin.EasyWorshipSongImport - + Administered by %s Adminisztrálta: %s + + + +[above are Song Tags with notes imported from + EasyWorship] + + SongsPlugin.EditSongForm - + Song Editor - Dalszerkesztő + Dalszerkeszt? - + &Title: &Cím: - + Alt&ernate title: &Alternatív cím: - + &Lyrics: &Dalszöveg: - + &Verse order: Versszak &sorrend: - + Ed&it All &Összes szerkesztése - + Title && Lyrics Cím és dalszöveg - + &Add to Song &Hozzáadás - + &Remove &Eltávolítás - + &Manage Authors, Topics, Song Books - Szerzők, témakörök, énekeskönyvek &kezelése + Szerz?k, témakörök, énekeskönyvek &kezelése - + A&dd to Song H&ozzáadás - + R&emove &Eltávolítás - + Book: Könyv: - + Number: Szám: - + Authors, Topics && Song Book - Szerzők, témakörök és énekeskönyvek + Szerz?k, témakörök és énekeskönyvek - + New &Theme Új &téma - + Copyright Information - Szerzői jogi információ + Szerz?i jogi információ - + Comments Megjegyzések - + Theme, Copyright Info && Comments - Téma, szerzői jog és megjegyzések + Téma, szerz?i jog és megjegyzések - + Add Author - Szerző hozzáadása + 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á kívánja adni? - + This author is already in the list. - A szerző már benne van a listában. + 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. 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. - + 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? - + 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 gombraa témakör megjelöléséhez. + 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 gombraa témakör megjelöléséhez. - + You need to type in a song title. Add meg a dal címét. - + You need to type in at least one verse. Legalább egy versszakot meg kell adnod. - + Warning Figyelmeztetés - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. A versszaksorrend hibás. Nincs ilyen versszak: %s. Az érvényes elemek ezek: %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? Ez a versszak sehol nem lett megadva a sorrendben: %s. Biztosan így kívánod elmenteni a dalt? - + Add Book Könyv hozzáadása - + This song book 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? - + You need to have an author for this song. - Egy szerzőt meg kell adnod ehhez a dalhoz. + Egy szerz?t meg kell adnod ehhez a dalhoz. - + You need to type some text in to the verse. Meg kell adnod a versszak szövegét. @@ -5191,6 +6018,16 @@ A kódlap felelős a karakterek helyes megjelenítéséért. &Insert &Beszúrás + + + &Split + &Szétválasztása + + + + 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. + Split a slide into two by inserting a verse splitter. @@ -5200,82 +6037,82 @@ A kódlap felelős a karakterek helyes megjelenítéséért. SongsPlugin.ExportWizardForm - + Song Export Wizard Dalexportáló tündér - + This wizard will help to export your songs to the open and free OpenLyrics worship song format. A tündér segít a dalok szabad OpenLyrics formátumba való exportálásában. - + Select Songs Dalok kijelölése - + Check the songs you want to export. Jelöld ki 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. - + You need to add at least one Song to export. Ki kell választani legalább egy dalt az exportáláshoz. - + No Save Location specified Nincs megadva a mentési hely - + You need to specify a directory. Egy mappát kell megadni. - + Starting export... Exportálás indítása… - + 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. @@ -5283,7 +6120,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Jelölj ki egy dokumentum vagy egy bemutató fájlokat @@ -5295,7 +6132,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért. 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 kiválasztásához. + 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 kiválasztásához. @@ -5317,6 +6154,16 @@ A kódlap felelős a karakterek helyes megjelenítéséért. Remove File(s) Fájl(ok) törlése + + + The Songs of Fellowship importer has been disabled because OpenLP cannot find OpenOffice.org on your computer. + A Songs of Fellowship importáló le lett tiltva, mivel az OpenLP nem találja az OpenOffice.org-ot a számítógépen. + + + + The generic document/presentation importer has been disabled because OpenLP cannot find OpenOffice.org on your computer. + Az általános dokumentum, ill. bemutató importáló le lett tiltva, mivel az OpenLP nem találja az OpenOffice.org-ot a számítógépen. + Please wait while your songs are imported. @@ -5325,45 +6172,45 @@ A kódlap felelős a karakterek helyes megjelenítéséért. The OpenLyrics importer has not yet been developed, but as you can see, we are still intending to do so. Hopefully it will be in the next release. - Az OpenLyrics importáló még nem lett kifejlesztve, de amint már láthatod, szándékozunk elkészíteni. Remélhetőleg a következő kiadásban már benne lesz. + Az OpenLyrics importáló még nem lett kifejlesztve, de amint már láthatod, szándékozunk elkészíteni. Remélhet?leg a következ? kiadásban már benne lesz. - + OpenLP 2.0 Databases OpenLP 2.0 adatbázisok - + openlp.org v1.x Databases openlp.org v1.x adatbázisok - + Words Of Worship Song Files Words of Worship dal fájlok - + You need to specify at least one document or presentation file to import from. Ki kell jelölnie legalább egy dokumentumot vagy bemutatót az importáláshoz. - + Songs Of Fellowship Song Files Songs Of Fellowship dal fájlok - + SongBeamer Files SongBeamer fájlok - + SongShow Plus Song Files SongShow Plus dal fájlok - + Foilpresenter Song Files Foilpresenter dal fájlok @@ -5391,47 +6238,53 @@ A kódlap felelős a karakterek helyes megjelenítéséért. SongsPlugin.MediaItem - + Titles Címek - + Lyrics Dalszöveg Delete Song(s)? - Törölhető(ek) a dal(ok)? + Törölhet?(ek) a dal(ok)? - + CCLI License: CCLI licenc: - + Entire Song Teljes dal - + Are you sure you want to delete the %n selected song(s)? - Törölhetők a kijelölt dalok: %n? + Törölhet?k a kijelölt dalok: %n? - + Maintain the lists of authors, topics and books. - Szerzők, témakörök, könyvek listájának kezelése. + Szerz?k, témakörök, könyvek listájának kezelése. + + + + copy + For song cloning + SongsPlugin.OpenLP1SongImport - + Not a valid openlp.org 1.x song database. Ez nem egy openlp.org 1.x daladatbázis. @@ -5447,7 +6300,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért. SongsPlugin.OpenLyricsExport - + Exporting "%s"... Exportálás „%s”… @@ -5478,12 +6331,12 @@ A kódlap felelős a karakterek helyes megjelenítéséért. SongsPlugin.SongExportForm - + Finished export. - Exportálás befejeződött. + Exportálás befejez?dött. - + Your song export failed. Dalexportálás meghiúsult. @@ -5491,27 +6344,32 @@ A kódlap felelős a karakterek helyes megjelenítéséért. SongsPlugin.SongImport - + copyright - szerzői jog + szerz?i jog - + The following songs could not be imported: - A következő dalok nem importálhatók: + A következ? dalok nem importálhatók: - + + Unable to open OpenOffice.org or LibreOffice + Nem sikerült megnyitni az OpenOffice.org-ot vagy a LibreOffice-t + + + Unable to open file Nem sikerült megnyitni a fájlt - + File not found A fájl nem található - + Cannot access OpenOffice or LibreOffice Nem lehet élérni az OpenOffice-t vagy a LibreOffice-t @@ -5519,7 +6377,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért. SongsPlugin.SongImportForm - + Your song import failed. Az importálás meghiúsult. @@ -5529,12 +6387,12 @@ A kódlap felelős a karakterek helyes megjelenítéséért. Could not add your author. - A szerzőt nem lehet hozzáadni. + A szerz?t nem lehet hozzáadni. This author already exists. - Ez a szerző már létezik. + Ez a szerz? már létezik. @@ -5569,17 +6427,17 @@ A kódlap felelős a karakterek helyes megjelenítéséért. Delete Author - Szerző törlése + Szerz? törlése Are you sure you want to delete the selected author? - A kijelölt szerző biztosan törölhető? + A kijelölt szerz? biztosan törölhet?? 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. + Ezt a szerz?t nem lehet törölni, mivel jelenleg legalább egy dalhoz hozzá van rendelve. @@ -5589,7 +6447,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért. Are you sure you want to delete the selected topic? - A kijelölt témakör biztosan törölhető? + A kijelölt témakör biztosan törölhet?? @@ -5604,7 +6462,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért. Are you sure you want to delete the selected book? - A kijelölt könyv biztosan törölhető? + A kijelölt könyv biztosan törölhet?? @@ -5614,22 +6472,22 @@ A kódlap felelős a karakterek helyes megjelenítéséért. 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. + A módosított szerz?t nem lehet elmenteni, mivel már a szerz? létezik. 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? + 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 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? + 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 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öynve: %s – a már létező könyvben (%s) kerüljön rögzítésre? + Ez a könyv már létezik: %s. Szeretnéd, hogy a dal – melynek köynve: %s – a már létez? könyvben (%s) kerüljön rögzítésre? @@ -5647,7 +6505,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért. Display verses on live tool bar - Versszakok megjelenítése az élő adás eszköztáron + Versszakok megjelenítése az él? adás eszköztáron @@ -5698,7 +6556,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért. Pre-Chorus - Elő-refrén + El?-refrén @@ -5721,7 +6579,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért. Themes - Témák + Témák diff --git a/resources/i18n/id.ts b/resources/i18n/id.ts index e2570003f..314bdca72 100644 --- a/resources/i18n/id.ts +++ b/resources/i18n/id.ts @@ -1,29 +1,29 @@ - + AlertPlugin.AlertForm You have not entered a parameter to be replaced. Do you want to continue anyway? - Anda belum memasukkan parameter baru. + Anda belum memasukkan parameter baru. Tetap lanjutkan? No Parameter Found - Parameter Tidak Ditemukan + Parameter Tidak Ditemukan No Placeholder Found - Placeholder Tidak Ditemukan + Placeholder Tidak Ditemukan The alert text does not contain '<>'. Do you want to continue anyway? - Peringatan tidak mengandung '<>'. + Peringatan tidak mengandung '<>'. Tetap lanjutkan? @@ -42,7 +42,7 @@ Tetap lanjutkan? <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen - <strong>Plugin Peringatan</strong><br />Plugin peringatan mengendalikan tampilan pesan pada layar + <strong>Plugin Peringatan</strong><br />Plugin peringatan mengendalikan tampilan pesan pada layar @@ -62,6 +62,11 @@ Tetap lanjutkan? container title Peringatan + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. + <strong>Plugin Peringatan</strong><br>Plugin peringatan mengendalikan tampilan peringatan di layar tampilan. + AlertsPlugin.AlertForm @@ -110,6 +115,30 @@ Tetap lanjutkan? &Parameter: &Parameter: + + + No Parameter Found + Parameter Tidak Ditemukan + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + Anda belum memasukkan parameter baru. +Tetap lanjutkan? + + + + No Placeholder Found + Placeholder Tidak Ditemukan + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + Peringatan tidak mengandung '<>'. +Tetap lanjutkan? + AlertsPlugin.AlertsManager @@ -157,18 +186,18 @@ Tetap lanjutkan? Importing books... %s - Mengimpor kitab... %s + Mengimpor kitab... %s Importing verses from %s... Importing verses from <book name>... - Mengimpor ayat dari %s... + Mengimpor ayat dari %s... Importing verses... done. - Mengimpor ayat... selesai. + Mengimpor ayat... selesai. @@ -176,12 +205,17 @@ Tetap lanjutkan? &Upgrade older Bibles - &Upgrade Alkitab lama + &Upgrade Alkitab lama + + + + Upgrade the Bible databases to the latest format + Upgrade basis data Alkitab ke format terbaru. Upgrade the Bible databases to the latest format. - Upgrade basis data Alkitab ke format terbaru. + Upgrade basis data Alkitab ke format terbaru. @@ -189,22 +223,22 @@ Tetap lanjutkan? Download Error - Unduhan Gagal + Unduhan Gagal 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. Mohon periksa sambungan internet Anda dan jika masalah berlanjut, pertimbangkan untuk melaporkan hal ini sebagai kutu. + Ada masalah dalam mengunduh ayat yang terpilih. Mohon periksa sambungan internet Anda dan jika masalah berlanjut, pertimbangkan untuk melaporkan hal ini sebagai kutu. Parse Error - Galat saat parsing + Galat saat parsing 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 masalah berlanjut, pertimbangkan untuk melaporkan hal ini sebagai kutu. + Ada masalah dalam mengekstrak ayat yang terpilih. Jika masalah berlanjut, pertimbangkan untuk melaporkan hal ini sebagai kutu. @@ -212,22 +246,27 @@ Tetap lanjutkan? Bible not fully loaded. - Alkitab belum termuat seluruhnya. + Alkitab belum termuat seluruhnya. You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? - Tidak dapat menggabungkan hasil pencarian ayat. Ingin menghapus hasil pencarian dan mulai pencarian baru? + Tidak dapat menggabungkan hasil pencarian ayat. Ingin menghapus hasil pencarian dan mulai pencarian baru? Information - Informasi + Informasi + + + + The second Bibles 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 memiliki seluruh ayat yang ada di Alkitab utama. Hanya ayat yang ditemukan di kedua Alkitab yang akan ditampilkan. %d ayat tidak terlihat di hasil. 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 memiliki seluruh ayat yang ada di Alkitab utama. Hanya ayat yang ditemukan di kedua Alkitab yang akan ditampilkan. %d ayat tidak terlihat di hasil. + Alkitab kedua tidak memiliki seluruh ayat yang ada di Alkitab utama. Hanya ayat yang ditemukan di kedua Alkitab yang akan ditampilkan. %d ayat tidak terlihat di hasil. @@ -256,12 +295,12 @@ Tetap lanjutkan? 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. @@ -303,40 +342,50 @@ Tetap lanjutkan? <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 menayangkan ayat Alkitab dari berbagai sumber selama layanan. + + + + &Upgrade older Bibles + &Upgrade Alkitab lama + + + + Upgrade the Bible databases to the latest format. + Upgrade basis data Alkitab ke format terbaru. BiblesPlugin.BibleManager - + Scripture Reference Error Referensi Kitab Suci Galat - + Web Bible cannot be used Alkitab Web tidak dapat digunakan - + Text Search is not available with Web Bibles. Pencarian 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 pencarian. Anda dapat memisahkan kata kunci dengan spasi untuk mencari seluruh kata kunci dan Anda dapat memisahkan kata kunci dengan koma untuk mencari 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. Harap gunakan Wisaya Impor untuk memasang sebuah atau beberapa Alkitab. - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns: Book Chapter @@ -355,7 +404,7 @@ Kitab Pasal:Ayat-Ayat,Pasal:Ayat-Ayat Kitab Pasal:Ayat-Pasal:Ayat - + No Bibles Available Alkitab tidak tersedia @@ -420,37 +469,37 @@ Perubahan tidak akan mempengaruhi ayat yang kini tampil. The following book name cannot be matched up internally. Please select the corresponding English name from the list. - + Buku ini tidak dapat dicocokkan dengan sistem. Mohon pilih nama buku tersebut dalam bahasa Inggris. Current name: - + Nama sekarang: Corresponding name: - + Nama yang cocok: Show Books From - + Tampilkan buku dari; Old Testament - + Perjanjian Lama New Testament - + Perjanjian Baru Apocrypha - + Apokripa @@ -458,195 +507,235 @@ Perubahan tidak akan mempengaruhi ayat yang kini tampil. You need to select a book. - + Anda harus memilih sebuah kitab. + + + + BiblesPlugin.CSVBible + + + Importing books... %s + Mengimpor kitab... %s + + + + Importing verses from %s... + Importing verses from <book name>... + Mengimpor ayat dari %s... + + + + Importing verses... done. + Mengimpor ayat... selesai. BiblesPlugin.HTTPBible - + Registering Bible and loading books... - + Mendaftarkan Alkitab dan memuat buku... - + Registering Language... - + Mendaftarkan bahasa... - + Importing %s... Importing <book name>... - + Mengimpor %s... + + + + Download Error + Unduhan Gagal + + + + 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. Mohon periksa sambungan internet Anda dan jika masalah berlanjut, pertimbangkan untuk melaporkan hal ini sebagai kutu. + + + + Parse Error + Galat saat parsing + + + + 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 masalah berlanjut, pertimbangkan untuk melaporkan hal ini sebagai kutu. 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 lanjut di bawah untuk memulai proses dengan memilih format untuk diimpor. - + Web Download Unduh dari web - + Location: Lokasi: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Alkitab: - + Download Options Opsi Unduhan - + Server: Server: - + Username: Nama Pengguna: - + Password: Sandi-lewat: - + Proxy Server (Optional) Proxy Server (Opsional) - + License Details Rincian Lisensi - + Set up the Bible's license details. Memasang rincian lisensi Alkitab. - + Version name: Nama versi: - + Copyright: Hak cipta: - + Please wait while your Bible is imported. Mohon tunggu selama Alkitab diimpor. - + You need to specify a file with books of the Bible to use in the import. Anda harus menentukan berkas yang berisi nama kitab dalam Alkitab untuk digunakan dalam import. - + You need to specify a file of Bible verses to import. Anda harus menentukan berkas Alkitab untuk diimpor. - + You need to specify a version name for your Bible. Anda harus menentukan nama versi untuk Alkitab Anda. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Anda harus memberikan hak cipta untuk Alkitab Anda. Alkitab di Public Domain harus ditandai sedemikian. - + 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 yang sudah ada. - + Your Bible import failed. Impor Alkitab gagal. - + CSV File Berkas CSV - + Bibleserver Server Alkitab - + Permissions: Izin: - + Bible file: Berkas Alkitab: - + Books file: Berkas kitab: - + Verses file: Berkas ayat: - + openlp.org 1.x Bible Files Ayat Alkitab openlp.org 1.x - + Registering Bible... - + Mendaftarkan Alkitab... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. - + Alkitab terdaftar. Mohon camkan, ayat akan diunduh saat +dibutuhkan dan membutuhkan koneksi internet. @@ -654,83 +743,103 @@ demand and thus an internet connection is required. Select Language - + Pilih Bahasa OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. - + OpenLP tidak dapat menentukan bahasa untuk terjemahan Alkitab ini. Mohon pilih bahasa dari daftar di bawah. Language: - + Bahasa: BiblesPlugin.LanguageForm - + You need to choose a language. - + Anda harus memilih sebuah bahasa. BiblesPlugin.MediaItem - + Quick Cepat - + Find: Temukan: - + Book: Kitab: - + Chapter: Pasal: - + Verse: Ayat: - + From: Dari: - + To: Kepada: - + Text Search Pencarian Teks - + Second: Kedua: - + Scripture Reference Referensi Alkitab - + Toggle to keep or clear the previous results. - + Ganti untuk menyimpan atau menghapus 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? + Tidak dapat menggabungkan hasil pencarian ayat. Ingin menghapus hasil pencarian dan mulai pencarian 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 memiliki seluruh ayat yang ada di Alkitab utama. Hanya ayat yang ditemukan di kedua Alkitab yang akan ditampilkan. %d ayat tidak terlihat di hasil. @@ -759,174 +868,231 @@ demand and thus an internet connection is required. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory - + Pilih direktori cadangan - + Bible Upgrade Wizard - + Wisaya Upgrade 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 mengupgrade Alkitab yang tersedia. Klik tombol selanjutnya untuk memulai proses upgrade. - + Select Backup Directory - + Pilih Direktori Pencadangan - + Please select a backup directory for your Bibles - + Mohon pilih direktori pencadangan 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 sebuah cadangan untuk seluruh Alkitab Anda 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">Frequently Asked Questions</a>. - + Please select a backup location for your Bibles. - + Mohon pilh sebuah lokasi pencadangan untuk Alkitab Anda. - + Backup Directory: - + Direktori Pencadangan: - + There is no need to backup my Bibles - + Tidak perlu membuat cadangan Alkitab - + Select Bibles - + Pilih Alkitab - + Please select the Bibles to upgrade - + Mohon pilih Alkitab untuk dimutakhirkan + + + + Version name: + Nama versi: - Version name: - Nama versi: - - - This Bible still exists. Please change the name or uncheck it. - + Alkitab masih ada. Mohon ubah namanya atau kosongkan centang. - + Upgrading - + Memutakhirkan - + Please wait while your Bibles are upgraded. - + Mohon tunggu sementara Alkitab sedang diperbarui. You need to specify a Backup Directory for your Bibles. - + Anda harus menentukan Direktori Cadangan untuk Alkitab. - + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. If you have write permissions and this error still occurs, please report a bug. + Pencadangan gagal. +Untuk mencadangkan Alkitab Anda membutuhkan izin untuk write di direktori tersebut. Jika Anda sudah memiliki izin dan tetap terjadi galat, mohon laporkan ini sebagai kutu. + + + You need to specify a version name for your Bible. - Anda harus menentukan nama versi untuk Alkitab Anda. + Anda harus menentukan nama versi untuk Alkitab Anda. - + Bible Exists - Alkitab Sudah Ada + Alkitab Sudah Ada - + This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck. - + Alkitab sudah ada. Mohon mutakhirkan Alkitab yang lain, hapus yang sudah ada, atau hilangkan centang. + + + + Starting upgrading Bible(s)... + Memulai pemutakhiran Alkitab... There are no Bibles available to upgrade. - + Tidak ada Alkitab yang dapat dimutakhirkan. - + Upgrading Bible %s of %s: "%s" Failed - + Pemutakhiran Alkitab %s dari %s: "%s" +Gagal - + Upgrading Bible %s of %s: "%s" Upgrading ... - + Pemutakhiran Alkitab %s dari %s: "%s" +Memutakhirkan... - + Download Error Unduhan Gagal - + + To upgrade your Web Bibles an Internet connection is required. If you have a working Internet connection and this error still occurs, please report a bug. + To upgrade your Web Bibles an Internet connection is required. If you have a working Internet connection and this error still occurs, please report a bug. + + + Upgrading Bible %s of %s: "%s" Upgrading %s ... - + Memutakhirkan Alkitab %s dari %s: "%s" +Memutakhirkan %s... - + + Upgrading Bible %s of %s: "%s" +Done + Memutakhirkan Alkitab %s dari %s: "%s" +Selesai + + + , %s failed - + , %s gagal - + + Upgrading Bible(s): %s successful%s +Please note, that verses from Web Bibles will be downloaded +on demand and so an Internet connection is required. + Memutakhirkan Alkitab: %s berhasil%s +Mohon perhatikan bahwa ayat dari Alkitab Internet +akan diunduh saat diperlukan. Koneksi diperlukan. + + + Upgrading Bible(s): %s successful%s - + Pemutakhiran Alkitab: %s berhasil%s - + Upgrade failed. - + Pemutakhirkan gagal. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. - + Pencadangan gagal. +Untuk mencadangkan Alkitab Anda perlu izin untuk menulis di direktori terpilih. Starting Bible upgrade... - + Memulai pemutakhiran Alkitab... - + To upgrade your Web Bibles an Internet connection is required. - + Untuk memutakhirkan Alkitab Web, koneksi internet dibutuhkan. - + Upgrading Bible %s of %s: "%s" Complete - + Upgrading Bible(s): %s successful%s Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + CustomPlugin + + + <strong>Custom Plugin</strong><br />The custom plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + <strong>Plugin Tambahan</strong><br/>Plugin tambahan menyediakan kemampuan untuk mengatur slide teks yang dapat ditampilkan pada layar dengan cara yang sama dengan lagu. Plugin ini lebih fleksibel ketimbang plugin lagu. + <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. @@ -1031,6 +1197,11 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Edit all the slides at once. Sunting seluruh slide bersamaan. + + + Split Slide + Pecah Slide + Split a slide into two by inserting a slide splitter. @@ -1047,12 +1218,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Kredit: - + You need to type in a title. Anda harus mengetikkan judul. - + You need to add at least one slide Anda harus menambah paling sedikit satu salindia @@ -1067,12 +1238,83 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slides(s)? + + + + + + + CustomsPlugin + + + Custom + name singular + Suaian + + + + Customs + name plural + Suaian + + + + Custom + container title + Suaian + + + + Load a new Custom. + Muat Suaian baru. + + + + Import a Custom. + Impor sebuah Suaian. + + + + Add a new Custom. + Tambahkan sebuah Suaian. + + + + Edit the selected Custom. + Sunting Suaian terpilih. + + + + Delete the selected Custom. + Hapus Suaian terpilih. + + + + Preview the selected Custom. + Pratinjau Suaian terpilih. + + + + Send the selected Custom live. + Tayangkan Suaian terpilih. + + + + Add the selected Custom to the service. + Tambahkan Suaian ke dalam layanan + + GeneralTab General - Umum + Umum @@ -1100,6 +1342,41 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title Gambar + + + Load a new Image. + Muat Gambar baru + + + + Add a new Image. + Tambahkan Gambar baru + + + + Edit the selected Image. + Sunting Gambar terpilih. + + + + Delete the selected Image. + Hapus Gambar terpilih. + + + + Preview the selected Image. + Pratinjau Gambar terpilih. + + + + Send the selected Image live. + Tayangkan Gambar terpilih. + + + + Add the selected Image to the service. + Tambahkan Gambar terpilih ke layanan. + Load a new image. @@ -1147,42 +1424,47 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.MediaItem - + Select Image(s) Pilih Gambar - + You must select an image to delete. Pilih sebuah gambar untuk dihapus. - + You must select an image to replace the background with. Pilih sebuah gambar untuk menggantikan latar. - + Missing Image(s) Gambar Tidak Ditemukan - + The following image(s) no longer exist: %s Gambar berikut tidak ada lagi: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? Gambar berikut tidak ada lagi: %s Ingin tetap 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. + + MediaPlugin @@ -1209,6 +1491,41 @@ Ingin tetap menambah gambar lain? container title Media + + + Load a new Media. + Muat Media baru. + + + + Add a 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. + Load new media. @@ -1248,40 +1565,45 @@ Ingin tetap menambah gambar lain? MediaPlugin.MediaItem - + Select Media Pilih Media - + You must select a media file to delete. Pilih sebuah berkas media untuk dihapus. - + You must select a media file to replace the background with. Pilih 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 (*) Videos (%s);;Audio (%s);;%s (*) + + + There was no display item to amend. + + MediaPlugin.MediaTab @@ -1299,7 +1621,7 @@ Ingin tetap menambah gambar lain? OpenLP - + Image Files Berkas Gambar @@ -1583,165 +1905,62 @@ Portions copyright © 2004-2011 %s OpenLP.DisplayTagDialog - + Edit Selection - Sunting pilihan + Sunting pilihan - + Description - Deskripsi + Deskripsi + + + + Tag + Label + + + + Start tag + Label awal - Tag - Label - - - - Start tag - Label awal - - - End tag - Label akhir + Label akhir - + Tag Id - ID Label + ID Label - + Start HTML - HTML Awal + HTML Awal - + End HTML - Akhir HTML - - - - Save - + Akhir HTML OpenLP.DisplayTagTab - + Update Error - Galat dalam Memperbarui + Galat dalam Memperbarui Tag "n" already defined. - Label "n" sudah terdefinisi. + Label "n" sudah terdefinisi. - + Tag %s already defined. - Label %s telah terdefinisi. - - - - New Tag - - - - - </and here> - - - - - <HTML here> - - - - - OpenLP.DisplayTags - - - Red - - - - - Black - - - - - Blue - - - - - Yellow - - - - - Green - - - - - Pink - - - - - Orange - - - - - Purple - - - - - White - - - - - Superscript - - - - - Subscript - - - - - Paragraph - - - - - Bold - - - - - Italics - - - - - Underline - - - - - Break - + Label %s telah terdefinisi. @@ -1911,12 +2130,12 @@ Mohon gunakan bahasa Inggris untuk laporan kutu. Mengunduh %s... - + Download complete. Click the finish button to start OpenLP. Unduhan selesai. Klik tombol selesai untuk memulai OpenLP. - + Enabling selected plugins... Mengaktifkan plugin terpilih... @@ -1948,7 +2167,7 @@ Mohon gunakan bahasa Inggris untuk laporan kutu. Custom Text - Teks + Teks @@ -2048,6 +2267,16 @@ Untuk membatalkan Wisaya Kali Pertama, tekan tombol selesai. Set up default settings to be used by OpenLP. Atur pengaturan bawaan pada OpenLP. + + + Setting Up And Importing + Pengaturan Awal dan Pengimporan + + + + Please wait while OpenLP is set up and your data is imported. + Mohon tunggu selama OpenLP diatur dan data diimpor. + Default output display: @@ -2069,25 +2298,209 @@ Untuk membatalkan Wisaya Kali Pertama, tekan tombol selesai. - + Setting Up And Downloading - + Please wait while OpenLP is set up and your data is downloaded. - + Setting Up - + Click the finish button to start OpenLP. + + + Custom Slides + + + + + Download complete. Click the finish button to return to OpenLP. + + + + + Click the finish button to return to OpenLP. + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Edit Selection + Sunting pilihan + + + + Save + + + + + Description + Deskripsi + + + + Tag + Label + + + + Start tag + Label awal + + + + End tag + Label akhir + + + + Tag Id + ID Label + + + + Start HTML + HTML Awal + + + + End HTML + Akhir HTML + + + + OpenLP.FormattingTagForm + + + Update Error + Galat dalam Memperbarui + + + + Tag "n" already defined. + Label "n" sudah terdefinisi. + + + + New Tag + + + + + <HTML here> + + + + + </and here> + + + + + Tag %s already defined. + Label %s telah terdefinisi. + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + OpenLP.GeneralTab @@ -2233,7 +2646,7 @@ Untuk membatalkan Wisaya Kali Pertama, tekan tombol selesai. OpenLP.MainDisplay - + OpenLP Display Tampilan OpenLP @@ -2241,287 +2654,287 @@ Untuk membatalkan Wisaya Kali Pertama, tekan tombol selesai. OpenLP.MainWindow - + &File &File - + &Import &Impor - + &Export &Ekspor - + &View &Lihat - + M&ode M&ode - + &Tools Ala&t - + &Settings &Pengaturan - + &Language &Bahasa - + &Help Bantua&n - + Media Manager Manajer Media - + Service Manager Manajer Layanan - + Theme Manager Manajer Tema - + &New &Baru - + &Open &Buka - + Open an existing service. Buka layanan yang ada. - + &Save &Simpan - + Save the current service to disk. Menyimpan layanan aktif ke dalam diska. - + Save &As... Simp&an Sebagai... - + Save Service As Simpan Layanan Sebagai - + Save the current service under a new name. Menyimpan layanan aktif dengan nama baru. - + E&xit Kelua&r - + Quit OpenLP Keluar dari OpenLP - + &Theme &Tema - + &Configure OpenLP... &Konfigurasi OpenLP... - + &Media Manager Manajer &Media - + Toggle Media Manager Ganti Manajer Media - + Toggle the visibility of the media manager. Mengganti kenampakan manajer media. - + &Theme Manager Manajer &Tema - + Toggle Theme Manager Ganti Manajer Tema - + Toggle the visibility of the theme manager. Mengganti kenampakan manajer tema. - + &Service Manager Manajer &Layanan - + Toggle Service Manager Ganti Manajer Layanan - + Toggle the visibility of the service manager. Mengganti kenampakan manajer layanan. - + &Preview Panel Panel &Pratinjau - + Toggle Preview Panel Ganti Panel Pratinjau - + Toggle the visibility of the preview panel. Ganti kenampakan panel pratinjau - + &Live Panel Pane&l Tayang - + Toggle Live Panel Ganti Panel Tayang - + Toggle the visibility of the live panel. Mengganti kenampakan panel tayang. - + &Plugin List Daftar &Plugin - + List the Plugins Melihat daftar Plugin - + &User Guide T&untunan 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 ada. - + Set the interface language to %s Ubah bahasa antarmuka menjadi %s - + Add &Tool... Tambahkan Ala&t... - + Add an application to the list of tools. Tambahkan aplikasi ke daftar alat. - + &Default &Bawaan - + Set the view mode back to the default. Ubah mode tampilan ke bawaan. - + &Setup &Persiapan - + Set the view mode to Setup. Pasang mode tampilan ke Persiapan. - + &Live &Tayang - + Set the view mode to Live. Pasang mode tampilan 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/. @@ -2530,22 +2943,22 @@ You can download the latest version from http://openlp.org/. 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 @@ -2556,55 +2969,113 @@ Versi terbaru dapat diunduh dari http://openlp.org/. Inggris - + Configure &Shortcuts... Atur &Pintasan - + Close OpenLP Tutup OpenLP - + Are you sure you want to close OpenLP? Yakin ingin menutup OpenLP? - + + Print the current Service Order. + Cetak Daftar Layanan aktif + + + 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. - + &Configure Display Tags - &Konfigurasi Label Tampilan + &Konfigurasi Label Tampilan - + &Autodetect &Autodeteksi - + 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. + + + + + &Recent Files + + + + + &Configure Formatting Tags... + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + OpenLP.MediaManagerItem @@ -2614,54 +3085,76 @@ Versi terbaru dapat diunduh dari http://openlp.org/. Tidak Ada Barang yang Terpilih - + &Add to selected Service Item T&ambahkan ke dalam Butir Layanan - + You must select one or more items to preview. Anda harus memilih satu atau beberapa butir untuk dipratilik. - + 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 butir layanan yang ada untuk ditambahkan. - + Invalid Service Item Butir Layanan Tidak Sahih - + You must select a %s service item. Anda harus memilih sebuah butir layanan %s. - + + Duplicate file name %s. +Filename already exists in list + Nama berkas %s ganda. +Nama berkas sudah ada di daftar. + + + You must select one or more items to add. - + No Search Results - - Duplicate filename %s. -This filename is already in the list + + &Clone + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + Duplicate files found on import and ignored. @@ -2711,12 +3204,12 @@ This filename is already in the list OpenLP.PrintServiceDialog - + Fit Page Samakan dengan Halaman - + Fit Width Samakan dengan Lebar @@ -2724,70 +3217,90 @@ This filename is already in the list OpenLP.PrintServiceForm - + Options Pilihan Close - Tutup + Tutup - + Copy Salin - + Copy as HTML Salin sebagai HTML - + Zoom In Perbesar - + Zoom Out Perkecil - + Zoom Original Kembalikan Ukuran - + Other Options Pilihan Lain - + Include slide text if available Masukkan teks dari salindia jika tersedia - + Include service item notes Masukkan catatan butir layanan - + Include play length of media items Masukkan lama putar butir media - + + Service Order Sheet + Lembar Daftar Layanan + + + Add page break before each text item Tambahkan pemisan sebelum tiap butir teks - + Service Sheet + + + Print + + + + + Title: + + + + + Custom Footer Text: + + OpenLP.ScreenList @@ -2802,10 +3315,23 @@ This filename is already in the list Utama + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + OpenLP.ServiceItemEditForm - + Reorder Service Item Atur Ulang Butir Layanan @@ -2813,257 +3339,272 @@ This filename is already in the list OpenLP.ServiceManager - + Move to &top Pindahkan ke punc&ak - + Move item to the top of the service. Pindahkan butir ke puncak daftar layanan. - + Move &up Pindahkan ke a&tas - + Move item up one position in the service. Naikkan butir satu posisi pada daftar layanan. - + Move &down Pindahkan ke &bawah - + Move item down one position in the service. Turunkan butir satu posisi pada daftar layanan. - + Move to &bottom Pindahkan ke &kaki - + Move item to the end of the service. Pindahkan butir ke kaki daftar layanan. - + &Delete From Service Hapus &dari Layanan - + Delete the selected item from the service. Hapus butir terpilih dari layanan, - + &Add New Item T&ambahkan Butir Baru - + &Add to Selected Item T&ambahkan ke Butir Terpilih - + &Edit Item &Sunting Butir - + &Reorder Item Atu&r Ulang Butir - + &Notes Catata&n - + &Change Item Theme &Ubah Tema - + OpenLP Service Files (*.osz) Berkas Layanan OpenLP (*.osz) - + File is not a valid service. The content encoding is not UTF-8. Berkas bukan berupa layanan. Isi berkas tidak berupa UTF-8. - + File is not a valid service. Berkas bukan layanan sahih. - + 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 - + &Expand all - + Expand all the service items. - + &Collapse all - + Collapse all the service items. - + Open File Buka Berkas - + Moves the selection down the window. - + Move up - + Moves the selection up the window. - + Go Live Tayangkan - + Send the selected item to Live. Tayangkan butir terpilih. - + &Start Time - + Show &Preview - + Show &Live Tampi&lkan Tayang - + Modified Service - + The current service has been modified. Would you like to save this service? - + File could not be opened because it is corrupt. - + Empty File - + This service file does not contain any data. - + Corrupt File - + Custom Service Notes: - + Notes: - + Playing time: - + Untitled Service - + Load an existing service. - + Save this service. - + Select a theme for the service. - + This file is either corrupt or it is not an OpenLP 2.0 service file. + + + Slide theme + + + + + Notes + + + + + Service File Missing + + OpenLP.ServiceNoteForm - + Service Item Notes @@ -3078,11 +3619,6 @@ Isi berkas tidak berupa UTF-8. OpenLP.ShortcutListDialog - - - Customize Shortcuts - - Action @@ -3094,12 +3630,12 @@ Isi berkas tidak berupa UTF-8. - + Duplicate Shortcut - + The shortcut "%s" is already assigned to another action, please use a different shortcut. @@ -3134,20 +3670,25 @@ Isi berkas tidak berupa UTF-8. - + Restore Default Shortcuts - + Do you want to restore all shortcuts to their defaults? + + + Configure Shortcuts + + OpenLP.SlideController - + Hide @@ -3157,27 +3698,27 @@ Isi berkas tidak berupa UTF-8. - + Blank Screen - + Blank to Theme - + Show Desktop - + Previous Slide - + Next Slide @@ -3197,30 +3738,20 @@ Isi berkas tidak berupa UTF-8. - + Move to previous. - + Move to next. - + Play Slides - - - Play Slides in Loop - - - - - Play Slides to End - - Delay between slides in seconds. @@ -3250,19 +3781,19 @@ Isi berkas tidak berupa UTF-8. OpenLP.SpellTextEdit - + Spelling Suggestions - + Formatting Tags - + Language: - + Bahasa: @@ -3354,191 +3885,197 @@ Isi berkas tidak berupa UTF-8. OpenLP.ThemeManager - + Create a new theme. - + Edit Theme - + Edit a theme. - + Delete Theme - + Delete a theme. - + Import Theme - + Import a theme. - + Export Theme - + Export a theme. - + &Edit Theme - + &Delete Theme - + Set As &Global Default - + %s (default) - + You must select a theme to edit. - + You are unable to delete the default theme. - + Theme %s is used in the %s plugin. - + You have not selected a theme. - + Save Theme - (%s) - + Theme Exported - + Your theme has been successfully exported. - + Theme Export Failed - + Your theme could not be exported due to an error. - + Select Theme Import File - + File is not a valid theme. The content encoding is not UTF-8. - + File is not a valid theme. - + &Copy Theme - + &Rename Theme - + &Export Theme - + You must select a theme to rename. - + Rename Confirmation - + Rename %s theme? - + You must select a theme to delete. - + Delete Confirmation - + Delete %s theme? - + Validation Error - + A theme with this name already exists. - + OpenLP Themes (*.theme *.otz) + + + Copy of %s + Copy of <theme name> + + OpenLP.ThemeWizard @@ -3782,6 +4319,16 @@ The content encoding is not UTF-8. &Footer Area + + + Starting color: + + + + + Ending color: + + OpenLP.ThemesTab @@ -3825,11 +4372,16 @@ The content encoding is not UTF-8. Use the global theme, overriding any themes associated with either the service or the songs. + + + Themes + + OpenLP.Ui - + Error @@ -3854,25 +4406,20 @@ The content encoding is not UTF-8. - + &Delete - + &Edit - + Import - - - Length %s - - Live @@ -3899,57 +4446,57 @@ The content encoding is not UTF-8. - + Preview - + Replace Background - + Reset Background - + Save Service - + Service - + Start %s - + Delete the selected item. - + Move selection up one position. - + Move selection down one position. - + &Vertical Align: - + Top @@ -3984,23 +4531,23 @@ The content encoding is not UTF-8. - + Empty Field - + Export - + pt Abbreviated font pointsize unit pn - + Image Gambar @@ -4044,45 +4591,45 @@ The content encoding is not UTF-8. - + s The abbreviated unit for seconds s - + Save && Preview - + Search - + You must select an item to delete. - + You must select an item to edit. - + Theme Singular - + Themes Plural - + Version @@ -4148,12 +4695,12 @@ The content encoding is not UTF-8. - + Welcome to the Bible Import Wizard - + Welcome to the Song Export Wizard @@ -4210,38 +4757,38 @@ The content encoding is not UTF-8. - + Continuous Kontinu - + Default Bawaan - + Display style: Gaya tampilan: - + File - + Help - + h The abbreviated unit for hours - + Layout style: Gaya tata letak: @@ -4262,37 +4809,37 @@ The content encoding is not UTF-8. - + Settings - + Tools - + Verse Per Slide Ayat Tiap Slide - + Verse Per Line Ayat Tiap Baris - + View - + Duplicate Error - + Unsupported File @@ -4307,12 +4854,12 @@ The content encoding is not UTF-8. - + View Mode - + Welcome to the Bible Upgrade Wizard @@ -4322,36 +4869,53 @@ The content encoding is not UTF-8. - + Print Service - + Replace live background. - + Reset live background. - + &Split - + Split a slide into two only if it does not fit on the screen as one slide. - - - OpenLP.displayTagDialog - - Configure Display Tags + + Confirm Delete + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End @@ -4409,52 +4973,52 @@ The content encoding is not UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) - + Automatic - + Present using: - + File Exists - + A presentation with that filename already exists. - + This type of presentation is not supported. - + Presentations (%s) - + Missing Presentation - + The Presentation %s no longer exists. - + The Presentation %s is incomplete, please reload. @@ -4506,12 +5070,12 @@ The content encoding is not UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote - + OpenLP 2.0 Stage View @@ -4521,80 +5085,80 @@ The content encoding is not UTF-8. Manajer Layanan - + Slide Controller - + Alerts Peringatan - + Search - + Back - + Refresh - + Blank - + Show - + Prev - + Next - + Text - + Show Alert - + Go Live Tayangkan - - Add To Service - - - - + No Results - + Options Pilihan + + + Add to Service + + RemotePlugin.RemoteTab @@ -4627,68 +5191,78 @@ The content encoding is not UTF-8. SongUsagePlugin - + &Song Usage Tracking - + &Delete Tracking Data - + Delete song usage data up to a specified date. - + &Extract Tracking Data - + Generate a report on song usage. - + Toggle Tracking - + Toggle the tracking of song usage. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. - + SongUsage name singular - + SongUsage name plural - + SongUsage container title - + Song Usage + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + SongUsagePlugin.SongUsageDeleteForm @@ -4996,190 +5570,197 @@ The encoding is responsible for the correct character representation. SongsPlugin.EasyWorshipSongImport - + Administered by %s + + + +[above are Song Tags with notes imported from + EasyWorship] + + SongsPlugin.EditSongForm - + Song Editor - + &Title: &Judul: - + Alt&ernate title: - + &Lyrics: - + &Verse order: - + Ed&it All Sun&ting Semua - + Title && Lyrics - + &Add to Song - + &Remove - + &Manage Authors, Topics, Song Books - + A&dd to Song - + R&emove - + Book: Kitab: - + Number: - + Authors, Topics && Song Book - + New &Theme - + Copyright Information - + Comments - + Theme, Copyright Info && Comments - + Add Author - + This author does not exist, do you want to add them? - + This author is already in the list. - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. - + Add Topic - + This topic does not exist, do you want to add it? - + This topic is already in the list. - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. - + You need to type in a song title. - + You need to type in at least one verse. - + Warning - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? - + Add Book - + This song book does not exist, do you want to add it? - + You need to have an author for this song. - + You need to type some text in to the verse. @@ -5210,82 +5791,82 @@ The encoding is responsible for the correct character representation. SongsPlugin.ExportWizardForm - + Song Export Wizard - + This wizard will help to export your songs to the open and free OpenLyrics worship song format. - + Select Songs - + 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... - + Check the songs you want to export. - + You need to specify a directory. - + Select Destination Folder - + Select the directory where you want the songs to be saved. @@ -5293,7 +5874,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files @@ -5338,42 +5919,42 @@ The encoding is responsible for the correct character representation. - + OpenLP 2.0 Databases - + openlp.org v1.x Databases - + Words Of Worship Song Files - + Songs Of Fellowship Song Files - + SongBeamer Files - + SongShow Plus Song Files - + You need to specify at least one document or presentation file to import from. - + Foilpresenter Song Files @@ -5401,47 +5982,48 @@ The encoding is responsible for the correct character representation. SongsPlugin.MediaItem - + Titles - + Lyrics - - Delete Song(s)? - - - - + CCLI License: - + Entire Song - + Are you sure you want to delete the %n selected song(s)? - + Maintain the lists of authors, topics and books. + + + copy + For song cloning + + SongsPlugin.OpenLP1SongImport - + Not a valid openlp.org 1.x song database. @@ -5457,7 +6039,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.OpenLyricsExport - + Exporting "%s"... @@ -5488,12 +6070,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongExportForm - + Finished export. - + Your song export failed. @@ -5501,27 +6083,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright - + The following songs could not be imported: - + Unable to open file - + File not found - + Cannot access OpenOffice or LibreOffice @@ -5529,7 +6111,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImportForm - + Your song import failed. @@ -5726,12 +6308,4 @@ The encoding is responsible for the correct character representation. Lainnya - - ThemeTab - - - Themes - - - diff --git a/resources/i18n/ja.ts b/resources/i18n/ja.ts index d3fd78828..17b1b8596 100644 --- a/resources/i18n/ja.ts +++ b/resources/i18n/ja.ts @@ -1,29 +1,29 @@ - + AlertPlugin.AlertForm You have not entered a parameter to be replaced. Do you want to continue anyway? - 引数が入力されていません。 + 引数が入力されていません。 続けますか? No Parameter Found - 引数が見つかりません + 引数が見つかりません No Placeholder Found - プレースホルダーが見つかりません + プレースホルダーが見つかりません The alert text does not contain '<>'. Do you want to continue anyway? - 警告テキストは、'<>'を含みません。 + 警告テキストは、'<>'を含みません。 処理を続けてもよろしいですか? @@ -42,7 +42,7 @@ Do you want to continue anyway? <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen - <strong>警告プラグイン</strong><br />警告プラグインは、画面に警告文を表示する機能を提供します + <strong>警告プラグイン</strong><br />警告プラグインは、画面に警告文を表示する機能を提供します @@ -62,6 +62,11 @@ Do you want to continue anyway? container title 警告 + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. + + AlertsPlugin.AlertForm @@ -110,6 +115,30 @@ Do you want to continue anyway? &Parameter: 引数(&P): + + + No Parameter Found + 引数が見つかりません + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + 引数が入力されていません。 +続けますか? + + + + No Placeholder Found + プレースホルダーが見つかりません + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + 警告テキストは、'<>'を含みません。 +処理を続けてもよろしいですか? + AlertsPlugin.AlertsManager @@ -157,18 +186,18 @@ Do you want to continue anyway? Importing books... %s - 書簡の取込み中...%s + 書簡の取込み中...%s Importing verses from %s... Importing verses from <book name>... - 節の取込み中 %s... + 節の取込み中 %s... Importing verses... done. - 節の取込み....完了。 + 節の取込み....完了。 @@ -176,12 +205,17 @@ Do you want to continue anyway? &Upgrade older Bibles - + 古い聖書を更新(&U) + + + + Upgrade the Bible databases to the latest format + 聖書データベースを最新の形式に更新します Upgrade the Bible databases to the latest format. - + 聖書データベースを最新の形式に更新します. @@ -189,22 +223,22 @@ Do you want to continue anyway? Download Error - ダウンロードエラー + ダウンロードエラー Parse Error - HTML構文エラー + HTML構文エラー 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 extracting your verse selection. If this error continues to occur please consider reporting a bug. - 選択された聖書の展開に失敗しました。エラーが再び起こったときは、バグ報告を検討してください。 + 選択された聖書の展開に失敗しました。エラーが再び起こったときは、バグ報告を検討してください。 @@ -212,22 +246,27 @@ Do you want to continue anyway? Bible not fully loaded. - 聖書が完全に読み込まれていません。 + 聖書が完全に読み込まれていません。 You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? - 一つの聖書と複数の聖書の検索結果をくっつける事はできません。検索結果を削除して、再検索しますか? + 一つの聖書と複数の聖書の検索結果をくっつける事はできません。検索結果を削除して、再検索しますか? Information - + 情報 + + + + The second Bibles 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節が除外されます。 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節が除外されます。 @@ -256,12 +295,12 @@ Do you want to continue anyway? 聖書 - + No Book Found 書名がみつかりません - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. 該当する書名がこの聖書に見つかりません。書名が正しいか確認してください。 @@ -278,7 +317,7 @@ Do you want to continue anyway? Edit the selected Bible. - 選択したスライドを編集します。 + 選択した聖書を編集します。 @@ -303,40 +342,50 @@ Do you want to continue anyway? <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. + 聖書データベースを最新の形式に更新します. BiblesPlugin.BibleManager - + Scripture Reference Error 書名章節番号エラー - + Web Bible cannot be used ウェブ聖書は使用できません - + Text Search is not available with Web Bibles. 本文検索はウェブ聖書では使用できません。 - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. 検索語句が入力されていません。 複数の語句をスペースで区切ると全てに該当する箇所を検索し、コンマ(,)で区切るといずれかに該当する箇所を検索します。 - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. - 利用可能な聖書がありません。インポートガイドを利用して、一つ以上の聖書をインストールしてください。 + 利用可能な聖書がありません。インポートウィザードを利用して、一つ以上の聖書をインストールしてください。 - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns: Book Chapter @@ -355,7 +404,7 @@ Book Chapter:Verse-Chapter:Verse 書 章:節-章:節 - + No Bibles Available 利用可能な聖書翻訳がありません @@ -414,42 +463,42 @@ Changes do not affect verses already in the service. Select Book Name - + 書名を選択 The following book name cannot be matched up internally. Please select the corresponding English name from the list. - + 以下の書名は内部で一致しませんでした。対応する英語名を一覧から選択してください。 Current name: - + 現在の名前: Corresponding name: - + 対応する名前: Show Books From - + 絞込み Old Testament - + 旧約 New Testament - + 新約 Apocrypha - + 旧約聖書続編 @@ -457,195 +506,234 @@ Changes do not affect verses already in the service. You need to select a book. - + 書名を選択してください。 + + + + BiblesPlugin.CSVBible + + + Importing books... %s + 書簡の取込み中...%s + + + + Importing verses from %s... + Importing verses from <book name>... + 節の取込み中 %s... + + + + Importing verses... done. + 節の取込み....完了。 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 + HTML構文エラー + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + 選択された聖書の展開に失敗しました。エラーが再び起こったときは、バグ報告を検討してください。 BiblesPlugin.ImportWizardForm - + Bible Import Wizard 聖書インポートウィザード - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. - この一連の手順を通じて、様々な聖書のデータを取り込む事ができます。次へボタンをクリックし、取り込む聖書のフォーマットを選択してください。 + このウィザードで、様々な聖書のデータを取り込む事ができます。次へボタンをクリックし、取り込む聖書のフォーマットを選択してください。 - + Web Download ウェブからダウンロード - + Location: サイト: - + Crosswalk - + Crosswalk - + BibleGateway - + BibleGateway - + Bible: 訳: - + Download Options ダウンロードオプション - + Server: サーバ: - + Username: ユーザ名: - + Password: パスワード: - + Proxy Server (Optional) プロキシサーバ (任意) - + License Details ライセンス詳細 - + Set up the Bible's license details. ライセンス詳細を設定してください。 - + Version name: 訳名: - + Copyright: 著作権: - + Please wait while your Bible is imported. 聖書データの取り込みが完了するまでしばらくお待ちください。 - + You need to specify a file with books of the Bible to use in the import. 取り込む聖書データの書簡を指定する必要があります。 - + You need to specify a file of Bible verses to import. 取り込む節の指定が必要です。 - + You need to specify a version name for your Bible. 聖書データのバージョン名を指定する必要があります。 - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. 著作権情報を入力してください。公共のサイトからの聖書もそのように入力ください。 - + Bible Exists 聖書が存在します - + This Bible already exists. Please import a different Bible or first delete the existing one. すでにこの聖書データは取り込み済みです。他の聖書データを取り込むか既に取り込まれた聖書を削除してください。 - + Your Bible import failed. 聖書データの取り込みに失敗しました。 - + Permissions: 使用許可: - + CSV File CSVファイル - + Bibleserver - + Bibleserver - + Bible file: 聖書訳: - + Books file: 書簡: - + Verses file: 節: - + openlp.org 1.x Bible Files openlp.org 1x 聖書ファイル - + Registering Bible... - + 聖書を登録中... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. - + 聖書を登録しました。本文は使用時にダウンロードされるため、インターネット接続が必要なことに注意してください。 @@ -653,83 +741,103 @@ demand and thus an internet connection is required. Select Language - + 言語を選択 OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. - + この聖書の訳の言語を判定することができませんでした。一覧から言語を選択してください。 Language: - 言語: + 言語: BiblesPlugin.LanguageForm - + You need to choose a language. - + 言語を選択する必要があります。 BiblesPlugin.MediaItem - + Quick 高速 - + Find: 検索: - + Book: 書名: - + Chapter: 章: - + Verse: 節: - + From: 開始: - + To: 終了: - + Text Search キーワード検索 - + Second: 第二訳: - + Scripture Reference 参照聖句 - + Toggle to keep or clear the previous results. - + 結果へ追加するか置換するかを切り替えます。 + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + 一つの聖書と複数の聖書の検索結果をくっつける事はできません。検索結果を削除して、再検索しますか? + + + + Bible not fully loaded. + 聖書が完全に読み込まれていません。 + + + + Information + 情報 + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + 第二訳には検索した箇所全てが含まれていません。両方の聖書に含まれている箇所を表示します。第%d節が除外されます。 @@ -758,236 +866,295 @@ demand and thus an internet connection is required. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory - + バックアップディレクトリを選択 - + Bible Upgrade Wizard - + 聖書更新ウィザード - + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. - + このウィザードで、古いバージョンのOpenLP 2の聖書を更新をします。次へをクリックして、更新作業を始めてください。 - + Select Backup Directory - + バックアップディレクトリを選択 - + Please select a backup directory for your Bibles - + バックアップディレクトリを選択 - + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. - + OpenLP 2.0の前のリリースでは更新した聖書を使用することができません。このウィザードでは現在の聖書のバックアップを作成するので、前のリリースを使用する必要があるときには、バックアップをOpenLPのデータディレクトリにコピーしてください。 - + 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 - + 更新する聖書を選択 + + + + Version name: + 訳名: - Version name: - 訳名: - - - This Bible still exists. Please change the name or uncheck it. - + 聖書が既に存在します。名前を変更するかチェックを外してください。 - + Upgrading - + 更新 - + Please wait while your Bibles are upgraded. - + 聖書の更新が完了するまでお待ちください。 You need to specify a Backup Directory for your Bibles. - + 聖書のバックアップディレクトリを選択する必要があります。 - + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. If you have write permissions and this error still occurs, please report a bug. + バックアップに失敗しました。 +聖書をバックアップするために、指定したディレクトリに書き込み権限があるか確認してください。もし書き込み権限があるにも関わらずこのエラーが再発する場合には、バグ報告をしてください。 + + + You need to specify a version name for your Bible. - 聖書データのバージョン名を指定する必要があります。 + 聖書データの訳名を指定する必要があります。 - + Bible Exists - 聖書が存在します + 聖書が存在します - + This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck. - + この聖書は既に存在します。異なる聖書を更新するか、存在する聖書を削除するか、チェックを外してください。 + + + + Starting upgrading Bible(s)... + 聖書の更新を開始中... There are no Bibles available to upgrade. - + 更新できる聖書がありません。 - + 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. If you have a working Internet connection and this error still occurs, please report a bug. + ウェブ聖書を更新するためにはインターネット接続が必要です。もしインターネットに接続されているにも関わらずこのエラーが再発する場合は、バグ報告をしてください。 + + + Upgrading Bible %s of %s: "%s" Upgrading %s ... - + 聖書の更新中(%s/%s): "%s" +更新中 %s... - + + Upgrading Bible %s of %s: "%s" +Done + 聖書の更新中(%s/%s): "%s" +完了 + + + , %s failed - + , 失敗: %s - + + Upgrading Bible(s): %s successful%s +Please note, that verses from Web Bibles will be downloaded +on demand and so an Internet connection is required. + 聖書更新: 成功: %s%s +ウェブ聖書の本文は使用時にダウンロードされるため、 +インターネット接続が必要なことに注意してください。 + + + Upgrading Bible(s): %s successful%s - + 聖書更新: 成功: %s%s - + Upgrade failed. - + 更新に失敗しました。 - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. - + バックアップに失敗しました。 +聖書をバックアップするため、指定されたディレクトリに書き込み権限があることを確認してください。 Starting Bible upgrade... - + 聖書の更新を開始しています... - + To upgrade your Web Bibles an Internet connection is required. - + ウェブ聖書を更新するためにはインターネット接続が必要です。 - + Upgrading Bible %s of %s: "%s" Complete + 聖書の更新中(%s/%s): "%s" +成功 + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + 聖書更新: 成功: %s%s +ウェブ聖書の本文は使用時にダウンロードされるため、インターネット接続が必要なことに注意してください。 + + + + You need to specify a backup directory for your Bibles. - - Upgrading Bible(s): %s successful%s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. CustomPlugin + + + <strong>Custom Plugin</strong><br />The custom plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + <strong>カスタムプラグイン</strong><br />カスタムプラグインは、カスタムのテキストを賛美などと同様に表示する機能を提供します。 + <strong>Custom Slide Plugin</strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. - + <strong>カスタムスライドプラグイン</strong><br />カスタムスライドプラグインは、任意のテキストを賛美などと同様に表示する機能を提供します。賛美プラグインよりも自由な機能を提供します。 Custom Slide name singular - + カスタムスライド Custom Slides name plural - + カスタムスライド Custom Slides container title - + カスタムスライド Load a new custom slide. - + 新しいカスタムスライドを読み込みます。 Import a custom slide. - + カスタムスライドをインポートします。 Add a new custom slide. - + 新しいカスタムスライドを追加します。 Edit the selected custom slide. - + 選択したカスタムスライドを編集します。 Delete the selected custom slide. - + 選択したカスタムスライドを削除します。 Preview the selected custom slide. - + 選択したカスタムスライドをプレビューします。 Send the selected custom slide live. - + 選択したカスタムスライドをライブへ送ります。 Add the selected custom slide to the service. - + 選択したカスタムスライドを礼拝プログラムに追加します。 @@ -1030,6 +1197,11 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Edit all the slides at once. すべてのスライドを一括編集。 + + + Split Slide + スライドを分割 + Split a slide into two by inserting a slide splitter. @@ -1041,14 +1213,14 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 外観テーマ(&m): - + You need to type in a title. タイトルの入力が必要です。 - + You need to add at least one slide - 最低一枚のスライドが必要です + 最低1枚のスライドが必要です @@ -1060,10 +1232,86 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Credits: クレジット(&C): + + + Split a slide into two only if it does not fit on the screen as one slide. + 1枚のスライドに納まらないときのみ、スライドが分割されます。 + Insert Slide - + スライドの挿入 + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slides(s)? + + + + + + + CustomsPlugin + + + Custom + name singular + カスタム + + + + Customs + name plural + カスタム + + + + Custom + container title + カスタム + + + + Load a new Custom. + 新しいカスタムを読み込みます。 + + + + Import a Custom. + カスタムをインポートします。 + + + + Add a new Custom. + 新しいカスタムを追加します。 + + + + Edit the selected Custom. + 選択したカスタムを編集します。 + + + + Delete the selected Custom. + 選択したカスタムを削除します。 + + + + Preview the selected Custom. + 選択したカスタムをプレビューします。 + + + + Send the selected Custom live. + 選択したカスタムをライブへ送ります。 + + + + Add the selected Custom to the service. + 選択したカスタムを礼拝プログラムに追加します。 @@ -1071,7 +1319,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I General - 一般 + 一般 @@ -1099,40 +1347,75 @@ 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. + 新しい画像を追加します。 + + + + Edit the selected Image. + 選択した画像を編集します。 + + + + Delete the selected Image. + 選択した画像を削除します。 + + + + Preview the selected Image. + 選択した画像をプレビューします。 + + + + Send the selected Image live. + 選択した画像をライブへ送ります。 + + + + Add the selected Image to the service. + 選択した画像を礼拝プログラムに追加します。 + Load a new image. - + 新しい画像を取込み。 Add a new image. - + 新しい画像を追加します。 Edit the selected image. - + 選択した画像を編集します。 Delete the selected image. - + 選択した画像を削除します。 Preview the selected image. - + 選択した画像をプレビューします。 Send the selected image live. - + 選択した画像をライブへ送ります。 Add the selected image to the service. - + 選択した画像を礼拝プログラムに追加します。 @@ -1146,42 +1429,47 @@ 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 delete. 削除する画像を選択してください。 - + You must select an image to replace the background with. 置き換える画像を選択してください。 - + Missing Image(s) 画像が見つかりません - + The following image(s) no longer exist: %s 以下の画像は既に存在しません - + The following image(s) no longer exist: %s Do you want to add the other images anyway? 以下の画像は既に存在しません:%s それでも他の画像を追加しますか? - + There was a problem replacing your background, the image file "%s" no longer exists. 背景画像を置換する際に問題が発生しました。画像ファイル"%s"が存在しません。 + + + There was no display item to amend. + + MediaPlugin @@ -1208,79 +1496,119 @@ Do you want to add the other images anyway? container title メディア + + + Load a new Media. + 新しいメディアを読み込みます。 + + + + Add a 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. + 選択したメディアを礼拝プログラムに追加します。 + Load new media. - + 新しいメディアを読み込みます。 Add new media. - + 新しいメディアを追加します。 Edit the selected media. - + 選択したメディアを編集します。 Delete the selected media. - + 選択したメディアを削除します。 Preview the selected media. - + 選択したメディアをプレビューします。 Send the selected media live. - + 選択したメディアをライブへ送ります。 Add the selected media to the service. - + 選択したメディアを礼拝プログラムに追加します。 MediaPlugin.MediaItem - + Select Media メディア選択 - + You must select a media file to delete. 削除するメディアファイルを選択してください。 - + Missing Media File メディアファイルが見つかりません - + The file %s no longer exists. ファイル %s が見つかりません。 - + 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"は既に存在しません。 - + Videos (%s);;Audio (%s);;%s (*) ビデオ (%s);;オーディオ (%s);;%s (*) + + + There was no display item to amend. + + MediaPlugin.MediaTab @@ -1298,21 +1626,23 @@ Do you want to add the other images anyway? OpenLP - + Image Files 画像ファイル Information - + 情報 Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? - + 聖書の形式が変更されました。 +聖書を更新する必要があります。 +今OpenLPが更新を行っても良いですか? @@ -1483,13 +1813,20 @@ 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 contributing by using the button below. - + OpenLP <version><revision> - オープンソース賛美詞投射ソフトウェア + +OpenLPは、教会専用のフリー(無償及び利用に関して)のプレゼンテーション及び賛美詞投射ソフトウェアです。パソコンとプロジェクターを用いて、聖書箇所、画像また他プレゼンテーションデータ(OpenOffice.orgやPowerPoint/Viewerが必要)をスライド表示する事ができます。 + +http://openlp.org/にて詳しくご紹介しております。 + +OpenLPは、ボランティアの手により開発保守されています。もっと多くのクリスチャンの手によるフリーのソフトウェア開発に興味がある方は、以下のボタンからどうぞ。 Copyright © 2004-2011 %s Portions copyright © 2004-2011 %s - + Copyright © 2004-2011 %s +Portions copyright © 2004-2011 %s @@ -1583,82 +1920,87 @@ Portions copyright © 2004-2011 %s OpenLP.DisplayTagDialog - + Edit Selection - 選択項目を編集 + 選択項目を編集 - + Description - 説明 + 説明 + + + + Tag + タグ + + + + Start tag + 開始タグ - Tag - タグ - - - - Start tag - 開始タグ - - - End tag - 終了タグ + 終了タグ - + Tag Id - タグID + タグID - + Start HTML - 開始HTML + 開始HTML - + End HTML - 終了HTML + 終了HTML - + Save - + 保存 OpenLP.DisplayTagTab - + Update Error - 更新エラー + 更新エラー Tag "n" already defined. - タグ「n」は既に定義されています。 + タグ「n」は既に定義されています。 - + Tag %s already defined. - タグ「%s」は既に定義されています。 + タグ「%s」は既に定義されています。 New Tag - + 新しいタグ + + + + <Html_here> + <Html_here> </and here> - + </and here> <HTML here> - + <Html_here> @@ -1666,82 +2008,82 @@ Portions copyright © 2004-2011 %s Red - + Black - + Blue - + Yellow - + Green - + Pink - + ピンク Orange - + Purple - + White - + Superscript - + 上付き Subscript - + 下付き Paragraph - + 段落 Bold - 太字 + 太字 Italics - + 斜体 Underline - + 下線 Break - + 改行 @@ -1911,24 +2253,24 @@ Version: %s ダウンロード中 %s... - + Download complete. Click the finish button to start OpenLP. - ダウンロードが完了しました。終了ボタンが押下されると、OpenLPを開始します。 + ダウンロードが完了しました。完了をクリックすると、OpenLPが開始します。 - + Enabling selected plugins... 選択されたプラグインを有効化しています... First Time Wizard - 初回利用ガイド + 初回起動ウィザード Welcome to the First Time Wizard - 初回起動ガイドへようこそ + 初回起動ウィザードへようこそ @@ -1948,7 +2290,7 @@ Version: %s Custom Text - カスタムテキスト + カスタムテキスト @@ -2002,11 +2344,11 @@ Version: %s To re-run the First Time Wizard and import this sample data at a later stage, press the cancel button now, check your Internet connection, and restart OpenLP. To cancel the First Time Wizard completely, press the finish button now. - インターネット接続が見つかりませんでした。初回起動ガイドは、サンプルとなる聖書、テーマ、賛美データを取得するためにインターネット接続を必要とします。 + インターネット接続が見つかりませんでした。初回起動ウィザードは、サンプルとなる聖書、テーマ、賛美データを取得するためにインターネット接続を必要とします。 -初回起動ガイドを後で再実行しサンプルをインポートしたい場合は、キャンセルボタンをクリックし、インターネット接続を確認してから、OpenLPを再起動してください。P. +初回起動ウィザードを後で再実行しサンプルをインポートしたい場合は、キャンセルボタンをクリックし、インターネット接続を確認してから、OpenLPを再起動してください。P. -初回起動ガイドを完全にキャンセルする場合は、終了ボタンを押下してください。 +初回起動ウィザードを完全にキャンセルする場合は、終了ボタンを押下してください。 @@ -2016,7 +2358,7 @@ To cancel the First Time Wizard completely, press the finish button now. Select and download public domain songs. - 以下のキリスト教化において合法的に利用が可能な賛美を選択して下さい。 + パブリックドメインの賛美を選択する事でダウンロードできます。 @@ -2036,7 +2378,7 @@ To cancel the First Time Wizard completely, press the finish button now. Select and download sample themes. - サンプル外観テーマを選択して、ダウンロードして下さい。 + サンプル外観テーマを選択する事でダウンロードできます。 @@ -2048,6 +2390,16 @@ To cancel the First Time Wizard completely, press the finish button now.Set up default settings to be used by OpenLP. 既定設定がOpenLPに使われるようにセットアップします。 + + + Setting Up And Importing + セットアップとインポート中 + + + + Please wait while OpenLP is set up and your data is imported. + OpenLPがセットアップされ、あなたのデータがインポートされるまでお待ち下さい。 + Default output display: @@ -2066,28 +2418,212 @@ To cancel the First Time Wizard completely, press the finish button now. This wizard will help you to configure OpenLP for initial use. Click the next button below to start. - + このウィザードで、OpenLPを初めて使用する際の設定をします。次へをクリックして開始してください。 - + Setting Up And Downloading - - - - - Please wait while OpenLP is set up and your data is downloaded. - - - - - Setting Up - + 設定とダウンロード中 + Please wait while OpenLP is set up and your data is downloaded. + OpenLPがセットアップされ、あなたのデータがインポートされるまでお待ち下さい。 + + + + Setting Up + 設定中 + + + Click the finish button to start OpenLP. + 完了をクリックすると、OpenLPが開始します。 + + + + Custom Slides + カスタムスライド + + + + Download complete. Click the finish button to return to OpenLP. + + + Click the finish button to return to OpenLP. + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Edit Selection + 選択項目を編集 + + + + Save + 保存 + + + + Description + 説明 + + + + Tag + タグ + + + + Start tag + 開始タグ + + + + End tag + 終了タグ + + + + Tag Id + タグID + + + + Start HTML + 開始HTML + + + + End HTML + 終了HTML + + + + OpenLP.FormattingTagForm + + + Update Error + 更新エラー + + + + Tag "n" already defined. + タグ「n」は既に定義されています。 + + + + New Tag + 新しいタグ + + + + <HTML here> + <Html_here> + + + + </and here> + </and here> + + + + Tag %s already defined. + タグ「%s」は既に定義されています。 + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + ピンク + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + 上付き + + + + Subscript + 下付き + + + + Paragraph + 段落 + + + + Bold + 太字 + + + + Italics + 斜体 + + + + Underline + 下線 + + + + Break + 改行 + OpenLP.GeneralTab @@ -2174,12 +2710,12 @@ To cancel the First Time Wizard completely, press the finish button now. X - + X Y - + Y @@ -2209,12 +2745,12 @@ To cancel the First Time Wizard completely, press the finish button now. Enable slide wrap-around - + スライドの最後から最初に戻る Timed slide interval: - + 時間付きスライドの間隔: @@ -2233,7 +2769,7 @@ To cancel the First Time Wizard completely, press the finish button now. OpenLP.MainDisplay - + OpenLP Display OpenLP ディスプレイ @@ -2241,313 +2777,313 @@ To cancel the First Time Wizard completely, press the finish button now. OpenLP.MainWindow - + &File ファイル(&F) - + &Import インポート(&I) - + &Export エクスポート(&E) - + &View 表示(&V) - + M&ode モード(&O) - + &Tools ツール(&T) - + &Settings 設定(&S) - + &Language 言語(&L) - + &Help ヘルプ(&H) - + Media Manager メディアマネジャー - + Service Manager 礼拝プログラム - + Theme Manager 外観テーママネジャー - + &New 新規作成(&N) - + &Open 開く(&O) - + Open an existing service. 存在する礼拝プログラムを開きます。 - + &Save 保存(&S) - + Save the current service to disk. 現在の礼拝プログラムをディスクに保存します。 - + Save &As... 名前を付けて保存(&A)... - + Save Service As 名前をつけて礼拝プログラムを保存 - + Save the current service under a new name. 現在の礼拝プログラムを新しい名前で保存します。 - + E&xit 終了(&X) - + Quit OpenLP Open LPを終了 - + &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. ライブパネルの可視性を切り替える。 - + &Plugin List プラグイン一覧(&P) - + List the Plugins プラグイン一覧 - + &User Guide ユーザガイド(&U) - + &About バージョン情報(&A) - + More information about OpenLP OpenLPの詳細情報 - + &Online Help オンラインヘルプ(&O) - + &Web Site ウェブサイト(&W) - + Use the system language, if available. システム言語を可能であれば使用します。 - + Set the interface language to %s インターフェイス言語を%sに設定 - + Add &Tool... ツールの追加(&T)... - + Add an application to the list of tools. ツールの一覧にアプリケーションを追加。 - + &Default デフォルト(&D) - + Set the view mode back to the default. 表示モードを既定に戻す。 - + &Setup 設定(&S) - + Set the view mode to Setup. ビューモードに設定します。 - + &Live ライブ(&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です。) + 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 @@ -2556,53 +3092,111 @@ http://openlp.org/から最新版がダウンロード可能です。日本語 - + Configure &Shortcuts... ショートカットの設定(&S)... - + Close OpenLP OpenLPの終了 - + Are you sure you want to close OpenLP? 本当にOpenLPを終了してもよろしいですか? - - &Configure Display Tags - 表示タグを設定(&C) + + Print the current Service Order. + 現在の礼拝プログラム順序を印刷します。 - + + &Configure Display Tags + 表示タグを設定(&C) + + + 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 - - Print the current service. + + 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. + + + + + &Recent Files + + + + + &Configure Formatting Tags... + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. @@ -2614,54 +3208,83 @@ http://openlp.org/から最新版がダウンロード可能です。項目の選択がありません - + &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の項目を選択してください。 - + + Duplicate file name %s. +Filename already exists in list + 重複するファイル名 %s +このファイル名は既にリストに存在します + + + You must select one or more items to add. - + 追加するには、一つ以上の項目を選択してください。 - + No Search Results - + 見つかりませんでした - + Duplicate filename %s. This filename is already in the list + 重複するファイル名: %s +このファイル名は既に一覧に存在します。 + + + + &Clone + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + Duplicate files found on import and ignored. @@ -2711,12 +3334,12 @@ This filename is already in the list OpenLP.PrintServiceDialog - + Fit Page サイズをページに合わせる - + Fit Width サイズをページの横幅に合わせる @@ -2724,68 +3347,88 @@ This filename is already in the list OpenLP.PrintServiceForm - + Options オプション Close - 閉じる + 閉じる - + 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 メディア項目の再生時間を含める - + + Service Order Sheet + 礼拝プログラム順序シート + + + Add page break before each text item テキスト項目毎に改ページ - + Service Sheet + 礼拝シート + + + + Print + + + + + Title: + + + + + Custom Footer Text: @@ -2802,10 +3445,23 @@ This filename is already in the list プライマリ + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + OpenLP.ServiceItemEditForm - + Reorder Service Item 礼拝項目を並べ替え @@ -2813,257 +3469,277 @@ This filename is already in the list OpenLP.ServiceManager - + Move to &top 一番上に移動(&t) - + Move item to the top of the service. 選択した項目を最も上に移動する。 - + Move &up 一つ上に移動(&u) - + Move item up one position in the service. 選択した項目を1つ上に移動する。 - + Move &down 一つ下に移動(&d) - + Move item down one position in the service. 選択した項目を1つ下に移動する。 - + Move to &bottom 一番下に移動(&b) - + Move item to the end of the service. 選択した項目を最も下に移動する。 - + &Delete From Service 削除(&D) - + Delete the selected item from the service. 選択した項目を礼拝プログラムから削除する。 - + &Add New Item 新しい項目を追加(&A) - + &Add to Selected Item 選択された項目を追加(&A) - + &Edit Item 項目の編集(&E) - + &Reorder Item 項目を並べ替え(&R) - + &Notes メモ(&N) - + &Change Item Theme 項目の外観テーマを変更(&C) - + File is not a valid service. The content encoding is not UTF-8. 礼拝プログラムファイルが有効でありません。 エンコードがUTF-8でありません。 - + File is not a valid service. 礼拝プログラムファイルが有効でありません。 - + Missing Display Handler ディスプレイハンドラが見つかりません - + Your item cannot be displayed as there is no handler to display it ディスプレイハンドラが見つからないため項目を表示する事ができません - + Your item cannot be displayed as the plugin required to display it is missing or inactive 必要なプラグインが見つからないか無効なため、項目を表示する事ができません - + &Expand all すべて展開(&E) - + Expand all the service items. 全ての項目を展開する。 - + &Collapse all すべて折り畳む(&C) - + Collapse all the service items. 全ての項目を折り畳みます。 - + Open File ファイルを開く - + OpenLP Service Files (*.osz) OpenLP 礼拝プログラムファイル (*.osz) - + Moves the selection down the window. 選択をウィンドウの下に移動する。 - + Move up 上に移動 - + Moves the selection up the window. 選択をウィンドウの上に移動する。 - + Go Live - ライブへGO + ライブへ送る - + Send the selected item to Live. 選択された項目をライブ表示する。 - + Modified Service 礼拝プログラムの編集 - + &Start Time 開始時間(&S) - + Show &Preview プレビュー表示(&P) - + Show &Live ライブ表示(&L) - + The current service has been modified. Would you like to save this service? 現在の礼拝プログラムは、編集されています。保存しますか? - + File could not be opened because it is corrupt. ファイルが破損しているため開けません。 - + Empty File 空のファイル - + This service file does not contain any data. この礼拝プログラムファイルは空です。 - + Corrupt File 破損したファイル - + Custom Service Notes: - カスタム礼拝項目メモ: + 礼拝項目メモ: - + Notes: メモ: - + Playing time: 再生時間: - + Untitled Service 無題 - + + This file is either corrupt or not an OpenLP 2.0 service file. + このファイルは破損しているかOpenLP 2.0の礼拝プログラムファイルではありません。 + + + Load an existing service. 既存の礼拝プログラムを読み込みます。 - + Save this service. 礼拝プログラムを保存します。 - + Select a theme for the service. 礼拝プログラムの外観テーマを選択します。 - + This file is either corrupt or it is not an OpenLP 2.0 service file. + このファイルは破損しているかOpenLP 2.0の礼拝プログラムファイルではありません。 + + + + Slide theme + + + + + Notes + + + + + Service File Missing OpenLP.ServiceNoteForm - + Service Item Notes 礼拝項目メモ @@ -3081,7 +3757,7 @@ The content encoding is not UTF-8. Customize Shortcuts - ショートカットのカスタマイズ + ショートカットのカスタマイズ @@ -3094,12 +3770,12 @@ The content encoding is not UTF-8. ショートカット - + Duplicate Shortcut ショートカットの重複 - + The shortcut "%s" is already assigned to another action, please use a different shortcut. このショートカット"%s"は既に他の動作に割り振られています。他のショートカットをご利用ください。 @@ -3134,50 +3810,55 @@ The content encoding is not UTF-8. この動作のショートカットを初期値に戻す。 - + Restore Default Shortcuts ショートカットを初期設定に戻す - + Do you want to restore all shortcuts to their defaults? 全てのショートカットを初期設定に戻しますか? + + + Configure Shortcuts + + OpenLP.SlideController - + Hide 隠す Go To - + 送る - + Blank Screen スクリーンをブランク - + Blank to Theme 外観テーマをブランク - + Show Desktop デスクトップを表示 - + Previous Slide 前スライド - + Next Slide 次スライド @@ -3197,70 +3878,70 @@ The content encoding is not UTF-8. 項目をエスケープ - + Move to previous. - + 前に移動。 - + Move to next. - + 次に移動。 - + Play Slides - + スライドを再生 Play Slides in Loop - + スライドを繰り返し再生 Play Slides to End - + スライドを最後まで再生 Delay between slides in seconds. - + スライドの再生時間を秒で指定する。 Move to live. - + ライブへ移動する。 Add to Service. - + 礼拝プログラムへ追加する。 Edit and reload song preview. - + 編集しプレビューを再読み込みする。 Start playing media. - + メディアの再生を開始する。 OpenLP.SpellTextEdit - + Spelling Suggestions 綴りの推奨 - + Formatting Tags タグフォーマット - + Language: 言語: @@ -3307,15 +3988,25 @@ The content encoding is not UTF-8. Time Validation Error 時間検証エラー + + + End time is set after the end of the media item + 終了時間がメディア項目の終了時間より後に設定されています + + + + Start time is after the End Time of the media item + 開始時間がメディア項目の終了時間より後に設定されています + Finish time is set after the end of the media item - + 終了時間がメディア項目の終了より後に設定されています Start time is after the finish time of the media item - + 開始時間がメディア項目の終了時間より後に設定されています @@ -3348,209 +4039,215 @@ The content encoding is not UTF-8. (approximately %d lines per slide) - + (スライド1枚におよそ%d行) OpenLP.ThemeManager - + Create a new theme. 新しい外観テーマを作成する。 - + Edit Theme 外観テーマ編集 - + Edit a theme. 外観テーマの編集する。 - + Delete Theme 外観テーマ削除 - + Delete a theme. 外観テーマの削除する。 - + Import Theme 外観テーマインポート - + Import a theme. 外観テーマのインポートをする。 - + Export Theme 外観テーマのエキスポート - + Export a theme. 外観テーマのエキスポートをする。 - + &Edit Theme 外観テーマの編集(&E) - + &Delete Theme 外観テーマの削除(&D) - + Set As &Global Default 全体の既定として設定(&G)) - + %s (default) %s (既定) - + You must select a theme to edit. 編集する外観テーマを選択してください。 - + You are unable to delete the default theme. 既定の外観テーマを削除する事はできません。 - + Theme %s is used in the %s plugin. %s プラグインでこの外観テーマは利用されています。 - + You have not selected a theme. 外観テーマの選択がありません。 - + Save Theme - (%s) 外観テーマを保存 - (%s) - + Theme Exported 外観テーマエキスポート - + Your theme has been successfully exported. 外観テーマは正常にエキスポートされました。 - + Theme Export Failed 外観テーマのエキスポート失敗 - + Your theme could not be exported due to an error. エラーが発生したため外観テーマは、エキスポートされませんでした。 - + Select Theme Import File インポート対象の外観テーマファイル選択 - + File is not a valid theme. The content encoding is not UTF-8. ファイルは無効な外観テーマです。文字コードがUTF-8ではありません。 - + 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. 同名の外観テーマが既に存在します。 - + OpenLP Themes (*.theme *.otz) OpenLP 外観テーマ (*.theme *.otz) + + + Copy of %s + Copy of <theme name> + + OpenLP.ThemeWizard Theme Wizard - 外観テーマガイド + 外観テーマウィザード Welcome to the Theme Wizard - 外観テーマガイドをようこそ + 外観テーマウィザードをようこそ @@ -3725,7 +4422,7 @@ The content encoding is not UTF-8. px - + px @@ -3765,7 +4462,7 @@ The content encoding is not UTF-8. 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. - このガイドは、あなたの外観テーマを作成編集する手助けをします。次へをクリックして、背景を選択してください。 + このウィザードで、外観テーマを作成し編集します。次へをクリックして、背景を選択してください。 @@ -3782,6 +4479,16 @@ The content encoding is not UTF-8. Edit Theme - %s 外観テーマ編集 - %s + + + Starting color: + + + + + Ending color: + + OpenLP.ThemesTab @@ -3825,31 +4532,36 @@ The content encoding is not UTF-8. Use the global theme, overriding any themes associated with either the service or the songs. 全体外観テーマを用い、すべての礼拝プログラムや賛美に関連付けられた外観テーマを上書きします。 + + + Themes + 外観テーマ + OpenLP.Ui - + Error エラー - + &Delete 削除(&D) - + Delete the selected item. 選択された項目を削除。 - + Move selection up one position. 選択された項目を一つ上げる。 - + Move selection down one position. 選択された項目を一つ下げる。 @@ -3899,40 +4611,40 @@ The content encoding is not UTF-8. 新規礼拝プログラムを作成します。 - + &Edit 編集(&E) - + Empty Field 空のフィールド - + Export エキスポート - + pt Abbreviated font pointsize unit - + pt - + Image 画像 - + Import インポート Length %s - 長さ %s + 長さ %s @@ -3944,6 +4656,11 @@ The content encoding is not UTF-8. Live Background Error ライブ背景エラー + + + Live Panel + ライブパネル + Load @@ -3996,93 +4713,118 @@ The content encoding is not UTF-8. openlp.org 1.x - + openlp.org 1.x OpenLP 2.0 - + OpenLP 2.0 - + + Open Service + 礼拝プログラムを開く + + + Preview プレビュー - + + Preview Panel + プレビューパネル + + + + Print Service Order + 礼拝プログラム順序を印刷 + + + Replace Background 背景を置換 - + + Replace Live Background + ライブの背景を置換 + + + Reset Background 背景をリセット - + + Reset Live Background + ライブの背景をリセット + + + s The abbreviated unit for seconds - + Save && Preview 保存してプレビュー - + Search 検索 - + You must select an item to delete. 削除する項目を選択して下さい。 - + You must select an item to edit. 編集する項目を選択して下さい。 - + Save Service 礼拝プログラムの保存 - + Service 礼拝プログラム - + Start %s 開始 %s - + Theme Singular 外観テーマ - + Themes Plural 外観テーマ - + Top 上部 - + Version バージョン - + &Vertical Align: 垂直整列(&V): @@ -4129,7 +4871,7 @@ The content encoding is not UTF-8. %p% - + %p% @@ -4148,19 +4890,19 @@ The content encoding is not UTF-8. インポート元となる%sファイルを最低一つ選択する必要があります。 - + Welcome to the Bible Import Wizard - 聖書インポートガイドへようこそ + 聖書インポートウィザードへようこそ - + Welcome to the Song Export Wizard - 賛美エキスポートガイドへようこそ + 賛美エキスポートウィザードへようこそ Welcome to the Song Import Wizard - 賛美インポートガイドへようこそ + 賛美インポートウィザードへようこそ @@ -4210,38 +4952,38 @@ The content encoding is not UTF-8. © - + Continuous 連続 - + Default 初期設定 - + Display style: 表示スタイル: - + File ファイル - + Help ヘルプ - + h The abbreviated unit for hours - + Layout style: レイアウトスタイル: @@ -4262,37 +5004,37 @@ The content encoding is not UTF-8. OpenLPは既に実行されています。続けますか? - + Settings 設定 - + Tools ツール - + Verse Per Slide スライドに1節 - + Verse Per Line 1行に1節 - + View 表示 - + Duplicate Error 重複エラー - + Unsupported File サポートされていないファイル @@ -4307,52 +5049,77 @@ The content encoding is not UTF-8. XML構文エラー - + View Mode - + 表示モード - + Welcome to the Bible Upgrade Wizard - + 聖書更新ウィザードへようこそ Open service. - - - - - Print Service - + 礼拝プログラムを開きます。 - Replace live background. - + Print Service + 礼拝プログラムを印刷 + Replace live background. + ライブの背景を置換します。 + + + Reset live background. - + ライブの背景をリセットします。 - + &Split + 分割(&S) + + + + Split a slide into two only if it does not fit on the screen as one slide. + 1枚のスライドに納まらないときのみ、スライドが分割されます。 + + + + Confirm Delete - - Split a slide into two only if it does not fit on the screen as one slide. + + Play Slides in Loop + スライドを繰り返し再生 + + + + Play Slides to End + スライドを最後まで再生 + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End OpenLP.displayTagDialog - + Configure Display Tags - 表示タグを設定 + 表示タグを設定 @@ -4380,81 +5147,106 @@ The content encoding is not UTF-8. 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. + 選択したプレゼンテーションを礼拝プログラムに追加します。 + Load a new presentation. - + 新しいプレゼンテーションを読み込みます。 Delete the selected presentation. - + 選択したプレゼンテーションを削除します。 Preview the selected presentation. - + 選択したプレゼンテーションをプレビューします。 Send the selected presentation live. - + 選択したプレゼンテーションをライブへ送ります。 Add the selected presentation to the service. - + 選択したプレゼンテーションを礼拝プログラムに追加します。 PresentationPlugin.MediaItem - + Select Presentation(s) プレゼンテーション選択 - + Automatic 自動 - + Present using: 使用プレゼン: - + File Exists ファイルが存在します - + A presentation with that filename already exists. そのファイル名のプレゼンテーションは既に存在します。 - + This type of presentation is not supported. このタイプのプレゼンテーションはサポートされておりません。 - + Presentations (%s) プレゼンテーション (%s) - + Missing Presentation 不明なプレゼンテーション - + The Presentation %s no longer exists. プレゼンテーション%sが見つかりません。 - + The Presentation %s is incomplete, please reload. プレゼンテーション%sは不完全です。再度読み込んでください。 @@ -4506,94 +5298,99 @@ The content encoding is not UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote - + OpenLP 2.0 遠隔操作 - + OpenLP 2.0 Stage View - + OpenLP 2.0 ステージビュー Service Manager - 礼拝プログラム - - - - Slide Controller - + 礼拝プログラム - Alerts - 警告 - - - - Search - 検索 + Slide Controller + スライドコントローラ - Back - + Alerts + 警告 - Refresh - + Search + 検索 - Blank - + Back + 戻る - Show - + Refresh + 再読込 - Prev - + Blank + ブランク - Next - + Show + 表示 - Text - + Prev + - Show Alert - + Next + + Text + テキスト + + + + Show Alert + 警告を表示 + + + Go Live - ライブへGO + ライブへ送る Add To Service - + 礼拝プログラムへ追加 - + No Results - + 見つかりませんでした + + + + Options + オプション - Options - オプション + Add to Service + @@ -4616,79 +5413,89 @@ The content encoding is not UTF-8. Remote URL: - + 遠隔操作URL: Stage view URL: - + ステージビューURL: SongUsagePlugin - + &Song Usage Tracking 賛美の利用記録(&S) - + &Delete Tracking Data 利用記録を削除(&D) - + Delete song usage data up to a specified date. 削除する利用記録の対象となるまでの日付を指定してください。 - + &Extract Tracking Data 利用記録の抽出(&E) - + Generate a report on song usage. 利用記録のレポートを出力する。 - + Toggle Tracking 記録の切り替え - + Toggle the tracking of song usage. 賛美の利用記録の切り替える。 - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>SongUsage Plugin</strong><br />このプラグインは、賛美の利用頻度を記録します。 - + SongUsage name singular 利用記録 - + SongUsage name plural 利用記録 - + SongUsage container title 利用記録 - + Song Usage 利用記録 + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + SongUsagePlugin.SongUsageDeleteForm @@ -4748,7 +5555,7 @@ The content encoding is not UTF-8. usage_detail_%s_%s.txt - + usage_detail_%s_%s.txt @@ -4828,72 +5635,72 @@ has been successfully created. 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) + 日本語 (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) @@ -4916,37 +5723,67 @@ 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. + 選択した賛美を礼拝プログラムに追加します。 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. - + 選択した賛美を礼拝プログラムに追加します。 @@ -4998,190 +5835,197 @@ The encoding is responsible for the correct character representation. SongsPlugin.EasyWorshipSongImport - + Administered by %s %s によって管理されています + + + +[above are Song Tags with notes imported from + EasyWorship] + + SongsPlugin.EditSongForm - + Song Editor ソングエディタ - + &Title: タイトル(&T): - + Alt&ernate title: サブタイトル(&e): - + &Lyrics: 賛美詞(&L): - + &Verse order: 節順(&V): - + Ed&it All 全て編集(&E) - + Title && Lyrics タイトル && 賛美詞 - + &Add to Song 賛美に追加(&A) - + &Remove 削除(&R) - + &Manage Authors, Topics, Song Books アーティスト、題目、アルバムを管理(&M) - + A&dd to Song 賛美に追加(&A) - + R&emove 削除(&e) - + Book: 書名: - + Number: ナンバー: - + Authors, Topics && Song Book アーティスト、題目 && アルバム - + New &Theme 新しい外観テーマ(&N) - + Copyright Information 著作権情報 - + Comments コメント - + Theme, Copyright Info && Comments 外観テーマ、著作情報 && コメント - + Add Author アーティストを追加 - + This author does not exist, do you want to add them? アーティストが存在しません。追加しますか? - + This author is already in the list. 既にアーティストは一覧に存在します。 - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. 有効なアーティストを選択してください。一覧から選択するか新しいアーティストを入力し、"賛美にアーティストを追加"をクリックしてください。 - + Add Topic トピックを追加 - + This topic does not exist, do you want to add it? このトピックは存在しません。追加しますか? - + This topic is already in the list. このトピックは既に存在します。 - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. 有効なトピックを選択してください。一覧から選択するか新しいトピックを入力し、"賛美にトピックを追加"をクリックしてください。 - + You need to type in a song title. 賛美のタイトルを入力する必要があります。 - + You need to type in at least one verse. 最低一つのバースを入力する必要があります。 - + Warning 警告 - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. バース順序が無効です。%sに対応するバースはありません。%sは有効です。 - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? %sはバース順序で使われていません。本当にこの賛美を保存しても宜しいですか? - + Add Book アルバムを追加 - + This song book does not exist, do you want to add it? アルバムが存在しません、追加しますか? - + You need to have an author for this song. アーティストを入力する必要があります。 - + You need to type some text in to the verse. バースにテキストを入力する必要があります。 @@ -5203,111 +6047,121 @@ The encoding is responsible for the correct character representation. &Insert 挿入(&I) + + + &Split + 分割(&S) + + + + Split a slide into two only if it does not fit on the screen as one slide. + 1枚のスライドに納まらないときのみ、スライドが分割されます。 + Split a slide into two by inserting a verse splitter. - + スライド分割機能を用い、スライドを分割してください。 SongsPlugin.ExportWizardForm - + Song Export Wizard - 賛美エキスポートガイド + 賛美エキスポートウィザード - + This wizard will help to export your songs to the open and free OpenLyrics worship song format. - このガイドは、あなたの賛美がオープンなOpenLyrics worship song形式としてエキスポートする手伝いをします。 + このウィザードで、賛美をオープンで無償なOpenLyrics worship song形式としてエキスポートできます。 - + 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. - + 賛美を保存したいディレクトリを選択してください。 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. - このガイドは、様々なフォーマットの賛美をインポートする手助けをします。次へをクリックし、インポートするファイルのフォーマットを選択してください。 + このウィザードで、様々な形式の賛美をインポートします。次へをクリックし、インポートするファイルの形式を選択してください。 @@ -5334,48 +6188,58 @@ The encoding is responsible for the correct character representation. Remove File(s) ファイルの削除 + + + The Songs of Fellowship importer has been disabled because OpenLP cannot find OpenOffice.org on your computer. + Songs of Fellowshipの取込み機能は、お使いのパソコンにOpenOffice.orgがインストールされていないためご利用になれません。 + + + + The generic document/presentation importer has been disabled because OpenLP cannot find OpenOffice.org on your computer. + 汎用的なドキュメント/プレゼンテーション取込機能は、お使いのパソコンにOpenOffice.orgがインストールされていないためご利用になれません。 + Please wait while your songs are imported. 賛美がインポートされるまでしばらくお待ちください。 - + OpenLP 2.0 Databases OpenLP 2.0 データベース - + openlp.org v1.x Databases openlp.org v1.x データベース - + Words Of Worship Song Files Words Of Worship Song ファイル - + You need to specify at least one document or presentation file to import from. インポート対象となる最低一つのドキュメント又はプレゼンテーションファイルを選択する必要があります。 - + Songs Of Fellowship Song Files Songs Of Fellowship Song ファイル - + SongBeamer Files SongBeamerファイル - + SongShow Plus Song Files SongShow Plus Songファイル - + Foilpresenter Song Files Foilpresenter Song ファイル @@ -5392,58 +6256,64 @@ The encoding is responsible for the correct character representation. 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に接続できないため、汎用ドキュメント/プレゼンテーションのインポート機能は無効になっています。 SongsPlugin.MediaItem - + Titles タイトル - + Lyrics 賛美詞 Delete Song(s)? - これらの賛美を削除しますか? + これらの賛美を削除しますか? - + CCLI License: CCLI ライセンス: - + Entire Song 賛美全体 - + Are you sure you want to delete the %n selected song(s)? 選択された%n件の賛美を削除します。宜しいですか? - + Maintain the lists of authors, topics and books. アーティスト、トピックとアルバムの一覧を保守します。 + + + copy + For song cloning + + SongsPlugin.OpenLP1SongImport - + Not a valid openlp.org 1.x song database. 有効なopenlp.org v1.xデータベースではありません。 @@ -5459,7 +6329,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.OpenLyricsExport - + Exporting "%s"... 「%s」をエキスポートしています... @@ -5490,12 +6360,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongExportForm - + Finished export. エキスポート完了。 - + Your song export failed. 賛美のエキスポートに失敗しました。 @@ -5503,35 +6373,40 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright 著作権 - + The following songs could not be imported: 以下の賛美はインポートできませんでした: - + + Unable to open OpenOffice.org or LibreOffice + OpenOfficeまたはLibreOfficeを開けません + + + Unable to open file - + ファイルを開けません - + File not found - + ファイルが見つかりません - + Cannot access OpenOffice or LibreOffice - + OpenOfficeまたはLibreOfficeに接続できません SongsPlugin.SongImportForm - + Your song import failed. 賛美のインポートに失敗しました。 @@ -5733,7 +6608,7 @@ The encoding is responsible for the correct character representation. Themes - 外観テーマ + 外観テーマ diff --git a/resources/i18n/ko.ts b/resources/i18n/ko.ts index 65788fa9d..c378a6692 100644 --- a/resources/i18n/ko.ts +++ b/resources/i18n/ko.ts @@ -1,30 +1,5 @@ - - - AlertPlugin.AlertForm - - - You have not entered a parameter to be replaced. -Do you want to continue anyway? - - - - - No Parameter Found - - - - - No Placeholder Found - - - - - The alert text does not contain '<>'. -Do you want to continue anyway? - - - + AlertsPlugin @@ -40,7 +15,7 @@ Do you want to continue anyway? <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen - <strong>경고 플러그인</strong><br />경고 플러그인은 디스플레이 화면에 경고를 출력하는 것을 통제합니다. + <strong>경고 플러그인</strong><br />경고 플러그인은 디스플레이 화면에 경고를 출력하는 것을 통제합니다. @@ -60,6 +35,11 @@ Do you want to continue anyway? container title 경고 + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. + + AlertsPlugin.AlertForm @@ -108,6 +88,28 @@ Do you want to continue anyway? &Parameter: + + + No Parameter Found + + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + + + + + No Placeholder Found + + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + + AlertsPlugin.AlertsManager @@ -150,84 +152,6 @@ Do you want to continue anyway? 경고 타임아웃: - - BibleDB.Wizard - - - Importing books... %s - - - - - Importing verses from %s... - Importing verses from <book name>... - - - - - Importing verses... done. - - - - - BiblePlugin - - - &Upgrade older Bibles - - - - - Upgrade the Bible databases to the latest format. - - - - - BiblePlugin.HTTPBible - - - Download Error - - - - - Parse 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 extracting your verse selection. If this error continues to occur please consider reporting a bug. - - - - - BiblePlugin.MediaItem - - - Bible not fully loaded. - - - - - You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? - - - - - 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. - - - BiblesPlugin @@ -254,12 +178,12 @@ Do you want to continue anyway? 성경 - + No Book Found - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. @@ -303,37 +227,47 @@ Do you want to continue anyway? <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + + + &Upgrade older Bibles + + + + + Upgrade the Bible databases to the latest format. + + BiblesPlugin.BibleManager - + Scripture Reference Error 성경 참조 오류 - + Web Bible cannot be used - + Text Search is not available with Web Bibles. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns: Book Chapter @@ -345,7 +279,7 @@ Book Chapter:Verse-Chapter:Verse - + No Bibles Available @@ -451,189 +385,228 @@ Changes do not affect verses already in the service. + + BiblesPlugin.CSVBible + + + Importing books... %s + + + + + Importing verses from %s... + Importing verses from <book name>... + + + + + Importing verses... done. + + + BiblesPlugin.HTTPBible - + Registering Bible and loading books... - + Registering Language... - + Importing %s... Importing <book name>... + + + Download Error + + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + + + + + Parse Error + + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + + BiblesPlugin.ImportWizardForm - + Bible Import Wizard 성경 가져오기 마법사 - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. 이 마법사는 각종 형식의 성경을 가져오도록 안내해드립니다. 다음 버튼을 눌러서 가져올 성경의 형식을 선택해 주세요. - + Web Download 웹 다운로드 - + Location: 위치: - + Crosswalk - + BibleGateway - + Bible: 성경: - + Download Options 다운로드 옵션 - + Server: 서버: - + Username: 사용자 이름: - + Password: 비밀번호: - + Proxy Server (Optional) 프록시 서버 (선택 사항) - + License Details 라이센스 정보 - + Set up the Bible's license details. 성경의 라이센스 정보를 설정하세요. - + Version name: 버전 이름: - + Copyright: 저작권: - + Please wait while your Bible is imported. 성경 가져오기가 진행되는 동안 기다려주세요. - + You need to specify a file with books of the Bible to use in the import. - + You need to specify a file of Bible verses to import. - + You need to specify a version name for your Bible. - + Bible Exists - + Your Bible import failed. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. - + This Bible already exists. Please import a different Bible or first delete the existing one. - + Permissions: - + CSV File - + Bibleserver - + Bible file: - + Books file: - + Verses file: - + openlp.org 1.x Bible Files - + Registering Bible... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. @@ -660,7 +633,7 @@ demand and thus an internet connection is required. BiblesPlugin.LanguageForm - + You need to choose a language. @@ -668,60 +641,80 @@ demand and thus an internet connection is required. 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. + + BiblesPlugin.Opensong @@ -749,171 +742,151 @@ demand and thus an internet connection is required. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory - + Bible Upgrade Wizard - + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. - + Select Backup Directory - + Please select a backup directory for your Bibles - + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. - + Please select a backup location for your Bibles. - + Backup Directory: - + There is no need to backup my Bibles - + Select Bibles - + Please select the Bibles to upgrade - + Version name: - 버전 이름: + 버전 이름: - - This Bible still exists. Please change the name or uncheck it. - - - - + Upgrading - + Please wait while your Bibles are upgraded. - - You need to specify a Backup Directory for your Bibles. - - - - - You need to specify a version name for your Bible. - - - - - Bible Exists - - - - - This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck. - - - - - There are no Bibles available to upgrade. - - - - + Upgrading Bible %s of %s: "%s" Failed - + Upgrading Bible %s of %s: "%s" Upgrading ... - + Download Error - + Upgrading Bible %s of %s: "%s" Upgrading %s ... - + , %s failed - + Upgrading Bible(s): %s successful%s - + Upgrade failed. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. - - Starting Bible upgrade... - - - - + To upgrade your Web Bibles an Internet connection is required. - + Upgrading Bible %s of %s: "%s" Complete - + Upgrading Bible(s): %s successful%s Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + CustomPlugin @@ -1037,12 +1010,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I - + You need to type in a title. - + You need to add at least one slide @@ -1058,11 +1031,13 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I - GeneralTab - - - General - + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slides(s)? + + + @@ -1137,41 +1112,46 @@ 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 delete. - + You must select an image to replace the background with. - + Missing Image(s) - + The following image(s) no longer exist: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? - + There was a problem replacing your background, the image file "%s" no longer exists. + + + There was no display item to amend. + + MediaPlugin @@ -1237,40 +1217,45 @@ Do you want to add the other images anyway? MediaPlugin.MediaItem - + Select Media - + You must select a media file to delete. - + Missing Media File - + The file %s no longer exists. - + 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. - + Videos (%s);;Audio (%s);;%s (*) + + + There was no display item to amend. + + MediaPlugin.MediaTab @@ -1288,7 +1273,7 @@ Do you want to add the other images anyway? OpenLP - + Image Files @@ -1508,170 +1493,6 @@ Portions copyright © 2004-2011 %s - - OpenLP.DisplayTagDialog - - - Edit Selection - - - - - Description - - - - - Tag - - - - - Start tag - - - - - End tag - - - - - Tag Id - - - - - Start HTML - - - - - End HTML - - - - - Save - - - - - OpenLP.DisplayTagTab - - - Update Error - - - - - Tag "n" already defined. - - - - - Tag %s already defined. - - - - - New Tag - - - - - </and here> - - - - - <HTML here> - - - - - OpenLP.DisplayTags - - - Red - - - - - Black - - - - - Blue - - - - - Yellow - - - - - Green - - - - - Pink - - - - - Orange - - - - - Purple - - - - - White - - - - - Superscript - - - - - Subscript - - - - - Paragraph - - - - - Bold - - - - - Italics - - - - - Underline - - - - - Break - - - OpenLP.ExceptionDialog @@ -1811,12 +1632,12 @@ Version: %s - + Download complete. Click the finish button to start OpenLP. - + Enabling selected plugins... @@ -1845,11 +1666,6 @@ Version: %s Songs - - - Custom Text - - Bible @@ -1965,25 +1781,209 @@ To cancel the First Time Wizard completely, press the finish button now. - + Setting Up And Downloading - + Please wait while OpenLP is set up and your data is downloaded. - + Setting Up - + Click the finish button to start OpenLP. + + + Custom Slides + + + + + Download complete. Click the finish button to return to OpenLP. + + + + + Click the finish button to return to OpenLP. + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Edit Selection + + + + + Save + + + + + Description + + + + + Tag + + + + + Start tag + + + + + End tag + + + + + Tag Id + + + + + Start HTML + + + + + End HTML + + + + + OpenLP.FormattingTagForm + + + Update Error + + + + + Tag "n" already defined. + + + + + New Tag + + + + + <HTML here> + + + + + </and here> + + + + + Tag %s already defined. + + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + OpenLP.GeneralTab @@ -2129,7 +2129,7 @@ To cancel the First Time Wizard completely, press the finish button now. OpenLP.MainDisplay - + OpenLP Display @@ -2137,309 +2137,309 @@ To cancel the First Time Wizard completely, press the finish button now. OpenLP.MainWindow - + &File - + &Import - + &Export - + &View - + M&ode - + &Tools - + &Settings - + &Language - + &Help - + Media Manager - + Service Manager - + Theme Manager - + &New 새로 만들기(&N) - + &Open - + Open an existing service. - + &Save 저장(&S) - + Save the current service to disk. - + Save &As... - + Save Service As - + Save the current service under a new name. - + E&xit - + Quit OpenLP - + &Theme - + &Configure OpenLP... - + &Media Manager - + Toggle Media Manager - + Toggle the visibility of the media manager. - + &Theme Manager - + Toggle Theme Manager - + Toggle the visibility of the theme manager. - + &Service Manager - + Toggle Service Manager - + Toggle the visibility of the service manager. - + &Preview Panel - + Toggle Preview Panel - + Toggle the visibility of the preview panel. - + &Live Panel - + Toggle Live Panel - + Toggle the visibility of the live panel. - + &Plugin List - + List the Plugins - + &User Guide - + &About - + More information about OpenLP - + &Online Help - + &Web Site - + Use the system language, if available. - + Set the interface language to %s - + Add &Tool... - + Add an application to the list of tools. - + &Default - + Set the view mode back to the default. - + &Setup - + Set the view mode to Setup. - + &Live - + Set the view mode to Live. - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. - + OpenLP Version Updated - + OpenLP Main Display Blanked - + The Main Display has been blanked out - + Default Theme: %s @@ -2450,55 +2450,103 @@ You can download the latest version from http://openlp.org/. - + Configure &Shortcuts... - + Close OpenLP - + Are you sure you want to close OpenLP? - + Open &Data Folder... - + Open the folder where songs, bibles and other data resides. - - &Configure Display Tags - - - - + &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. + + + + + &Recent Files + + + + + &Configure Formatting Tags... + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + OpenLP.MediaManagerItem @@ -2508,54 +2556,69 @@ You can download the latest version from http://openlp.org/. - + &Add to selected Service Item - + You must select one or more items to preview. - + You must select one or more items to send live. - + You must select one or more items. - + You must select an existing service item to add to. - + Invalid Service Item - + You must select a %s service item. - + You must select one or more items to add. - + No Search Results - - Duplicate filename %s. -This filename is already in the list + + &Clone + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + Duplicate files found on import and ignored. @@ -2605,12 +2668,12 @@ This filename is already in the list OpenLP.PrintServiceDialog - + Fit Page - + Fit Width @@ -2618,70 +2681,80 @@ This filename is already in the list OpenLP.PrintServiceForm - + Options - - Close - - - - + Copy - + Copy as HTML - + Zoom In - + Zoom Out - + Zoom Original - + Other Options - + Include slide text if available - + Include service item notes - + Include play length of media items - + Add page break before each text item - + Service Sheet + + + Print + + + + + Title: + + + + + Custom Footer Text: + + OpenLP.ScreenList @@ -2696,10 +2769,23 @@ This filename is already in the list + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + OpenLP.ServiceItemEditForm - + Reorder Service Item @@ -2707,256 +2793,271 @@ This filename is already in the list OpenLP.ServiceManager - + Move to &top - + Move item to the top of the service. - + Move &up - + Move item up one position in the service. - + Move &down - + Move item down one position in the service. - + Move to &bottom - + Move item to the end of the service. - + &Delete From Service - + Delete the selected item from the service. - + &Add New Item - + &Add to Selected Item - + &Edit Item - + &Reorder Item - + &Notes - + &Change Item Theme - + File is not a valid service. The content encoding is not UTF-8. - + File is not a valid service. - + Missing Display Handler - + Your item cannot be displayed as there is no handler to display it - + Your item cannot be displayed as the plugin required to display it is missing or inactive - + &Expand all - + Expand all the service items. - + &Collapse all - + Collapse all the service items. - + Open File - + OpenLP Service Files (*.osz) - + Moves the selection down the window. - + Move up - + Moves the selection up the window. - + Go Live - + Send the selected item to Live. - + Modified Service - + &Start Time - + Show &Preview - + Show &Live - + The current service has been modified. Would you like to save this service? - + File could not be opened because it is corrupt. - + Empty File - + This service file does not contain any data. - + Corrupt File - + Custom Service Notes: - + Notes: - + Playing time: - + Untitled Service - + Load an existing service. - + Save this service. - + Select a theme for the service. - + This file is either corrupt or it is not an OpenLP 2.0 service file. + + + Slide theme + + + + + Notes + + + + + Service File Missing + + OpenLP.ServiceNoteForm - + Service Item Notes @@ -2971,11 +3072,6 @@ The content encoding is not UTF-8. OpenLP.ShortcutListDialog - - - Customize Shortcuts - - Action @@ -2987,12 +3083,12 @@ The content encoding is not UTF-8. - + Duplicate Shortcut - + The shortcut "%s" is already assigned to another action, please use a different shortcut. @@ -3027,20 +3123,25 @@ The content encoding is not UTF-8. - + Restore Default Shortcuts - + Do you want to restore all shortcuts to their defaults? + + + Configure Shortcuts + + OpenLP.SlideController - + Hide @@ -3050,27 +3151,27 @@ The content encoding is not UTF-8. - + Blank Screen - + Blank to Theme - + Show Desktop - + Previous Slide - + Next Slide @@ -3090,30 +3191,20 @@ The content encoding is not UTF-8. - + Move to previous. - + Move to next. - + Play Slides - - - Play Slides in Loop - - - - - Play Slides to End - - Delay between slides in seconds. @@ -3143,17 +3234,17 @@ The content encoding is not UTF-8. OpenLP.SpellTextEdit - + Spelling Suggestions - + Formatting Tags - + Language: @@ -3247,191 +3338,197 @@ The content encoding is not UTF-8. OpenLP.ThemeManager - + Create a new theme. - + Edit Theme - + Edit a theme. - + Delete Theme - + Delete a theme. - + Import Theme - + Import a theme. - + Export Theme - + Export a theme. - + &Edit Theme - + &Delete Theme - + Set As &Global Default - + %s (default) - + You must select a theme to edit. - + You are unable to delete the default theme. - + You have not selected a theme. - + Save Theme - (%s) - + Theme Exported - + Your theme has been successfully exported. - + Theme Export Failed - + Your theme could not be exported due to an error. - + Select Theme Import File - + File is not a valid theme. The content encoding is not UTF-8. - + File is not a valid theme. - + Theme %s is used in the %s plugin. - + &Copy Theme - + &Rename Theme - + &Export Theme - + You must select a theme to rename. - + Rename Confirmation - + Rename %s theme? - + You must select a theme to delete. - + Delete Confirmation - + Delete %s theme? - + Validation Error - + A theme with this name already exists. - + OpenLP Themes (*.theme *.otz) + + + Copy of %s + Copy of <theme name> + + OpenLP.ThemeWizard @@ -3675,6 +3772,16 @@ The content encoding is not UTF-8. Edit Theme - %s + + + Starting color: + + + + + Ending color: + + OpenLP.ThemesTab @@ -3718,31 +3825,36 @@ The content encoding is not UTF-8. Use the global theme, overriding any themes associated with either the service or the songs. + + + Themes + + OpenLP.Ui - + Error 에러 - + &Delete 삭제(&D) - + Delete the selected item. - + Move selection up one position. - + Move selection down one position. @@ -3767,20 +3879,15 @@ The content encoding is not UTF-8. - + &Edit - + Import - - - Length %s - - Live @@ -3807,42 +3914,42 @@ The content encoding is not UTF-8. - + Preview 미리 보기 - + Replace Background - + Reset Background - + Save Service - + Service - + Start %s - + &Vertical Align: - + Top @@ -3877,23 +3984,23 @@ The content encoding is not UTF-8. - + Empty Field - + Export - + pt Abbreviated font pointsize unit - + Image @@ -3937,45 +4044,45 @@ The content encoding is not UTF-8. - + s The abbreviated unit for seconds - + Save && Preview - + Search - + You must select an item to delete. - + You must select an item to edit. - + Theme Singular - + Themes Plural - + Version @@ -4041,12 +4148,12 @@ The content encoding is not UTF-8. - + Welcome to the Bible Import Wizard 성경 가져오기 마법사에 오신 것을 환영합니다. - + Welcome to the Song Export Wizard @@ -4103,38 +4210,38 @@ The content encoding is not UTF-8. - + Continuous 연속해서 보기 - + Default - + Display style: 출력 스타일: - + File - + Help - + h The abbreviated unit for hours - + Layout style: 배치 스타일: @@ -4155,37 +4262,37 @@ The content encoding is not UTF-8. - + Settings - + Tools - + Verse Per Slide 슬라이드당 절 수 - + Verse Per Line 줄당 절 수 - + View - + Duplicate Error - + Unsupported File @@ -4200,12 +4307,12 @@ The content encoding is not UTF-8. - + View Mode - + Welcome to the Bible Upgrade Wizard @@ -4215,36 +4322,53 @@ The content encoding is not UTF-8. - + Print Service - + Replace live background. - + Reset live background. - + &Split - + Split a slide into two only if it does not fit on the screen as one slide. - - - OpenLP.displayTagDialog - - Configure Display Tags + + Confirm Delete + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End @@ -4302,52 +4426,52 @@ The content encoding is not UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) - + Automatic - + Present using: - + File Exists - + A presentation with that filename already exists. - + This type of presentation is not supported. - + Presentations (%s) - + Missing Presentation - + The Presentation %s no longer exists. - + The Presentation %s is incomplete, please reload. @@ -4399,12 +4523,12 @@ The content encoding is not UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote - + OpenLP 2.0 Stage View @@ -4414,80 +4538,80 @@ The content encoding is not UTF-8. - + Slide Controller - + Alerts - + Search - + Back - + Refresh - + Blank - + Show - + Prev - + Next - + Text - + Show Alert - + Go Live - - Add To Service - - - - + No Results - + Options + + + Add to Service + + RemotePlugin.RemoteTab @@ -4520,68 +4644,78 @@ The content encoding is not UTF-8. SongUsagePlugin - + &Song Usage Tracking - + &Delete Tracking Data - + Delete song usage data up to a specified date. - + &Extract Tracking Data - + Generate a report on song usage. - + Toggle Tracking - + Toggle the tracking of song usage. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. - + SongUsage name singular - + SongUsage name plural - + SongUsage container title - + Song Usage + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + SongUsagePlugin.SongUsageDeleteForm @@ -4889,190 +5023,197 @@ The encoding is responsible for the correct character representation. SongsPlugin.EasyWorshipSongImport - + Administered by %s + + + +[above are Song Tags with notes imported from + EasyWorship] + + SongsPlugin.EditSongForm - + Song Editor - + &Title: - + Alt&ernate title: - + &Lyrics: - + &Verse order: - + Ed&it All - + Title && Lyrics - + &Add to Song - + &Remove - + &Manage Authors, Topics, Song Books - + A&dd to Song - + R&emove - + Book: - + Number: - + Authors, Topics && Song Book - + New &Theme - + Copyright Information - + Comments - + Theme, Copyright Info && Comments - + Add Author - + This author does not exist, do you want to add them? - + This author is already in the list. - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. - + Add Topic - + This topic does not exist, do you want to add it? - + This topic is already in the list. - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. - + You need to type in a song title. - + You need to type in at least one verse. - + Warning - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? - + Add Book - + This song book does not exist, do you want to add it? - + You need to have an author for this song. - + You need to type some text in to the verse. @@ -5103,82 +5244,82 @@ The encoding is responsible for the correct character representation. SongsPlugin.ExportWizardForm - + Song Export Wizard - + This wizard will help to export your songs to the open and free OpenLyrics worship song format. - + Select Songs - + 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... - + Check the songs you want to export. - + You need to specify a directory. - + Select Destination Folder - + Select the directory where you want the songs to be saved. @@ -5186,7 +5327,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files @@ -5231,42 +5372,42 @@ The encoding is responsible for the correct character representation. - + OpenLP 2.0 Databases - + openlp.org v1.x Databases - + Words Of Worship Song Files - + Songs Of Fellowship Song Files - + SongBeamer Files - + SongShow Plus Song Files - + You need to specify at least one document or presentation file to import from. - + Foilpresenter Song Files @@ -5294,47 +5435,48 @@ The encoding is responsible for the correct character representation. SongsPlugin.MediaItem - + Titles - + Lyrics - - Delete Song(s)? - - - - + CCLI License: - + Entire Song - + Are you sure you want to delete the %n selected song(s)? - + Maintain the lists of authors, topics and books. + + + copy + For song cloning + + SongsPlugin.OpenLP1SongImport - + Not a valid openlp.org 1.x song database. @@ -5350,7 +5492,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.OpenLyricsExport - + Exporting "%s"... @@ -5381,12 +5523,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongExportForm - + Finished export. - + Your song export failed. @@ -5394,27 +5536,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright - + The following songs could not be imported: - + Unable to open file - + File not found - + Cannot access OpenOffice or LibreOffice @@ -5422,7 +5564,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImportForm - + Your song import failed. @@ -5619,12 +5761,4 @@ The encoding is responsible for the correct character representation. - - ThemeTab - - - Themes - - - diff --git a/resources/i18n/nb.ts b/resources/i18n/nb.ts index ed248b010..a11c96a43 100644 --- a/resources/i18n/nb.ts +++ b/resources/i18n/nb.ts @@ -1,29 +1,29 @@ - + AlertPlugin.AlertForm You have not entered a parameter to be replaced. Do you want to continue anyway? - Du har ikke angitt et parameter å erstatte. + Du har ikke angitt et parameter å erstatte. Vil du fortsette likevel? No Parameter Found - Ingen parametre funnet + Ingen parametre funnet No Placeholder Found - Ingen plassholder funnet + Ingen plassholder funnet The alert text does not contain '<>'. Do you want to continue anyway? - Varselteksten inneholder ikke '<>'. + Varselteksten inneholder ikke '<>'. Vil du fortsette likevel? @@ -42,7 +42,7 @@ Vil du fortsette likevel? <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen - <strong>Varsel Tilleg</strong><br />Varsels tillegg kontrolleren viser barn-varsel på visnings skjermen + <strong>Varsel Tilleg</strong><br />Varsels tillegg kontrolleren viser barn-varsel på visnings skjermen @@ -62,6 +62,11 @@ Vil du fortsette likevel? container title Varsler + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. + + AlertsPlugin.AlertForm @@ -110,6 +115,30 @@ Vil du fortsette likevel? &Parameter: &Parameter: + + + No Parameter Found + Ingen parametre funnet + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + Du har ikke angitt et parameter å erstatte. +Vil du fortsette likevel? + + + + No Placeholder Found + Ingen plassholder funnet + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + Varselteksten inneholder ikke '<>'. +Vil du fortsette likevel? + AlertsPlugin.AlertsManager @@ -157,31 +186,18 @@ Vil du fortsette likevel? Importing books... %s - Importerer bøker... %s + Importerer bøker... %s Importing verses from %s... Importing verses from <book name>... - Importerer vers fra %s... + Importerer vers fra %s... Importing verses... done. - Importerer vers... ferdig. - - - - BiblePlugin - - - &Upgrade older Bibles - - - - - Upgrade the Bible databases to the latest format. - + Importerer vers... ferdig. @@ -189,22 +205,22 @@ Vil du fortsette likevel? Download Error - Nedlastningsfeil + Nedlastningsfeil Parse Error - Analysefeil + Analysefeil 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. + Det oppstod et problem ved nedlastingen av de valgte versene. Vennligst sjekk internettilkoblingen, dersom denne feilen vedvarer, vær vennlig å rapportere feilen. 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. + Det oppstod et problem ved uthenting av de valgte versene. Dersom denne feilen vedvarer, vær vennlig å rapportere feilen. @@ -212,22 +228,12 @@ Vil du fortsette likevel? Bible not fully loaded. - Bibelen er ikke ferdiglastet. + Bibelen er ikke ferdiglastet. 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 bibelverssøkeresultat. Vil du fjerne søkeresultatene og starte et nytt søk? - - - - 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. - + Du kan ikke kombinere enkle og doble bibelverssøkeresultat. Vil du fjerne søkeresultatene og starte et nytt søk? @@ -256,12 +262,12 @@ Vil du fortsette likevel? 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. @@ -305,38 +311,48 @@ Vil du fortsette likevel? <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + + + &Upgrade older Bibles + + + + + Upgrade the Bible databases to the latest format. + + BiblesPlugin.BibleManager - + Scripture Reference Error Bibelreferansefeil - + Web Bible cannot be used Nettbibel kan ikke brukes - + Text Search is not available with Web Bibles. Tekstsøk er ikke tilgjengelig med nettbibler. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Du har ikke angitt et søkeord. Du kan skille ulike søkeord med mellomrom for å søke etter alle søkeordene dine, og du kan skille dem med komma for å søke etter ett av dem. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Det er ingen bibler installert. Vennligst bruk importeringsveiviseren for å installere en eller flere bibler. - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns: Book Chapter @@ -355,7 +371,7 @@ Bok Kapittel:Vers-Vers,Kapittel:Vers-Vers Bok Kapittel:Vers-Kapittel:Vers - + No Bibles Available Ingen bibler tilgjengelig @@ -461,189 +477,228 @@ Endringer påvirker ikke vers som alt er lagt til møtet. + + BiblesPlugin.CSVBible + + + Importing books... %s + Importerer bøker... %s + + + + Importing verses from %s... + Importing verses from <book name>... + Importerer vers fra %s... + + + + Importing verses... done. + Importerer vers... ferdig. + + BiblesPlugin.HTTPBible - + Registering Bible and loading books... - + Registering Language... - + Importing %s... Importing <book name>... + + + Download Error + Nedlastningsfeil + + + + 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. + BiblesPlugin.ImportWizardForm - + Bible Import Wizard Bibelimporteringsverktøy - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. Denne veiviseren vil hjelpe deg å importere bibler fra en rekke ulike formater. Klikk på neste-knappen under for å starte prosessen ved å velge et format å importere fra. - + Web Download Nettnedlastning - + Location: Plassering: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bibel: - + Download Options Nedlastingsalternativer - + Server: Tjener: - + Username: Brukernavn: - + Password: Passord: - + Proxy Server (Optional) Proxytjener (valgfritt) - + License Details Lisensdetaljer - + Set up the Bible's license details. Sett opp Bibelens lisensdetaljer. - + Version name: Versjonsnavn: - + Copyright: Opphavsrett: - + 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å spesifisere et versjonsnavn for Bibelen din. - + Bible Exists Bibelen finnes - + Your Bible import failed. Bibelimporteringen mislyktes. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Du må angi kopiretten for Bibelen. Offentlige bibler må markeres deretter. - + This Bible already exists. Please import a different Bible or first delete the existing one. Denne bibelen finnes alt. Vennligst importer en annen bibel eller slett først den eksisterende. - + Permissions: Tillatelser: - + CSV File CSV-fil - + Bibleserver Bibeltjener - + Bible file: Bibelfil: - + Books file: Bokfil: - + Verses file: Versfil: - + openlp.org 1.x Bible Files OpenLP 1.x Bibelfiler - + Registering Bible... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. @@ -670,7 +725,7 @@ demand and thus an internet connection is required. BiblesPlugin.LanguageForm - + You need to choose a language. @@ -678,60 +733,80 @@ demand and thus an internet connection is required. BiblesPlugin.MediaItem - + Quick Hurtig - + Find: Finn: - + 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. + + + 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 bibelverssøkeresultat. Vil du fjerne søkeresultatene og starte et nytt søk? + + + + Bible not fully loaded. + Bibelen er ikke ferdiglastet. + + + + 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. + + BiblesPlugin.Opensong @@ -759,174 +834,169 @@ demand and thus an internet connection is required. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory - + Bible Upgrade Wizard - + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. - + Select Backup Directory - + Please select a backup directory for your Bibles - + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. - + Please select a backup location for your Bibles. - + Backup Directory: - + There is no need to backup my Bibles - + Select Bibles - + Please select the Bibles to upgrade - + Version name: - Versjonsnavn: + Versjonsnavn: - - This Bible still exists. Please change the name or uncheck it. - - - - + Upgrading - + Please wait while your Bibles are upgraded. - - You need to specify a Backup Directory for your Bibles. - - - - + You need to specify a version name for your Bible. - Du må spesifisere et versjonsnavn for Bibelen din. + Du må spesifisere et versjonsnavn for Bibelen din. - + Bible Exists - Bibelen finnes + Bibelen finnes - - This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck. - - - - - There are no Bibles available to upgrade. - - - - + Upgrading Bible %s of %s: "%s" Failed - + Upgrading Bible %s of %s: "%s" Upgrading ... - + Download Error Nedlastningsfeil - + Upgrading Bible %s of %s: "%s" Upgrading %s ... - + , %s failed - + Upgrading Bible(s): %s successful%s - + Upgrade failed. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. - - Starting Bible upgrade... - - - - + To upgrade your Web Bibles an Internet connection is required. - + Upgrading Bible %s of %s: "%s" Complete - + Upgrading Bible(s): %s successful%s Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + CustomPlugin + + + <strong>Custom Plugin</strong><br />The custom 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>Egendefinert lystbildetillegg</strong><br />Tillegget gir mulighet til å sette opp tilpassede lysbilder med tekst som kan vises på skjermen på samme måte som sanger. Tillegget tilbyr større fleksibilitet enn sangteksttillegget. + <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. @@ -1031,6 +1101,11 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Edit all the slides at once. Rediger alle lysbilder på en gang. + + + Split Slide + Del opp lysbilde + Split a slide into two by inserting a slide splitter. @@ -1047,12 +1122,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Credits: - + You need to type in a title. Du må skrive inn en tittel. - + You need to add at least one slide Du må legge til minst et lysbilde @@ -1067,12 +1142,44 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slides(s)? + + + + + + + + CustomsPlugin + + + Custom + name singular + Egendefinert lysbilde + + + + Customs + name plural + Egendefinerte lysbilder + + + + Custom + container title + Egendefinert lysbilde + + GeneralTab General - Generell + Generell @@ -1147,42 +1254,47 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.MediaItem - + Select Image(s) Velg bilde(r) - + You must select an image to delete. Du må velge et bilde å slette. - + You must select an image to replace the background with. Du må velge et bilde å erstatte bakgrunnen med. - + Missing Image(s) Bilde(r) mangler - + The following image(s) no longer exist: %s De følgende bilde(r) finnes ikke lenger: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? De følgende bilde(r) finnes ikke lenger: %s Vil du likevel legge til de andre bildene? - + There was a problem replacing your background, the image file "%s" no longer exists. Det oppstod et problem ved erstatting av bakgrunnen, bildefilen "%s" finnes ikke lenger. + + + There was no display item to amend. + + MediaPlugin @@ -1248,40 +1360,45 @@ Vil du likevel legge til de andre bildene? MediaPlugin.MediaItem - + Select Media Velg fil - + You must select a media file to delete. Du må velge en fil å slette - + Missing Media File Fil mangler - + The file %s no longer exists. Filen %s finnes ikke lenger - + 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. - + Videos (%s);;Audio (%s);;%s (*) Videoer (%s);;Lyd (%s);;%s (*) + + + There was no display item to amend. + + MediaPlugin.MediaTab @@ -1299,7 +1416,7 @@ Vil du likevel legge til de andre bildene? OpenLP - + Image Files Bildefiler @@ -1579,170 +1696,6 @@ Portions copyright © 2004-2011 %s - - OpenLP.DisplayTagDialog - - - Edit Selection - - - - - Description - - - - - Tag - - - - - Start tag - - - - - End tag - - - - - Tag Id - - - - - Start HTML - - - - - End HTML - - - - - Save - - - - - OpenLP.DisplayTagTab - - - Update Error - - - - - Tag "n" already defined. - - - - - Tag %s already defined. - - - - - New Tag - - - - - </and here> - - - - - <HTML here> - - - - - OpenLP.DisplayTags - - - Red - - - - - Black - - - - - Blue - - - - - Yellow - - - - - Green - - - - - Pink - - - - - Orange - - - - - Purple - - - - - White - - - - - Superscript - - - - - Subscript - - - - - Paragraph - - - - - Bold - - - - - Italics - - - - - Underline - - - - - Break - - - OpenLP.ExceptionDialog @@ -1882,12 +1835,12 @@ Version: %s - + Download complete. Click the finish button to start OpenLP. - + Enabling selected plugins... @@ -1916,11 +1869,6 @@ Version: %s Songs - - - Custom Text - - Bible @@ -2036,25 +1984,209 @@ To cancel the First Time Wizard completely, press the finish button now. - + Setting Up And Downloading - + Please wait while OpenLP is set up and your data is downloaded. - + Setting Up - + Click the finish button to start OpenLP. + + + Custom Slides + + + + + Download complete. Click the finish button to return to OpenLP. + + + + + Click the finish button to return to OpenLP. + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Edit Selection + + + + + Save + + + + + Description + + + + + Tag + + + + + Start tag + + + + + End tag + + + + + Tag Id + + + + + Start HTML + + + + + End HTML + + + + + OpenLP.FormattingTagForm + + + Update Error + + + + + Tag "n" already defined. + + + + + New Tag + + + + + <HTML here> + + + + + </and here> + + + + + Tag %s already defined. + + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + OpenLP.GeneralTab @@ -2200,7 +2332,7 @@ To cancel the First Time Wizard completely, press the finish button now. OpenLP.MainDisplay - + OpenLP Display @@ -2208,309 +2340,309 @@ To cancel the First Time Wizard completely, press the finish button now. OpenLP.MainWindow - + &File &Fil - + &Import &Importer - + &Export &Eksporter - + &View &Vis - + M&ode - + &Tools - + &Settings &Innstillinger - + &Language &Språk - + &Help &Hjelp - + Media Manager Innholdselementer - + Service Manager - + Theme Manager - + &New &Ny - + &Open &Åpne - + Open an existing service. - + &Save &Lagre - + Save the current service to disk. - + Save &As... - + Save Service As - + Save the current service under a new name. - + E&xit &Avslutt - + Quit OpenLP Avslutt OpenLP - + &Theme &Tema - + &Configure OpenLP... - + &Media Manager - + Toggle Media Manager - + Toggle the visibility of the media manager. - + &Theme Manager - + Toggle Theme Manager Åpne tema-behandler - + Toggle the visibility of the theme manager. - + &Service Manager - + Toggle Service Manager Vis møteplanlegger - + Toggle the visibility of the service manager. - + &Preview Panel &Forhåndsvisningspanel - + Toggle Preview Panel Vis forhåndsvisningspanel - + Toggle the visibility of the preview panel. - + &Live Panel - + Toggle Live Panel - + Toggle the visibility of the live panel. - + &Plugin List &Tillegsliste - + List the Plugins Hent liste over tillegg - + &User Guide &Brukerveiledning - + &About &Om - + More information about OpenLP - + &Online Help - + &Web Site &Internett side - + Use the system language, if available. - + Set the interface language to %s - + Add &Tool... Legg til & Verktøy... - + 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 &Direkte - + Set the view mode to Live. - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. - + OpenLP Version Updated OpenLP versjonen har blitt oppdatert - + OpenLP Main Display Blanked - + The Main Display has been blanked out - + Default Theme: %s @@ -2521,55 +2653,103 @@ You can download the latest version from http://openlp.org/. Norsk - + Configure &Shortcuts... - + Close OpenLP - + Are you sure you want to close OpenLP? - + Open &Data Folder... - + Open the folder where songs, bibles and other data resides. - - &Configure Display Tags - - - - + &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. + + + + + &Recent Files + + + + + &Configure Formatting Tags... + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + OpenLP.MediaManagerItem @@ -2579,54 +2759,69 @@ You can download the latest version from http://openlp.org/. - + &Add to selected Service Item - + You must select one or more items to preview. - + You must select one or more items to send live. - + You must select one or more items. - + You must select an existing service item to add to. - + Invalid Service Item - + You must select a %s service item. - + You must select one or more items to add. - + No Search Results - - Duplicate filename %s. -This filename is already in the list + + &Clone + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + Duplicate files found on import and ignored. @@ -2676,12 +2871,12 @@ This filename is already in the list OpenLP.PrintServiceDialog - + Fit Page - + Fit Width @@ -2689,70 +2884,80 @@ This filename is already in the list OpenLP.PrintServiceForm - + Options - - Close - - - - + Copy - + Copy as HTML - + Zoom In - + Zoom Out - + Zoom Original - + Other Options - + Include slide text if available - + Include service item notes - + Include play length of media items - + Add page break before each text item - + Service Sheet + + + Print + + + + + Title: + + + + + Custom Footer Text: + + OpenLP.ScreenList @@ -2767,10 +2972,23 @@ This filename is already in the list + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + OpenLP.ServiceItemEditForm - + Reorder Service Item @@ -2778,256 +2996,271 @@ This filename is already in the list OpenLP.ServiceManager - + Move to &top Flytt til &toppen - + Move item to the top of the service. - + Move &up - + Move item up one position in the service. - + Move &down - + Move item down one position in the service. - + Move to &bottom - + Move item to the end of the service. - + &Delete From Service - + Delete the selected item from the service. - + &Add New Item - + &Add to Selected Item - + &Edit Item - + &Reorder Item - + &Notes &Notis - + &Change Item Theme &Bytt objekttema - + File is not a valid service. The content encoding is not UTF-8. - + File is not a valid service. - + Missing Display Handler - + Your item cannot be displayed as there is no handler to display it - + Your item cannot be displayed as the plugin required to display it is missing or inactive - + &Expand all - + Expand all the service items. - + &Collapse all - + Collapse all the service items. - + Open File - + OpenLP Service Files (*.osz) - + Moves the selection down the window. - + Move up - + Moves the selection up the window. - + Go Live - + Send the selected item to Live. - + Modified Service - + &Start Time - + Show &Preview - + Show &Live - + The current service has been modified. Would you like to save this service? - + File could not be opened because it is corrupt. - + Empty File - + This service file does not contain any data. - + Corrupt File - + Custom Service Notes: - + Notes: - + Playing time: - + Untitled Service - + Load an existing service. - + Save this service. - + Select a theme for the service. - + This file is either corrupt or it is not an OpenLP 2.0 service file. + + + Slide theme + + + + + Notes + + + + + Service File Missing + + OpenLP.ServiceNoteForm - + Service Item Notes @@ -3042,11 +3275,6 @@ The content encoding is not UTF-8. OpenLP.ShortcutListDialog - - - Customize Shortcuts - - Action @@ -3058,12 +3286,12 @@ The content encoding is not UTF-8. - + Duplicate Shortcut - + The shortcut "%s" is already assigned to another action, please use a different shortcut. @@ -3098,20 +3326,25 @@ The content encoding is not UTF-8. - + Restore Default Shortcuts - + Do you want to restore all shortcuts to their defaults? + + + Configure Shortcuts + + OpenLP.SlideController - + Hide @@ -3121,27 +3354,27 @@ The content encoding is not UTF-8. - + Blank Screen - + Blank to Theme - + Show Desktop - + Previous Slide - + Next Slide @@ -3161,30 +3394,20 @@ The content encoding is not UTF-8. - + Move to previous. - + Move to next. - + Play Slides - - - Play Slides in Loop - - - - - Play Slides to End - - Delay between slides in seconds. @@ -3214,17 +3437,17 @@ The content encoding is not UTF-8. OpenLP.SpellTextEdit - + Spelling Suggestions - + Formatting Tags - + Language: @@ -3318,191 +3541,197 @@ The content encoding is not UTF-8. OpenLP.ThemeManager - + Create a new theme. - + Edit Theme Endre tema - + Edit a theme. - + Delete Theme Slett tema - + Delete a theme. - + Import Theme Importer tema - + Import a theme. - + Export Theme Eksporter tema - + Export a theme. - + &Edit Theme - + &Delete Theme - + Set As &Global Default - + %s (default) - + You must select a theme to edit. - + You are unable to delete the default theme. Du kan ikke slette det globale temaet. - + You have not selected a theme. - + Save Theme - (%s) - + Theme Exported - + Your theme has been successfully exported. - + Theme Export Failed - + Your theme could not be exported due to an error. - + Select Theme Import File - + File is not a valid theme. The content encoding is not UTF-8. - + File is not a valid theme. Filen er ikke et gyldig tema. - + Theme %s is used in the %s plugin. - + &Copy Theme - + &Rename Theme - + &Export Theme - + You must select a theme to rename. - + Rename Confirmation - + Rename %s theme? - + You must select a theme to delete. - + Delete Confirmation - + Delete %s theme? - + Validation Error - + A theme with this name already exists. - + OpenLP Themes (*.theme *.otz) + + + Copy of %s + Copy of <theme name> + + OpenLP.ThemeWizard @@ -3746,6 +3975,16 @@ The content encoding is not UTF-8. Edit Theme - %s + + + Starting color: + + + + + Ending color: + + OpenLP.ThemesTab @@ -3789,31 +4028,36 @@ The content encoding is not UTF-8. Use the global theme, overriding any themes associated with either the service or the songs. Bruk det globale temaet, og la det overstyre eventuelle tema som er tilknyttet møteplaner eller sanger. + + + Themes + + OpenLP.Ui - + Error Feil - + &Delete &Slett - + Delete the selected item. - + Move selection up one position. - + Move selection down one position. @@ -3838,20 +4082,15 @@ The content encoding is not UTF-8. - + &Edit &Rediger - + Import - - - Length %s - - Live @@ -3878,42 +4117,47 @@ The content encoding is not UTF-8. OpenLP 2.0 - + + Open Service + Åpne møteplan + + + Preview Forhåndsvisning - + Replace Background - + Reset Background - + Save Service - + Service - + Start %s - + &Vertical Align: - + Top Topp @@ -3948,23 +4192,23 @@ The content encoding is not UTF-8. - + Empty Field - + Export - + pt Abbreviated font pointsize unit pt - + Image Bilde @@ -4008,45 +4252,45 @@ The content encoding is not UTF-8. - + s The abbreviated unit for seconds s - + Save && Preview - + Search Søk - + You must select an item to delete. - + You must select an item to edit. - + Theme Singular Tema - + Themes Plural - + Version @@ -4112,12 +4356,12 @@ The content encoding is not UTF-8. - + Welcome to the Bible Import Wizard Velkommen til bibelimporterings-veilederen - + Welcome to the Song Export Wizard @@ -4174,38 +4418,38 @@ The content encoding is not UTF-8. Emne - + Continuous Kontinuerlig - + Default - + Display style: Visningstil: - + File - + Help - + h The abbreviated unit for hours - + Layout style: @@ -4226,37 +4470,37 @@ The content encoding is not UTF-8. - + Settings - + Tools - + Verse Per Slide Vers pr side - + Verse Per Line Vers pr linje - + View - + Duplicate Error - + Unsupported File @@ -4271,12 +4515,12 @@ The content encoding is not UTF-8. - + View Mode - + Welcome to the Bible Upgrade Wizard @@ -4286,36 +4530,53 @@ The content encoding is not UTF-8. - + Print Service - + Replace live background. - + Reset live background. - + &Split - + Split a slide into two only if it does not fit on the screen as one slide. - - - OpenLP.displayTagDialog - - Configure Display Tags + + Confirm Delete + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End @@ -4373,52 +4634,52 @@ The content encoding is not UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) Velg presentasjon(er) - + Automatic Automatisk - + Present using: Presenter ved hjelp av: - + File Exists - + A presentation with that filename already exists. - + This type of presentation is not supported. - + Presentations (%s) - + Missing Presentation - + The Presentation %s no longer exists. - + The Presentation %s is incomplete, please reload. @@ -4470,12 +4731,12 @@ The content encoding is not UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote - + OpenLP 2.0 Stage View @@ -4485,80 +4746,80 @@ The content encoding is not UTF-8. - + Slide Controller - + Alerts Varsler - + Search - + Back - + Refresh - + Blank - + Show - + Prev - + Next - + Text - + Show Alert - + Go Live - - Add To Service - - - - + No Results - + Options + + + Add to Service + + RemotePlugin.RemoteTab @@ -4591,68 +4852,78 @@ The content encoding is not UTF-8. SongUsagePlugin - + &Song Usage Tracking - + &Delete Tracking Data - + Delete song usage data up to a specified date. - + &Extract Tracking Data - + Generate a report on song usage. - + Toggle Tracking - + Toggle the tracking of song usage. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. - + SongUsage name singular - + SongUsage name plural - + SongUsage container title - + Song Usage + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + SongUsagePlugin.SongUsageDeleteForm @@ -4960,190 +5231,197 @@ The encoding is responsible for the correct character representation. SongsPlugin.EasyWorshipSongImport - + Administered by %s + + + +[above are Song Tags with notes imported from + EasyWorship] + + SongsPlugin.EditSongForm - + Song Editor Sangredigeringsverktøy - + &Title: &Tittel: - + Alt&ernate title: - + &Lyrics: - + &Verse order: - + Ed&it All Rediger alle - + Title && Lyrics Tittel && Sangtekst - + &Add to Song - + &Remove &Fjern - + &Manage Authors, Topics, Song Books - + A&dd to Song - + R&emove &Fjern - + Book: Bok: - + Number: - + Authors, Topics && Song Book - + New &Theme - + Copyright Information Copyright-informasjon - + Comments - + Theme, Copyright Info && Comments - + Add Author - + This author does not exist, do you want to add them? - + This author is already in the list. - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. - + Add Topic - + This topic does not exist, do you want to add it? - + This topic is already in the list. - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. - + You need to type in a song title. - + You need to type in at least one verse. - + Warning - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? - + Add Book - + This song book does not exist, do you want to add it? - + You need to have an author for this song. - + You need to type some text in to the verse. @@ -5174,82 +5452,82 @@ The encoding is responsible for the correct character representation. SongsPlugin.ExportWizardForm - + Song Export Wizard - + This wizard will help to export your songs to the open and free OpenLyrics worship song format. - + Select Songs - + 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... - + Check the songs you want to export. - + You need to specify a directory. - + Select Destination Folder - + Select the directory where you want the songs to be saved. @@ -5257,7 +5535,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files @@ -5302,42 +5580,42 @@ The encoding is responsible for the correct character representation. - + OpenLP 2.0 Databases - + openlp.org v1.x Databases - + Words Of Worship Song Files - + Songs Of Fellowship Song Files - + SongBeamer Files - + SongShow Plus Song Files - + You need to specify at least one document or presentation file to import from. - + Foilpresenter Song Files @@ -5365,32 +5643,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.MediaItem - + Titles Titler - + Lyrics - - Delete Song(s)? - - - - + CCLI License: - + Entire Song - + Are you sure you want to delete the %n selected song(s)? @@ -5398,15 +5671,21 @@ The encoding is responsible for the correct character representation. - + Maintain the lists of authors, topics and books. + + + copy + For song cloning + + SongsPlugin.OpenLP1SongImport - + Not a valid openlp.org 1.x song database. @@ -5422,7 +5701,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.OpenLyricsExport - + Exporting "%s"... @@ -5453,12 +5732,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongExportForm - + Finished export. - + Your song export failed. @@ -5466,27 +5745,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright - + The following songs could not be imported: - + Unable to open file - + File not found - + Cannot access OpenOffice or LibreOffice @@ -5494,7 +5773,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImportForm - + Your song import failed. @@ -5691,12 +5970,4 @@ The encoding is responsible for the correct character representation. Annet - - ThemeTab - - - Themes - - - diff --git a/resources/i18n/nl.ts b/resources/i18n/nl.ts index 38826c175..dfea10929 100644 --- a/resources/i18n/nl.ts +++ b/resources/i18n/nl.ts @@ -1,29 +1,29 @@ - + AlertPlugin.AlertForm You have not entered a parameter to be replaced. Do you want to continue anyway? - U heeft geen parameter opgegeven die vervangen moeten worden + U heeft geen parameter opgegeven die vervangen moeten worden Toch doorgaan? No Parameter Found - geen parameters gevonden + geen parameters gevonden No Placeholder Found - niet gevonden + niet gevonden The alert text does not contain '<>'. Do you want to continue anyway? - De waarschuwing bevat geen '<>'. + De waarschuwing bevat geen '<>'. Toch doorgaan? @@ -42,7 +42,7 @@ Toch doorgaan? <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen - <strong>Waarschuwing Plugin</strong><br />Deze plugin regelt de weergave van waarschuwingen op het scherm + <strong>Waarschuwing Plugin</strong><br />Deze plugin regelt de weergave van waarschuwingen op het scherm @@ -62,6 +62,11 @@ Toch doorgaan? container title Waarschuwingen + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. + + AlertsPlugin.AlertForm @@ -110,6 +115,30 @@ Toch doorgaan? &Parameter: &Parameter: + + + No Parameter Found + geen parameters gevonden + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + U heeft geen parameter opgegeven die vervangen moeten worden +Toch doorgaan? + + + + No Placeholder Found + niet gevonden + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + De waarschuwing bevat geen '<>'. +Toch doorgaan? + AlertsPlugin.AlertsManager @@ -124,7 +153,7 @@ Toch doorgaan? Font - Font + Lettertype @@ -157,18 +186,18 @@ Toch doorgaan? Importing books... %s - Importeren bijbelboeken... %s + Importeren bijbelboeken... %s Importing verses from %s... Importing verses from <book name>... - Importeren bijbelverzen uit %s... + Importeren bijbelverzen uit %s... Importing verses... done. - Importeren bijbelverzen... klaar. + Importeren bijbelverzen... klaar. @@ -176,12 +205,17 @@ Toch doorgaan? &Upgrade older Bibles - &Upgrade oude bijbels + &Upgrade oude bijbels + + + + Upgrade the Bible databases to the latest format + Upgrade de bijbel databases naar meest recente indeling Upgrade the Bible databases to the latest format. - Upgrade de bijbel databases naar de meest recente indeling. + Upgrade de bijbel databases naar de meest recente indeling. @@ -189,22 +223,22 @@ Toch doorgaan? Download Error - Download fout + Download fout Parse Error - Verwerkingsfout + Verwerkingsfout There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. - Er ging iets mis bij het downloaden van de bijbelverzen. Controleer uw internet verbinding (open bijv. een pagina in de internetbrowser). Als dit probleem zich blijft herhalen is er misschien sprake van een bug. + Er ging iets mis bij het downloaden van de bijbelverzen. Controleer uw internet verbinding (open bijv. een pagina in de internetbrowser). Als dit probleem zich blijft herhalen is er misschien sprake van een bug. There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. - Er ging iets mis bij het uitpakken van de bijbelverzen. Als dit probleem zich blijft herhalen is er misschien sprake van een bug. + Er ging iets mis bij het uitpakken van de bijbelverzen. Als dit probleem zich blijft herhalen is er misschien sprake van een bug. @@ -212,22 +246,27 @@ Toch doorgaan? Bible not fully loaded. - Bijbel niet geheel geladen. + Bijbel niet geheel geladen. 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? + Enkele en dubbele bijbelvers zoekresultaten kunnen niet gecombineerd worden. Resultaten wissen en opnieuw beginnen? Information - Informatie + Informatie + + + + The second Bibles 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. 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. + 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. @@ -256,12 +295,12 @@ Toch doorgaan? Bijbelteksten - + 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. @@ -305,38 +344,48 @@ Toch doorgaan? <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Bijbel Plugin</strong><br />De Bijbel plugin 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 bijbel databases naar de meest recente indeling. + BiblesPlugin.BibleManager - + Scripture Reference Error Fouten in schriftverwijzingen - + Web Bible cannot be used Online bijbels kunnen niet worden gebruikt - + Text Search is not available with Web Bibles. In online bijbels kunt u niet zoeken op tekst. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Geen zoekterm opgegeven. Woorden met een spatie ertussen betekent zoeken naar alle woorden, Woorden met een komma ertussen betekent zoeken naar de afzonderlijke woorden. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Er zijn geen bijbels geïnstalleerd. Gebruik de Import assistent om een of meerdere bijbels te installeren. - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns: Book Chapter @@ -355,7 +404,7 @@ Boek Hoofdstuk:Vers-Vers,Hoofdstuk:Vers-Vers Boek Hoofdstuk:Vers-Hoofdstuk:Vers - + No Bibles Available Geen bijbels beschikbaar @@ -461,189 +510,228 @@ Deze wijzigingen hebben geen betrekking op bijbelverzen die al in de liturgie zi Geef een boek op. + + BiblesPlugin.CSVBible + + + Importing books... %s + Importeren bijbelboeken... %s + + + + Importing verses from %s... + Importing verses from <book name>... + Importeren bijbelverzen uit %s... + + + + Importing verses... done. + Importeren bijbelverzen... klaar. + + BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registreer Bijbel en laad de boeken... - + Registering Language... Registreer de taal... - + Importing %s... Importing <book name>... Importeer "%s"... + + + Download Error + Download 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. + Er ging iets mis bij het downloaden van de bijbelverzen. Controleer uw internet verbinding (open bijv. een pagina in de internetbrowser). Als dit probleem zich blijft herhalen is er misschien sprake van een bug. + + + + Parse Error + Verwerkingsfout + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + Er ging iets mis bij het uitpakken van de bijbelverzen. Als dit probleem zich blijft herhalen is er misschien sprake van een bug. + BiblesPlugin.ImportWizardForm - + Bible Import Wizard Bijbel Import Assistent - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. Deze Assistent helpt u bijbels van verschillende bestandsformaten te importeren. Om de Assistent te starten klikt op volgende. - + Web Download Onlinebijbel - + Location: Locatie: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bijbelvertaling: - + Download Options Download opties - + Server: Server: - + Username: Gebruikersnaam: - + Password: Wachtwoord: - + Proxy Server (Optional) Proxy-Server (optioneel) - + License Details Licentiedetails - + Set up the Bible's license details. Geef aan welke licentievoorwaarden gelden voor deze bijbelvertaling. - + Copyright: Copyright: - + Please wait while your Bible is imported. Even 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. Geef de naam van de bijbelvertaling op. - + Bible Exists Deze bijbelvertaling bestaat reeds - + Your Bible import failed. Het importeren is mislukt. - + Version name: Bijbeluitgave: - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Copyright moet opgegeven worden. Bijbels in het publieke domein moeten als zodanig gemarkeerd worden. - + This Bible already exists. Please import a different Bible or first delete the existing one. Deze bijbel bestaat reeds. Geef een andere naam of verwijder eerst het bestaande exemplaar. - + Permissions: Rechten: - + CSV File CSV bestand - + Bibleserver Bibleserver.com - + Bible file: Bijbel bestand: - + Books file: Bijbelboeken bestand: - + Verses file: Bijbelverzen bestand: - + openlp.org 1.x Bible Files openlp.org 1.x bijbel bestanden - + Registering Bible... Registreer 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 @@ -671,7 +759,7 @@ indien nodig en een internetverbinding is dus noodzakelijk. BiblesPlugin.LanguageForm - + You need to choose a language. Geef een taal op. @@ -679,60 +767,80 @@ 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 op 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. + BiblesPlugin.Opensong @@ -760,148 +868,181 @@ indien nodig en een internetverbinding is dus noodzakelijk. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory Selecteer Backup map - + 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 op te waarderen van een eerdere indeling van OpenLP 2. Om de Assistent te starten klikt op volgende. - + Select Backup Directory Selecteer Backup map - + Please select a backup directory for your Bibles Selecteer een map om de backup van uw bijbel 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 data-map 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 bijbel in op te slaan. - + Backup Directory: Backup map: - + 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 op te waarderen - + Version name: - Bijbeluitgave: + Bijbeluitgave: - + This Bible still exists. Please change the name or uncheck it. - Deze bijbel bestaat al. Verander de naam of deselecteer. + Deze bijbel bestaat al. Verander de naam of deselecteer. - + Upgrading Opwaarderen - + Please wait while your Bibles are upgraded. Even geduld. De bijbels worden opgewaardeerd. You need to specify a Backup Directory for your Bibles. - Selecteer een map om de backup van uw bijbels in op te slaan. + Selecteer een map om de backup van uw bijbels in op te slaan. - + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. If you have write permissions and this error still occurs, please report a bug. + De backup is mislukt. +Om de bijbels te backuppen moet de map beschrijfbaar zijn. Als u schrijfrechten heeft voor de map en de fout komt nog steeds voor, rapporteer een bug. + + + You need to specify a version name for your Bible. - Geef de naam van de bijbelvertaling op. + Geef de naam van de bijbelvertaling op. - + Bible Exists - Deze bijbelvertaling bestaat reeds + Deze bijbelvertaling bestaat reeds - + This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck. - Deze bijbel bestaat reeds. Geef een andere naam of verwijder eerst het bestaande exemplaar of deselecteer. + Deze bijbel bestaat reeds. Geef een andere naam of verwijder eerst het bestaande exemplaar of deselecteer. + + + + Starting upgrading Bible(s)... + Begin opwaarderen bijbel(s)... There are no Bibles available to upgrade. - Er zijn geen op te waarderen bijbels beschikbaar. + Er zijn geen op te waarderen bijbels beschikbaar. - + Upgrading Bible %s of %s: "%s" Failed Opwaarderen Bijbel %s van %s: "%s" Faal - + Upgrading Bible %s of %s: "%s" Upgrading ... Opwaarderen Bijbel %s van %s: "%s" Opwaarderen ... - + Download Error Download fout - + + To upgrade your Web Bibles an Internet connection is required. If you have a working Internet connection and this error still occurs, please report a bug. + Om online bijbels op te waarderen is een internetverbinding nodig. Controleer uw internet verbinding (open bijv. een pagina in de internetbrowser). Als dit probleem zich blijft herhalen is er misschien sprake van een bug. + + + Upgrading Bible %s of %s: "%s" Upgrading %s ... Opwaarderen Bijbel %s van %s: "%s" Opwaarderen %s ... - + + Upgrading Bible %s of %s: "%s" +Done + Opwaarderen Bijbel %s van %s: "%s" +Klaar + + + , %s failed , %s mislukt - + + Upgrading Bible(s): %s successful%s +Please note, that verses from Web Bibles will be downloaded +on demand and so an Internet connection is required. + Opwaarderen Bijbel(s): %s gelukt%s +Let op, de bijbelverzen worden gedownload +indien nodig en een internetverbinding is dus noodzakelijk. + + + Upgrading Bible(s): %s successful%s Opwaarderen Bijbel(s): %s gelukt%s - + Upgrade failed. Opwaarderen mislukt. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. De backup is mislukt. @@ -910,30 +1051,50 @@ Om bijbels op te waarderen moet de map beschrijfbaar zijn.. Starting Bible upgrade... - Begin opwaarderen bijbel... + Begin opwaarderen bijbel... - + To upgrade your Web Bibles an Internet connection is required. Om online bijbels op te waarderen is een internet verbinding noodzakelijk. - + Upgrading Bible %s of %s: "%s" Complete Opwaarderen Bijbel %s van %s: "%s" Klaar - + Upgrading Bible(s): %s successful%s Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. Opwaarderen Bijbel(s): %s gelukt%s Let op, de bijbelverzen worden gedownload indien nodig en een internetverbinding is dus noodzakelijk. + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + CustomPlugin + + + <strong>Custom Plugin</strong><br />The custom plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + <strong>Custom plugin</strong><br />De custom plugin voorziet in mogelijkheden aangepaste tekst weer te geven op dezelfde manier als liederen. Deze plugin voorziet in meer mogelijkheden dan de Lied plugin. + <strong>Custom Slide Plugin</strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. @@ -1023,6 +1184,11 @@ Let op, de bijbelverzen worden gedownload indien nodig en een internetverbinding &Title: &Titel: + + + Split Slide + Dia splitsen + The&me: @@ -1054,12 +1220,12 @@ Let op, de bijbelverzen worden gedownload indien nodig en een internetverbinding Dia doormidden delen door een dia 'splitter' in te voegen. - + You need to type in a title. Geef een titel op. - + You need to add at least one slide Minstens een dia invoegen @@ -1068,18 +1234,95 @@ Let op, de bijbelverzen worden gedownload indien nodig en een internetverbinding Ed&it All &Alles bewerken + + + Split a slide into two only if it does not fit on the screen as one slide. + Dia opdelen als de inhoud niet op een dia past. + Insert Slide Invoegen dia + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slides(s)? + + + + + + + + CustomsPlugin + + + Custom + name singular + Sonderfolien + + + + Customs + name plural + Aangepaste dia's + + + + Custom + container title + Aangepaste dia + + + + Load a new Custom. + Aangepaste dia laden. + + + + Import a Custom. + Aangepaste dia importeren. + + + + Add a new Custom. + Aangepaste dia toevoegen. + + + + Edit the selected Custom. + Geselecteerde dia bewerken. + + + + Delete the selected Custom. + Geselecteerde aangepaste dia verwijderen. + + + + Preview the selected Custom. + Bekijk voorbeeld aangepaste dia. + + + + Send the selected Custom live. + Bekijk aangepaste dia live. + + + + Add the selected Custom to the service. + Aangepaste dia aan liturgie toevoegen. + + GeneralTab General - Algemeen + Algemeen @@ -1107,6 +1350,41 @@ Let op, de bijbelverzen worden gedownload indien nodig en een internetverbinding container title Afbeeldingen + + + Load a new Image. + Afbeelding laden. + + + + Add a new Image. + Afbeelding toevoegen. + + + + Edit the selected Image. + Afbeelding bewerken. + + + + Delete the selected Image. + Geselecteerde afbeeldingen wissen. + + + + Preview the selected Image. + Geselecteerde afbeeldingen voorbeeld bekijken. + + + + Send the selected Image live. + Geselecteerde afbeeldingen Live tonen. + + + + Add the selected Image to the service. + Geselecteerde afbeeldingen aan liturgie toevoegen. + Load a new image. @@ -1154,42 +1432,47 @@ Let op, de bijbelverzen worden gedownload indien nodig en een internetverbinding ImagePlugin.MediaItem - + Select Image(s) Selecteer afbeelding(en) - + You must select an image to delete. Selecteer een afbeelding om te verwijderen. - + 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. + + MediaPlugin @@ -1216,6 +1499,41 @@ De andere afbeeldingen alsnog toevoegen? container title Media + + + Load a new Media. + Laad nieuw media bestand. + + + + Add a new Media. + Voeg nieuwe media toe. + + + + Edit the selected Media. + Bewerk geselecteerd media bestand. + + + + Delete the selected Media. + Verwijder geselecteerd media bestand. + + + + Preview the selected Media. + Toon voorbeeld van geselecteerd media bestand. + + + + Send the selected Media live. + Toon geselecteerd media bestand Live. + + + + Add the selected Media to the service. + Voeg geselecteerd media bestand aan liturgie toe. + Load new media. @@ -1255,40 +1573,45 @@ De andere afbeeldingen alsnog toevoegen? MediaPlugin.MediaItem - + Select Media Secteer media bestand - + You must select a media file to delete. Selecteer een media bestand om te verwijderen. - + Missing Media File Ontbrekend media bestand - + The file %s no longer exists. Media bestand %s bestaat niet meer. - + You must select a media file to replace the background with. Selecteer een media bestand 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. - + Videos (%s);;Audio (%s);;%s (*) Video’s (%s);;Audio (%s);;%s (*) + + + There was no display item to amend. + + MediaPlugin.MediaTab @@ -1306,7 +1629,7 @@ De andere afbeeldingen alsnog toevoegen? OpenLP - + Image Files Afbeeldingsbestanden @@ -1600,82 +1923,87 @@ Portions copyright © 2004-2011 %s OpenLP.DisplayTagDialog - + Edit Selection - Bewerk selectie + Bewerk selectie - + Description - Omschrijving + Omschrijving + + + + Tag + Tag + + + + Start tag + Start tag - Tag - Tag - - - - Start tag - Start tag - - - End tag - Eind tag + Eind tag - + Tag Id - Tag Id + Tag Id - + Start HTML - Start HTML + Start HTML - + End HTML - Eind HTML + Eind HTML - + Save - Opslaan + Opslaan OpenLP.DisplayTagTab - + Update Error - Update Fout + Update Fout Tag "n" already defined. - Tag "n" bestaat al. + Tag "n" bestaat al. - + Tag %s already defined. - Tag %s bestaat al. + Tag %s bestaat al. New Tag - Nieuwe tag + Nieuwe tag + + + + <Html_here> + <Html_here> </and here> - </and here> + </and here> <HTML here> - <HTML here> + <HTML here> @@ -1683,82 +2011,82 @@ Portions copyright © 2004-2011 %s Red - Rood + Rood Black - Zwart + Zwart Blue - Blauw + Blauw Yellow - Geel + Geel Green - Groen + Groen Pink - Roze + Roze Orange - Oranje + Oranje Purple - Paars + Paars White - Wit + Wit Superscript - Superscript + Superscript Subscript - Subscript + Subscript Paragraph - Paragraaf + Paragraaf Bold - Vet + Vet Italics - Cursief + Cursief Underline - Onderstreept + Onderstreept Break - Breek af + Breek af @@ -1929,12 +2257,12 @@ Schrijf in het Engels, omdat de meeste programmeurs geen Nederlands spreken. Downloaden %s... - + Download complete. Click the finish button to start OpenLP. Download compleet. Klik op afrond om OpenLP te starten. - + Enabling selected plugins... Geselecteerde plugins inschakelen... @@ -1966,7 +2294,7 @@ Schrijf in het Engels, omdat de meeste programmeurs geen Nederlands spreken. Custom Text - Aangepaste tekst + Aangepaste tekst @@ -2066,6 +2394,16 @@ Om deze assistent over te slaan, klik op klaar. Set up default settings to be used by OpenLP. Stel standaardinstellingen in voor OpenLP. + + + Setting Up And Importing + Instellen en importeren + + + + Please wait while OpenLP is set up and your data is imported. + Even geduld terwijl OpenLP de gegevens importeert. + Default output display: @@ -2087,25 +2425,209 @@ Om deze assistent over te slaan, klik op klaar. Deze assistent helpt u bij het instellen van OpenLP voor het eerste gebruik. Klik op volgende om te beginnen. - + Setting Up And Downloading Instellen en downloaden - + Please wait while OpenLP is set up and your data is downloaded. Even geduld terwijl OpenLP ingesteld wordt en de voorbeeldgegevens worden gedownload. - + Setting Up Instellen - + Click the finish button to start OpenLP. Klik op afronden om OpenLP te starten. + + + Custom Slides + Aangepaste dia’s + + + + Download complete. Click the finish button to return to OpenLP. + + + + + Click the finish button to return to OpenLP. + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Edit Selection + Bewerk selectie + + + + Save + Opslaan + + + + Description + Omschrijving + + + + Tag + Tag + + + + Start tag + Start tag + + + + End tag + Eind tag + + + + Tag Id + Tag Id + + + + Start HTML + Start HTML + + + + End HTML + Eind HTML + + + + OpenLP.FormattingTagForm + + + Update Error + Update Fout + + + + Tag "n" already defined. + Tag "n" bestaat al. + + + + New Tag + Nieuwe tag + + + + <HTML here> + <HTML here> + + + + </and here> + </and here> + + + + Tag %s already defined. + Tag %s bestaat al. + + + + OpenLP.FormattingTags + + + Red + Rood + + + + Black + Zwart + + + + Blue + Blauw + + + + Yellow + Geel + + + + Green + Groen + + + + Pink + Roze + + + + Orange + Oranje + + + + Purple + Paars + + + + White + Wit + + + + Superscript + Superscript + + + + Subscript + Subscript + + + + Paragraph + Paragraaf + + + + Bold + Vet + + + + Italics + Cursief + + + + Underline + Onderstreept + + + + Break + Breek af + OpenLP.GeneralTab @@ -2251,7 +2773,7 @@ Om deze assistent over te slaan, klik op klaar. OpenLP.MainDisplay - + OpenLP Display OpenLP Weergave @@ -2259,307 +2781,307 @@ Om deze assistent over te slaan, klik op klaar. OpenLP.MainWindow - + &File &Bestand - + &Import &Importeren - + &Export &Exporteren - + &View &Weergave - + M&ode M&odus - + &Tools &Hulpmiddelen - + &Settings &Instellingen - + &Language Taa&l - + &Help &Help - + Media Manager Mediabeheer - + Service Manager Liturgie beheer - + Theme Manager Thema beheer - + &New &Nieuw - + &Open &Open - + Open an existing service. Open een bestaande liturgie. - + &Save Op&slaan - + Save the current service to disk. Deze liturgie opslaan. - + Save &As... Opslaan &als... - + 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 &Media beheer - + Toggle Media Manager Media beheer wel / niet tonen - + Toggle the visibility of the media manager. Media beheer wel / niet tonen. - + &Theme Manager &Thema beheer - + Toggle Theme Manager Thema beheer wel / niet tonen - + Toggle the visibility of the theme manager. Thema beheer wel / niet tonen. - + &Service Manager &Liturgie beheer - + Toggle Service Manager Liturgie beheer wel / niet tonen - + Toggle the visibility of the service manager. Liturgie beheer wel / niet tonen. - + &Preview Panel &Voorbeeld - + Toggle Preview Panel Voorbeeld wel / niet tonen - + Toggle the visibility of the preview panel. Voorbeeld wel / niet tonen. - + &Live Panel &Live venster - + Toggle Live Panel Live venster wel / niet tonen - + Toggle the visibility of the live panel. Live venster wel / niet tonen. - + &Plugin List &Plugin Lijst - + List the Plugins Lijst met plugins =uitbreidingen van OpenLP - + &User Guide Gebr&uikshandleiding - + &About &Over OpenLP - + More information about OpenLP Meer Informatie over OpenLP - + &Online Help &Online help - + &Web Site &Website - + Use the system language, if available. Gebruik systeem standaardtaal, 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 &Setup - + Set the view mode to Setup. Weergave modus naar Setup. - + &Live &Live - + Set the view mode to Live. Weergave modus naar Live. - + OpenLP Version Updated Nieuwe OpenLP versie beschikbaar - + OpenLP Main Display Blanked OpenLP projectie op zwart - + The Main Display has been blanked out Projectie is uitgeschakeld: scherm staat op zwart - + Default Theme: %s Standaardthema: %s - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. @@ -2574,55 +3096,113 @@ U kunt de laatste versie op http://openlp.org/ downloaden. Nederlands - + Configure &Shortcuts... &Sneltoetsen instellen... - + Close OpenLP OpenLP afsluiten - + Are you sure you want to close OpenLP? OpenLP afsluiten? - + + Print the current Service Order. + Druk de huidige liturgie af. + + + Open &Data Folder... Open &Data map... - + Open the folder where songs, bibles and other data resides. Open de map waar liederen, bijbels en andere data staat. - + &Configure Display Tags - &Configureer Weergave Tags + &Configureer Weergave Tags - + &Autodetect &Autodetecteer - + Update Theme Images Thema afbeeldingen opwaarderen - + Update the preview images for all themes. Voorbeeld afbeeldingen opwaarderen voor alle thema’s. - + Print the current service. Druk de huidige liturgie af. + + + 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. + + + + + &Recent Files + + + + + &Configure Formatting Tags... + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + OpenLP.MediaManagerItem @@ -2632,57 +3212,85 @@ U kunt de laatste versie op http://openlp.org/ downloaden. Niets geselecteerd - + &Add to selected Service Item &Voeg selectie toe aan de liturgie - + You must select one or more items to preview. Selecteer een of meerdere onderdelen om 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 Ongeldige Liturgie onderdeel - + You must select a %s service item. Selecteer een %s liturgie onderdeel. - + + Duplicate file name %s. +Filename already exists in list + Dubbele bestandsnaam %s. +Deze bestandsnaam staat als in de lijst + + + You must select one or more items to add. Selecteer een of meerdere onderdelen om toe te voegen. - + No Search Results Niets gevonden - + Duplicate filename %s. This filename is already in the list - Dubbele bestandsnaam %s. + Dubbele bestandsnaam %s. Deze bestandsnaam staat al in de lijst + + + &Clone + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + Duplicate files found on import and ignored. + + OpenLP.PluginForm @@ -2730,12 +3338,12 @@ Deze bestandsnaam staat al in de lijst OpenLP.PrintServiceDialog - + Fit Page Passend hele pagina - + Fit Width Passend pagina breedte @@ -2743,70 +3351,90 @@ Deze bestandsnaam staat al in de lijst OpenLP.PrintServiceForm - + Options Opties Close - Sluiten + Sluiten - + 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 dia tekst indien beschikbaar - + Include service item notes Inclusief liturgie opmerkingen - + Include play length of media items Inclusief afspeellengte van media items - + + Service Order Sheet + Orde van dienst afdruk + + + Add page break before each text item Voeg een pagina-einde toe voor elke tekst item - + Service Sheet Liturgie blad + + + Print + + + + + Title: + + + + + Custom Footer Text: + + OpenLP.ScreenList @@ -2821,10 +3449,23 @@ Deze bestandsnaam staat al in de lijst primair scherm + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + OpenLP.ServiceItemEditForm - + Reorder Service Item Liturgie onderdelen herschikken @@ -2832,257 +3473,277 @@ Deze bestandsnaam staat al in de lijst OpenLP.ServiceManager - + Move to &top Bovenaan plaa&tsen - + Move item to the top of the service. Plaats dit onderdeel bovenaan. - + Move &up Naar b&oven - + Move item up one position in the service. Verplaats een plek naar boven. - + Move &down Naar bene&den - + Move item down one position in the service. Verplaats een plek naar beneden. - + Move to &bottom Onderaan &plaatsen - + Move item to the end of the service. Plaats dit onderdeel onderaan. - + &Delete From Service Verwij&deren uit de liturgie - + Delete the selected item from the service. Verwijder dit onderdeel uit de liturgie. - + &Add New Item &Voeg toe - + &Add to Selected Item &Voeg selectie toe - + &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. The content encoding is not UTF-8. Geen geldig liturgie bestand. Tekst codering is geen UTF-8. - + File is not a valid service. Geen geldig liturgie bestand. - + Missing Display Handler Ontbrekende weergave regelaar - + 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 plugin ontbreekt of inactief is - + &Expand all Alles &uitklappen - + Expand all the service items. Alle liturgie onderdelen uitklappen. - + &Collapse all Alles &inklappen - + Collapse all the service items. Alle liturgie onderdelen inklappen. - + Open File Open bestand - + OpenLP Service Files (*.osz) OpenLP liturgie bestanden (*.osz) - + Moves the selection up the window. Verplaatst de selectie naar boven. - + Move up Naar boven - + Go Live Ga Live - + Send the selected item to Live. Toon selectie Live. - + Moves the selection down the window. Verplaatst de selectie naar beneden. - + Modified Service Gewijzigde liturgie - + &Start Time &Start Tijd - + Show &Preview Toon &Voorbeeld - + Show &Live Toon &Live - + The current service has been modified. Would you like to save this service? De huidige liturgie is gewijzigd. Veranderingen opslaan? - + 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 - + Custom Service Notes: Aangepaste liturgie kanttekeningen: - + Notes: Aantekeningen: - + Playing time: Speeltijd: - + Untitled Service Liturgie zonder naam - + + This file is either corrupt or not an OpenLP 2.0 service file. + Dit bestand is beschadigd of geen OpenLP 2.0 liturgie bestand. + + + Load an existing service. Laad een bestaande liturgie. - + Save this service. Deze liturgie opslaan. - + Select a theme for the service. Selecteer een thema voor de liturgie. - + This file is either corrupt or it is not an OpenLP 2.0 service file. Dit bestand is beschadigd of geen OpenLP 2.0 liturgie bestand. + + + Slide theme + + + + + Notes + + + + + Service File Missing + + OpenLP.ServiceNoteForm - + Service Item Notes Liturgische kanttekeningen @@ -3100,7 +3761,7 @@ Tekst codering is geen UTF-8. Customize Shortcuts - Snelkoppelingen aanpassen + Snelkoppelingen aanpassen @@ -3113,12 +3774,12 @@ Tekst codering is geen UTF-8. snelkoppeling - + Duplicate Shortcut Snelkoppelingen dupliceren - + The shortcut "%s" is already assigned to another action, please use a different shortcut. Deze snelkoppeling "%s" wordt al voor iets anders gebruikt. Kies een andere toetscombinatie. @@ -3153,20 +3814,25 @@ Tekst codering is geen UTF-8. Herstel de standaard sneltoets voor de actie. - + Restore Default Shortcuts Herstel standaard sneltoetsen - + Do you want to restore all shortcuts to their defaults? Weet u zeker dat u alle standaard sneltoetsen wilt herstellen? + + + Configure Shortcuts + + OpenLP.SlideController - + Hide Verbergen @@ -3176,27 +3842,27 @@ Tekst codering is geen UTF-8. Ga naar - + Blank Screen Zwart scherm - + Blank to Theme Zwart naar thema - + Show Desktop Toon bureaublad - + Previous Slide Vorige dia - + Next Slide Volgende dia @@ -3216,29 +3882,29 @@ Tekst codering is geen UTF-8. Onderdeel annuleren - + Move to previous. Vorige. - + Move to next. Volgende. - + Play Slides Dia’s tonen Play Slides in Loop - Dia’s doorlopend tonen + Dia’s doorlopend tonen Play Slides to End - Dia’s tonen tot eind + Dia’s tonen tot eind @@ -3269,17 +3935,17 @@ Tekst codering is geen UTF-8. OpenLP.SpellTextEdit - + Spelling Suggestions Spelling suggesties - + Formatting Tags Opmaak tags - + Language: Taal: @@ -3326,6 +3992,16 @@ Tekst codering is geen UTF-8. Time Validation Error Tijd validatie fout + + + End time is set after the end of the media item + Eind tijd is ingesteld tot na het eind van het media item + + + + Start time is after the End Time of the media item + Start tijd is ingesteld tot na het eind van het media item + Finish time is set after the end of the media item @@ -3373,192 +4049,198 @@ Tekst codering is geen UTF-8. 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. Exporteren thema is gelukt. - + Theme Export Failed Exporteren thema is mislukt - + Your theme could not be exported due to an error. Thema kan niet worden geëxporteerd als gevolg van een fout. - + Select Theme Import File Selecteer te importeren thema bestand - + File is not a valid theme. The content encoding is not UTF-8. Geen geldig thema bestand. Tekst codering is geen UTF-8. - + File is not a valid theme. Geen geldig thema bestand. - + Theme %s is used in the %s plugin. Thema %s wordt gebruikt in de %s plugin. - + &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. - + OpenLP Themes (*.theme *.otz) OpenLP Thema's (*.theme *.otz) + + + Copy of %s + Copy of <theme name> + + OpenLP.ThemeWizard @@ -3802,6 +4484,16 @@ Tekst codering is geen UTF-8. Edit Theme - %s Bewerk thema - %s + + + Starting color: + + + + + Ending color: + + OpenLP.ThemesTab @@ -3845,31 +4537,36 @@ Tekst codering is geen UTF-8. Use the global theme, overriding any themes associated with either the service or the songs. Gebruik het globale thema en negeer alle thema's van de liturgie of de afzonderlijke liederen. + + + Themes + + OpenLP.Ui - + Error Fout - + &Delete Verwij&deren - + Delete the selected item. Verwijder het geselecteerde item. - + Move selection up one position. Verplaats selectie een plek naar boven. - + Move selection down one position. Verplaats selectie een plek naar beneden. @@ -3894,19 +4591,19 @@ Tekst codering is geen UTF-8. Maak nieuwe liturgie. - + &Edit &Bewerken - + Import Importeren Length %s - Lengte %s + Lengte %s @@ -3934,42 +4631,57 @@ Tekst codering is geen UTF-8. OpenLP 2.0 - + + Open Service + Open liturgie + + + Preview Voorbeeld - + Replace Background Vervang achtergrond - + + Replace Live Background + Vervang Live achtergrond + + + Reset Background Herstel achtergrond - + + Reset Live Background + Herstel Live achtergrond + + + Save Service Liturgie opslaan - + Service Liturgie - + Start %s Start %s - + &Vertical Align: &Verticaal uitlijnen: - + Top Boven @@ -4004,23 +4716,23 @@ Tekst codering is geen UTF-8. CCLI nummer: - + Empty Field Wis veld - + Export Exporteren - + pt Abbreviated font pointsize unit pt - + Image Afbeelding @@ -4029,6 +4741,11 @@ Tekst codering is geen UTF-8. Live Background Error Live achtergrond fout + + + Live Panel + Live Panel + New Theme @@ -4064,45 +4781,55 @@ Tekst codering is geen UTF-8. openlp.org 1.x - + + Preview Panel + Voorbeeld Panel + + + + Print Service Order + Liturgie afdrukken + + + s The abbreviated unit for seconds s - + Save && Preview Opslaan && voorbeeld bekijken - + Search Zoek - + You must select an item to delete. Selecteer een item om te verwijderen. - + You must select an item to edit. Selecteer iets om te bewerken. - + Theme Singular Thema - + Themes Plural Thema's - + Version Versie @@ -4168,12 +4895,12 @@ Tekst codering is geen UTF-8. Selecteer minstens een %s bestand om te importeren. - + Welcome to the Bible Import Wizard Welkom bij de Bijbel Import Assistent - + Welcome to the Song Export Wizard Welkom bij de lied export assistent @@ -4230,38 +4957,38 @@ Tekst codering is geen UTF-8. Onderwerpen - + Continuous Doorlopend - + Default Standaard - + Display style: Weergave stijl: - + File Bestand - + Help Help - + h The abbreviated unit for hours h - + Layout style: Paginaformaat: @@ -4282,37 +5009,37 @@ Tekst codering is geen UTF-8. OpenLP is reeds gestart. Weet u zeker dat u wilt doorgaan? - + Settings Instellingen - + Tools Hulpmiddelen - + Verse Per Slide Bijbelvers per dia - + Verse Per Line Bijbelvers per regel - + View Weergave - + Duplicate Error Dupliceer fout - + Unsupported File Niet ondersteund bestandsformaat @@ -4327,12 +5054,12 @@ Tekst codering is geen UTF-8. XML syntax fout - + View Mode Weergave modus - + Welcome to the Bible Upgrade Wizard Welkom bij de Bijbel Opwaardeer Assistent @@ -4342,37 +5069,62 @@ Tekst codering is geen UTF-8. Open liturgie. - + Print Service Liturgie afdrukken - + Replace live background. Vervang Live achtergrond. - + Reset live background. Herstel Live achtergrond. - + &Split &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 een dia past. + + + Confirm Delete + + + + + Play Slides in Loop + Dia’s doorlopend tonen + + + + Play Slides to End + Dia’s tonen tot eind + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + OpenLP.displayTagDialog - + Configure Display Tags - Configureer Weergave Tags + Configureer Weergave Tags @@ -4400,6 +5152,31 @@ Tekst codering is geen UTF-8. container title Presentaties + + + Load a new Presentation. + Laad nieuwe presentatie. + + + + Delete the selected Presentation. + Geselecteerde presentatie verwijderen. + + + + Preview the selected Presentation. + Geef van geselecteerde presentatie voorbeeld weer. + + + + Send the selected Presentation live. + Geselecteerde presentatie Live. + + + + Add the selected Presentation to the service. + Voeg geselecteerde presentatie toe aan de liturgie. + Load a new presentation. @@ -4429,52 +5206,52 @@ Tekst codering is geen UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) Selecteer presentatie(s) - + Automatic automatisch - + Present using: Presenteren met: - + A presentation with that filename already exists. Er bestaat al een presentatie met die naam. - + File Exists Bestand bestaat - + This type of presentation is not supported. Dit soort presentatie wordt niet ondersteund. - + Presentations (%s) Presentaties (%s) - + Missing Presentation Ontbrekende presentatie - + The Presentation %s no longer exists. De presentatie %s bestaat niet meer. - + The Presentation %s is incomplete, please reload. De presentatie %s is niet compleet, herladen aub. @@ -4526,12 +5303,12 @@ Tekst codering is geen UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote OpenLP 2.0 Remote - + OpenLP 2.0 Stage View OpenLP 2.0 Podium Weergave @@ -4541,80 +5318,85 @@ Tekst codering is geen UTF-8. Liturgie beheer - + Slide Controller Dia regelaar - + Alerts Waarschuwingen - + Search Zoek - + Back Terug - + Refresh Vernieuwen - + Blank Leeg - + Show Toon - + Prev Vorige - + Next Volgende - + Text Tekst - + Show Alert Toon waarschuwingen - + Go Live Ga Live Add To Service - Voeg toe aan Liturgie + Voeg toe aan Liturgie - + No Results Niets gevonden - + Options Opties + + + Add to Service + + RemotePlugin.RemoteTab @@ -4647,68 +5429,78 @@ Tekst codering is geen UTF-8. SongUsagePlugin - + &Song Usage Tracking &Lied gebruik bijhouden - + &Delete Tracking Data Verwij&der gegevens liedgebruik - + Delete song usage data up to a specified date. Verwijder alle gegevens over lied gebruik tot een bepaalde datum. - + &Extract Tracking Data &Extraheer gegevens liedgebruik - + Generate a report on song usage. Geneer rapportage liedgebruik. - + Toggle Tracking Gegevens bijhouden aan|uit - + Toggle the tracking of song usage. Gegevens liedgebruik bijhouden aan of uit zetten. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Liedgebruik plugin</strong><br />Met deze plugin kunt u bijhouden welke liederen tijdens de vieringen gezongen worden. - + SongUsage name singular Liedprotokollierung - + SongUsage name plural Liedprotokollierung - + SongUsage container title Liedgebruik - + Song Usage Liedgebruik + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + SongUsagePlugin.SongUsageDeleteForm @@ -4941,6 +5733,36 @@ Meestal voldoet de suggestie van OpenLP. Exports songs using the export wizard. Exporteer liederen met de export assistent. + + + Add a new Song. + Voeg nieuw lied toe. + + + + Edit the selected Song. + Bewerk geselecteerde lied. + + + + Delete the selected Song. + Verwijder geselecteerde lied. + + + + Preview the selected Song. + Toon voorbeeld geselecteerd lied. + + + + Send the selected Song live. + Toon lied Live. + + + + Add the selected Song to the service. + Voeg geselecteerde lied toe aan de liturgie. + Add a new song. @@ -5021,190 +5843,197 @@ Meestal voldoet de suggestie van OpenLP. SongsPlugin.EasyWorshipSongImport - + Administered by %s Beheerd door %s + + + +[above are Song Tags with notes imported from + EasyWorship] + + SongsPlugin.EditSongForm - + Song Editor Lied bewerker - + &Title: &Titel: - + &Lyrics: Lied&tekst: - + Ed&it All &Alles bewerken - + Title && Lyrics Titel && Liedtekst - + &Add to Song Voeg toe &aan lied - + &Remove Ve&rwijderen - + A&dd to Song Voeg toe &aan lied - + R&emove V&erwijderen - + New &Theme Nieuw &Thema - + Copyright Information Copyright - + Comments Commentaren - + Theme, Copyright Info && Comments 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? - + 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? - + 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". - + Add Book Voeg boek toe - + This song book does not exist, do you want to add it? Dit liedboek bestaat nog niet, 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. - + Warning Waarschuwing - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. De volgorde van de coupletten klopt niet. Er is geen couplet dat overeenkomt met %s. Wel zijn %s beschikbaar. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? U heeft %s nergens in de vers volgorde gebruikt. Weet u zeker dat u dit lied zo wilt opslaan? - + Alt&ernate title: Afwiss&elende titel: - + &Verse order: &Vers volgorde: - + &Manage Authors, Topics, Song Books &Beheer auteurs, onderwerpen, liedboeken - + Authors, Topics && Song Book Auteurs, onderwerpen && liedboeken - + This author is already in the list. Deze auteur staat al in de lijst. - + This topic is already in the list. Dit onderwerp staat al in de lijst. - + Book: Boek: - + Number: Nummer: - + You need to have an author for this song. Iemand heeft dit lied geschreven. - + You need to type some text in to the verse. Er moet toch een tekst zijn om te zingen. @@ -5226,6 +6055,16 @@ Meestal voldoet de suggestie van OpenLP. &Insert &Invoegen + + + &Split + &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 een dia past. + Split a slide into two by inserting a verse splitter. @@ -5235,82 +6074,82 @@ Meestal voldoet de suggestie van OpenLP. SongsPlugin.ExportWizardForm - + Song Export Wizard Lied Exporteer Assistent - + This wizard will help to export your songs to the open and free OpenLyrics worship song format. Deze assistent helpt u uw liederen te exporteren naar het openen vrije OpenLyrics worship lied bestand formaat. - + Select Songs Selecteer liederen - + Uncheck All Deselecteer alles - + Check All Selecteer alles - + Select Directory Selecteer map - + Directory: Map: - + Exporting Exporteren - + Please wait while your songs are exported. Even wachten terwijl de liederen worden geëxporteerd. - + You need to add at least one Song to export. Kies minstens een lied om te exporteren. - + No Save Location specified Niet opgegeven waar bestand moet worden bewaard - + Starting export... Start exporteren... - + Check the songs you want to export. Selecteer de liederen die u wilt 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. @@ -5348,7 +6187,7 @@ Meestal voldoet de suggestie van OpenLP. Even geduld tijdens het importeren. - + Select Document/Presentation Files Selecteer Documenten/Presentatie bestanden @@ -5357,48 +6196,58 @@ Meestal voldoet de suggestie van OpenLP. Generic Document/Presentation Algemeen Document/Presentatie + + + The Songs of Fellowship importer has been disabled because OpenLP cannot find OpenOffice.org on your computer. + Songs of Fellowship import is uitgeschakeld omdat OpenLP OpenOffice.org niet kan vinden op deze computer. + + + + The generic document/presentation importer has been disabled because OpenLP cannot find OpenOffice.org on your computer. + Algemeen document/presentatie import is uitgeschakeld omdat OpenLP OpenOffice.org niet kan vinden op deze computer. + The OpenLyrics importer has not yet been developed, but as you can see, we are still intending to do so. Hopefully it will be in the next release. OpenLyrics import is nog niet gemaakt, maar we hebben het voornemen dit te doen. Hopelijk lukt dit in een volgende versie. - + OpenLP 2.0 Databases OpenLP 2.0 Databases - + openlp.org v1.x Databases openlp.org v1.x Databases - + Words Of Worship Song Files Words Of Worship Lied bestanden - + Songs Of Fellowship Song Files Songs Of Fellowship lied bestanden - + SongBeamer Files SongBeamer bestanden - + SongShow Plus Song Files SongShow Plus lied bestanden - + You need to specify at least one document or presentation file to import from. Selecteer minimaal een document of presentatie om te importeren. - + Foilpresenter Song Files Foilpresenter lied bestanden @@ -5426,32 +6275,32 @@ Meestal voldoet de suggestie van OpenLP. SongsPlugin.MediaItem - + Titles Titels - + Lyrics Liedtekst Delete Song(s)? - Wis lied(eren)? + Wis lied(eren)? - + CCLI License: CCLI Licentie: - + Entire Song Gehele lied - + Are you sure you want to delete the %n selected song(s)? Weet u zeker dat u dit %n lied wilt verwijderen? @@ -5459,15 +6308,21 @@ Meestal voldoet de suggestie van OpenLP. - + Maintain the lists of authors, topics and books. Beheer de lijst met auteurs, onderwerpen en liedboeken. + + + copy + For song cloning + + SongsPlugin.OpenLP1SongImport - + Not a valid openlp.org 1.x song database. Geen geldige openlp.org v1.x lied database. @@ -5483,7 +6338,7 @@ Meestal voldoet de suggestie van OpenLP. SongsPlugin.OpenLyricsExport - + Exporting "%s"... Exporteren "%s"... @@ -5514,12 +6369,12 @@ Meestal voldoet de suggestie van OpenLP. SongsPlugin.SongExportForm - + Finished export. Exporteren afgerond. - + Your song export failed. Liederen export is mislukt. @@ -5527,27 +6382,32 @@ Meestal voldoet de suggestie van OpenLP. SongsPlugin.SongImport - + copyright copyright - + The following songs could not be imported: De volgende liederen konden niet worden geïmporteerd: - + + Unable to open OpenOffice.org or LibreOffice + Kan OpenOffice.org of LibreOffice niet openen + + + Unable to open file Kan bestand niet openen - + File not found Bestand niet gevonden - + Cannot access OpenOffice or LibreOffice Kan niet bij OpenOffice.org of LibreOffice komen @@ -5555,7 +6415,7 @@ Meestal voldoet de suggestie van OpenLP. SongsPlugin.SongImportForm - + Your song import failed. Lied import mislukt. @@ -5757,7 +6617,7 @@ Meestal voldoet de suggestie van OpenLP. Themes - Thema’s + Thema’s diff --git a/resources/i18n/pt_BR.ts b/resources/i18n/pt_BR.ts index 1e5dc28ce..5351f34b6 100644 --- a/resources/i18n/pt_BR.ts +++ b/resources/i18n/pt_BR.ts @@ -1,29 +1,29 @@ - + AlertPlugin.AlertForm You have not entered a parameter to be replaced. Do you want to continue anyway? - Você não entrou com um parâmetro para ser substituído. + Você não entrou com um parâmetro para ser substituído. Deseja continuar mesmo assim? No Parameter Found - Nenhum Parâmetro Encontrado + Nenhum Parâmetro Encontrado No Placeholder Found - Nenhum Marcador de Posição Encontrado + Nenhum Marcador de Posição Encontrado The alert text does not contain '<>'. Do you want to continue anyway? - O texto de alerta não contém '<>'. + O texto de alerta não contém '<>'. Deseja continuar mesmo assim? @@ -42,7 +42,7 @@ Deseja continuar mesmo assim? <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen - <strong>Plugin de Alerta</strong><br />O plugin de alerta controla a exibição de alertas de berçário na tela de apresentação + <strong>Plugin de Alerta</strong><br />O plugin de alerta controla a exibição de alertas de berçário na tela de apresentação @@ -62,6 +62,11 @@ Deseja continuar mesmo assim? container title Alertas + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. + + AlertsPlugin.AlertForm @@ -110,6 +115,30 @@ Deseja continuar mesmo assim? &Parameter: &Parâmetro: + + + No Parameter Found + Nenhum Parâmetro Encontrado + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + Você não entrou com um parâmetro para ser substituído. +Deseja continuar mesmo assim? + + + + No Placeholder Found + Nenhum Marcador de Posição Encontrado + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + O texto de alerta não contém '<>'. +Deseja continuar mesmo assim? + AlertsPlugin.AlertsManager @@ -157,18 +186,18 @@ Deseja continuar mesmo assim? Importing books... %s - Importando livros... %s + Importando livros... %s Importing verses from %s... Importing verses from <book name>... - Importando versículos de %s... + Importando versículos de %s... Importing verses... done. - Importando versículos... concluído. + Importando versículos... concluído. @@ -176,12 +205,17 @@ Deseja continuar mesmo assim? &Upgrade older Bibles - &Atualizar Bíblias antigas + &Atualizar Bíblias antigas + + + + Upgrade the Bible databases to the latest format + Atualizar o banco de dados de Bíblias para o formato atual Upgrade the Bible databases to the latest format. - Atualizar o banco de dados de Bíblias para o formato atual. + Atualizar o banco de dados de Bíblias para o formato atual. @@ -189,22 +223,22 @@ Deseja continuar mesmo assim? Download Error - Erro na Transferência + Erro na Transferência Parse Error - Erro de Interpretação + Erro de Interpretação 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. + 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. There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. - Ocorreu um problema extraindo os versículos selecionados. Se este erro continuar ocorrendo, por favor considere relatar um bug. + Ocorreu um problema extraindo os versículos selecionados. Se este erro continuar ocorrendo, por favor considere relatar um bug. @@ -212,22 +246,27 @@ Deseja continuar mesmo assim? Bible not fully loaded. - Bíblia não carregada completamente. + Bíblia não carregada completamente. 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 um versículo simples e um duplo nos resultados das buscas. Você deseja deletar os resultados da sua busca e comecar uma nova? + Você não pode combinar um versículo simples e um duplo nos resultados das buscas. Você deseja deletar os resultados da sua busca e comecar uma nova? Information - Informações + Informações + + + + The second Bibles 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. 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. + 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. @@ -256,12 +295,12 @@ Deseja continuar mesmo assim? 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. @@ -305,38 +344,48 @@ Deseja continuar mesmo assim? <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. + BiblesPlugin.BibleManager - + Scripture Reference Error Erro de Referência na Escritura - + Web Bible cannot be used Não é possível usar a Bíblia Online - + Text Search is not available with Web Bibles. A Pesquisa de Texto não está disponível para Bíblias Online. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Você não digitou uma palavra-chave de pesquisa. Você pode separar diferentes palavras-chave com um espaço para procurar por todas as palavras-chave e pode separá-las com uma vírgula para pesquisar por alguma delas. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Não há Bíblias instaladas atualmente. Por favor, utilize o Assistente de Importação para instalar uma ou mais Bíblias. - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns: Book Chapter @@ -355,7 +404,7 @@ Livro Capítulo:Versículo-Versículo,Capítulo:Versículo-Versículo Livro Capítulo:Versículo-Capítulo:Versículo - + No Bibles Available Nenhum Bíblia Disponível @@ -461,189 +510,228 @@ Mudanças não afetam os versículos que já estão no culto. Você deve selecionar um livro. + + BiblesPlugin.CSVBible + + + Importing books... %s + Importando livros... %s + + + + Importing verses from %s... + Importing verses from <book name>... + Importando versículos de %s... + + + + Importing verses... done. + Importando versículos... concluído. + + 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 na Transferência + + + + 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 extraindo os versículos selecionados. Se este erro continuar ocorrendo, por favor considere relatar um bug. + 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: Direito Autoral: - + 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. Você deve especificar um nome de versão para a sua Bíblia. - + Bible Exists Bíblia Existe - + Your Bible import failed. A sua Importação de Bíblia falhou. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Você precisa definir os direitos autorais da sua Bíblia. Traduções em Domínio Público devem ser marcadas como tal. - + This Bible already exists. Please import a different Bible or first delete the existing one. Esta Bíblia já existe. Pro favor, importe uma Bíblia diferente ou apague a existente primeiro. - + Permissions: Permissões: - + CSV File Arquivo CSV - + Bibleserver Bibleserver - + Bible file: Arquivo de Bíblia: - + Books file: Arquivo de Livros: - + Verses file: Arquivo de Versículos: - + openlp.org 1.x Bible Files Arquivos de Bíblia do openlp.org 1.x - + Registering Bible... Registrando Bíblia... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. Bíblia registrada. Por favor, observe que os verísulos serão baixados de acordo @@ -671,7 +759,7 @@ com o usu, portanto uma conexão com a internet é necessária. BiblesPlugin.LanguageForm - + You need to choose a language. Você deve escolher um idioma. @@ -679,60 +767,80 @@ com o usu, portanto uma conexão com a internet é necessária. BiblesPlugin.MediaItem - + Quick Rápido - + Find: Localizar: - + Book: Livro: - + Chapter: Capítulo: - + Verse: Versículo: - + From: De: - + To: Até: - + Text Search Pesquisar Texto - + Second: Segundo: - + 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 um versículo simples e um duplo nos resultados das buscas. 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. + BiblesPlugin.Opensong @@ -760,148 +868,181 @@ com o usu, portanto uma conexão com a internet é necessária. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory Selecione um Diretório para Cópia de Segurança - + 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 voltar para o diretório de dados do OpenLP caso seja necessário voltar a uma versão anterior do OpenLP. Instruções de 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 - + Version name: - Nome da versão: + Nome da versão: - + This Bible still exists. Please change the name or uncheck it. - Esta Bíblia ainda existe. Por favor, mude o nome ou desmarque-a. + Esta Bíblia ainda existe. Por favor, mude o nome ou desmarque-a. - + Upgrading Atualizando - + Please wait while your Bibles are upgraded. Por favor, aguarde enquanto suas Bíblias são atualizadas. You need to specify a Backup Directory for your Bibles. - Você deve especificar uma Pasta de Cópia de Segurança para suas Bíblias. + Você deve especificar uma Pasta de Cópia de Segurança para suas Bíblias. - + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. If you have write permissions and this error still occurs, please report a bug. + A cópia de segurança não foi feita com sucesso. +Para fazer uma cópia de segurança das suas Bíblias, necessita de permissões de escrita no diretório escolhido. Se você possui permissões de escrita e este erro persiste, por favor, reporte um bug. + + + You need to specify a version name for your Bible. - Você deve especificar um nome de versão para a sua Bíblia. + Você deve especificar um nome de versão para a sua Bíblia. - + Bible Exists - Bíblia Existe + Bíblia Existe - + This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck. - Esta Bíblia já existe. Por favor atualizar uma Bíblia diferente, apague o existente ou desmarque-a. + Esta Bíblia já existe. Por favor atualizar uma Bíblia diferente, apague o existente ou desmarque-a. + + + + Starting upgrading Bible(s)... + Iniciando atualização de Bíblia(s)... There are no Bibles available to upgrade. - Não há Bíblias disponíveis para atualização. + Não há Bíblias disponíveis para atualização. - + 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 na Transferência - + + To upgrade your Web Bibles an Internet connection is required. If you have a working Internet connection and this error still occurs, please report a bug. + Para atualizar suas Bíblias Internet, é necessária uma conexão com a internet. Se você tiver uma conexão com a internet funcionando e persistir o erro, por favor, reporte um bug. + + + Upgrading Bible %s of %s: "%s" Upgrading %s ... Atualizando Bíblia %s de %s: "%s" Atualizando %s ... - + + Upgrading Bible %s of %s: "%s" +Done + Atualizando Bíblia %s de %s: "%s" +Finalizado + + + , %s failed . %s falhou - + + Upgrading Bible(s): %s successful%s +Please note, that verses from Web Bibles will be downloaded +on demand and so an Internet connection is required. + Atualizando Bíblia(s): %s com sucesso%s +Observe, que versículos das Bíblias Internet serão transferidos +sob demando então é necessária uma conexão com a internet. + + + Upgrading Bible(s): %s successful%s Atualizando Bíblia(s): %s com sucesso%s - + Upgrade failed. A atualização falhou. - + 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. @@ -910,30 +1051,50 @@ Para fazer uma cópia de segurança das suas Bíblias é necessário permissão Starting Bible upgrade... - Iniciando atualização de Bíblia... + Iniciando atualização de Bíblia... - + 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" Complete Atualizando Bíblia %s de %s: "%s" Finalizado - + Upgrading Bible(s): %s successful%s Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. Atualizando Bíblia(s): %s com sucesso%s Observe, que versículos das Bíblias Internet serão transferidos sob demanda então é necessária uma conexão com a internet. + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + CustomPlugin + + + <strong>Custom Plugin</strong><br />The custom plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + <strong>Plugin de Personalizado</strong><br />O plugin de personalizado permite criar slides de texto que são apresentados da mesma maneira que as músicas. Este plugin permite mais liberdade do que o plugin de músicas. + <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. @@ -1038,6 +1199,11 @@ Observe, que versículos das Bíblias Internet serão transferidos sob demanda e Edit all the slides at once. Editar todos os slides de uma vez. + + + Split Slide + Dividir Slide + Split a slide into two by inserting a slide splitter. @@ -1054,12 +1220,12 @@ Observe, que versículos das Bíblias Internet serão transferidos sob demanda e &Créditos: - + You need to type in a title. Você deve digitar um título. - + You need to add at least one slide Você deve adicionar pelo menos um slide @@ -1068,18 +1234,95 @@ Observe, que versículos das Bíblias Internet serão transferidos sob demanda e Ed&it All &Editar Todos + + + Split a slide into two only if it does not fit on the screen as one slide. + Dividir o slide em dois somente se não couber na tela como um único slide. + Insert Slide Inserir Slide + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slides(s)? + + + + + + + + CustomsPlugin + + + Custom + name singular + Customizado + + + + Customs + name plural + Personalizados + + + + Custom + container title + Personalizado + + + + Load a new Custom. + Carregar um Personalizado novo. + + + + Import a Custom. + Importar um Personalizado. + + + + Add a new Custom. + Adicionar um Personalizado novo. + + + + Edit the selected Custom. + Editar o Personalizado selecionado. + + + + Delete the selected Custom. + Excluir o Personalizado selecionado. + + + + Preview the selected Custom. + Pré-visualizar o Personalizado selecionado. + + + + Send the selected Custom live. + Projetar o Personalizado selecionado. + + + + Add the selected Custom to the service. + Adicionar o Personalizado ao culto. + + GeneralTab General - Geral + Geral @@ -1107,6 +1350,41 @@ Observe, que versículos das Bíblias Internet serão transferidos sob demanda e container title Imagens + + + Load a new Image. + Carregar uma Imagem nova. + + + + Add a new Image. + Adicionar uma Imagem nova. + + + + Edit the selected Image. + Editar a Imagem selecionada. + + + + Delete the selected Image. + Excluir a Imagem selecionada. + + + + Preview the selected Image. + Pré-visualizar a Imagem selecionada. + + + + Send the selected Image live. + Projetar a Imagem selecionada. + + + + Add the selected Image to the service. + Adicionar a Imagem selecionada ao culto. + Load a new image. @@ -1154,42 +1432,47 @@ Observe, que versículos das Bíblias Internet serão transferidos sob demanda e ImagePlugin.MediaItem - + Select Image(s) Selecionar Imagem(s) - + You must select an image to delete. Você precisa selecionar uma imagem para excluir. - + 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(s) não encontrada(s) - + The following image(s) no longer exist: %s A(s) seguinte(s) imagem(s) 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(s) não existe(m) mais: %s Mesmo assim, deseja continuar adicionando as outras imagens? - + 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. + + MediaPlugin @@ -1216,6 +1499,41 @@ Mesmo assim, deseja continuar adicionando as outras imagens? container title Mídia + + + Load a new Media. + Carregar uma Mídia nova. + + + + Add a new Media. + Adicionar uma Mídia nova. + + + + 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. + Projetar a Mídia selecionada. + + + + Add the selected Media to the service. + Adicionar a Mídia selecionada ao culto. + Load new media. @@ -1255,40 +1573,45 @@ Mesmo assim, deseja continuar adicionando as outras imagens? 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. - + Missing Media File Arquivo de Mídia não encontrado - + The file %s no longer exists. O arquivo %s não existe. - + 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. - + Videos (%s);;Audio (%s);;%s (*) Vídeos (%s);;Áudio (%s);;%s (*) + + + There was no display item to amend. + + MediaPlugin.MediaTab @@ -1306,7 +1629,7 @@ Mesmo assim, deseja continuar adicionando as outras imagens? OpenLP - + Image Files Arquivos de Imagem @@ -1598,82 +1921,87 @@ Porções com direitos autorais © 2004-2011 %s OpenLP.DisplayTagDialog - + Edit Selection - Editar Seleção + Editar Seleção - + Description - Descrição + Descrição + + + + Tag + Etiqueta + + + + Start tag + Etiqueta Inicial - Tag - Etiqueta - - - - Start tag - Etiqueta Inicial - - - End tag - Etiqueta Final + Etiqueta Final - + Tag Id - Id da Etiqueta + Id da Etiqueta - + Start HTML - Iniciar HTML + Iniciar HTML - + End HTML - Finalizar HTML + Finalizar HTML - + Save - Salvar + Salvar OpenLP.DisplayTagTab - + Update Error - Erro no Update + Erro no Update Tag "n" already defined. - Etiqueta "n" já está definida. + Etiqueta "n" já está definida. - + Tag %s already defined. - Etiqueta %s já está definida. + Etiqueta %s já está definida. New Tag - Novo Tag + Novo Tag + + + + <Html_here> + <Html_aqui> </and here> - </e aqui> + </e aqui> <HTML here> - <HTML aqui> + <HTML aqui> @@ -1681,82 +2009,82 @@ Porções com direitos autorais © 2004-2011 %s Red - Vermelho + Vermelho Black - Preto + Preto Blue - Azul + Azul Yellow - Amarelo + Amarelo Green - Verde + Verde Pink - Rosa + Rosa Orange - Laranja + Laranja Purple - Púrpura + Púrpura White - Branco + Branco Superscript - Sobrescrito + Sobrescrito Subscript - Subscrito + Subscrito Paragraph - Parágrafo + Parágrafo Bold - Negrito + Negrito Italics - Itálico + Itálico Underline - Sublinhado + Sublinhado Break - Quebra + Quebra @@ -1927,12 +2255,12 @@ Agradecemos se for possível escrever seu relatório em inglês. Transferindo %s... - + Download complete. Click the finish button to start OpenLP. Transferência finalizada. Clique no botão terminar para iniciar o OpenLP. - + Enabling selected plugins... Habilitando os plugins selecionados... @@ -1964,7 +2292,7 @@ Agradecemos se for possível escrever seu relatório em inglês. Custom Text - Texto Personalizado + Texto Personalizado @@ -2064,6 +2392,16 @@ Para cancelar o assistente completamente, clique no botão finalizar.Set up default settings to be used by OpenLP. Configure os ajustes padrões que serão utilizados pelo OpenLP. + + + Setting Up And Importing + Configurando e Importando + + + + Please wait while OpenLP is set up and your data is imported. + Por Favor aguarde enquanto o OpenLP é configurado e os seus dados importados. + Default output display: @@ -2085,25 +2423,209 @@ Para cancelar o assistente completamente, clique no botão finalizar.Este assistente irá ajudá-lo na configuração do OpenLP para o uso inicial. Clique abaixo no botão avançar para começar. - + 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 - + Click the finish button to start OpenLP. Clique o botão finalizar para iniciar o OpenLP. + + + Custom Slides + Slides Personalizados + + + + Download complete. Click the finish button to return to OpenLP. + + + + + Click the finish button to return to OpenLP. + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Edit Selection + Editar Seleção + + + + Save + Salvar + + + + Description + Descrição + + + + Tag + Etiqueta + + + + Start tag + Etiqueta Inicial + + + + End tag + Etiqueta Final + + + + Tag Id + Id da Etiqueta + + + + Start HTML + Iniciar HTML + + + + End HTML + Finalizar HTML + + + + OpenLP.FormattingTagForm + + + Update Error + Erro no Update + + + + Tag "n" already defined. + Etiqueta "n" já está definida. + + + + New Tag + Novo Tag + + + + <HTML here> + <HTML aqui> + + + + </and here> + </e aqui> + + + + Tag %s already defined. + Etiqueta %s já está definida. + + + + OpenLP.FormattingTags + + + Red + Vermelho + + + + Black + Preto + + + + Blue + Azul + + + + Yellow + Amarelo + + + + Green + Verde + + + + Pink + Rosa + + + + Orange + Laranja + + + + Purple + Púrpura + + + + White + Branco + + + + Superscript + Sobrescrito + + + + Subscript + Subscrito + + + + Paragraph + Parágrafo + + + + Bold + Negrito + + + + Italics + Itálico + + + + Underline + Sublinhado + + + + Break + Quebra + OpenLP.GeneralTab @@ -2249,7 +2771,7 @@ Para cancelar o assistente completamente, clique no botão finalizar. OpenLP.MainDisplay - + OpenLP Display Saída do OpenLP @@ -2257,287 +2779,287 @@ Para cancelar o assistente completamente, clique no botão finalizar. OpenLP.MainWindow - + &File &Arquivo - + &Import &Importar - + &Export &Exportar - + &View &Exibir - + M&ode M&odo - + &Tools &Ferramentas - + &Settings &Configurações - + &Language &Idioma - + &Help Aj&uda - + Media Manager Gerenciador de Mídia - + Service Manager Gerenciador de Culto - + Theme Manager Gerenciador de Tema - + &New &Novo - + &Open &Abrir - + Open an existing service. Abrir um culto existente. - + &Save &Salvar - + Save the current service to disk. Salvar o culto atual no disco. - + Save &As... Salvar &Como... - + 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 Tema - + Toggle Theme Manager Alternar para Gerenciamento de Tema - + 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. - + &Plugin List &Lista de Plugins - + 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/. @@ -2546,22 +3068,22 @@ You can download the latest version from http://openlp.org/. 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 @@ -2572,55 +3094,113 @@ Voce pode baixar a última versão em http://openlp.org/. Português do Brasil - + Configure &Shortcuts... Configurar &Atalhos... - + Close OpenLP Fechar o OpenLP - + Are you sure you want to close OpenLP? Você tem certeza de que deseja fechar o OpenLP? - - &Configure Display Tags - &Configurar Etiquetas de Exibição + + Print the current Service Order. + Imprimir a Ordem de Culto atual. - + + &Configure Display Tags + &Configurar Etiquetas de Exibição + + + 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 + + + + + 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. + + + + + &Recent Files + + + + + &Configure Formatting Tags... + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + OpenLP.MediaManagerItem @@ -2630,57 +3210,85 @@ Voce pode baixar a última versão em http://openlp.org/. 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. - + + Duplicate file name %s. +Filename already exists in list + Nome de arquivo duplicado%s. +O nome do arquivo já existe na lista + + + 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 - + Duplicate filename %s. This filename is already in the list - Nome de arquivo duplicado %s. + Nome de arquivo duplicado %s. Este nome de arquivo já está na lista + + + &Clone + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + Duplicate files found on import and ignored. + + OpenLP.PluginForm @@ -2728,12 +3336,12 @@ Este nome de arquivo já está na lista OpenLP.PrintServiceDialog - + Fit Page Ajustar à Página - + Fit Width Ajustar à Largura @@ -2741,70 +3349,90 @@ Este nome de arquivo já está na lista OpenLP.PrintServiceForm - + Options Opções Close - Fechar + Fechar - + 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 - + + Service Order Sheet + Folha de Ordem de Culto + + + 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 + + + + + Title: + + + + + Custom Footer Text: + + OpenLP.ScreenList @@ -2819,10 +3447,23 @@ Este nome de arquivo já está na lista primário + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + OpenLP.ServiceItemEditForm - + Reorder Service Item Reordenar Item de Culto @@ -2830,257 +3471,277 @@ Este nome de arquivo já está na lista OpenLP.ServiceManager - + Move to &top Mover para o &topo - + Move item to the top of the service. Mover item para o topo do culto. - + Move &up Mover para &cima - + Move item up one position in the service. Mover item uma posição para cima no culto. - + Move &down Mover para &baixo - + Move item down one position in the service. Mover item uma posição para baixo no culto. - + Move to &bottom Mover para o &final - + Move item to the end of the service. Mover item para o final do culto. - + &Delete From Service &Excluir do Culto - + Delete the selected item from the service. 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. The content encoding is not UTF-8. O arquivo não é um culto válida. A codificação do conteúdo não é UTF-8. - + 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 - + &Expand all &Expandir todos - + Expand all the service items. Expandir todos os itens do culto. - + &Collapse all &Recolher todos - + Collapse all the service items. Recolher todos os itens do culto. - + Open File Abrir Arquivo - + OpenLP Service Files (*.osz) Arquivos de Culto do OpenLP (*.osz) - + Moves the selection down the window. Move a seleção para baixo dentro da janela. - + Move up Mover para cima - + Moves the selection up the window. Move a seleção para cima dentro da janela. - + Go Live Projetar - + Send the selected item to Live. Enviar o item selecionado para a Projeção. - + Modified Service Culto Modificado - + &Start Time &Horário Inicial - + Show &Preview Exibir &Pré-visualização - + Show &Live Exibir &Projeção - + The current service has been modified. Would you like to save this service? O culto atual foi modificada. Você gostaria de salvar este culto? - + 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 - + Custom Service Notes: Anotações de Culto Personalizados: - + Notes: Observações: - + Playing time: Duração: - + Untitled Service Culto Sem Nome - + + This file is either corrupt or not an OpenLP 2.0 service file. + O arquivo está corrompido ou não é uma arquivo de culto OpenLP 2.0. + + + Load an existing service. Carregar um culto existente. - + Save this service. Salvar este culto. - + Select a theme for the service. Selecionar um tema para o culto. - + This file is either corrupt or it is not an OpenLP 2.0 service file. Este arquivo está corrompido ou não é um arquivo de culto do OpenLP 2.0. + + + Slide theme + + + + + Notes + + + + + Service File Missing + + OpenLP.ServiceNoteForm - + Service Item Notes Anotações do Item de Culto @@ -3098,7 +3759,7 @@ A codificação do conteúdo não é UTF-8. Customize Shortcuts - Personalizar Atalhos + Personalizar Atalhos @@ -3111,12 +3772,12 @@ A codificação do conteúdo não é UTF-8. 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. @@ -3151,20 +3812,25 @@ A codificação do conteúdo não é UTF-8. Restaurar o atalho padrão desta ação. - + Restore Default Shortcuts Restaurar Atalhos Padrões - + Do you want to restore all shortcuts to their defaults? Deseja restaurar todos os atalhos ao seus padrões? + + + Configure Shortcuts + + OpenLP.SlideController - + Hide Ocultar @@ -3174,27 +3840,27 @@ A codificação do conteúdo não é UTF-8. Ir Para - + Blank Screen Apagar Tela - + Blank to Theme Apagar e deixar o Tema - + Show Desktop Mostrar a Área de Trabalho - + Previous Slide Slide Anterior - + Next Slide Slide Seguinte @@ -3214,29 +3880,29 @@ A codificação do conteúdo não é UTF-8. Escapar Item - + Move to previous. Mover para o anterior. - + Move to next. Mover para o seguinte. - + Play Slides Exibir Slides Play Slides in Loop - Exibir Slides com Repetição + Exibir Slides com Repetição Play Slides to End - Exibir Slides até o Fim + Exibir Slides até o Fim @@ -3267,17 +3933,17 @@ A codificação do conteúdo não é UTF-8. OpenLP.SpellTextEdit - + Spelling Suggestions Sugestões Ortográficas - + Formatting Tags Tags de Formatação - + Language: Idioma: @@ -3324,6 +3990,16 @@ A codificação do conteúdo não é UTF-8. Time Validation Error Erro de Validação de Tempo + + + End time is set after the end of the media item + O tempo final está ajustado para após o fim da mídia + + + + Start time is after the End Time of the media item + O Tempo Inicial está após o Tempo Final da Mídia + Finish time is set after the end of the media item @@ -3371,192 +4047,198 @@ A codificação do conteúdo não é UTF-8. 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 - + Your theme could not be exported due to an error. O tema não pôde ser exportado devido a um erro. - + Select Theme Import File Selecionar Arquivo de Importação de Tema - + File is not a valid theme. The content encoding is not UTF-8. O arquivo não é um tema válido. A codificação do conteúdo não é UTF-8. - + File is not a valid theme. O arquivo não é um tema válido. - + Theme %s is used in the %s plugin. O tema %s é usado no plugin %s. - + &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. - + OpenLP Themes (*.theme *.otz) Temas do OpenLP (*.theme *.otz) + + + Copy of %s + Copy of <theme name> + + OpenLP.ThemeWizard @@ -3800,6 +4482,16 @@ A codificação do conteúdo não é UTF-8. Edit Theme - %s Editar Tema - %s + + + Starting color: + + + + + Ending color: + + OpenLP.ThemesTab @@ -3843,31 +4535,36 @@ A codificação do conteúdo não é UTF-8. Use the global theme, overriding any themes associated with either the service or the songs. Usar o tema global, ignorando qualquer tema associado ao culto ou às músicas. + + + Themes + Temas + OpenLP.Ui - + Error Erro - + &Delete &Excluir - + Delete the selected item. Excluir o item selecionado. - + Move selection up one position. Mover a seleção para cima em uma posição. - + Move selection down one position. Mover a seleção para baixo em uma posição. @@ -3917,40 +4614,40 @@ A codificação do conteúdo não é UTF-8. Criar uma novo culto. - + &Edit &Editar - + Empty Field Campo Vazio - + Export Exportar - + pt Abbreviated font pointsize unit pt - + Image Imagem - + Import Importar Length %s - Comprimento %s + Comprimento %s @@ -3962,6 +4659,11 @@ A codificação do conteúdo não é UTF-8. Live Background Error Erro no Fundo da Projeção + + + Live Panel + Painel de Projeção + Load @@ -4022,85 +4724,110 @@ A codificação do conteúdo não é UTF-8. OpenLP 2.0 - + + Open Service + Abrir Culto + + + Preview Pré-Visualização - + + Preview Panel + Painel de Pré-Visualização + + + + Print Service Order + Imprimir Ordem de Culto + + + Replace Background Substituir Plano de Fundo - + + Replace Live Background + Substituir Plano de Fundo da Projeção + + + Reset Background Restabelecer o Plano de Fundo - + + Reset Live Background + Restabelecer o Plano de Fundo da Projeção + + + s The abbreviated unit for seconds s - + Save && Preview Salvar && Pré-Visualizar - + Search Pesquisar - + 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. - + Save Service Salvar Culto - + Service Culto - + Start %s Início %s - + Theme Singular Tema - + Themes Plural Temas - + Top Topo - + Version Versão - + &Vertical Align: Alinhamento &Vertical: @@ -4166,12 +4893,12 @@ A codificação do conteúdo não é UTF-8. 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 @@ -4228,38 +4955,38 @@ A codificação do conteúdo não é UTF-8. Tópicos - + Continuous Contínuo - + Default Padrão - + Display style: Estilo de Exibição: - + File Arquivo - + Help Ajuda - + h The abbreviated unit for hours h - + Layout style: Estilo do Layout: @@ -4280,37 +5007,37 @@ A codificação do conteúdo não é UTF-8. OpenLP já está sendo executado. Deseja continuar? - + Settings Configurações - + Tools Ferramentas - + Verse Per Slide Versículos por Slide - + Verse Per Line Versículos por Linha - + View Visualizar - + Duplicate Error Erro de duplicidade - + Unsupported File Arquivo Não Suportado @@ -4325,12 +5052,12 @@ A codificação do conteúdo não é UTF-8. Erro de sintaxe XML - + View Mode Modo de Visualização - + Welcome to the Bible Upgrade Wizard Bem-vindo ao Assistente de Atualização de Bíblias @@ -4340,37 +5067,62 @@ A codificação do conteúdo não é UTF-8. Abrir culto. - + Print Service Imprimir Culto - + Replace live background. Trocar fundo da projeção. - + Reset live background. Reverter fundo da projeção. - + &Split &Dividir - + 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. + + + Confirm Delete + + + + + Play Slides in Loop + Exibir Slides com Repetição + + + + Play Slides to End + Exibir Slides até o Fim + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + OpenLP.displayTagDialog - + Configure Display Tags - Configurar Etiquetas de Exibição + Configurar Etiquetas de Exibição @@ -4398,6 +5150,31 @@ A codificação do conteúdo não é UTF-8. container title Apresentações + + + Load a new Presentation. + Carregar uma Apresentação nova. + + + + Delete the selected Presentation. + Excluir a Apresentação selecionada. + + + + Preview the selected Presentation. + Pré-visualizar a Apresentação selecionada. + + + + Send the selected Presentation live. + Projetar a Apresentação selecionada. + + + + Add the selected Presentation to the service. + Adicionar a Apresentação selecionada à ordem de culto. + Load a new presentation. @@ -4427,52 +5204,52 @@ A codificação do conteúdo não é UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) Selecionar Apresentação(ões) - + Automatic Automático - + Present using: 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 no longer exists. A Apresentação %s não existe mais. - + The Presentation %s is incomplete, please reload. A Apresentação %s está incompleta, por favor recarregue-a. @@ -4524,12 +5301,12 @@ A codificação do conteúdo não é UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote OpenLP 2.0 Remoto - + OpenLP 2.0 Stage View OpenLP 2.0 Visão de Palco @@ -4539,80 +5316,85 @@ A codificação do conteúdo não é UTF-8. Gerenciador de Culto - + Slide Controller Controlador de Slide - + Alerts Alertas - + Search Pesquisar - + Back Voltar - + Refresh Atualizar - + Blank Desativar - + Show Exibir - + Prev Ant - + Next Seg - + Text Texto - + Show Alert Mostrar Alerta - + Go Live Projetar Add To Service - Adicionar ao Culto + Adicionar ao Culto - + No Results Nenhum Resultado - + Options Opções + + + Add to Service + + RemotePlugin.RemoteTab @@ -4645,68 +5427,78 @@ A codificação do conteúdo não é UTF-8. SongUsagePlugin - + &Song Usage Tracking &Registro de Uso de Músicas - + &Delete Tracking Data &Excluir Dados de Registro - + Delete song usage data up to a specified date. Excluir registros de uso até uma data específica. - + &Extract Tracking Data &Extrair Dados de Registro - + Generate a report on song usage. Gerar um relatório sobre o uso das músicas. - + Toggle Tracking Alternar Registro - + Toggle the tracking of song usage. Alternar o registro de uso das músicas. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Plugin de Uso das Músicas</strong><br />Este plugin registra o uso das músicas nos cultos. - + SongUsage name singular Registro das Músicas - + SongUsage name plural Registro das Músicas - + SongUsage container title Uso das Músicas - + Song Usage Uso das Músicas + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + SongUsagePlugin.SongUsageDeleteForm @@ -4939,6 +5731,36 @@ A codificação é responsável pela correta representação dos caracteres.Exports songs using the export wizard. Exporta músicas utilizando o assistente de exportação. + + + Add a new Song. + Adicionar uma Música nova. + + + + 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. + Projetar a Música selecionada. + + + + Add the selected Song to the service. + Adicionar a Música selecionada ao culto. + Add a new song. @@ -5019,190 +5841,197 @@ A codificação é responsável pela correta representação dos caracteres. SongsPlugin.EasyWorshipSongImport - + Administered by %s Administrado por %s + + + +[above are Song Tags with notes imported from + EasyWorship] + + SongsPlugin.EditSongForm - + Song Editor Editor de Músicas - + &Title: &Título: - + Alt&ernate title: Título &Alternativo: - + &Lyrics: &Letra: - + &Verse order: Ordem das &estrofes: - + Ed&it All &Editar Todos - + Title && Lyrics Título && Letra - + &Add to Song &Adicionar à Música - + &Remove &Remover - + &Manage Authors, Topics, Song Books &Gerenciar Autores, Assuntos, Hinários - + A&dd to Song A&dicionar uma Música - + R&emove R&emover - + Book: Hinário: - + Number: Número: - + Authors, Topics && Song Book Autores, Assuntos && Hinários - + New &Theme Novo &Tema - + Copyright Information Direitos Autorais - + Comments Comentários - + Theme, Copyright Info && Comments 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. - + Warning Aviso - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. A ordem das estrofes é inválida. Não há estrofe correspondente a %s. Valores válidos são %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? Você não usou %s em nenhum lugar na ordem das estrofes. Deseja mesmo salvar a música assim? - + Add Book Adicionar Hinário - + This song book does not exist, do you want to add it? Este hinário não existe, deseja adicioná-lo? - + You need to have an author for this song. Você precisa ter um autor para esta música. - + You need to type some text in to the verse. Você precisa digitar algum texto na estrofe. @@ -5224,6 +6053,16 @@ A codificação é responsável pela correta representação dos caracteres.&Insert &Inserir + + + &Split + &Dividir + + + + 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 como um único slide. + Split a slide into two by inserting a verse splitter. @@ -5233,82 +6072,82 @@ A codificação é responsável pela correta representação dos caracteres. SongsPlugin.ExportWizardForm - + Song Export Wizard Assistente de Exportação de Músicas - + This wizard will help to export your songs to the open and free OpenLyrics worship song format. Este assistente irá ajudá-lo a exportar as suas músicas para o formato de músicas de louvor aberto e gratuito OpenLyrics. - + 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. @@ -5316,7 +6155,7 @@ A codificação é responsável pela correta representação dos caracteres. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Selecione Arquivos de Documentos/Apresentações @@ -5350,6 +6189,16 @@ A codificação é responsável pela correta representação dos caracteres.Remove File(s) Remover Arquivos(s) + + + The Songs of Fellowship importer has been disabled because OpenLP cannot find OpenOffice.org on your computer. + O importador do Songs of Fellowship foi desabilitado porque o OpenOffice.org não foi encontrado no seu computador. + + + + The generic document/presentation importer has been disabled because OpenLP cannot find OpenOffice.org on your computer. + O importador de documento/apresentação foi desabilitado porque o OpenOffice.org não foi encontrado no seu computador. + Please wait while your songs are imported. @@ -5361,42 +6210,42 @@ A codificação é responsável pela correta representação dos caracteres.O importador para o formato OpenLyrics ainda não foi desenvolvido, mas como você pode ver, nós ainda pretendemos desenvolvê-lo. Possivelmente ele estará disponível na próxima versão. - + OpenLP 2.0 Databases Bancos de Dados do OpenLP 2.0 - + openlp.org v1.x Databases Bancos de Dados do openlp.org v1.x - + Words Of Worship Song Files Arquivos de Música do Words Of Worship - + You need to specify at least one document or presentation file to import from. Você precisa especificar pelo menos um documento ou apresentação para importar. - + 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 @@ -5424,32 +6273,32 @@ A codificação é responsável pela correta representação dos caracteres. SongsPlugin.MediaItem - + Titles Títulos - + Lyrics Letras Delete Song(s)? - Excluir Música(s)? + Excluir Música(s)? - + CCLI License: Licença CCLI: - + Entire Song Música Inteira - + Are you sure you want to delete the %n selected song(s)? Tem certeza de que quer excluir a(s) %n música(s) selecionada(s)? @@ -5457,15 +6306,21 @@ A codificação é responsável pela correta representação dos caracteres. - + Maintain the lists of authors, topics and books. Gerencia a lista de autores, tópicos e hinários. + + + copy + For song cloning + + SongsPlugin.OpenLP1SongImport - + Not a valid openlp.org 1.x song database. Não é uma base de dados de músicas válida do openlp.org 1.x. @@ -5481,7 +6336,7 @@ A codificação é responsável pela correta representação dos caracteres. SongsPlugin.OpenLyricsExport - + Exporting "%s"... Exportando "%s"... @@ -5512,12 +6367,12 @@ A codificação é responsável pela correta representação dos caracteres. SongsPlugin.SongExportForm - + Finished export. Exportação finalizada. - + Your song export failed. A sua exportação de músicas falhou. @@ -5525,27 +6380,32 @@ A codificação é responsável pela correta representação dos caracteres. SongsPlugin.SongImport - + copyright copyright - + The following songs could not be imported: As seguintes músicas não puderam ser importadas: - + + Unable to open OpenOffice.org or LibreOffice + Não foi possível abrir OpenOffice.org ou LibreOffice + + + Unable to open file Não foi possível abrir o arquivo - + File not found Arquivo não encontrado - + Cannot access OpenOffice or LibreOffice Não foi possível acessar OpenOffice ou LibreOffice @@ -5553,7 +6413,7 @@ A codificação é responsável pela correta representação dos caracteres. SongsPlugin.SongImportForm - + Your song import failed. Sua importação de música falhou. @@ -5755,7 +6615,7 @@ A codificação é responsável pela correta representação dos caracteres. Themes - Temas + Temas diff --git a/resources/i18n/ru.ts b/resources/i18n/ru.ts index f9f7ed7eb..1f413dd87 100644 --- a/resources/i18n/ru.ts +++ b/resources/i18n/ru.ts @@ -1,29 +1,29 @@ - + AlertPlugin.AlertForm You have not entered a parameter to be replaced. Do you want to continue anyway? - Вы не указали параметры для замены. + Вы не указали параметры для замены. Все равно продолжить? No Parameter Found - Параметр не найден + Параметр не найден No Placeholder Found - Заполнитель не найден + Заполнитель не найден The alert text does not contain '<>'. Do you want to continue anyway? - Текст оповещения не содержит '<>. + Текст оповещения не содержит '<>. Все равно продолжить? @@ -42,7 +42,7 @@ Do you want to continue anyway? <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen - <strong>Плагин оповещений</strong><br />Плагин оповещений управляет отображением срочных сообщений на экране + <strong>Плагин оповещений</strong><br />Плагин оповещений управляет отображением срочных сообщений на экране @@ -62,6 +62,11 @@ Do you want to continue anyway? container title Оповещения + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. + <strong>Плагин оповещений</strong><br/>Плагин оповещений контролирует отображения срочной информации на экране. + AlertsPlugin.AlertForm @@ -110,6 +115,30 @@ Do you want to continue anyway? You haven't specified any text for your alert. Please type in some text before clicking New. Ві не указали текста для вашего оповещения. Пожалуйста введите текст. + + + No Parameter Found + Параметр не найден + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + Вы не указали параметры для замены. +Все равно продолжить? + + + + No Placeholder Found + Заполнитель не найден + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + Текст оповещения не содержит '<>'. +Все равно продолжить? + AlertsPlugin.AlertsManager @@ -157,31 +186,18 @@ Do you want to continue anyway? Importing books... %s - Импорт книг... %s + Импорт книг... %s Importing verses from %s... Importing verses from <book name>... - Импорт стихов из %s... + Импорт стихов из %s... Importing verses... done. - Импорт стихов... завершен. - - - - BiblePlugin - - - &Upgrade older Bibles - - - - - Upgrade the Bible databases to the latest format. - + Импорт стихов... завершен. @@ -189,22 +205,22 @@ Do you want to continue anyway? 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. - Возникла проблема при распковкие раздела стихов. Если это ошибка будет повторяться, пожалуйста сообщите о ней. + Возникла проблема при распковкие раздела стихов. Если это ошибка будет повторяться, пожалуйста сообщите о ней. @@ -212,22 +228,12 @@ Do you want to continue anyway? Bible not fully loaded. - Библия загружена не полностью. + Библия загружена не полностью. You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? - Вы не можете комбинировать результат поиска для одной и двух Библий. Желаете удалить результаты поиска и начать новый поиск? - - - - 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. - + Вы не можете комбинировать результат поиска для одной и двух Библий. Желаете удалить результаты поиска и начать новый поиск? @@ -256,87 +262,97 @@ Do you want to continue anyway? Священное Писание - + 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. + Обновить формат базы данных для хранения Библии. BiblesPlugin.BibleManager - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. - В настоящее время ни одна Библия не установлена. Пожалуйста, воспользуйтесь Мастером Импорта чтобы установить одну или более Библий. + В настоящее время ни одна Библия не установлена. Пожалуйста, воспользуйтесь Мастером Импорта чтобы установить одну Библию или более. - + Scripture Reference Error Ошибка ссылки на Писание - + Web Bible cannot be used Веб-Библия не может быть использована - + Text Search is not available with Web Bibles. Текстовый поиск не доступен для Веб-Библий. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Вы не указали ключевое слово для поиска. Вы можете разделить разичные ключевые слова пробелами чтобы осуществить поиск по фразе, а также можете использовать запятые, чтобы искать по каждому из указанных ключевых слов. - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns: Book Chapter @@ -355,7 +371,7 @@ Book Chapter:Verse-Chapter:Verse Книга Глава:Стих-Глава:Стих - + No Bibles Available Библии отсутствуют @@ -365,48 +381,49 @@ Book Chapter:Verse-Chapter:Verse 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 - + Показать альтернативный перевод @@ -414,42 +431,42 @@ Changes do not affect verses already in the service. Select Book Name - + Выберите название книги The following book name cannot be matched up internally. Please select the corresponding English name from the list. - + Книге не было найдено внутренне соответствие. Пожалуйста, выберите соответствующее английское название из списка. Current name: - + Текущее название: Corresponding name: - + Соответствующее имя: Show Books From - + Показать книги из Old Testament - + Ветхий Завет New Testament - + Новый Завет Apocrypha - + Апокрифы @@ -457,195 +474,235 @@ Changes do not affect verses already in the service. You need to select a book. - + Вы должны выбрать книгу. + + + + BiblesPlugin.CSVBible + + + Importing books... %s + Импорт книг... %s + + + + Importing verses from %s... + Importing verses from <book name>... + Импорт стихов из %s... + + + + Importing verses... done. + Импорт стихов... завершен. BiblesPlugin.HTTPBible - + Registering Bible and loading books... - + Регистрация Библии и загрузка книг... - + Registering Language... - + Регистрация языка... - + Importing %s... Importing <book name>... - + Импорт %s... + + + + Download Error + Ошибка загрузки + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + Возникла проблема при загрузке секции стихов. Пожалуйста, проверьте параметры Интернет соединения, и случае если ошибка происходит при нормальном Интернет соединении, сообщите о ней на сайте разработчика в разделе Ошибки. + + + + Parse Error + Ошибка обработки + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + Возникла проблема при распаковке раздела стихов. Если это ошибка будет повторяться, пожалуйста сообщите о ней. BiblesPlugin.ImportWizardForm - + Bible Import Wizard - + Мастер импорта Библии - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. - + Этот мастер поможет вам импортировать Библию из различных форматов. Нажмите кнопку Далее чтобы начать процесс выбора формата и осуществить импорт из него. - + Web Download - + Загрузка из Сети - + Location: Расположение: - + Crosswalk - + Crosswalk - + BibleGateway - + BibleGateway - + Bibleserver - + Bibleserver - + Bible: - + Библия: - + Download Options - + Опции загрузки - + Server: - + Сервер: - + Username: - + Логин: - + Password: - + Пароль: - + Proxy Server (Optional) - + Прокси сервер (опционально) - + License Details - + Детали лицензии - + Set up the Bible's license details. - + Укажите детали лицензии на использовании Библии. - + Version name: - + Название версии: - + Copyright: - + Авторские права: - + Permissions: - + Разрешения: - + 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. - + Библия уже существует. Выполните импорт другой Библии или удалите существующую. - + CSV File - + Файл CSV - + Your Bible import failed. - + Импорт Библии провалился. - + Bible file: - + Файл Библии: - + Books file: - + Файл книг: - + Verses file: - + Файл стихов: - + openlp.org 1.x Bible Files - + Файл Библии openlp.org 1.x - + Registering Bible... - + Регистрация Библии... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. - + Регистрация Библии. Пожалуйста, помните о том, что стихи +будут загружены по требованию и необходимо наличие доступа в сеть. @@ -653,83 +710,103 @@ demand and thus an internet connection is required. Select Language - + Выбор языка OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. - + OpenLP не удалось определить язык этого перевода Библии. Укажите язык перевод из списка. Language: - + Язык: BiblesPlugin.LanguageForm - + You need to choose a language. - + Вы должны выбрать язык. BiblesPlugin.MediaItem - + Quick - + Быстрый - + Second: - + Альтернативный: - + Find: - + Поиск: - + Book: - Сборник: + Книга: - + Chapter: - + Глава: - + Verse: - + Стих: - + From: - + От: - + To: - + До: - + Text Search - + Поиск текста: - + 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 стихов не будут включены в результаты. @@ -738,7 +815,7 @@ demand and thus an internet connection is required. Importing %s %s... Importing <book name> <chapter>... - + Импортирую %s %s... @@ -746,182 +823,188 @@ demand and thus an internet connection is required. Detecting encoding (this may take a few minutes)... - + Определение кодировки (это может занять несколько минут)... Importing %s %s... Importing <book name> <chapter>... - + Импортирую %s %s... BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory - + Выберите папку для резервной копии - + Bible Upgrade Wizard - + Мастер обновления Библии - + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. - + Этот мастер поможет вам обновить существующие Библии с предыдущих версий OpenLP 2. Нажмите кнопку далее чтобы начать процесс обновления. - + Select Backup Directory - + Выберите папку для резервной копии - + Please select a backup directory for your Bibles - + Выберите папку для резервной копии ваших Библий - + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. - + Предыдущий релиз OpenLP 2.0 не может использовать обновленные Библии. Мы создаем резервную копию ваших Библий для того, чтобы вы могли просто скопировать файлы данных в папку данных OpenLP если у вас возникнет необходимость вернуться на предыдущую версию OpenLP. Инструкции о том, как восстановить файлы могут быть найдены на сайте <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. - + Please select a backup location for your Bibles. - + Пожалуйста, укажите расположение резервной копии ваших Библий. - + Backup Directory: - + Директория резервной копии: - + There is no need to backup my Bibles - + Выполнять резервное копирование Библий нет необходимости - + Select Bibles - + Выберите Библии - + Please select the Bibles to upgrade - + Выберите Библии для обновления + + + + Version name: + Название версии: - Version name: - - - - This Bible still exists. Please change the name or uncheck it. - + Эта Библия все еще существует. Пожалуйста, измените имя или снимите с нее отметку. - + Upgrading - + Обновление - + Please wait while your Bibles are upgraded. - + Пожалуйста, подождите пока выполнится обновление Библий. - - You need to specify a Backup Directory for your Bibles. - - - - + You need to specify a version name for your Bible. - + Вы должны указать название версии Библии. - + Bible Exists - + Библия существует - + This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck. - + Библия уже существует. Пожалуйста, обновите другую Библию, удалите существующую, или отмените выбор текущей. - - There are no Bibles available to upgrade. - - - - + Upgrading Bible %s of %s: "%s" Failed - + Обновление Библий %s из %s: "%s" +Провалилось - + Upgrading Bible %s of %s: "%s" Upgrading ... - + Обновление Библий %s из %s: "%s" +Обновление ... - + Download Error Ошибка загрузки - + Upgrading Bible %s of %s: "%s" Upgrading %s ... - + Обновление Библий %s из %s: "%s" +Обновление %s ... - + , %s failed - + , %s провалилось - + Upgrading Bible(s): %s successful%s - + Обновление Библии(ий): %s успешно%s - + Upgrade failed. - + Обновление провалилось. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. - + Не удалось создать резервную копию. +Для создания резервной копии ваших Библий вы должны обладать правами записи в указанную директорию. - - Starting Bible upgrade... - - - - + To upgrade your Web Bibles an Internet connection is required. - + Для выполнения обновления сетевых Библий необходимо наличие интернет соединения. - + Upgrading Bible %s of %s: "%s" Complete - + Обновление Библий %s из %s: "%s" +Завершено - + Upgrading Bible(s): %s successful%s Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - + Обновление Библии(й): %s успешно %s +Пожалуйста, помните, что стихи сетевых Библий загружаются по требованию, поэтому необходимо наличие интернет соединения. + + + + You need to specify a backup directory for your Bibles. + Необходимо указать директорию резервного копирования ваших Библий. + + + + Starting upgrade... + Начинаю обновление... + + + + There are no Bibles that need to be upgraded. + Нет Библий, которым необходимо обновление. @@ -929,13 +1012,13 @@ 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. - + <strong>Плагин специальных слайдов</strong><br />Плагин специальных слайдов дает возможность создания специальных текстовых слайдов, который могут быть показаны подобно слайдам песен. Этот плагин дает больше свободы по сравнению с плагином песен. Custom Slide name singular - + Специальный слайд @@ -947,47 +1030,47 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Custom Slides container title - + Специальные слайды Load a new custom slide. - + Загрузить новый специальный слайд. Import a custom slide. - + Импортировать специальный слайд. Add a new custom slide. - + Добавить новый специальный слайд. Edit the selected custom slide. - + Изменить выбранный специальный слайд. Delete the selected custom slide. - + Удалить выбранный специальный слайд. Preview the selected custom slide. - + Просмотреть выбранный специальный слайд. Send the selected custom slide live. - + Показать выбранный специальный слайд на экран. Add the selected custom slide to the service. - + Добавить выбранный специальный слайд к порядку служения. @@ -995,12 +1078,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Custom Display - + Отображение Display footer - + Показывать подпись @@ -1008,22 +1091,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Edit Custom Slides - + Редактор специальных слайдов &Title: - &Название: + &Заголовок: Add a new slide at bottom. - + Добавить новый слайд вверх. Edit the selected slide. - + Изменить выбранный слайд. @@ -1033,45 +1116,49 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Edit all the slides at once. - + Редактировать все слайды сразу. The&me: - + Те&ма: &Credits: - + &Подпись: - + You need to type in a title. - + Необходимо ввести название: - + You need to add at least one slide - + Необходимо добавить как минимум один слайд Split a slide into two by inserting a slide splitter. - + Разделить слайд, добавив к нему разделитель. Insert Slide - + Вставить слайд - GeneralTab - - - General - + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slides(s)? + + Вы уверены, что хотите удалить %n выбранный слайд? + Вы уверены, что хотите удалить %n выбранных слайда? + Вы уверены, что хотите удалить %n выбранных слайдов? + @@ -1102,37 +1189,37 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Load a new image. - + Загрузить новое изображение. Add a new image. - + Добавить новое изображение Edit the selected image. - + Изменить выбранное изображение. Delete the selected image. - + Удалить выбранное изображение. Preview the selected image. - + Просмотреть выбранное изображение. Send the selected image live. - + Отправить выбранное изображение на проектор. Add the selected image to the service. - + Добавить выбранное изображение к служению. @@ -1146,49 +1233,54 @@ 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 delete. Вы должны выбрать изображение для удаления. - + 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 + Следующих изображений больше не существуют: %s Добавить остальные изображения? - + You must select an image to replace the background with. - Вы должны выбрать изображения, которым следует заменить фон. + Вы должны выбрать изображение, которым следует заменить фон. - + There was a problem replacing your background, the image file "%s" no longer exists. Возникла проблема при замене Фона проектора, файл "%s" больше не существует. + + + There was no display item to amend. + + MediaPlugin <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. - <strong>Плагин Медиа</strong><br />Плагин Медиа обеспечивает проигрывание аудио и видео файлов. + <strong>Плагин Мультимедиа</strong><br />Плагин Мультимедиа обеспечивает проигрывание аудио и видео файлов. @@ -1206,88 +1298,93 @@ Do you want to add the other images anyway? Media container title - Медиа + Мультимедиа Load new media. - + Загрузить новый объект мультимедиа. Add new media. - + Добавить новый объект мультимедиа. Edit the selected media. - + Изменить выбранный объект мультимедиа. Delete the selected media. - + Удалить выбранный мультимедиа объект. Preview the selected media. - + Просмотреть выбранный объект мультимедиа. Send the selected media live. - + Отправить выбранный объект мультимедиа на проектор. Add the selected media to the service. - + Добавить выбранный объект к порядку служения. MediaPlugin.MediaItem - + Select Media - Выбрать медиафайл + Выбрать объект мультимедиа. - + 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 не существует. - + You must select a media file to delete. - Вы должны выбрать медиафайл для удаления. + Вы должны выбрать медиа-файл для удаления. - + Videos (%s);;Audio (%s);;%s (*) Videos (%s);;Audio (%s);;%s (*) + + + There was no display item to amend. + + MediaPlugin.MediaTab Media Display - Отображение Медиа + Отображение Мультимедиа @@ -1298,21 +1395,23 @@ Do you want to add the other images anyway? OpenLP - + Image Files Файлы изображений Information - + Информация Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? - + Формат Библий был изменен. +Вы должны обновить существующие Библии. +Выполнить обновление прямо сейчас? @@ -1320,7 +1419,7 @@ Should OpenLP upgrade now? Credits - + Разрешения @@ -1330,22 +1429,22 @@ Should OpenLP upgrade now? Contribute - + Вклад build %s - Билд %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, которая опубликована Фондом бесплатного программного обеспечения, версия 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. - + Эта программа распространяется в надежде, что она будет полезна, но БЕЗ КАКИХ-ЛИБО ГАРАНТИЙ; даже без подразумеваемой гарантии ТОВАРНОЙ ПРИГОДНОСТИ или ПРИГОДНОСТИ ДЛЯ ОСОБЫХ НУЖД. Детали смотрите ниже. @@ -1410,7 +1509,67 @@ Final Credit on the cross, setting us free from sin. We bring this software to you for free because He has set us free. - + Руководитель проекта +%s + +Разработчики +%s + +Спонсоры +%s + +Тестировщики +%s + +Файлы инсталяции +%s + +Переводчики +Afrikaans (af) +%s +German (de) +%s +English, United Kingdom (en_GB) +%s +English, South Africa (en_ZA) +%s +Estonian (et) +%s +French (fr) +%s +Hungarian (hu) +%s +Japanese (ja) +%s +Norwegian Bokmål (nb) +%s +Dutch (nl) +%s +Portuguese, Brazil (pt_BR) +%s +Русский (ru) +%s + +Документация +%s + +Продукт создан с использованием +Python: http://www.python.org/ +Qt4: http://qt.nokia.com/ +PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro +Oxygen Icons: http://oxygen-icons.org/ + +Заключительные признательности +"Ибо так возлюбил Бог мир, что отдал +Сына Своего Единородного, дабы всякий +верующий в Него, не погиб, но имел +жизнь вечную.." -- Ин 3:16 + +И последняя, но не менее важная признательность +Богу Отцу, который послал Своего Сына на смерть +на кресте, чтобы освободить нас от греха. Мы +даем эту программу без платы потому, что +Он освободил нас, не требуя платы. @@ -1421,13 +1580,20 @@ 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 contributing by using the button below. - + OpenLP <version><revision> - Свободно ПО для показа слов песен + +OpenLP это свободно ПО для церкви, используемое для показа песен, Библейских стихов, видео-роликов, изображений и даже презентаций (если установлены продукты Impress, PowerPoint или PowerPointViewer), с использованием компьютера и проектора. + +Узнайте больше про OpenLP: http://openlp.org/ + +OpenLP написано и поддерживается добровольцами. Если вы хотите видеть больше свободного ПО, написанного христианами, пожалуйста, подумайте о том, чтобы поддержать нас, используя кнопку ниже. Copyright © 2004-2011 %s Portions copyright © 2004-2011 %s - + Copyright © 2004-2011 %s +Portions copyright © 2004-2011 %s @@ -1435,47 +1601,47 @@ Portions copyright © 2004-2011 %s 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 - + Изображение по умолчанию @@ -1485,118 +1651,118 @@ Portions copyright © 2004-2011 %s Image file: - + Файл изображения: Open File - + Открыть файл Preview items when clicked in Media Manager - + Просматривать объекты по клику в Менеджере мультимедиа Advanced - Дополнительно + Расширенные настройки Click to select a color. - + Выберите цвет Browse for an image file to display. - + Укажите файл для показа Revert to the default OpenLP logo. - + Возврат к логотипу OpenLP OpenLP.DisplayTagDialog - + Edit Selection - + Редактор тегов - + Description - + Описание + + + + Tag + Тег + + + + Start tag + Начальный тег - Tag - - - - - Start tag - - - - End tag - + Конечный тег - + Tag Id - + Дескриптор тега - + Start HTML - + Начальный тег HTML - + End HTML - + Конечный тег HTML - + Save - + Сохранить OpenLP.DisplayTagTab - + Update Error - + Ошибка обновления Tag "n" already defined. - + Тег "n" уже определен. - + Tag %s already defined. - + Тег %s уже определен. New Tag - + Новый тег </and here> - + </и здесь> <HTML here> - + <HTML сюда> @@ -1604,82 +1770,82 @@ Portions copyright © 2004-2011 %s Red - + Красный Black - + Черный Blue - + Синий Yellow - + Желтый Green - + Зеленый Pink - + Розовый Orange - + Оранжевый Purple - + Пурпурный White - + Белый Superscript - + Надстрочный Subscript - + Подстрочный Paragraph - + Абзац Bold - + Жирный Italics - + Курсив Underline - + Подчеркнутый Break - + Разрыв @@ -1687,38 +1853,39 @@ Portions copyright © 2004-2011 %s Error Occurred - + Произошла ошибка. Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. - + Ой! OpenLP столкнулся с ошибкой и не смог обработать ее. Текст ниже содержит информацию, которая может быть полезна разработчикам продукта, поэтому, пожалуйста, отправьте ее на bugs@openlp.org, добавив к этому письму детальное описание того, что вы делали в то время, когда возникла ошибка. Send E-Mail - + Послать e-mail Save to File - + Сохранить в файл Please enter a description of what you were doing to cause this error (Minimum 20 characters) - + Пожалуйста, опишите сценарий возникновения ошибки +(Минимум 20 символов) Attach File - + Добавить файл Description characters to enter : %s - + Символы описания: %s @@ -1756,8 +1923,8 @@ Version: %s --- Library Versions --- %s - **OpenLP Bug Report** -Version: %s + **Сообщение об ошибке OpenLP** +Версия: %s --- Details of the Exception. --- @@ -1788,7 +1955,7 @@ Version: %s %s Please add the information that bug reports are favoured written in English. - *OpenLP Bug Report* + *Сообщение об ошибке OpenLP* Version: %s --- Details of the Exception. --- @@ -1809,17 +1976,17 @@ Version: %s New File Name: - + Имя нового файла: File Copy - + Файл для копирования File Rename - + Имя файла @@ -1827,17 +1994,17 @@ Version: %s Select Translation - + Выбор перевода Choose the translation you'd like to use in OpenLP. - + Укажите перевод, который вы хотели бы использовать в OpenLP. Translation: - + Перевод: @@ -1845,48 +2012,43 @@ Version: %s Downloading %s... - + Загрузка %s... - + Download complete. Click the finish button to start OpenLP. - + Загрузка завершена. Нажмите кнопку Завершить для запуска OpenLP. - + Enabling selected plugins... - + Разрешение выбранных плагинов... First Time Wizard - + Мастер первого запуска Welcome to the First Time Wizard - + Добро пожаловать в Мастер первого запуска Activate required Plugins - + Активируйте необходимые Плагины Select the Plugins you wish to use. - + Выберите плагины, которые вы хотите использовать Songs Псалмы - - - Custom Text - - Bible @@ -1900,37 +2062,37 @@ Version: %s Presentations - + Презентации Media (Audio and Video) - + Мультимедиа (Видео и Аудио) Allow remote access - + Удаленный доступ Monitor Song Usage - + Отслеживать использование песен Allow Alerts - + Разрешить оповещения No Internet Connection - + Отсутствует интернет соединение Unable to detect an Internet connection. - + Не удалось найти соединение с интернетом. @@ -1939,215 +2101,403 @@ Version: %s To re-run the First Time Wizard and import this sample data at a later stage, press the cancel button now, check your Internet connection, and restart OpenLP. To cancel the First Time Wizard completely, press the finish button now. - + Соединение с интернетом не было найдено. Для Мастера первого запуска необходимо наличие интернет-соединения чтобы загрузить образцы песен, Библию и темы. + +Чтобы перезапустить Мастер первого запуска и импортировать данные позже, нажмите кнопку Отмена, проверьте интернет-соединение и перезапустите OpenLP. + +Чтобы полностью отменить запуск Мастера первого запуска, нажмите кнопку Завершить. Sample Songs - + Готовые сборники Select and download public domain songs. - + Выберите и загрузите песни. Sample Bibles - + Библии Select and download free Bibles. - + Выберите и загрузите Библии Sample Themes - + Образцы тем Select and download sample themes. - + Выберите и загрузите темы. Default Settings - + Настройки по умолчанию Set up default settings to be used by OpenLP. - + Установите настройки по умолчанию для использования в OpenLP. Default output display: - + Дисплей для показа по умолчанию: Select default theme: - + Тема по умолчанию: Starting configuration process... - + Запуск процесса конфигурирования... This wizard will help you to configure OpenLP for initial use. Click the next button below to start. - + Этот мастер поможет вам настроить OpenLP для первого использования. Чтобы приступить, нажмите кнопку Далее. - + Setting Up And Downloading - - - - - Please wait while OpenLP is set up and your data is downloaded. - - - - - Setting Up - + Настройка и загрузка + Please wait while OpenLP is set up and your data is downloaded. + Пожалуйста, дождитесь пока OpenLP применит настройки и загрузит данные. + + + + Setting Up + Настройка + + + Click the finish button to start OpenLP. + Нажмите кнопку Завершить чтобы запустить OpenLP. + + + + Custom Slides + Специальные Слайды + + + + Download complete. Click the finish button to return to OpenLP. + + + Click the finish button to return to OpenLP. + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Edit Selection + Редактор тегов + + + + Save + Сохранить + + + + Description + Описание + + + + Tag + Тег + + + + Start tag + Начальный тег + + + + End tag + Конечный тег + + + + Tag Id + Дескриптор тега + + + + Start HTML + Начальный тег HTML + + + + End HTML + Конечный тег HTML + + + + OpenLP.FormattingTagForm + + + Update Error + Ошибка обновления + + + + Tag "n" already defined. + Тег "n" уже определен. + + + + New Tag + Новый тег + + + + <HTML here> + <HTML сюда> + + + + </and here> + </и здесь> + + + + Tag %s already defined. + Тег %s уже определен. + + + + OpenLP.FormattingTags + + + Red + Красный + + + + Black + Черный + + + + Blue + Синий + + + + Yellow + Желтый + + + + Green + Зеленый + + + + Pink + Розовый + + + + Orange + Оранжевый + + + + Purple + Пурпурный + + + + White + Белый + + + + Superscript + Надстрочный + + + + Subscript + Подстрочный + + + + Paragraph + Абзац + + + + Bold + Жирный + + + + Italics + Курсив + + + + Underline + Подчеркнутый + + + + Break + Разрыв + OpenLP.GeneralTab General - + Общие Monitors - + Мониторы Select monitor for output display: - + Выберите монитор для показа: Display if a single screen - + Выполнять на одном экране Application Startup - + Запуск приложения Show blank screen warning - + Показывать предупреждение об очистке экрана Automatically open the last service - + Автоматически загружать последнее служение Show the splash screen - + Показывать заставку Check for updates to OpenLP - + Проверять обновления OpenLP 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 пароль: Display Position - + Положение дисплея X - + Х Y - + Y Height - + Высота Width - + Ширина Override display position - + Сместить положение показа Unblank display when adding new live item - + Снимать блокировку дисплея при добавлении нового объекта Enable slide wrap-around - + Разрешить слайдам циклический переход Timed slide interval: - + Интервал показа: @@ -2155,18 +2505,18 @@ To cancel the First Time Wizard completely, press the finish button now. Language - + Язык Please restart OpenLP to use your new language setting. - + Перезагрузите OpenLP чтобы использовать новые языковые настройки. OpenLP.MainDisplay - + OpenLP Display Дисплей OpenLP @@ -2174,324 +2524,324 @@ To cancel the First Time Wizard completely, press the finish button now. OpenLP.MainWindow - + &File &Файл - + &Import &Импорт - + &Export &Экспорт - + &View &Вид - + M&ode Р&ежим - + &Tools &Инструменты - + &Settings &Настройки - + &Language &Язык - + &Help &Помощь - + Media Manager - Управление Материалами + Менеджер Мультимедиа - + Service Manager - Управление Служением + Менеджер служения - + Theme Manager - Управление Темами + Менеджер Тем - + &New &Новая - + &Open &Открыть - + Open an existing service. Открыть существующее служение. - + &Save &Сохранить - + Save the current service to disk. Сохранить текущее служение на диск. - + Save &As... Сохранить к&ак... - + Save Service As Сохранить служение как - + Save the current service under a new name. Сохранить текущее служение под новым именем. - + E&xit Вы&ход - + Quit OpenLP Завершить работу OpenLP - + &Theme Т&ема - + Configure &Shortcuts... Настройки и б&ыстрые клавиши... - + &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 Preview Panel - + Toggle the visibility of the preview panel. Toggle the visibility of the preview panel. - + &Live Panel &Панель проектора - + Toggle Live Panel Toggle Live Panel - + Toggle the visibility of the live panel. Toggle the visibility of the live panel. - + &Plugin List &Список плагинов - + List the Plugins Выводит список плагинов - + &User Guide &Руководство пользователя - + &About &О программе - + More information about OpenLP Больше информации про OpenLP - + &Online Help &Помощь онлайн - + &Web Site &Веб-сайт - + Use the system language, if available. Использовать системный язык, если доступно. - + Set the interface language to %s Изменить язык интерфеса на %s - + Add &Tool... Добавить &Инструмент... - + Add an application to the list of tools. Добавить приложение к списку инструментов - + &Default &По умолчанию - + Set the view mode back to the default. Установить вид в режим по умолчанию. - + &Setup &Настройка - + Set the view mode to Setup. - + &Live - + Set the view mode to Live. - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. - + OpenLP Version Updated - + OpenLP Main Display Blanked - + The Main Display has been blanked out - + Close OpenLP - + Are you sure you want to close OpenLP? - + Default Theme: %s @@ -2502,40 +2852,88 @@ You can download the latest version from http://openlp.org/. Английский - - &Configure Display Tags - - - - + 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. + + + + + &Recent Files + + + + + &Configure Formatting Tags... + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + OpenLP.MediaManagerItem @@ -2545,54 +2943,69 @@ You can download the latest version from http://openlp.org/. Объекты не выбраны - + &Add to selected Service Item - + You must select one or more items to preview. - + You must select one or more items to send live. - + You must select one or more items. - + You must select an existing service item to add to. - + Invalid Service Item - + You must select a %s service item. - + You must select one or more items to add. - + No Search Results - - Duplicate filename %s. -This filename is already in the list + + &Clone + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + Duplicate files found on import and ignored. @@ -2642,12 +3055,12 @@ This filename is already in the list OpenLP.PrintServiceDialog - + Fit Page - + Fit Width @@ -2655,70 +3068,80 @@ This filename is already in the list OpenLP.PrintServiceForm - + Options - - Close - - - - + Copy - + Copy as HTML - + Zoom In - + Zoom Out - + Zoom Original - + Other Options - + Include slide text if available - + Include service item notes - + Include play length of media items - + Add page break before each text item - + Service Sheet + + + Print + + + + + Title: + + + + + Custom Footer Text: + + OpenLP.ScreenList @@ -2733,10 +3156,23 @@ This filename is already in the list + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + OpenLP.ServiceItemEditForm - + Reorder Service Item Изменить порядок служения @@ -2744,256 +3180,271 @@ This filename is already in the list OpenLP.ServiceManager - + Move to &top - + Move item to the top of the service. - + Move &up - + Move item up one position in the service. - + Move &down - + Move item down one position in the service. - + Move to &bottom - + Move item to the end of the service. - + Moves the selection down the window. - + Move up - + Moves the selection up the window. - + &Delete From Service - + Delete the selected item from the service. - + &Expand all - + Expand all the service items. - + &Collapse all - + Collapse all the service items. - + Go Live - + Send the selected item to Live. - + &Add New Item - + &Add to Selected Item - + &Edit Item - + &Reorder Item - + &Notes - + &Change Item Theme - + Open File - + Открыть файл - + OpenLP Service Files (*.osz) - + Modified Service - + File is not a valid service. The content encoding is not UTF-8. - + 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 - + &Start Time - + Show &Preview - + Show &Live - + The current service has been modified. Would you like to save this service? - + File could not be opened because it is corrupt. - + Empty File - + This service file does not contain any data. - + Corrupt File - + Custom Service Notes: - + Notes: - + Playing time: - + Untitled Service - + Load an existing service. - + Save this service. - + Select a theme for the service. - + This file is either corrupt or it is not an OpenLP 2.0 service file. + + + Slide theme + + + + + Notes + + + + + Service File Missing + + OpenLP.ServiceNoteForm - + Service Item Notes Заметки к элементам служения @@ -3008,11 +3459,6 @@ The content encoding is not UTF-8. OpenLP.ShortcutListDialog - - - Customize Shortcuts - - Action @@ -3024,12 +3470,12 @@ The content encoding is not UTF-8. - + Duplicate Shortcut - + The shortcut "%s" is already assigned to another action, please use a different shortcut. @@ -3064,45 +3510,50 @@ The content encoding is not UTF-8. - + Restore Default Shortcuts - + Do you want to restore all shortcuts to their defaults? + + + Configure Shortcuts + + OpenLP.SlideController - + Previous Slide - + Next Slide - + Hide - + Blank Screen - + Blank to Theme - + Show Desktop @@ -3127,30 +3578,20 @@ The content encoding is not UTF-8. - + Move to previous. - + Move to next. - + Play Slides - - - Play Slides in Loop - - - - - Play Slides to End - - Delay between slides in seconds. @@ -3180,19 +3621,19 @@ The content encoding is not UTF-8. OpenLP.SpellTextEdit - + Spelling Suggestions - + Formatting Tags - + Language: - + Язык: @@ -3284,191 +3725,197 @@ The content encoding is not UTF-8. 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 - + &Copy Theme - + &Rename Theme - + &Delete Theme - + Set As &Global Default - + &Export Theme - + %s (default) - + You must select a theme to rename. - + Rename Confirmation - + Rename %s theme? - + You must select a theme to edit. - + You must select a theme to delete. - + Delete Confirmation - + Delete %s theme? - + You have not selected a theme. - + Save Theme - (%s) - + Theme Exported - + Your theme has been successfully exported. - + Theme Export Failed - + Your theme could not be exported due to an error. - + Select Theme Import File - + File is not a valid theme. The content encoding is not UTF-8. - + Validation Error - + File is not a valid theme. - + A theme with this name already exists. - + You are unable to delete the default theme. - + Theme %s is used in the %s plugin. - + OpenLP Themes (*.theme *.otz) + + + Copy of %s + Copy of <theme name> + + OpenLP.ThemeWizard @@ -3590,7 +4037,7 @@ The content encoding is not UTF-8. Bold - + Жирный @@ -3712,6 +4159,16 @@ The content encoding is not UTF-8. Theme name: + + + Starting color: + + + + + Ending color: + + OpenLP.ThemesTab @@ -3755,31 +4212,36 @@ The content encoding is not UTF-8. Use the global theme, overriding any themes associated with either the service or the songs. + + + Themes + Темы + OpenLP.Ui - + Error Ошибка - + &Delete У&далить - + Delete the selected item. Удалить выбранный элемент. - + Move selection up one position. Переместить выше. - + Move selection down one position. Переместить ниже. @@ -3829,40 +4291,40 @@ The content encoding is not UTF-8. Создать новый порядок служения. - + &Edit &Изменить - + Empty Field Пустое поле - + Export Экспорт - + pt Abbreviated font pointsize unit пт - + Image Изображение - + Import Импорт Length %s - Длина %s + Длина %s @@ -3934,85 +4396,85 @@ The content encoding is not UTF-8. OpenLP 2.0 - + Preview Предпросмотр - + Replace Background Заменить Фон - + Reset Background Сбросить Фон - + s The abbreviated unit for seconds сек - + Save && Preview Сохранить и просмотреть - + Search Поиск - + You must select an item to delete. Вы должны выбрать объект для удаления. - + You must select an item to edit. Вы должны выбрать объект для изменения. - + Save Service Сохранить порядок служения - + Service Служение - + Start %s Начало %s - + Theme Singular Тема - + Themes Plural Темы - + Top - + Version Версия - + &Vertical Align: &Вертикальная привязка: @@ -4078,12 +4540,12 @@ The content encoding is not UTF-8. Вы должны указатть по крайней мере %s файл для импорта из него. - + Welcome to the Bible Import Wizard Добро пожаловать в Мастер импорта Библий - + Welcome to the Song Export Wizard Добро пожаловать в Мастер экспорта песен @@ -4140,38 +4602,38 @@ The content encoding is not UTF-8. - + Continuous - + Default - + Display style: - + File - + Help - + h The abbreviated unit for hours - + Layout style: @@ -4192,37 +4654,37 @@ The content encoding is not UTF-8. - + Settings - + Tools - + Verse Per Slide - + Verse Per Line - + View - + Duplicate Error - + Unsupported File @@ -4237,12 +4699,12 @@ The content encoding is not UTF-8. - + View Mode - + Welcome to the Bible Upgrade Wizard @@ -4252,36 +4714,53 @@ The content encoding is not UTF-8. - + Print Service - + Replace live background. - + Reset live background. - + &Split - + Split a slide into two only if it does not fit on the screen as one slide. - - - OpenLP.displayTagDialog - - Configure Display Tags + + Confirm Delete + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End @@ -4302,13 +4781,13 @@ The content encoding is not UTF-8. Presentations name plural - + Презентации Presentations container title - + Презентации @@ -4339,52 +4818,52 @@ The content encoding is not UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) - + Automatic - + Present using: - + Presentations (%s) - + File Exists - + A presentation with that filename already exists. - + This type of presentation is not supported. - + Missing Presentation - + The Presentation %s is incomplete, please reload. - + The Presentation %s no longer exists. @@ -4436,12 +4915,12 @@ The content encoding is not UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote - + OpenLP 2.0 Stage View @@ -4451,80 +4930,80 @@ The content encoding is not UTF-8. Управление Служением - + Slide Controller - + Alerts Оповещения - + Search Поиск - + Back - + Refresh - + Blank - + Show - + Prev - + Next - + Text - + Show Alert - + Go Live - - Add To Service - - - - + No Results - + Options + + + Add to Service + + RemotePlugin.RemoteTab @@ -4557,68 +5036,78 @@ The content encoding is not UTF-8. SongUsagePlugin - + &Song Usage Tracking &Отслеживание использования песен - + &Delete Tracking Data &Удалить данные отслеживания - + Delete song usage data up to a specified date. Удалить данные использования песен до указанной даты. - + &Extract Tracking Data &Извлечь данные использования - + Generate a report on song usage. Отчет по использованию песен. - + Toggle Tracking - + Toggle the tracking of song usage. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Плагин Использования песен</strong><br />Этот плагин отслеживает использование песен в служениях. - + SongUsage name singular Использование песен - + SongUsage name plural Использование песен - + SongUsage container title Использование песен - + Song Usage + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + SongUsagePlugin.SongUsageDeleteForm @@ -4930,190 +5419,197 @@ The encoding is responsible for the correct character representation. SongsPlugin.EasyWorshipSongImport - + Administered by %s Администрируется %s + + + +[above are Song Tags with notes imported from + EasyWorship] + + SongsPlugin.EditSongForm - + Song Editor Редактор Песен - + &Title: &Название: - + Alt&ernate title: До&полнительное название: - + &Lyrics: &Слова: - + &Verse order: П&орядок куплтов: - + Ed&it All Редактировать &все - + Title && Lyrics Название и слова - + &Add to Song Д&обавить к песне - + &Remove Уда&лить - + &Manage Authors, Topics, Song Books &Управление Авторами, Темами и Сборниками песен - + A&dd to Song Д&обавить к песне - + R&emove Уда&лить - + Book: Сборник: - + Number: Номер: - + Authors, Topics && Song Book Авторы, Темы и Сборники песен - + New &Theme Новая &Тема - + Copyright Information Информация об авторских правах - + Comments Комментарии - + Theme, Copyright Info && Comments Тема, информация об авторских правах и комментарии - + Add Author Добавить Автора - + This author does not exist, do you want to add them? Этот автор не существует. Хотите добавить его? - + This author is already in the list. Такой автор уже присутсвует в списке. - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. Вы не выбрали подходящего автора. Выберите автора из списка, или введите нового автора и выберите "Добавить Автора к Песне", чтобы добавить нового автора. - + Add Topic Добавить Тему - + This topic does not exist, do you want to add it? Эта тема не существует. Хотите добавить её? - + This topic is already in the list. Такая тема уже присутсвует в списке. - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. Вы не выбрали подходящую тему. Выберите тему из списка, или введите новую тему и выберите "Добавить Тему к Песне", чтобы добавить новую тему. - + You need to type in a song title. Вы должны указать название песни. - + You need to type in at least one verse. Вы должны ввести по крайней мере один куплет. - + You need to have an author for this song. Вы должны добавить автора к этой песне. - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. Порядок куплетов указан неверно. Нет куплета, который бы соответсвовал %s. Правильными записями являютеся %s. - + Warning Предупреждение - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? Вы не используете %s нигде в порядке куплетов. Вы уверены, что хотите сохранить песню в таком виде? - + Add Book Добавить Книгу - + This song book does not exist, do you want to add it? Этот сборник песен не существует. Хотите добавить его? - + You need to type some text in to the verse. Вы должны указать какой-то текст в этом куплете. @@ -5144,82 +5640,82 @@ The encoding is responsible for the correct character representation. SongsPlugin.ExportWizardForm - + Song Export Wizard Мастер экспорта песен - + This wizard will help to export your songs to the open and free OpenLyrics worship song format. Этот мастер поможет вам экспортировать песни в открытый и свободный формат OpenLyrics. - + 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. @@ -5267,47 +5763,47 @@ The encoding is responsible for the correct character representation. Дождитесь, пока песни будут импортированы. - + OpenLP 2.0 Databases База данных OpenLP 2.0 - + openlp.org v1.x Databases База данных openlp.org v1.x - + Words Of Worship Song Files - + Select Document/Presentation Files Выберите файл документа или презентации - + You need to specify at least one document or presentation file to import from. Вы должны указать по крайней мере один документ или презентацию, чтобы осуществить импорт из них. - + Songs Of Fellowship Song Files Файлы песен Songs Of Fellowship - + SongBeamer Files Файлы SongBeamer - + SongShow Plus Song Files Файлы SongShow Plus - + Foilpresenter Song Files Foilpresenter Song Files @@ -5319,7 +5815,7 @@ The encoding is responsible for the correct character representation. Save to File - + Сохранить в файл @@ -5335,27 +5831,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.MediaItem - + Entire Song Всю песню - + Titles Название - + Lyrics Слова Delete Song(s)? - Удалить песню(и)? + Удалить песню(и)? - + Are you sure you want to delete the %n selected song(s)? Вы уверены, что хотите удалить %n выбранную песню? @@ -5364,20 +5860,26 @@ The encoding is responsible for the correct character representation. - + CCLI License: Лицензия CCLI: - + Maintain the lists of authors, topics and books. + + + copy + For song cloning + + SongsPlugin.OpenLP1SongImport - + Not a valid openlp.org 1.x song database. @@ -5393,7 +5895,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.OpenLyricsExport - + Exporting "%s"... Экспортирую "%s"... @@ -5424,12 +5926,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongExportForm - + Finished export. - + Your song export failed. @@ -5437,27 +5939,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright - + The following songs could not be imported: - + Unable to open file - + File not found - + Cannot access OpenOffice or LibreOffice @@ -5465,7 +5967,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImportForm - + Your song import failed. @@ -5667,7 +6169,7 @@ The encoding is responsible for the correct character representation. Themes - Темы + Темы diff --git a/resources/i18n/sv.ts b/resources/i18n/sv.ts index 0751661ee..3940470cb 100644 --- a/resources/i18n/sv.ts +++ b/resources/i18n/sv.ts @@ -1,29 +1,24 @@ - + AlertPlugin.AlertForm You have not entered a parameter to be replaced. Do you want to continue anyway? - Du har inte angivit någon parameter som kan ersättas. + Du har inte angivit någon parameter som kan ersättas. Vill du fortsätta ändå? No Parameter Found - Inga parametrar hittades - - - - No Placeholder Found - + Inga parametrar hittades The alert text does not contain '<>'. Do you want to continue anyway? - Larmmeddelandet innehåller inte '<>'. + Larmmeddelandet innehåller inte '<>'. Vill du fortsätta ändå? @@ -42,7 +37,7 @@ Vill du fortsätta ändå? <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen - <strong>Larmplugin</strong><br />Larmpluginen kontrollerar visningen av larmmeddelande på visningsskärmen + <strong>Larmplugin</strong><br />Larmpluginen kontrollerar visningen av larmmeddelande på visningsskärmen @@ -62,6 +57,11 @@ Vill du fortsätta ändå? container title Larm + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. + + AlertsPlugin.AlertForm @@ -110,6 +110,30 @@ Vill du fortsätta ändå? &Parameter: &Parameter: + + + No Parameter Found + Inga parametrar hittades + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + Du har inte angivit någon parameter som kan ersättas. +Vill du fortsätta ändå? + + + + No Placeholder Found + + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + Larmmeddelandet innehåller inte '<>'. +Vill du fortsätta ändå? + AlertsPlugin.AlertsManager @@ -157,31 +181,18 @@ Vill du fortsätta ändå? Importing books... %s - Importerar böcker... %s + Importerar böcker... %s Importing verses from %s... Importing verses from <book name>... - Importerar verser från %s... + Importerar verser från %s... Importing verses... done. - Importerar verser... klart. - - - - BiblePlugin - - - &Upgrade older Bibles - - - - - Upgrade the Bible databases to the latest format. - + Importerar verser... klart. @@ -189,22 +200,22 @@ Vill du fortsätta ändå? Download Error - Fel vid nerladdning + Fel vid nerladdning Parse Error - Fel vid analys + Fel vid analys 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 var problem med nerladdningen av versurvalet. Kontrollera internetuppkopplingen och om problemet återkommer fundera på att rapportera det som en bugg. + Det var problem med nerladdningen av versurvalet. Kontrollera internetuppkopplingen och om problemet återkommer fundera på att rapportera det som en bugg. There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. - Det var ett problem att extrahera ditt vers-val. Om problemet uppstår igen, överväg att rapportera en bugg. + Det var ett problem att extrahera ditt vers-val. Om problemet uppstår igen, överväg att rapportera en bugg. @@ -212,22 +223,12 @@ Vill du fortsätta ändå? Bible not fully loaded. - Bibeln är inte helt laddad. + Bibeln är inte helt laddad. 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 sökresultat från en bibel och två biblar. Vill du ta bort dina sökresultat och starta en ny sökning? - - - - 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. - + Du kan inte kombinera sökresultat från en bibel och två biblar. Vill du ta bort dina sökresultat och starta en ny sökning? @@ -256,12 +257,12 @@ Vill du fortsätta ändå? Biblar - + No Book Found Ingen bok hittades - + 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 på bokens namn. @@ -305,38 +306,48 @@ Vill du fortsätta ändå? <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + + + &Upgrade older Bibles + + + + + Upgrade the Bible databases to the latest format. + + BiblesPlugin.BibleManager - + Scripture Reference Error Felaktigt bibelställe - + Web Bible cannot be used Bibel på webben kan inte användas - + Text Search is not available with Web Bibles. Textsökning är inte tillgänglig för bibel på webben. - + 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 ingen bibel installerad. Använd guiden för bibelimport och installera en eller flera biblar. - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns: Book Chapter @@ -348,7 +359,7 @@ Book Chapter:Verse-Chapter:Verse - + No Bibles Available Inga biblar tillgängliga. @@ -454,189 +465,228 @@ Changes do not affect verses already in the service. + + BiblesPlugin.CSVBible + + + Importing books... %s + Importerar böcker... %s + + + + Importing verses from %s... + Importing verses from <book name>... + Importerar verser från %s... + + + + Importing verses... done. + Importerar verser... klart. + + BiblesPlugin.HTTPBible - + Registering Bible and loading books... - + Registering Language... - + Importing %s... Importing <book name>... + + + Download Error + Fel vid nerladdning + + + + 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 var problem med nerladdningen av versurvalet. Kontrollera internetuppkopplingen och om problemet återkommer fundera på att rapportera det som en bugg. + + + + Parse Error + Fel vid analys + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + Det var ett problem att extrahera ditt vers-val. Om problemet uppstår igen, överväg att rapportera en bugg. + 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: Placering: - + 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 Licensuppgifter - + Set up the Bible's license details. Skriv in bibelns licensuppgifter. - + Version name: Versionsnamn: - + Copyright: Copyright: - + Please wait while your Bible is imported. Vänta medan din bibel 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 specificera en fil med bibelverser att importera. - + You need to specify a version name for your Bible. Du måste ange ett versionsnamn för din bibel. - + Bible Exists Bibeln finns redan - + Your Bible import failed. Din bibelimport misslyckades. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. - + This Bible already exists. Please import a different Bible or first delete the existing one. Denna Bibeln finns redan. Importera en annan Bibel eller radera den nuvarande. - + Permissions: Tillstånd: - + CSV File CSV-fil - + Bibleserver Bibelserver - + Bible file: Bibelfil: - + Books file: Bokfil: - + Verses file: Versfil: - + openlp.org 1.x Bible Files openlp.org 1.x bibelfiler - + Registering Bible... Registrerar bibel... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. @@ -663,7 +713,7 @@ demand and thus an internet connection is required. BiblesPlugin.LanguageForm - + You need to choose a language. @@ -671,60 +721,80 @@ demand and thus an internet connection is required. BiblesPlugin.MediaItem - + Quick Snabb - + Find: Hitta: - + Book: Bok: - + Chapter: Kapitel: - + Verse: Vers: - + From: Från: - + To: Till: - + Text Search Textsökning - + Second: Andra: - + 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? + Du kan inte kombinera sökresultat från en bibel och 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 + + + + + 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. + + BiblesPlugin.Opensong @@ -752,171 +822,161 @@ demand and thus an internet connection is required. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory - + Bible Upgrade Wizard - + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. - + Select Backup Directory - + Please select a backup directory for your Bibles - + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. - + Please select a backup location for your Bibles. - + Backup Directory: - + There is no need to backup my Bibles - + Select Bibles - + Please select the Bibles to upgrade - + Version name: - Versionsnamn: + Versionsnamn: - - This Bible still exists. Please change the name or uncheck it. - - - - + Upgrading - + Please wait while your Bibles are upgraded. - - You need to specify a Backup Directory for your Bibles. - - - - + You need to specify a version name for your Bible. - Du måste ange ett versionsnamn för din bibel. + Du måste ange ett versionsnamn för din bibel. - + Bible Exists - Bibeln finns redan + Bibeln finns redan - - This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck. - - - - - There are no Bibles available to upgrade. - - - - + Upgrading Bible %s of %s: "%s" Failed - + Upgrading Bible %s of %s: "%s" Upgrading ... - + Download Error Fel vid nerladdning - + Upgrading Bible %s of %s: "%s" Upgrading %s ... - + , %s failed - + Upgrading Bible(s): %s successful%s - + Upgrade failed. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. - - Starting Bible upgrade... - - - - + To upgrade your Web Bibles an Internet connection is required. - + Upgrading Bible %s of %s: "%s" Complete - + Upgrading Bible(s): %s successful%s Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + CustomPlugin @@ -1024,6 +1084,11 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Edit all the slides at once. Redigera alla diabilder på en gång. + + + Split Slide + Dela diabilden + Split a slide into two by inserting a slide splitter. @@ -1040,12 +1105,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I - + You need to type in a title. Du måste ange en titel. - + You need to add at least one slide Du måste lägga till minst en diabild @@ -1061,11 +1126,29 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I - GeneralTab + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slides(s)? + + + + + + + + CustomsPlugin - - General - + + Custom + name singular + Anpassad + + + + Custom + container title + Anpassad @@ -1093,6 +1176,31 @@ 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. + Lägg till en ny bild. + + + + Edit the selected Image. + Redigera den valda bilden. + + + + Delete the selected Image. + Radera den valda bilden. + + + + Preview the selected Image. + Förhandsgranska den valda bilden. + Load a new image. @@ -1140,42 +1248,47 @@ 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 delete. Du måste välja en bild som skall tas bort. - + 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. + + MediaPlugin @@ -1241,40 +1354,45 @@ 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. - + Missing Media File - + The file %s no longer exists. Filen %s finns inte längre. - + 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. - + Videos (%s);;Audio (%s);;%s (*) + + + There was no display item to amend. + + MediaPlugin.MediaTab @@ -1292,7 +1410,7 @@ Vill du lägga till dom andra bilderna ändå? OpenLP - + Image Files Bildfiler @@ -1512,170 +1630,6 @@ Portions copyright © 2004-2011 %s - - OpenLP.DisplayTagDialog - - - Edit Selection - - - - - Description - - - - - Tag - - - - - Start tag - - - - - End tag - - - - - Tag Id - - - - - Start HTML - - - - - End HTML - - - - - Save - - - - - OpenLP.DisplayTagTab - - - Update Error - - - - - Tag "n" already defined. - - - - - Tag %s already defined. - - - - - New Tag - - - - - </and here> - - - - - <HTML here> - - - - - OpenLP.DisplayTags - - - Red - - - - - Black - - - - - Blue - - - - - Yellow - - - - - Green - - - - - Pink - - - - - Orange - - - - - Purple - - - - - White - - - - - Superscript - - - - - Subscript - - - - - Paragraph - - - - - Bold - - - - - Italics - - - - - Underline - - - - - Break - - - OpenLP.ExceptionDialog @@ -1815,12 +1769,12 @@ Version: %s - + Download complete. Click the finish button to start OpenLP. - + Enabling selected plugins... @@ -1849,11 +1803,6 @@ Version: %s Songs - - - Custom Text - - Bible @@ -1969,25 +1918,209 @@ To cancel the First Time Wizard completely, press the finish button now. - + Setting Up And Downloading - + Please wait while OpenLP is set up and your data is downloaded. - + Setting Up - + Click the finish button to start OpenLP. + + + Custom Slides + + + + + Download complete. Click the finish button to return to OpenLP. + + + + + Click the finish button to return to OpenLP. + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Edit Selection + + + + + Save + + + + + Description + + + + + Tag + + + + + Start tag + + + + + End tag + + + + + Tag Id + + + + + Start HTML + + + + + End HTML + + + + + OpenLP.FormattingTagForm + + + Update Error + + + + + Tag "n" already defined. + + + + + New Tag + + + + + <HTML here> + + + + + </and here> + + + + + Tag %s already defined. + + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + OpenLP.GeneralTab @@ -2133,7 +2266,7 @@ To cancel the First Time Wizard completely, press the finish button now. OpenLP.MainDisplay - + OpenLP Display @@ -2141,309 +2274,309 @@ To cancel the First Time Wizard completely, press the finish button now. OpenLP.MainWindow - + &File &Fil - + &Import &Importera - + &Export &Exportera - + &View &Visa - + M&ode &Läge - + &Tools &Verktyg - + &Settings &Inställningar - + &Language &Språk - + &Help &Hjälp - + Media Manager Mediahanterare - + Service Manager Planeringshanterare - + Theme Manager Temahanterare - + &New &Ny - + &Open &Öppna - + Open an existing service. Öppna en befintlig planering. - + &Save &Spara - + Save the current service to disk. Spara den aktuella planeringen till disk. - + Save &As... S&para som... - + Save Service As Spara planering som - + Save the current service under a new name. Spara den aktuella planeringen under ett nytt namn. - + E&xit &Avsluta - + Quit OpenLP Avsluta OpenLP - + &Theme &Tema - + &Configure OpenLP... &Konfigurera OpenLP... - + &Media Manager &Mediahanterare - + Toggle Media Manager Växla mediahanterare - + Toggle the visibility of the media manager. Växla synligheten för mediahanteraren. - + &Theme Manager &Temahanterare - + Toggle Theme Manager Växla temahanteraren - + Toggle the visibility of the theme manager. Växla synligheten för temahanteraren. - + &Service Manager &Planeringshanterare - + Toggle Service Manager Växla planeringshanterare - + Toggle the visibility of the service manager. Växla synligheten för planeringshanteraren. - + &Preview Panel &Förhandsgranskningpanel - + Toggle Preview Panel Växla förhandsgranskningspanel - + Toggle the visibility of the preview panel. Växla synligheten för förhandsgranskningspanelen. - + &Live Panel - + Toggle Live Panel - + Toggle the visibility of the live panel. - + &Plugin List &Pluginlista - + List the Plugins Lista pluginen - + &User Guide &Användarguide - + &About &Om - + More information about OpenLP Mer information om OpenLP - + &Online Help &Hjälp online - + &Web Site &Webbsida - + 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. - + &Setup - + Set the view mode to Setup. - + &Live &Live - + Set the view mode to Live. - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. - + OpenLP Version Updated OpenLP-versionen uppdaterad - + OpenLP Main Display Blanked OpenLPs huvuddisplay rensad - + The Main Display has been blanked out Huvuddisplayen har rensats - + Default Theme: %s Standardtema: %s @@ -2454,55 +2587,103 @@ You can download the latest version from http://openlp.org/. Svenska - + Configure &Shortcuts... - + Close OpenLP - + Are you sure you want to close OpenLP? - + Open &Data Folder... - + Open the folder where songs, bibles and other data resides. - - &Configure Display Tags - - - - + &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. + + + + + &Recent Files + + + + + &Configure Formatting Tags... + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + OpenLP.MediaManagerItem @@ -2512,54 +2693,69 @@ You can download the latest version from http://openlp.org/. Inget objekt valt - + &Add to selected Service Item &Lägg till vald planeringsobjekt - + You must select one or more items to preview. Du måste välja ett eller flera objekt att förhandsgranska. - + You must select one or more items to send live. - + You must select one or more items. Du måste välja ett eller flera objekt. - + You must select an existing service item to add to. Du måste välja en befintligt planeringsobjekt att lägga till till. - + Invalid Service Item Felaktigt planeringsobjekt - + You must select a %s service item. Du måste välja ett %s planeringsobjekt. - + You must select one or more items to add. - + No Search Results - - Duplicate filename %s. -This filename is already in the list + + &Clone + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + Duplicate files found on import and ignored. @@ -2609,12 +2805,12 @@ This filename is already in the list OpenLP.PrintServiceDialog - + Fit Page Passa sidan - + Fit Width Passa bredden @@ -2622,70 +2818,85 @@ This filename is already in the list OpenLP.PrintServiceForm - + Options Alternativ Close - Stäng + Stäng - + Copy Kopiera - + Copy as HTML Kopiera som HTML - + Zoom In Zooma in - + Zoom Out Zooma ut - + Zoom Original Zooma original - + Other Options Andra alternativ - + 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.ScreenList @@ -2700,10 +2911,23 @@ This filename is already in the list + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + OpenLP.ServiceItemEditForm - + Reorder Service Item @@ -2711,256 +2935,271 @@ This filename is already in the list OpenLP.ServiceManager - + Move to &top Flytta högst &upp - + Move item to the top of the service. - + Move &up Flytta &upp - + Move item up one position in the service. - + Move &down Flytta &ner - + Move item down one position in the service. - + Move to &bottom Flytta längst &ner - + Move item to the end of the service. - + &Delete From Service &Ta bort från planeringen - + Delete the selected item from the service. - + &Add New Item - + &Add to Selected Item - + &Edit Item &Redigera objekt - + &Reorder Item - + &Notes &Anteckningar - + &Change Item Theme &Byt objektets tema - + File is not a valid service. The content encoding is not UTF-8. - + File is not a valid service. - + Missing Display Handler - + Your item cannot be displayed as there is no handler to display it - + Your item cannot be displayed as the plugin required to display it is missing or inactive - + &Expand all - + Expand all the service items. - + &Collapse all - + Collapse all the service items. - + Open File - + OpenLP Service Files (*.osz) - + Moves the selection down the window. - + Move up - + Moves the selection up the window. - + Go Live - + Send the selected item to Live. - + Modified Service - + &Start Time - + Show &Preview - + Show &Live - + The current service has been modified. Would you like to save this service? - + File could not be opened because it is corrupt. - + Empty File - + This service file does not contain any data. - + Corrupt File - + Custom Service Notes: - + Notes: - + Playing time: - + Untitled Service - + Load an existing service. - + Save this service. - + Select a theme for the service. - + This file is either corrupt or it is not an OpenLP 2.0 service file. + + + Slide theme + + + + + Notes + + + + + Service File Missing + + OpenLP.ServiceNoteForm - + Service Item Notes Mötesanteckningar @@ -2975,11 +3214,6 @@ The content encoding is not UTF-8. OpenLP.ShortcutListDialog - - - Customize Shortcuts - - Action @@ -2991,12 +3225,12 @@ The content encoding is not UTF-8. - + Duplicate Shortcut - + The shortcut "%s" is already assigned to another action, please use a different shortcut. @@ -3031,20 +3265,25 @@ The content encoding is not UTF-8. - + Restore Default Shortcuts - + Do you want to restore all shortcuts to their defaults? + + + Configure Shortcuts + + OpenLP.SlideController - + Hide @@ -3054,27 +3293,27 @@ The content encoding is not UTF-8. - + Blank Screen - + Blank to Theme - + Show Desktop - + Previous Slide - + Next Slide @@ -3094,30 +3333,20 @@ The content encoding is not UTF-8. - + Move to previous. - + Move to next. - + Play Slides - - - Play Slides in Loop - - - - - Play Slides to End - - Delay between slides in seconds. @@ -3147,17 +3376,17 @@ The content encoding is not UTF-8. OpenLP.SpellTextEdit - + Spelling Suggestions - + Formatting Tags - + Language: @@ -3251,191 +3480,197 @@ The content encoding is not UTF-8. OpenLP.ThemeManager - + Create a new theme. - + Edit Theme Redigera tema - + Edit a theme. - + Delete Theme Ta bort tema - + Delete a theme. - + Import Theme Importera tema - + Import a theme. - + Export Theme Exportera tema - + Export a theme. - + &Edit Theme - + &Delete Theme - + Set As &Global Default - + %s (default) - + You must select a theme to edit. - + You are unable to delete the default theme. 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 - + Your theme has been successfully exported. - + Theme Export Failed - + Your theme could not be exported due to an error. - + Select Theme Import File Välj tema importfil - + File is not a valid theme. The content encoding is not UTF-8. - + File is not a valid theme. Filen är inte ett giltigt tema. - + Theme %s is used in the %s plugin. - + &Copy Theme - + &Rename Theme - + &Export Theme - + You must select a theme to rename. - + Rename Confirmation - + Rename %s theme? - + You must select a theme to delete. - + Delete Confirmation - + Delete %s theme? - + Validation Error - + A theme with this name already exists. - + OpenLP Themes (*.theme *.otz) + + + Copy of %s + Copy of <theme name> + + OpenLP.ThemeWizard @@ -3679,6 +3914,16 @@ The content encoding is not UTF-8. Edit Theme - %s + + + Starting color: + + + + + Ending color: + + OpenLP.ThemesTab @@ -3722,31 +3967,36 @@ The content encoding is not UTF-8. Use the global theme, overriding any themes associated with either the service or the songs. Använd det globala temat, ignorerar teman associerade med mötesplaneringen eller sångerna. + + + Themes + + OpenLP.Ui - + Error Fel - + &Delete &Ta bort - + Delete the selected item. - + Move selection up one position. - + Move selection down one position. @@ -3771,20 +4021,15 @@ The content encoding is not UTF-8. Skapa en ny planering. - + &Edit &Redigera - + Import Importera - - - Length %s - - Live @@ -3811,42 +4056,47 @@ The content encoding is not UTF-8. OpenLP 2.0 - + + Open Service + Öppna planering + + + Preview Förhandsgranska - + Replace Background Ersätt bakgrund - + Reset Background - + Save Service Spara planering - + Service Gudstjänst - + Start %s - + &Vertical Align: - + Top Toppen @@ -3881,23 +4131,23 @@ The content encoding is not UTF-8. - + Empty Field - + Export - + pt Abbreviated font pointsize unit - + Image Bild @@ -3941,45 +4191,45 @@ The content encoding is not UTF-8. openlp.org 1.x - + s The abbreviated unit for seconds - + Save && Preview Spara && förhandsgranska - + Search Sök - + You must select an item to delete. - + You must select an item to edit. - + Theme Singular Tema - + Themes Plural - + Version @@ -4045,12 +4295,12 @@ The content encoding is not UTF-8. - + Welcome to the Bible Import Wizard Välkommen till guiden för bibelimport - + Welcome to the Song Export Wizard @@ -4107,38 +4357,38 @@ The content encoding is not UTF-8. Ämnen - + Continuous Kontinuerlig - + Default - + Display style: Display stil: - + File - + Help - + h The abbreviated unit for hours - + Layout style: Layout: @@ -4159,37 +4409,37 @@ The content encoding is not UTF-8. - + Settings - + Tools - + Verse Per Slide Verser per sida - + Verse Per Line Verser per rad - + View - + Duplicate Error - + Unsupported File @@ -4204,12 +4454,12 @@ The content encoding is not UTF-8. - + View Mode - + Welcome to the Bible Upgrade Wizard @@ -4219,36 +4469,53 @@ The content encoding is not UTF-8. - + Print Service - + Replace live background. - + Reset live background. - + &Split - + Split a slide into two only if it does not fit on the screen as one slide. - - - OpenLP.displayTagDialog - - Configure Display Tags + + Confirm Delete + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End @@ -4306,52 +4573,52 @@ The content encoding is not UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) Välj presentation(er) - + Automatic Automatisk - + Present using: Presentera genom: - + File Exists - + A presentation with that filename already exists. En presentation med det namnet finns redan. - + This type of presentation is not supported. - + Presentations (%s) - + Missing Presentation - + The Presentation %s no longer exists. - + The Presentation %s is incomplete, please reload. @@ -4403,12 +4670,12 @@ The content encoding is not UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote - + OpenLP 2.0 Stage View @@ -4418,80 +4685,80 @@ The content encoding is not UTF-8. Planeringshanterare - + Slide Controller - + Alerts Larm - + Search - + Back - + Refresh - + Blank - + Show - + Prev - + Next - + Text - + Show Alert - + Go Live - - Add To Service - - - - + No Results - + Options Alternativ + + + Add to Service + + RemotePlugin.RemoteTab @@ -4524,68 +4791,78 @@ The content encoding is not UTF-8. SongUsagePlugin - + &Song Usage Tracking - + &Delete Tracking Data - + Delete song usage data up to a specified date. - + &Extract Tracking Data - + Generate a report on song usage. - + Toggle Tracking - + Toggle the tracking of song usage. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. - + SongUsage name singular - + SongUsage name plural - + SongUsage container title - + Song Usage + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + SongUsagePlugin.SongUsageDeleteForm @@ -4893,190 +5170,197 @@ The encoding is responsible for the correct character representation. SongsPlugin.EasyWorshipSongImport - + Administered by %s + + + +[above are Song Tags with notes imported from + EasyWorship] + + SongsPlugin.EditSongForm - + Song Editor Sångredigerare - + &Title: &Titel: - + Alt&ernate title: - + &Lyrics: - + &Verse order: - + Ed&it All Red&igera alla - + Title && Lyrics Titel && Sångtexter - + &Add to Song &Lägg till i sång - + &Remove &Ta bort - + &Manage Authors, Topics, Song Books - + A&dd to Song Lä&gg till i sång - + R&emove Ta &bort - + Book: Bok: - + Number: Nummer: - + Authors, Topics && Song Book - + New &Theme Nytt &tema - + Copyright Information Copyrightinformation - + Comments Kommentarer - + Theme, Copyright Info && Comments Tema, copyrightinfo && kommentarer - + Add Author Lägg till föfattare - + 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. - + Warning - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? - + Add Book - + This song book does not exist, do you want to add it? - + You need to have an author for this song. - + You need to type some text in to the verse. @@ -5107,82 +5391,82 @@ The encoding is responsible for the correct character representation. SongsPlugin.ExportWizardForm - + Song Export Wizard - + This wizard will help to export your songs to the open and free OpenLyrics worship song format. - + Select Songs - + 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... - + Check the songs you want to export. - + You need to specify a directory. - + Select Destination Folder - + Select the directory where you want the songs to be saved. @@ -5190,7 +5474,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files @@ -5235,42 +5519,42 @@ The encoding is responsible for the correct character representation. - + OpenLP 2.0 Databases - + openlp.org v1.x Databases - + Words Of Worship Song Files - + Songs Of Fellowship Song Files - + SongBeamer Files - + SongShow Plus Song Files - + You need to specify at least one document or presentation file to import from. - + Foilpresenter Song Files @@ -5298,32 +5582,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.MediaItem - + Titles Titlar - + Lyrics Sångtexter - - Delete Song(s)? - - - - + CCLI License: - + Entire Song - + Are you sure you want to delete the %n selected song(s)? @@ -5331,15 +5610,21 @@ The encoding is responsible for the correct character representation. - + Maintain the lists of authors, topics and books. + + + copy + For song cloning + + SongsPlugin.OpenLP1SongImport - + Not a valid openlp.org 1.x song database. @@ -5355,7 +5640,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.OpenLyricsExport - + Exporting "%s"... @@ -5386,12 +5671,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongExportForm - + Finished export. - + Your song export failed. @@ -5399,27 +5684,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright copyright - + The following songs could not be imported: - + Unable to open file - + File not found - + Cannot access OpenOffice or LibreOffice @@ -5427,7 +5712,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImportForm - + Your song import failed. @@ -5624,12 +5909,4 @@ The encoding is responsible for the correct character representation. Övrigt - - ThemeTab - - - Themes - - - diff --git a/resources/i18n/zh_CN.ts b/resources/i18n/zh_CN.ts index 77bb39942..690dd8753 100644 --- a/resources/i18n/zh_CN.ts +++ b/resources/i18n/zh_CN.ts @@ -1,30 +1,5 @@ - - - AlertPlugin.AlertForm - - - You have not entered a parameter to be replaced. -Do you want to continue anyway? - - - - - No Parameter Found - - - - - No Placeholder Found - - - - - The alert text does not contain '<>'. -Do you want to continue anyway? - - - + AlertsPlugin @@ -37,11 +12,6 @@ Do you want to continue anyway? Show an alert message. - - - <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen - - Alert @@ -60,6 +30,11 @@ Do you want to continue anyway? container title + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. + + AlertsPlugin.AlertForm @@ -108,6 +83,28 @@ Do you want to continue anyway? &Parameter: + + + No Parameter Found + + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + + + + + No Placeholder Found + + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + + AlertsPlugin.AlertsManager @@ -150,84 +147,6 @@ Do you want to continue anyway? - - BibleDB.Wizard - - - Importing books... %s - - - - - Importing verses from %s... - Importing verses from <book name>... - - - - - Importing verses... done. - - - - - BiblePlugin - - - &Upgrade older Bibles - - - - - Upgrade the Bible databases to the latest format. - - - - - BiblePlugin.HTTPBible - - - 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. - - - - - BiblePlugin.MediaItem - - - Bible not fully loaded. - - - - - You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? - - - - - 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. - - - BiblesPlugin @@ -254,12 +173,12 @@ Do you want to continue anyway? - + No Book Found - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. @@ -303,37 +222,47 @@ Do you want to continue anyway? <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + + + &Upgrade older Bibles + + + + + Upgrade the Bible databases to the latest format. + + BiblesPlugin.BibleManager - + Scripture Reference Error - + Web Bible cannot be used - + Text Search is not available with Web Bibles. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns: Book Chapter @@ -345,7 +274,7 @@ Book Chapter:Verse-Chapter:Verse - + No Bibles Available @@ -450,189 +379,228 @@ Changes do not affect verses already in the service. + + BiblesPlugin.CSVBible + + + Importing books... %s + + + + + Importing verses from %s... + Importing verses from <book name>... + + + + + Importing verses... done. + + + BiblesPlugin.HTTPBible - + Registering Bible and loading books... - + Registering Language... - + Importing %s... Importing <book name>... + + + Download Error + + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + + + + + Parse Error + + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + + BiblesPlugin.ImportWizardForm - + Bible Import Wizard - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. - + Web Download - + Location: - + Crosswalk - + BibleGateway - + Bible: - + Download Options - + Server: - + Username: - + Password: - + Proxy Server (Optional) - + License Details - + Set up the Bible's license details. - + Version name: - + Copyright: - + Please wait while your Bible is imported. - + You need to specify a file with books of the Bible to use in the import. - + You need to specify a file of Bible verses to import. - + You need to specify a version name for your Bible. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. - + Bible Exists - + This Bible already exists. Please import a different Bible or first delete the existing one. - + Your Bible import failed. - + CSV File - + Bibleserver - + Permissions: - + Bible file: - + Books file: - + Verses file: - + openlp.org 1.x Bible Files - + Registering Bible... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. @@ -659,7 +627,7 @@ demand and thus an internet connection is required. BiblesPlugin.LanguageForm - + You need to choose a language. @@ -667,60 +635,80 @@ demand and thus an internet connection is required. 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. + + BiblesPlugin.Opensong @@ -748,171 +736,146 @@ demand and thus an internet connection is required. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory - + Bible Upgrade Wizard - + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. - + Select Backup Directory - + Please select a backup directory for your Bibles - + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. - + Please select a backup location for your Bibles. - + Backup Directory: - + There is no need to backup my Bibles - + Select Bibles - + Please select the Bibles to upgrade - - Version name: - - - - - This Bible still exists. Please change the name or uncheck it. - - - - + Upgrading - + Please wait while your Bibles are upgraded. - - You need to specify a Backup Directory for your Bibles. - - - - - You need to specify a version name for your Bible. - - - - - Bible Exists - - - - - This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck. - - - - - There are no Bibles available to upgrade. - - - - + Upgrading Bible %s of %s: "%s" Failed - + Upgrading Bible %s of %s: "%s" Upgrading ... - + Download Error - + Upgrading Bible %s of %s: "%s" Upgrading %s ... - + , %s failed - + Upgrading Bible(s): %s successful%s - + Upgrade failed. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. - - Starting Bible upgrade... - - - - + To upgrade your Web Bibles an Internet connection is required. - + Upgrading Bible %s of %s: "%s" Complete - + Upgrading Bible(s): %s successful%s Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + CustomPlugin @@ -1036,12 +999,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I - + You need to type in a title. - + You need to add at least one slide @@ -1057,11 +1020,13 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I - GeneralTab - - - General - + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slides(s)? + + + @@ -1136,41 +1101,46 @@ 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 delete. - + You must select an image to replace the background with. - + Missing Image(s) - + The following image(s) no longer exist: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? - + There was a problem replacing your background, the image file "%s" no longer exists. + + + There was no display item to amend. + + MediaPlugin @@ -1236,40 +1206,45 @@ 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. - + Missing Media File - + The file %s no longer exists. - + Videos (%s);;Audio (%s);;%s (*) + + + There was no display item to amend. + + MediaPlugin.MediaTab @@ -1287,7 +1262,7 @@ Do you want to add the other images anyway? OpenLP - + Image Files @@ -1507,170 +1482,6 @@ Portions copyright © 2004-2011 %s - - OpenLP.DisplayTagDialog - - - Edit Selection - - - - - Description - - - - - Tag - - - - - Start tag - - - - - End tag - - - - - Tag Id - - - - - Start HTML - - - - - End HTML - - - - - Save - - - - - OpenLP.DisplayTagTab - - - Update Error - - - - - Tag "n" already defined. - - - - - Tag %s already defined. - - - - - New Tag - - - - - </and here> - - - - - <HTML here> - - - - - OpenLP.DisplayTags - - - Red - - - - - Black - - - - - Blue - - - - - Yellow - - - - - Green - - - - - Pink - - - - - Orange - - - - - Purple - - - - - White - - - - - Superscript - - - - - Subscript - - - - - Paragraph - - - - - Bold - - - - - Italics - - - - - Underline - - - - - Break - - - OpenLP.ExceptionDialog @@ -1810,12 +1621,12 @@ Version: %s - + Download complete. Click the finish button to start OpenLP. - + Enabling selected plugins... @@ -1844,11 +1655,6 @@ Version: %s Songs - - - Custom Text - - Bible @@ -1964,25 +1770,209 @@ To cancel the First Time Wizard completely, press the finish button now. - + Setting Up And Downloading - + Please wait while OpenLP is set up and your data is downloaded. - + Setting Up - + Click the finish button to start OpenLP. + + + Custom Slides + + + + + Download complete. Click the finish button to return to OpenLP. + + + + + Click the finish button to return to OpenLP. + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Edit Selection + + + + + Save + + + + + Description + + + + + Tag + + + + + Start tag + + + + + End tag + + + + + Tag Id + + + + + Start HTML + + + + + End HTML + + + + + OpenLP.FormattingTagForm + + + Update Error + + + + + Tag "n" already defined. + + + + + New Tag + + + + + <HTML here> + + + + + </and here> + + + + + Tag %s already defined. + + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + OpenLP.GeneralTab @@ -2128,7 +2118,7 @@ To cancel the First Time Wizard completely, press the finish button now. OpenLP.MainDisplay - + OpenLP Display @@ -2136,309 +2126,309 @@ To cancel the First Time Wizard completely, press the finish button now. OpenLP.MainWindow - + &File - + &Import - + &Export - + &View - + M&ode - + &Tools - + &Settings - + &Language - + &Help - + Media Manager - + Service Manager - + Theme Manager - + &New - + &Open - + Open an existing service. - + &Save - + Save the current service to disk. - + Save &As... - + Save Service As - + Save the current service under a new name. - + E&xit - + Quit OpenLP - + &Theme - + &Configure OpenLP... - + &Media Manager - + Toggle Media Manager - + Toggle the visibility of the media manager. - + &Theme Manager - + Toggle Theme Manager - + Toggle the visibility of the theme manager. - + &Service Manager - + Toggle Service Manager - + Toggle the visibility of the service manager. - + &Preview Panel - + Toggle Preview Panel - + Toggle the visibility of the preview panel. - + &Live Panel - + Toggle Live Panel - + Toggle the visibility of the live panel. - + &Plugin List - + List the Plugins - + &User Guide - + &About - + More information about OpenLP - + &Online Help - + &Web Site - + Use the system language, if available. - + Set the interface language to %s - + Add &Tool... - + Add an application to the list of tools. - + &Default - + Set the view mode back to the default. - + &Setup - + Set the view mode to Setup. - + &Live - + Set the view mode to Live. - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. - + OpenLP Version Updated - + OpenLP Main Display Blanked - + The Main Display has been blanked out - + Default Theme: %s @@ -2446,58 +2436,106 @@ You can download the latest version from http://openlp.org/. English Please add the name of your language here - + 中国 - + Configure &Shortcuts... - + Close OpenLP - + Are you sure you want to close OpenLP? - - &Configure Display Tags - - - - + 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. + + + + + &Recent Files + + + + + &Configure Formatting Tags... + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + OpenLP.MediaManagerItem @@ -2507,54 +2545,69 @@ You can download the latest version from http://openlp.org/. - + &Add to selected Service Item - + You must select one or more items to preview. - + You must select one or more items to send live. - + You must select one or more items. - + You must select an existing service item to add to. - + Invalid Service Item - + You must select a %s service item. - + You must select one or more items to add. - + No Search Results - - Duplicate filename %s. -This filename is already in the list + + &Clone + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + Duplicate files found on import and ignored. @@ -2604,12 +2657,12 @@ This filename is already in the list OpenLP.PrintServiceDialog - + Fit Page - + Fit Width @@ -2617,70 +2670,80 @@ This filename is already in the list OpenLP.PrintServiceForm - + Options - - Close - - - - + Copy - + Copy as HTML - + Zoom In - + Zoom Out - + Zoom Original - + Other Options - + Include slide text if available - + Include service item notes - + Include play length of media items - + Add page break before each text item - + Service Sheet + + + Print + + + + + Title: + + + + + Custom Footer Text: + + OpenLP.ScreenList @@ -2695,10 +2758,23 @@ This filename is already in the list + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + OpenLP.ServiceItemEditForm - + Reorder Service Item @@ -2706,256 +2782,271 @@ This filename is already in the list OpenLP.ServiceManager - + Move to &top - + Move item to the top of the service. - + Move &up - + Move item up one position in the service. - + Move &down - + Move item down one position in the service. - + Move to &bottom - + Move item to the end of the service. - + &Delete From Service - + Delete the selected item from the service. - + &Add New Item - + &Add to Selected Item - + &Edit Item - + &Reorder Item - + &Notes - + &Change Item Theme - + OpenLP Service Files (*.osz) - + File is not a valid service. The content encoding is not UTF-8. - + File is not a valid service. - + Missing Display Handler - + Your item cannot be displayed as there is no handler to display it - + Your item cannot be displayed as the plugin required to display it is missing or inactive - + &Expand all - + Expand all the service items. - + &Collapse all - + Collapse all the service items. - + Open File - + Moves the selection down the window. - + Move up - + Moves the selection up the window. - + Go Live - + Send the selected item to Live. - + &Start Time - + Show &Preview - + Show &Live - + Modified Service - + The current service has been modified. Would you like to save this service? - + File could not be opened because it is corrupt. - + Empty File - + This service file does not contain any data. - + Corrupt File - + Custom Service Notes: - + Notes: - + Playing time: - + Untitled Service - + Load an existing service. - + Save this service. - + Select a theme for the service. - + This file is either corrupt or it is not an OpenLP 2.0 service file. + + + Slide theme + + + + + Notes + + + + + Service File Missing + + OpenLP.ServiceNoteForm - + Service Item Notes @@ -2970,11 +3061,6 @@ The content encoding is not UTF-8. OpenLP.ShortcutListDialog - - - Customize Shortcuts - - Action @@ -2986,12 +3072,12 @@ The content encoding is not UTF-8. - + Duplicate Shortcut - + The shortcut "%s" is already assigned to another action, please use a different shortcut. @@ -3026,20 +3112,25 @@ The content encoding is not UTF-8. - + Restore Default Shortcuts - + Do you want to restore all shortcuts to their defaults? + + + Configure Shortcuts + + OpenLP.SlideController - + Hide @@ -3049,27 +3140,27 @@ The content encoding is not UTF-8. - + Blank Screen - + Blank to Theme - + Show Desktop - + Previous Slide - + Next Slide @@ -3089,30 +3180,20 @@ The content encoding is not UTF-8. - + Move to previous. - + Move to next. - + Play Slides - - - Play Slides in Loop - - - - - Play Slides to End - - Delay between slides in seconds. @@ -3142,17 +3223,17 @@ The content encoding is not UTF-8. OpenLP.SpellTextEdit - + Spelling Suggestions - + Formatting Tags - + Language: @@ -3246,191 +3327,197 @@ The content encoding is not UTF-8. OpenLP.ThemeManager - + Create a new theme. - + Edit Theme - + Edit a theme. - + Delete Theme - + Delete a theme. - + Import Theme - + Import a theme. - + Export Theme - + Export a theme. - + &Edit Theme - + &Delete Theme - + Set As &Global Default - + %s (default) - + You must select a theme to edit. - + You are unable to delete the default theme. - + Theme %s is used in the %s plugin. - + You have not selected a theme. - + Save Theme - (%s) - + Theme Exported - + Your theme has been successfully exported. - + Theme Export Failed - + Your theme could not be exported due to an error. - + Select Theme Import File - + File is not a valid theme. The content encoding is not UTF-8. - + File is not a valid theme. - + &Copy Theme - + &Rename Theme - + &Export Theme - + You must select a theme to rename. - + Rename Confirmation - + Rename %s theme? - + You must select a theme to delete. - + Delete Confirmation - + Delete %s theme? - + Validation Error - + A theme with this name already exists. - + OpenLP Themes (*.theme *.otz) + + + Copy of %s + Copy of <theme name> + + OpenLP.ThemeWizard @@ -3674,6 +3761,16 @@ The content encoding is not UTF-8. &Footer Area + + + Starting color: + + + + + Ending color: + + OpenLP.ThemesTab @@ -3717,11 +3814,16 @@ The content encoding is not UTF-8. Use the global theme, overriding any themes associated with either the service or the songs. + + + Themes + + OpenLP.Ui - + Error @@ -3771,46 +3873,41 @@ The content encoding is not UTF-8. - + &Delete - + &Edit - + Empty Field - + Export - + pt Abbreviated font pointsize unit - + Image - + Import - - - Length %s - - Live @@ -3881,100 +3978,100 @@ The content encoding is not UTF-8. - + Preview - + Replace Background - + Reset Background - + s The abbreviated unit for seconds - + Save && Preview - + Search - + You must select an item to delete. - + You must select an item to edit. - + Save Service - + Service - + Start %s - + Theme Singular - + Themes Plural - + Top - + Version - + Delete the selected item. - + Move selection up one position. - + Move selection down one position. - + &Vertical Align: @@ -4040,12 +4137,12 @@ The content encoding is not UTF-8. - + Welcome to the Bible Import Wizard - + Welcome to the Song Export Wizard @@ -4102,38 +4199,38 @@ The content encoding is not UTF-8. - + Continuous - + Default - + Display style: - + File - + Help - + h The abbreviated unit for hours - + Layout style: @@ -4154,37 +4251,37 @@ The content encoding is not UTF-8. - + Settings - + Tools - + Verse Per Slide - + Verse Per Line - + View - + Duplicate Error - + Unsupported File @@ -4199,12 +4296,12 @@ The content encoding is not UTF-8. - + View Mode - + Welcome to the Bible Upgrade Wizard @@ -4214,36 +4311,53 @@ The content encoding is not UTF-8. - + Print Service - + Replace live background. - + Reset live background. - + &Split - + Split a slide into two only if it does not fit on the screen as one slide. - - - OpenLP.displayTagDialog - - Configure Display Tags + + Confirm Delete + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End @@ -4301,52 +4415,52 @@ The content encoding is not UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) - + Automatic - + Present using: - + File Exists - + A presentation with that filename already exists. - + This type of presentation is not supported. - + Presentations (%s) - + Missing Presentation - + The Presentation %s no longer exists. - + The Presentation %s is incomplete, please reload. @@ -4398,12 +4512,12 @@ The content encoding is not UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote - + OpenLP 2.0 Stage View @@ -4413,80 +4527,80 @@ The content encoding is not UTF-8. - + Slide Controller - + Alerts - + Search - + Back - + Refresh - + Blank - + Show - + Prev - + Next - + Text - + Show Alert - + Go Live - - Add To Service - - - - + No Results - + Options + + + Add to Service + + RemotePlugin.RemoteTab @@ -4519,68 +4633,78 @@ The content encoding is not UTF-8. SongUsagePlugin - + &Song Usage Tracking - + &Delete Tracking Data - + Delete song usage data up to a specified date. - + &Extract Tracking Data - + Generate a report on song usage. - + Toggle Tracking - + Toggle the tracking of song usage. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. - + SongUsage name singular - + SongUsage name plural - + SongUsage container title - + Song Usage + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + SongUsagePlugin.SongUsageDeleteForm @@ -4888,190 +5012,197 @@ The encoding is responsible for the correct character representation. SongsPlugin.EasyWorshipSongImport - + Administered by %s + + + +[above are Song Tags with notes imported from + EasyWorship] + + SongsPlugin.EditSongForm - + Song Editor - + &Title: - + Alt&ernate title: - + &Lyrics: - + &Verse order: - + Ed&it All - + Title && Lyrics - + &Add to Song - + &Remove - + &Manage Authors, Topics, Song Books - + A&dd to Song - + R&emove - + Book: - + Number: - + Authors, Topics && Song Book - + New &Theme - + Copyright Information - + Comments - + Theme, Copyright Info && Comments - + Add Author - + This author does not exist, do you want to add them? - + This author is already in the list. - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. - + Add Topic - + This topic does not exist, do you want to add it? - + This topic is already in the list. - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. - + You need to type in a song title. - + You need to type in at least one verse. - + Warning - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? - + Add Book - + This song book does not exist, do you want to add it? - + You need to have an author for this song. - + You need to type some text in to the verse. @@ -5102,82 +5233,82 @@ The encoding is responsible for the correct character representation. SongsPlugin.ExportWizardForm - + Song Export Wizard - + This wizard will help to export your songs to the open and free OpenLyrics worship song format. - + 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. @@ -5185,7 +5316,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files @@ -5230,42 +5361,42 @@ The encoding is responsible for the correct character representation. - + OpenLP 2.0 Databases - + openlp.org v1.x Databases - + Words Of Worship Song Files - + You need to specify at least one document or presentation file to import from. - + Songs Of Fellowship Song Files - + SongBeamer Files - + SongShow Plus Song Files - + Foilpresenter Song Files @@ -5293,47 +5424,48 @@ The encoding is responsible for the correct character representation. SongsPlugin.MediaItem - + Titles - + Lyrics - - Delete Song(s)? - - - - + CCLI License: - + Entire Song - + Are you sure you want to delete the %n selected song(s)? - + Maintain the lists of authors, topics and books. + + + copy + For song cloning + + SongsPlugin.OpenLP1SongImport - + Not a valid openlp.org 1.x song database. @@ -5349,7 +5481,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.OpenLyricsExport - + Exporting "%s"... @@ -5380,12 +5512,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongExportForm - + Finished export. - + Your song export failed. @@ -5393,27 +5525,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright - + The following songs could not be imported: - + Unable to open file - + File not found - + Cannot access OpenOffice or LibreOffice @@ -5421,7 +5553,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImportForm - + Your song import failed. @@ -5618,12 +5750,4 @@ The encoding is responsible for the correct character representation. - - ThemeTab - - - Themes - - - diff --git a/scripts/translation_utils.py b/scripts/translation_utils.py index db1788aba..935ef97e8 100755 --- a/scripts/translation_utils.py +++ b/scripts/translation_utils.py @@ -186,25 +186,6 @@ def update_export_at_pootle(source_filename): page = urllib.urlopen(REVIEW_URL) page.close() - -def download_file(source_filename, dest_filename): - """ - Download a file and save it to disk. - - ``source_filename`` - The file to download. - - ``dest_filename`` - The new local file name. - """ - print_verbose(u'Downloading from: %s' % (SERVER_URL + source_filename)) - page = urllib.urlopen(SERVER_URL + source_filename) - content = page.read().decode('utf8') - page.close() - file = open(dest_filename, u'w') - file.write(content.encode('utf8')) - file.close() - def download_translations(): """ This method downloads the translation files from the Pootle server. @@ -219,7 +200,7 @@ def download_translations(): filename = os.path.join(os.path.abspath(u'..'), u'resources', u'i18n', language_file) print_verbose(u'Get Translation File: %s' % filename) - download_file(language_file, filename) + urllib.urlretrieve(SERVER_URL + language_file, filename) print_quiet(u' Done.') def prepare_project(): @@ -304,7 +285,7 @@ def create_translation(language): if not language.endswith(u'.ts'): language += u'.ts' filename = os.path.join(os.path.abspath(u'..'), u'resources', u'i18n', language) - download_file(u'en.ts', filename) + urllib.urlretrieve(SERVER_URL + u'en.ts', filename) print_quiet(u' ** Please Note **') print_quiet(u' In order to get this file into OpenLP and onto the ' u'Pootle translation server you will need to subscribe to the '