diff --git a/openlp.pyw b/openlp.pyw
index 0d4e8c200..c287072f5 100755
--- a/openlp.pyw
+++ b/openlp.pyw
@@ -241,8 +241,14 @@ def main():
+ "/qt4_plugins")
# i18n Set Language
language = LanguageManager.get_language()
- appTranslator = LanguageManager.get_translator(language)
- app.installTranslator(appTranslator)
+ app_translator, default_translator = \
+ LanguageManager.get_translator(language)
+ if not app_translator.isEmpty():
+ app.installTranslator(app_translator)
+ if not default_translator.isEmpty():
+ app.installTranslator(default_translator)
+ else:
+ log.debug(u'Could not find default_translator.')
if not options.no_error_form:
sys.excepthook = app.hookException
sys.exit(app.run())
diff --git a/openlp/core/lib/__init__.py b/openlp/core/lib/__init__.py
index 687c49094..ef2520dac 100644
--- a/openlp/core/lib/__init__.py
+++ b/openlp/core/lib/__init__.py
@@ -37,6 +37,7 @@ log = logging.getLogger(__name__)
base_html_expands = []
+# Hex Color tags from http://www.w3schools.com/html/html_colornames.asp
base_html_expands.append({u'desc': u'Red', u'start tag': u'{r}',
u'start html': u'',
u'end tag': u'{/r}', u'end html': u'', u'protected': True})
@@ -53,13 +54,13 @@ base_html_expands.append({u'desc': u'Green', u'start tag': u'{g}',
u'start html': u'',
u'end tag': u'{/g}', u'end html': u'', u'protected': True})
base_html_expands.append({u'desc': u'Pink', u'start tag': u'{pk}',
- u'start html': u'',
+ u'start html': u'',
u'end tag': u'{/pk}', u'end html': u'', u'protected': True})
base_html_expands.append({u'desc': u'Orange', u'start tag': u'{o}',
- u'start html': u'',
+ u'start html': u'',
u'end tag': u'{/o}', u'end html': u'', u'protected': True})
base_html_expands.append({u'desc': u'Purple', u'start tag': u'{pp}',
- u'start html': u'',
+ u'start html': u'',
u'end tag': u'{/pp}', u'end html': u'', u'protected': True})
base_html_expands.append({u'desc': u'White', u'start tag': u'{w}',
u'start html': u'',
@@ -84,7 +85,8 @@ base_html_expands.append({u'desc': u'Underline', u'start tag': u'{u}',
u'end tag': u'{/u}', u'end html': u'', u'protected': True})
def translate(context, text, comment=None,
- encoding=QtCore.QCoreApplication.CodecForTr, n=-1):
+ encoding=QtCore.QCoreApplication.CodecForTr, n=-1,
+ translate=QtCore.QCoreApplication.translate):
"""
A special shortcut method to wrap around the Qt4 translation functions.
This abstracts the translation procedure so that we can change it if at a
@@ -101,8 +103,7 @@ def translate(context, text, comment=None,
An identifying string for when the same text is used in different roles
within the same context.
"""
- return QtCore.QCoreApplication.translate(
- context, text, comment, encoding, n)
+ return translate(context, text, comment, encoding, n)
def get_text_file_string(text_file):
"""
diff --git a/openlp/core/ui/shortcutlistdialog.py b/openlp/core/ui/shortcutlistdialog.py
index 288086cba..e22bf1241 100644
--- a/openlp/core/ui/shortcutlistdialog.py
+++ b/openlp/core/ui/shortcutlistdialog.py
@@ -28,6 +28,24 @@ from PyQt4 import QtCore, QtGui
from openlp.core.lib import translate, build_icon
+class CaptureShortcutButton(QtGui.QPushButton):
+ """
+ A class to encapsulate a ``QPushButton``.
+ """
+ def __init__(self, *args):
+ QtGui.QPushButton.__init__(self, *args)
+ self.setCheckable(True)
+
+ def keyPressEvent(self, event):
+ """
+ Block the ``Key_Space`` key, so that the button will not change the
+ checked state.
+ """
+ if event.key() == QtCore.Qt.Key_Space and self.isChecked():
+ # Ignore the event, so that the parent can take care of this.
+ event.ignore()
+
+
class Ui_ShortcutListDialog(object):
def setupUi(self, shortcutListDialog):
shortcutListDialog.setObjectName(u'shortcutListDialog')
@@ -56,12 +74,11 @@ class Ui_ShortcutListDialog(object):
self.detailsLayout.addWidget(self.customRadioButton, 1, 0, 1, 1)
self.primaryLayout = QtGui.QHBoxLayout()
self.primaryLayout.setObjectName(u'primaryLayout')
- self.primaryPushButton = QtGui.QPushButton(shortcutListDialog)
+ self.primaryPushButton = CaptureShortcutButton(shortcutListDialog)
self.primaryPushButton.setObjectName(u'primaryPushButton')
self.primaryPushButton.setMinimumSize(QtCore.QSize(84, 0))
self.primaryPushButton.setIcon(
build_icon(u':/system/system_configure_shortcuts.png'))
- self.primaryPushButton.setCheckable(True)
self.primaryLayout.addWidget(self.primaryPushButton)
self.clearPrimaryButton = QtGui.QToolButton(shortcutListDialog)
self.clearPrimaryButton.setObjectName(u'clearPrimaryButton')
@@ -72,9 +89,8 @@ class Ui_ShortcutListDialog(object):
self.detailsLayout.addLayout(self.primaryLayout, 1, 1, 1, 1)
self.alternateLayout = QtGui.QHBoxLayout()
self.alternateLayout.setObjectName(u'alternateLayout')
- self.alternatePushButton = QtGui.QPushButton(shortcutListDialog)
+ self.alternatePushButton = CaptureShortcutButton(shortcutListDialog)
self.alternatePushButton.setObjectName(u'alternatePushButton')
- self.alternatePushButton.setCheckable(True)
self.alternatePushButton.setIcon(
build_icon(u':/system/system_configure_shortcuts.png'))
self.alternateLayout.addWidget(self.alternatePushButton)
diff --git a/openlp/core/ui/shortcutlistform.py b/openlp/core/ui/shortcutlistform.py
index 3136c9b1f..8e38ebff5 100644
--- a/openlp/core/ui/shortcutlistform.py
+++ b/openlp/core/ui/shortcutlistform.py
@@ -71,7 +71,9 @@ class ShortcutListForm(QtGui.QDialog, Ui_ShortcutListDialog):
QtCore.SIGNAL(u'clicked(bool)'), self.onCustomRadioButtonClicked)
def keyPressEvent(self, event):
- if self.primaryPushButton.isChecked() or \
+ if event.key() == QtCore.Qt.Key_Space:
+ self.keyReleaseEvent(event)
+ elif self.primaryPushButton.isChecked() or \
self.alternatePushButton.isChecked():
event.ignore()
elif event.key() == QtCore.Qt.Key_Escape:
@@ -163,6 +165,7 @@ class ShortcutListForm(QtGui.QDialog, Ui_ShortcutListDialog):
self.customRadioButton.setChecked(True)
if toggled:
self.alternatePushButton.setChecked(False)
+ self.primaryPushButton.setText(u'')
return
action = self._currentItemAction()
if action is None:
@@ -181,6 +184,7 @@ class ShortcutListForm(QtGui.QDialog, Ui_ShortcutListDialog):
self.customRadioButton.setChecked(True)
if toggled:
self.primaryPushButton.setChecked(False)
+ self.alternatePushButton.setText(u'')
return
action = self._currentItemAction()
if action is None:
@@ -211,10 +215,11 @@ class ShortcutListForm(QtGui.QDialog, Ui_ShortcutListDialog):
self.primaryPushButton.setChecked(column in [0, 1])
self.alternatePushButton.setChecked(column not in [0, 1])
if column in [0, 1]:
+ self.primaryPushButton.setText(u'')
self.primaryPushButton.setFocus(QtCore.Qt.OtherFocusReason)
else:
+ self.alternatePushButton.setText(u'')
self.alternatePushButton.setFocus(QtCore.Qt.OtherFocusReason)
- self.onCurrentItemChanged(item)
def onCurrentItemChanged(self, item=None, previousItem=None):
"""
@@ -247,6 +252,12 @@ class ShortcutListForm(QtGui.QDialog, Ui_ShortcutListDialog):
elif len(shortcuts) == 2:
primary_text = shortcuts[0].toString()
alternate_text = shortcuts[1].toString()
+ # When we are capturing a new shortcut, we do not want, the buttons to
+ # display the current shortcut.
+ if self.primaryPushButton.isChecked():
+ primary_text = u''
+ if self.alternatePushButton.isChecked():
+ alternate_text = u''
self.primaryPushButton.setText(primary_text)
self.alternatePushButton.setText(alternate_text)
self.primaryLabel.setText(primary_label_text)
diff --git a/openlp/core/utils/languagemanager.py b/openlp/core/utils/languagemanager.py
index 9dbf9a779..e62e6279d 100644
--- a/openlp/core/utils/languagemanager.py
+++ b/openlp/core/utils/languagemanager.py
@@ -28,6 +28,7 @@ The :mod:`languagemanager` module provides all the translation settings and
language file loading for OpenLP.
"""
import logging
+import sys
from PyQt4 import QtCore, QtGui
@@ -55,8 +56,14 @@ class LanguageManager(object):
language = QtCore.QLocale.system().name()
lang_path = AppLocation.get_directory(AppLocation.LanguageDir)
app_translator = QtCore.QTranslator()
- if app_translator.load(language, lang_path):
- return app_translator
+ app_translator.load(language, lang_path)
+ # A translator for buttons and other default strings provided by Qt.
+ if sys.platform != u'win32' and sys.platform != u'darwin':
+ lang_path = QtCore.QLibraryInfo.location(
+ QtCore.QLibraryInfo.TranslationsPath)
+ default_translator = QtCore.QTranslator()
+ default_translator.load(u'qt_%s' % language, lang_path)
+ return app_translator, default_translator
@staticmethod
def find_qm_files():
diff --git a/openlp/plugins/bibles/lib/mediaitem.py b/openlp/plugins/bibles/lib/mediaitem.py
index c7e1f0bc2..7d21b57c4 100644
--- a/openlp/plugins/bibles/lib/mediaitem.py
+++ b/openlp/plugins/bibles/lib/mediaitem.py
@@ -72,76 +72,85 @@ class BibleMediaItem(MediaManagerItem):
self.hasDeleteIcon = False
self.addToServiceItem = False
+ def addSearchTab(self, prefix, name):
+ """
+ Creates and adds generic search tab.
+
+ ``prefix``
+ The prefix of the tab, this is either ``quick`` or ``advanced``.
+
+ ``name``
+ The translated string to display.
+ """
+ tab = QtGui.QWidget()
+ tab.setObjectName(prefix + u'Tab')
+ layout = QtGui.QGridLayout(tab)
+ layout.setObjectName(prefix + u'Layout')
+ versionLabel = QtGui.QLabel(tab)
+ versionLabel.setObjectName(prefix + u'VersionLabel')
+ layout.addWidget(versionLabel, 0, 0, QtCore.Qt.AlignRight)
+ versionComboBox = media_item_combo_box(tab, prefix + u'VersionComboBox')
+ versionLabel.setBuddy(versionComboBox)
+ layout.addWidget(versionComboBox, 0, 1, 1, 2)
+ secondLabel = QtGui.QLabel(tab)
+ secondLabel.setObjectName(prefix + u'SecondLabel')
+ layout.addWidget(secondLabel, 1, 0, QtCore.Qt.AlignRight)
+ secondComboBox = media_item_combo_box(tab, prefix + u'SecondComboBox')
+ versionLabel.setBuddy(secondComboBox)
+ layout.addWidget(secondComboBox, 1, 1, 1, 2)
+ searchButtonLayout = QtGui.QHBoxLayout()
+ searchButtonLayout.setObjectName(prefix + u'SearchButtonLayout')
+ searchButtonLayout.addStretch()
+ searchButton = QtGui.QPushButton(tab)
+ searchButton.setObjectName(prefix + u'SearchButton')
+ searchButtonLayout.addWidget(searchButton)
+ self.searchTabWidget.addTab(tab, name)
+ setattr(self, prefix + u'Tab', tab)
+ setattr(self, prefix + u'Layout', layout)
+ setattr(self, prefix + u'VersionLabel', versionLabel)
+ setattr(self, prefix + u'VersionComboBox', versionComboBox)
+ setattr(self, prefix + u'SecondLabel', secondLabel)
+ setattr(self, prefix + u'SecondComboBox', secondComboBox)
+ setattr(self, prefix + u'SearchButtonLayout', searchButtonLayout)
+ setattr(self, prefix + u'SearchButton', searchButton)
+
def addEndHeaderBar(self):
self.searchTabWidget = QtGui.QTabWidget(self)
self.searchTabWidget.setSizePolicy(
QtGui.QSizePolicy.Minimum, QtGui.QSizePolicy.Minimum)
- self.searchTabWidget.setObjectName(u'SearchTabWidget')
+ self.searchTabWidget.setObjectName(u'searchTabWidget')
# Add the Quick Search tab.
- self.quickTab = QtGui.QWidget()
- self.quickTab.setObjectName(u'quickTab')
- self.quickLayout = QtGui.QFormLayout(self.quickTab)
- self.quickLayout.setObjectName(u'quickLayout')
- self.quickVersionLabel = QtGui.QLabel(self.quickTab)
- self.quickVersionLabel.setObjectName(u'quickVersionLabel')
- self.quickVersionComboBox = media_item_combo_box(self.quickTab,
- u'quickVersionComboBox')
- self.quickVersionLabel.setBuddy(self.quickVersionComboBox)
- self.quickLayout.addRow(self.quickVersionLabel,
- self.quickVersionComboBox)
- self.quickSecondLabel = QtGui.QLabel(self.quickTab)
- self.quickSecondLabel.setObjectName(u'quickSecondLabel')
- self.quickSecondComboBox = media_item_combo_box(self.quickTab,
- u'quickSecondComboBox')
- self.quickSecondLabel.setBuddy(self.quickSecondComboBox)
- self.quickLayout.addRow(self.quickSecondLabel, self.quickSecondComboBox)
+ self.addSearchTab(
+ u'quick', translate('BiblesPlugin.MediaItem', 'Quick'))
self.quickSearchLabel = QtGui.QLabel(self.quickTab)
self.quickSearchLabel.setObjectName(u'quickSearchLabel')
+ self.quickLayout.addWidget(
+ self.quickSearchLabel, 2, 0, QtCore.Qt.AlignRight)
self.quickSearchEdit = SearchEdit(self.quickTab)
self.quickSearchEdit.setObjectName(u'quickSearchEdit')
self.quickSearchLabel.setBuddy(self.quickSearchEdit)
- self.quickLayout.addRow(self.quickSearchLabel, self.quickSearchEdit)
+ self.quickLayout.addWidget(self.quickSearchEdit, 2, 1, 1, 2)
self.quickLayoutLabel = QtGui.QLabel(self.quickTab)
self.quickLayoutLabel.setObjectName(u'quickClearLabel')
+ self.quickLayout.addWidget(
+ self.quickLayoutLabel, 3, 0, QtCore.Qt.AlignRight)
self.quickLayoutComboBox = media_item_combo_box(self.quickTab,
u'quickLayoutComboBox')
self.quickLayoutComboBox.addItems([u'', u'', u''])
- self.quickLayout.addRow(self.quickLayoutLabel, self.quickLayoutComboBox)
+ self.quickLayout.addWidget(self.quickLayoutComboBox, 3, 1, 1, 2)
self.quickClearLabel = QtGui.QLabel(self.quickTab)
self.quickClearLabel.setObjectName(u'quickClearLabel')
+ self.quickLayout.addWidget(
+ self.quickClearLabel, 4, 0, QtCore.Qt.AlignRight)
self.quickClearComboBox = media_item_combo_box(self.quickTab,
u'quickClearComboBox')
- self.quickLayout.addRow(self.quickClearLabel, self.quickClearComboBox)
- self.quickSearchButtonLayout = QtGui.QHBoxLayout()
- self.quickSearchButtonLayout.setObjectName(u'quickSearchButtonLayout')
- self.quickSearchButtonLayout.addStretch()
- self.quickSearchButton = QtGui.QPushButton(self.quickTab)
- self.quickSearchButton.setObjectName(u'quickSearchButton')
- self.quickSearchButtonLayout.addWidget(self.quickSearchButton)
- self.quickLayout.addRow(self.quickSearchButtonLayout)
- self.searchTabWidget.addTab(self.quickTab,
- translate('BiblesPlugin.MediaItem', 'Quick'))
+ self.quickLayout.addWidget(self.quickClearComboBox, 4, 1, 1, 2)
+ self.quickLayout.addLayout(self.quickSearchButtonLayout, 6, 1, 1, 2)
+ # Add a QWidget, so that the quick tab has as many rows as the advanced
+ # tab.
+ self.quickLayout.addWidget(QtGui.QWidget(), 7, 0)
# Add the Advanced Search tab.
- self.advancedTab = QtGui.QWidget()
- self.advancedTab.setObjectName(u'advancedTab')
- self.advancedLayout = QtGui.QGridLayout(self.advancedTab)
- self.advancedLayout.setObjectName(u'advancedLayout')
- self.advancedVersionLabel = QtGui.QLabel(self.advancedTab)
- self.advancedVersionLabel.setObjectName(u'advancedVersionLabel')
- self.advancedLayout.addWidget(self.advancedVersionLabel, 0, 0,
- QtCore.Qt.AlignRight)
- self.advancedVersionComboBox = media_item_combo_box(self.advancedTab,
- u'advancedVersionComboBox')
- self.advancedVersionLabel.setBuddy(self.advancedVersionComboBox)
- self.advancedLayout.addWidget(self.advancedVersionComboBox, 0, 1, 1, 2)
- self.advancedSecondLabel = QtGui.QLabel(self.advancedTab)
- self.advancedSecondLabel.setObjectName(u'advancedSecondLabel')
- self.advancedLayout.addWidget(self.advancedSecondLabel, 1, 0,
- QtCore.Qt.AlignRight)
- self.advancedSecondComboBox = media_item_combo_box(self.advancedTab,
- u'advancedSecondComboBox')
- self.advancedSecondLabel.setBuddy(self.advancedSecondComboBox)
- self.advancedLayout.addWidget(self.advancedSecondComboBox, 1, 1, 1, 2)
+ self.addSearchTab(u'advanced', UiStrings().Advanced)
self.advancedBookLabel = QtGui.QLabel(self.advancedTab)
self.advancedBookLabel.setObjectName(u'advancedBookLabel')
self.advancedLayout.addWidget(self.advancedBookLabel, 2, 0,
@@ -152,7 +161,7 @@ class BibleMediaItem(MediaManagerItem):
self.advancedLayout.addWidget(self.advancedBookComboBox, 2, 1, 1, 2)
self.advancedChapterLabel = QtGui.QLabel(self.advancedTab)
self.advancedChapterLabel.setObjectName(u'advancedChapterLabel')
- self.advancedLayout.addWidget(self.advancedChapterLabel, 3, 1)
+ self.advancedLayout.addWidget(self.advancedChapterLabel, 3, 1, 1, 2)
self.advancedVerseLabel = QtGui.QLabel(self.advancedTab)
self.advancedVerseLabel.setObjectName(u'advancedVerseLabel')
self.advancedLayout.addWidget(self.advancedVerseLabel, 3, 2)
@@ -184,16 +193,8 @@ class BibleMediaItem(MediaManagerItem):
u'advancedClearComboBox')
self.advancedClearLabel.setBuddy(self.advancedClearComboBox)
self.advancedLayout.addWidget(self.advancedClearComboBox, 6, 1, 1, 2)
- self.advancedSearchButtonLayout = QtGui.QHBoxLayout()
- self.advancedSearchButtonLayout.setObjectName(
- u'advancedSearchButtonLayout')
- self.advancedSearchButtonLayout.addStretch()
- self.advancedSearchButton = QtGui.QPushButton(self.advancedTab)
- self.advancedSearchButton.setObjectName(u'advancedSearchButton')
- self.advancedSearchButtonLayout.addWidget(self.advancedSearchButton)
self.advancedLayout.addLayout(
self.advancedSearchButtonLayout, 7, 0, 1, 3)
- self.searchTabWidget.addTab(self.advancedTab, UiStrings().Advanced)
# Add the search tab widget to the page layout.
self.pageLayout.addWidget(self.searchTabWidget)
# Combo Boxes
@@ -213,7 +214,7 @@ class BibleMediaItem(MediaManagerItem):
QtCore.SIGNAL(u'activated(int)'), self.updateAutoCompleter)
QtCore.QObject.connect(
self.quickLayoutComboBox, QtCore.SIGNAL(u'activated(int)'),
- self.onlayoutStyleComboBoxChanged)
+ self.onLayoutStyleComboBoxChanged)
# Buttons
QtCore.QObject.connect(self.advancedSearchButton,
QtCore.SIGNAL(u'pressed()'), self.onAdvancedSearchButton)
@@ -844,7 +845,7 @@ class BibleMediaItem(MediaManagerItem):
return u'{su}[%s]{/su}' % verse_text
return u'{su}%s{/su}' % verse_text
- def onlayoutStyleComboBoxChanged(self):
+ def onLayoutStyleComboBoxChanged(self):
self.settings.layout_style = self.quickLayoutComboBox.currentIndex()
self.settings.layoutStyleComboBox.setCurrentIndex(
self.settings.layout_style)
diff --git a/resources/i18n/af.ts b/resources/i18n/af.ts
index d36d55147..6d9b64f30 100644
--- a/resources/i18n/af.ts
+++ b/resources/i18n/af.ts
@@ -3,24 +3,24 @@
AlertPlugin.AlertForm
-
+
Daar is nie 'n parameter gegee om te vervang nie.
Gaan steeds voort?
-
+
Geen Parameter Gevind nie
-
+
Geen Plekhouer Gevind nie
-
+
Die attent-teks bevat nie '<>' nie.
@@ -30,37 +30,37 @@ Gaan steeds voort?
AlertsPlugin
-
+
W&aarskuwing
-
+
Vertoon 'n waarskuwing boodskap.
-
+
<strong>Waarskuwing Mini-program</strong><br/>Die waarskuwing mini-program beheer die vertoning van moederskamer inligting op die vertoon skerm
-
+
name singular
Waarskuwing
-
+
name plural
Waarskuwings
-
+
container title
- Waarskuwings
+ Waarskuwings
@@ -96,12 +96,12 @@ Gaan steeds voort?
Vert&oon && Maak toe
-
+
Nuwe Waarskuwing
-
+
Daar is geen teks vir die waarskuwing gespesifiseer nie. Tik asseblief teks in voordat 'n nuwe een bygevoeg word.
@@ -207,12 +207,12 @@ Gaan steeds voort?
BiblePlugin.MediaItem
-
+
Die Bybel is nie ten volle gelaai nie.
-
+
Enkel en dubbel Bybel vers soek resultate kan nie kombineer word nie. Wis die resultate uit en begin 'n nuwe soektog?
@@ -220,72 +220,72 @@ Gaan steeds voort?
BiblesPlugin
-
+
&Bybel
-
+
<strong>Bybel Mini-program</strong><br/>Die Bybel mini-program verskaf die taak om Bybel verse vanaf verskillende bronne tydens die diens te vertoon.
-
+
Voer 'n Bybel in
-
+
Voeg 'n nuwe Bybel by
-
+
Redigeer geselekteerde Bybel
-
+
Wis die geselekteerde Bybel uit
-
+
Sien voorskou van die geselekteerde Bybel
-
+
Stuur die geselekteerde Bybel regstreeks
-
+
Voeg die geselekteerde Bybel by die diens
-
+
name singular
- Bybel
+ Bybel
-
+
name plural
Bybels
-
+
container title
- Bybels
+ Bybels
- Geen Boek Gevind nie
+ Geen Boek Gevind nie
@@ -350,74 +350,49 @@ Boek Hoofstuk:Vers-Hoofstuk:Vers
BiblesPlugin.BiblesTab
-
+
Vers Vertoning
-
+
Vertoon net nuwe hoofstuk nommers
-
-
- Uitleg styl:
-
-
-
-
- Vertoon styl:
-
-
-
+
Bybel tema:
-
-
- Verse Per Skyfie
-
-
-
-
- Verse Per Lyn
-
-
-
-
- Aaneen-lopend
-
-
-
+
Geen Hakkies
-
+
( En )
-
+
{ En }
-
+
[ En ]
-
+
Nota:
Veranderinge affekteer nie verse wat reeds in die diens is nie.
-
+
Vertoon tweede Bybel se verse
@@ -425,179 +400,179 @@ Veranderinge affekteer nie verse wat reeds in die diens is nie.
BiblesPlugin.ImportWizardForm
-
+
Bybel Invoer Gids
-
+
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 Aflaai
-
+
Ligging:
-
+
Crosswalk
-
+
BibleGateway
-
+
Bybel:
-
+
Aflaai Opsies
-
+
Bediener:
-
+
Gebruikersnaam:
-
+
Wagwoord:
-
+
Tussenganger Bediener (Opsioneel)
-
+
Lisensie Besonderhede
-
+
Stel hierdie Bybel se lisensie besonderhede op.
-
+
Weergawe naam:
-
+
Kopiereg:
-
+
Wag asseblief terwyl u Bybel ingevoer word.
-
+
'n Lêer met boeke van die Bybel moet gespesifiseer word vir gebruik tydens die invoer.
-
+
'n Lêer met Bybel verse moet gespesifiseer word om in te voer.
-
+
'n Weergawe naam moet vir die Bybel gespesifiseer word.
-
+
Bybel Bestaan reeds
-
+
Die Bybel invoer het misluk.
-
+
Die Bybel benodig 'n kopiereg. Bybels in die Publieke Domein moet daarvolgens gemerk word.
-
+
Hierdie Bybel bestaan reeds. Voer asseblief 'n ander Bybel in of wis eers die bestaande een uit.
-
+
Begin Bybel registrasie...
-
+
Geregistreerde bybel. Neem kennis daarvan dat verse op aanvraag
afgelaai word en dus word 'n Internet konneksie benodig.
-
+
Toestemming:
-
+
KGW Lêer
-
+
Bybelbediener
-
+
Bybel lêer:
-
+
Testament lêer:
-
+
Boeke lêer:
-
+
Verse lêer:
-
+
Daar is nie 'n testament lêer gespesifiser nie. Gaan voort met die invoer?
-
+
openlp.org 1.x Bybel Lêers
@@ -605,67 +580,67 @@ afgelaai word en dus word 'n Internet konneksie benodig.
BiblesPlugin.MediaItem
-
+
Vinnig
-
+
Vind:
-
+
Resultate:
-
+
Boek:
-
+
Hoofstuk:
-
+
Vers:
-
+
Vanaf:
-
+
Tot:
-
+
Teks Soektog
-
+
Maak Skoon
-
+
Behou
-
+
Tweede:
-
+
Skrif Verwysing
@@ -682,12 +657,12 @@ afgelaai word en dus word 'n Internet konneksie benodig.
BiblesPlugin.OsisImport
-
+
Bepaal enkodering (dit mag 'n paar minuute neem)...
-
+
Importing <book name> <chapter>...
Invoer %s %s...
@@ -762,19 +737,19 @@ afgelaai word en dus word 'n Internet konneksie benodig.
&Krediete:
-
+
'n Titel word benodig.
-
+
Ten minste een skyfie moet bygevoeg word
- Red&igeer Alles
+ Red&igeer Alles
@@ -838,6 +813,14 @@ afgelaai word en dus word 'n Internet konneksie benodig.
Aanpasing
+
+ GeneralTab
+
+
+
+ Algemeen
+
+
ImagePlugin
@@ -884,7 +867,7 @@ afgelaai word en dus word 'n Internet konneksie benodig.
name singular
- Beeld
+ Beeld
@@ -902,7 +885,7 @@ afgelaai word en dus word 'n Internet konneksie benodig.
ImagePlugin.ExceptionDialog
-
+
Selekteer Aanhangsel
@@ -910,39 +893,39 @@ afgelaai word en dus word 'n Internet konneksie benodig.
ImagePlugin.MediaItem
-
+
Selekteer beeld(e)
-
+
'n Beeld om uit te wis moet geselekteer word.
-
+
'n Beeld wat die agtergrond vervang moet gekies word.
-
+
Vermisde Beeld(e)
-
+
Die volgende beeld(e) bestaan nie meer nie: %s
-
+
Die volgende beeld(e) bestaan nie meer nie: %s
Voeg steeds die ander beelde by?
-
+
Daar was 'n probleem om die agtergrond te vervang. Die beeld lêer "%s" bestaan ine meer nie.
@@ -1005,43 +988,43 @@ Voeg steeds die ander beelde by?
container title
- Media
+ Media
MediaPlugin.MediaItem
-
+
Selekteer Media
-
+
'n Media lêer om uit te wis moet geselekteer word.
-
+
Vermisde Media Lêer
-
+
Die lêer %s bestaan nie meer nie.
-
+
- 'n Media lêer wat die agtergrond vervang moet gekies word.
+ 'n Media lêer wat die agtergrond vervang moet gekies word.
-
+
Daar was 'n probleem om die agtergrond te vervang. Die media lêer "%s" bestaan nie meer nie.
-
+
Videos (%s);;Audio (%s);;%s (*)
@@ -1062,7 +1045,7 @@ Voeg steeds die ander beelde by?
OpenLP
-
+
Beeld Lêers
@@ -1102,7 +1085,7 @@ OpenLP is geskryf en word onderhou deur vrywilligers. As u graag wil sien dat me
Dra By
-
+
bou %s
@@ -1259,65 +1242,90 @@ Tinggaard, Frode Woldsund
OpenLP.AdvancedTab
-
+
GK (UI) Verstellings
-
+
Hoeveelheid onlangse lêers om te vertoon:
-
+
Onthou die laaste media bestuurder oortjie wanneer die program begin
-
+
Dubbel-kliek om die items regstreeks te stuur
-
+
Sit die nuwe diens items uit wanneer dit geskep word
-
+
Stel die program in staat om die uitgang bevestiging te vertoon
-
+
Muis Wyser
-
+
Steek die muis wyser weg wanneer dit oor die vertoon venster beweeg
-
+
Verstek Beeld
-
+
- Agtergrond kleur:
+ Agtergrond kleur:
-
+
Beeld lêer:
-
+
Maak Lêer oop
+
+
+
+
+
+
+
+
+ Gevorderd
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.DisplayTagDialog
@@ -1425,7 +1433,7 @@ Tinggaard, Frode Woldsund
Heg 'n Lêer aan
-
+
Beskrywende karakters om in te voer: %s
@@ -1433,24 +1441,24 @@ Tinggaard, Frode Woldsund
OpenLP.ExceptionForm
-
+
Platvorm: %s
-
+
Stoor Bots Verslag
-
+
Teks lêers (*.txt *.log *.text)
-
+
-
+
-
+
Aflaai voltooi. Klik op die klaar knoppie om OpenLP te begin.
-
+
Skakel geselekteerde miniprogramme aan...
-
+
Eerste-keer Gids
-
+
Welkom by die Eerste-keer Gids
-
+
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.
-
+
Aktiveer nodige Miniprogramme
-
+
Kies die Miniprogramme wat gebruik moet word.
-
+
Liedere
-
+
Verpersoonlike Teks
-
+
Bybel
-
+
- Beelde
+ Beelde
-
+
Aanbiedinge
-
+
Media (Klank en Video)
-
+
Laat afgeleë toegang toe
-
+
Monitor Lied-Gebruik
-
+
Laat Waarskuwings Toe
-
+
Geen Internet Verbinding
-
+
Nie in staat om 'n Internet verbinding op te spoor nie.
-
+
-
+
Voorbeeld Liedere
-
+
Kies en laai liedere vanaf die publieke domein.
-
+
Voorbeeld Bybels
-
+
Kies en laai gratis Bybels af.
-
+
Voorbeeld Temas
-
+
Kies en laai voorbeeld temas af.
-
+
Verstek Instellings
-
+
Stel verstek instellings wat deur OpenLP gebruik moet word.
-
+
Opstel en Invoer
-
+
Wag asseblief terwyl OpenLP opgestel word en die data ingevoer word.
-
+
Verstek uitgaande vertoning:
-
+
Kies verstek tema:
-
+
Konfigurasie proses begin...
@@ -1727,130 +1735,135 @@ Om die Eerste-keer gids heeltemal te kanselleer, druk die vollledig-knoppie hier
OpenLP.GeneralTab
-
+
Algemeen
-
+
Monitors
-
+
Selekteer monitor vir uitgaande vertoning:
-
+
Vertoon as dit 'n enkel skerm is
-
+
Applikasie Aanskakel
-
+
Vertoon leë skerm waarskuwing
-
+
Maak vanself die laaste diens oop
-
+
Wys die spatsel skerm
-
+
Program Verstellings
-
+
Vra om te stoor voordat 'n nuwe diens begin word
-
+
Wys voorskou van volgende item in diens automaties
-
+
Skyfie herhaal vertraging:
-
+
sek
-
+
CCLI Inligting
-
+
SongSelect gebruikersnaam:
-
+
SongSelect wagwoord:
-
+
Vertoon Posisie
-
+
X
-
+
Y
-
+
Hoogte
-
+
Wydte
-
+
Oorskryf vertoon posisie
-
+
Kyk vir opdaterings van OpenLP
+
+
+
+
+
OpenLP.LanguageManager
-
+
Taal
-
+
Herlaai asseblief OpenLP om die nuwe taal instelling te gebruik.
@@ -1858,7 +1871,7 @@ Om die Eerste-keer gids heeltemal te kanselleer, druk die vollledig-knoppie hier
OpenLP.MainDisplay
-
+
OpenLP Vertooning
@@ -1866,230 +1879,185 @@ Om die Eerste-keer gids heeltemal te kanselleer, druk die vollledig-knoppie hier
OpenLP.MainWindow
-
+
&Lêer
-
+
&Invoer
-
+
Uitvo&er
-
+
&Bekyk
-
+
M&odus
-
+
&Gereedskap
-
+
Ver&stellings
-
+
Taa&l
-
+
&Hulp
-
+
Media Bestuurder
-
+
Diens Bestuurder
-
+
Tema Bestuurder
-
+
&Nuwe
-
-
- Ctrl+N
-
-
-
+
Maak &Oop
-
+
Maak 'n bestaande diens oop.
-
-
- Ctrl+O
-
-
-
+
&Stoor
-
+
Stoor die huidige diens na skyf.
-
-
- Ctrl+S
-
-
-
+
Stoor &As...
-
+
Stoor Diens As
-
+
Stoor die huidige diens onder 'n nuwe naam.
-
-
- Ctrl+Shift+S
-
-
-
+
&Uitgang
-
+
Sluit OpenLP Af
-
-
- Alt+F4
-
-
-
+
&Tema
-
+
&Konfigureer OpenLP...
-
+
&Media Bestuurder
-
+
Wissel Media Bestuurder
-
+
Wissel sigbaarheid van die media bestuurder.
-
-
- F8
-
-
-
+
&Tema Bestuurder
-
+
Wissel Tema Bestuurder
-
+
Wissel sigbaarheid van die tema bestuurder.
-
-
- F10
-
-
-
+
&Diens Bestuurder
-
+
Wissel Diens Bestuurder
-
+
Wissel sigbaarheid van die diens bestuurder.
-
-
- F9
-
-
-
+
Voorskou &Paneel
-
+
Wissel Voorskou Paneel
-
+
Wissel sigbaarheid van die voorskou paneel.
-
-
-
- F11
-
@@ -2107,106 +2075,91 @@ Om die Eerste-keer gids heeltemal te kanselleer, druk die vollledig-knoppie hier
-
- F12
-
-
-
Mini-&program Lys
-
+
Lys die Mini-programme
-
-
- Alt+F7
-
-
-
+
Gebr&uikers Gids
-
+
&Aangaande
-
+
Meer inligting aangaande OpenLP
-
-
- Ctrl+F1
-
-
-
+
&Aanlyn Hulp
-
+
&Web Tuiste
-
+
Gebruik die sisteem se taal as dit beskikbaar is.
-
+
Verstel die koppelvlak taal na %s
-
+
Voeg Gereedskaps&tuk by...
-
+
Voeg 'n applikasie by die lys van gereedskapstukke.
-
+
&Verstek
-
+
Verstel skou modus terug na verstek modus.
-
+
Op&stel
-
+
Verstel die skou modus na Opstel modus.
-
+
&Regstreeks
-
+
Verstel die skou modus na Regstreeks.
-
+
@@ -2215,73 +2168,68 @@ You can download the latest version from http://openlp.org/.
Die nuutste weergawe kan afgelaai word vanaf http://openlp.org/.
-
+
OpenLP Weergawe is Opdateer
-
+
OpenLP Hoof Vertoning Blanko
-
+
Die Hoof Skerm is afgeskakel
-
+
Verstek Tema: %s
-
+
Please add the name of your language here
Afrikaans
-
+
Konfigureer Kortpaaie
-
+
Mook OpenLP toe
-
+
Maak OpenLP sekerlik toe?
-
+
Druk die huidige Diens Bestelling.
-
-
- Ctrl+P
-
-
-
+
Maak &Data Lêer oop...
-
+
Maak die lêer waar liedere, bybels en ander data is, oop.
-
+
Konfigureer Vertoon Haakies
-
+
Spoor outom&aties op
@@ -2289,45 +2237,51 @@ Die nuutste weergawe kan afgelaai word vanaf http://openlp.org/.
OpenLP.MediaManagerItem
-
+
Geen item geselekteer nie
-
+
&Voeg by die geselekteerde Diens item
-
+
Kies een of meer items vir die voorskou.
-
+
Kies een of meer items vir regstreekse uitsending.
-
+
Kies een of meer items.
-
+
'n Bestaande diens item moet geselekteer word om by by te voeg.
-
+
Ongeldige Diens Item
-
+
Kies 'n %s diens item.
+
+
+
+
+
OpenLP.PluginForm
@@ -2393,37 +2347,37 @@ Die nuutste weergawe kan afgelaai word vanaf http://openlp.org/.
Opsies
-
+
Close
-
+
Kopieër
-
+
Kopieër as HTML
-
+
Zoom In
-
+
Zoem Uit
-
+
Zoem Oorspronklike
-
+
Ander Opsies
@@ -2433,20 +2387,25 @@ Die nuutste weergawe kan afgelaai word vanaf http://openlp.org/.
Sluit skyfie teks in indien beskikbaar
-
+
Sluit diens item notas in
-
+
Sluit die speel tyd van die media items in
-
+
Diens Bestelling Blad
+
+
+
+
+
OpenLP.ScreenList
@@ -2472,212 +2431,252 @@ Die nuutste weergawe kan afgelaai word vanaf http://openlp.org/.
OpenLP.ServiceManager
-
+
Laai 'n bestaande diens
-
+
Stoor hierdie diens
-
+
Selekteer 'n tema vir die diens
-
+
Skuif boon&toe
-
+
Skuif item tot heel bo in die diens.
-
+
Sk&uif op
-
+
Skuif item een posisie boontoe in die diens.
-
+
Skuif &af
-
+
Skuif item een posisie af in die diens.
-
+
Skuif &tot heel onder
-
+
Skuif item tot aan die einde van die diens.
-
+
Wis uit vanaf die &Diens
-
+
Wis geselekteerde item van die diens af.
-
+
&Voeg Nuwe Item By
-
+
&Voeg by Geselekteerde Item
-
+
R&edigeer Item
-
+
Ve&rander Item orde
-
+
&Notas
-
+
&Verander Item Tema
-
+
Lêer is nie 'n geldige diens nie.
Die inhoud enkodering is nie UTF-8 nie.
-
+
Lêer is nie 'n geldige diens nie.
-
+
Vermisde Vertoon Hanteerder
-
+
Die item kan nie vertoon word nie omdat daar nie 'n hanteerder is om dit te vertoon nie
-
+
Die item kan nie vertoon word nie omdat die mini-program wat dit moet vertoon vermis of onaktief is
-
+
Br&ei alles uit
-
+
Brei al die diens items uit.
-
+
Stort alles ineen
-
+
Stort al die diens items ineen
-
+
- Maak Lêer oop
+ Maak Lêer oop
-
+
OpenLP Diens Lêers (*.osz)
-
+
Skuif die geselekteerde afwaarts in die venster.
-
+
Skuif op
-
+
Skuif die geselekteerde opwaarts in die venster.
-
+
Gaan Regstreeks
-
+
Stuur die geselekteerde item Regstreeks
-
+
Redigeer Diens
-
-
- Notas:
-
-
-
+
Begin Tyd
-
+
Wys Voorskou
-
+
Vertoon Regstreeks
-
+
Die huidige diens was verander. Stoor hierdie diens?
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceNoteForm
@@ -2690,7 +2689,7 @@ Die inhoud enkodering is nie UTF-8 nie.
OpenLP.SettingsForm
-
+
Konfigureer OpenLP
@@ -2698,219 +2697,269 @@ Die inhoud enkodering is nie UTF-8 nie.
OpenLP.ShortcutListDialog
-
+
Verpersoonlik Kortpaaie
-
+
Aksie
-
+
Kortpad
-
-
- Verstek: %s
-
-
-
-
- Persoonlik:
-
-
-
-
- Geen
-
-
-
+
Duplikaat Kortpad
-
+
Die kortpad "%s" is alreeds toegeken aan 'n ander aksie, kies asseblief 'n ander kortpad.
-
+
Alternatief
+
+
+
+
+
+
+
+
+ Verstek
+
+
+
+
+ Aanpasing
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.SlideController
-
+
Beweeg na vorige
-
+
Beweeg na volgende
-
+
Verskuil
-
+
Verskuif na regstreekse skerm
-
+
Begin aaneenlopende lus
-
+
Stop deurlopende lus
-
+
Vertraging tussen skyfies in sekondes
-
+
Begin media speel
-
+
Gaan Na
-
+
Redigeer en laai weer 'n lied voorskou
-
+
Blanko Skerm
-
+
Blanko na Tema
-
+
Wys Werkskerm
-
+
Vorige Skyfie
-
+
Volgende Skyfie
-
+
Vorige Diens
-
+
Volgende Diens
-
+
Ontsnap Item
+
+
+
+
+
OpenLP.SpellTextEdit
-
+
Spelling Voorstelle
-
+
Uitleg Hakkies
+
+
+
+
+
OpenLP.StartTimeForm
-
-
- Item Begin Tyd
-
-
-
+
Ure:
-
-
- h
-
-
-
-
- m
-
-
-
+
Minute:
-
+
Sekondes:
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ThemeForm
-
+
Selekteer Beeld
-
+
Tema Naam Vermis
-
+
Daar is nie 'n naam vir hierdie tema nie. Voer asseblief een in.
-
+
Tema Naam Ongeldig
-
+
Ongeldige tema naam. Voer asseblief een in.
-
+
(%d lyne per skyfie)
@@ -2978,69 +3027,69 @@ Die inhoud enkodering is nie UTF-8 nie.
Stel in As &Globale Standaard
-
+
%s (standaard)
-
+
Kies 'n tema om te redigeer.
-
+
Die standaard tema kan nie uitgewis word nie.
-
+
Geen tema is geselekteer nie.
-
+
Stoor Tema - (%s)
-
+
Tema Uitvoer
-
+
Die tema was suksesvol uitgevoer.
-
+
Tema Uitvoer het Misluk
-
+
Die tema kon nie uitgevoer word nie weens 'n fout.
-
+
Kies Tema Invoer Lêer
-
+
Lêer is nie 'n geldige tema nie.
Die inhoud enkodering is nie UTF-8 nie.
-
+
Lêer is nie 'n geldige tema nie.
-
+
Tema %s is in gebruik deur die %s mini-program.
@@ -3060,47 +3109,47 @@ Die inhoud enkodering is nie UTF-8 nie.
Vo&er Tema uit
-
+
Kies 'n tema om te hernoem.
-
+
Hernoem Bevestiging
-
+
Hernoem %s tema?
-
+
Kies 'n tema om uit te wis.
-
+
Uitwis Bevestiging
-
+
Wis %s tema uit?
-
+
Validerings Fout
-
+
'n Tema met hierdie naam bestaan alreeds.
-
+
OpenLP Temas (*.theme *.otz)
@@ -3135,37 +3184,37 @@ Die inhoud enkodering is nie UTF-8 nie.
- Soliede Kleur
+ Soliede Kleur
- Gradiënt
+ Gradiënt
- Kleur:
+ Kleur:
- Gradiënt:
+ Gradiënt:
- Horisontaal
+ Horisontaal
- Vertikaal
+ Vertikaal
- Sirkelvormig
+ Sirkelvormig
@@ -3190,12 +3239,12 @@ Die inhoud enkodering is nie UTF-8 nie.
- Skrif:
+ Skrif:
- Grootte:
+ Grootte:
@@ -3215,7 +3264,7 @@ Die inhoud enkodering is nie UTF-8 nie.
- Vetgedruk
+ Vetdruk
@@ -3250,17 +3299,17 @@ Die inhoud enkodering is nie UTF-8 nie.
- Links
+ Links
- Regs
+ Regs
- Middel
+ Middel
@@ -3285,32 +3334,32 @@ Die inhoud enkodering is nie UTF-8 nie.
- X posisie:
+ X posisie:
- px
+ px
- Y posisie:
+ Y posisie:
- Wydte:
+ Wydte:
- Hoogte:
+ Hoogte:
- Gebruik verstek ligging
+ Gebruik verstek ligging
@@ -3343,7 +3392,7 @@ Die inhoud enkodering is nie UTF-8 nie.
Voetskrif Area
-
+
Redigeer Tema - %s
@@ -3351,42 +3400,42 @@ Die inhoud enkodering is nie UTF-8 nie.
OpenLP.ThemesTab
-
+
Globale Tema
-
+
Tema Vlak
-
+
Lied Vl&ak
-
+
Gebruik die tema van elke lied in die lied-databasis. As 'n lied nie 'n geassosieërde tema het nie, gebruik die diens se tema. As die diens nie 'n tema het nie, gebruik dan die globale tema.
-
+
Dien&s Vlak
-
+
Gebruik die tema van die diens en verplaas enige van die individuele liedere se temas. As die diens nie 'n tema het nie, gebruik dan die globale tema.
-
+
&Globale Vlak
-
+
Gebruik die globale tema om enige temas wat met die diens of liedere geassosieer is te vervang.
@@ -3394,317 +3443,317 @@ Die inhoud enkodering is nie UTF-8 nie.
OpenLP.Ui
-
+
- Fout
+ Fout
-
+
- &Wis Uit
+ &Wis Uit
-
+
Wis die geselekteerde item uit.
-
+
Skuif die seleksie een posisie op.
-
+
Skuif die seleksie een posisie af.
-
+
&Voeg by
-
+
- Gevorderd
-
-
-
-
- Alle Lêers
-
-
-
-
- Skep 'n nuwe diens.
-
-
-
-
- R&edigeer
+ Gevorderd
+
+ Alle Lêers
+
+
+
+
+ Skep 'n nuwe diens.
+
+
+
+
+ R&edigeer
+
+
+
Voer in
-
+
Lengte %s
-
+
- Regstreeks
+ Regstreeks
-
+
Laai
-
+
Nuwe
-
+
- Nuwe Diens
+ Nuwe Diens
-
+
- OpenLP 2.0
+ OpenLP 2.0
-
+
- Maak Diens Oop
+ Maak Diens Oop
-
+
- Voorskou
+ Voorskou
-
+
- Vervang Agtergrond
+ Vervang Agtergrond
-
+
- Vervang Regstreekse Agtergrond
+ Vervang Regstreekse Agtergrond
-
+
Herstel Agtergrond
-
+
- Herstel Regstreekse Agtergrond
+ Herstel Regstreekse Agtergrond
-
+
- Stoor Diens
+ Stoor Diens
-
+
Diens
-
+
Begin %s
-
+
&Vertikale Sporing:
-
+
- Bo
+ Bo
-
+
- Middel
+ Middel
-
+
- Onder
+ Onder
-
+
- Aangaande
+ Aangaande
-
+
- Deursoek...
+ Deursoek...
-
+
Kanselleer
-
+
- CCLI nommer:
+ CCLI nommer:
-
+
Leë Veld
-
+
Uitvoer
-
+
Abbreviated font pointsize unit
- pt
+ pt
-
+
- Beeld
+ Beeld
-
+
Regstreekse Agtergrond Fout
-
+
Regstreekse Paneel
-
+
- Nuwe Tema
+ Nuwe Tema
-
+
Singular
Geen Lêer Geselekteer nie
-
+
Plural
Geen Leêrs Geselekteer nie
-
+
Singular
Geen Item Geselekteer nie
-
+
Plural
Geen items geselekteer nie
-
+
- openlp.org 1.x
+ openlp.org 1.x
-
+
Voorskou Paneel
-
+
Druk Diens Orde
-
+
The abbreviated unit for seconds
- s
+ s
-
+
- Stoor && Voorskou
+ Stoor && Voorskou
-
+
- Soek
+ Soek
-
+
Kies 'n item om uit te wis.
-
+
- Selekteer 'n item om te regideer.
+ Selekteer 'n item om te regideer.
-
+
Singular
- Tema
+ Tema
-
+
Plural
- Temas
+ Temas
-
+
Weergawe
- Invoer voltooi.
+ Invoer voltooi.
- Formaat:
+ Formaat:
- Invoer
+ Invoer
- "%s" ingevoer...
+ "%s" ingevoer...
- Selekteer Invoer Bron
+ Selekteer Invoer Bron
@@ -3714,7 +3763,7 @@ Die inhoud enkodering is nie UTF-8 nie.
- Die openlp.org 1.x invoerder is onaktief gestel weens 'n vermisde Python module. Om van hierdie invoerder gebruik te maak moet die "python-sqlite" module installeer word.
+ Die openlp.org 1.x invoerder is onaktief gestel weens 'n vermisde Python module. Om van hierdie invoerder gebruik te maak moet die "python-sqlite" module installeer word.
@@ -3724,17 +3773,17 @@ Die inhoud enkodering is nie UTF-8 nie.
- %p%
+ %p%
- Gereed.
+ Gereed.
- Invoer begin...
+ Invoer begin...
@@ -3743,9 +3792,9 @@ Die inhoud enkodering is nie UTF-8 nie.
Spesifiseer ten minste een %s lêer om vanaf in te voer.
-
+
- Welkom by die Bybel Invoer Gids
+ Welkom by die Bybel Invoer Gids
@@ -3753,9 +3802,9 @@ Die inhoud enkodering is nie UTF-8 nie.
Welkom by die Lied Uitvoer Gids
-
+
- Welkom by die Lied Invoer Gids
+ Welkom by die Lied Invoer Gids
@@ -3773,36 +3822,138 @@ Die inhoud enkodering is nie UTF-8 nie.
Copyright symbol.
- ©
+ ©
Singular
- Lied Boek
+ Lied Boek
Plural
- Lied Boeke
-
-
-
-
- Lied Onderhoud
+ Lied Boeke
-
- Singular
- Onderwerp
+
+ Lied Onderhoud
+
+ Singular
+ Onderwerp
+
+
+
Plural
- Onderwerpe
+ Onderwerpe
+
+
+
+
+ Aaneen-lopend
+
+
+
+
+ Verstek
+
+
+
+
+ Vertoon styl:
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ The abbreviated unit for hours
+ h
+
+
+
+
+ Uitleg styl:
+
+
+
+
+
+
+
+
+
+ The abbreviated unit for minutes
+ m
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Verse Per Skyfie
+
+
+
+
+ Verse Per Lyn
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Lêer nie Ondersteun nie
+
+
+
+
+
+
+
+
+
+
@@ -3816,52 +3967,52 @@ Die inhoud enkodering is nie UTF-8 nie.
PresentationPlugin
-
+
<strong>Aanbieding Mini-program</strong><br/>Die aanbieding mini-program bied die vermoë om aanbiedings van verskillende programme te vertoon. Die keuse van beskikbare aanbieding-programme word aan die gebruiker vertoon deur 'n hangkieslys.
-
+
Laai 'n nuwe Aanbiedieng
-
+
Wis die geselekteerde Aanbieding uit
-
+
Sien voorskou van die geselekteerde Aanbieding
-
+
Stuur die geselekteerde Aanbieding regstreeks
-
+
Voeg die geselekteerde Aanbieding by die diens
-
+
name singular
- Aanbieding
+ Aanbieding
-
+
name plural
Aanbiedinge
-
+
container title
- Aanbiedinge
+ Aanbiedinge
@@ -3882,22 +4033,17 @@ Die inhoud enkodering is nie UTF-8 nie.
Bied aan met:
-
+
Lêer Bestaan Reeds
-
+
'n Aanbieding met daardie lêernaam bestaan reeds.
-
-
- Lêer nie Ondersteun nie
-
-
-
+
Hierdie tipe aanbieding word nie ondersteun nie.
@@ -3907,17 +4053,17 @@ Die inhoud enkodering is nie UTF-8 nie.
Aanbiedinge (%s)
-
+
Vermisde Aanbieding
-
+
Die Aanbieding %s bestaan nie meer nie.
-
+
Die Aanbieding %s is onvolledig, herlaai asseblief.
@@ -3957,7 +4103,7 @@ Die inhoud enkodering is nie UTF-8 nie.
name plural
- Afstandbehere
+ Afstandbehere
@@ -3987,63 +4133,68 @@ Die inhoud enkodering is nie UTF-8 nie.
SongUsagePlugin
-
+
&Volg Lied Gebruik
-
+
Wis Volg &Data Uit
-
+
Wis lied volg data uit tot en met 'n spesifieke datum.
-
+
Onttr&ek Volg Data
-
+
Genereer 'n verslag oor lied-gebruik.
-
+
Wissel Volging
-
+
Wissel lied-gebruik volging.
-
+
<strong>LiedGebruik Mini-program</strong><br/>Die mini-program volg die gebruik van liedere in dienste.
-
+
name singular
SongUsage
-
+
name plural
SongUsage
-
+
container title
SongUsage
+
+
+
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4133,12 +4284,12 @@ was suksesvol geskep.
SongsPlugin
-
+
&Lied
-
+
Voer liedere in deur van die invoer helper gebruik te maak.
@@ -4196,7 +4347,7 @@ was suksesvol geskep.
name singular
- Lied
+ Lied
@@ -4208,7 +4359,7 @@ was suksesvol geskep.
container title
- Liedere
+ Liedere
@@ -4303,7 +4454,7 @@ The encoding is responsible for the correct character representation.
Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.
-
+
Voer liedere uit deur gebruik te maak van die uitvoer gids.
@@ -4349,9 +4500,17 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.
SongsPlugin.CCLIFileImport
-
-
- Voer lied %d van %d in
+
+
+
+
+
+
+ SongsPlugin.EasyWorshipSongImport
+
+
+
+ Toegedien deur %s
@@ -4452,82 +4611,82 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Tema, Kopiereg Informasie && Kommentaar
-
+
Voeg Skrywer By
-
+
Hierdie skrywer bestaan nie, moet die skrywer bygevoeg word?
-
+
Hierdie skrywer is alreeds in die lys.
-
+
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.
-
+
Voeg Onderwerp by
-
+
Die onderwerp bestaan nie. Voeg dit by?
-
+
Die onderwerp is reeds in die lys.
-
+
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.
-
+
Tik 'n lied titel in.
-
+
Ten minste een vers moet ingevoer word.
-
+
Waarskuwing
-
+
Die vers orde is ongeldig. Daar is geen vers wat ooreenstem met %s nie. Geldige opsies is %s.
-
+
In die vers orde is %s nie gebruik nie. Kan die lied so gestoor word?
-
+
Voeg Boek by
-
+
Die lied boek bestaan nie. Voeg dit by?
-
+
Daar word 'n outeur benodig vir hierdie lied.
@@ -4641,140 +4800,145 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.
SongsPlugin.ImportWizardForm
-
+
Selekteer Dokument/Aanbieding Lêers
-
+
Lied Invoer Gids
-
+
Hierdie gids help met die invoer van liedere in verskillende formate. Kliek die volgende knoppie hieronder om die proses te begin deur 'n formaat te kies wat gebruik moet word vir invoer.
-
+
Generiese Dokumentasie/Aanbieding
-
+
Lêernaam:
-
+
Voeg Lêers by...
-
+
Verwyder Lêer(s)
-
+
Die Songs of Fellowship invoerder is onaktief gestel omdat OpenLP nie OpenOffice.org op die rekenaar kon vind nie.
-
+
Die generiese dokument/aanbieding invoerder is onaktief gestel omdat OpenLP nie OpenOffice.org op die rekenaar kon vind nie.
-
+
Wag asseblief terwyl die liedere ingevoer word.
-
+
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.
-
-
- Toegedien deur %s
-
-
-
+
OpenLP 2.0 Databasisse
-
+
openlp.org v1.x Databasisse
-
+
Words Of Worship Lied Lêers
-
+
Songs Of Fellowship Lied Lêers
-
+
SongBeamer Lêers
-
+
SongShow Plus Lied Lêers
-
+
Ten minste een document of aanbieding moet gespesifiseer word om vanaf in te voer.
-
+
Foilpresenter Lied Lêers
+
+
+
+ Kopieër
+
+
+
+
+ Stoor na Lêer
+
SongsPlugin.MediaItem
-
+
Handhaaf die lys van skrywers, onderwerpe en boeke
-
+
Titels
-
+
Lirieke
-
+
Wis Lied(ere) uit?
-
+
CCLI Lisensie:
-
+
Volledige Lied
-
+
Wis regtig die %n geselekteerde lied(ere)?
@@ -4782,12 +4946,20 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.
+
+ SongsPlugin.OpenLP1SongImport
+
+
+
+
+
+
SongsPlugin.OpenLPSongImport
-
-
- Voer lied %d van %d in
+
+
+
@@ -4837,15 +5009,20 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.
SongsPlugin.SongImport
-
+
kopiereg
+
+
+
+
+
SongsPlugin.SongImportForm
-
+
Lied invoer het misluk.
@@ -4893,47 +5070,47 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Geredigeerde onderwerp kon nie gestoor word nie, want dit bestaan alreeds.
-
+
Wis Skrywer Uit
-
+
Wis die geselekteerde skrywer uit?
-
+
Die skrywer kan nie uitgewis word nie, omdat die skrywer aan ten minste een lied toegeken is.
-
+
Wis Onderwerp Uit
-
+
Wis die geselekteerde onderwerp uit?
-
+
Die onderwerp kan nie uitgewis word nie, omdat dit aan ten minste een lied toegeken is.
-
+
Wis Boek Uit
-
+
Wis die geselekteerde boek uit?
-
+
Die boek kan nie uitgewis word nie, omdat dit aan ten minste een lied toegeken is.
@@ -5042,4 +5219,12 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Ander
+
+ ThemeTab
+
+
+
+ Temas
+
+
diff --git a/resources/i18n/cs.ts b/resources/i18n/cs.ts
index 2919e9622..18d93bf52 100644
--- a/resources/i18n/cs.ts
+++ b/resources/i18n/cs.ts
@@ -3,24 +3,24 @@
AlertPlugin.AlertForm
-
+
Nebyl zadán žádný parametr pro nahrazení.
Chcete přesto pokračovat?
-
+
Parametr nebyl nalezen
-
+
Zástupný znak nenalezen.
-
+
Text upozornění neobsahuje '<>'.
@@ -30,37 +30,37 @@ Chcete přesto pokračovat?
AlertsPlugin
-
+
&Upozornění
-
+
Zobrazí vzkaz upozornění.
-
+
<strong>Modul upozornění</strong><br />Modul upozornění řídí zobrazení upozornění na zobrazovací obrazovce
-
+
name singular
Upozornění
-
+
name plural
Více upozornění
-
+
container title
- Více upozornění
+ Upozornění
@@ -96,12 +96,12 @@ Chcete přesto pokračovat?
Zobrazit a za&vřít
-
+
Nové upozornění
-
+
Nebyl zadán žádný text upozornění. Před klepnutím na Nový prosím zadejte nějaký text.
@@ -157,7 +157,7 @@ Chcete přesto pokračovat?
- Importuji Bible... %s
+ Importuji zákony... %s
@@ -207,12 +207,12 @@ Chcete přesto pokračovat?
BiblePlugin.MediaItem
-
+
Bible není celá načtena.
-
+
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?
@@ -220,67 +220,67 @@ Chcete přesto pokračovat?
BiblesPlugin
-
+
&Bible
-
+
<strong>Modul Bible</strong><br />Modul Bible dovoluje během služby zobrazovat biblické verše z různých zdrojů.
-
+
Import Bible
-
+
Přidat Bibli
-
+
Upravit vybranou Bibli
-
+
Smazat vybranou Bibli
-
+
Náhled vybrané Bible
-
+
Vybraná Bibli naživo
-
+
Přidat vybranou Bibli k službě
-
+
name singular
Bible
-
+
name plural
Více Biblí
-
+
container title
- Více Biblí
+ Bible
@@ -350,74 +350,49 @@ Kniha Kapitola:Verš-Kapitola:Verš
BiblesPlugin.BiblesTab
-
+
Zobrazit verš
-
+
Zobrazit jen číslo nové kapitoly
-
-
- Styl rozvržení:
-
-
-
-
- Styl zobrazení:
-
-
-
+
Motiv Bible:
-
-
- Verš na jeden snímek
-
-
-
-
- Verš na jeden řádek
-
-
-
-
- Spojitý
-
-
-
+
Žádné závorky
-
+
( A )
-
+
{ A }
-
+
[ A ]
-
+
Poznámka:
Verše, které jsou už ve službě, nejsou změnami ovlivněny.
-
+
Zobrazit druhé verše z Bible
@@ -425,178 +400,178 @@ Verše, které jsou už ve službě, nejsou změnami ovlivněny.
BiblesPlugin.ImportWizardForm
-
+
Průvodce importem Bible
-
+
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.
-
+
Stáhnutí z www
-
+
Umístění:
-
+
-
+ Crosswalk
-
+
-
+ BibleGateway
-
+
Bible:
-
+
Volby stahování
-
+
Server:
-
+
Uživatelské jméno:
-
+
Heslo:
-
+
Proxy Server (Volitelné)
-
+
Podrobnosti licence
-
+
Nastavit podrobnosti k licenci Bible.
-
+
Název verze:
-
+
Autorská práva:
-
+
Prosím vyčkejte, než se Bible importuje.
-
+
Je potřeba určit soubor s knihami Bible. Tento soubor se použije při importu.
-
+
K importu je třeba určit soubor s veršemi Bible.
-
+
Je nutno uvést název verze Bible.
-
+
K Bibli je potřeba nastavit autorská práva. Bible, které jsou volná díla, je nutno takto označit.
-
+
Bible existuje
-
+
Tato Bible už existuje. Importujte prosím jinou Bibli nebo nejdříve smažte tu existující.
-
+
CSV soubor
-
+
Zahajuji registraci Bible...
-
+
Zahajuji registraci Bible...
-
+
Bible zaregistrována. Vezm?te prosím na v?domí, že verše budou stahovány jak bude pot?eba, což vyžaduje p?ipojení k Internetu.
-
+
Bibleserver
-
+
Povolení:
-
+
Soubor s Biblí:
-
+
Soubor se zákonem:
-
+
Soubor s knihami:
-
+
Soubor s verši:
-
+
Nebyl zadán soubor se zákony. Chcete pokračovat s importem?
-
+
Soubory s Biblemi z openlp.org 1.x
@@ -604,67 +579,67 @@ demand and thus an internet connection is required.
BiblesPlugin.MediaItem
-
+
Rychlý
-
+
Hledat:
-
+
Výsledky:
-
+
Kniha:
-
+
Kapitola:
-
+
Verš:
-
+
Od:
-
+
Do:
-
+
Hledání textu
-
+
Vyprázdnit
-
+
Ponechat
-
+
Druhý:
-
+
Odkaz do Bible
@@ -681,12 +656,12 @@ demand and thus an internet connection is required.
BiblesPlugin.OsisImport
-
+
Zjištuji kódování (může trvat několik minut)...
-
+
Importing <book name> <chapter>...
Importuji %s %s...
@@ -697,7 +672,7 @@ demand and thus an internet connection is required.
-
+ <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í
@@ -705,7 +680,7 @@ demand and thus an internet connection is required.
- Vlastní zobrazení
+ Uživatelské zobrazení
@@ -761,12 +736,12 @@ demand and thus an internet connection is required.
&Zásluhy:
-
+
Je nutno zadat název.
-
+
Je nutno přidat alespoň jeden snímek
@@ -781,60 +756,68 @@ demand and thus an internet connection is required.
- Import vlastního
+ Import uživatelského
- Načíst nový vlastní
+ Na?íst nový uživatelský
- Přidat nový vlastní
+ P?idat nový uživatelský
- Upravit vybraný vlastní
+ Upravit vybraný uživatelský
- Smazat vybraný vlastní
+ Smazat vybraný uživatelský
- Náhled vybraného vlastního
+ Náhled vybraného uživatelského
- Vybraný vlastní snímek naživo
+ Vybraný uživatelský snímek naživo
- Přidat vybraný vlastní ke službě
+ P?idat vybraný uživatelský ke služb?
name singular
- Vlastní
+ Uživatelský
name plural
- Více vlastních
+ Uživatelské
container title
- Vlastní
+ Uživatelský
+
+
+
+ GeneralTab
+
+
+
+ Obecné
@@ -842,7 +825,7 @@ demand and thus an internet connection is required.
-
+ <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.
@@ -901,7 +884,7 @@ demand and thus an internet connection is required.
ImagePlugin.ExceptionDialog
-
+
Vybrat přílohu
@@ -909,39 +892,39 @@ demand and thus an internet connection is required.
ImagePlugin.MediaItem
-
+
Vybrat obrázky
-
+
Pro smazání musíte nejdříve vybrat obrázek.
-
+
K nahrazení pozadí musíte nejdříve vybrat obrázek.
-
+
Chybějící obrázky
-
+
Následující obrázky už neexistují: %s
-
+
Následující obrázky už neexistují: %
Chcete přidat ostatní obrázky?
-
+
Problém s nahrazením pozadí. Obrázek "%s" už neexistuje.
@@ -1004,43 +987,43 @@ Chcete přidat ostatní obrázky?
container title
- Médium
+ Média
MediaPlugin.MediaItem
-
+
Vybrat médium
-
+
Ke smazání musíte nejdříve vybrat soubor s médiem.
-
+
K nahrazení pozadí musíte nejdříve vybrat soubor s médiem.
-
+
Problém s nahrazením pozadí. Soubor s médiem "%s" už neexistuje.
-
+
Chybějící soubory s médii
-
+
Soubor %s už neexistuje.
-
+
Video (%s);;Audio (%s);;%s (*)
@@ -1061,7 +1044,7 @@ Chcete přidat ostatní obrázky?
OpenLP
-
+
Soubory s obrázky
@@ -1077,7 +1060,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> - Open source prezentace textů písní
+
+OpenLP je zdarma dostupná prezentační aplikace pro prezentování textů písní. Aplikace se používá pro zobrazení snímků písní, veršů z Bible, videí, obrázků a dokonce i prezentací (Pokud jsou nainstalovány OpenOffice.org, PowerPoint nebo PowerPoint Viewer) přes počítač a data projektor při křesťanském uctívání.
+
+Více informací o OpenLP na: http://openlp.org/
+
+Aplikace OpenLP napsána a udržována dobrovolníky. Pokud byste rádi viděli více křesťansky zaměřených aplikací, zvažte prosím, jestli nepřispět použitím tlačítka níže.
@@ -1095,19 +1084,19 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr
Přispět
-
+
sestavení %s
-
+ 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 ší?ena v nad?ji, že bude užite?ná, avšak BEZ JAKÉKOLI ZÁRUKY; neposkytují se ani odvozené záruky PRODEJNOSTI anebo VHODNOSTI PRO UR?ITÝ Ú?EL. Další podrobnosti viz níže.
@@ -1241,69 +1230,98 @@ Portions copyright © 2004-2011 Tim Bentley, Jonathan Corwin, Michael Gorven
Meinert Jordan, Andreas Preikschat, Christian Richter, Philip
Ridout, Maikel Stuivenberg, Martin Thompson, Jon Tibble, Carsten
Tinggaard, Frode Woldsund
-
+ Copyright © 2004-2011 Raoul Snyman
+Částečný copyright © 2004-2011 Tim Bentley, Jonathan Corwin, Michael Gorven, Scott Guerrieri,
+Meinert Jordan, Andreas Preikschat, Christian Richter, Philip
+Ridout, Maikel Stuivenberg, Martin Thompson, Jon Tibble, Carsten
+Tinggaard, Frode Woldsund
OpenLP.AdvancedTab
-
+
-
+ Nastavení rozhraní
-
+
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
+ Počet zobrazených nedávných souborů:
-
- Barva pozadí:
+
+ Pamatovat si při spuštění aktivní kartu správce médií
+
+ Dvojklik zobrazí položku přímo naživo
+
+
+
+
+ Při vytvoření rozbalit nové položky služby
+
+
+
+
+ Zapnout potvrzování ukončení aplikace
+
+
+
+
+ Kurzor myši
+
+
+
+
+ Skrýt kurzor myši v okně zobrazení
+
+
+
+
+ Výchozí obrázek
+
+
+
+
+ Barva pozadí:
+
+
+
+ Soubor s obrázkem:
+
+
+
+
+ Otevřít soubor
+
+
+
+
+ Náhled položek při klepnutí ve správci médií
+
+
+
+
+ Pokročilé
+
+
+
+
-
-
+
+
+
+
+
+
+
@@ -1312,52 +1330,52 @@ Tinggaard, Frode Woldsund
-
+ Upravit výběr
-
+ Aktualizovat
-
+ Popis
-
+ Značka
-
+ Začátek značky
-
+ Konec značky
-
+ Výchozí
-
+ Id značky
-
+ Začátek HTML
-
+ Konec HTML
@@ -1365,17 +1383,17 @@ Tinggaard, Frode Woldsund
-
+ Aktualizovat chybu
-
+ Značka "n" je už definovaná.
-
+ Značka %s je už definovaná.
@@ -1383,60 +1401,62 @@ Tinggaard, Frode Woldsund
-
+ Vznikla chyba
-
+ 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.
-
+ Poslat e-mail
-
+ Uložit do souboru
-
+ Zadejte prosím popis toho, co jste prováděl, když vznikla tato chyba
+(Minimálně 20 znaků)
-
+ Přiložit soubor
-
+
-
+ Znaky popisu pro vložení : %s
OpenLP.ExceptionForm
-
+
-
+ Platforma: %s
+
-
+
-
+ Uložit hlášení o pádu
-
+
-
+ Textové soubory (*.txt *.log *.text)
-
+
-
+ **OpenLP Bug Report**
+Version: %s
+
+--- Details of the Exception. ---
+
+%s
+
+ --- Exception Traceback ---
+%s
+--- System information ---
+%s
+--- Library Versions ---
+%s
+
-
+
Please add the information that bug reports are favoured written in English.
-
+ *OpenLP Bug Report*
+Version: %s
+
+--- Details of the Exception. ---
+
+%s
+
+ --- Exception Traceback ---
+%s
+--- System information ---
+%s
+--- Library Versions ---
+%s
+
@@ -1478,17 +1524,17 @@ Version: %s
-
+ Přejmenovat soubor
-
+ Nový název souboru:
-
+ Kopírovat soubor
@@ -1496,791 +1542,743 @@ Version: %s
-
+ Vybrat překlad
-
+ Vyberte překlad, který bude používat aplikace OpenLP.
-
+ Překlad:
OpenLP.FirstTimeWizard
-
+
-
+ Písně
-
+
-
+ Průvodce prvním spuštění
-
+
-
-
-
-
-
-
-
-
-
-
-
+ Vítejte v průvodci prvním spuštění
-
-
+
+ Zapnout požadované moduly
-
- Bible
-
-
-
-
- Obrázky
+
+ Vyberte moduly, které chcete používat.
-
-
+
+ Vlastní text
+
+ Bible
+
+
+
+
+ Obrázky
+
+
+
+
+ Prezentace
+
+
+
-
+ Média (audio a video)
-
+
-
+ Povolit vzdálený přístup
-
+
-
+ Sledovat užívání písní
-
+
-
+ Povolit upozornění
-
+
-
+ Výchozí nastavení
-
+ Stahuji %s...
-
+
-
+ Stahování dokončeno. Klepnutím na tlačítko konec se spustí aplikace OpenLP.
-
+
-
+ Zapínám vybrané moduly...
-
+
-
+ Tento průvodce vám pomůže s počátečním nastavením aplikace OpenLP. Klepnutím níže na tlačítko další zahájíte výběr počátečních nastavení.
-
+
-
+ Žádné připojení k Internetu
-
+
-
+ Nezdařila se detekce internetového připojení.
-
+
-
+ Žá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 úplné zrušení Průvodce prvním spuštění klepněte nyní na tlačítko Dokončit.
-
+
-
+ Ukázky písní
-
+
-
+ Vybrat a stáhnout písně s nechráněnými autorskými právy.
-
+
-
+ Ukázky Biblí
-
+
-
+ Vybrat a stáhnout volně dostupné Bible.
-
+
-
+ Ukázky motivů
-
+
-
+ Vybrat a stáhnout ukázky motivů.
-
+
-
+ Nastavit výchozí nastavení pro aplikaci OpenLP.
-
+
-
+ Nastavuji a importuji
-
+
-
+ Čekejte prosím, než aplikace OpenLP nastaví a importuje vaše data.
-
+
-
+ Výchozí výstup zobrazit na:
-
+
-
+ Vybrat výchozí motiv:
-
+
-
+ Spouštím průběh nastavení...
OpenLP.GeneralTab
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
+
+ Obecné
+
+
+
+
+ Monitory
+
+
+
+
+ Vybrat monitor pro výstupní zobrazení:
+
+
+
-
+ Zobrazení při jedné obrazovce
-
+
-
+ Spuštění aplikace
-
+
-
+ Zobrazit varování při prázdné obrazovce
-
+
-
+ Automaticky otevřít poslední službu
-
+
-
+ Zobrazit úvodní obrazovku
-
+
-
+ Nastavení aplikace
-
+
-
+ Před spuštěním nové služby se ptát na uložení
-
+
-
+ Automatický náhled další položky ve službě
-
+
-
+ Zpoždění smyčky snímku:
-
+
-
+ sek
-
+
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
+ CCLI podrobnosti
-
-
+
+ SongSelect uživatelské jméno:
-
+
+
+ SongSelect heslo:
+
+
+
+
+ Umístění zobrazení
+
+
+
+
+ X
+
+
+
+
+ Y
+
+
+
+
+ Výška
+
+
+
+
+ Šířka
+
+
+
+
+ Překrýt umístění zobrazení
+
+
+
-
+ Kontrola aktualizací aplikace OpenLP
+
+
+
+
+ Odkrýt zobrazení při přidání nové položky naživo
OpenLP.LanguageManager
-
+
-
+ Jazyk
-
+
-
+ Změny nastavení jazyka se projeví restartováním aplikace OpenLP.
OpenLP.MainDisplay
-
+
-
+ Zobrazení OpenLP
OpenLP.MainWindow
-
+
-
+ &Soubor
-
+
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- &Nový
+ &Import
-
-
+
+ &Export
-
-
+
+ &Zobrazit
+
+
+
+
+ &Režim
-
-
+
+ &Nástroje
-
-
-
-
-
-
-
- &Uložit
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
+
+
+ &Nastavení
-
-
+
+ &Jazyk
-
-
-
+
+
+ &Nápověda
-
-
-
+
+
+ Správce médií
+
+
+
+
+ Správce služby
+
+
+
+
+ Správce motivů
+
+
+
+
+ &Nový
+
+
+
+
+ &Otevřít
+
+
+
+
+ Otevřít existující službu.
+
+
+
+
+ &Uložit
+
+
+
+
+ Uložit současnou službu na disk.
+
+
+
+
+ Uložit &jako...
+
+
+
+
+ Uložit službu jako
+
+
+
+
+ Uložit současnou službu s novým názvem.
+
+
+
+
+ U&končit
+
+
+
+
+ Ukončit OpenLP
+
+
+
+
+ &Motiv
-
-
+
+ &Nastavit OpenLP...
-
-
+
+ Správce &médií
-
-
+
+ Přepnout správce médií
-
-
+
+ Přepnout viditelnost správce médií.
-
-
+
+ Správce &motivů
-
-
+
+ Přepnout správce motivů
-
-
+
+ Přepnout viditelnost správce motivů.
-
-
+
+ Správce &služby
-
-
+
+ Přepnout správce služby
-
-
+
+ Přepnout viditelnost správce služby.
-
-
+
+ Panel &náhledu
-
-
+
+ Přepnout panel náhledu
-
-
+
+ Přepnout viditelnost panelu náhled.
-
+ Panel na&živo
-
+ Přepnout panel naživo
-
+ Přepnout viditelnost panelu naživo.
-
-
+
+ Seznam &modulů
-
-
+
+ Vypsat moduly
-
-
+
+ &Uživatelská příručka
-
-
-
-
-
-
-
-
-
-
-
+ &O aplikaci
-
+
-
+ Více informací o aplikaci OpenLP
-
-
-
-
-
-
+
-
+ &Online nápověda
-
+
-
+ &Webová stránka
-
+
-
+ Použít jazyk systému, pokud je dostupný.
+
+
+
+
+ Jazyk rozhraní nastaven na %s
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- Please add the name of your language here
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
+ Přidat &nástroj...
+
+ Přidat aplikaci do seznamu nástrojů.
+
+
+
+
+ &Výchozí
+
+
+
+
+ Nastavit režim zobrazení zpět na výchozí.
+
+
+
+
+ &Nastavení
+
+
+
+
+ Nastavit režim zobrazení na Nastavení.
+
+
+
+
+ &Naživo
+
+
+
+
+ Nastavit režim zobrazení na Naživo.
+
+
+
+
+ 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/.
+
+
+
+
+ Verze OpenLP aktualizována
+
+
+
+
+ Hlavní zobrazení OpenLP je prázdné
+
+
+
+
+ Hlavní zobrazení nastaveno na prázdný snímek
+
+
+
+
+ Výchozí motiv: %s
+
+
+
+
+ Please add the name of your language here
+ Angličtina
+
+
+
+
+ Nastavit &Zkratky
+
+
+
+
+ Zavřít OpenLP
+
+
+
+
+ Chcete opravdu zavřít aplikaci OpenLP?
+
+
+
+
+ Tisk současného Pořadí Služby.
+
+
+
+
+ &Nastavit značky zobrazení
+
+
+
+
+ Otevřít složku s &daty...
+
+
+
+
+ Otevřít složku, kde se nachází písně, Bible a ostatní data.
+
+
+
-
+ &Automaticky detekovat
OpenLP.MediaManagerItem
-
+
-
+ Nevybraná zádná položka
-
+
-
+ &Přidat k vybrané Položce Služby
-
+
-
+ Pro náhled je třeba vybrat jednu nebo více položek.
-
+
-
+ Pro zobrazení naživo je potřeba vybrat jednu nebo více položek.
-
+
-
+ Je třeba vybrat jednu nebo více položek.
-
+
-
+ K přidání Je třeba vybrat existující položku služby.
-
+
-
+ Neplatná Položka služby
-
+
+ Je třeba vybrat %s položku služby.
+
+
+
+
@@ -2289,42 +2287,42 @@ You can download the latest version from http://openlp.org/.
-
+ Seznam modulů
-
+ Podrobnosti k modulu
-
+ Stav:
-
+ Aktivní
-
+ Neaktivní
-
+ %s (Neaktivní)
-
+ &s (Aktivní)
-
+ %s (Vypnuto)
@@ -2332,12 +2330,12 @@ You can download the latest version from http://openlp.org/.
-
+ Přizpůsobit stránce
-
+ Přizpůsobit šířce
@@ -2345,62 +2343,67 @@ You can download the latest version from http://openlp.org/.
-
+ Možnosti
-
+
-
+ Zavřít
-
+
-
+ Kopírovat
-
+
-
+ Kopírovat jako HTML
-
+
-
+ Zvětšit
-
+
-
+ Zmenšit
-
+
-
+ Původní velikost
-
+
-
+ Ostatní možnosti
-
-
-
-
-
-
+ Zahrnout text snímku, pokud je k dispozici
-
-
+
+ Zahrnout poznámky položky služby
+
+ Zahrnout délku přehrávání mediálních položek
+
+
+
-
+ List s pořadím služby
+
+
+
+
+ Přidat zalomení stránky před každou textovou položkou.
@@ -2408,12 +2411,12 @@ You can download the latest version from http://openlp.org/.
-
+ Obrazovka
-
+ Primární
@@ -2421,215 +2424,256 @@ You can download the latest version from http://openlp.org/.
-
+ Změnit pořadí Položky služby
OpenLP.ServiceManager
-
+
-
+ Načíst existující službu
-
+
-
+ Uložit tuto službu
-
+
-
+ Vybrat motiv služby
-
+
-
+ Přesun &nahoru
-
+
-
+ Přesun položky ve službě úplně nahoru.
-
+
-
+ Přesun &výše
-
+
-
+ Přesun položky ve službě o jednu pozici výše.
-
+
-
+ P?esun &níže
-
+
-
+ P?esun položky ve služb? o jednu pozici níže.
-
+
-
+ Přesun &dolu
-
+
-
+ Přesun položky ve službě úplně dolů.
-
+
-
+ &Smazat ze služby
-
+
-
+ Smazat vybranou položku ze služby.
-
+
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
+ &Přidat novou položku
+
+ &Přidat k vybrané položce
+
+
+
+
+ &Upravit položku
+
+
+
+
+ &Změnit pořadí položky
+
+
+
+
+ &Poznámky
+
+
+
-
+ &Změnit motiv položky
-
+
-
+ Soubory služby OpenLP (*.osz)
-
+
-
+ Soubor není platná služba.
+Obsah souboru není v kódování UTF-8.
-
+
-
+ Soubor není platná služba.
-
+
-
+ Chybějící obsluha zobrazení
-
+
-
+ Položku není možno zobrazit, protože chybí obsluha pro její zobrazení
-
+
-
+ Položku není možno zobrazit, protože modul potřebný pro zobrazení položky chybí nebo je neaktivní
-
+
-
+ &Rozvinou vše
-
+
-
+ Rozvinout všechny položky služby.
-
+
-
+ &Svinout vše
-
+
-
+ Svinout všechny položky služby.
-
+
-
+ Otevřít soubor
-
-
-
-
-
-
+
-
+ Přesune výběr v rámci okna dolu.
-
+
-
+ Přesun nahoru
-
+
-
+ Přesune výběr v rámci okna nahoru.
-
+
-
+ Zobrazit naživo
-
+
-
+ Zobrazí vybranou položku naživo.
-
+
-
+ &Spustit čas
-
+
-
+ Zobrazit &náhled
-
+
-
+ Zobrazit n&aživo
-
+
+ Změněná služba
+
+
+
+
+ Současná služba byla změněna. Přejete si službu uložit?
+
+
+
+
+ Soubor se nepodařilo otevřít, protože je poškozený.
+
+
+
+
+ Prázdný soubor
+
+
+
+
+ Tento soubor služby neobsahuje žádná data.
+
+
+
+
+ Poškozený soubor
+
+
+
+
-
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
@@ -2638,235 +2682,285 @@ The content encoding is not UTF-8.
-
+ Poznámky položky služby
OpenLP.SettingsForm
-
+
-
+ Nastavit OpenLP
OpenLP.ShortcutListDialog
-
+
-
+ Přizpůsobit zkratky
-
+
-
+ Činnost
-
+
-
+ Zkratka
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
+
-
+ Duplikovat zkratku
-
+
-
+ Zkratka "%s" je už přiřazena jiné činnosti. Použijte prosím jinou zkratku.
-
+
-
+ Alternativa
+
+
+
+
+ Zadání nové hlavní nebo alternativní zkratky se spustí vybráním činnosti a klepnutím na jedno z tlačítek níže.
+
+
+
+
+ Výchozí
+
+
+
+
+ Uživatelský
+
+
+
+
+ Zachytit zkratku.
+
+
+
+
+ Obnovit výchozí zkratku činnosti.
+
+
+
+
+ Obnovit výchozí zkratku
+
+
+
+
+ Chcete obnovit všechny zkratky na jejich výchozí hodnoty?
OpenLP.SlideController
-
+
-
+ Přesun na předchozí
-
+
-
+ Přesun na následující
-
+
-
+ Skrýt
-
+
-
+ Přesun naživo
-
+
-
+ Upravit a znovu načíst náhled písně
-
+
-
+ Spustit souvislou smyčku
-
+
-
+ Zastavit souvislou smyčku
-
+
-
+ Zpoždění mezi snímky v sekundách
-
+
-
+ Spustit přehrávání média
-
+
-
+ Přejít na
-
+
-
+ Prázdná obrazovka
-
+
-
+ Prázdný motiv
-
+
-
+ Zobrazit plochu
-
+
-
+ Předchozí snímek
-
+
-
+ Následující snímek
-
+
-
+ Předchozí služba
-
+
-
+ Následující služba
-
+
+ Zrušit položku
+
+
+
+
OpenLP.SpellTextEdit
-
+
-
+ Návrhy pravopisu
-
+
-
+ Formátovací značky
+
+
+
+
+ Jazyk:
OpenLP.StartTimeForm
-
-
-
-
-
-
+
-
+ Hodiny:
-
-
-
-
-
-
-
-
-
-
-
+
-
+ Minuty:
-
+
-
+ Sekundy:
+
+
+
+
+ Čas začátku a konce položky
+
+
+
+
+ Začátek
+
+
+
+
+ Konec
+
+
+
+
+ Délka
+
+
+
+
+ Chyba při ověření času
+
+
+
+
+ Čas konce je nastaven po konci mediální položky
+
+
+
+
+ Čas začátku je nastaven po konci mediální položky
OpenLP.ThemeForm
-
+
-
+ Vybrat obrázek
-
+
-
+ Chybí název motivu
-
+
-
+ Není vyplněn název motivu. Prosím zadejte ho.
-
+
-
+ Neplatný název motivu
-
+
-
+ Neplatný název motivu. Prosím zadejte nový.
-
+
-
+ (%d řádek na snímek)
@@ -2874,188 +2968,189 @@ The content encoding is not UTF-8.
-
+ Vytvoří nový motiv.
-
+ Upravit motiv
-
+ Upraví motiv.
-
+ Smazat motiv
-
+ Smaže motiv.
-
+ Import motivu
-
+ Importuje motiv.
-
+ Export motivu
-
+ Exportuje motiv.
-
+ &Upravit motiv
-
+ &Smazat motiv
-
+ Nastavit jako &Globální výchozí
-
+
-
+ %s (výchozí)
-
+
-
+ Pro úpravy je třeba vybrat motiv.
-
+
-
+ Není možno smazat výchozí motiv.
-
+
-
+ Motiv %s je používán v modulu %s.
-
+
-
+ Není vybrán žádný motiv.
-
+
-
+ Uložit motiv - (%s)
-
+
-
+ Motiv exportován
-
+
-
+ Motiv byl úspěšně exportován.
-
+
-
+ Export motivu selhal
-
+
-
+ Kvůli chybě nebylo možno motiv exportovat.
-
+
-
+ Vybrat soubor k importu motivu
-
+
-
+ Soubor není platný motiv.
+Obsah souboru není v kódování UTF-8.
-
+
-
+ Soubor není platný motiv.
-
+ &Kopírovat motiv
-
+ &Přejmenovat motiv
-
+ &Export motivu
-
+
-
+ K přejmenování je třeba vybrat motiv.
-
+
-
+ Potvrzení přejmenování
-
+
-
+ Přejmenovat motiv %s?
-
+
-
+ Pro smazání je třeba vybrat motiv.
-
+
-
+ Potvrzení smazání
-
+
-
+ Smazat motiv %s?
-
+
-
+ Chyba ověřování
-
+
-
+ Motiv s tímto názvem již existuje.
-
+
-
+ OpenLP motivy (*.theme *.otz)
@@ -3063,698 +3158,800 @@ The content encoding is not UTF-8.
-
+ Průvodce motivem
-
+ Vítejte v průvodci motivem
-
+ Nastavení pozadí
-
+ Podle parametrů níže nastavte pozadí motivu.
-
+ Typ pozadí:
-
+ Plná barva
-
+ Přechod
-
+ Barva:
-
+ Přechod:
-
+ Vodorovný
-
+ Svislý
-
+ Kruhový
-
+ Vlevo nahoře - vpravo dole
-
+ Vlevo dole - vpravo nahoře
-
+ Podrobnosti písma hlavní oblasti
-
+ Definovat písmo a charakteristiku zobrazení pro zobrazený text
-
+ Písmo:
-
+ Velikost:
-
+ Řádkování:
-
+ &Obrys:
-
+ &Stín:
-
+ Tučné
-
+ Kurzíva
-
+ Podrobnosti písma oblasti zápatí
-
+ Definovat písmo a charakteristiku zobrazení pro text zápatí
-
+ Podrobnosti formátování textu
-
+ Dovoluje definovat další formátovací informace zobrazení
-
+ Vodorovné zarovnání:
-
+ Vlevo
-
+ Vpravo
-
+ Na střed
-
+ Umístění výstupní oblasti
-
+ Dovoluje změnit a přesunout hlavní oblast a oblast zápatí.
-
+ &Hlavní oblast
-
+ &Použít výchozí umístění
-
+ Pozice X:
-
+ px
-
+ Pozice Y:
-
+ Šířka:
-
+ Výška:
-
+ Použít výchozí umístění
-
+ Uložit a náhled
-
+ 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
-
+ Název motivu:
-
+
-
+ Upravit motiv - %s
-
+ 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í.
-
+ Přechody:
-
+ Oblast &zápatí
OpenLP.ThemesTab
-
-
-
-
-
-
-
+
+ Globální motiv
-
-
+
+ Úroveň motivu
-
-
+
+ Úroveň &písně
-
-
-
+
+
+ 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.
-
-
+
+ Úroveň &služby
-
-
-
+
+
+ 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.
+
+ &Globální úroveň
+
+
+
-
+ Použitím globálního motivu se překryjí motivy, které jsou přiřazeny službám nebo písním.
OpenLP.Ui
-
+
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
+ Chyba
-
- Abbreviated font pointsize unit
-
+
+ O aplikaci
+
+
+
+
+ &Přidat
+
+ Pokročilé
+
+
+
+
+ Všechny soubory
+
+
+
+
+ Dole
+
+
+
+
+ Procházet...
+
+
+
+
+ Zrušit
+
+
+
+
+ CCLI číslo:
+
+
+
+
+ Vytvořit novou službu.
+
+
+
+
+ &Smazat
+
+
+
+
+ &Upravit
+
+
+
+
+ Prázdné pole
+
+
+
+
+ Export
+
+
+
+
+ Abbreviated font pointsize unit
+ pt
+
+
+
Obrázek
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- Singular
-
-
-
-
-
- Plural
-
-
-
-
-
- Singular
-
-
-
-
-
- Plural
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
+
+ Import
-
- The abbreviated unit for seconds
-
+
+ Délka %s
-
-
+
+ Naživo
-
-
+
+ Chyba v pozadí naživo
-
-
-
-
-
-
-
+
+ Panel naživo
-
-
-
-
-
-
-
-
-
-
-
-
+
+ Načíst
-
- Singular
-
+
+ Uprostřed
-
- Plural
-
+
+ Nový
-
-
+
+ Nová služba
+
+ Nový motiv
+
+
+
+
+ Singular
+ Nevybrán žádný soubor
+
+
+
+
+ Plural
+ Nevybrány žádné soubory
+
+
+
+
+ Singular
+ Nevybrána žádná položka
+
+
+
+
+ Plural
+ Nevybrány žádné položky
+
+
+
+
+ openlp.org 1.x
+
+
+
+
+ OpenLP 2.0
+
+
+
+
+ Otevřít službu
+
+
+
+
+ Náhled
+
+
+
+
+ Panel náhledu
+
+
+
+
+ Tisk pořadí služby
+
+
+
+
+ Nahradit pozadí
+
+
+
+
+ Nahradit pozadí naživo
+
+
+
+
+ Obnovit pozadí
+
+
+
+
+ Obnovit pozadí naživo
+
+
+
+
+ The abbreviated unit for seconds
+ s
+
+
+
+
+ Uložit a náhled
+
+
+
+
+ Hledat
+
+
+
+
+ Je třeba vybrat nějakou položku ke smazání.
+
+
+
+
+ Je třeba vybrat nějakou položku k úpravám.
+
+
+
+
+ Uložit službu
+
+
+
+
+ Služba
+
+
+
+
+ Spustit %s
+
+
+
+
+ Singular
+ Motiv
+
+
+
+
+ Plural
+ Motivy
+
+
+
+
+ Nahoře
+
+
+
-
+ Verze
-
+
-
+ Smazat vybranou položku.
-
+
-
+ Přesun výběru o jednu pozici výše.
-
+
-
+ Přesun výběru o jednu pozici níže.
-
+
-
+ &Svislé zarovnání:
-
+ Import dokončen.
-
+ Formát:
-
+ Importuji
-
+ Importuji "%s"...
-
+ Vybrat zdroj importu
-
+ Vyberte formát importu a umístění, ze kterého se má importovat.
-
+ 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".
-
+ Otevřít soubor %s
-
+ %p%
-
+ Připraven.
-
+ Spouštím import...
A file type e.g. OpenSong
-
+ Je třeba specifikovat alespoň jeden %s soubor, ze kterého se bude importovat.
-
+
-
+ Vítejte v průvodci importu Bible
-
+ Vítejte v průvodci exportu písní
-
+
-
+ Vítejte v průvodci importu písní
Singular
-
+ Autor
Plural
-
+ Autoři
Copyright symbol.
-
+ ©
Singular
-
+ Zpěvník
Plural
-
-
-
-
-
-
+ Zpěvníky
-
- Singular
-
+
+ Údržba písní
+
+ Singular
+ Téma
+
+
+
Plural
+ Témata
+
+
+
+
+ Spojitý
+
+
+
+
+ Výchozí
+
+
+
+
+ Styl zobrazení:
+
+
+
+
+ Soubor
+
+
+
+
+ Nápověda
+
+
+
+
+ The abbreviated unit for hours
+ hod
+
+
+
+
+ Styl rozvržení:
+
+
+
+
+ Nástrojová lišta naživo
+
+
+
+
+ The abbreviated unit for minutes
+ min
+
+
+
+
+ Aplikace OpenLP je už spuštěna. Přejete si pokračovat?
+
+
+
+
+ Nastavení
+
+
+
+
+ Nástroje
+
+
+
+
+ Verš na jeden snímek
+
+
+
+
+ Verš na jeden řádek
+
+
+
+
+ Zobrazit
+
+
+
+
+ Model zobrazení
+
+
+
+
+
+
+
+
+
+ Nepodporovaný soubor
+
+
+
+
+
+
+
+
+
@@ -3763,58 +3960,58 @@ The content encoding is not UTF-8.
-
+ Nastavit značky zobrazení
PresentationPlugin
-
+
-
+ <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.
-
+
-
+ Načíst novou prezentaci
-
+
-
+ Smazat vybranou prezentaci
-
+
-
+ Náhled vybrané prezentace
-
+
-
+ Vybranou prezentaci naživo
-
+
-
+ Přidat vybranou prezentaci ke službě
-
+
name singular
-
+ Prezentace
-
+
name plural
-
+ Prezentace
-
+
container title
-
+ Prezentace
@@ -3822,57 +4019,52 @@ The content encoding is not UTF-8.
-
+ Vybrat prezentace
-
+ Automaticky
-
+ Nyní používající:
-
+
-
+ Soubor existuje
-
+
-
+ Prezentace s tímto názvem souboru už existuje.
-
-
-
-
-
-
+
-
+ Tento typ prezentace není podporován.
-
+ Prezentace (%s)
-
+
-
+ Chybějící prezentace
-
+
-
+ Prezentace %s už neexistuje.
-
+
-
+ Prezentace %s není kompletní, prosím načtěte ji znovu.
@@ -3880,17 +4072,17 @@ The content encoding is not UTF-8.
-
+ Dostupné ovládání
-
+ Povolit překrytí prezentační aplikace.
-
+ %s (nedostupný)
@@ -3898,25 +4090,25 @@ The content encoding is not UTF-8.
-
+ <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.
name singular
-
+ Dálkové ovládání
name plural
-
+ Dálková ovládání
container title
-
+ Dálkové ovládání
@@ -3924,78 +4116,83 @@ The content encoding is not UTF-8.
-
+ Poslouchat na IP adresse:
-
+ Číslo portu:
-
+ Nastavení serveru
SongUsagePlugin
-
+
-
-
-
-
-
-
+ Sledování použití &písní
+
+ &Smazat data sledování
+
+
+
-
+ Smazat data použití písní až ke konkrétnímu kalendářnímu datu.
-
+
-
+ &Rozbalit data sledování
-
+
-
+ Vytvořit hlášení z používání písní.
-
+
-
+ Přepnout sledování
-
+
-
+ Přepnout sledování použití písní.
-
+
-
+ <strong>Modul používání písní</strong><br />Tento modul sleduje používání písní ve službách.
-
+
name singular
-
+ Používání písní
-
+
name plural
-
+ Používání písní
-
+
container title
-
+ Používání písní
+
+
+
+
+ Používání písní
@@ -4003,27 +4200,27 @@ The content encoding is not UTF-8.
-
+ Smazat data používání písní
-
+ Smazat události vybraného používání písní?
-
+ Jste si jist, že chcete smazat vybraná data o používání písní?
-
+ Smazání úspěšné
-
+ Všechny požadovaná data byla úspěšně smazána.
@@ -4031,228 +4228,233 @@ The content encoding is not UTF-8.
-
+ Rozbalení používání písní
-
+ Vybrat rozsah datumu
-
+ do
-
+ Umístění hlášení
-
+ Umístění výstupního souboru
-
+ usage_detail_%s_%s.txt
-
+ Vytvoření hlášení
-
+ Hlášení
+%s
+bylo úspěšně vytvořeno.
-
+ Nevybrána výstupní cesta
-
+ 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.
SongsPlugin
-
+
-
+ &Píseň
-
+
-
+ Import písní průvodcem importu.
-
+ <strong>Modul písně</strong><br />Modul písně umožňuje zobrazovat a spravovat písně.
-
+ &Přeindexovat písně
-
+ Přeindexovat písně v databázi pro vylepšení hledání a řazení.
-
+ Přeindexovávám písně...
-
+ Přidat novou píseň
-
+ Upravit vybranou píseň
-
+ Smazat vybranou píseň
-
+ Náhled vybrané písně
-
+ Poslat vybraná píseň naživo
-
+ Přidat vybranou píseň ke službě
-
+ Arabština (CP-1256)
-
+ Baltské jazyky (CP-1257)
-
+ Středoevropské jazyky (CP-1250)
-
+ Cyrilice (CP-1251)
-
+ Řečtina (CP-1253)
-
+ Hebrejština (CP-1255)
-
+ Japonština (CP-932)
-
+ Korejština (CP-949)
-
+ Zjednodušená čínština (CP-936)
-
+ Thajština (CP-874)
-
+ Tradiční čínština (CP-950)
-
+ Turečtina (CP-1254)
-
+ Vietnamština (CP-1258)
-
+ Západoevropské jazyky (CP-1252)
-
+ Kódování znaků
-
+ Nastavení kódové stránky zodpovídá
+za správnou reprezentaci znaků.
+Předvybraná volba by obvykle měla být správná.
-
+ Vyberte prosím kódování znaků.
+Kódování zodpovídá za správnou reprezentaci znaků.
name singular
-
+ Píseň
name plural
-
+ Písně
container title
-
+ Písně
-
+
-
+ Exportuje písně průvodcem exportu.
@@ -4260,53 +4462,61 @@ The encoding is responsible for the correct character representation.
-
+ Údržba autorů
-
+ Zobrazené jméno:
-
+ Křestní jméno:
-
+ Příjmení:
-
+ Je potřeba zadat křestní jméno autora.
-
+ Je potřeba zadat příjmení autora.
-
+ Zobrazené jméno autora není zadáno. Má se zkombinovat křestní jméno a příjmení?
SongsPlugin.CCLIFileImport
-
-
+
+
+
+ SongsPlugin.EasyWorshipSongImport
+
+
+
+ Spravuje %s
+
+
SongsPlugin.EditSongForm
-
+ Editor písně
@@ -4316,172 +4526,172 @@ The encoding is responsible for the correct character representation.
-
+ &Jiný název:
-
+ &Text písně:
-
+ &Pořadí veršů:
- Upra&it vše
+ &Upravit vše
-
+ Název a text písně
-
+ &Přidat k písni
-
+ &Odstranit
-
+ &Správa autorů, témat a zpěvníků
-
+ &Přidat k písni
-
+ &Odstranit
- Kniha:
+ Zpěvník:
-
+ Číslo:
-
+ Autoři, témata a zpěvníky
-
+ Nový &motiv
-
+ Informace o autorském právu
-
+ Komentáře
-
+ Motiv, autorská práva a komentáře
-
+
-
+ Přidat autora
-
+
-
+ Tento autor neexistuje. Chcete ho přidat?
-
+
-
+ Tento autor je už v seznamu.
-
+
-
+ 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".
-
+
-
+ Přidat téma
-
+
-
+ Toto téma neexistuje. Chcete ho přidat?
-
+
-
+ Toto téma je už v seznamu.
-
+
-
+ 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".
-
+
-
+ Je potřeba zadat název písne.
-
+
-
+ Je potřeba zadat alespoň jednu sloku.
-
+
-
+ Varování
-
+
-
+ Pořadí částí písně není platné. Část odpovídající %s neexistuje. Platné položky jsou %s.
-
+
-
+ Část %s není použita v pořadí částí písně. Jste si jisti, že chcete píseň takto uložit?
-
+
-
+ Přidat zpěvník
-
+
-
+ Tento zpěvník neexistuje. Chcete ho přidat?
-
+
-
+ Pro tuto píseň je potřeba zadat autora.
-
+ Ke sloce je potřeba zadat nějaký text.
@@ -4489,17 +4699,17 @@ The encoding is responsible for the correct character representation.
-
+ Upravit sloku
-
+ &Typ sloky:
-
+ &Vložit
@@ -4507,234 +4717,247 @@ The encoding is responsible for the correct character representation.
-
+ Průvodce exportem písní
-
+ Tento průvodce pomáhá exportovat vaše písně do otevřeného a svobodného formátu chval OpenLyrics.
-
+ Vybrat písně
-
+ Zaškrtněte písně, které chcete exportovat.
-
+ Odškrtnout vše
-
+ Zaškrtnout vše
-
+ Vybrat adresář
-
+ Vyberte adresář, kam chcete uložit písně.
-
+ Adresář:
-
+ Exportuji
-
+ Čekejte prosím, než písně budou exportovány.
-
+ Je potřeba přidat k exportu alespoň jednu píseň.
-
+ Není zadáno umístění pro uložení
-
+ Spouštím export...
-
+ Je potřeba zadat adresář.
-
+ Vybrat cílovou složku
SongsPlugin.ImportWizardForm
-
+
-
+ Vybrat dokumentové/prezentační soubory
-
+
-
+ Průvodce importem písní
-
+
-
+ 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.
-
+
-
+ Obecný dokument/prezentace
-
+
-
+ Název souboru:
-
+
-
+ 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.
-
+
-
+ Přidat soubory...
-
+
-
+ Odstranit soubory
-
+
-
+ Import z formátu Songs of Fellowship byl vypnut, protože aplikace OpenLP nenalezla OpenOffice.org na vašem počítači.
-
+
-
+ Import z obecných dokumentů nebo prezentací byl vypnut, protože aplikace OpenLP nenalezla OpenOffice.org na vašem počítači.
-
+
-
+ Čekejte prosím, než písně budou importovány.
-
-
-
-
-
-
+
-
+ Databáze OpenLP 2.0
-
+
-
+ Databáze openlp.org v1.x
-
+
-
+ Soubory s písněmi Words of Worship
-
+
-
+ Je potřeba zadat alespoň jeden dokument nebo jednu prezentaci, ze které importovat.
-
+
-
+ Soubory s písněmi Songs Of Fellowship
-
+
-
+ SongBeamer soubory
-
+
-
+ Soubory s písněmi SongShow Plus
-
+
-
+ Soubory s písněmi Foilpresenter
+
+
+
+
+ Kopírovat
+
+
+
+
+ Uložit do souboru
SongsPlugin.MediaItem
-
+
-
+ Udržovat seznam autorů, témat a zpěvníků
-
+
-
+ Názvy
-
+
-
+ Text písně
-
+
-
+ Smazat písně?
-
+
-
+ CCLI Licence:
-
+
-
+ Celá píseň
-
+
-
-
+
+ Jste si jisti, že chcete smazat %n vybraných písní?
+
+ SongsPlugin.OpenLP1SongImport
+
+
+
+
+
+
SongsPlugin.OpenLPSongImport
-
-
+
+
@@ -4743,7 +4966,7 @@ The encoding is responsible for the correct character representation.
-
+ Exportuji "%s"...
@@ -4751,22 +4974,22 @@ The encoding is responsible for the correct character representation.
-
+ Údržba zpěvníku
-
+ &Název:
-
+ &Vydavatel:
-
+ Je potřeba zadat název zpěvníku.
@@ -4774,28 +4997,33 @@ The encoding is responsible for the correct character representation.
-
+ Export dokončen.
-
+ Export písně selhal.
SongsPlugin.SongImport
-
+
+ autorská práva
+
+
+
+
SongsPlugin.SongImportForm
-
+
-
+ Import písně selhal.
@@ -4803,107 +5031,107 @@ The encoding is responsible for the correct character representation.
-
+ Nemohu přidat autora.
-
+ Tento autor již existuje.
-
+ Nemohu přidat téma.
-
+ Toto téma již existuje.
-
+ Nemohu přidat zpěvník.
-
+ Tento zpěvník již existuje.
-
+ Nemohu uložit změny.
-
+ Nemohu uložit upraveného autora, protože tento autor již existuje.
-
+ Nemohu uložit upravené téma, protože již existuje.
-
+
-
+ Smazat autora
-
+
-
+ Jste si jisti, že chcete smazat vybraného autora?
-
+
-
+ Nemohu smazat autora, protože je v současné době přiřazen alespoň k jedné písni.
-
+
-
+ Smazat téma
-
+
-
+ Jste si jisti, že opravdu chcete smazat vybrané téma?
-
+
-
+ Nemohu smazat toto téma, protože je v současné době přiřazeno alespoň k jedné písni.
-
+
-
+ Smazat zpěvník
-
+
-
+ Jste si jisti, že chcete smazat vybraný zpěvník?
-
+
-
+ Nemohu smazat tento zpěvník, protože je v současné době přiřazen alespoň k jedné písni.
-
+ Autor %s již existuje. Přejete si vytvořit písně s autorem %s a použít již existujícího autora %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?
-
+ 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?
@@ -4911,27 +5139,27 @@ The encoding is responsible for the correct character representation.
-
+ Režim písně
-
+ Zapnout hledat během psaní
-
+ Zobrazit sloky v nástrojové liště naživo
-
+ Aktualizovat službu při úpravě písně
-
+ Přidat chybějící písně při otevření služby
@@ -4939,17 +5167,17 @@ The encoding is responsible for the correct character representation.
-
+ Údržba témat
-
+ Název tématu:
-
+ Je potřeba zadat název tématu.
@@ -4957,37 +5185,45 @@ The encoding is responsible for the correct character representation.
-
+ Sloka
-
+ Refrén
-
+ Přechod
-
+ Předrefrén
-
+ Předehra
-
+ Zakončení
-
+ Ostatní
+
+
+
+ ThemeTab
+
+
+
+ Motivy
diff --git a/resources/i18n/de.ts b/resources/i18n/de.ts
index 8f9d65468..951efab03 100644
--- a/resources/i18n/de.ts
+++ b/resources/i18n/de.ts
@@ -3,24 +3,24 @@
AlertPlugin.AlertForm
-
+
Sie haben keinen Parameter angegeben, der ersetzt werden könnte.
Möchten Sie trotzdem fortfahren?
-
+
Kein Parameter gefunden
-
+
Kein Platzhalter gefunden
-
+
Der Hinweistext enthält nicht <>.
@@ -30,34 +30,34 @@ Möchten Sie trotzdem fortfahren?
AlertsPlugin
-
+
&Hinweis
-
+
Hinweis anzeigen.
-
+
<strong>Hinweis Erweiterung</strong><br />Die Erweiterung Hinweis ermöglicht es, Texte auf der Anzeige einzublenden.
-
+
name singular
Hinweis
-
+
name plural
Hinweise
-
+
container title
Hinweise
@@ -96,14 +96,14 @@ Möchten Sie trotzdem fortfahren?
An&zeigen && Schließen
-
+
Neuer Hinweis
-
+
- Der Hinweis enthält noch keinen Text. Bitte geben Sie einen Text an, bevor Sie auf »Neu« klicken.
+ Der Hinweis enthält noch keinen Text. Bitte geben Sie einen Text an, bevor Sie auf »Neu« klicken.
@@ -207,47 +207,47 @@ Möchten Sie trotzdem fortfahren?
BiblePlugin.MediaItem
-
+
Bibel wurde nicht vollständig geladen
-
+
- Es ist nicht möglich Einzel- und Zweifach Bibelvers Suchergebnisse zu kombinieren. Sollen die Suchergebnisse gelöscht und eine neue Suche gestartet werden?
+ Es ist nicht möglich Einzel- und Zweifach Bibelvers Suchergebnisse zu kombinieren. Sollen die Suchergebnisse gelöscht und eine neue Suche gestartet werden?
BiblesPlugin
-
+
&Bibel
-
+
<strong>Bibel Erweiterung</strong><br />Die Bibel Erweiterung ermöglicht es Bibelverse aus verschiedenen Quellen anzuzeigen.
-
+
Neue Bibel importieren
-
+
name singular
Bibeltext
-
+
name plural
Bibeln
-
+
container title
Bibeln
@@ -263,32 +263,32 @@ Möchten Sie trotzdem fortfahren?
Es konnte kein passendes Buch gefunden werden. Überprüfen Sie bitte die Schreibweise.
-
+
Füge eine neue Bibel hinzu
-
+
Bearbeite die ausgewählte Bibel
-
+
Lösche die ausgewählte Bibel
-
+
Zeige die ausgewählte Bibelverse in der Vorschau
-
+
Zeige die ausgewählte Bibelverse Live
-
+
Füge die ausgewählten Bibelverse zum Ablauf hinzu
@@ -320,7 +320,7 @@ Um nach mehreren Begriffen gleichzeitig zu suchen, müssen die Begriffe durch ei
- Zurzeit sind keine Bibelübersetzungen installiert. Zur Suche muss eine solche mit dem Importassistent importiert werden.
+ Zurzeit sind keine Bibelübersetzungen installiert. Zur Suche muss eine solche mit dem Importassistent importiert werden.
@@ -332,7 +332,7 @@ Book Chapter:Verse-Verse
Book Chapter:Verse-Verse,Verse-Verse
Book Chapter:Verse-Verse,Chapter:Verse-Verse
Book Chapter:Verse-Chapter:Verse
- Ihre Bibelstelle ist entweder nicht von OpenLP unterstützt oder sie ist ungültig. Bitte überprüfen Sie, dass Ihre Bibelstelle ein der folgenden Muster entspricht:
+ Ihre Bibelstelle ist entweder nicht von OpenLP unterstützt oder sie ist ungültig. Bitte überprüfen Sie, dass Ihre Bibelstelle ein der folgenden Muster entspricht:
Buch Kapitel
Buch Kapitel-Kapitel
@@ -350,74 +350,49 @@ Buch Kapitel:Verse-Kapitel:Verse
BiblesPlugin.BiblesTab
-
+
Bibelstellenanzeige
-
+
Nur neue Kapitelnummern anzeigen
-
-
- Folienformat:
-
-
-
-
- Versangabenformat:
-
-
-
+
Bibel-Design:
-
-
- Verse pro Folie
-
-
-
-
- Verse pro Zeile
-
-
-
-
- Fortlaufend
-
-
-
+
Keine Klammern
-
+
( und )
-
+
{ und }
-
+
[ und ]
-
+
- Anmerkung:
+ Hinweis:
Änderungen beeinflussen keine Verse, welche bereits im Ablauf vorhanden sind.
-
+
Vergleichsbibel anzeigen
@@ -425,132 +400,132 @@ Changes do not affect verses already in the service.
BiblesPlugin.ImportWizardForm
-
+
Bibel Importassistent
-
+
Dieser Assistent hilft Ihnen Bibeln aus verschiedenen Formaten zu importieren. Um den Assistenten zu starten klicken Sie auf »Weiter«.
-
+
Onlinebibel
-
+
Quelle:
-
+
Crosswalk
-
+
BibleGateway
-
+
Übersetzung:
-
+
- Download-Optionen
+ Download-Optionen
-
+
Server:
-
+
Benutzername:
-
+
Passwort:
-
+
Proxy-Server (optional)
-
+
Lizenzdetails
-
+
Eingabe der Urheberrechtsangaben der Bibelübersetzung.
-
+
Copyright:
-
+
Bitte warten Sie während Ihre Bibel importiert wird.
-
+
Eine Buchinformations-Datei muss zum Import angegeben werden.
-
+
Eine Bibeltext-Datei muss zum Import angegeben werden.
-
+
Bitte geben Sie den Namen der Bibelübersetzung ein.
-
+
Übersetzung bereits vorhanden
-
+
Der Bibelimport ist fehlgeschlagen.
-
+
Bibelausgabe:
-
+
Das Copyright muss angegeben werden. Gemeinfreie Bibeln ohne Copyright sind als solche zu kennzeichnen.
-
+
Diese Bibel existiert bereit. Bitte geben Sie einen anderen Übersetzungsnamen an oder löschen Sie zuerst die Existierende.
-
+
Starte Erfassung der Bibel...
-
+
Erfassung abgeschlossen.
@@ -558,47 +533,47 @@ Bitte beachten Sie, dass Bibeltexte bei Bedarf heruntergeladen werden.
Daher ist eine Verbindung zum Internet erforderlich.
-
+
Genehmigung:
-
+
- CSV-Datei
+ CSV-Datei
-
+
Bibleserver.com
-
+
Bibeldatei:
-
+
Testamentdatei:
-
+
Bücherdatei:
-
+
Versedatei:
-
+
Sie haben keine Testamentsdatei angegeben. Möchten Sie trotzdem fortfahren?
-
+
openlp.org 1.x Bibel-Dateien
@@ -606,67 +581,67 @@ Daher ist eine Verbindung zum Internet erforderlich.
BiblesPlugin.MediaItem
-
+
Schnellsuche
-
+
Suchen:
-
+
Ergebnisse:
-
+
Buch:
-
+
Kapitel:
-
+
Vers:
-
+
Von:
-
+
Bis:
-
+
Textsuche
-
+
ersetzen
-
+
ergänzen
-
+
Vergleichstext:
-
+
Bibelstelle
@@ -683,12 +658,12 @@ Daher ist eine Verbindung zum Internet erforderlich.
BiblesPlugin.OsisImport
-
+
Kodierung wird ermittelt (dies kann etwas dauern)...
-
+
Importing <book name> <chapter>...
%s %s wird importiert...
@@ -763,12 +738,12 @@ Daher ist eine Verbindung zum Internet erforderlich.
Einen Folienumbruch einfügen
-
+
Bitte geben Sie einen Titel ein.
-
+
Es muss mindestens eine Folie erstellt werden.
@@ -839,6 +814,14 @@ Daher ist eine Verbindung zum Internet erforderlich.
Füge die ausgewählte Sonderfolie zum Ablauf hinzu
+
+ GeneralTab
+
+
+
+ Allgemein
+
+
ImagePlugin
@@ -903,7 +886,7 @@ Daher ist eine Verbindung zum Internet erforderlich.
ImagePlugin.ExceptionDialog
-
+
Anhang auswählen
@@ -911,39 +894,39 @@ Daher ist eine Verbindung zum Internet erforderlich.
ImagePlugin.MediaItem
-
+
Bilder auswählen
-
+
Das Bild, das entfernt werden soll, muss ausgewählt sein.
-
+
Das Bild, das Sie als Hintergrund setzen möchten, muss ausgewählt sein.
-
+
Fehlende Bilder
-
+
Auf die folgenden Bilder kann nicht mehr zugegriffen werden: %s
-
+
- Auf die folgenden Bilder kann nicht mehr zugegriffen werden: %s
+ Auf die folgenden Bilder kann nicht mehr zugegriffen werden: %s
Wollen Sie die anderen Bilder trotzdem hinzufügen?
-
+
Da auf das Bild »%s« nicht mehr zugegriffen werden kann, konnte es nicht als Hintergrund gesetzt werden.
@@ -1012,37 +995,37 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen?
MediaPlugin.MediaItem
-
+
Audio-/Videodatei auswählen
-
+
Die Audio-/Videodatei, die entfernt werden soll, muss ausgewählt sein.
-
+
Fehlende Audio-/Videodatei
-
+
Die Audio-/Videodatei »%s« existiert nicht mehr.
-
+
Das Video, das Sie als Hintergrund setzen möchten, muss ausgewählt sein.
-
+
Da auf die Mediendatei »%s« nicht mehr zugegriffen werden kann, konnte sie nicht als Hintergrund gesetzt werden.
-
+
Video (%s);;Audio (%s);;%s (*)
@@ -1063,7 +1046,7 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen?
OpenLP
-
+
Bilddateien
@@ -1079,7 +1062,7 @@ OpenLP is free church presentation software, or lyrics projection software, used
Find out more about OpenLP: http://openlp.org/
OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider contributing by using the button below.
- OpenLP <version><revision>-Open Source Lyrics Projection
+ OpenLP <version><revision>-Open Source Lyrics Projection
OpenLP ist eine freie Kirchen- oder Liedtext-Präsentationssoftware, mit der Liedtexte, Bibeltexte, Videos, Bilder sowie auch PowerPoint bzw. Impress Präsentationen (falls diese Programme installiert sind) von einem Computer aus auf einem Beamer angezeigt werden können.
@@ -1103,7 +1086,7 @@ OpenLP wird von freiwilligen Helfern programmiert und gewartet. Wenn Sie sich me
Mitmachen
-
+
build %s
@@ -1262,65 +1245,91 @@ Tinggaard, Frode Woldsund
OpenLP.AdvancedTab
-
+
Benutzeroberfläche
-
+
Anzahl der zuletzt geöffneter Abläufe:
-
+
Aktiven Reiter der Medienverwaltung speichern
-
+
Objekte bei Doppelklick live anzeigen
-
+
Neue Ablaufelemente bei ausklappen
-
+
Aktiviere Bestätigung beim Schließen
-
+
Mauszeiger
-
+
Verstecke den Mauszeiger auf dem Hauptbildschirm
-
+
Standardbild
-
+
Hintergrundfarbe:
-
+
Bild-Datei:
-
+
Datei öffnen
+
+
+
+ Elemente in der Vorschau zeigen, wenn sie in
+der Medienverwaltung angklickt werden
+
+
+
+
+ Erweitert
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.DisplayTagDialog
@@ -1390,7 +1399,7 @@ Tinggaard, Frode Woldsund
- Tag »%s« bereits definiert.
+ Tag »%s« bereits definiert.
@@ -1398,7 +1407,7 @@ Tinggaard, Frode Woldsund
- Ups! OpenLP hat ein Problem und kann es nicht beheben. Der Text im unteren Fenster enthält Informationen, welche möglicherweise hilfreich für die OpenLP Entwickler sind.
+ Ups! OpenLP hat ein Problem und kann es nicht beheben. Der Text im unteren Fenster enthält Informationen, welche möglicherweise hilfreich für die OpenLP Entwickler sind.
Bitte senden Sie eine E-Mail an: bugs@openlp.org mit einer ausführlichen Beschreibung was Sie taten als das Problem auftrat.
@@ -1420,8 +1429,8 @@ Bitte senden Sie eine E-Mail an: bugs@openlp.org mit einer ausführlichen Beschr
- Bitte geben Sie ein Beschreibung ein, was Sie gemacht haben, als
-dieser Fehler auftrat (mindestens 20 Zeichen). Bitte verwenden Sie (wenn möglich) Englisch.
+ Bitte geben Sie ein Beschreibung ein, was Sie gemacht haben, als
+dieser Fehler auftrat. Bitte verwenden Sie (wenn möglich) Englisch.
@@ -1429,7 +1438,7 @@ dieser Fehler auftrat (mindestens 20 Zeichen). Bitte verwenden Sie (wenn möglic
Datei einhängen
-
+
Mindestens noch %s Zeichen eingeben
@@ -1437,24 +1446,24 @@ dieser Fehler auftrat (mindestens 20 Zeichen). Bitte verwenden Sie (wenn möglic
OpenLP.ExceptionForm
-
+
Plattform: %s
-
+
Fehlerprotokoll speichern
-
+
Textdateien (*.txt *.log *.text)
-
+
-
+
-
+
Download vollständig. Klicken Sie »Fertig« um OpenLP zu starten.
-
+
Aktiviere ausgewählte Erweiterungen...
-
+
Einrichtungsassistent
-
+
Herzlich willkommen zum Einrichtungsassistent
-
+
Dieser Assistent wird Ihnen helfen OpenLP für die erste Benutzung zu konfigurieren. Klicken sie »Weiter« um den Assistenten zu starten.
-
+
Erweiterungen aktivieren
-
+
Wählen Sie die Erweiterungen aus, die Sie nutzen wollen.
-
+
Lieder
-
+
Sonderfolien
-
+
Bibel
-
+
Bilder
-
+
Präsentationen
-
+
Medien (Audio und Video)
-
+
Erlaube Fernsteuerung
-
+
Lieder Benutzung Protokollierung
-
+
Erlaube Hinweise
-
+
Keine Internetverbindung
-
+
Es könnte keine Internetverbindung aufgebaut werden.
-
+
- Es konnte keine Internetverbindung aufgebaut werden. Der Einrichtungsassistent benötigt eine Internetverbindung um Lieder, Bibeln und Design herunter zu laden.
+ Es konnte keine Internetverbindung aufgebaut werden. Der Einrichtungsassistent benötigt eine Internetverbindung um Lieder, Bibeln und Design herunter zu laden.
Um den Einrichtungsassistent später erneut zu starten und diese Beispieldaten zu importieren, drücken Sie »Abbrechen«, überprüfen Sie Ihre Internetverbindung und starten Sie OpenLP erneut.
Um den Einrichtungsassistent nicht auszuführen, drücken Sie »Fertig«.
-
+
Beispiellieder
-
+
- Wählen und laden Sie Gemeinfreie (bzw. kostenlose) Lieder herunter.
+ Wählen und laden Sie Gemeinfreie (bzw. kostenlose) Lieder herunter.
-
+
Beispielbibeln
-
+
Wählen und laden Sie freie Bibeln runter.
-
+
Beispieldesigns
-
+
Wählen und laden Sie Beispieldesigns runter.
-
+
Standardeinstellungen
-
+
Grundeinstellungen konfigurieren...
-
+
Konfiguriere und importiere
-
+
Bitte warten Sie, während OpenLP eingerichtet wird.
-
+
Projektionsbildschirm:
-
+
Standarddesign:
-
+
Starte Konfiguration...
@@ -1732,130 +1741,135 @@ Um den Einrichtungsassistent nicht auszuführen, drücken Sie »Fertig«.
OpenLP.GeneralTab
-
+
Allgemein
-
+
Bildschirme
-
+
Projektionsbildschirm:
-
+
Anzeige bei nur einem Bildschirm
-
+
Programmstart
-
+
Warnung wenn Projektion deaktiviert wurde
-
+
Zuletzt benutzten Ablauf beim Start laden
-
+
Zeige den Startbildschirm
-
+
Anwendungseinstellungen
-
+
Geänderte Abläufe nicht ungefragt ersetzen
-
+
Vorschau des nächsten Ablaufelements
-
+
Schleifenverzögerung:
-
+
sek
-
+
CCLI-Details
-
+
- SongSelect-Benutzername:
+ SongSelect-Benutzername:
-
+
- SongSelect-Passwort:
+ SongSelect-Passwort:
-
+
Anzeigeposition
-
+
X
-
+
Y
-
+
Höhe
-
+
Breite
-
+
Anzeigeposition überschreiben
-
+
Prüfe nach Aktualisierungen
+
+
+
+ Neues Element hellt Anzeige automatisch auf
+
OpenLP.LanguageManager
-
+
Sprache
-
+
Bitte starten Sie OpenLP neu, um die neue Spracheinstellung zu verwenden.
@@ -1863,242 +1877,197 @@ Um den Einrichtungsassistent nicht auszuführen, drücken Sie »Fertig«.
OpenLP.MainDisplay
-
+
- OpenLP-Anzeige
+ OpenLP-Anzeige
OpenLP.MainWindow
-
+
&Datei
-
+
&Importieren
-
+
&Exportieren
-
+
&Ansicht
-
+
An&sichtsmodus
-
+
E&xtras
-
+
&Einstellungen
-
+
&Sprache
-
+
&Hilfe
-
+
Medienverwaltung
-
+
Ablaufverwaltung
-
+
Designverwaltung
-
+
&Neu
-
-
- Strg+N
-
-
-
+
Ö&ffnen
-
+
Einen vorhandenen Ablauf öffnen.
-
-
- Strg+O
-
-
-
+
&Speichern
-
+
Den aktuellen Ablauf speichern.
-
-
- Strg+S
-
-
-
+
Speichern &unter...
-
+
Den aktuellen Ablauf unter einem neuen Namen speichern
-
+
Den aktuellen Ablauf unter einem neuen Namen speichern.
-
-
- Strg+Umschalt+S
-
-
-
+
&Beenden
-
+
OpenLP beenden
-
-
- Alt+F4
-
-
-
+
&Design
-
+
&Einstellungen...
-
+
&Medienverwaltung
-
+
Die Medienverwaltung ein- bzw. ausblenden
-
+
Die Medienverwaltung ein- bzw. ausblenden.
-
-
- F8
-
-
-
+
&Designverwaltung
-
+
Die Designverwaltung ein- bzw. ausblenden
-
+
Die Designverwaltung ein- bzw. ausblenden.
-
-
- F10
-
-
-
+
&Ablaufverwaltung
-
+
Die Ablaufverwaltung ein- bzw. ausblenden
-
+
Die Ablaufverwaltung ein- bzw. ausblenden.
-
-
-
- F9
-
-
-
-
- &Vorschau-Ansicht
-
+
+ &Vorschau-Ansicht
+
+
+
Die Vorschau ein- bzw. ausblenden
-
+
Die Vorschau ein- bzw. ausschalten.
-
-
-
- F11
-
- &Live-Ansicht
+ &Live-Ansicht
@@ -2112,126 +2081,111 @@ Um den Einrichtungsassistent nicht auszuführen, drücken Sie »Fertig«.
-
- F12
-
-
-
Er&weiterungen...
-
+
Erweiterungen verwalten
-
-
- Alt+F7
-
-
-
+
Benutzer&handbuch
-
+
&Info über OpenLP
-
+
Mehr Informationen über OpenLP
-
-
- Strg+F1
-
-
-
+
&Online Hilfe
-
+
&Webseite
-
+
Die Systemsprache, sofern diese verfügbar ist, verwenden.
-
+
Die Sprache von OpenLP auf %s stellen
-
+
Hilfsprogramm hin&zufügen...
-
+
Eine Anwendung zur Liste der Hilfsprogramme hinzufügen.
-
+
&Standard
-
+
Den Ansichtsmodus auf Standardeinstellung setzen.
-
+
&Einrichten
-
+
Die Ansicht für die Ablauferstellung optimieren.
-
+
&Live
-
+
Die Ansicht für den Live-Betrieb optimieren.
-
+
Neue OpenLP Version verfügbar
-
+
Hauptbildschirm abgedunkelt
-
+
Die Projektion ist momentan nicht aktiv.
-
+
Standarddesign: %s
-
+
@@ -2240,53 +2194,48 @@ You can download the latest version from http://openlp.org/.
Sie können die letzte Version auf http://openlp.org abrufen.
-
+
Please add the name of your language here
Deutsch
-
+
&Tastenkürzel einrichten...
-
+
OpenLP beenden
-
+
Sind Sie sicher, dass OpenLP beendet werden soll?
-
+
Drucke den aktuellen Ablauf.
-
-
- Strg+P
-
-
-
+
Öffne &Datenverzeichnis...
-
+
Öffne das Verzeichnis, wo Lieder, Bibeln und andere Daten gespeichert sind.
-
+
&Formatvorlagen
-
+
&Automatisch
@@ -2294,45 +2243,51 @@ Sie können die letzte Version auf http://openlp.org abrufen.
OpenLP.MediaManagerItem
-
+
Keine Elemente ausgewählt.
-
+
Zum &gewählten Ablaufelement hinzufügen
-
+
Zur Vorschau muss mindestens ein Elemente auswählt sein.
-
+
Zur Live Anzeige muss mindestens ein Element ausgewählt sein.
-
+
Es muss mindestens ein Element ausgewählt sein.
-
+
Sie müssen ein vorhandenes Ablaufelement auswählen.
-
+
Ungültiges Ablaufelement
-
+
Sie müssen ein %s-Element im Ablaufs wählen.
+
+
+
+
+
OpenLP.PluginForm
@@ -2398,37 +2353,37 @@ Sie können die letzte Version auf http://openlp.org abrufen.
Optionen
-
+
Schließen
-
+
Kopieren
-
+
Als HTML kopieren
-
+
Heranzoomen
-
+
- Wegzoomen
+ Wegzoomen
-
+
Original Zoom
-
+
Andere Optionen
@@ -2438,20 +2393,25 @@ Sie können die letzte Version auf http://openlp.org abrufen.
Drucke Folientext wenn verfügbar
-
+
Drucke Element Notizen
-
+
Drucke Spiellänge von Medien Elementen
-
+
Ablauf
+
+
+
+ Einen Seitenumbruch nach jedem Text-Element einfügen
+
OpenLP.ScreenList
@@ -2477,212 +2437,252 @@ Sie können die letzte Version auf http://openlp.org abrufen.
OpenLP.ServiceManager
-
+
Einen bestehenden Ablauf öffnen
-
+
Den aktuellen Ablauf speichern
-
+
Design für den Ablauf auswählen
-
+
Zum &Anfang schieben
-
+
Das ausgewählte Element an den Anfang des Ablaufs verschieben.
-
+
Nach &oben schieben
-
+
Das ausgewählte Element um eine Position im Ablauf nach oben verschieben.
-
+
Nach &unten schieben
-
+
Das ausgewählte Element um eine Position im Ablauf nach unten verschieben.
-
+
Zum &Ende schieben
-
+
Das ausgewählte Element an das Ende des Ablaufs verschieben.
-
+
Vom Ablauf &löschen
-
+
Das ausgewählte Element aus dem Ablaufs entfernen.
-
+
&Neues Element hinzufügen
-
+
&Zum gewählten Element hinzufügen
-
+
Element &bearbeiten
-
+
&Aufnahmeelement
-
+
&Notizen
-
+
&Design des Elements ändern
-
+
Die gewählte Datei ist keine gültige OpenLP Ablaufdatei.
Der Inhalt ist nicht in UTF-8 kodiert.
-
+
Die Datei ist keine gültige OpenLP Ablaufdatei.
-
+
Fehlende Anzeigesteuerung
-
+
Dieses Element kann nicht angezeigt werden, da es keine Steuerung dafür gibt.
-
+
Dieses Element kann nicht angezeigt werden, da die zugehörige Erweiterung fehlt oder inaktiv ist.
-
+
Alle au&sklappen
-
+
Alle Ablaufelemente ausklappen.
-
+
Alle ei&nklappen
-
+
Alle Ablaufelemente einklappen.
-
+
Ablauf öffnen
-
+
OpenLP Ablaufdateien (*.osz)
-
+
Ausgewähltes nach oben schieben
-
+
Nach oben
-
+
Live
-
+
Zeige das ausgewählte Element Live.
-
+
Ausgewähltes nach unten schieben
-
+
Modifizierter Ablauf
-
-
- Notizen:
-
-
-
+
Der momentane Ablauf wurde modifiziert. Möchten Sie ihn speichern?
-
+
&Startzeit
-
+
&Vorschau
-
+
&Live
+
+
+
+ Datei konnte nicht geöffnet werden, da sie fehlerhaft ist.
+
+
+
+
+ Leere Datei
+
+
+
+
+ Diese Datei enthält keine Daten.
+
+
+
+
+ Dehlerhaft Datei
+
+
+
+
+ Unbenannt
+
+
+
+
+ Entweder ist die Datei fehlerhaft oder sie ist keine OpenLP 2.0 Ablauf-Datei.
+
+
+
+
+ Notizen zum Ablauf:
+
+
+
+
+ Notizen:
+
+
+
+
+ Spiellänge:
+
OpenLP.ServiceNoteForm
@@ -2695,7 +2695,7 @@ Der Inhalt ist nicht in UTF-8 kodiert.
OpenLP.SettingsForm
-
+
Konfiguriere OpenLP
@@ -2703,219 +2703,269 @@ Der Inhalt ist nicht in UTF-8 kodiert.
OpenLP.ShortcutListDialog
-
+
Tastenkürzel anpassen
-
+
Aktion
-
+
Tastenkürzel
-
-
- Standard: %s
-
-
-
-
- Benutzerdefiniert:
-
-
-
-
- Kein
-
-
-
+
Belegtes Tastenkürzel
-
+
- Das Tastenkürzel »%s« ist bereits einer anderen Aktion zugeordnet. Bitte wählen Sie ein anderes Tastenkürzel.
+ Das Tastenkürzel »%s« ist bereits einer anderen Aktion zugeordnet. Bitte wählen Sie ein anderes Tastenkürzel.
-
+
Alternative
+
+
+
+ Wählen Sie ein Aktion aus und klicken Sie eine der unteren Buttons um einen primären bzw. alternativen Tastenkürzel auf zuzeichnen.
+
+
+
+
+ Standard
+
+
+
+
+ Sonderfolien
+
+
+
+
+ Tastenkürzel aufzeichen.
+
+
+
+
+ Standard Tastenkürzel dieser Aktion wiederherstellen.
+
+
+
+
+ Standard Tastenkürzel wiederherstellen
+
+
+
+
+ Möchten Sie alle standard Tastenkürzel wiederherstellen?
+
OpenLP.SlideController
-
+
Vorherige Folie anzeigen
-
+
Nächste Folie anzeigen
-
+
Verbergen
-
+
Zur Live Ansicht verschieben
-
+
Endlosschleife starten
-
+
Endlosschleife stoppen
-
+
Pause zwischen den Folien in Sekunden
-
+
Abspielen
-
+
Gehe zu
-
+
- Bearbeiten und Vorschau aktualisieren
+ Bearbeiten und Vorschau aktualisieren
-
+
Anzeige abdunkeln
-
+
Design leeren
-
+
Desktop anzeigen
-
+
Vorherige Folie
-
+
Nächste Folie
-
+
- Vorheriger Ablauf
+ Vorheriges Element
-
+
- Nächster Ablauf
+ Nächstes Element
-
+
Folie schließen
+
+
+
+ Starte/Stoppe Endlosschleife
+
OpenLP.SpellTextEdit
-
+
Rechtschreibvorschläge
-
+
- Formatvorlagen
+ Formatvorlagen
+
+
+
+
+ Sprache:
OpenLP.StartTimeForm
-
-
- Element Startzeit
-
-
-
+
Stunden:
-
-
- h
-
-
-
-
- m
-
-
-
+
Minuten:
-
+
Sekunden:
+
+
+
+
+
+
+
+
+ Start
+
+
+
+
+
+
+
+
+
+ Länge
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ThemeForm
-
+
Bild auswählen
-
+
Designname fehlt
-
+
Es wurde kein Designname angegeben. Bitte benennen Sie das Design.
-
+
Designname ungültig
-
+
Der Designname ist ungültig. Bitte ändern Sie diesen.
-
+
(%d Zeilen pro Folie)
@@ -2958,71 +3008,71 @@ Der Inhalt ist nicht in UTF-8 kodiert.
Als &globalen Standard setzen
-
+
- %s (Standard)
+ %s (Standard)
-
+
Zum Bearbeiten muss ein Design ausgewählt sein.
-
+
Es ist nicht möglich das Standarddesign zu entfernen.
-
+
Es ist kein Design ausgewählt.
-
+
Speicherort für »%s«
-
+
Design exportiert
-
+
Das Design wurde erfolgreich exportiert.
-
+
Designexport fehlgeschlagen
-
+
Dieses Design konnte aufgrund eines Fehlers nicht exportiert werden.
-
+
OpenLP Designdatei importieren
-
+
Die Datei ist keine gültige OpenLP Designdatei.
Sie ist nicht in UTF-8 kodiert.
-
+
Diese Datei ist keine gültige OpenLP Designdatei.
-
+
- Das Design »%s« wird in der »%s« Erweiterung benutzt.
+ Das Design »%s« wird in der »%s« Erweiterung benutzt.
@@ -3040,42 +3090,42 @@ Sie ist nicht in UTF-8 kodiert.
Design &exportieren
-
+
Es ist kein Design zur Umbenennung ausgewählt.
-
+
Umbenennung bestätigen
-
+
Soll das Design »%s« wirklich umbenennt werden?
-
+
Es ist kein Design zum Löschen ausgewählt.
-
+
Löschbestätigung
-
+
- Soll das Design »%s« wirklich gelöscht werden?
+ Soll das Design »%s« wirklich gelöscht werden?
-
+
Validierungsfehler
-
+
Ein Design mit diesem Namen existiert bereits.
@@ -3105,7 +3155,7 @@ Sie ist nicht in UTF-8 kodiert.
Exportiere Design
-
+
OpenLP Designs (*.theme *.otz)
@@ -3120,7 +3170,7 @@ Sie ist nicht in UTF-8 kodiert.
- Willkommen beim Designassistenten
+ Willkommen beim Designassistenten
@@ -3348,7 +3398,7 @@ Sie ist nicht in UTF-8 kodiert.
&Fußzeile
-
+
Bearbeite Design - %s
@@ -3356,42 +3406,42 @@ Sie ist nicht in UTF-8 kodiert.
OpenLP.ThemesTab
-
+
Globales Standarddesign
-
+
Designstufe
-
+
&Liedstufe
-
+
Das im jeweiligen Lied eingestellte Design wird verwendet. Wenn für ein Lied kein Design festgelegt ist, wird das Ablaufdesign verwendet. Wenn dort auch kein Design festgelegt wurde, wird das Standarddesign benutzt.
-
+
&Ablaufstufe
-
+
Das dem Ablauf zugewiesene Design wird genutzt. Das im Lied eingestellte Design wird ignoriert. Wenn dem Ablauf kein Design zugeordnet ist, dann wird das Standarddesign verwendet.
-
+
&Globale Stufe
-
+
Das Standarddesign immer verwenden, unabhängig vom Lieddesign oder Ablaufdesign.
@@ -3399,290 +3449,290 @@ Sie ist nicht in UTF-8 kodiert.
OpenLP.Ui
-
+
Fehler
-
+
&Löschen
-
+
Lösche den ausgewählten Eintrag.
-
+
Ausgewählten Eintrag nach oben schieben.
-
+
Ausgewählten Eintrag nach unten schieben.
-
+
&Hinzufügen
-
+
Erweitert
-
+
Alle Dateien
-
+
&Bearbeiten
-
+
Import
-
+
Live
-
+
Öffnen
-
+
Neu
-
+
OpenLP 2.0
-
+
Vorschau
-
+
- Live-Hintergrund ersetzen
+ Live-Hintergrund ersetzen
-
+
Live-Hintergrund ersetzen
-
+
Hintergrund zurücksetzen
-
+
Live-Hintergrund zurücksetzen
-
+
Ablauf
-
+
&Vertikale Ausrichtung:
-
+
oben
-
+
mittig
-
+
unten
-
+
Erstelle neuen Ablauf
-
+
Länge %s
-
+
Neuer Ablauf
-
+
Öffne Ablauf
-
+
Speicher Ablauf
-
+
Start %s
-
+
Über
-
+
Durchsuchen...
-
+
Abbrechen
-
+
- CCLI-Nummer:
+ CCLI-Nummer:
-
+
Leeres Feld
-
+
Export
-
+
Abbreviated font pointsize unit
pt
-
+
Bild
-
+
- Live-Hintergrund Fehler
+ Live-Hintergrund Fehler
-
+
Live
-
+
Neues Design
-
+
Singular
Keine Datei ausgewählt
-
+
Plural
Keine Dateien ausgewählt
-
+
Singular
Kein Element ausgewählt
-
+
Plural
Keine Elemente ausgewählt
-
+
openlp.org 1.x
-
+
Vorschau
-
+
Ablauf drucken
-
+
The abbreviated unit for seconds
s
-
+
Speichern && Vorschau
-
+
Suchen
-
+
Sie müssen ein Element zum Löschen auswählen.
-
+
Sie müssen ein Element zum Bearbeiten auswählen.
-
+
Singular
Design
-
+
Plural
Designs
-
+
Version
@@ -3719,7 +3769,7 @@ Sie ist nicht in UTF-8 kodiert.
- Der openlp.ort 1.x Importassistent wurde, wegen einem fehlenden Python Modul deaktiviert. Wenn Sie diesen Importassistenten nutzen wollen, dann müssen Sie das »python-sqlite« Modul installieren.
+ Der openlp.ort 1.x Importassistent wurde, wegen einem fehlenden Python Modul deaktiviert. Wenn Sie diesen Importassistenten nutzen wollen, dann müssen Sie das »python-sqlite« Modul installieren.
@@ -3739,7 +3789,7 @@ Sie ist nicht in UTF-8 kodiert.
- Beginne Import...
+ Beginne Import...
@@ -3748,7 +3798,7 @@ Sie ist nicht in UTF-8 kodiert.
Sie müssen wenigstens eine %s-Datei zum Importieren auswählen.
-
+
Willkommen beim Bibel Importassistenten
@@ -3758,7 +3808,7 @@ Sie ist nicht in UTF-8 kodiert.
Willkommen beim Lied Exportassistenten
-
+
Willkommen beim Lied Importassistenten
@@ -3793,22 +3843,124 @@ Sie ist nicht in UTF-8 kodiert.
Liederbücher
-
+
Liedverwaltung
-
+
Singular
Thema
-
+
Plural
Themen
+
+
+
+ Fortlaufend
+
+
+
+
+ Standard
+
+
+
+
+ Versangabenformat:
+
+
+
+
+ Datei
+
+
+
+
+ Hilfe
+
+
+
+
+ The abbreviated unit for hours
+ h
+
+
+
+
+ Folienformat:
+
+
+
+
+ Live-Ansicht
+
+
+
+
+ The abbreviated unit for minutes
+ m
+
+
+
+
+ OpenLP läuft bereits. Möchten Sie trotzdem fortfahren?
+
+
+
+
+ Einstellungen
+
+
+
+
+ Extras
+
+
+
+
+ Verse pro Folie
+
+
+
+
+ Verse pro Zeile
+
+
+
+
+ Ansicht
+
+
+
+
+ Ansichtsmodus
+
+
+
+
+
+
+
+
+
+ Nicht unterstütztes Dateiformat
+
+
+
+
+ Titel und/oder Strophen nicht gefunden
+
+
+
+
+ XML Syntax Fehler
+
OpenLP.displayTagDialog
@@ -3821,50 +3973,50 @@ Sie ist nicht in UTF-8 kodiert.
PresentationPlugin
-
+
<strong>Erweiterung Präsentationen</strong><br />Die Erweiterung Präsentationen ermöglicht die Darstellung von Präsentationen, unter Verwendung verschiedener Programme. In einer Auswahlbox kann eines der verfügbaren Programme gewählt werden.
-
+
name singular
Präsentation
-
+
name plural
Präsentationen
-
+
container title
Präsentationen
-
+
Lade eine neue Präsentation
-
+
Lösche die ausgewählte Präsentation
-
+
Zeige die ausgewählte Präsentation in der Vorschau
-
+
Zeige die ausgewählte Präsentation Live
-
+
Füge die ausgewählte Präsentation zum Ablauf hinzu
@@ -3887,22 +4039,17 @@ Sie ist nicht in UTF-8 kodiert.
Anzeigen mit:
-
+
Eine Präsentation mit diesem Dateinamen existiert bereits.
-
+
Datei existiert
-
-
- Nicht unterstütztes Dateiformat
-
-
-
+
Präsentationsdateien dieses Dateiformats werden nicht unterstützt.
@@ -3912,19 +4059,19 @@ Sie ist nicht in UTF-8 kodiert.
Präsentationen (%s)
-
+
Fehlende Präsentation
-
+
Die Präsentation »%s« existiert nicht mehr.
-
+
- Die Präsentation »%s« ist nicht vollständig, bitte neu laden.
+ Die Präsentation »%s« ist nicht vollständig, bitte neu laden.
@@ -3986,69 +4133,74 @@ Sie ist nicht in UTF-8 kodiert.
- Server-Einstellungen
+ Server-Einstellungen
SongUsagePlugin
-
+
&Protokollierung
-
+
&Protokoll löschen
-
+
Das Protokoll ab einem bestimmten Datum löschen.
-
+
&Protokoll extrahieren
-
+
Einen Protokoll-Bericht erstellen.
-
+
Aktiviere Protokollierung
-
+
Setzt die Protokollierung aus.
-
+
<strong>Erweiterung Liedprotokollierung</strong><br />Diese Erweiterung zählt die Verwendung von Liedern in Veranstaltungen.
-
+
name singular
Liedprotokollierung
-
+
name plural
Liedprotokollierung
-
+
container title
Liedprotokollierung
+
+
+
+ Liedprotokollierung
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4138,12 +4290,12 @@ wurde erfolgreich erstellt.
SongsPlugin
-
+
&Lied
-
+
Lieder importieren.
@@ -4278,7 +4430,7 @@ Gewöhnlich ist die vorausgewählte
Einstellung korrekt.
-
+
Exportiert Lieder mit dem Exportassistenten.
@@ -4354,9 +4506,17 @@ Einstellung korrekt.
SongsPlugin.CCLIFileImport
-
-
- Lied %d von %d wird importiert.
+
+
+ Die Datei hat keine gültige Dateiendung.
+
+
+
+ SongsPlugin.EasyWorshipSongImport
+
+
+
+ Verwaltet durch %s
@@ -4427,67 +4587,67 @@ Einstellung korrekt.
Design, Copyright && Kommentare
-
+
Autor hinzufügen
-
+
Dieser Autor existiert nicht. Soll er zur Datenbank hinzugefügt werden?
-
+
- 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«.
+ 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«.
-
+
Thema hinzufügen
-
+
Dieses Thema existiert nicht. Soll es zur Datenbank hinzugefügt werden?
-
+
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«.
-
+
Liederbuch hinzufügen
-
+
Dieses Liederbuch existiert nicht. Soll es zur Datenbank hinzugefügt werden?
-
+
Ein Liedtitel muss angegeben sein.
-
+
- Mindestens ein Vers muss angegeben sein.
+ Mindestens ein Vers muss angegeben sein.
-
+
Warnung
-
+
Die Versfolge ist ungültig. Es gibt keinen Vers mit der Kennung »%s«. Gültige Werte sind »%s«.
-
+
»%s« wurde nirgends in der Versfolge verwendet. Wollen Sie das Lied trotzdem so abspeichern?
@@ -4512,12 +4672,12 @@ Einstellung korrekt.
Autoren, Themen && Liederbücher
-
+
Dieser Autor ist bereits vorhanden.
-
+
Dieses Thema ist bereits vorhanden.
@@ -4532,9 +4692,9 @@ Einstellung korrekt.
Nummer:
-
+
- Das Lied benötigt mindestens einen Autor.
+ Das Lied benötigt mindestens einen Autor.
@@ -4570,7 +4730,7 @@ Einstellung korrekt.
- Dieser Assistent wird Ihnen helfen Lieder in das freie und offene OpenLyrics Lobpreis Lieder Format zu exportieren.
+ Dieser Assistent wird Ihnen helfen Lieder in das freie und offene OpenLyrics Lobpreis Lieder Format zu exportieren.
@@ -4646,140 +4806,145 @@ Einstellung korrekt.
SongsPlugin.ImportWizardForm
-
+
Lied Importassistent
-
+
- Dieser Assistent hilft Ihnen Liedtexte aus verschiedenen Formaten zu importieren. Klicken Sie auf »Weiter« um das Quellformat auszuwählen, aus dem Sie importieren möchten.
+ Dieser Assistent hilft Ihnen Liedtexte aus verschiedenen Formaten zu importieren. Klicken Sie auf »Weiter« um das Quellformat auszuwählen, aus dem Sie importieren möchten.
-
+
Hinzufügen...
-
+
Entfernen
-
+
Dateiname:
-
+
Die Liedtexte werden importiert. Bitte warten.
-
+
Präsentationen/Textdokumente auswählen
-
+
Präsentation/Textdokument
-
+
Da OpenLP auf Ihrem Computer kein OpenOffice.org finden konnte ist der Import von »Songs of Fellowship«-Dateien nicht möglich.
-
+
Da OpenLP auf Ihrem Computer kein OpenOffice.org finden konnte ist der Import allgemeiner Präsentations- und Textdokumenten nicht möglich.
-
+
Leider können noch keine OpenLyric Lieder importiert werden, aber vielleicht klappts ja in der nächsten Version.
-
-
- Verwaltet durch %s
-
-
-
+
OpenLP 2.0 Lieddatenbanken
-
+
openlp.org 1.x Lieddatenbanken
-
+
»Words of Worship« Lieddateien
-
+
Songs Of Fellowship Song Dateien
-
+
SongBeamer Dateien
-
+
SongShow Plus Song Dateien
-
+
Sie müssen wenigstens ein Dokument oder Präsentationsdatei auswählen, die importiert werden soll.
-
+
Foilpresenter Lied-Dateien
+
+
+
+ Kopieren
+
+
+
+
+ In Datei speichern
+
SongsPlugin.MediaItem
-
+
Autoren, Themen und Bücher verwalten
-
+
Titel
-
+
Liedtext
-
+
Lied(er) löschen?
-
+
CCLI-Lizenz:
-
+
Ganzes Lied
-
+
Sind Sie sicher, dass die %n Lieder gelöscht werden sollen?
@@ -4787,12 +4952,20 @@ Einstellung korrekt.
+
+ SongsPlugin.OpenLP1SongImport
+
+
+
+ Keine gültige openlp.org 1.x Liederdatenbank.
+
+
SongsPlugin.OpenLPSongImport
-
-
- Lied %d von %d wird importiert.
+
+
+ Keine gültige OpenLP 2.x Liederdatenbank.
@@ -4842,15 +5015,20 @@ Einstellung korrekt.
SongsPlugin.SongImport
-
+
copyright
+
+
+
+ Die folgenden Lieder konnten nicht importiert werden:
+
SongsPlugin.SongImportForm
-
+
Importvorgang fehlgeschlagen.
@@ -4858,44 +5036,44 @@ Einstellung korrekt.
SongsPlugin.SongMaintenanceForm
-
+
Autor löschen
-
+
Sind Sie sicher, dass der ausgewählten Autor gelöscht werden soll?
-
+
Thema löschen
-
+
Sind Sie sicher, dass das ausgewählte Thema gelöscht werden soll?
-
+
Liederbuch löschen
-
+
Sind Sie sicher, dass das ausgewählte Liederbuch gelöscht werden soll?
- Der Autor konnte nicht hinzugefügt werden.
+ Der Autor konnte nicht hinzugefügt werden.
- Der Autor existiert bereits in der Datenbank.
+ Der Autor existiert bereits in der Datenbank.
@@ -4920,7 +5098,7 @@ Einstellung korrekt.
- Die Änderungen konnten nicht gespeichert werden.
+ Die Änderungen konnten nicht gespeichert werden.
@@ -4928,34 +5106,34 @@ Einstellung korrekt.
Das geänderte Thema konnte nicht gespeichert werden, da es bereits in der Datenbank existiert.
-
+
- Der Autor konnte nicht gelöscht werden, da er mindestens einem Lied zugeordnet ist.
+ Der Autor konnte nicht gelöscht werden, da er mindestens einem Lied zugeordnet ist.
-
+
Das Thema konnte nicht gelöscht werden, da es mindestens einem Lied zugeordnet ist.
-
+
Das Liederbuch konnte nicht gelöscht werden, da es mindestens einem Lied zugeordnet ist.
- Der geänderte Autor konnte nicht gespeichert werden, da es bereits in der Datenbank existiert.
+ Der geänderte Autor konnte nicht gespeichert werden, da es bereits in der Datenbank existiert.
- Der Autor »%s« existiert bereits. Sollen Lieder von »%s« »%s« als Autor setzen?
+ Der Autor »%s« existiert bereits. Sollen Lieder von »%s« »%s« als Autor setzen?
- Das Thema »%s« existiert bereits. Sollen Lieder zum Thema »%s« das Thema »%s« verwenden?
+ Das Thema »%s« existiert bereits. Sollen Lieder zum Thema »%s« das Thema »%s« verwenden?
@@ -4973,7 +5151,7 @@ Einstellung korrekt.
- Aktiviere Vorschlagssuche (search as you type)
+ Aktiviere Vorschlagssuche (search as you type)
@@ -4983,7 +5161,7 @@ Einstellung korrekt.
- Bei Liedbearbeitung im Ablauf das Lied in der Datenbank aktualisieren
+ Lieder im Ablauf nach Bearbeitung aktualisieren
@@ -5047,4 +5225,12 @@ Einstellung korrekt.
Anderes
+
+ ThemeTab
+
+
+
+ Designs
+
+
diff --git a/resources/i18n/en.ts b/resources/i18n/en.ts
index fbb56ea2e..114d673b9 100644
--- a/resources/i18n/en.ts
+++ b/resources/i18n/en.ts
@@ -3,23 +3,23 @@
AlertPlugin.AlertForm
-
+
-
+
-
+
-
+
@@ -28,34 +28,34 @@ Do you want to continue anyway?
AlertsPlugin
-
+
-
+
-
+
-
+
name singular
-
+
name plural
-
+
container title
@@ -94,12 +94,12 @@ Do you want to continue anyway?
-
+
-
+
@@ -205,12 +205,12 @@ Do you want to continue anyway?
BiblePlugin.MediaItem
-
+
-
+
@@ -218,64 +218,64 @@ Do you want to continue anyway?
BiblesPlugin
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
name singular
-
+
name plural
-
+
container title
@@ -340,73 +340,48 @@ Book Chapter:Verse-Chapter:Verse
BiblesPlugin.BiblesTab
-
+
-
+
-
-
-
-
-
-
-
-
-
-
-
+
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
+
-
+
-
+
-
+
-
+
-
+
@@ -414,178 +389,178 @@ Changes do not affect verses already in the service.
BiblesPlugin.ImportWizardForm
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -593,67 +568,67 @@ demand and thus an internet connection is required.
BiblesPlugin.MediaItem
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -670,12 +645,12 @@ demand and thus an internet connection is required.
BiblesPlugin.OsisImport
-
+
-
+
Importing <book name> <chapter>...
@@ -750,12 +725,12 @@ demand and thus an internet connection is required.
-
+
-
+
@@ -826,6 +801,14 @@ demand and thus an internet connection is required.
+
+ GeneralTab
+
+
+
+
+
+
ImagePlugin
@@ -890,7 +873,7 @@ demand and thus an internet connection is required.
ImagePlugin.ExceptionDialog
-
+
@@ -898,38 +881,38 @@ demand and thus an internet connection is required.
ImagePlugin.MediaItem
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -998,37 +981,37 @@ Do you want to add the other images anyway?
MediaPlugin.MediaItem
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -1049,7 +1032,7 @@ Do you want to add the other images anyway?
OpenLP
-
+
@@ -1083,7 +1066,7 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr
-
+
@@ -1175,65 +1158,90 @@ Tinggaard, Frode Woldsund
OpenLP.AdvancedTab
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.DisplayTagDialog
@@ -1340,7 +1348,7 @@ Tinggaard, Frode Woldsund
-
+
@@ -1348,23 +1356,23 @@ Tinggaard, Frode Woldsund
OpenLP.ExceptionForm
-
+
-
+
-
+
-
+
-
+
-
+
Download complete. Click the finish button to start OpenLP.
-
+
Enabling selected plugins...
-
+
This wizard will help you to configure OpenLP for initial use. Click the next button below to start the process of selection your initial options.
-
+
No Internet Connection
-
+
Unable to detect an Internet connection.
-
+
No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes.
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.
@@ -1549,62 +1557,62 @@ To cancel the First Time Wizard completely, press the finish button now.
-
+
Sample Songs
-
+
Select and download public domain songs.
-
+
Sample Bibles
-
+
Select and download free Bibles.
-
+
Sample Themes
-
+
Select and download sample themes.
-
+
Set up default settings to be used by OpenLP.
-
+
Setting Up And Importing
-
+
Please wait while OpenLP is set up and your data is imported.
-
+
Default output display:
-
+
Select default theme:
-
+
Starting configuration process...
@@ -1612,130 +1620,135 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.GeneralTab
-
+
General
-
+
Monitors
-
+
Select monitor for output display:
-
+
Display if a single screen
-
+
Application Startup
-
+
Show blank screen warning
-
+
Automatically open the last service
-
+
Show the splash screen
-
+
Application Settings
-
+
Prompt to save before starting a new service
-
+
Automatically preview next item in service
-
+
Slide loop delay:
-
+
sec
-
+
CCLI Details
-
+
SongSelect username:
-
+
SongSelect password:
-
+
Display Position
-
+
X
-
+
Y
-
+
Height
-
+
Width
-
+
Override display position
-
+
Check for updates to OpenLP
+
+
+ Unblank display when adding new live item
+
+
OpenLP.LanguageManager
-
+
Language
-
+
Please restart OpenLP to use your new language setting.
@@ -1743,7 +1756,7 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainDisplay
-
+
OpenLP Display
@@ -1751,228 +1764,183 @@ 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
-
- Ctrl+N
-
-
-
-
+
&Open
-
+
Open an existing service.
-
- Ctrl+O
-
-
-
-
+
&Save
-
+
Save the current service to disk.
-
- Ctrl+S
-
-
-
-
+
Save &As...
-
+
Save Service As
-
+
Save the current service under a new name.
-
- Ctrl+Shift+S
-
-
-
-
+
E&xit
-
+
Quit OpenLP
-
- Alt+F4
-
-
-
-
+
&Theme
-
+
&Configure OpenLP...
-
+
&Media Manager
-
+
Toggle Media Manager
-
+
Toggle the visibility of the media manager.
-
- F8
-
-
-
-
+
&Theme Manager
-
+
Toggle Theme Manager
-
+
Toggle the visibility of the theme manager.
-
- F10
-
-
-
-
+
&Service Manager
-
+
Toggle Service Manager
-
+
Toggle the visibility of the service manager.
-
- F9
-
-
-
-
+
&Preview Panel
-
+
Toggle Preview Panel
-
-
- Toggle the visibility of the preview panel.
-
-
- F11
+ Toggle the visibility of the preview panel.
@@ -1992,179 +1960,159 @@ To cancel the First Time Wizard completely, press the finish button now.
- F12
-
-
-
-
&Plugin List
-
+
List the Plugins
-
- Alt+F7
-
-
-
-
+
&User Guide
-
+
&About
-
+
More information about OpenLP
-
- Ctrl+F1
-
-
-
-
+
&Online Help
-
+
&Web Site
-
+
Use the system language, if available.
-
+
Set the interface language to %s
-
+
Add &Tool...
-
+
Add an application to the list of tools.
-
+
&Default
-
+
Set the view mode back to the default.
-
+
&Setup
-
+
Set the view mode to Setup.
-
+
&Live
-
+
Set the view mode to Live.
-
+
Version %s of OpenLP is now available for download (you are currently running version %s).
You can download the latest version from http://openlp.org/.
-
+
OpenLP Version Updated
-
+
OpenLP Main Display Blanked
-
+
The Main Display has been blanked out
-
+
Default Theme: %s
-
+
English
Please add the name of your language here
-
+
Configure &Shortcuts...
-
+
Close OpenLP
-
+
Are you sure you want to close OpenLP?
-
+
Print the current Service Order.
-
- Ctrl+P
-
-
-
-
+
&Configure Display Tags
-
+
Open &Data Folder...
-
+
Open the folder where songs, bibles and other data resides.
-
+
&Autodetect
@@ -2172,45 +2120,51 @@ You can download the latest version from http://openlp.org/.
OpenLP.MediaManagerItem
-
+
No Items Selected
-
+
&Add to selected Service Item
-
+
You must select one or more items to preview.
-
+
You must select one or more items to send live.
-
+
You must select one or more items.
-
+
You must select an existing service item to add to.
-
+
Invalid Service Item
-
+
You must select a %s service item.
+
+
+ Duplicate file name %s.
+Filename already exists in list
+
+
OpenLP.PluginForm
@@ -2276,37 +2230,37 @@ You can download the latest version from http://openlp.org/.
-
+
Close
-
+
Copy
-
+
Copy as HTML
-
+
Zoom In
-
+
Zoom Out
-
+
Zoom Original
-
+
Other Options
@@ -2316,20 +2270,25 @@ You can download the latest version from http://openlp.org/.
-
+
Include service item notes
-
+
Include play length of media items
-
+
Service Order Sheet
+
+
+ Add page break before each text item.
+
+
OpenLP.ScreenList
@@ -2355,211 +2314,251 @@ You can download the latest version from http://openlp.org/.
OpenLP.ServiceManager
-
+
Load an existing service
-
+
Save this service
-
+
Select a theme for the service
-
+
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
-
- Notes:
-
-
-
-
+
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
+
+
+
+
+ This file is either corrupt or not an OpenLP 2.0 service file.
+
+
OpenLP.ServiceNoteForm
@@ -2572,7 +2571,7 @@ The content encoding is not UTF-8.
OpenLP.SettingsForm
-
+
Configure OpenLP
@@ -2580,219 +2579,269 @@ The content encoding is not UTF-8.
OpenLP.ShortcutListDialog
-
+
Customize Shortcuts
-
+
Action
-
+
Shortcut
-
- Default: %s
-
-
-
-
- Custom:
-
-
-
-
- None
-
-
-
-
+
Duplicate Shortcut
-
+
The shortcut "%s" is already assigned to another action, please use a different shortcut.
-
+
Alternate
+
+
+ Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively.
+
+
+
+
+ Default
+
+
+
+
+ Custom
+
+
+
+
+ Capture shortcut.
+
+
+
+
+ Restore the default shortcut of this action.
+
+
+
+
+ Restore Default Shortcuts
+
+
+
+
+ Do you want to restore all shortcuts to their defaults?
+
+
OpenLP.SlideController
-
+
Move to previous
-
+
Move to next
-
+
Hide
-
+
Move to live
-
+
Edit and reload song preview
-
+
Start continuous loop
-
+
Stop continuous loop
-
+
Delay between slides in seconds
-
+
Start playing media
-
+
Go To
-
+
Blank Screen
-
+
Blank to Theme
-
+
Show Desktop
-
+
Previous Slide
-
+
Next Slide
-
+
Previous Service
-
+
Next Service
-
+
Escape Item
+
+
+ Start/Stop continuous loop
+
+
OpenLP.SpellTextEdit
-
+
Spelling Suggestions
-
+
Formatting Tags
+
+
+ Language:
+
+
OpenLP.StartTimeForm
-
- Item Start Time
-
-
-
-
+
Hours:
-
- h
-
-
-
-
- m
-
-
-
-
+
Minutes:
-
+
Seconds:
+
+
+ Item Start and Finish Time
+
+
+
+
+ Start
+
+
+
+
+ Finish
+
+
+
+
+ Length
+
+
+
+
+ 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
+
+
OpenLP.ThemeForm
-
+
Select Image
-
+
Theme Name Missing
-
+
There is no name for this theme. Please enter one.
-
+
Theme Name Invalid
-
+
Invalid theme name. Please enter one.
-
+
(%d lines per slide)
@@ -2860,68 +2909,68 @@ The content encoding is not UTF-8.
-
+
%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.
@@ -2941,47 +2990,47 @@ The content encoding is not UTF-8.
-
+
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)
@@ -3209,7 +3258,7 @@ The content encoding is not UTF-8.
-
+
Edit Theme - %s
@@ -3232,42 +3281,42 @@ The content encoding is not UTF-8.
OpenLP.ThemesTab
-
+
Global Theme
-
+
Theme Level
-
+
S&ong Level
-
+
Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme.
-
+
&Service Level
-
+
Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme.
-
+
&Global Level
-
+
Use the global theme, overriding any themes associated with either the service or the songs.
@@ -3275,290 +3324,290 @@ The content encoding is not UTF-8.
OpenLP.Ui
-
+
Error
-
+
About
-
+
&Add
-
+
Advanced
-
+
All Files
-
+
Bottom
-
+
Browse...
-
+
Cancel
-
+
CCLI number:
-
+
Create a new service.
-
+
&Delete
-
+
&Edit
-
+
Empty Field
-
+
Export
-
+
pt
Abbreviated font pointsize unit
-
+
Image
-
+
Import
-
+
Length %s
-
+
Live
-
+
Live Background Error
-
+
Live Panel
-
+
Load
-
+
Middle
-
+
New
-
+
New Service
-
+
New Theme
-
+
No File Selected
Singular
-
+
No Files Selected
Plural
-
+
No Item Selected
Singular
-
+
No Items Selected
Plural
-
+
openlp.org 1.x
-
+
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
-
+
Theme
Singular
-
+
Themes
Plural
-
+
Top
-
+
Version
-
+
Delete the selected item.
-
+
Move selection up one position.
-
+
Move selection down one position.
-
+
&Vertical Align:
@@ -3624,7 +3673,7 @@ The content encoding is not UTF-8.
-
+
Welcome to the Bible Import Wizard
@@ -3634,7 +3683,7 @@ The content encoding is not UTF-8.
-
+
Welcome to the Song Import Wizard
@@ -3669,22 +3718,124 @@ The content encoding is not UTF-8.
-
+
Song Maintenance
-
+
Topic
Singular
-
+
Topics
Plural
+
+
+ Continuous
+
+
+
+
+ Default
+
+
+
+
+ Display style:
+
+
+
+
+ Duplicate Error
+
+
+
+
+ File
+
+
+
+
+ Help
+
+
+
+
+ h
+ The abbreviated unit for hours
+
+
+
+
+ Layout style:
+
+
+
+
+ Live Toolbar
+
+
+
+
+ m
+ The abbreviated unit for minutes
+
+
+
+
+ OpenLP is already running. Do you wish to continue?
+
+
+
+
+ Settings
+
+
+
+
+ Tools
+
+
+
+
+ Unsupported File
+
+
+
+
+ Verse Per Slide
+
+
+
+
+ Verse Per Line
+
+
+
+
+ View
+
+
+
+
+ View Model
+
+
+
+
+ Title and/or verses not found
+
+
+
+
+ XML syntax error
+
+
OpenLP.displayTagDialog
@@ -3697,49 +3848,49 @@ The content encoding is not UTF-8.
PresentationPlugin
-
+
<strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box.
-
+
Load a new Presentation
-
+
Delete the selected Presentation
-
+
Preview the selected Presentation
-
+
Send the selected Presentation live
-
+
Add the selected Presentation to the service
-
+
Presentation
name singular
-
+
Presentations
name plural
-
+
Presentations
container title
@@ -3763,22 +3914,17 @@ The content encoding is not UTF-8.
-
+
File Exists
-
+
A presentation with that filename already exists.
-
- Unsupported File
-
-
-
-
+
This type of presentation is not supported.
@@ -3788,17 +3934,17 @@ The content encoding is not UTF-8.
-
+
Missing Presentation
-
+
The Presentation %s no longer exists.
-
+
The Presentation %s is incomplete, please reload.
@@ -3868,63 +4014,68 @@ 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
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4012,12 +4163,12 @@ has been successfully created.
SongsPlugin
-
+
&Song
-
+
Import songs using the import wizard.
@@ -4178,7 +4329,7 @@ The encoding is responsible for the correct character representation.
-
+
Exports songs using the export wizard.
@@ -4224,8 +4375,16 @@ The encoding is responsible for the correct character representation.
SongsPlugin.CCLIFileImport
-
- Importing song %d of %d
+
+ The file does not have a valid extension.
+
+
+
+
+ SongsPlugin.EasyWorshipSongImport
+
+
+ Administered by %s
@@ -4327,82 +4486,82 @@ The encoding is responsible for the correct character representation.
-
+
Add Author
-
+
This author does not exist, do you want to add them?
-
+
This author is already in the list.
-
+
You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author.
-
+
Add Topic
-
+
This topic does not exist, do you want to add it?
-
+
This topic is already in the list.
-
+
You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic.
-
+
You need to type in a song title.
-
+
You need to type in at least one verse.
-
+
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.
@@ -4516,151 +4675,164 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ImportWizardForm
-
+
Select Document/Presentation Files
-
+
Song Import Wizard
-
+
This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from.
-
+
Generic Document/Presentation
-
+
Filename:
-
+
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.
-
+
Add Files...
-
+
Remove File(s)
-
+
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.
-
+
Please wait while your songs are imported.
-
- Administered by %s
-
-
-
-
+
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
+
+
+ Copy
+
+
+
+
+ Save to File
+
+
SongsPlugin.MediaItem
-
+
Maintain the lists of authors, topics and books
-
+
Titles
-
+
Lyrics
-
+
Delete Song(s)?
-
+
CCLI License:
-
+
Entire Song
-
+
Are you sure you want to delete the %n selected song(s)?
+
+ SongsPlugin.OpenLP1SongImport
+
+
+ Not a valid openlp.org 1.x song database.
+
+
+
SongsPlugin.OpenLPSongImport
-
- Importing song %d of %d.
+
+ Not a valid OpenLP 2.0 song database.
@@ -4711,15 +4883,20 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImport
-
+
copyright
+
+
+ The following songs could not be imported:
+
+
SongsPlugin.SongImportForm
-
+
Your song import failed.
@@ -4772,47 +4949,47 @@ The encoding is responsible for the correct character representation.
-
+
Delete Author
-
+
Are you sure you want to delete the selected author?
-
+
This author cannot be deleted, they are currently assigned to at least one song.
-
+
Delete Topic
-
+
Are you sure you want to delete the selected topic?
-
+
This topic cannot be deleted, it is currently assigned to at least one song.
-
+
Delete Book
-
+
Are you sure you want to delete the selected book?
-
+
This book cannot be deleted, it is currently assigned to at least one song.
@@ -4916,4 +5093,12 @@ 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 0a2107ff9..2ca4543cb 100644
--- a/resources/i18n/en_GB.ts
+++ b/resources/i18n/en_GB.ts
@@ -3,24 +3,24 @@
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.
Do you want to continue anyway?
-
+
No Parameter Found
No Parameter 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 '<>'.
@@ -30,34 +30,34 @@ Do you want to continue anyway?
AlertsPlugin
-
+
&Alert
&Alert
-
+
Show an alert message.
Show an alert message.
-
+
<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
-
+
Alert
name singular
Alert
-
+
Alerts
name plural
Alerts
-
+
Alerts
container title
Alerts
@@ -96,12 +96,12 @@ Do you want to continue anyway?
Display && Cl&ose
-
+
New Alert
New Alert
-
+
You haven't specified any text for your alert. Please type in some text before clicking New.
You haven't specified any text for your alert. Please type in some text before clicking New.
@@ -207,12 +207,12 @@ Do you want to continue anyway?
BiblePlugin.MediaItem
-
+
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?
@@ -220,64 +220,64 @@ Do you want to continue anyway?
BiblesPlugin
-
+
&Bible
&Bible
-
+
<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.
-
+
Import a Bible
Import a Bible
-
+
Add a new Bible
Add a new Bible
-
+
Edit the selected Bible
Edit the selected Bible
-
+
Delete the selected Bible
Delete the selected Bible
-
+
Preview the selected Bible
Preview the selected Bible
-
+
Send the selected Bible live
Send the selected Bible live
-
+
Add the selected Bible to the service
Add the selected Bible to the service
-
+
Bible
name singular
Bible
-
+
Bibles
name plural
Bibles
-
+
Bibles
container title
Bibles
@@ -350,74 +350,49 @@ Book Chapter:Verse-Chapter:Verse
BiblesPlugin.BiblesTab
-
+
Verse Display
Verse Display
-
+
Only show new chapter numbers
Only show new chapter numbers
-
- Layout style:
- Layout style:
-
-
-
- Display style:
- Display style:
-
-
-
+
Bible theme:
Bible theme:
-
- Verse Per Slide
- Verse Per Slide
-
-
-
- Verse Per Line
- Verse Per Line
-
-
-
- Continuous
- Continuous
-
-
-
+
No Brackets
No Brackets
-
+
( And )
( And )
-
+
{ And }
{ And }
-
+
[ And ]
[ And ]
-
+
Note:
Changes do not affect verses already in the service.
Note:
Changes do not affect verses already in the service.
-
+
Display second Bible verses
Display second Bible verses
@@ -425,179 +400,179 @@ Changes do not affect verses already in the service.
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.
-
+
Starting Registering bible...
Starting Registering Bible...
-
+
Registered bible. Please note, that verses will be downloaded on
demand and thus an internet connection is required.
Registered Bible. Please note, that verses will be downloaded on
demand and thus an internet connection is required.
-
+
Permissions:
Permissions:
-
+
CSV File
CSV File
-
+
Bibleserver
Bibleserver
-
+
Bible file:
Bible file:
-
+
Testaments file:
Testaments file:
-
+
Books file:
Books file:
-
+
Verses file:
Verses file:
-
+
You have not specified a testaments file. Do you want to proceed with the import?
You have not specified a testaments file. Do you want to proceed with the import?
-
+
openlp.org 1.x Bible Files
openlp.org 1.x Bible Files
@@ -605,67 +580,67 @@ demand and thus an internet connection is required.
BiblesPlugin.MediaItem
-
+
Quick
Quick
-
+
Find:
Find:
-
+
Results:
Results:
-
+
Book:
Book:
-
+
Chapter:
Chapter:
-
+
Verse:
Verse:
-
+
From:
From:
-
+
To:
To:
-
+
Text Search
Text Search
-
+
Clear
Clear
-
+
Keep
Keep
-
+
Second:
Second:
-
+
Scripture Reference
Scripture Reference
@@ -682,12 +657,12 @@ demand and thus an internet connection is required.
BiblesPlugin.OsisImport
-
+
Detecting encoding (this may take a few minutes)...
Detecting encoding (this may take a few minutes)...
-
+
Importing %s %s...
Importing <book name> <chapter>...
Importing %s %s...
@@ -762,12 +737,12 @@ demand and thus an internet connection is required.
&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
@@ -838,6 +813,14 @@ demand and thus an internet connection is required.
Custom
+
+ GeneralTab
+
+
+ General
+ General
+
+
ImagePlugin
@@ -902,7 +885,7 @@ demand and thus an internet connection is required.
ImagePlugin.ExceptionDialog
-
+
Select Attachment
Select Attachment
@@ -910,39 +893,39 @@ demand and thus an internet connection is required.
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.
@@ -1011,37 +994,37 @@ 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 (*)
@@ -1062,7 +1045,7 @@ Do you want to add the other images anyway?
OpenLP
-
+
Image Files
Image Files
@@ -1102,7 +1085,7 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr
Contribute
-
+
build %s
build %s
@@ -1258,65 +1241,90 @@ Tinggaard, Frode Woldsund
OpenLP.AdvancedTab
-
+
UI Settings
UI Settings
-
+
Number of recent files to display:
Number of recent files to display:
-
+
Remember active media manager tab on startup
Remember active media manager tab on startup
-
+
Double-click to send items straight to live
Double-click to send items straight to live
-
+
Expand new service items on creation
Expand new service items on creation
-
+
Enable application exit confirmation
Enable application exit confirmation
-
+
Mouse Cursor
Mouse Cursor
-
+
Hide mouse cursor when over display window
Hide mouse cursor when over display window
-
+
Default Image
Default Image
-
+
Background color:
Background colour:
-
+
Image file:
Image file:
-
+
Open File
Open File
+
+
+ Preview items when clicked in Media Manager
+
+
+
+
+ Advanced
+ Advanced
+
+
+
+ Click to select a color.
+
+
+
+
+ Browse for an image file to display.
+
+
+
+
+ Revert to the default OpenLP logo.
+
+
OpenLP.DisplayTagDialog
@@ -1424,7 +1432,7 @@ Tinggaard, Frode Woldsund
Attach File
-
+
Description characters to enter : %s
Description characters to enter : %s
@@ -1432,24 +1440,24 @@ Tinggaard, Frode Woldsund
OpenLP.ExceptionForm
-
+
Platform: %s
Platform: %s
-
+
Save Crash Report
Save Crash Report
-
+
Text files (*.txt *.log *.text)
Text files (*.txt *.log *.text)
-
+
**OpenLP Bug Report**
Version: %s
@@ -1480,7 +1488,7 @@ Version: %s
-
+
*OpenLP Bug Report*
Version: %s
@@ -1556,97 +1564,97 @@ 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...
-
+
First Time Wizard
First Time Wizard
-
+
Welcome to the First Time Wizard
Welcome to the First Time Wizard
-
+
This wizard will help you to configure OpenLP for initial use. Click the next button below to start the process of selection your initial options.
This wizard will help you to configure OpenLP for initial use. Click the next button below to start the process of selecting your initial options.
-
+
Activate required Plugins
Activate required Plugins
-
+
Select the Plugins you wish to use.
Select the Plugins you wish to use.
-
+
Songs
Songs
-
+
Custom Text
Custom Text
-
+
Bible
Bible
-
+
Images
Images
-
+
Presentations
Presentations
-
+
Media (Audio and Video)
Media (Audio and Video)
-
+
Allow remote access
Allow remote access
-
+
Monitor Song Usage
Monitor Song Usage
-
+
Allow Alerts
Allow Alerts
-
+
No Internet Connection
No Internet Connection
-
+
Unable to detect an Internet connection.
Unable to detect an Internet connection.
-
+
No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes.
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.
@@ -1659,67 +1667,67 @@ To re-run the First Time Wizard and import this sample data at a later stage, pr
To cancel the First Time Wizard completely, press the finish button now.
-
+
Sample Songs
Sample Songs
-
+
Select and download public domain songs.
Select and download public domain songs.
-
+
Sample Bibles
Sample Bibles
-
+
Select and download free Bibles.
Select and download free Bibles.
-
+
Sample Themes
Sample Themes
-
+
Select and download sample themes.
Select and download sample themes.
-
+
Default Settings
Default Settings
-
+
Set up default settings to be used by OpenLP.
Set up default settings to be used by 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.
-
+
Default output display:
Default output display:
-
+
Select default theme:
Select default theme:
-
+
Starting configuration process...
Starting configuration process...
@@ -1727,130 +1735,135 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.GeneralTab
-
+
General
General
-
+
Monitors
Monitors
-
+
Select monitor for output display:
Select monitor for output display:
-
+
Display if a single screen
Display if a single screen
-
+
Application Startup
Application Startup
-
+
Show blank screen warning
Show blank screen warning
-
+
Automatically open the last service
Automatically open the last service
-
+
Show the splash screen
Show the splash screen
-
+
Application Settings
Application Settings
-
+
Prompt to save before starting a new service
Prompt to save before starting a new service
-
+
Automatically preview next item in service
Automatically preview next item in service
-
+
Slide loop delay:
Slide loop delay:
-
+
sec
sec
-
+
CCLI Details
CCLI Details
-
+
SongSelect username:
SongSelect username:
-
+
SongSelect password:
SongSelect password:
-
+
Display Position
Display Position
-
+
X
X
-
+
Y
Y
-
+
Height
Height
-
+
Width
Width
-
+
Override display position
Override display position
-
+
Check for updates to OpenLP
Check for updates to OpenLP
+
+
+ Unblank display when adding new live item
+
+
OpenLP.LanguageManager
-
+
Language
Language
-
+
Please restart OpenLP to use your new language setting.
Please restart OpenLP to use your new language setting.
@@ -1858,7 +1871,7 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainDisplay
-
+
OpenLP Display
OpenLP Display
@@ -1866,230 +1879,185 @@ 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
-
- Ctrl+N
- Ctrl+N
-
-
-
+
&Open
&Open
-
+
Open an existing service.
Open an existing service.
-
- Ctrl+O
- Ctrl+O
-
-
-
+
&Save
&Save
-
+
Save the current service to disk.
Save the current service to disk.
-
- Ctrl+S
- Ctrl+S
-
-
-
+
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.
-
- Ctrl+Shift+S
- Ctrl+Shift+S
-
-
-
+
E&xit
E&xit
-
+
Quit OpenLP
Quit OpenLP
-
- Alt+F4
- Alt+F4
-
-
-
+
&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.
-
- F8
- F8
-
-
-
+
&Theme Manager
&Theme Manager
-
+
Toggle Theme Manager
Toggle Theme Manager
-
+
Toggle the visibility of the theme manager.
Toggle the visibility of the theme manager.
-
- F10
- F10
-
-
-
+
&Service Manager
&Service Manager
-
+
Toggle Service Manager
Toggle Service Manager
-
+
Toggle the visibility of the service manager.
Toggle the visibility of the service manager.
-
- F9
- F9
-
-
-
+
&Preview Panel
&Preview Panel
-
+
Toggle Preview Panel
Toggle Preview Panel
-
+
Toggle the visibility of the preview panel.
Toggle the visibility of the preview panel.
-
-
- F11
- F11
-
&Live Panel
@@ -2107,106 +2075,91 @@ To cancel the First Time Wizard completely, press the finish button now.
- F12
- F12
-
-
-
&Plugin List
&Plugin List
-
+
List the Plugins
List the Plugins
-
- Alt+F7
- Alt+F7
-
-
-
+
&User Guide
&User Guide
-
+
&About
&About
-
+
More information about OpenLP
More information about OpenLP
-
- Ctrl+F1
- Ctrl+F1
-
-
-
+
&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/.
@@ -2214,73 +2167,68 @@ 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
-
+
English
Please add the name of your language here
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?
-
+
Print the current Service Order.
Print the current Service Order.
-
- Ctrl+P
- Ctrl+P
-
-
-
+
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
-
+
&Autodetect
&Autodetect
@@ -2288,45 +2236,51 @@ You can download the latest version from http://openlp.org/.
OpenLP.MediaManagerItem
-
+
No Items Selected
No Items Selected
-
+
&Add to selected Service Item
&Add to selected Service Item
-
+
You must select one or more items to preview.
You must select one or more items to preview.
-
+
You must select one or more items to send live.
You must select one or more items to send live.
-
+
You must select one or more items.
You must select one or more items.
-
+
You must select an existing service item to add to.
You must select an existing service item to add to.
-
+
Invalid Service Item
Invalid Service Item
-
+
You must select a %s service item.
You must select a %s service item.
+
+
+ Duplicate file name %s.
+Filename already exists in list
+
+
OpenLP.PluginForm
@@ -2392,37 +2346,37 @@ You can download the latest version from http://openlp.org/.
Options
-
+
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
@@ -2432,20 +2386,25 @@ You can download the latest version from http://openlp.org/.
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
-
+
Service Order Sheet
Service Order Sheet
+
+
+ Add page break before each text item.
+
+
OpenLP.ScreenList
@@ -2471,212 +2430,252 @@ You can download the latest version from http://openlp.org/.
OpenLP.ServiceManager
-
+
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
-
+
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
-
- Notes:
- Notes:
-
-
-
+
&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.
+
+
+
+
+ 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.ServiceNoteForm
@@ -2689,7 +2688,7 @@ The content encoding is not UTF-8.
OpenLP.SettingsForm
-
+
Configure OpenLP
Configure OpenLP
@@ -2697,219 +2696,269 @@ The content encoding is not UTF-8.
OpenLP.ShortcutListDialog
-
+
Customize Shortcuts
Customise Shortcuts
-
+
Action
Action
-
+
Shortcut
Shortcut
-
- Default: %s
- Default: %s
-
-
-
- Custom:
- Custom:
-
-
-
- None
- None
-
-
-
+
Duplicate Shortcut
Duplicate Shortcut
-
+
The shortcut "%s" is already assigned to another action, please use a different shortcut.
The shortcut "%s" is already assigned to another action, please use a different shortcut.
-
+
Alternate
Alternate
+
+
+ Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively.
+
+
+
+
+ Default
+ Default
+
+
+
+ Custom
+ Custom
+
+
+
+ Capture shortcut.
+
+
+
+
+ Restore the default shortcut of this action.
+
+
+
+
+ Restore Default Shortcuts
+
+
+
+
+ Do you want to restore all shortcuts to their defaults?
+
+
OpenLP.SlideController
-
+
Move to previous
Move to previous
-
+
Move to next
Move to next
-
+
Hide
Hide
-
+
Move to live
Move to live
-
+
Start continuous loop
Start continuous loop
-
+
Stop continuous loop
Stop continuous loop
-
+
Delay between slides in seconds
Delay between slides in seconds
-
+
Start playing media
Start playing media
-
+
Go To
Go To
-
+
Edit and reload song preview
Edit and reload song preview
-
+
Blank Screen
Blank Screen
-
+
Blank to Theme
Blank to Theme
-
+
Show Desktop
Show Desktop
-
+
Previous Slide
Previous Slide
-
+
Next Slide
Next Slide
-
+
Previous Service
Previous Service
-
+
Next Service
Next Service
-
+
Escape Item
Escape Item
+
+
+ Start/Stop continuous loop
+
+
OpenLP.SpellTextEdit
-
+
Spelling Suggestions
Spelling Suggestions
-
+
Formatting Tags
Formatting Tags
+
+
+ Language:
+
+
OpenLP.StartTimeForm
-
- Item Start Time
- Item Start Time
-
-
-
+
Hours:
Hours:
-
- h
- h
-
-
-
- m
- m
-
-
-
+
Minutes:
Minutes:
-
+
Seconds:
Seconds:
+
+
+ Item Start and Finish Time
+
+
+
+
+ Start
+
+
+
+
+ Finish
+
+
+
+
+ Length
+
+
+
+
+ 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
+
+
OpenLP.ThemeForm
-
+
Select Image
Select Image
-
+
Theme Name Missing
Theme Name Missing
-
+
There is no name for this theme. Please enter one.
There is no name for this theme. Please enter one.
-
+
Theme Name Invalid
Theme Name Invalid
-
+
Invalid theme name. Please enter one.
Invalid theme name. Please enter one.
-
+
(%d lines per slide)
(%d lines per slide)
@@ -2977,69 +3026,69 @@ The content encoding is not UTF-8.
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.
@@ -3059,47 +3108,47 @@ The content encoding is not UTF-8.
&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)
@@ -3342,7 +3391,7 @@ The content encoding is not UTF-8.
&Footer Area
-
+
Edit Theme - %s
Edit Theme - %s
@@ -3350,42 +3399,42 @@ The content encoding is not UTF-8.
OpenLP.ThemesTab
-
+
Global Theme
Global Theme
-
+
Theme Level
Theme Level
-
+
S&ong Level
S&ong Level
-
+
Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme.
Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme.
-
+
&Service Level
&Service Level
-
+
Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme.
Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme.
-
+
&Global Level
&Global Level
-
+
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.
@@ -3393,290 +3442,290 @@ The content encoding is not UTF-8.
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.
-
+
&Add
&Add
-
+
Advanced
Advanced
-
+
All Files
All Files
-
+
Create a new service.
Create a new service.
-
+
&Edit
&Edit
-
+
Import
Import
-
+
Length %s
Length %s
-
+
Live
Live
-
+
Load
Load
-
+
New
New
-
+
New Service
New Service
-
+
OpenLP 2.0
OpenLP 2.0
-
+
Open Service
Open Service
-
+
Preview
Preview
-
+
Replace Background
Replace Background
-
+
Replace Live Background
Replace Live Background
-
+
Reset Background
Reset Background
-
+
Reset Live Background
Reset Live Background
-
+
Save Service
Save Service
-
+
Service
Service
-
+
Start %s
Start %s
-
+
&Vertical Align:
&Vertical Align:
-
+
Top
Top
-
+
Middle
Middle
-
+
Bottom
Bottom
-
+
About
About
-
+
Browse...
Browse...
-
+
Cancel
Cancel
-
+
CCLI number:
CCLI number:
-
+
Empty Field
Empty Field
-
+
Export
Export
-
+
pt
Abbreviated font pointsize unit
pt
-
+
Image
Image
-
+
Live Background Error
Live Background Error
-
+
Live Panel
Live Panel
-
+
New Theme
New Theme
-
+
No File Selected
Singular
No File Selected
-
+
No Files Selected
Plural
No Files Selected
-
+
No Item Selected
Singular
No Item Selected
-
+
No Items Selected
Plural
No Items Selected
-
+
openlp.org 1.x
openlp.org 1.x
-
+
Preview Panel
Preview Panel
-
+
Print Service Order
Print Service Order
-
+
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
@@ -3742,7 +3791,7 @@ 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
@@ -3752,7 +3801,7 @@ The content encoding is not UTF-8.
Welcome to the Song Export Wizard
-
+
Welcome to the Song Import Wizard
Welcome to the Song Import Wizard
@@ -3787,22 +3836,124 @@ The content encoding is not UTF-8.
Song Books
-
+
Song Maintenance
Song Maintenance
-
+
Topic
Singular
Topic
-
+
Topics
Plural
Topics
+
+
+ Continuous
+ Continuous
+
+
+
+ Default
+ Default
+
+
+
+ Display style:
+ Display style:
+
+
+
+ File
+
+
+
+
+ Help
+
+
+
+
+ h
+ The abbreviated unit for hours
+ h
+
+
+
+ Layout style:
+ Layout style:
+
+
+
+ Live Toolbar
+
+
+
+
+ m
+ The abbreviated unit for minutes
+ m
+
+
+
+ OpenLP is already running. Do you wish to continue?
+
+
+
+
+ Settings
+
+
+
+
+ Tools
+
+
+
+
+ Verse Per Slide
+ Verse Per Slide
+
+
+
+ Verse Per Line
+ Verse Per Line
+
+
+
+ View
+
+
+
+
+ View Model
+
+
+
+
+ Duplicate Error
+
+
+
+
+ Unsupported File
+ Unsupported File
+
+
+
+ Title and/or verses not found
+
+
+
+
+ XML syntax error
+
+
OpenLP.displayTagDialog
@@ -3815,49 +3966,49 @@ The content encoding is not UTF-8.
PresentationPlugin
-
+
<strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box.
<strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box.
-
+
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
-
+
Presentation
name singular
Presentation
-
+
Presentations
name plural
Presentations
-
+
Presentations
container title
Presentations
@@ -3881,22 +4032,17 @@ The content encoding is not UTF-8.
Present using:
-
+
File Exists
File Exists
-
+
A presentation with that filename already exists.
A presentation with that filename already exists.
-
- Unsupported File
- Unsupported File
-
-
-
+
This type of presentation is not supported.
This type of presentation is not supported.
@@ -3906,17 +4052,17 @@ The content encoding is not UTF-8.
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.
@@ -3986,63 +4132,68 @@ 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
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4132,12 +4283,12 @@ has been successfully created.
SongsPlugin
-
+
&Song
&Song
-
+
Import songs using the import wizard.
Import songs using the import wizard.
@@ -4301,7 +4452,7 @@ The encoding is responsible for the correct character representation.
The encoding is responsible for the correct character representation.
-
+
Exports songs using the export wizard.
Exports songs using the export wizard.
@@ -4347,9 +4498,17 @@ The encoding is responsible for the correct character representation.
SongsPlugin.CCLIFileImport
-
- Importing song %d of %d
- Importing song %d of %d
+
+ The file does not have a valid extension.
+
+
+
+
+ SongsPlugin.EasyWorshipSongImport
+
+
+ Administered by %s
+ Administered by %s
@@ -4450,82 +4609,82 @@ The encoding is responsible for the correct character representation.Theme, Copyright Info && Comments
-
+
Add Author
Add Author
-
+
This author does not exist, do you want to add them?
This author does not exist, do you want to add them?
-
+
This author is already in the list.
This author is already in the list.
-
+
You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author.
You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author.
-
+
Add Topic
Add Topic
-
+
This topic does not exist, do you want to add it?
This topic does not exist, do you want to add it?
-
+
This topic is already in the list.
This topic is already in the list.
-
+
You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic.
You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic.
-
+
You need to type in a song title.
You need to type in a song title.
-
+
You need to type in at least one verse.
You need to type in at least one verse.
-
+
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.
@@ -4639,140 +4798,145 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ImportWizardForm
-
+
Select Document/Presentation Files
Select Document/Presentation Files
-
+
Song Import Wizard
Song Import Wizard
-
+
This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from.
This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from.
-
+
Generic Document/Presentation
Generic Document/Presentation
-
+
Filename:
Filename:
-
+
Add Files...
Add Files...
-
+
Remove File(s)
Remove File(s)
-
+
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.
-
+
Please wait while your songs are imported.
Please wait while your songs are imported.
-
+
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.
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.
-
- Administered by %s
- Administered by %s
-
-
-
+
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
+
+
+ Copy
+ Copy
+
+
+
+ Save to File
+ Save to File
+
SongsPlugin.MediaItem
-
+
Maintain the lists of authors, topics and books
Maintain the lists of authors, topics and books
-
+
Titles
Titles
-
+
Lyrics
Lyrics
-
+
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?
@@ -4780,12 +4944,20 @@ The encoding is responsible for the correct character representation.
+
+ SongsPlugin.OpenLP1SongImport
+
+
+ Not a valid openlp.org 1.x song database.
+
+
+
SongsPlugin.OpenLPSongImport
-
- Importing song %d of %d.
- Importing song %d of %d.
+
+ Not a valid OpenLP 2.0 song database.
+
@@ -4835,15 +5007,20 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImport
-
+
copyright
copyright
+
+
+ The following songs could not be imported:
+
+
SongsPlugin.SongImportForm
-
+
Your song import failed.
Your song import failed.
@@ -4891,47 +5068,47 @@ The encoding is responsible for the correct character representation.Could not save your modified topic, because it already exists.
-
+
Delete Author
Delete Author
-
+
Are you sure you want to delete the selected author?
Are you sure you want to delete the selected author?
-
+
This author cannot be deleted, they are currently assigned to at least one song.
This author cannot be deleted, they are currently assigned to at least one song.
-
+
Delete Topic
Delete Topic
-
+
Are you sure you want to delete the selected topic?
Are you sure you want to delete the selected topic?
-
+
This topic cannot be deleted, it is currently assigned to at least one song.
This topic cannot be deleted, it is currently assigned to at least one song.
-
+
Delete Book
Delete Book
-
+
Are you sure you want to delete the selected book?
Are you sure you want to delete the selected book?
-
+
This book cannot be deleted, it is currently assigned to at least one song.
This book cannot be deleted, it is currently assigned to at least one song.
@@ -5040,4 +5217,12 @@ The encoding is responsible for the correct character representation.Other
+
+ ThemeTab
+
+
+ Themes
+ Themes
+
+
diff --git a/resources/i18n/en_ZA.ts b/resources/i18n/en_ZA.ts
index e03cca1fa..ea32e1c35 100644
--- a/resources/i18n/en_ZA.ts
+++ b/resources/i18n/en_ZA.ts
@@ -3,24 +3,24 @@
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.
Do you want to continue anyway?
-
+
No Parameter Found
No Parameter 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 '<>'.
@@ -30,34 +30,34 @@ Do you want to continue anyway?
AlertsPlugin
-
+
&Alert
&Alert
-
+
Show an alert message.
Show an alert message.
-
+
<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
-
+
Alert
name singular
Alert
-
+
Alerts
name plural
Alerts
-
+
Alerts
container title
Alerts
@@ -96,12 +96,12 @@ Do you want to continue anyway?
Display && Cl&ose
-
+
New Alert
New Alert
-
+
You haven't specified any text for your alert. Please type in some text before clicking New.
You haven't specified any text for your alert. Please type in some text before clicking New.
@@ -207,12 +207,12 @@ Do you want to continue anyway?
BiblePlugin.MediaItem
-
+
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?
@@ -220,64 +220,64 @@ Do you want to continue anyway?
BiblesPlugin
-
+
&Bible
&Bible
-
+
<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.
-
+
Import a Bible
Import a Bible
-
+
Add a new Bible
Add a new Bible
-
+
Edit the selected Bible
Edit the selected Bible
-
+
Delete the selected Bible
Delete the selected Bible
-
+
Preview the selected Bible
Preview the selected Bible
-
+
Send the selected Bible live
Send the selected Bible live
-
+
Add the selected Bible to the service
Add the selected Bible to the service
-
+
Bible
name singular
Bible
-
+
Bibles
name plural
Bibles
-
+
Bibles
container title
Bibles
@@ -350,74 +350,49 @@ Book Chapter:Verse-Chapter:Verse
BiblesPlugin.BiblesTab
-
+
Verse Display
Verse Display
-
+
Only show new chapter numbers
Only show new chapter numbers
-
- Layout style:
- Layout style:
-
-
-
- Display style:
- Display style:
-
-
-
+
Bible theme:
Bible theme:
-
- Verse Per Slide
- Verse Per Slide
-
-
-
- Verse Per Line
- Verse Per Line
-
-
-
- Continuous
- Continuous
-
-
-
+
No Brackets
No Brackets
-
+
( And )
( And )
-
+
{ And }
{ And }
-
+
[ And ]
[ And ]
-
+
Note:
Changes do not affect verses already in the service.
Note:
Changes do not affect verses already in the service.
-
+
Display second Bible verses
Display second Bible verses
@@ -425,132 +400,132 @@ Changes do not affect verses already in the service.
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.
-
+
Starting Registering bible...
Starting 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
@@ -558,47 +533,47 @@ demand and thus an internet connection is required.
demand and thus an internet connection is required.
-
+
Permissions:
Permissions:
-
+
CSV File
CSV File
-
+
Bibleserver
Bibleserver
-
+
Bible file:
Bible file:
-
+
Testaments file:
Testaments file:
-
+
Books file:
Books file:
-
+
Verses file:
Verses file:
-
+
You have not specified a testaments file. Do you want to proceed with the import?
You have not specified a testaments file. Do you want to proceed with the import?
-
+
openlp.org 1.x Bible Files
openlp.org 1.x Bible Files
@@ -606,67 +581,67 @@ demand and thus an internet connection is required.
BiblesPlugin.MediaItem
-
+
Quick
Quick
-
+
Find:
Find:
-
+
Results:
Results:
-
+
Book:
Book:
-
+
Chapter:
Chapter:
-
+
Verse:
Verse:
-
+
From:
From:
-
+
To:
To:
-
+
Text Search
Text Search
-
+
Clear
Clear
-
+
Keep
Keep
-
+
Second:
Second:
-
+
Scripture Reference
Scripture Reference
@@ -683,12 +658,12 @@ demand and thus an internet connection is required.
BiblesPlugin.OsisImport
-
+
Detecting encoding (this may take a few minutes)...
Detecting encoding (this may take a few minutes)...
-
+
Importing %s %s...
Importing <book name> <chapter>...
Importing %s %s...
@@ -763,12 +738,12 @@ demand and thus an internet connection is required.
&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
@@ -839,6 +814,14 @@ demand and thus an internet connection is required.
Custom
+
+ GeneralTab
+
+
+ General
+ General
+
+
ImagePlugin
@@ -903,7 +886,7 @@ demand and thus an internet connection is required.
ImagePlugin.ExceptionDialog
-
+
Select Attachment
Select Attachment
@@ -911,39 +894,39 @@ demand and thus an internet connection is required.
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.
@@ -1012,37 +995,37 @@ 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 (*)
@@ -1063,7 +1046,7 @@ Do you want to add the other images anyway?
OpenLP
-
+
Image Files
Image Files
@@ -1103,7 +1086,7 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr
Contribute
-
+
build %s
build %s
@@ -1259,65 +1242,90 @@ Tinggaard, Frode Woldsund
OpenLP.AdvancedTab
-
+
UI Settings
UI Settings
-
+
Number of recent files to display:
Number of recent files to display:
-
+
Remember active media manager tab on startup
Remember active media manager tab on startup
-
+
Double-click to send items straight to live
Double-click to send items straight to live
-
+
Expand new service items on creation
Expand new service items on creation
-
+
Enable application exit confirmation
Enable application exit confirmation
-
+
Mouse Cursor
Mouse Cursor
-
+
Hide mouse cursor when over display window
Hide mouse cursor when over display window
-
+
Default Image
Default Image
-
+
Background color:
Background colour:
-
+
Image file:
Image file:
-
+
Open File
Open File
+
+
+ Preview items when clicked in Media Manager
+
+
+
+
+ Advanced
+ Advanced
+
+
+
+ Click to select a color.
+
+
+
+
+ Browse for an image file to display.
+
+
+
+
+ Revert to the default OpenLP logo.
+
+
OpenLP.DisplayTagDialog
@@ -1425,7 +1433,7 @@ Tinggaard, Frode Woldsund
Attach File
-
+
Description characters to enter : %s
Description characters to enter : %s
@@ -1433,24 +1441,24 @@ Tinggaard, Frode Woldsund
OpenLP.ExceptionForm
-
+
Platform: %s
Platform: %s
-
+
Save Crash Report
Save Crash Report
-
+
Text files (*.txt *.log *.text)
Text files (*.txt *.log *.text)
-
+
**OpenLP Bug Report**
Version: %s
@@ -1481,7 +1489,7 @@ Version: %s
-
+
*OpenLP Bug Report*
Version: %s
@@ -1557,97 +1565,97 @@ 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...
-
+
First Time Wizard
First Time Wizard
-
+
Welcome to the First Time Wizard
Welcome to the First Time Wizard
-
+
This wizard will help you to configure OpenLP for initial use. Click the next button below to start the process of selection your initial options.
This wizard will help you to configure OpenLP for initial use. Click the next button below to start the process of selection your initial options.
-
+
Activate required Plugins
Activate required Plugins
-
+
Select the Plugins you wish to use.
Select the Plugins you wish to use.
-
+
Songs
Songs
-
+
Custom Text
Custom Text
-
+
Bible
Bible
-
+
Images
Images
-
+
Presentations
Presentations
-
+
Media (Audio and Video)
Media (Audio and Video)
-
+
Allow remote access
Allow remote access
-
+
Monitor Song Usage
Monitor Song Usage
-
+
Allow Alerts
Allow Alerts
-
+
No Internet Connection
No Internet Connection
-
+
Unable to detect an Internet connection.
Unable to detect an Internet connection.
-
+
No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes.
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.
@@ -1660,67 +1668,67 @@ To re-run the First Time Wizard and import this sample data at a later stage, pr
To cancel the First Time Wizard completely, press the finish button now.
-
+
Sample Songs
Sample Songs
-
+
Select and download public domain songs.
Select and download public domain songs.
-
+
Sample Bibles
Sample Bibles
-
+
Select and download free Bibles.
Select and download free Bibles.
-
+
Sample Themes
Sample Themes
-
+
Select and download sample themes.
Select and download sample themes.
-
+
Default Settings
Default Settings
-
+
Set up default settings to be used by OpenLP.
Set up default settings to be used by 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.
-
+
Default output display:
Default output display:
-
+
Select default theme:
Select default theme:
-
+
Starting configuration process...
Starting configuration process...
@@ -1728,130 +1736,135 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.GeneralTab
-
+
General
General
-
+
Monitors
Monitors
-
+
Select monitor for output display:
Select monitor for output display:
-
+
Display if a single screen
Display if a single screen
-
+
Application Startup
Application Startup
-
+
Show blank screen warning
Show blank screen warning
-
+
Automatically open the last service
Automatically open the last service
-
+
Show the splash screen
Show the splash screen
-
+
Application Settings
Application Settings
-
+
CCLI Details
CCLI Details
-
+
SongSelect username:
SongSelect username:
-
+
SongSelect password:
SongSelect password:
-
+
Display Position
Display Position
-
+
X
X
-
+
Y
Y
-
+
Height
Height
-
+
Width
Width
-
+
Override display position
Override display position
-
+
Prompt to save before starting a new service
Prompt to save before starting a new service
-
+
Automatically preview next item in service
Automatically preview next item in service
-
+
Slide loop delay:
Slide loop delay:
-
+
sec
sec
-
+
Check for updates to OpenLP
Check for updates to OpenLP
+
+
+ Unblank display when adding new live item
+
+
OpenLP.LanguageManager
-
+
Language
Language
-
+
Please restart OpenLP to use your new language setting.
Please restart OpenLP to use your new language setting.
@@ -1859,7 +1872,7 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainDisplay
-
+
OpenLP Display
OpenLP Display
@@ -1867,230 +1880,185 @@ 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
-
- Ctrl+N
- Ctrl+N
-
-
-
+
&Open
&Open
-
+
Open an existing service.
Open an existing service.
-
- Ctrl+O
- Ctrl+O
-
-
-
+
&Save
&Save
-
+
Save the current service to disk.
Save the current service to disk.
-
- Ctrl+S
- Ctrl+S
-
-
-
+
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.
-
- Ctrl+Shift+S
- Ctrl+Shift+S
-
-
-
+
E&xit
E&xit
-
+
Quit OpenLP
Quit OpenLP
-
- Alt+F4
- Alt+F4
-
-
-
+
&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.
-
- F8
- F8
-
-
-
+
&Theme Manager
&Theme Manager
-
+
Toggle Theme Manager
Toggle Theme Manager
-
+
Toggle the visibility of the theme manager.
Toggle the visibility of the theme manager.
-
- F10
- F10
-
-
-
+
&Service Manager
&Service Manager
-
+
Toggle Service Manager
Toggle Service Manager
-
+
Toggle the visibility of the service manager.
Toggle the visibility of the service manager.
-
- F9
- F9
-
-
-
+
&Preview Panel
&Preview Panel
-
+
Toggle Preview Panel
Toggle Preview Panel
-
+
Toggle the visibility of the preview panel.
Toggle the visibility of the preview panel.
-
-
- F11
- F11
-
&Live Panel
@@ -2108,126 +2076,111 @@ To cancel the First Time Wizard completely, press the finish button now.
- F12
- F12
-
-
-
&Plugin List
&Plugin List
-
+
List the Plugins
List the Plugins
-
- Alt+F7
- Alt+F7
-
-
-
+
&User Guide
&User Guide
-
+
&About
&About
-
+
More information about OpenLP
More information about OpenLP
-
- Ctrl+F1
- Ctrl+F1
-
-
-
+
&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/.
@@ -2236,53 +2189,48 @@ You can download the latest version from http://openlp.org/.
You can download the latest version from http://openlp.org/.
-
+
English
Please add the name of your language here
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?
-
+
Print the current Service Order.
Print the current Service Order.
-
- Ctrl+P
- Ctrl+P
-
-
-
+
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
-
+
&Autodetect
&Autodetect
@@ -2290,45 +2238,51 @@ You can download the latest version from http://openlp.org/.
OpenLP.MediaManagerItem
-
+
No Items Selected
No Items Selected
-
+
&Add to selected Service Item
&Add to selected Service Item
-
+
You must select one or more items to preview.
You must select one or more items to preview.
-
+
You must select one or more items to send live.
You must select one or more items to send live.
-
+
You must select one or more items.
You must select one or more items.
-
+
You must select an existing service item to add to.
You must select an existing service item to add to.
-
+
Invalid Service Item
Invalid Service Item
-
+
You must select a %s service item.
You must select a %s service item.
+
+
+ Duplicate file name %s.
+Filename already exists in list
+
+
OpenLP.PluginForm
@@ -2394,37 +2348,37 @@ You can download the latest version from http://openlp.org/.
Options
-
+
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
@@ -2434,20 +2388,25 @@ You can download the latest version from http://openlp.org/.
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
-
+
Service Order Sheet
Service Order Sheet
+
+
+ Add page break before each text item.
+
+
OpenLP.ScreenList
@@ -2473,212 +2432,252 @@ You can download the latest version from http://openlp.org/.
OpenLP.ServiceManager
-
+
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
-
+
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
-
- Notes:
- Notes:
-
-
-
+
&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.
+
+
+
+
+ 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.ServiceNoteForm
@@ -2691,7 +2690,7 @@ The content encoding is not UTF-8.
OpenLP.SettingsForm
-
+
Configure OpenLP
Configure OpenLP
@@ -2699,219 +2698,269 @@ The content encoding is not UTF-8.
OpenLP.ShortcutListDialog
-
+
Customize Shortcuts
Customize Shortcuts
-
+
Action
Action
-
+
Shortcut
Shortcut
-
- Default: %s
- Default: %s
-
-
-
- Custom:
- Custom:
-
-
-
- None
- None
-
-
-
+
Duplicate Shortcut
Duplicate Shortcut
-
+
The shortcut "%s" is already assigned to another action, please use a different shortcut.
The shortcut "%s" is already assigned to another action, please use a different shortcut.
-
+
Alternate
Alternate
+
+
+ Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively.
+
+
+
+
+ Default
+ Default
+
+
+
+ Custom
+ Custom
+
+
+
+ Capture shortcut.
+
+
+
+
+ Restore the default shortcut of this action.
+
+
+
+
+ Restore Default Shortcuts
+
+
+
+
+ Do you want to restore all shortcuts to their defaults?
+
+
OpenLP.SlideController
-
+
Move to previous
Move to previous
-
+
Move to next
Move to next
-
+
Hide
Hide
-
+
Move to live
Move to live
-
+
Start continuous loop
Start continuous loop
-
+
Stop continuous loop
Stop continuous loop
-
+
Delay between slides in seconds
Delay between slides in seconds
-
+
Start playing media
Start playing media
-
+
Go To
Go To
-
+
Edit and reload song preview
Edit and reload song preview
-
+
Blank Screen
Blank Screen
-
+
Blank to Theme
Blank to Theme
-
+
Show Desktop
Show Desktop
-
+
Previous Slide
Previous Slide
-
+
Next Slide
Next Slide
-
+
Previous Service
Previous Service
-
+
Next Service
Next Service
-
+
Escape Item
Escape Item
+
+
+ Start/Stop continuous loop
+
+
OpenLP.SpellTextEdit
-
+
Spelling Suggestions
Spelling Suggestions
-
+
Formatting Tags
Formatting Tags
+
+
+ Language:
+
+
OpenLP.StartTimeForm
-
- Item Start Time
- Item Start Time
-
-
-
+
Hours:
Hours:
-
- h
- h
-
-
-
- m
- m
-
-
-
+
Minutes:
Minutes:
-
+
Seconds:
Seconds:
+
+
+ Item Start and Finish Time
+
+
+
+
+ Start
+
+
+
+
+ Finish
+
+
+
+
+ Length
+
+
+
+
+ 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
+
+
OpenLP.ThemeForm
-
+
Select Image
Select Image
-
+
Theme Name Missing
Theme Name Missing
-
+
There is no name for this theme. Please enter one.
There is no name for this theme. Please enter one.
-
+
Theme Name Invalid
Theme Name Invalid
-
+
Invalid theme name. Please enter one.
Invalid theme name. Please enter one.
-
+
(%d lines per slide)
(%d lines per slide)
@@ -2979,69 +3028,69 @@ The content encoding is not UTF-8.
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.
@@ -3061,47 +3110,47 @@ The content encoding is not UTF-8.
&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)
@@ -3344,7 +3393,7 @@ The content encoding is not UTF-8.
&Footer Area
-
+
Edit Theme - %s
Edit Theme - %s
@@ -3352,42 +3401,42 @@ The content encoding is not UTF-8.
OpenLP.ThemesTab
-
+
Global Theme
Global Theme
-
+
Theme Level
Theme Level
-
+
S&ong Level
S&ong Level
-
+
Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme.
Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme.
-
+
&Service Level
&Service Level
-
+
Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme.
Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme.
-
+
&Global Level
&Global Level
-
+
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.
@@ -3395,290 +3444,290 @@ The content encoding is not UTF-8.
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.
-
+
&Add
&Add
-
+
Advanced
Advanced
-
+
All Files
All Files
-
+
Create a new service.
Create a new service.
-
+
&Edit
&Edit
-
+
Import
Import
-
+
Length %s
Length %s
-
+
Live
Live
-
+
Load
Load
-
+
New
New
-
+
New Service
New Service
-
+
OpenLP 2.0
OpenLP 2.0
-
+
Open Service
Open Service
-
+
Preview
Preview
-
+
Replace Background
Replace Background
-
+
Replace Live Background
Replace Live Background
-
+
Reset Background
Reset Background
-
+
Reset Live Background
Reset Live Background
-
+
Save Service
Save Service
-
+
Service
Service
-
+
Start %s
Start %s
-
+
&Vertical Align:
&Vertical Align:
-
+
Top
Top
-
+
Middle
Middle
-
+
Bottom
Bottom
-
+
About
About
-
+
Browse...
Browse...
-
+
Cancel
Cancel
-
+
CCLI number:
CCLI number:
-
+
Empty Field
Empty Field
-
+
Export
Export
-
+
pt
Abbreviated font pointsize unit
pt
-
+
Image
Image
-
+
Live Background Error
Live Background Error
-
+
Live Panel
Live Panel
-
+
New Theme
New Theme
-
+
No File Selected
Singular
No File Selected
-
+
No Files Selected
Plural
No Files Selected
-
+
No Item Selected
Singular
No Item Selected
-
+
No Items Selected
Plural
No Items Selected
-
+
openlp.org 1.x
openlp.org 1.x
-
+
Preview Panel
Preview Panel
-
+
Print Service Order
Print Service Order
-
+
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
@@ -3744,7 +3793,7 @@ 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
@@ -3754,7 +3803,7 @@ The content encoding is not UTF-8.
Welcome to the Song Export Wizard
-
+
Welcome to the Song Import Wizard
Welcome to the Song Import Wizard
@@ -3789,22 +3838,124 @@ The content encoding is not UTF-8.
Song Books
-
+
Song Maintenance
Song Maintenance
-
+
Topic
Singular
Topic
-
+
Topics
Plural
Topics
+
+
+ Continuous
+ Continuous
+
+
+
+ Default
+ Default
+
+
+
+ Display style:
+ Display style:
+
+
+
+ File
+
+
+
+
+ Help
+
+
+
+
+ h
+ The abbreviated unit for hours
+ h
+
+
+
+ Layout style:
+ Layout style:
+
+
+
+ Live Toolbar
+
+
+
+
+ m
+ The abbreviated unit for minutes
+ m
+
+
+
+ OpenLP is already running. Do you wish to continue?
+
+
+
+
+ Settings
+
+
+
+
+ Tools
+
+
+
+
+ Verse Per Slide
+ Verse Per Slide
+
+
+
+ Verse Per Line
+ Verse Per Line
+
+
+
+ View
+
+
+
+
+ View Model
+
+
+
+
+ Duplicate Error
+
+
+
+
+ Unsupported File
+ Unsupported File
+
+
+
+ Title and/or verses not found
+
+
+
+
+ XML syntax error
+
+
OpenLP.displayTagDialog
@@ -3817,49 +3968,49 @@ The content encoding is not UTF-8.
PresentationPlugin
-
+
<strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box.
<strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box.
-
+
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
-
+
Presentation
name singular
Presentation
-
+
Presentations
name plural
Presentations
-
+
Presentations
container title
Presentations
@@ -3883,22 +4034,17 @@ The content encoding is not UTF-8.
Present using:
-
+
File Exists
File Exists
-
+
A presentation with that filename already exists.
A presentation with that filename already exists.
-
- Unsupported File
- Unsupported File
-
-
-
+
This type of presentation is not supported.
This type of presentation is not supported.
@@ -3908,17 +4054,17 @@ The content encoding is not UTF-8.
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.
@@ -3988,63 +4134,68 @@ 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
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4134,12 +4285,12 @@ has been successfully created.
SongsPlugin
-
+
&Song
&Song
-
+
Import songs using the import wizard.
Import songs using the import wizard.
@@ -4303,7 +4454,7 @@ The encoding is responsible for the correct character representation.
The encoding is responsible for the correct character representation.
-
+
Exports songs using the export wizard.
Exports songs using the export wizard.
@@ -4349,9 +4500,17 @@ The encoding is responsible for the correct character representation.
SongsPlugin.CCLIFileImport
-
- Importing song %d of %d
- Importing song %d of %d
+
+ The file does not have a valid extension.
+
+
+
+
+ SongsPlugin.EasyWorshipSongImport
+
+
+ Administered by %s
+ Administered by %s
@@ -4432,77 +4591,77 @@ The encoding is responsible for the correct character representation.Theme, Copyright Info && Comments
-
+
Add Author
Add Author
-
+
This author does not exist, do you want to add them?
This author does not exist, do you want to add them?
-
+
This author is already in the list.
This author is already in the list.
-
+
You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author.
You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author.
-
+
Add Topic
Add Topic
-
+
This topic does not exist, do you want to add it?
This topic does not exist, do you want to add it?
-
+
This topic is already in the list.
This topic is already in the list.
-
+
You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic.
You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic.
-
+
You need to type in a song title.
You need to type in a song title.
-
+
You need to type in at least one verse.
You need to type in at least one verse.
-
+
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?
@@ -4527,7 +4686,7 @@ The encoding is responsible for the correct character representation.Number:
-
+
You need to have an author for this song.
You need to have an author for this song.
@@ -4641,140 +4800,145 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ImportWizardForm
-
+
Song Import Wizard
Song Import Wizard
-
+
This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from.
This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from.
-
+
Add Files...
Add Files...
-
+
Remove File(s)
Remove File(s)
-
+
Filename:
Filename:
-
+
Please wait while your songs are imported.
Please wait while your songs are imported.
-
+
Select Document/Presentation Files
Select Document/Presentation Files
-
+
Generic Document/Presentation
Generic Document/Presentation
-
+
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.
-
+
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.
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.
-
- Administered by %s
- Administered by %s
-
-
-
+
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
+
+
+ Copy
+ Copy
+
+
+
+ Save to File
+ Save to File
+
SongsPlugin.MediaItem
-
+
Maintain the lists of authors, topics and books
Maintain the lists of authors, topics and books
-
+
Titles
Titles
-
+
Lyrics
Lyrics
-
+
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)?
@@ -4782,12 +4946,20 @@ The encoding is responsible for the correct character representation.
+
+ SongsPlugin.OpenLP1SongImport
+
+
+ Not a valid openlp.org 1.x song database.
+
+
+
SongsPlugin.OpenLPSongImport
-
- Importing song %d of %d.
- Importing song %d of %d.
+
+ Not a valid OpenLP 2.0 song database.
+
@@ -4837,15 +5009,20 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImport
-
+
copyright
copyright
+
+
+ The following songs could not be imported:
+
+
SongsPlugin.SongImportForm
-
+
Your song import failed.
Your song import failed.
@@ -4893,47 +5070,47 @@ The encoding is responsible for the correct character representation.Could not save your modified topic, because it already exists.
-
+
Delete Author
Delete Author
-
+
Are you sure you want to delete the selected author?
Are you sure you want to delete the selected author?
-
+
This author cannot be deleted, they are currently assigned to at least one song.
This author cannot be deleted, they are currently assigned to at least one song.
-
+
Delete Topic
Delete Topic
-
+
Are you sure you want to delete the selected topic?
Are you sure you want to delete the selected topic?
-
+
This topic cannot be deleted, it is currently assigned to at least one song.
This topic cannot be deleted, it is currently assigned to at least one song.
-
+
Delete Book
Delete Book
-
+
Are you sure you want to delete the selected book?
Are you sure you want to delete the selected book?
-
+
This book cannot be deleted, it is currently assigned to at least one song.
This book cannot be deleted, it is currently assigned to at least one song.
@@ -5042,4 +5219,12 @@ The encoding is responsible for the correct character representation.Other
+
+ ThemeTab
+
+
+ Themes
+ Themes
+
+
diff --git a/resources/i18n/es.ts b/resources/i18n/es.ts
index 5f8c716ad..21bc210fd 100644
--- a/resources/i18n/es.ts
+++ b/resources/i18n/es.ts
@@ -3,24 +3,24 @@
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.
¿Desea continuar de todas maneras?
-
+
No Parameter Found
-
+
No Placeholder Found
-
+
The alert text does not contain '<>'.
Do you want to continue anyway?
@@ -29,34 +29,34 @@ Do you want to continue anyway?
AlertsPlugin
-
+
&Alert
&Alerta
-
+
Show an alert message.
Mostrar mensaje de alerta
-
+
<strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen
<strong>Alerts Plugin</strong><br />El plugin de alertas controla la visualización de mensajes de guardería
-
+
Alert
name singular
Alerta
-
+
Alerts
name plural
Alertas
-
+
Alerts
container title
Alertas
@@ -95,12 +95,12 @@ Do you want to continue anyway?
M&ostrar && Cerrar
-
+
New Alert
Alerta Nueva
-
+
You haven't specified any text for your alert. Please type in some text before clicking New.
No ha especificado ningún texto de alerta. Por favor, escriba algún texto antes de hacer clic en Nueva.
@@ -206,12 +206,12 @@ Do you want to continue anyway?
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?
@@ -219,64 +219,64 @@ Do you want to continue anyway?
BiblesPlugin
-
+
&Bible
&Biblia
-
+
<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 />El plugin de Biblia proporciona la capacidad de mostrar versículos de la Biblia de fuentes diferentes durante el servicio..
-
+
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
-
+
Bible
name singular
Biblia
-
+
Bibles
name plural
Biblias
-
+
Bibles
container title
Biblias
@@ -341,73 +341,48 @@ Book Chapter:Verse-Chapter:Verse
BiblesPlugin.BiblesTab
-
+
Verse Display
Visualización de versículos
-
+
Only show new chapter numbers
Solo mostrar los números de capítulos nuevos
-
- Layout style:
-
-
-
-
- Display style:
-
-
-
-
+
Bible theme:
-
- Verse Per Slide
-
-
-
-
- Verse Per Line
-
-
-
-
- Continuous
-
-
-
-
+
No Brackets
-
+
( And )
-
+
{ And }
-
+
[ And ]
-
+
Note:
Changes do not affect verses already in the service.
-
+
Display second Bible verses
@@ -415,178 +390,178 @@ Changes do not affect verses already in the service.
BiblesPlugin.ImportWizardForm
-
+
Bible Import Wizard
Asistente de Importación de Biblias
-
+
This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from.
Este asistente le ayudará a importar Biblias en una variedad de formatos. Haga clic en el botón siguiente para empezar el proceso seleccionando un formato a importar.
-
+
Web Download
Descarga Web
-
+
Location:
Ubicación:
-
+
Crosswalk
Crosswalk
-
+
BibleGateway
BibleGateway
-
+
Bible:
Biblia:
-
+
Download Options
Opciones de Descarga
-
+
Server:
Servidor:
-
+
Username:
Usuario:
-
+
Password:
Contraseña:
-
+
Proxy Server (Optional)
Servidor Proxy (Opcional)
-
+
License Details
Detalles de Licencia
-
+
Set up the Bible's license details.
Establezca los detalles de licencia de la Biblia.
-
+
Version name:
-
+
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.
-
+
You need to specify a file of Bible verses to import.
-
+
You need to specify a version name for your Bible.
-
+
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.
-
+
This Bible already exists. Please import a different Bible or first delete the existing one.
-
+
Starting Registering bible...
-
+
Registered bible. Please note, that verses will be downloaded on
demand and thus an internet connection is required.
-
+
Permissions:
-
+
CSV File
-
+
Bibleserver
-
+
Bible file:
-
+
Testaments file:
-
+
Books file:
-
+
Verses file:
-
+
You have not specified a testaments file. Do you want to proceed with the import?
-
+
openlp.org 1.x Bible Files
@@ -594,67 +569,67 @@ demand and thus an internet connection is required.
BiblesPlugin.MediaItem
-
+
Quick
Rápida
-
+
Find:
Encontrar:
-
+
Results:
Resultados:
-
+
Book:
Libro:
-
+
Chapter:
Capítulo:
-
+
Verse:
Versículo:
-
+
From:
Desde:
-
+
To:
Hasta:
-
+
Text Search
Búsqueda de texto
-
+
Clear
Limpiar
-
+
Keep
Conservar
-
+
Second:
-
+
Scripture Reference
@@ -671,12 +646,12 @@ demand and thus an internet connection is required.
BiblesPlugin.OsisImport
-
+
Detecting encoding (this may take a few minutes)...
-
+
Importing %s %s...
Importing <book name> <chapter>...
@@ -751,12 +726,12 @@ demand and thus an internet connection is required.
-
+
You need to type in a title.
-
+
You need to add at least one slide
@@ -827,6 +802,14 @@ demand and thus an internet connection is required.
+
+ GeneralTab
+
+
+ General
+
+
+
ImagePlugin
@@ -891,7 +874,7 @@ demand and thus an internet connection is required.
ImagePlugin.ExceptionDialog
-
+
Select Attachment
@@ -899,38 +882,38 @@ demand and thus an internet connection is required.
ImagePlugin.MediaItem
-
+
Select Image(s)
Seleccionar Imagen(es)
-
+
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.
@@ -999,37 +982,37 @@ Do you want to add the other images anyway?
MediaPlugin.MediaItem
-
+
Select Media
Seleccionar Medios
-
+
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 (*)
@@ -1050,7 +1033,7 @@ Do you want to add the other images anyway?
OpenLP
-
+
Image Files
@@ -1084,7 +1067,7 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr
Contribuir
-
+
build %s
@@ -1176,65 +1159,90 @@ Tinggaard, Frode Woldsund
OpenLP.AdvancedTab
-
+
UI Settings
-
+
Number of recent files to display:
-
+
Remember active media manager tab on startup
-
+
Double-click to send items straight to live
-
+
Expand new service items on creation
-
+
Enable application exit confirmation
-
+
Mouse Cursor
-
+
Hide mouse cursor when over display window
-
+
Default Image
-
+
Background color:
Color de Fondo:
-
+
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.DisplayTagDialog
@@ -1341,7 +1349,7 @@ Tinggaard, Frode Woldsund
-
+
Description characters to enter : %s
@@ -1349,23 +1357,23 @@ Tinggaard, Frode Woldsund
OpenLP.ExceptionForm
-
+
Platform: %s
-
+
Save Crash Report
-
+
Text files (*.txt *.log *.text)
-
+
**OpenLP Bug Report**
Version: %s
@@ -1383,7 +1391,7 @@ Version: %s
-
+
*OpenLP Bug Report*
Version: %s
@@ -1446,97 +1454,97 @@ Version: %s
-
+
Download complete. Click the finish button to start OpenLP.
-
+
Enabling selected plugins...
-
+
First Time Wizard
-
+
Welcome to the First Time Wizard
-
+
This wizard will help you to configure OpenLP for initial use. Click the next button below to start the process of selection your initial options.
-
+
Activate required Plugins
-
+
Select the Plugins you wish to use.
-
+
Songs
-
+
Custom Text
-
+
Bible
-
+
Images
-
+
Presentations
-
+
Media (Audio and Video)
-
+
Allow remote access
-
+
Monitor Song Usage
-
+
Allow Alerts
-
+
No Internet Connection
-
+
Unable to detect an Internet connection.
-
+
No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes.
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.
@@ -1545,67 +1553,67 @@ To cancel the First Time Wizard completely, press the finish button now.
-
+
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.
-
+
Setting Up And Importing
-
+
Please wait while OpenLP is set up and your data is imported.
-
+
Default output display:
-
+
Select default theme:
-
+
Starting configuration process...
@@ -1613,130 +1621,135 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.GeneralTab
-
+
General
General
-
+
Monitors
Monitores
-
+
Select monitor for output display:
Seleccionar monitor para visualizar la salida:
-
+
Display if a single screen
-
+
Application Startup
Inicio de la Aplicación
-
+
Show blank screen warning
Mostrar advertencia de pantalla en blanco
-
+
Automatically open the last service
Abrir automáticamente el último servicio
-
+
Show the splash screen
Mostrar pantalla de bienvenida
-
+
Application Settings
Configuración del Programa
-
+
Prompt to save before starting a new service
-
+
Automatically preview next item in service
-
+
Slide loop delay:
-
+
sec
-
+
CCLI Details
Detalles de CCLI
-
+
SongSelect username:
-
+
SongSelect password:
-
+
Display Position
-
+
X
-
+
Y
-
+
Height
-
+
Width
-
+
Override display position
-
+
Check for updates to OpenLP
+
+
+ Unblank display when adding new live item
+
+
OpenLP.LanguageManager
-
+
Language
-
+
Please restart OpenLP to use your new language setting.
@@ -1744,7 +1757,7 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainDisplay
-
+
OpenLP Display
@@ -1752,230 +1765,185 @@ To cancel the First Time Wizard completely, press the finish button now.
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
-
- Ctrl+N
- Ctrl+N
-
-
-
+
&Open
&Abrir
-
+
Open an existing service.
-
- Ctrl+O
- Ctrl+O
-
-
-
+
&Save
&Guardar
-
+
Save the current service to disk.
-
- Ctrl+S
- Crtl+G
-
-
-
+
Save &As...
Guardar &Como...
-
+
Save Service As
Guardar Servicio Como
-
+
Save the current service under a new name.
-
- Ctrl+Shift+S
-
-
-
-
+
E&xit
&Salir
-
+
Quit OpenLP
Salir de OpenLP
-
- Alt+F4
- Alt+F4
-
-
-
+
&Theme
&Tema
-
+
&Configure OpenLP...
-
+
&Media Manager
Gestor de &Medios
-
+
Toggle Media Manager
Alternar Gestor de Medios
-
+
Toggle the visibility of the media manager.
-
- F8
- F8
-
-
-
+
&Theme Manager
Gestor de &Temas
-
+
Toggle Theme Manager
Alternar Gestor de Temas
-
+
Toggle the visibility of the theme manager.
-
- F10
- F10
-
-
-
+
&Service Manager
Gestor de &Servicio
-
+
Toggle Service Manager
Alternar Gestor de Servicio
-
+
Toggle the visibility of the service manager.
-
- F9
- F9
-
-
-
+
&Preview Panel
&Panel de Vista Previa
-
+
Toggle Preview Panel
Alternar Panel de Vista Previa
-
+
Toggle the visibility of the preview panel.
-
-
- F11
- F11
-
&Live Panel
@@ -1993,179 +1961,159 @@ To cancel the First Time Wizard completely, press the finish button now.
- F12
- F12
-
-
-
&Plugin List
Lista de &Plugins
-
+
List the Plugins
Lista de Plugins
-
- Alt+F7
- Alt+F7
-
-
-
+
&User Guide
Guía de &Usuario
-
+
&About
&Acerca De
-
+
More information about OpenLP
Más información acerca de OpenLP
-
- Ctrl+F1
- Ctrl+F1
-
-
-
+
&Online Help
&Ayuda En Línea
-
+
&Web Site
Sitio &Web
-
+
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
En &vivo
-
+
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
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 esta en negro
-
+
Default Theme: %s
-
+
English
Please add the name of your language here
Español
-
+
Configure &Shortcuts...
-
+
Close OpenLP
-
+
Are you sure you want to close OpenLP?
-
+
Print the current Service Order.
-
- Ctrl+P
-
-
-
-
+
Open &Data Folder...
-
+
Open the folder where songs, bibles and other data resides.
-
+
&Configure Display Tags
-
+
&Autodetect
@@ -2173,45 +2121,51 @@ You can download the latest version from http://openlp.org/.
OpenLP.MediaManagerItem
-
+
No Items Selected
-
+
&Add to selected Service Item
-
+
You must select one or more items to preview.
-
+
You must select one or more items to send live.
-
+
You must select one or more items.
-
+
You must select an existing service item to add to.
-
+
Invalid Service Item
-
+
You must select a %s service item.
+
+
+ Duplicate file name %s.
+Filename already exists in list
+
+
OpenLP.PluginForm
@@ -2277,37 +2231,37 @@ You can download the latest version from http://openlp.org/.
-
+
Close
-
+
Copy
-
+
Copy as HTML
-
+
Zoom In
-
+
Zoom Out
-
+
Zoom Original
-
+
Other Options
@@ -2317,20 +2271,25 @@ You can download the latest version from http://openlp.org/.
-
+
Include service item notes
-
+
Include play length of media items
-
+
Service Order Sheet
+
+
+ Add page break before each text item.
+
+
OpenLP.ScreenList
@@ -2356,211 +2315,251 @@ You can download the latest version from http://openlp.org/.
OpenLP.ServiceManager
-
+
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
-
+
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
&Editar Ítem
-
+
&Reorder Item
-
+
&Notes
&Notas
-
+
&Change Item Theme
&Cambiar Tema de Ítem
-
+
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
-
- Notes:
-
-
-
-
+
&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
+
+
+
+
+ This file is either corrupt or not an OpenLP 2.0 service file.
+
+
OpenLP.ServiceNoteForm
@@ -2573,7 +2572,7 @@ The content encoding is not UTF-8.
OpenLP.SettingsForm
-
+
Configure OpenLP
@@ -2581,219 +2580,269 @@ The content encoding is not UTF-8.
OpenLP.ShortcutListDialog
-
+
Customize Shortcuts
-
+
Action
-
+
Shortcut
-
- Default: %s
-
-
-
-
- Custom:
-
-
-
-
- None
-
-
-
-
+
Duplicate Shortcut
-
+
The shortcut "%s" is already assigned to another action, please use a different shortcut.
-
+
Alternate
+
+
+ Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively.
+
+
+
+
+ Default
+
+
+
+
+ Custom
+
+
+
+
+ Capture shortcut.
+
+
+
+
+ Restore the default shortcut of this action.
+
+
+
+
+ Restore Default Shortcuts
+
+
+
+
+ Do you want to restore all shortcuts to their defaults?
+
+
OpenLP.SlideController
-
+
Move to previous
Regresar al anterior
-
+
Move to next
Ir al siguiente
-
+
Hide
-
+
Move to live
Proyectar en vivo
-
+
Start continuous loop
Iniciar bucle continuo
-
+
Stop continuous loop
Detener el bucle
-
+
Delay between slides in seconds
Espera entre diapositivas en segundos
-
+
Start playing media
Iniciar la reproducción de medios
-
+
Go To
-
+
Edit and reload song preview
-
+
Blank Screen
-
+
Blank to Theme
-
+
Show Desktop
-
+
Previous Slide
-
+
Next Slide
-
+
Previous Service
-
+
Next Service
-
+
Escape Item
+
+
+ Start/Stop continuous loop
+
+
OpenLP.SpellTextEdit
-
+
Spelling Suggestions
-
+
Formatting Tags
+
+
+ Language:
+
+
OpenLP.StartTimeForm
-
- Item Start Time
-
-
-
-
+
Hours:
-
- h
-
-
-
-
- m
-
-
-
-
+
Minutes:
-
+
Seconds:
+
+
+ Item Start and Finish Time
+
+
+
+
+ Start
+
+
+
+
+ Finish
+
+
+
+
+ Length
+
+
+
+
+ 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
+
+
OpenLP.ThemeForm
-
+
Select Image
-
+
Theme Name Missing
-
+
There is no name for this theme. Please enter one.
-
+
Theme Name Invalid
-
+
Invalid theme name. Please enter one.
-
+
(%d lines per slide)
@@ -2861,68 +2910,68 @@ The content encoding is not UTF-8.
-
+
%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)
Guardar 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
Seleccione el Archivo de Tema a Importar
-
+
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.
@@ -2942,47 +2991,47 @@ The content encoding is not UTF-8.
-
+
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)
@@ -3225,7 +3274,7 @@ The content encoding is not UTF-8.
-
+
Edit Theme - %s
@@ -3233,42 +3282,42 @@ The content encoding is not UTF-8.
OpenLP.ThemesTab
-
+
Global Theme
-
+
Theme Level
-
+
S&ong Level
-
+
Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme.
Utilice el tema de cada canción en la base de datos. Si una canción no tiene un tema asociado, utilizar el tema del servicio. Si el servicio no tiene un tema, utilizar el tema global.
-
+
&Service Level
-
+
Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme.
Utilizar el tema del servicio, ignorando el tema de las canciones individuales. Si el servicio no tiene un tema, utilizar el tema global.
-
+
&Global Level
-
+
Use the global theme, overriding any themes associated with either the service or the songs.
Utilice el tema global, ignorado los temas asociados con el servicio o con las canciones.
@@ -3276,290 +3325,290 @@ The content encoding is not UTF-8.
OpenLP.Ui
-
+
Error
Error
-
+
&Delete
&Eliminar
-
+
Delete the selected item.
-
+
Move selection up one position.
-
+
Move selection down one position.
-
+
&Add
-
+
Advanced
Avanzado
-
+
All Files
-
+
Create a new service.
-
+
&Edit
&Editar
-
+
Import
-
+
Length %s
-
+
Live
-
+
Load
-
+
New
-
+
New Service
Servicio Nuevo
-
+
OpenLP 2.0
OpenLP 2.0
-
+
Open Service
Abrir Servicio
-
+
Preview
Vista Previa
-
+
Replace Background
-
+
Replace Live Background
-
+
Reset Background
-
+
Reset Live Background
-
+
Save Service
Guardar Servicio
-
+
Service
-
+
Start %s
-
+
&Vertical Align:
-
+
Top
Superior
-
+
Middle
Medio
-
+
Bottom
Inferior
-
+
About
Acerca De
-
+
Browse...
-
+
Cancel
-
+
CCLI number:
-
+
Empty Field
-
+
Export
-
+
pt
Abbreviated font pointsize unit
pt
-
+
Image
Imagen
-
+
Live Background Error
-
+
Live Panel
-
+
New Theme
-
+
No File Selected
Singular
-
+
No Files Selected
Plural
-
+
No Item Selected
Singular
-
+
No Items Selected
Plural
-
+
openlp.org 1.x
-
+
Preview Panel
-
+
Print Service Order
-
+
s
The abbreviated unit for seconds
-
+
Save && Preview
Guardar && Vista Previa
-
+
Search
Buscar
-
+
You must select an item to delete.
-
+
You must select an item to edit.
-
+
Theme
Singular
Tema
-
+
Themes
Plural
-
+
Version
@@ -3625,7 +3674,7 @@ The content encoding is not UTF-8.
-
+
Welcome to the Bible Import Wizard
Bienvenido al Asistente de Importación de Biblias
@@ -3635,7 +3684,7 @@ The content encoding is not UTF-8.
-
+
Welcome to the Song Import Wizard
@@ -3670,22 +3719,124 @@ The content encoding is not UTF-8.
-
+
Song Maintenance
-
+
Topic
Singular
Categoría
-
+
Topics
Plural
Categoría
+
+
+ Continuous
+
+
+
+
+ Default
+
+
+
+
+ Display style:
+
+
+
+
+ File
+
+
+
+
+ Help
+
+
+
+
+ h
+ The abbreviated unit for hours
+
+
+
+
+ Layout style:
+
+
+
+
+ Live Toolbar
+
+
+
+
+ m
+ The abbreviated unit for minutes
+
+
+
+
+ OpenLP is already running. Do you wish to continue?
+
+
+
+
+ Settings
+
+
+
+
+ Tools
+
+
+
+
+ Verse Per Slide
+
+
+
+
+ Verse Per Line
+
+
+
+
+ View
+
+
+
+
+ View Model
+
+
+
+
+ Duplicate Error
+
+
+
+
+ Unsupported File
+
+
+
+
+ Title and/or verses not found
+
+
+
+
+ XML syntax error
+
+
OpenLP.displayTagDialog
@@ -3698,49 +3849,49 @@ The content encoding is not UTF-8.
PresentationPlugin
-
+
<strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box.
-
+
Load a new Presentation
-
+
Delete the selected Presentation
-
+
Preview the selected Presentation
-
+
Send the selected Presentation live
-
+
Add the selected Presentation to the service
-
+
Presentation
name singular
Presentación
-
+
Presentations
name plural
Presentaciones
-
+
Presentations
container title
Presentaciones
@@ -3764,22 +3915,17 @@ The content encoding is not UTF-8.
Mostrar usando:
-
+
File Exists
-
+
A presentation with that filename already exists.
Ya existe una presentación con ese nombre.
-
- Unsupported File
-
-
-
-
+
This type of presentation is not supported.
@@ -3789,17 +3935,17 @@ The content encoding is not UTF-8.
-
+
Missing Presentation
-
+
The Presentation %s no longer exists.
-
+
The Presentation %s is incomplete, please reload.
@@ -3869,63 +4015,68 @@ 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
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4013,12 +4164,12 @@ has been successfully created.
SongsPlugin
-
+
&Song
&Canción
-
+
Import songs using the import wizard.
@@ -4179,7 +4330,7 @@ The encoding is responsible for the correct character representation.
-
+
Exports songs using the export wizard.
@@ -4225,8 +4376,16 @@ The encoding is responsible for the correct character representation.
SongsPlugin.CCLIFileImport
-
- Importing song %d of %d
+
+ The file does not have a valid extension.
+
+
+
+
+ SongsPlugin.EasyWorshipSongImport
+
+
+ Administered by %s
@@ -4328,82 +4487,82 @@ The encoding is responsible for the correct character representation.
Tema, Derechos de Autor && Comentarios
-
+
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.
@@ -4517,140 +4676,145 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ImportWizardForm
-
+
Select Document/Presentation Files
-
+
Song Import Wizard
-
+
This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from.
-
+
Generic Document/Presentation
-
+
Filename:
-
+
Add Files...
-
+
Remove File(s)
-
+
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.
-
+
Please wait while your songs are imported.
-
+
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.
-
- Administered by %s
-
-
-
-
+
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
+
+
+ Copy
+
+
+
+
+ Save to File
+
+
SongsPlugin.MediaItem
-
+
Maintain the lists of authors, topics and books
Administrar la lista de autores, categorías y libros
-
+
Titles
Títulos
-
+
Lyrics
Letra
-
+
Delete Song(s)?
-
+
CCLI License:
-
+
Entire Song
-
+
Are you sure you want to delete the %n selected song(s)?
@@ -4658,11 +4822,19 @@ The encoding is responsible for the correct character representation.
+
+ SongsPlugin.OpenLP1SongImport
+
+
+ Not a valid openlp.org 1.x song database.
+
+
+
SongsPlugin.OpenLPSongImport
-
- Importing song %d of %d.
+
+ Not a valid OpenLP 2.0 song database.
@@ -4713,15 +4885,20 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImport
-
+
copyright
+
+
+ The following songs could not be imported:
+
+
SongsPlugin.SongImportForm
-
+
Your song import failed.
@@ -4769,47 +4946,47 @@ The encoding is responsible for the correct character representation.
-
+
Delete Author
Borrar Autor
-
+
Are you sure you want to delete the selected author?
¿Está seguro que desea eliminar el autor seleccionado?
-
+
This author cannot be deleted, they are currently assigned to at least one song.
-
+
Delete Topic
Borrar Categoría
-
+
Are you sure you want to delete the selected topic?
¿Está seguro que desea eliminar la categoría seleccionada?
-
+
This topic cannot be deleted, it is currently assigned to at least one song.
-
+
Delete Book
Eliminar Libro
-
+
Are you sure you want to delete the selected book?
¿Está seguro de que quiere eliminar el libro seleccionado?
-
+
This book cannot be deleted, it is currently assigned to at least one song.
@@ -4918,4 +5095,12 @@ The encoding is responsible for the correct character representation.
Otro
+
+ ThemeTab
+
+
+ Themes
+
+
+
diff --git a/resources/i18n/et.ts b/resources/i18n/et.ts
index 14d81f18e..606156531 100644
--- a/resources/i18n/et.ts
+++ b/resources/i18n/et.ts
@@ -3,24 +3,24 @@
AlertPlugin.AlertForm
-
+
You have not entered a parameter to be replaced.
Do you want to continue anyway?
Sa ei ole sisestanud parameetrit, mida asendada.
Kas tahad sellegi poolest jätkata?
-
+
No Parameter Found
Parameetreid ei leitud
-
+
No Placeholder Found
Kohahoidjat ei leitud
-
+
The alert text does not contain '<>'.
Do you want to continue anyway?
Teate tekst ei sisalda '<>'.
@@ -30,34 +30,34 @@ Kas tahad sellest hoolimata jätkata?
AlertsPlugin
-
+
&Alert
&Teade
-
+
Show an alert message.
Teate kuvamine.
-
+
<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
-
+
Alert
name singular
Teade
-
+
Alerts
name plural
Teated
-
+
Alerts
container title
Teated
@@ -96,12 +96,12 @@ Kas tahad sellest hoolimata jätkata?
Kuva && &sulge
-
+
New Alert
Uus teade
-
+
You haven't specified any text for your alert. Please type in some text before clicking New.
Sa ei ole oma teatele teksti lisanud. Enne nupu Uus vajutamist sisesta mingi tekst.
@@ -207,12 +207,12 @@ Kas tahad sellest hoolimata jätkata?
BiblePlugin.MediaItem
-
+
Bible not fully loaded.
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?
@@ -220,64 +220,64 @@ Kas tahad sellest hoolimata jätkata?
BiblesPlugin
-
+
&Bible
&Piibel
-
+
<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 plugina abil saab teenistuse ajal kuvada erinevate tõlgete piiblisalme.
-
+
Import a Bible
Piibli importimine
-
+
Add a new Bible
Uue Piibli lisamine
-
+
Edit the selected Bible
Valitud Piibli muutmine
-
+
Delete the selected Bible
Valitud Piibli kustutamine
-
+
Preview the selected Bible
Valitud Piibli eelvaade
-
+
Send the selected Bible live
Valitud Piibli saatmine ekraanile
-
+
Add the selected Bible to the service
Valitud Piibli lisamine teenistusse
-
+
Bible
name singular
Piibel
-
+
Bibles
name plural
Piiblid
-
+
Bibles
container title
Piiblid
@@ -350,74 +350,49 @@ Raamat peatükk:salm-peatükk:salm
BiblesPlugin.BiblesTab
-
+
Verse Display
Salmi kuvamine
-
+
Only show new chapter numbers
Kuvatakse ainult uute peatükkide numbreid
-
- Layout style:
- Paigutuse laad:
-
-
-
- Display style:
- Kuvalaad:
-
-
-
+
Bible theme:
Piibli kujundus:
-
- Verse Per Slide
- Iga salm eraldi slaidil
-
-
-
- Verse Per Line
- Iga salm eraldi real
-
-
-
- Continuous
- Jätkuv
-
-
-
+
No Brackets
Ilma sulgudeta
-
+
( And )
( ja )
-
+
{ And }
{ ja }
-
+
[ And ]
[ ja ]
-
+
Note:
Changes do not affect verses already in the service.
Märkus:
Muudatused ei rakendu juba teenistusesse lisatud salmidele.
-
+
Display second Bible verses
Piiblit kuvatakse kahes keeles
@@ -425,179 +400,179 @@ Muudatused ei rakendu juba teenistusesse lisatud salmidele.
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.
-
+
Starting Registering bible...
Piibli registreerimise alustamine...
-
+
Registered bible. Please note, that verses will be downloaded on
demand and thus an internet connection is required.
Piibel on registreeritud. Pane tähele, et salmid laaditakse alla
vajadusel, seetõttu on vajalik internetiühendus.
-
+
Permissions:
Õigused:
-
+
CSV File
CSV fail
-
+
Bibleserver
Piibliserver
-
+
Bible file:
Piibli fail:
-
+
Testaments file:
Testamentide fail:
-
+
Books file:
Raamatute fail:
-
+
Verses file:
Salmide fail:
-
+
You have not specified a testaments file. Do you want to proceed with the import?
Sa pole määranud testamentide faili. Kas tahad importimisega jätkata?
-
+
openlp.org 1.x Bible Files
openlp.org 1.x piiblifailid
@@ -605,67 +580,67 @@ vajadusel, seetõttu on vajalik internetiühendus.
BiblesPlugin.MediaItem
-
+
Quick
Kiirotsing
-
+
Find:
Otsing:
-
+
Results:
Tulemused:
-
+
Book:
Raamat:
-
+
Chapter:
Peatükk:
-
+
Verse:
Salm:
-
+
From:
Algus:
-
+
To:
Kuni:
-
+
Text Search
Tekstiotsing
-
+
Clear
Puhasta
-
+
Keep
Säilita
-
+
Second:
Teine:
-
+
Scripture Reference
Salmiviide
@@ -682,12 +657,12 @@ vajadusel, seetõttu on vajalik internetiühendus.
BiblesPlugin.OsisImport
-
+
Detecting encoding (this may take a few minutes)...
Kooditabeli tuvastamine (see võib võtta mõne minuti)...
-
+
Importing %s %s...
Importing <book name> <chapter>...
%s %s. peatüki importimine...
@@ -762,12 +737,12 @@ vajadusel, seetõttu on vajalik internetiühendus.
&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
@@ -838,6 +813,14 @@ vajadusel, seetõttu on vajalik internetiühendus.
Kohandatud
+
+ GeneralTab
+
+
+ General
+ Üldine
+
+
ImagePlugin
@@ -902,7 +885,7 @@ vajadusel, seetõttu on vajalik internetiühendus.
ImagePlugin.ExceptionDialog
-
+
Select Attachment
Manuse valimine
@@ -910,38 +893,38 @@ vajadusel, seetõttu on vajalik internetiühendus.
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.
@@ -1010,37 +993,37 @@ Do you want to add the other images anyway?
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 (*)
@@ -1061,7 +1044,7 @@ Do you want to add the other images anyway?
OpenLP
-
+
Image Files
Pildifailid
@@ -1084,7 +1067,7 @@ Do you want to add the other images anyway?
Aita kaasa
-
+
build %s
kompileering %s
@@ -1256,65 +1239,90 @@ Jon Tibble, Carsten Tinggaard, Frode Woldsund
OpenLP.AdvancedTab
-
+
UI Settings
Kasutajaliidese sätted
-
+
Number of recent files to display:
Kuvatavate hiljutiste failide arv:
-
+
Remember active media manager tab on startup
Käivitumisel avatakse viimati avatud meediahalduri osa
-
+
Double-click to send items straight to live
Topeltklõps otse ekraanile saatmiseks
-
+
Expand new service items on creation
Uued teenistuse kirjed on loomisel laiendatud
-
+
Enable application exit confirmation
Rakenduse lõpetamise teabe lubamine
-
+
Mouse Cursor
Hiirekursor
-
+
Hide mouse cursor when over display window
Ekraanil oleva akna kohal peidetakse hiirekursor
-
+
Default Image
Vaikimisi pilt
-
+
Background color:
Taustapilt:
-
+
Image file:
Pildifail:
-
+
Open File
Faili avamine
+
+
+ Preview items when clicked in Media Manager
+
+
+
+
+ Advanced
+ Täpsem
+
+
+
+ Click to select a color.
+
+
+
+
+ Browse for an image file to display.
+
+
+
+
+ Revert to the default OpenLP logo.
+
+
OpenLP.DisplayTagDialog
@@ -1422,7 +1430,7 @@ Jon Tibble, Carsten Tinggaard, Frode Woldsund
Pane fail kaasa
-
+
Description characters to enter : %s
Puuduvad tähed kirjelduses: %s
@@ -1430,24 +1438,24 @@ Jon Tibble, Carsten Tinggaard, Frode Woldsund
OpenLP.ExceptionForm
-
+
Platform: %s
Platvorm: %s
-
+
Save Crash Report
Vearaporti salvestamine
-
+
Text files (*.txt *.log *.text)
Tekstifailid (*.txt *.log *.text)
-
+
**OpenLP Bug Report**
Version: %s
@@ -1478,7 +1486,7 @@ Version: %s
-
+
*OpenLP Bug Report*
Version: %s
@@ -1554,97 +1562,97 @@ 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...
-
+
First Time Wizard
Esmakäivituse nõustaja
-
+
Welcome to the First Time Wizard
Tere tulemast esmakäivituse nõustajasse
-
+
This wizard will help you to configure OpenLP for initial use. Click the next button below to start the process of selection your initial options.
Nõustaja aitab teha esmase seadistuse OpenLP kasutamiseks. Klõpsa all asuval edasi nupul, et alustada lähtevalikute tegemist.
-
+
Activate required Plugins
Vajalike pluginate sisselülitamine
-
+
Select the Plugins you wish to use.
Vali pluginad, mida tahad kasutada.
-
+
Songs
Laulud
-
+
Custom Text
Kohandatud tekst
-
+
Bible
Piibel
-
+
Images
Pildid
-
+
Presentations
Esitlused
-
+
Media (Audio and Video)
Meedia (audio ja video)
-
+
Allow remote access
Kaugligipääs
-
+
Monitor Song Usage
Laulukasutuse monitooring
-
+
Allow Alerts
Teadaanded
-
+
No Internet Connection
Internetiühendust pole
-
+
Unable to detect an Internet connection.
Internetiühendust ei leitud.
-
+
No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes.
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.
@@ -1657,67 +1665,67 @@ Esmakäivituse nõustaja taaskäivitamiseks hiljem, klõpsa praegu loobu nupule,
Esmakäivituse nõustajast loobumiseks klõpsa lõpetamise nupule.
-
+
Sample Songs
Näidislaulud
-
+
Select and download public domain songs.
Vali ja laadi alla avalikku omandisse kuuluvaid laule.
-
+
Sample Bibles
Näidispiiblid
-
+
Select and download free Bibles.
Vabade Piiblite valimine ja allalaadimine.
-
+
Sample Themes
Näidiskujundused
-
+
Select and download sample themes.
Näidiskujunduste valimine ja allalaadimine.
-
+
Default Settings
Vaikimisi sätted
-
+
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:
Vaikimisi ekraani kuva:
-
+
Select default theme:
Vali vaikimisi kujundus:
-
+
Starting configuration process...
Seadistamise alustamine...
@@ -1725,130 +1733,135 @@ Esmakäivituse nõustajast loobumiseks klõpsa lõpetamise nupule.
OpenLP.GeneralTab
-
+
General
Üldine
-
+
Monitors
Monitorid
-
+
Select monitor for output display:
Vali väljundkuva ekraan:
-
+
Display if a single screen
Kuvatakse, kui on ainult üks ekraan
-
+
Application Startup
Rakenduse käivitumine
-
+
Show blank screen warning
Kuvatakse tühjendatud ekraani hoiatust
-
+
Automatically open the last service
Automaatselt avatakse viimane teenistus
-
+
Show the splash screen
Käivitumisel kuvatakse logo
-
+
Application Settings
Rakenduse sätted
-
+
Prompt to save before starting a new service
Enne uue teenistuse alustamist küsitakse, kas salvestada avatud teenistus
-
+
Automatically preview next item in service
Järgmise teenistuse elemendi automaatne eelvaade
-
+
Slide loop delay:
Slaidi pikkus korduses:
-
+
sec
sek
-
+
CCLI Details
CCLI andmed
-
+
SongSelect username:
SongSelecti kasutajanimi:
-
+
SongSelect password:
SongSelecti parool:
-
+
Display Position
Kuva asukoht
-
+
X
X
-
+
Y
Y
-
+
Height
Kõrgus
-
+
Width
Laius
-
+
Override display position
Kuva asukoht määratakse jõuga
-
+
Check for updates to OpenLP
OpenLP uuenduste kontrollimine
+
+
+ Unblank display when adding new live item
+
+
OpenLP.LanguageManager
-
+
Language
Keel
-
+
Please restart OpenLP to use your new language setting.
Uue keele kasutamiseks käivita OpenLP uuesti.
@@ -1856,7 +1869,7 @@ Esmakäivituse nõustajast loobumiseks klõpsa lõpetamise nupule.
OpenLP.MainDisplay
-
+
OpenLP Display
OpenLP kuva
@@ -1864,230 +1877,185 @@ 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
-
- Ctrl+N
- Ctrl+N
-
-
-
+
&Open
&Ava
-
+
Open an existing service.
Olemasoleva teenistuse avamine.
-
- Ctrl+O
- Ctrl+O
-
-
-
+
&Save
&Salvesta
-
+
Save the current service to disk.
Praeguse teenistuse salvestamine kettale.
-
- Ctrl+S
- Ctrl+S
-
-
-
+
Save &As...
Salvesta &kui...
-
+
Save Service As
Salvesta teenistus kui
-
+
Save the current service under a new name.
Praeguse teenistuse salvestamine uue nimega.
-
- Ctrl+Shift+S
- Ctrl+Shift+S
-
-
-
+
E&xit
&Välju
-
+
Quit OpenLP
Lahku OpenLPst
-
- Alt+F4
- Alt+F4
-
-
-
+
&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.
-
- F8
- F8
-
-
-
+
&Theme Manager
&Kujunduse haldur
-
+
Toggle Theme Manager
Kujunduse halduri lüliti
-
+
Toggle the visibility of the theme manager.
Kujunduse halduri nähtavuse ümberlülitamine.
-
- F10
- F10
-
-
-
+
&Service Manager
&Teenistuse haldur
-
+
Toggle Service Manager
Teenistuse halduri lüliti
-
+
Toggle the visibility of the service manager.
Teenistuse halduri nähtavuse ümberlülitamine.
-
- F9
- F9
-
-
-
+
&Preview Panel
&Eelvaatluspaneel
-
+
Toggle Preview Panel
Eelvaatluspaneeli lüliti
-
+
Toggle the visibility of the preview panel.
Eelvaatluspaneeli nähtavuse ümberlülitamine.
-
-
- F11
- F11
-
&Live Panel
@@ -2105,126 +2073,111 @@ Esmakäivituse nõustajast loobumiseks klõpsa lõpetamise nupule.
- F12
- F12
-
-
-
&Plugin List
&Pluginate loend
-
+
List the Plugins
Pluginate loend
-
- Alt+F7
- Alt+F7
-
-
-
+
&User Guide
&Kasutajajuhend
-
+
&About
&Lähemalt
-
+
More information about OpenLP
Lähem teave OpenLP kohta
-
- Ctrl+F1
- Ctrl+F1
-
-
-
+
&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/.
@@ -2233,53 +2186,48 @@ You can download the latest version from http://openlp.org/.
Sa võid viimase versiooni alla laadida aadressilt http://openlp.org/.
-
+
English
Please add the name of your language here
Eesti
-
+
Configure &Shortcuts...
&Kiirklahvide seadistamine...
-
+
Close OpenLP
OpenLP sulgemine
-
+
Are you sure you want to close OpenLP?
Kas oled kindel, et tahad OpenLP sulgeda?
-
+
Print the current Service Order.
Praeguse teenistuse järjekorra printimine.
-
- Ctrl+P
- Ctrl+P
-
-
-
+
&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
@@ -2287,45 +2235,51 @@ Sa võid viimase versiooni alla laadida aadressilt http://openlp.org/.
OpenLP.MediaManagerItem
-
+
No Items Selected
Ühtegi elementi pole valitud
-
+
&Add to selected Service Item
&Lisa valitud teenistuse elemendile
-
+
You must select one or more items to preview.
Sa pead valima vähemalt ühe kirje, mida eelvaadelda.
-
+
You must select one or more items to send live.
Sa pead valima vähemalt ühe kirje, mida tahad ekraanil näidata.
-
+
You must select one or more items.
Pead valima vähemalt ühe elemendi.
-
+
You must select an existing service item to add to.
Pead valima olemasoleva teenistuse, millele lisada.
-
+
Invalid Service Item
Vigane teenistuse element
-
+
You must select a %s service item.
Pead valima teenistuse elemendi %s.
+
+
+ Duplicate file name %s.
+Filename already exists in list
+
+
OpenLP.PluginForm
@@ -2391,37 +2345,37 @@ Sa võid viimase versiooni alla laadida aadressilt http://openlp.org/.Valikud
-
+
Close
Sulge
-
+
Copy
Kopeeri
-
+
Copy as HTML
Kopeeri HTMLina
-
+
Zoom In
Suurendamine
-
+
Zoom Out
Vähendamine
-
+
Zoom Original
Originaalsuurus
-
+
Other Options
Muud valikud
@@ -2431,20 +2385,25 @@ Sa võid viimase versiooni alla laadida aadressilt http://openlp.org/.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.
+
+
OpenLP.ScreenList
@@ -2470,212 +2429,252 @@ Sa võid viimase versiooni alla laadida aadressilt http://openlp.org/.
OpenLP.ServiceManager
-
+
Load an existing service
Olemasoleva teenistuse laadimine
-
+
Save this service
Selle teenistuse salvestamine
-
+
Select a theme for the service
Vali teenistuse jaoks kujundus
-
+
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
-
- Notes:
- Märkmed:
-
-
-
+
&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.
+
+
+
+
+ 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.ServiceNoteForm
@@ -2688,7 +2687,7 @@ Sisu ei ole UTF-8 kodeeringus.
OpenLP.SettingsForm
-
+
Configure OpenLP
Seadista OpenLP
@@ -2696,219 +2695,269 @@ Sisu ei ole UTF-8 kodeeringus.
OpenLP.ShortcutListDialog
-
+
Customize Shortcuts
Kiirklahvide kohandamine
-
+
Action
Tegevus
-
+
Shortcut
Kiirklahv
-
- Default: %s
- Vaikimisi: %s
-
-
-
- Custom:
- Kohandatud:
-
-
-
- None
- Pole
-
-
-
+
Duplicate Shortcut
Dubleeriv kiirklahv
-
+
The shortcut "%s" is already assigned to another action, please use a different shortcut.
Kiirklahv "%s" on juba seotud teise tegevusega, kasuta mingit muud kiirklahvi.
-
+
Alternate
Muuda
+
+
+ Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively.
+
+
+
+
+ Default
+ Vaikimisi
+
+
+
+ Custom
+ Kohandatud
+
+
+
+ Capture shortcut.
+
+
+
+
+ Restore the default shortcut of this action.
+
+
+
+
+ Restore Default Shortcuts
+
+
+
+
+ Do you want to restore all shortcuts to their defaults?
+
+
OpenLP.SlideController
-
+
Move to previous
Eelmisele liikumine
-
+
Move to next
Järgmisele liikumine
-
+
Hide
Peida
-
+
Move to live
Tõsta ekraanile
-
+
Edit and reload song preview
Muuda ja kuva laulu eelvaade uuesti
-
+
Start continuous loop
Katkematu korduse alustamine
-
+
Stop continuous loop
Katkematu korduse lõpetamine
-
+
Delay between slides in seconds
Viivitus slaidide vahel sekundites
-
+
Start playing media
Meediaesituse alustamine
-
+
Go To
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
-
+
Previous Service
Eelmine teenistus
-
+
Next Service
Järgmine teenistus
-
+
Escape Item
Kuva sulgemine
+
+
+ Start/Stop continuous loop
+
+
OpenLP.SpellTextEdit
-
+
Spelling Suggestions
Õigekirjasoovitused
-
+
Formatting Tags
Siltide vormindus
+
+
+ Language:
+
+
OpenLP.StartTimeForm
-
- Item Start Time
- Kirje alguse aeg
-
-
-
+
Hours:
Tundi:
-
- h
- h
-
-
-
- m
- m
-
-
-
+
Minutes:
Minutid:
-
+
Seconds:
Sekundit:
+
+
+ Item Start and Finish Time
+
+
+
+
+ Start
+
+
+
+
+ Finish
+
+
+
+
+ Length
+
+
+
+
+ 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
+
+
OpenLP.ThemeForm
-
+
Select Image
Pildi valimine
-
+
Theme Name Missing
Kujundusel puudub nimi
-
+
There is no name for this theme. Please enter one.
Kujundusel ei ole nime. Palun sisesta nimi.
-
+
Theme Name Invalid
Sobimatu kujunduse nimi
-
+
Invalid theme name. Please enter one.
Kujunduse nimi pole sobiv. Palun sisesta sobiv nimi.
-
+
(%d lines per slide)
(%d rida slaidil)
@@ -2976,69 +3025,69 @@ Sisu ei ole UTF-8 kodeeringus.
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.
@@ -3058,47 +3107,47 @@ Sisu kodeering ei ole UTF-8.
&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)
@@ -3341,7 +3390,7 @@ Sisu kodeering ei ole UTF-8.
&Jaluse ala
-
+
Edit Theme - %s
Teema muutmine - %s
@@ -3349,42 +3398,42 @@ Sisu kodeering ei ole UTF-8.
OpenLP.ThemesTab
-
+
Global Theme
Üldine kujundus
-
+
Theme Level
Kujunduse tase
-
+
S&ong Level
&Laulu tase
-
+
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.
Laul kuvatakse sellele andmebaasis määratud kujundusega. Kui laulul kujundus puudub, kasutatakse teenistuse kujundust. Kui teenistusel kujundus puudub, siis kasutatakse üleüldist kujundust.
-
+
&Service Level
&Teenistuse tase
-
+
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.
Kasutatakse teenistuse kujundust, eirates laulude kujundusi. Kui teenistusel kujundust pole, kasutatakse globaalset.
-
+
&Global Level
&Üleüldine tase
-
+
Use the global theme, overriding any themes associated with either the service or the songs.
Kasutatakse globaalset kujundust, eirates nii teenistuse kui laulu kujundust.
@@ -3392,290 +3441,290 @@ Sisu kodeering ei ole UTF-8.
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.
-
+
About
Programmist
-
+
&Add
&Lisa
-
+
Advanced
Täpsem
-
+
All Files
Kõik failid
-
+
Bottom
All
-
+
Browse...
Lehitse...
-
+
Cancel
Loobu
-
+
CCLI number:
CCLI number:
-
+
Create a new service.
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
-
+
Live
Ekraan
-
+
Live Background Error
Ekraani tausta viga
-
+
Live Panel
Ekraani paneel
-
+
Load
Laadi
-
+
Middle
Keskel
-
+
New
Uus
-
+
New Service
Uus teenistus
-
+
New Theme
Uus kujundus
-
+
No File Selected
Singular
Ühtegi faili pole valitud
-
+
No Files Selected
Plural
Ühtegi faili pole valitud
-
+
No Item Selected
Singular
Ühtegi elementi pole valitud
-
+
No Items Selected
Plural
Ühtegi elementi pole valitud
-
+
openlp.org 1.x
openlp.org 1.x
-
+
OpenLP 2.0
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:
@@ -3741,7 +3790,7 @@ 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
@@ -3751,7 +3800,7 @@ Sisu kodeering ei ole UTF-8.
Tere tulemast laulude eksportimise nõustajasse
-
+
Welcome to the Song Import Wizard
Tere tulemast laulude importimise nõustajasse
@@ -3786,22 +3835,124 @@ Sisu kodeering ei ole UTF-8.
Laulikud
-
+
Song Maintenance
Laulude haldus
-
+
Topic
Singular
Teema
-
+
Topics
Plural
Teemad
+
+
+ Continuous
+ Jätkuv
+
+
+
+ Default
+ Vaikimisi
+
+
+
+ Display style:
+ Kuvalaad:
+
+
+
+ File
+
+
+
+
+ Help
+
+
+
+
+ h
+ The abbreviated unit for hours
+ h
+
+
+
+ Layout style:
+ Paigutuse laad:
+
+
+
+ Live Toolbar
+
+
+
+
+ m
+ The abbreviated unit for minutes
+ m
+
+
+
+ OpenLP is already running. Do you wish to continue?
+
+
+
+
+ Settings
+
+
+
+
+ Tools
+
+
+
+
+ Verse Per Slide
+ Iga salm eraldi slaidil
+
+
+
+ Verse Per Line
+ Iga salm eraldi real
+
+
+
+ View
+
+
+
+
+ View Model
+
+
+
+
+ Duplicate Error
+
+
+
+
+ Unsupported File
+ Toetamata fail
+
+
+
+ Title and/or verses not found
+
+
+
+
+ XML syntax error
+
+
OpenLP.displayTagDialog
@@ -3814,49 +3965,49 @@ Sisu kodeering ei ole UTF-8.
PresentationPlugin
-
+
<strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box.
<strong>Esitluse plugin</strong><br />Esitluse plugin võimaldab näidata esitlusi erinevate programmidega. Saadaolevate esitlusprogrammide valik on saadaval valikukastis.
-
+
Load a new Presentation
Uue esitluse laadimine
-
+
Delete the selected Presentation
Valitud esitluse kustutamine
-
+
Preview the selected Presentation
Valitud esitluse eelvaatlus
-
+
Send the selected Presentation live
Valitud esitluse saatmine ekraanile
-
+
Add the selected Presentation to the service
Valitud esitluse lisamine teenistusse
-
+
Presentation
name singular
Esitlus
-
+
Presentations
name plural
Esitlused
-
+
Presentations
container title
Esitlused
@@ -3880,22 +4031,17 @@ Sisu kodeering ei ole UTF-8.
Esitluseks kasutatakse:
-
+
File Exists
Fail on olemas
-
+
A presentation with that filename already exists.
Sellise nimega esitluse fail on juba olemas.
-
- Unsupported File
- Toetamata fail
-
-
-
+
This type of presentation is not supported.
Seda liiki esitlus ei ole toetatud.
@@ -3905,17 +4051,17 @@ Sisu kodeering ei ole UTF-8.
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.
@@ -3985,63 +4131,68 @@ 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
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4131,12 +4282,12 @@ on edukalt loodud.
SongsPlugin
-
+
&Song
&Laul
-
+
Import songs using the import wizard.
Laulude importimine importimise nõustajaga.
@@ -4299,7 +4450,7 @@ The encoding is responsible for the correct character representation.
Kodeering on vajalik märkide õige esitamise jaoks.
-
+
Exports songs using the export wizard.
Eksportimise nõustaja abil laulude eksportimine.
@@ -4345,9 +4496,17 @@ Kodeering on vajalik märkide õige esitamise jaoks.
SongsPlugin.CCLIFileImport
-
- Importing song %d of %d
- Laulu importimine, %d %d-st
+
+ The file does not have a valid extension.
+
+
+
+
+ SongsPlugin.EasyWorshipSongImport
+
+
+ Administered by %s
+ Haldab %s
@@ -4448,82 +4607,82 @@ Kodeering on vajalik märkide õige esitamise jaoks.
Kujundus, autoriõigus && kommentaarid
-
+
Add Author
Autori lisamine
-
+
This author does not exist, do you want to add them?
Seda autorit veel pole, kas tahad autori lisada?
-
+
This author is already in the list.
See autor juba on loendis.
-
+
You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author.
Sa ei ole valinud ühtegi sobilikku autorit. Vali autor loendist või sisesta uue autori nimi ja klõpsa uue nupul "Lisa laulule autor".
-
+
Add Topic
Teema lisamine
-
+
This topic does not exist, do you want to add it?
Sellist teemat pole. Kas tahad selle lisada?
-
+
This topic is already in the list.
See teema juba on loendis.
-
+
You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic.
Sa pole valinud sobivat teemat. Vali teema kas loendist või sisesta uus teema ja selle lisamiseks klõpsa nupule "Lisa laulule teema".
-
+
You need to type in a song title.
Pead sisestama laulu pealkirja.
-
+
You need to type in at least one verse.
Pead sisestama vähemalt ühe salmi.
-
+
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.
@@ -4637,152 +4796,165 @@ Kodeering on vajalik märkide õige esitamise jaoks.
SongsPlugin.ImportWizardForm
-
+
Select Document/Presentation Files
Dokumentide/esitluste valimine
-
+
Song Import Wizard
Laulude importimise nõustaja
-
+
This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from.
See nõustaja aitab sul laule importida paljudest erinevatest formaatidest. Klõpsa all asuvat edasi nuppu, et jätkata tegevust importimise vormingu valimisega.
-
+
Generic Document/Presentation
Tavaline dokumenti/esitlus
-
+
Filename:
Failinimi:
-
+
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 importija ei ole veel valmis, kuid nagu sa näed, on meil plaanis see luua. Loodetavasti saab see järgmiseks väljalaskeks valmis.
-
+
Add Files...
Lisa faile...
-
+
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.
-
- Administered by %s
- Haldab %s
-
-
-
+
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
+
+
+ Copy
+ Kopeeri
+
+
+
+ Save to File
+ Salvesta faili
+
SongsPlugin.MediaItem
-
+
Maintain the lists of authors, topics and books
Autorite, teemade ja raamatute loendi haldamine
-
+
Titles
Pealkirjad
-
+
Lyrics
Laulusõnad
-
+
Delete Song(s)?
Kas kustutada laul(ud)?
-
+
CCLI License:
CCLI litsents:
-
+
Entire Song
Kogu laulust
-
+
Are you sure you want to delete the %n selected song(s)?
+
+ SongsPlugin.OpenLP1SongImport
+
+
+ Not a valid openlp.org 1.x song database.
+
+
+
SongsPlugin.OpenLPSongImport
-
- Importing song %d of %d.
- Laulu importimine, %d. %d-st.
+
+ Not a valid OpenLP 2.0 song database.
+
@@ -4832,15 +5004,20 @@ Kodeering on vajalik märkide õige esitamise jaoks.
SongsPlugin.SongImport
-
+
copyright
autoriõigus
+
+
+ The following songs could not be imported:
+
+
SongsPlugin.SongImportForm
-
+
Your song import failed.
Laulu importimine nurjus.
@@ -4893,47 +5070,47 @@ Kodeering on vajalik märkide õige esitamise jaoks.
Sinu muudetud teemat pole võimalik salvestada, kuna selline on juba olemas.
-
+
Delete Author
Autori kustutamine
-
+
Are you sure you want to delete the selected author?
Kas oled kindel, et tahad kustutada valitud autori?
-
+
This author cannot be deleted, they are currently assigned to at least one song.
Seda autorit pole võimalik kustutada, kuna ta on märgitud vähemalt ühe laulu autoriks.
-
+
Delete Topic
Teema kustutamine
-
+
Are you sure you want to delete the selected topic?
Kas oled kindel, et tahad valitud teema kustutada?
-
+
This topic cannot be deleted, it is currently assigned to at least one song.
Seda teemat pole võimalik kustutada, kuna see on seostatud vähemalt ühe lauluga.
-
+
Delete Book
Lauliku kustutamine
-
+
Are you sure you want to delete the selected book?
Kas oled kindel, et tahad valitud lauliku kustutada?
-
+
This book cannot be deleted, it is currently assigned to at least one song.
Seda laulikut pole võimalik kustutada, kuna vähemalt üks laul kuulub sellesse laulikusse.
@@ -5037,4 +5214,12 @@ Kodeering on vajalik märkide õige esitamise jaoks.
Muu
+
+ ThemeTab
+
+
+ Themes
+ Kujundused
+
+
diff --git a/resources/i18n/fr.ts b/resources/i18n/fr.ts
index 90e4d6d16..e2303e92e 100644
--- a/resources/i18n/fr.ts
+++ b/resources/i18n/fr.ts
@@ -3,23 +3,23 @@
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?
@@ -28,34 +28,34 @@ Do you want to continue anyway?
AlertsPlugin
-
+
&Alert
&Alerte
-
+
Show an alert message.
Affiche un message d'alerte.
-
+
<strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen
-
+
Alert
name singular
Alerte
-
+
Alerts
name plural
Alertes
-
+
Alerts
container title
Alertes
@@ -99,12 +99,12 @@ Do you want to continue anyway?
&Affiche && Ferme
-
+
New Alert
Nouvelle alerte
-
+
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.
@@ -205,12 +205,12 @@ Do you want to continue anyway?
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?
@@ -218,65 +218,65 @@ Do you want to continue anyway?
BiblesPlugin
-
+
&Bible
&Bible
-
+
<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 fournis la possibilité d'afficher des versets bibliques de plusieurs sources pendant le service.
-
+
Bible
name singular
Bible
-
+
Bibles
name plural
Bibles
-
+
Bibles
container title
Bibles
-
+
Import a Bible
Importer une Bible
-
+
Add a new Bible
Ajouter une nouvelle Bible
-
+
Edit the selected Bible
Édite la Bible sélectionnée
-
+
Delete the selected Bible
Supprime la Bible sélectionnée
-
+
Preview the selected Bible
Prévisualise la Bible sélectionnée
-
+
Send the selected Bible live
Envoie la Bible sélectionnée en live
-
+
Add the selected Bible to the service
Ajoute la Bible sélectionnée au service
@@ -341,74 +341,49 @@ Book Chapter:Verse-Chapter:Verse
BiblesPlugin.BiblesTab
-
+
Verse Display
Affichage de versets
-
+
Only show new chapter numbers
Affiche uniquement les nouveaux numéros de chapitre.
-
- Layout style:
- Style de disposition :
-
-
-
- Display style:
- Style d'affichage :
-
-
-
+
Bible theme:
Thème :
-
- Verse Per Slide
- Un verset par diapositive
-
-
-
- Verse Per Line
- Un verset par ligne
-
-
-
- Continuous
- Continu
-
-
-
+
No Brackets
Pas de parenthèse
-
+
( And )
( et )
-
+
{ And }
{ et }
-
+
[ And ]
[ et ]
-
+
Note:
Changes do not affect verses already in the service.
Remarque :
Les changement ne s'applique aux versets déjà un service.
-
+
Display second Bible verses
@@ -416,179 +391,179 @@ Les changement ne s'applique aux versets déjà un service.
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
-
+
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.
-
+
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
-
+
Starting Registering bible...
Commence l'enregistrement de la Bible...
-
+
Registered bible. Please note, that verses will be downloaded on
demand and thus an internet connection is required.
Bible enregistrée. Veuillez noter que les verset vont être téléchargement
a la demande, une connexion Interner fiable est donc nécessaire.
-
+
Your Bible import failed.
Votre import de Bible à échoué.
-
+
Bible file:
-
+
Testaments file:
-
+
Books file:
-
+
Verses file:
-
+
You have not specified a testaments file. Do you want to proceed with the import?
-
+
openlp.org 1.x Bible Files
@@ -596,67 +571,67 @@ a la demande, une connexion Interner fiable est donc nécessaire.
BiblesPlugin.MediaItem
-
+
Quick
Rapide
-
+
Second:
Deuxième :
-
+
Find:
Recherche :
-
+
Results:
Résultat :
-
+
Book:
Livre :
-
+
Chapter:
Chapitre :
-
+
Verse:
Verset :
-
+
From:
De :
-
+
To:
A :
-
+
Text Search
Recherche de texte
-
+
Clear
Efface
-
+
Keep
Laisse
-
+
Scripture Reference
@@ -673,12 +648,12 @@ a la demande, une connexion Interner fiable est donc nécessaire.
BiblesPlugin.OsisImport
-
+
Detecting encoding (this may take a few minutes)...
Détection de l'encodage (cela peut prendre quelque minutes)...
-
+
Importing %s %s...
Importing <book name> <chapter>...
Import %s %s...
@@ -748,12 +723,12 @@ a la demande, une connexion Interner fiable est donc nécessaire.
&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
@@ -829,6 +804,14 @@ a la demande, une connexion Interner fiable est donc nécessaire.
Ajoute le custom sélectionner au service
+
+ GeneralTab
+
+
+ General
+ Général
+
+
ImagePlugin
@@ -893,7 +876,7 @@ a la demande, une connexion Interner fiable est donc nécessaire.
ImagePlugin.ExceptionDialog
-
+
Select Attachment
@@ -901,39 +884,39 @@ a la demande, une connexion Interner fiable est donc nécessaire.
ImagePlugin.MediaItem
-
+
Select Image(s)
Image(s) séléctionnée
-
+
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.
@@ -1002,37 +985,37 @@ 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 (*)
@@ -1053,7 +1036,7 @@ Voulez-vous ajouter de toute façon d'autres images ?
OpenLP
-
+
Image Files
Fichiers image
@@ -1087,7 +1070,7 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr
Contribuer
-
+
build %s
@@ -1179,65 +1162,90 @@ Tinggaard, Frode Woldsund
OpenLP.AdvancedTab
-
+
UI Settings
Propriétés de l'interface
-
+
Number of recent files to display:
Nombre de fichiers récents a afficher :
-
+
Remember active media manager tab on startup
Se souvenir de l'onglet actif du gestionnaire de média au démarrage
-
+
Double-click to send items straight to live
Double-cliquer pour envoyer les éléments directement en live
-
+
Expand new service items on creation
Étends les nouveaux éléments du service a la création
-
+
Enable application exit confirmation
Demande une confirmation avant de quitter l'application
-
+
Mouse Cursor
Curseur de la souris
-
+
Hide mouse cursor when over display window
-
+
Default Image
-
+
Background color:
Couleur de fond :
-
+
Image file:
-
+
Open File
Ouvre un fichier
+
+
+ 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.DisplayTagDialog
@@ -1344,7 +1352,7 @@ Tinggaard, Frode Woldsund
-
+
Description characters to enter : %s
@@ -1352,24 +1360,24 @@ Tinggaard, Frode Woldsund
OpenLP.ExceptionForm
-
+
Platform: %s
Plateforme: %s
-
+
Save Crash Report
Sauve le rapport de crache
-
+
Text files (*.txt *.log *.text)
Fichiers texte (*.txt *.log *.text)
-
+
**OpenLP Bug Report**
Version: %s
@@ -1387,7 +1395,7 @@ Version: %s
-
+
*OpenLP Bug Report*
Version: %s
@@ -1450,97 +1458,97 @@ Version: %s
-
+
Download complete. Click the finish button to start OpenLP.
-
+
Enabling selected plugins...
-
+
First Time Wizard
-
+
Welcome to the First Time Wizard
-
+
This wizard will help you to configure OpenLP for initial use. Click the next button below to start the process of selection your initial options.
-
+
Activate required Plugins
-
+
Select the Plugins you wish to use.
-
+
Songs
-
+
Custom Text
-
+
Bible
Bible
-
+
Images
Images
-
+
Presentations
Présentations
-
+
Media (Audio and Video)
-
+
Allow remote access
-
+
Monitor Song Usage
-
+
Allow Alerts
-
+
No Internet Connection
-
+
Unable to detect an Internet connection.
-
+
No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes.
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.
@@ -1549,67 +1557,67 @@ To cancel the First Time Wizard completely, press the finish button now.
-
+
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.
-
+
Setting Up And Importing
-
+
Please wait while OpenLP is set up and your data is imported.
-
+
Default output display:
-
+
Select default theme:
-
+
Starting configuration process...
@@ -1617,130 +1625,135 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.GeneralTab
-
+
General
Général
-
+
Monitors
Monitors
-
+
Select monitor for output display:
Select le moniteur pour la sortie d'affichage :
-
+
Display if a single screen
Affiche si il n'y a qu'un écran
-
+
Application Startup
Démarrage de l'application
-
+
Show blank screen warning
Affiche un écran noir d'avertissement
-
+
Automatically open the last service
Ouvre automatiquement le dernier service
-
+
Show the splash screen
Affiche l'écran de démarrage
-
+
Check for updates to OpenLP
Regarde s'il y a des mise à jours d'OpenLP
-
+
Application Settings
Préférence d'application
-
+
Prompt to save before starting a new service
Demande a sauver avant de commencer un nouveau service
-
+
Automatically preview next item in service
Prévisualise automatiquement le prochain élément de service
-
+
Slide loop delay:
Délais de boucle des diapositive :
-
+
sec
sec
-
+
CCLI Details
CCLI détails
-
+
SongSelect username:
Nom d'utilisateur SongSelect :
-
+
SongSelect password:
Mot de passe SongSelect :
-
+
Display Position
Position d'affichage
-
+
X
X
-
+
Y
Y
-
+
Height
Hauteur
-
+
Width
Largeur
-
+
Override display position
Surcharge la position d'affichage
+
+
+ Unblank display when adding new live item
+
+
OpenLP.LanguageManager
-
+
Language
Langage
-
+
Please restart OpenLP to use your new language setting.
Veuillez redémarrer OpenLP pour utiliser votre nouvelle propriété de langue.
@@ -1748,7 +1761,7 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainDisplay
-
+
OpenLP Display
Affichage OpenLP
@@ -1756,235 +1769,190 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainWindow
-
+
&File
&Fichier
-
+
&Import
&Import
-
+
&Export
&Export
-
+
&View
&View
-
+
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
-
- Ctrl+N
- Ctrl+N
-
-
-
+
&Open
&Open
-
+
Open an existing service.
Ouvre un service existant.
-
- Ctrl+O
- Ctrl+O
-
-
-
+
&Save
&Enregistre
-
+
Save the current service to disk.
Enregistre le service courant sur le disque.
-
- Ctrl+S
- Ctrl+S
-
-
-
+
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.
-
- Ctrl+Shift+S
- Ctrl+Shift+S
-
-
-
+
E&xit
&Quitter
-
+
Quit OpenLP
Quitter OpenLP
-
- Alt+F4
- Alt+F4
-
-
-
+
&Theme
&Thème
-
+
Configure &Shortcuts...
Personnalise les &raccourcis...
-
+
&Configure OpenLP...
&Personnalise OpenLP...
-
+
&Media Manager
Gestionnaire de &médias
-
+
Toggle Media Manager
-
+
Toggle the visibility of the media manager.
-
- F8
- F8
-
-
-
+
&Theme Manager
Gestionnaire de &thèmes
-
+
Toggle Theme Manager
-
+
Toggle the visibility of the theme manager.
-
- F10
- F10
-
-
-
+
&Service Manager
Gestionnaire de &services
-
+
Toggle Service Manager
-
+
Toggle the visibility of the service manager.
-
- F9
- F9
-
-
-
+
&Preview Panel
Panneau de &prévisualisation
-
+
Toggle Preview Panel
-
+
Toggle the visibility of the preview panel.
-
-
- F11
- F11
-
&Live Panel
@@ -2002,106 +1970,91 @@ To cancel the First Time Wizard completely, press the finish button now.
- F12
- F12
-
-
-
&Plugin List
Liste des &modules
-
+
List the Plugins
Liste des modules
-
- Alt+F7
- Alt+F7
-
-
-
+
&User Guide
&Guide utilisateur
-
+
&About
&Á propos
-
+
More information about OpenLP
Plus d'information sur OpenLP
-
- Ctrl+F1
- Ctrl+F1
-
-
-
+
&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
-
+
Set the view mode to Setup.
-
+
&Live
&Direct
-
+
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/.
@@ -2110,68 +2063,63 @@ 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
-
+
English
Please add the name of your language here
Anglais
-
+
Print the current Service Order.
-
- Ctrl+P
-
-
-
-
+
Open &Data Folder...
-
+
Open the folder where songs, bibles and other data resides.
-
+
&Configure Display Tags
-
+
&Autodetect
@@ -2179,45 +2127,51 @@ Vous pouvez télécharger la dernière version depuis http://openlp.org/.
OpenLP.MediaManagerItem
-
+
No Items Selected
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
+
+
OpenLP.PluginForm
@@ -2283,37 +2237,37 @@ Vous pouvez télécharger la dernière version depuis http://openlp.org/.
-
+
Close
-
+
Copy
-
+
Copy as HTML
-
+
Zoom In
-
+
Zoom Out
-
+
Zoom Original
-
+
Other Options
@@ -2323,20 +2277,25 @@ Vous pouvez télécharger la dernière version depuis http://openlp.org/.
-
+
Include service item notes
-
+
Include play length of media items
-
+
Service Order Sheet
+
+
+ Add page break before each text item.
+
+
OpenLP.ScreenList
@@ -2362,212 +2321,252 @@ Vous pouvez télécharger la dernière version depuis http://openlp.org/.
OpenLP.ServiceManager
-
+
Load an existing service
Cherche un service existant
-
+
Save this service
Enregistre ce service
-
+
Select a theme for the service
Selecte un thème pour le service
-
+
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.
-
+
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.
-
+
Modified Service
-
- Notes:
-
-
-
-
+
&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
+
+
+
+
+ This file is either corrupt or not an OpenLP 2.0 service file.
+
+
OpenLP.ServiceNoteForm
@@ -2580,7 +2579,7 @@ Le contenu n'est pas de l'UTF-8.
OpenLP.SettingsForm
-
+
Configure OpenLP
Configuration d'OpenLP
@@ -2588,219 +2587,269 @@ Le contenu n'est pas de l'UTF-8.
OpenLP.ShortcutListDialog
-
+
Customize Shortcuts
Personnalise les raccourci.
-
+
Action
Action
-
+
Shortcut
Raccourci
-
- Default: %s
- Défaut : %s
-
-
-
- Custom:
-
-
-
-
- None
- Aucun
-
-
-
+
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.
-
+
Alternate
+
+
+ Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively.
+
+
+
+
+ Default
+
+
+
+
+ Custom
+
+
+
+
+ Capture shortcut.
+
+
+
+
+ Restore the default shortcut of this action.
+
+
+
+
+ Restore Default Shortcuts
+
+
+
+
+ Do you want to restore all shortcuts to their defaults?
+
+
OpenLP.SlideController
-
+
Previous Slide
Diapositive précédente
-
+
Move to previous
Aller au précédent
-
+
Next Slide
Aller au suivant
-
+
Move to next
Aller au suivant
-
+
Hide
Cache
-
+
Blank Screen
Écran noir
-
+
Blank to Theme
Thème vide
-
+
Show Desktop
Affiche le bureau
-
+
Start continuous loop
Démarre une boucle continue
-
+
Stop continuous loop
Arrête la boucle continue
-
+
Delay between slides in seconds
Délais entre les diapositives en secondes
-
+
Move to live
Déplace en direct
-
+
Edit and reload song preview
Édite et recharge le chant prévisualisé
-
+
Start playing media
Démarre la lecture de média
-
+
Go To
Aller à
-
+
Previous Service
Service précédent
-
+
Next Service
Service suivant
-
+
Escape Item
+
+
+ Start/Stop continuous loop
+
+
OpenLP.SpellTextEdit
-
+
Spelling Suggestions
Suggestions orthographique
-
+
Formatting Tags
Tags de formatage
+
+
+ Language:
+
+
OpenLP.StartTimeForm
-
- Item Start Time
-
-
-
-
+
Hours:
-
- h
-
-
-
-
- m
-
-
-
-
+
Minutes:
-
+
Seconds:
+
+
+ Item Start and Finish Time
+
+
+
+
+ Start
+
+
+
+
+ Finish
+
+
+
+
+ Length
+
+
+
+
+ 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
+
+
OpenLP.ThemeForm
-
+
(%d lines per slide)
(%d lignes pas diapositive)
-
+
Select Image
Sélectionne l'image
-
+
Theme Name Missing
Nom du thème manquant
-
+
There is no name for this theme. Please enter one.
Il n'y a pas ne nom pour ce thème, Veillez en introduire un.
-
+
Theme Name Invalid
Nom du thème invalide
-
+
Invalid theme name. Please enter one.
Nom du thème invalide. Veuillez en introduire un.
@@ -2883,114 +2932,114 @@ Le contenu n'est pas de l'UTF-8.
&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)
@@ -2998,7 +3047,7 @@ Le contenu n'est pas de l'UTF-8.
OpenLP.ThemeWizard
-
+
Edit Theme - %s
Édite le thème - %s
@@ -3241,42 +3290,42 @@ Le contenu n'est pas de l'UTF-8.
OpenLP.ThemesTab
-
+
Global Theme
Thème global
-
+
Theme Level
Politique d'application du thème
-
+
S&ong Level
Niveau &chant
-
+
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.
Utilise le thème pour chaque chants de la basse de donnée. Si un chant n'a pas de thème associer, alors utilise le thème du service. Si le service n'as pas de thème utilise le thème global.
-
+
&Service Level
Niveau service
-
+
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.
Utilise le thème du service, surcharge le thème de chaque chants. Si le service n'as pas de thème utilise le thème global.
-
+
&Global Level
Niveau &global
-
+
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.
@@ -3284,290 +3333,290 @@ Le contenu n'est pas de l'UTF-8.
OpenLP.Ui
-
+
Error
Erreur
-
+
&Delete
-
+
Delete the selected item.
-
+
Move selection up one position.
-
+
Move selection down one position.
-
+
&Add
-
+
Advanced
Avancé
-
+
All Files
-
+
Create a new service.
Crée un nouveau service.
-
+
&Edit
-
+
Import
Import
-
+
Length %s
-
+
Live
-
+
Load
Charge
-
+
New
Nouveau
-
+
New Service
Nouveau service
-
+
OpenLP 2.0
OpenLP 2.0
-
+
Open Service
Ouvre un service
-
+
Preview
-
+
Replace Background
Remplace le fond
-
+
Replace Live Background
-
+
Reset Background
-
+
Reset Live Background
Remettre de fond du direct
-
+
Save Service
Enregistre le service
-
+
Service
Service
-
+
Start %s
-
+
&Vertical Align:
-
+
Top
Haut
-
+
Middle
Milieux
-
+
Bottom
Bas
-
+
About
À propos
-
+
Browse...
-
+
Cancel
-
+
CCLI number:
Numéro CCLI :
-
+
Empty Field
-
+
Export
-
+
pt
Abbreviated font pointsize unit
pt
-
+
Image
Image
-
+
Live Background Error
-
+
Live Panel
-
+
New Theme
Nouveau thème
-
+
No File Selected
Singular
-
+
No Files Selected
Plural
-
+
No Item Selected
Singular
-
+
No Items Selected
Plural
Pas d'éléments sélectionné
-
+
openlp.org 1.x
openlp.org 1.x
-
+
Preview Panel
-
+
Print Service Order
-
+
s
The abbreviated unit for seconds
s
-
+
Save && Preview
Sauve && prévisualise
-
+
Search
Recherche
-
+
You must select an item to delete.
-
+
You must select an item to edit.
-
+
Theme
Singular
-
+
Themes
Plural
Thèmes
-
+
Version
@@ -3633,7 +3682,7 @@ Le contenu n'est pas de l'UTF-8.
-
+
Welcome to the Bible Import Wizard
Bienvenue dans l'assistant d'import de Bibles
@@ -3643,7 +3692,7 @@ Le contenu n'est pas de l'UTF-8.
-
+
Welcome to the Song Import Wizard
@@ -3678,22 +3727,124 @@ Le contenu n'est pas de l'UTF-8.
-
+
Song Maintenance
-
+
Topic
Singular
-
+
Topics
Plural
+
+
+ Continuous
+ Continu
+
+
+
+ Default
+
+
+
+
+ Display style:
+ Style d'affichage :
+
+
+
+ File
+
+
+
+
+ Help
+
+
+
+
+ h
+ The abbreviated unit for hours
+
+
+
+
+ Layout style:
+ Style de disposition :
+
+
+
+ Live Toolbar
+
+
+
+
+ m
+ The abbreviated unit for minutes
+
+
+
+
+ OpenLP is already running. Do you wish to continue?
+
+
+
+
+ Settings
+
+
+
+
+ Tools
+
+
+
+
+ Verse Per Slide
+ Un verset par diapositive
+
+
+
+ Verse Per Line
+ Un verset par ligne
+
+
+
+ View
+
+
+
+
+ View Model
+
+
+
+
+ Duplicate Error
+
+
+
+
+ Unsupported File
+
+
+
+
+ Title and/or verses not found
+
+
+
+
+ XML syntax error
+
+
OpenLP.displayTagDialog
@@ -3706,50 +3857,50 @@ Le contenu n'est pas de l'UTF-8.
PresentationPlugin
-
+
<strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box.
<strong>Module de présentation</strong><br />Le module de présentation donne la possibilité d'afficher une présentation en utilisant différents programmes. Le choix des programmes disponibles ce trouve dans la boite déroulante utilisateur..
-
+
Presentation
name singular
Présentation
-
+
Presentations
name plural
Présentations
-
+
Presentations
container title
Présentations
-
+
Load a new Presentation
-
+
Delete the selected Presentation
-
+
Preview the selected Presentation
-
+
Send the selected Presentation live
-
+
Add the selected Presentation to the service
@@ -3777,37 +3928,32 @@ Le contenu n'est pas de l'UTF-8.
-
+
File Exists
-
+
A presentation with that filename already exists.
-
- Unsupported File
-
-
-
-
+
This type of presentation is not supported.
-
+
Missing Presentation
-
+
The Presentation %s is incomplete, please reload.
-
+
The Presentation %s no longer exists.
@@ -3877,63 +4023,68 @@ Le contenu n'est pas de l'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
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4109,12 +4260,12 @@ The encoding is responsible for the correct character representation.
-
+
&Song
-
+
Import songs using the import wizard.
@@ -4187,7 +4338,7 @@ The encoding is responsible for the correct character representation.
-
+
Exports songs using the export wizard.
@@ -4233,8 +4384,16 @@ The encoding is responsible for the correct character representation.
SongsPlugin.CCLIFileImport
-
- Importing song %d of %d
+
+ The file does not have a valid extension.
+
+
+
+
+ SongsPlugin.EasyWorshipSongImport
+
+
+ Administered by %s
@@ -4336,82 +4495,82 @@ The encoding is responsible for the correct character representation.
-
+
Add Author
-
+
This author does not exist, do you want to add them?
-
+
This author is already in the list.
-
+
You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author.
-
+
Add Topic
-
+
This topic does not exist, do you want to add it?
-
+
This topic is already in the list.
-
+
You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic.
-
+
You need to type in a song title.
-
+
You need to type in at least one verse.
-
+
You need to have an author for this song.
-
+
The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s.
-
+
Warning
-
+
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?
@@ -4525,135 +4684,140 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ImportWizardForm
-
+
Song Import Wizard
-
+
This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from.
-
+
Generic Document/Presentation
-
+
Filename:
-
+
Add Files...
-
+
Remove File(s)
-
+
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.
-
+
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.
-
+
Please wait while your songs are imported.
-
+
OpenLP 2.0 Databases
-
+
openlp.org v1.x Databases
-
+
Words Of Worship Song Files
-
+
Select Document/Presentation Files
-
- Administered by %s
-
-
-
-
+
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
+
+
+ Copy
+
+
+
+
+ Save to File
+ Sauve dans un fichier
+
SongsPlugin.MediaItem
-
+
Maintain the lists of authors, topics and books
-
+
Entire Song
-
+
Titles
-
+
Lyrics
-
+
Delete Song(s)?
-
+
Are you sure you want to delete the %n selected song(s)?
@@ -4661,16 +4825,24 @@ The encoding is responsible for the correct character representation.
-
+
CCLI License:
+
+ SongsPlugin.OpenLP1SongImport
+
+
+ Not a valid openlp.org 1.x song database.
+
+
+
SongsPlugin.OpenLPSongImport
-
- Importing song %d of %d.
+
+ Not a valid OpenLP 2.0 song database.
@@ -4721,15 +4893,20 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImport
-
+
copyright
+
+
+ The following songs could not be imported:
+
+
SongsPlugin.SongImportForm
-
+
Your song import failed.
@@ -4797,47 +4974,47 @@ The encoding is responsible for the correct character representation.
-
+
Delete Author
-
+
Are you sure you want to delete the selected author?
-
+
This author cannot be deleted, they are currently assigned to at least one song.
-
+
Delete Topic
-
+
Are you sure you want to delete the selected topic?
-
+
This topic cannot be deleted, it is currently assigned to at least one song.
-
+
Delete Book
-
+
Are you sure you want to delete the selected book?
-
+
This book cannot be deleted, it is currently assigned to at least one song.
@@ -4926,4 +5103,12 @@ The encoding is responsible for the correct character representation.
+
+ ThemeTab
+
+
+ Themes
+
+
+
diff --git a/resources/i18n/hu.ts b/resources/i18n/hu.ts
index 646c676f4..e4402e592 100644
--- a/resources/i18n/hu.ts
+++ b/resources/i18n/hu.ts
@@ -1,26 +1,25 @@
-
-
+
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ó?
-
+
No Parameter Found
Nem található a paraméter
-
+
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.
@@ -30,34 +29,34 @@ Folytatható?
AlertsPlugin
-
+
&Alert
&Értesítés
-
+
Show an alert message.
Értesítést jelenít meg.
-
+
<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.
-
+
Alert
name singular
Értesítés
-
+
Alerts
name plural
Értesítések
-
+
Alerts
container title
Értesítések
@@ -96,12 +95,12 @@ Folytatható?
M&egjelenítés és bezárás
-
+
New Alert
Új értesítés
-
+
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.
@@ -207,12 +206,12 @@ Folytatható?
BiblePlugin.MediaItem
-
+
Bible not fully loaded.
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?
@@ -220,64 +219,64 @@ Folytatható?
BiblesPlugin
-
+
&Bible
&Biblia
-
+
<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.
-
+
Import a Bible
Biblia importálása
-
+
Add a new Bible
Biblia hozzáadása
-
+
Edit the selected Bible
A kijelölt Biblia szerkesztése
-
+
Delete the selected Bible
A kijelölt Biblia törlése
-
+
Preview the selected Bible
A kijelölt Biblia előnézete
-
+
Send the selected Bible live
A kijelölt Biblia élő adásba küldése
-
+
Add the selected Bible to the service
A kijelölt Biblia hozzáadása a szolgálati sorrendhez
-
+
Bible
name singular
Biblia
-
+
Bibles
name plural
Bibliák
-
+
Bibles
container title
Bibliák
@@ -350,74 +349,49 @@ Több kifejezés is megadható. Szóközzel történő elválasztás esetén min
BiblesPlugin.BiblesTab
-
+
Verse Display
Vers megjelenítés
-
+
Only show new chapter numbers
Csak az új fejezetszámok megjelenítése
-
- Layout style:
- Elrendezési stílus:
-
-
-
- Display style:
- Megjelenítési stílus:
-
-
-
+
Bible theme:
Biblia téma:
-
- Verse Per Slide
- Egy vers diánként
-
-
-
- Verse Per Line
- Egy vers soronként
-
-
-
- Continuous
- Folytonos
-
-
-
+
No Brackets
Nincsenek zárójelek
-
+
( And )
( és )
-
+
{ And }
{ és }
-
+
[ And ]
[ és ]
-
+
Note:
Changes do not affect verses already in the service.
Megjegyzés:
A módosítások nem érintik a már a szolgálati sorrendben lévő verseket.
-
+
Display second Bible verses
Kettőzött bibliaversek megjelenítése
@@ -425,178 +399,178 @@ A módosítások nem érintik a már a szolgálati sorrendben lévő verseket.
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érrel különféle formátumú Bibliákat lehet importálni. Az alább található Tovább gombra való kattintással indítható a folyamat első lépése a formátum kiválasztásával.
-
+
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:
-
+
Please wait while your Bible is imported.
Kérlek, várj, míg a Biblia importálás alatt áll.
-
+
You need to specify a file with books of the Bible to use in the import.
Meg kell adni egy fájlt a bibliai könyvekről az importáláshoz.
-
+
You need to specify a file of Bible verses to import.
Meg kell adni egy fájlt a bibliai versekről az importáláshoz.
-
+
You need to specify a version name for your Bible.
Meg kell adni a Biblia verziószámát.
-
+
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.
-
+
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.
-
+
Starting Registering bible...
A Biblia regisztrálása elkezdődött…
-
+
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.
-
+
Permissions:
Engedélyek:
-
+
CSV File
CSV fájl
-
+
Bibleserver
-
+
Bible file:
Biblia fájl:
-
+
Testaments file:
Szövetség file:
-
+
Books file:
Könyv fájl:
-
+
Verses file:
Versek fájl:
-
+
You have not specified a testaments file. Do you want to proceed with the import?
Szövetség fájl nincs megadva. Folytaható az importálás?
-
+
openlp.org 1.x Bible Files
openlp.org 1.x Biblia fájlok
@@ -604,67 +578,67 @@ demand and thus an internet connection is required.
BiblesPlugin.MediaItem
-
+
Quick
Gyors
-
+
Find:
Keresés:
-
+
Results:
Eredmények:
-
+
Book:
Könyv:
-
+
Chapter:
Fejezet:
-
+
Verse:
Vers:
-
+
From:
Innentől:
-
+
To:
Idáig:
-
+
Text Search
Szöveg keresése
-
+
Clear
Törlés
-
+
Keep
Megtartása
-
+
Second:
Második:
-
+
Scripture Reference
Igehely hivatkozás
@@ -681,12 +655,12 @@ demand and thus an internet connection is required.
BiblesPlugin.OsisImport
-
+
Detecting encoding (this may take a few minutes)...
Kódolás észlelése (ez eltarthat pár percig)…
-
+
Importing %s %s...
Importing <book name> <chapter>...
Importálás: %s %s…
@@ -697,7 +671,7 @@ demand and thus an internet connection is required.
<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 />Az 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>Speciális bővítmény</strong><br />Az speciális bővítmény dalokhoz hasonló egyéni diák vetítését teszi lehetővé. Ugyanakkor több szabadságot enged meg, mint a dalok bővítmény.
@@ -718,7 +692,7 @@ demand and thus an internet connection is required.
Edit Custom Slides
- Speciális diasor szerkesztése
+ Speciális diák szerkesztése
@@ -761,12 +735,12 @@ demand and thus an internet connection is required.
&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
@@ -837,12 +811,20 @@ demand and thus an internet connection is required.
Speciális
+
+ GeneralTab
+
+
+ General
+ Általános
+
+
ImagePlugin
<strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme.
- <strong>Kép bővítmény</strong><br />A kép a bővítmény különféle képek vetítését teszi lehetővé.<br />A bővítmény egyik különös figyelmet érdemlő képessége az, hogy képes a sorrendkezelőn csoportba foglalni a képeket, így könnyebbé téve képek tömeges vetítését. A bővítmény képes az OpenLP „időzített körkörös” lejátszásra is, amivel a diasort automatikusan tudjuk léptetni. Továbbá, a bővítményben megadott képekkel felülírhatjuk a téma háttérképét, 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 diákat 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.
@@ -901,7 +883,7 @@ demand and thus an internet connection is required.
ImagePlugin.ExceptionDialog
-
+
Select Attachment
Melléklet kijelölése
@@ -909,39 +891,39 @@ demand and thus an internet connection is required.
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
-
+
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
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.
@@ -1010,37 +992,37 @@ 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.
@@ -1061,7 +1043,7 @@ Szeretnél más képeket megadni?
OpenLP
-
+
Image Files
Kép fájlok
@@ -1079,7 +1061,7 @@ Find out more about OpenLP: http://openlp.org/
OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider contributing by using the button below.
OpenLP <version> <revision> – Nyílt forrású dalszöveg vetítő
-Az OpenLP egy templomi/gyülekezeti bemutató, ill. dalszöveg vetítő szabad szoftver, mely énekek, bibliai versek, videók, képek és bemutatók (ha az OpenOffice.org, PowerPoint vagy a PowerPoint Viewer telepítve van) vetítésére használható 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 OpenOffice.org, 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/
@@ -1101,7 +1083,7 @@ Az OpenLP-t önkéntesek készítették és tartják karban. Ha szeretnél több
Részvétel
-
+
build %s
@@ -1222,12 +1204,12 @@ Végső köszönet
„Úgy szerette Isten a világot, hogy
egyszülött Fiát adta oda, hogy egyetlen
benne hívő se vesszen el, hanem
- örök élete legyen.” (Jn 3,16)
+ örök élete legyen." ‒ János 3,16
És végül, de nem utolsósorban, a végső köszönet
Istené, Atyánké, mert elküldte a Fiát, hogy meghaljon
a kereszten, megszabadítva bennünket a bűntől. Ezért
- ezt a programot szabadnak és ingyenesnek készítettük, mert Ő
+ ezt a programot ingyen készítettük neked, mert Ő
tett minket szabaddá.
@@ -1246,76 +1228,103 @@ Tinggaard, Frode Woldsund
This program is 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.
+
This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See below for more details.
- Ez a program abban a reményben kerül közreadásra, hogy hasznos lesz, de minden egyéb GARANCIA NÉLKÜL, az eladhatóságra vagy valamely célra való alkalmazhatóságra való származtatott garanciát is beleértve. További részletekért lásd a alább.
+ Ez a program abban a reményben kerül közreadásra, hogy hasznos lesz, de minden egyéb GARANCIA NÉLKÜL, az eladhatóságra vagy valamely célra való alkalmazhatóságra való származtatott garanciát is beleértve. További részletekért lásd a alább.
+
OpenLP.AdvancedTab
-
+
UI Settings
Felhasználói felület beállításai
-
+
Number of recent files to display:
Előzmények megjelenítésének hossza:
-
+
Remember active media manager tab on startup
Újraindításkor az aktív médiakezelő fülek visszaállítása
-
+
Double-click to send items straight to live
Dupla kattintással az elemek azonnali élő adásba küldése
-
+
Expand new service items on creation
A sorrendbe kerülő elemek kibontása létrehozáskor
-
+
Enable application exit confirmation
Kilépési megerősítés engedélyezése
-
+
Mouse Cursor
Egérmutató
-
+
Hide mouse cursor when over display window
Egérmutató elrejtése a vetítési képernyő felett
-
+
Default Image
Alapértelmezett kép
-
+
Background color:
Háttérszín:
-
+
Image file:
Kép fájl:
-
+
Open File
Fájl megnyitása
+
+
+ Preview items when clicked in Media Manager
+
+
+
+
+ Advanced
+ Haladó
+
+
+
+ Click to select a color.
+
+
+
+
+ Browse for an image file to display.
+
+
+
+
+ Revert to the default OpenLP logo.
+
+
OpenLP.DisplayTagDialog
@@ -1342,7 +1351,7 @@ Tinggaard, Frode Woldsund
Start tag
- Nyitó címke
+ Kezdő címke
@@ -1357,12 +1366,12 @@ Tinggaard, Frode Woldsund
Tag Id
- ID
+ Címke ID
Start HTML
- Nyitó HTML
+ Kezdő HTML
@@ -1393,7 +1402,7 @@ Tinggaard, Frode Woldsund
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 alábbi dobozban található szöveg olyan információkat tartalmaz, amelyek hasznosak lehetnek az OpenLP fejlesztői számára, tehát kérjük, küld el bugs@openlp.org email címre egy részletes leírás mellett, amely tartalmazza, hogy éppen merre és mit tettél, amikor a hiba történt.
@@ -1414,15 +1423,16 @@ Tinggaard, Frode Woldsund
Please enter a description of what you were doing to cause this error
(Minimum 20 characters)
- Írd le mit tettél, ami a hibához vezetett (minimum 20 karakter)
+ Írd le mit tettél, ami a hibát okozta
+(minimum 20 karakter)
Attach File
- Fájl csatolása
+ Csatolt fájl
-
+
Description characters to enter : %s
Leírás: %s
@@ -1430,23 +1440,23 @@ Tinggaard, Frode Woldsund
OpenLP.ExceptionForm
-
+
Platform: %s
-
+
Save Crash Report
Összeomlási jelentés mentése
-
+
Text files (*.txt *.log *.text)
Szöveg fájlok (*.txt *.log *.text)
-
+
**OpenLP Bug Report**
Version: %s
@@ -1464,7 +1474,7 @@ Version: %s
-
+
*OpenLP Bug Report*
Version: %s
@@ -1527,97 +1537,97 @@ 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 beépülők engedélyezése…
-
+
First Time Wizard
Első indítás tündér
-
+
Welcome to the First Time Wizard
Üdvözlet az első indítás tündérben
-
+
This wizard will help you to configure OpenLP for initial use. Click the next button below to start the process of selection your initial options.
A tündérrel előkészítheti az OpenLP első használatát. Az alább található Tovább gombra való kattintással indítható a folyamat első lépése.
-
+
Activate required Plugins
- Igényelt bővítmények aktiválása
+ Szükséges beépülők 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 beépülőket.
-
+
Songs
Dalok
-
+
Custom Text
- Speciális
+ Egyedi szöveg
-
+
Bible
Biblia
-
+
Images
Képek
-
+
Presentations
Bemutatók
-
+
Media (Audio and Video)
Média (hang és videó)
-
+
Allow remote access
- Távvezérlő
+ Távvezérlés engedélyezése
-
+
Monitor Song Usage
- Dalstatisztika
+ Dalstatisztika monitorozása
-
+
Allow Alerts
- Értesítések
+ Értesítések engedélyezése
-
+
No Internet Connection
Nincs internet kapcsolat
-
+
Unable to detect an Internet connection.
Nem sikerült internet kapcsolatot észlelni.
-
+
No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes.
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.
@@ -1630,67 +1640,67 @@ Az Első indulás tündér újbóli indításához most a Mégse gobra kattints
Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés gombot.
-
+
Sample Songs
Példa dalok
-
+
Select and download public domain songs.
Közkincs dalok kijelölése és letöltése.
-
+
Sample Bibles
Példa Bibliák
-
+
Select and download free Bibles.
Szabad Bibliák kijelölése és letöltése.
-
+
Sample Themes
Példa témák
-
+
Select and download sample themes.
Példa témák kijelölése és letöltése.
-
+
Default Settings
Alapértelmezett beállítások
-
+
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.
+ Várj, amíg az OpenLP beállítások érvényre jutnak és míg at adatok importálódnak.
-
+
Default output display:
Alapértelmezett kimeneti képernyő:
-
+
Select default theme:
Alapértelmezett téma kijelölése:
-
+
Starting configuration process...
Beállítási folyamat kezdése…
@@ -1698,130 +1708,135 @@ Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés go
OpenLP.GeneralTab
-
+
General
Általános
-
+
Monitors
Monitorok
-
+
Select monitor for output display:
Jelöld ki a vetítési képernyőt:
-
+
Display if a single screen
Megjelenítés egy képernyő esetén
-
+
Application Startup
Alkalmazás indítása
-
+
Show blank screen warning
Figyelmeztetés megjelenítése az üres képernyőről
-
+
Automatically open the last service
Utolsó sorrend automatikus megnyitása
-
+
Show the splash screen
Indító képernyő megjelenítése
-
+
Application Settings
Alkalmazás beállítások
-
+
Prompt to save before starting a new service
Rákérdezés mentésre új sorrend létrehozása előtt
-
+
Automatically preview next item in service
Következő elem automatikus előnézete a sorrendben
-
+
Slide loop delay:
- Időzített dia késleltetése:
+ Időzített diák késleltetése:
-
+
sec
mp
-
+
CCLI Details
CCLI részletek
-
+
SongSelect username:
SongSelect felhasználói név:
-
+
SongSelect password:
SongSelect jelszó:
-
+
Display Position
Megjelenítés pozíciója
-
+
X
-
+
Y
-
+
Height
Magasság
-
+
Width
Szélesség
-
+
Override display position
Megjelenítési pozíció felülírása
-
+
Check for updates to OpenLP
Frissítés keresése az OpenLP-hez
+
+
+ Unblank display when adding new live item
+
+
OpenLP.LanguageManager
-
+
Language
Nyelv
-
+
Please restart OpenLP to use your new language setting.
A nyelvi beállítások az OpenLP újraindítása után lépnek érvénybe.
@@ -1829,7 +1844,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
@@ -1837,210 +1852,170 @@ 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ő
-
+
Service Manager
Sorrendkezelő
-
+
Theme Manager
Témakezelő
-
+
&New
&Új
-
- Ctrl+N
-
-
-
-
+
&Open
Meg&nyitás
-
+
Open an existing service.
Meglévő sorrend megnyitása.
-
- Ctrl+O
-
-
-
-
+
&Save
&Mentés
-
+
Save the current service to disk.
Aktuális sorrend mentése lemezre.
-
- Ctrl+S
-
-
-
-
+
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.
-
- Ctrl+Shift+S
-
-
-
-
+
E&xit
&Kilépés
-
+
Quit OpenLP
OpenLP bezárása
-
- Alt+F4
-
-
-
-
+
&Theme
&Téma
-
+
&Configure OpenLP...
OpenLP &beállítása…
-
+
&Media Manager
&Médiakezelő
-
+
Toggle Media Manager
Médiakezelő átváltása
-
+
Toggle the visibility of the media manager.
A médiakezelő láthatóságának átváltása.
-
- F8
-
-
-
-
+
&Theme Manager
&Témakezelő
-
+
Toggle Theme Manager
Témakezelő átváltása
-
+
Toggle the visibility of the theme manager.
A témakezelő láthatóságának átváltása.
-
- F10
-
-
-
-
+
&Service Manager
&Sorrendkezelő
-
+
Toggle Service Manager
Sorrendkezelő átváltása
-
+
Toggle the visibility of the service manager.
A sorrendkezelő láthatóságának átváltása.
-
-
- F9
-
-
&Preview Panel
@@ -2058,126 +2033,106 @@ Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés go
- F11
-
-
-
-
&Live Panel
&Élő adás panel
-
+
Toggle Live Panel
Élő adás panel átváltása
-
+
Toggle the visibility of the live panel.
Az élő adás panel láthatóságának átváltása.
-
- F12
-
-
-
-
+
&Plugin List
&Bővítménylista
-
+
List the Plugins
Bővítmények listája
-
- Alt+F7
-
-
-
-
+
&User Guide
&Felhasználói kézikönyv
-
+
&About
&Névjegy
-
+
More information about OpenLP
További információ az OpenLP-ről
-
- Ctrl+F1
-
-
-
-
+
&Online Help
&Online súgó
-
+
&Web Site
&Weboldal
-
+
Use the system language, if available.
Rendszernyelv használata, ha elérhető.
-
+
Set the interface language to %s
A felhasználói felület nyelvének átváltása erre: %s
-
+
Add &Tool...
&Eszköz hozzáadása…
-
+
Add an application to the list of tools.
Egy alkalmazás hozzáadása az eszközök listához.
-
+
&Default
&Alapértelmezett
-
+
Set the view mode back to the default.
Nézetmód visszaállítása az alapértelmezettre.
-
+
&Setup
&Szerkesztés
-
+
Set the view mode to Setup.
Nézetmód váltása a Beállítás módra.
-
+
&Live
&Élő adás
-
+
Set the view mode to Live.
Nézetmód váltása 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/.
@@ -2186,73 +2141,68 @@ You can download the latest version from http://openlp.org/.
A legfrissebb verzió a http://openlp.org/ oldalról szerezhető be.
-
+
OpenLP Version Updated
OpenLP verziófrissítés
-
+
OpenLP Main Display Blanked
Sötét OpenLP fő képernyő
-
+
The Main Display has been blanked out
A fő képernyő el lett sötétítve
-
+
Default Theme: %s
Alapértelmezett téma: %s
-
+
Configure &Shortcuts...
&Gyorsbillentyűk beállítása…
-
+
English
Please add the name of your language here
Magyar
-
+
Print the current Service Order.
Az aktuális sorrend nyomtatása.
-
- Ctrl+P
-
-
-
-
+
&Configure Display Tags
- Megjelenítési &címkék beállítása
+ Megjelenítési &címkek 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?
@@ -2260,45 +2210,51 @@ A legfrissebb verzió a http://openlp.org/ oldalról szerezhető be.
OpenLP.MediaManagerItem
-
+
No Items Selected
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.
-
+
You must select one or more items to send live.
Ki kell jelölni egy élő adásba küldendő elemet.
-
+
You must select one or more items.
Ki kell jelölni egy vagy több elemet.
-
+
You must select an existing service item to add to.
Ki kell jelölni egy 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
+
+
OpenLP.PluginForm
@@ -2364,37 +2320,37 @@ A legfrissebb verzió a http://openlp.org/ oldalról szerezhető be.Beállítások
-
+
Close
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
@@ -2404,20 +2360,25 @@ A legfrissebb verzió a http://openlp.org/ oldalról szerezhető be.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.
+
+
OpenLP.ScreenList
@@ -2443,212 +2404,252 @@ A legfrissebb verzió a http://openlp.org/ oldalról szerezhető be.
OpenLP.ServiceManager
-
+
Load an existing service
Egy meglévő szolgálati sorrend betöltése
-
+
Save this service
Aktuális szolgálati sorrend mentése
-
+
Select a theme for the service
Jelöljön ki egy témát a sorrendhez
-
+
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
-
+
Delete the selected item from the service.
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ő
-
+
Your item cannot be displayed as there is no handler to display it
Az elemet nem lehet megjeleníteni, mert nincs kezelő, amely megjelenítené
-
+
Your item cannot be displayed as the plugin required to display it is missing or inactive
Az elemet nem lehet megjeleníteni, mert a bővítmény, amely kezelné, hiányzik vagy inaktív
-
+
&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.
-
- Notes:
- Jegyzetek:
-
-
-
+
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
-
+
Send the selected item to Live.
A kiválasztott elem élő adásba küldése.
-
+
&Start Time
&Kezdő időpont
-
+
Show &Preview
&Előnézet megjelenítése
-
+
Show &Live
É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.
+
+
+
+
+ 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.ServiceNoteForm
@@ -2661,7 +2662,7 @@ A tartalom kódolása nem UTF-8.
OpenLP.SettingsForm
-
+
Configure OpenLP
OpenLP beállítása
@@ -2669,219 +2670,269 @@ A tartalom kódolása nem UTF-8.
OpenLP.ShortcutListDialog
-
+
Customize Shortcuts
Egyedi gyorsbillentyűk
-
+
Action
Parancs
-
+
Shortcut
Gyorsbillentyű
-
- Default: %s
- Alapértelmezett: %s
-
-
-
- Custom:
- Egyedi:
-
-
-
- None
- Nincs
-
-
-
+
Duplicate Shortcut
Azonos gyorsbillentyű
-
+
The shortcut "%s" is already assigned to another action, please use a different shortcut.
A „%s” gyorsbillentyű már foglalt.
-
+
Alternate
Alternatív
+
+
+ Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively.
+
+
+
+
+ Default
+ Alapértelmezett
+
+
+
+ Custom
+ Speciális
+
+
+
+ Capture shortcut.
+
+
+
+
+ Restore the default shortcut of this action.
+
+
+
+
+ Restore Default Shortcuts
+
+
+
+
+ Do you want to restore all shortcuts to their defaults?
+
+
OpenLP.SlideController
-
+
Move to previous
Mozgatás az előzőre
-
+
Move to next
Mozgatás a következőre
-
+
Hide
Elrejtés
-
+
Move to live
Élő adásba küldés
-
+
Start continuous loop
Folyamatos vetítés indítása
-
+
Stop continuous loop
Folyamatos vetítés leállítása
-
+
Delay between slides in seconds
Diák közötti késleltetés másodpercben
-
+
Start playing media
Médialejátszás indítása
-
+
Go To
Ugrás
-
+
Edit and reload song preview
Szerkesztés és az dal előnézetének újraolvasása
-
+
Blank Screen
Üres képernyő
-
+
Blank to Theme
Üres téma
-
+
Show Desktop
Asztal megjelenítése
-
+
Previous Slide
Előző dia
-
+
Next Slide
Következő dia
-
+
Previous Service
Előző sorrend
-
+
Next Service
Következő sorrend
-
+
Escape Item
Kilépés az elemből
+
+
+ Start/Stop continuous loop
+
+
OpenLP.SpellTextEdit
-
+
Spelling Suggestions
Helyesírási javaslatok
-
+
Formatting Tags
Formázó címkék
+
+
+ Language:
+
+
OpenLP.StartTimeForm
-
- Item Start Time
- Elem kezdő időpontja
-
-
-
+
Hours:
Óra:
-
- h
- ó
-
-
-
- m
- p
-
-
-
+
Minutes:
Perc:
-
+
Seconds:
Másodperc:
+
+
+ Item Start and Finish Time
+
+
+
+
+ Start
+
+
+
+
+ Finish
+
+
+
+
+ Length
+
+
+
+
+ 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
+
+
OpenLP.ThemeForm
-
+
Select Image
Kép kijelölése
-
+
Theme Name Missing
Téma neve nincs megadva
-
+
There is no name for this theme. Please enter one.
A témának nincs neve, meg kell adni.
-
+
Theme Name Invalid
Érvénytelen téma név
-
+
Invalid theme name. Please enter one.
A téma neve érvénytelen, érvényeset kell megadni.
-
+
(%d lines per slide)
(%d sor diánként)
@@ -2949,79 +3000,79 @@ A tartalom kódolása nem UTF-8.
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
-
+
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.
@@ -3041,37 +3092,37 @@ A tartalom kódolása nem UTF-8.
Téma e&xportálása
-
+
Delete %s theme?
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
-
+
Rename %s theme?
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.
@@ -3156,7 +3207,7 @@ A tartalom kódolása nem UTF-8.
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 a megjelenési tulajdonságai
@@ -3201,7 +3252,7 @@ A tartalom kódolása nem UTF-8.
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 a megjelenési tulajdonságai
@@ -3291,7 +3342,7 @@ A tartalom kódolása nem UTF-8.
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. Felülírható már egy meglévő vagy egy új név megadásával új téma hozható létre
@@ -3299,7 +3350,7 @@ A tartalom kódolása nem UTF-8.
Téma neve:
-
+
Edit Theme - %s
Téma szerkesztése – %s
@@ -3322,42 +3373,42 @@ A tartalom kódolása nem UTF-8.
OpenLP.ThemesTab
-
+
Global Theme
Globális téma
-
+
Theme Level
Téma szint
-
+
S&ong Level
Dal &szint
-
+
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.
Minden dalra az adatbázisban tárolt téma alkalmazása. Ha egy dalhoz nincs saját téma beállítva, akkor a szolgálati sorrendhez beállított alkalmazása. Ha a sorrendhez sincs téma beállítva, akkor a globális téma alkalmazása.
-
+
&Service Level
Szolgálati sorrend &szint
-
+
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.
A szolgálati sorrendhez beállított téma alkalmazása, vagyis az egyes dalokhoz megadott témák felülírása. Ha a szolgálati sorrendhez nincs téma beállítva, akkor a globális téma alkalmazása.
-
+
&Global Level
&Globális szint
-
+
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.
@@ -3365,290 +3416,290 @@ A tartalom kódolása nem UTF-8.
OpenLP.Ui
-
+
About
Névjegy
-
+
&Add
&Hozzáadás
-
+
Advanced
Haladó
-
+
All Files
Minden fájl
-
+
Bottom
Alulra
-
+
Browse...
Tallózás…
-
+
Cancel
Mégsem
-
+
CCLI number:
CCLI szám:
-
+
Create a new service.
Új szolgálati sorrend létrehozása.
-
+
&Delete
&Törlés
-
+
&Edit
&Szerkesztés
-
+
Empty Field
Üres mező
-
+
Error
Hiba
-
+
Export
Exportálás
-
+
pt
Abbreviated font pointsize unit
-
+
Image
Kép
-
+
Import
Importálás
-
+
Length %s
Hossz %s
-
+
Live
Élő adás
-
+
Live Background Error
Élő háttér hiba
-
+
Live Panel
Élő panel
-
+
Load
Betöltés
-
+
Middle
Középre
-
+
New
Új
-
+
New Service
Új sorrend
-
+
New Theme
Új téma
-
+
No File Selected
Singular
Nincs kijelölt fájl
-
+
No Files Selected
Plural
Nincsenek kijelölt fájlok
-
+
No Item Selected
Singular
Nincs kijelölt elem
-
+
No Items Selected
Plural
Nincsenek kijelölt elemek
-
+
openlp.org 1.x
-
+
OpenLP 2.0
-
+
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
-
+
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.
-
+
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:
@@ -3714,7 +3765,7 @@ 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
@@ -3724,7 +3775,7 @@ A tartalom kódolása nem UTF-8.
Üdvözlet a dalexportáló tündérben
-
+
Welcome to the Song Import Wizard
Üdvözlet a dalimportáló tündérben
@@ -3759,22 +3810,124 @@ A tartalom kódolása nem UTF-8.
Énekeskönyvek
-
+
Song Maintenance
Dalok kezelése
-
+
Topic
Singular
Témakör
-
+
Topics
Plural
Témakörök
+
+
+ Continuous
+ Folytonos
+
+
+
+ Default
+ Alapértelmezett
+
+
+
+ Display style:
+ Megjelenítési stílus:
+
+
+
+ File
+
+
+
+
+ Help
+
+
+
+
+ h
+ The abbreviated unit for hours
+ ó
+
+
+
+ Layout style:
+ Elrendezési stílus:
+
+
+
+ Live Toolbar
+
+
+
+
+ m
+ The abbreviated unit for minutes
+ p
+
+
+
+ OpenLP is already running. Do you wish to continue?
+
+
+
+
+ Settings
+
+
+
+
+ Tools
+
+
+
+
+ Verse Per Slide
+ Egy vers diánként
+
+
+
+ Verse Per Line
+ Egy vers soronként
+
+
+
+ View
+
+
+
+
+ View Model
+
+
+
+
+ Duplicate Error
+
+
+
+
+ Unsupported File
+ Nem támogatott fájl
+
+
+
+ Title and/or verses not found
+
+
+
+
+ XML syntax error
+
+
OpenLP.displayTagDialog
@@ -3787,49 +3940,49 @@ A tartalom kódolása nem UTF-8.
PresentationPlugin
-
+
<strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box.
<strong>Bemutató bővítmény</strong><br />A bemutató bővítmény különböző külső programok segítségével bemutatók megjelenítését teszi lehetővé. A prezentációs programok egy listából választhatók ki.
-
+
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
-
+
Presentation
name singular
Bemutató
-
+
Presentations
name plural
Bemutatók
-
+
Presentations
container title
Bemutatók
@@ -3853,22 +4006,17 @@ A tartalom kódolása nem UTF-8.
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ó.
-
- Unsupported File
- Nem támogatott fájl
-
-
-
+
This type of presentation is not supported.
Ez a bemutató típus nem támogatott.
@@ -3878,17 +4026,17 @@ A tartalom kódolása nem UTF-8.
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.
@@ -3958,63 +4106,68 @@ 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.
-
+
SongUsage
name singular
Dalstatisztika
-
+
SongUsage
name plural
Dalstatisztika
-
+
SongUsage
container title
Dalstatisztika
+
+
+ Song Usage
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4102,12 +4255,12 @@ has been successfully created.
SongsPlugin
-
+
&Song
&Dal
-
+
Import songs using the import wizard.
Dalok importálása az importálás tündérrel.
@@ -4253,7 +4406,7 @@ The encoding is responsible for the correct character representation.
A kódlap felelős a karakterek helyes megjelenítéséért.
-
+
Exports songs using the export wizard.
Dalok exportálása a dalexportáló tündérrel.
@@ -4317,9 +4470,17 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
SongsPlugin.CCLIFileImport
-
- Importing song %d of %d
- Dalok importálása %d/%d
+
+ The file does not have a valid extension.
+
+
+
+
+ SongsPlugin.EasyWorshipSongImport
+
+
+ Administered by %s
+ Adminisztrálta: %s
@@ -4420,82 +4581,82 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
Téma, szerzői jog és megjegyzések
-
+
Add Author
Szerző hozzáadása
-
+
This author does not exist, do you want to add them?
Ez a szerző még nem létezik, valóban hozzá kívánja adni?
-
+
This author is already in the list.
A szerző már benne van a listában.
-
+
You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author.
- Nincs kijelölve egyetlen szerző sem. Vagy válassz egy szerzőt a listából, vagy írj az új szerző mezőbe és kattints a Hozzáadás gombra a szerző megjelöléséhez.
+ Nincs kijelölve egyetlen szerző sem. Vagy válassz egy szerzőt a listából, vagy írj az új szerző mezőbe és kattints az „Szerző hozzáadása a dalhoz” gombon 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 Témakör hozzáadása a dalhoz gombon a 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.
@@ -4609,152 +4770,165 @@ 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
-
+
Song Import Wizard
Dalimportáló tündér
-
+
This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from.
A tündérrel különféle formátumú dalokat lehet importálni. Az alább található Tovább gombra való kattintással indítható a folyamat első lépése a formátum kiválasztásával.
-
+
Generic Document/Presentation
Általános dokumentum vagy bemutató
-
+
Filename:
Fájlnév:
-
+
Add Files...
Fájlok hozzáadása…
-
+
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.
Kérlek, várj, míg a dalok importálás alatt állnak.
-
+
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.
-
+
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
-
- Administered by %s
- Adminisztrálta: %s
-
-
-
+
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
+
+
+ Copy
+ Másolás
+
+
+
+ Save to File
+ Mentés fájlba
+
SongsPlugin.MediaItem
-
+
Maintain the lists of authors, topics and books
Szerzők, témakörök, könyvek listájának kezelése
-
+
Titles
Címek
-
+
Lyrics
Dalszöveg
-
+
Delete Song(s)?
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?
+
+ SongsPlugin.OpenLP1SongImport
+
+
+ Not a valid openlp.org 1.x song database.
+
+
+
SongsPlugin.OpenLPSongImport
-
- Importing song %d of %d.
- Dalok importálása %d/%d.
+
+ Not a valid OpenLP 2.0 song database.
+
@@ -4804,15 +4978,20 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
SongsPlugin.SongImport
-
+
copyright
szerzői jog
+
+
+ The following songs could not be imported:
+
+
SongsPlugin.SongImportForm
-
+
Your song import failed.
Az importálás meghiúsult.
@@ -4860,47 +5039,47 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
A módosított témakört nem lehet elmenteni, mivel már létezik.
-
+
Delete Author
Szerző törlése
-
+
Are you sure you want to delete the selected author?
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.
-
+
Delete Topic
Témakör törlése
-
+
Are you sure you want to delete the selected topic?
A kijelölt témakör biztosan törölhető?
-
+
This topic cannot be deleted, it is currently assigned to at least one song.
Ezt a témakört nem lehet törölni, mivel jelenleg legalább egy dalhoz hozzá van rendelve.
-
+
Delete Book
Könyv törlése
-
+
Are you sure you want to delete the selected book?
A kijelölt könyv biztosan törölhető?
-
+
This book cannot be deleted, it is currently assigned to at least one song.
Ezt a könyvet nem lehet törölni, mivel jelenleg legalább egy dalhoz hozzá van rendelve.
@@ -5009,4 +5188,12 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
Egyéb
+
+ ThemeTab
+
+
+ Themes
+ Témák
+
+
diff --git a/resources/i18n/id.ts b/resources/i18n/id.ts
index 977dba6d8..9844c233d 100644
--- a/resources/i18n/id.ts
+++ b/resources/i18n/id.ts
@@ -3,24 +3,24 @@
AlertPlugin.AlertForm
-
+
You have not entered a parameter to be replaced.
Do you want to continue anyway?
Anda belum memasukkan parameter baru.
Tetap lanjutkan?
-
+
No Parameter Found
Parameter Tidak Ditemukan
-
+
No Placeholder Found
Placeholder Tidak Ditemukan
-
+
The alert text does not contain '<>'.
Do you want to continue anyway?
Peringatan tidak mengandung '<>'.
@@ -30,34 +30,34 @@ Tetap lanjutkan?
AlertsPlugin
-
+
&Alert
Per&ingatan
-
+
Show an alert message.
Menampilkan pesan 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 pesan pada layar.
-
+
Alert
name singular
Peringatan
-
+
Alerts
name plural
Peringatan
-
+
Alerts
container title
Peringatan
@@ -96,12 +96,12 @@ Tetap lanjutkan?
Tampilkan dan &Tutup
-
+
New Alert
Peringatan Baru
-
+
You haven't specified any text for your alert. Please type in some text before clicking New.
Teks isi peringatan belum dispesifikasi. Harap masukkan teks sebelum memilih Baru.
@@ -196,7 +196,7 @@ Tetap lanjutkan?
Parse Error
-
+ Galat saat parsing.
@@ -207,12 +207,12 @@ Tetap lanjutkan?
BiblePlugin.MediaItem
-
+
Bible not fully loaded.
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?
@@ -220,64 +220,64 @@ Tetap lanjutkan?
BiblesPlugin
-
+
&Bible
&Alkitab
-
+
<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 memungkinkan program untuk menampilkan ayat-ayat dari berbagai sumber selama kebaktian.
-
+
Import a Bible
Impor Alkitab
-
+
Add a new Bible
Tambahkan Alkitab
-
+
Edit the selected Bible
Sunting Alkitab terpilih
-
+
Delete the selected Bible
Hapus Alkitab terpilih
-
+
Preview the selected Bible
Pratinjau Alkitab terpilih
-
+
Send the selected Bible live
Tampilkan Alkitab terpilih
-
+
Add the selected Bible to the service
Tambahkan Alkitab terpilih untuk kebaktian
-
+
Bible
name singular
Alkitab
-
+
Bibles
name plural
Alkitab
-
+
Bibles
container title
Alkitab
@@ -350,74 +350,49 @@ Kitab Pasal:Ayat-Pasal:Ayat
BiblesPlugin.BiblesTab
-
+
Verse Display
Tampilan Ayat
-
+
Only show new chapter numbers
Hanya tampilkan nomor pasal baru
-
- Layout style:
- Gaya tata letak:
-
-
-
- Display style:
- Gaya tampilan:
-
-
-
+
Bible theme:
Tema Alkitab:
-
- Verse Per Slide
- Ayat Tiap Slide
-
-
-
- Verse Per Line
- Ayat Tiap Baris
-
-
-
- Continuous
- Sinambung
-
-
-
+
No Brackets
- Tidak ada tanda kurung
+ Tanpa tanda kurung
-
+
( And )
( Dan )
-
+
{ And }
{ Dan }
-
+
[ And ]
[ Dan ]
-
+
Note:
Changes do not affect verses already in the service.
Catatan:
Perubahan tidak akan mempengaruhi ayat yang kini tampil.
-
+
Display second Bible verses
Tampilkan ayat Alkitab selanjutnya
@@ -425,248 +400,249 @@ Perubahan tidak akan mempengaruhi ayat yang kini tampil.
BiblesPlugin.ImportWizardForm
-
+
Bible Import Wizard
-
+ Import Wizard 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.
-
+ Wizard 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
-
-
-
-
- Set up the Bible's license details.
-
-
-
-
- Version name:
-
-
-
-
- Copyright:
-
+ 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 terpasang.
-
+
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
-
+
Starting Registering bible...
-
+ Mulai meregistrasi Alkitab...
-
+
Registered bible. Please note, that verses will be downloaded on
demand and thus an internet connection is required.
-
+ Alkitab terdaftar. Mohon perhatikan bahwa ayat-ayat akan diunduh
+sesuai permintaan dan membutuhkan sambungan internet.
+
+
+
+ Bibleserver
+ Server Alkitab
+
+
+
+ Permissions:
+ Izin:
+
+
+
+ Bible file:
+ Berkas Alkitab:
+
+
+
+ Testaments file:
+ Berkas perjanjian:
+
+
+
+ Books file:
+ Berkas kitab:
- Bibleserver
-
-
-
-
- Permissions:
-
-
-
-
- Bible file:
-
-
-
-
- Testaments file:
-
-
-
-
- Books file:
-
-
-
-
Verses file:
-
+ Berkas ayat:
-
+
You have not specified a testaments file. Do you want to proceed with the import?
-
+ Anda belum menentukan berkas perjanjian. Apa Anda ingin meneruskan impor?
-
+
openlp.org 1.x Bible Files
-
+ Ayat Alkitab openlp.org 1.x.
BiblesPlugin.MediaItem
-
+
Quick
-
-
-
-
- Find:
-
-
-
-
- Results:
-
-
-
-
- Book:
-
-
-
-
- Chapter:
-
-
-
-
- Verse:
-
-
-
-
- From:
-
-
-
-
- To:
-
-
-
-
- Text Search
-
-
-
-
- Clear
-
-
-
-
- Keep
-
+ Cepat
- Second:
-
+ Find:
+ Temukan:
-
+
+ Results:
+ Hasil:
+
+
+
+ Book:
+ Kitab:
+
+
+
+ Chapter:
+ Pasal:
+
+
+
+ Verse:
+ Ayat:
+
+
+
+ From:
+ Dari:
+
+
+
+ To:
+ Kepada:
+
+
+
+ Text Search
+ Pencarian Teks
+
+
+
+ Clear
+ Bersihkan
+
+
+
+ Keep
+ Simpan
+
+
+
+ Second:
+ Kedua:
+
+
+
Scripture Reference
-
+ Referensi Alkitab
@@ -681,12 +657,12 @@ demand and thus an internet connection is required.
BiblesPlugin.OsisImport
-
+
Detecting encoding (this may take a few minutes)...
-
+ Mendeteksi pengodean (mungkin butuh beberapa menit)...
-
+
Importing %s %s...
Importing <book name> <chapter>...
Mengimpor %s %s...
@@ -697,7 +673,7 @@ demand and thus an internet connection is required.
<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.
@@ -705,12 +681,12 @@ demand and thus an internet connection is required.
Custom Display
-
+ Tampilan Suai
Display footer
-
+ Catatan kaki tampilan
@@ -718,62 +694,62 @@ demand and thus an internet connection is required.
Edit Custom Slides
-
+ Sunting Tampilan Suai
&Title:
-
+ &Judul:
Add a new slide at bottom.
-
+ Tambahkan slide baru di bawah.
Edit the selected slide.
-
+ Sunting slide terpilih.
Edit all the slides at once.
-
+ Sunting seluruh slide bersamaan.
Split Slide
-
+ Pecah Slide
Split a slide into two by inserting a slide splitter.
-
+ Pecah slide menjadi dua menggunakan pemecah slide.
The&me:
-
+ Te&ma:
&Credits:
-
+ &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 slide.
Ed&it All
-
+ Sun&ting Semua
@@ -781,60 +757,68 @@ demand and thus an internet connection is required.
Import a Custom
-
+ Impor sebuah Suaian
Load a new Custom
-
+ Muat sebuah Suaian
Add a new Custom
-
+ Tambah 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
-
+ Kirim Suaian terpilih ke layar
Add the selected Custom to the service
-
+ Tambah Suaian terpilih ke daftar layanan
Custom
name singular
-
+ Suaian
Customs
name plural
-
+ Suaian
Custom
container title
-
+ Suaian
+
+
+
+ GeneralTab
+
+
+ General
+ Umum
@@ -842,107 +826,108 @@ demand and thus an internet connection is required.
<strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme.
-
+ <strong>Plugin Gambar</strong><br />Plugin gambar memungkinkan penayangan gambar.<br />Salah satu keunggulan fitur ini adalah kemampuan untuk menggabungkan beberapa gambar pada Service Manager, yang menjadikan penayangan beberapa gambar mudah. Plugin ini juga dapat menggunakan "perulangan terwaktu" dari OpenLP untuk membuat slide show yang berjalan otomatis. Juga, gambar dari plugin dapat digunakan untuk menggantikan latar tema.
Load a new Image
-
+ Muat gambar baru
Add a new Image
-
+ Tambah gambar baru
Edit the selected Image
-
+ Ubah 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 service
Image
name singular
-
+ Gambar
Images
name plural
-
+ Gambar
Images
container title
-
+ Gambar
ImagePlugin.ExceptionDialog
-
+
Select Attachment
-
+ Pilih Lampiran
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)
-
-
-
-
- The following image(s) no longer exist: %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.
@@ -950,98 +935,98 @@ Do you want to add the other images anyway?
<strong>Media Plugin</strong><br />The media plugin provides playback of audio and video.
-
+ <strong>Media Plugin</strong><br />Media plugin mampu memutar audio dan video.
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
-
+ Pratayang Media terpilih
Send the selected Media live
-
+ Tayangkan Media terpilih
Add the selected Media to the service
-
+ Tambahkan Media terpilih ke service
Media
name singular
-
+ Media
Media
name plural
-
+ Media
Media
container title
-
+ Media
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 (*)
@@ -1049,20 +1034,20 @@ Do you want to add the other images anyway?
Media Display
-
+ Tayangan Media
Use Phonon for video playback
-
+ Pakai Phonon untuk memutar video
OpenLP
-
+
Image Files
-
+ Berkas Gambar
@@ -1076,37 +1061,43 @@ 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 Lyrics Projection
+
+OpenLP adalah perangkat lunak gratis untuk presentasi gereja, untuk menayangkan slide lagu, ayat Alkitab, video, gambar, dan bahkan presentasi (jika OpenOffice.org atau PowerPoint terpasang) untuk gereja menggunakan komputer dan proyektor.
+
+Pelajari tentang OpenLP: http://openlp.org/
+
+OpenLP ditulis dan dirawat oleh para sukarelawan. Untuk melihat lebih banyak software Kristen ditulis, pertimbangkan untuk berkontribusi melalui tombol di bawah.
Credits
-
+ Kredit
License
-
+ Lisensi
Contribute
-
+ Berkontribusi
-
+
build %s
-
+ build %s
This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation; version 2 of the License.
-
+ Program ini adalah perangkat lunak gratis; Anda dapat meredistribusikannya dan/atau memodifikasinya di bawah syarat-syarat GNU General Public License yang dikeluarkan Free Software Foundation; Lisensi versi 2.
This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See below for more details.
-
+ Program ini didistribusikan dengan harapan dapat berguna, namun TANPA GARANSI; bahkan tanpa garansi implisit dalam PEMBELIAN maupun KETEPATAN TUJUAN TERTENTU. Lihat di bawah untuk detail lengkap.
@@ -1171,7 +1162,68 @@ Final Credit
on the cross, setting us free from sin. We
bring this software to you for free because
He has set us free.
-
+ Pemimpin Proyek
+ %s
+
+Pengembang
+%s
+
+Kontributor
+%s
+
+Penguji Coba
+%s
+
+Pemaket
+%s
+
+Penerjemah
+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
+Russian (ru)
+%s
+
+Dokumentasi
+%s
+
+Dibuat Dengan
+ 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/
+
+Kredit Akhir
+ "Karena begitu besarnya kasih Allah akan
+ dunia ini, sehingga Ia telah mengaruniakan
+ anak-Nya yang tunggal, supaya setiap orang
+ yang pecaya kepada-Nya tidak binasa, melainkan
+ beroleh hidup yang kekal. -- Yohanes 3:16
+
+ Dan <em>last but not least</em, kredit akhir
+ kepada Allah Bapa kita, untuk mengirim anak-Nya
+ untuk mati di salib, membebaskan kita dari dosa.
+ Kami memberikan perangkat lunak ini gratis karena
+ Dia telah membebaskan kita.
@@ -1180,69 +1232,98 @@ Portions copyright © 2004-2011 Tim Bentley, Jonathan Corwin, Michael Gorven
Meinert Jordan, Andreas Preikschat, Christian Richter, Philip
Ridout, Maikel Stuivenberg, Martin Thompson, Jon Tibble, Carsten
Tinggaard, Frode Woldsund
-
+ Copyright © 2004-2011 Raoul Snyman
+Portions copyright © 2004-2011 Tim Bentley, Jonathan Corwin, Michael Gorven, Scott Guerrieri,
+Meinert Jordan, Andreas Preikschat, Christian Richter, Philip
+Ridout, Maikel Stuivenberg, Martin Thompson, Jon Tibble, Carsten
+Tinggaard, Frode Woldsund
OpenLP.AdvancedTab
-
+
UI Settings
-
+ Pengaturan Antarmuka
-
+
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
-
+ Jumlah berkas anyar untuk ditampilkan:
+ Remember active media manager tab on startup
+ Ingat tab media manager yang aktif saat mulai
+
+
+
+ Double-click to send items straight to live
+ Klik-ganda untuk menayangkan langsung barang terpilih.
+
+
+
+ Expand new service items on creation
+ Tampilkan benda service saat dibuat
+
+
+
+ Enable application exit confirmation
+ Gunakan konfirmasi aplikasi keluar
+
+
+
+ Mouse Cursor
+ Kursor Tetikus
+
+
+
+ Hide mouse cursor when over display window
+ Sembunyikan kursor tetikus saat melewati jendela tampilan
+
+
+
+ Default Image
+ Gambar bawaan
+
+
+
Background color:
Warna latar:
-
+
Image file:
+ Berkas gambar:
+
+
+
+ Open File
+ Buka Berkas
+
+
+
+ Preview items when clicked in Media Manager
+ Pratayang barang saat diklik pada Media Manager
+
+
+
+ Advanced
+ Lanjutan
+
+
+
+ Click to select a color.
-
- Open File
+
+ Browse for an image file to display.
+
+
+
+
+ Revert to the default OpenLP logo.
@@ -1251,52 +1332,52 @@ Tinggaard, Frode Woldsund
Edit Selection
-
+ Sunting pilihan
Update
-
+ Perbarui
Description
-
+ Deskripsi
Tag
-
+ Label
Start tag
-
+ Label awal
End tag
-
+ Label akhir
Default
-
+ Bawaan
Tag Id
-
+ ID Label
Start HTML
-
+ HTML Awal
End HTML
-
+ Akhir HTML
@@ -1304,17 +1385,17 @@ Tinggaard, Frode Woldsund
Update Error
-
+ Galat dalam Memperbarui
Tag "n" already defined.
-
+ Label "n" sudah terdefinisi.
Tag %s already defined.
-
+ Label %s telah terdefinisi.
@@ -1322,60 +1403,62 @@ Tinggaard, Frode Woldsund
Error Occurred
-
+ Galat Terjadi.
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.
-
+ Aduh! OpenLP mengalami masalah yang tidak dapat diatasi. Teks di kotak bawah mengandung informasi yang membantu pengembang OpenLP, jadi tolong surelkan ini ke bugs@openlp.org, bersama dengan deskripsi detail apa yang Anda lakukan saat masalah terjadi.
Send E-Mail
-
+ Kirim Surel
Save to File
-
+ Simpan menjadi Berkas
Please enter a description of what you were doing to cause this error
(Minimum 20 characters)
-
+ Mohon masukkan deskripsi apa yang Anda lakukan saat galat terjadi
+(Paling sedikit 20 karakter)
Attach File
-
+ Lampirkan Berkas
-
+
Description characters to enter : %s
-
+ Karakter deskripsi untuk dimasukkan: %s
OpenLP.ExceptionForm
-
+
Platform: %s
-
+ Platform: %s
+
-
+
Save Crash Report
-
+ Simpan Laporan Crash
-
+
Text files (*.txt *.log *.text)
-
+ File teks (*.txt *.log *.text)
-
+
**OpenLP Bug Report**
Version: %s
@@ -1390,10 +1473,23 @@ Version: %s
--- Library Versions ---
%s
-
+ **OpenLP Bug Report**
+Version: %s
+
+--- Details of the Exception. ---
+
+%s
+
+--- Exception Traceback ---
+%s
+--- System information ---
+%s
+--- Library Versions ---
+%s
+
-
+
*OpenLP Bug Report*
Version: %s
@@ -1409,7 +1505,20 @@ Version: %s
%s
Please add the information that bug reports are favoured written in English.
-
+ *OpenLP Bug Report*
+Version: %s
+
+--- Details of the Exception. ---
+
+%s
+
+--- Exception Traceback ---
+%s
+--- System information ---
+%s
+--- Library Versions ---
+%s
+
@@ -1417,17 +1526,17 @@ Version: %s
File Rename
-
+ Namai Berkas
New File Name:
-
+ Nama Berkas Baru:
File Copy
-
+ Salin Berkas
@@ -1435,17 +1544,17 @@ Version: %s
Select Translation
-
+ Pilih Terjemahan
Choose the translation you'd like to use in OpenLP.
-
+ Pilih terjemahan yang ingin Anda gunakan di OpenLP.
Translation:
-
+ Terjemahan:
@@ -1453,773 +1562,725 @@ Version: %s
Downloading %s...
-
+ 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...
-
+
First Time Wizard
-
+ Wisaya Pertama Kali
-
+
Welcome to the First Time Wizard
-
+ Selamat datang di Wisaya Pertama Kali
-
+
This wizard will help you to configure OpenLP for initial use. Click the next button below to start the process of selection your initial options.
-
-
-
-
- Activate required Plugins
-
-
-
-
- Select the Plugins you wish to use.
-
-
-
-
- Songs
-
+ Wisaya ini akan membantu mengonfigurasi OpenLP untuk penggunaan pertama. Klik lanjut untuk memulai proses menyetel pilihan awal.
- Custom Text
-
+ Activate required Plugins
+ Mengaktivasi Plugin yang dibutuhkan
+ Select the Plugins you wish to use.
+ Pilih Plugin yang ingin digunakan.
+
+
+
+ Songs
+ Lagu
+
+
+
+ Custom Text
+ Teks
+
+
+
Bible
Alkitab
-
+
Images
-
+ Gambar
-
+
Presentations
-
+ Presentasi
-
+
Media (Audio and Video)
-
+ Media (Audio dan Video)
-
+
Allow remote access
-
+ Izinkan akses jauh
-
+
Monitor Song Usage
-
-
-
-
- Allow Alerts
-
-
-
-
- No Internet Connection
-
-
-
-
- Unable to detect an Internet connection.
-
+ Catat Penggunaan Lagu
+ Allow Alerts
+ Izinkan Peringatan
+
+
+
+ No Internet Connection
+ Tidak Terhubung ke Internet
+
+
+
+ Unable to detect an Internet connection.
+ Tidak dapat mendeteksi koneksi Internet.
+
+
+
No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes.
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.
-
+ Koneksi Internet tidak ditemukan. Wisaya Kali Pertama butuh sambungan Internet untuk mengunduh contoh lagu, Alkitab, dan tema.
+
+Untuk menjalankan lagi Wisaya Kali Pertama dan mengimpor contoh data, tekan batal, cek koneksi Internet, dan mulai ulang OpenLP.
+
+Untuk membatalkan Wisaya Kali Pertama, tekan tombol selesai.
-
+
Sample Songs
-
+ Contoh Lagu
-
+
Select and download public domain songs.
-
+ Pilih dan unduh lagu domain bebas.
-
+
Sample Bibles
-
+ Contoh Alkitab
-
+
Select and download free Bibles.
-
+ Pilih dan unduh Alkitab gratis
-
+
Sample Themes
-
+ Contoh Tema
-
+
Select and download sample themes.
-
+ Pilih dan unduh contoh Tema
-
+
Default Settings
-
+ Pengaturan Bawaan
-
+
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:
-
+ Tampilan keluaran bawaan:
-
+
Select default theme:
-
+ Pilih tema bawaan:
-
+
Starting configuration process...
-
+ Memulai proses konfigurasi...
OpenLP.GeneralTab
-
-
- General
-
-
-
-
- Monitors
-
-
-
-
- Select monitor for output display:
-
-
+ General
+ Umum
+
+
+
+ Monitors
+ Monitor
+
+
+
+ Select monitor for output display:
+ Pilih monitor untuk tampilan keluaran:
+
+
+
Display if a single screen
-
+ Tampilkan jika layar tunggal
-
+
Application Startup
-
+ Awal Mulai Aplikasi
-
+
Show blank screen warning
-
+ Tampilkan peringatan layar kosong
-
+
Automatically open the last service
-
+ Buka layanan terakhir secara otomatis
-
+
Show the splash screen
-
+ Tampilkan logo di awal
-
+
Application Settings
-
+ Pengaturan Aplikasi
-
+
Prompt to save before starting a new service
-
+ Coba simpan sebelum memulai pelayanan baru
-
+
Automatically preview next item in service
-
+ Pratinjau item selanjutnya pada sevice
-
+
Slide loop delay:
-
+ Waktu tunda perulangan slide:
-
+
sec
-
+ sec
-
+
CCLI Details
-
-
-
-
- SongSelect username:
-
-
-
-
- SongSelect password:
-
-
-
-
- Display Position
-
-
-
-
- X
-
-
-
-
- Y
-
-
-
-
- Height
-
-
-
-
- Width
-
+ Detail CCLI
- Override display position
-
+ SongSelect username:
+ Nama pengguna SongSelect:
-
+
+ SongSelect password:
+ Sandi-lewat SongSelect:
+
+
+
+ Display Position
+ Posisi Tampilan
+
+
+
+ X
+ X
+
+
+
+ Y
+ Y
+
+
+
+ Height
+ Tinggi
+
+
+
+ Width
+ Lebar
+
+
+
+ Override display position
+ Timpa posisi tampilan
+
+
+
Check for updates to OpenLP
-
+ Cek pembaruan untuk OpenLP
+
+
+
+ Unblank display when adding new live item
+ Jangan kosongkan layar saat menambah item baru
OpenLP.LanguageManager
-
+
Language
-
+ Bahasa
-
+
Please restart OpenLP to use your new language setting.
-
+ Mohon mulai ulang OpenLP untuk menggunakan pengaturan bahasa baru.
OpenLP.MainDisplay
-
+
OpenLP Display
-
+ Tampilan OpenLP
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
-
- Ctrl+N
-
-
-
-
+
&Open
-
+ &Buka
-
+
Open an existing service.
-
+ Buka layanan yang ada.
-
- Ctrl+O
-
-
-
-
+
&Save
&Simpan
-
+
Save the current service to disk.
-
+ Menyimpan layanan aktif ke dalam diska.
-
- Ctrl+S
-
-
-
-
+
Save &As...
-
+ Simp&an Sebagai...
-
+
Save Service As
-
+ Simpan Layanan Sebagai
-
+
Save the current service under a new name.
-
-
-
-
- Ctrl+Shift+S
-
-
-
-
- E&xit
-
-
-
-
- Quit OpenLP
-
-
-
-
- Alt+F4
-
+ Menyimpan layanan aktif dengan nama baru.
- &Theme
-
+ E&xit
+ Kelua&r
+
+
+
+ Quit OpenLP
+ Keluar dari OpenLP
- &Configure OpenLP...
-
-
-
-
- &Media Manager
-
-
-
-
- Toggle Media Manager
-
-
-
-
- Toggle the visibility of the media manager.
-
+ &Theme
+ &Tema
- F8
-
+ &Configure OpenLP...
+ &Konfigurasi OpenLP...
- &Theme Manager
-
+ &Media Manager
+ Manajer %Media
- Toggle Theme Manager
-
+ Toggle Media Manager
+ Ganti Manajer Media
- Toggle the visibility of the theme manager.
-
+ Toggle the visibility of the media manager.
+ Mengganti kenampakan manajer media.
- F10
-
+ &Theme Manager
+ Manajer &Tema
- &Service Manager
-
+ Toggle Theme Manager
+ Ganti Manajer Tema
- Toggle Service Manager
-
+ Toggle the visibility of the theme manager.
+ Mengganti kenampakan manajer tema.
- Toggle the visibility of the service manager.
-
+ &Service Manager
+ Manajer &Layanan
- F9
-
+ Toggle Service Manager
+ Ganti Manajer Layanan
- &Preview Panel
-
+ Toggle the visibility of the service manager.
+ Mengganti kenampakan manajer layanan.
- Toggle Preview Panel
-
+ &Preview Panel
+ Panel &Pratinjau
- Toggle the visibility of the preview panel.
-
+ Toggle Preview Panel
+ Ganti Panel Pratinjau
- F11
-
+ Toggle the visibility of the preview panel.
+ Ganti kenampakan panel pratinjau
&Live Panel
-
+ Panel &Tayang
Toggle Live Panel
-
+ Ganti Panel Tayang
Toggle the visibility of the live panel.
-
+ Mengganti kenampakan panel tayang.
- F12
-
+ &Plugin List
+ Daftar &Plugin
- &Plugin List
-
+ List the Plugins
+ Melihat daftar Plugin
- List the Plugins
-
+ &User Guide
+ T&untunan Pengguna
- Alt+F7
-
-
-
-
- &User Guide
-
-
-
-
&About
-
+ Tent&ang
-
+
More information about OpenLP
-
+ Informasi lebih lanjut tentang OpenLP
-
- Ctrl+F1
-
-
-
-
+
&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
- Set the interface language to %s
-
-
-
-
Add &Tool...
-
-
-
-
- Add an application to the list of tools.
-
-
-
-
- &Default
-
-
-
-
- Set the view mode back to the default.
-
-
-
-
- &Setup
-
-
-
-
- Set the view mode to Setup.
-
-
-
-
- &Live
-
-
-
-
- Set the view mode to Live.
-
-
-
-
- Version %s of OpenLP is now available for download (you are currently running version %s).
-
-You can download the latest version from http://openlp.org/.
-
-
-
-
- OpenLP Version Updated
-
-
-
-
- OpenLP Main Display Blanked
-
-
-
-
- The Main Display has been blanked out
-
-
-
-
- Default Theme: %s
-
-
-
-
- English
- Please add the name of your language here
-
-
-
-
- Configure &Shortcuts...
-
-
-
-
- Close OpenLP
-
-
-
-
- Are you sure you want to close OpenLP?
-
-
-
-
- Print the current Service Order.
-
-
-
-
- Ctrl+P
-
-
-
-
- Open &Data Folder...
-
-
-
-
- Open the folder where songs, bibles and other data resides.
-
-
-
-
- &Configure Display Tags
-
+ 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/.
+ OpenLP versi %s sekarang siap untuk diunduh (Anda menggunakan versi %s).
+
+Versi terbaru dapat diunduh dari http://openlp.org/.
+
+
+
+ OpenLP Version Updated
+ Versi OpenLP Terbarui
+
+
+
+ OpenLP Main Display Blanked
+ Tampilan Utama OpenLP Kosong
+
+
+
+ The Main Display has been blanked out
+ Tampilan Utama telah dikosongkan
+
+
+
+ Default Theme: %s
+ Tema Bawaan: %s
+
+
+
+ English
+ Please add the name of your language here
+ 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
+
+
+
&Autodetect
-
+ &Autodeteksi
OpenLP.MediaManagerItem
-
+
No Items Selected
-
+ Tidak Ada Barang yang Terpilih
-
+
&Add to selected Service Item
-
+ T%ambahkan 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
@@ -2228,37 +2289,37 @@ You can download the latest version from http://openlp.org/.
Plugin List
-
+ Daftar Plugin
Plugin Details
-
+ Detail Plugin
Status:
-
+ Status:
Active
-
+ Aktif
Inactive
-
+ Tidak Aktif
%s (Inactive)
-
+ % (Tidak Aktif)
%s (Active)
-
+ %s (Aktif)
@@ -2271,12 +2332,12 @@ You can download the latest version from http://openlp.org/.
Fit Page
-
+ Samakan dengan Halaman
Fit Width
-
+ Samakan dengan Lebar
@@ -2284,62 +2345,67 @@ You can download the latest version from http://openlp.org/.
Options
-
+ Pilihan
-
+
Close
-
+ 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
-
-
-
-
- Include service item notes
-
+ Masukkan teks dari salindia jika tersedia
- Include play length of media items
-
+ 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 batas halaman sebelum tiap butir teks.
@@ -2347,12 +2413,12 @@ You can download the latest version from http://openlp.org/.
Screen
-
+ Layar
primary
-
+ Utama
@@ -2360,217 +2426,258 @@ You can download the latest version from http://openlp.org/.
Reorder Service Item
-
+ Atur Ulang Butir Layanan
OpenLP.ServiceManager
-
+
Load an existing service
-
+ Muat layanan tersimpan
-
+
Save this service
-
+ Simpan layanan ini
-
+
Select a theme for the service
-
+ Pilih tema untuk layanan
-
+
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
-
-
-
-
- &Add to Selected Item
-
-
-
-
- &Edit Item
-
-
-
-
- &Reorder Item
-
-
-
-
- &Notes
-
+ 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.
-
+
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
-
+ Buka Berkas
-
- Notes:
-
-
-
-
+
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
+
+
+
+
+ This file is either corrupt or not an OpenLP 2.0 service file.
+
+
OpenLP.ServiceNoteForm
@@ -2583,7 +2690,7 @@ The content encoding is not UTF-8.
OpenLP.SettingsForm
-
+
Configure OpenLP
@@ -2591,219 +2698,269 @@ The content encoding is not UTF-8.
OpenLP.ShortcutListDialog
-
+
Customize Shortcuts
-
+
Action
-
+
Shortcut
-
- Default: %s
-
-
-
-
- Custom:
-
-
-
-
- None
-
-
-
-
+
Duplicate Shortcut
-
+
The shortcut "%s" is already assigned to another action, please use a different shortcut.
-
+
Alternate
+
+
+ Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively.
+
+
+
+
+ Default
+ Bawaan
+
+
+
+ Custom
+ Suaian
+
+
+
+ Capture shortcut.
+
+
+
+
+ Restore the default shortcut of this action.
+
+
+
+
+ Restore Default Shortcuts
+
+
+
+
+ Do you want to restore all shortcuts to their defaults?
+
+
OpenLP.SlideController
-
+
Move to previous
-
+
Move to next
-
+
Hide
-
+
Move to live
-
+
Edit and reload song preview
-
+
Start continuous loop
-
+
Stop continuous loop
-
+
Delay between slides in seconds
-
+
Start playing media
-
+
Go To
-
+
Blank Screen
-
+
Blank to Theme
-
+
Show Desktop
-
+
Previous Slide
-
+
Next Slide
-
+
Previous Service
-
+
Next Service
-
+
Escape Item
+
+
+ Start/Stop continuous loop
+
+
OpenLP.SpellTextEdit
-
+
Spelling Suggestions
-
+
Formatting Tags
+
+
+ Language:
+
+
OpenLP.StartTimeForm
-
- Item Start Time
-
-
-
-
+
Hours:
-
- h
-
-
-
-
- m
-
-
-
-
+
Minutes:
-
+
Seconds:
+
+
+ Item Start and Finish Time
+
+
+
+
+ Start
+
+
+
+
+ Finish
+
+
+
+
+ Length
+
+
+
+
+ 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
+
+
OpenLP.ThemeForm
-
+
Select Image
-
+
Theme Name Missing
-
+
There is no name for this theme. Please enter one.
-
+
Theme Name Invalid
-
+
Invalid theme name. Please enter one.
-
+
(%d lines per slide)
@@ -2871,68 +3028,68 @@ The content encoding is not UTF-8.
-
+
%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.
@@ -2952,47 +3109,47 @@ The content encoding is not UTF-8.
-
+
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)
@@ -3220,7 +3377,7 @@ The content encoding is not UTF-8.
-
+
Edit Theme - %s
@@ -3243,42 +3400,42 @@ The content encoding is not UTF-8.
OpenLP.ThemesTab
-
+
Global Theme
-
+
Theme Level
-
+
S&ong Level
-
+
Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme.
-
+
&Service Level
-
+
Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme.
-
+
&Global Level
-
+
Use the global theme, overriding any themes associated with either the service or the songs.
@@ -3286,290 +3443,290 @@ The content encoding is not UTF-8.
OpenLP.Ui
-
+
Error
-
+
&Add
-
+
Advanced
-
+ Lanjutan
-
+
All Files
-
+
Create a new service.
-
+
&Delete
-
+
&Edit
-
+
Import
-
+
Length %s
-
+
Live
-
+
Load
-
+
New
-
+
New Service
-
+
OpenLP 2.0
-
+
Open Service
-
+
Preview
-
+
Replace Background
-
+
Replace Live Background
-
+
Reset Background
-
+
Reset Live Background
-
+
Save Service
-
+
Service
-
+
Start %s
-
+
Delete the selected item.
-
+
Move selection up one position.
-
+
Move selection down one position.
-
+
&Vertical Align:
-
+
Top
-
+
Middle
-
+
Bottom
-
+
About
-
+
Browse...
-
+
Cancel
-
+
CCLI number:
-
+
Empty Field
-
+
Export
-
+
pt
Abbreviated font pointsize unit
pn
-
+
Image
-
+ Gambar
-
+
Live Background Error
-
+
Live Panel
-
+
New Theme
-
+
No File Selected
Singular
-
+
No Files Selected
Plural
-
+
No Item Selected
Singular
-
+
No Items Selected
Plural
-
+ Tidak Ada Barang yang Terpilih
-
+
openlp.org 1.x
-
+
Preview Panel
-
+
Print Service Order
-
+
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
@@ -3635,7 +3792,7 @@ The content encoding is not UTF-8.
-
+
Welcome to the Bible Import Wizard
@@ -3645,7 +3802,7 @@ The content encoding is not UTF-8.
-
+
Welcome to the Song Import Wizard
@@ -3680,22 +3837,124 @@ The content encoding is not UTF-8.
-
+
Song Maintenance
-
+
Topic
Singular
-
+
Topics
Plural
+
+
+ Continuous
+ Kontinu
+
+
+
+ Default
+ Bawaan
+
+
+
+ Display style:
+ Gaya tampilan:
+
+
+
+ File
+
+
+
+
+ Help
+
+
+
+
+ h
+ The abbreviated unit for hours
+
+
+
+
+ Layout style:
+ Gaya tata letak:
+
+
+
+ Live Toolbar
+
+
+
+
+ m
+ The abbreviated unit for minutes
+
+
+
+
+ OpenLP is already running. Do you wish to continue?
+
+
+
+
+ Settings
+
+
+
+
+ Tools
+
+
+
+
+ Verse Per Slide
+ Ayat Tiap Slide
+
+
+
+ Verse Per Line
+ Ayat Tiap Baris
+
+
+
+ View
+
+
+
+
+ View Model
+
+
+
+
+ Duplicate Error
+
+
+
+
+ Unsupported File
+
+
+
+
+ Title and/or verses not found
+
+
+
+
+ XML syntax error
+
+
OpenLP.displayTagDialog
@@ -3708,52 +3967,52 @@ The content encoding is not UTF-8.
PresentationPlugin
-
+
<strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box.
-
+
Load a new Presentation
-
+
Delete the selected Presentation
-
+
Preview the selected Presentation
-
+
Send the selected Presentation live
-
+
Add the selected Presentation to the service
-
+
Presentation
name singular
-
+
Presentations
name plural
-
+ Presentasi
-
+
Presentations
container title
-
+ Presentasi
@@ -3774,22 +4033,17 @@ The content encoding is not UTF-8.
-
+
File Exists
-
+
A presentation with that filename already exists.
-
- Unsupported File
-
-
-
-
+
This type of presentation is not supported.
@@ -3799,17 +4053,17 @@ The content encoding is not UTF-8.
-
+
Missing Presentation
-
+
The Presentation %s no longer exists.
-
+
The Presentation %s is incomplete, please reload.
@@ -3879,63 +4133,68 @@ 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
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4023,12 +4282,12 @@ has been successfully created.
SongsPlugin
-
+
&Song
-
+
Import songs using the import wizard.
@@ -4180,16 +4439,16 @@ The encoding is responsible for the correct character representation.
Songs
name plural
-
+ Lagu
Songs
container title
-
+ Lagu
-
+
Exports songs using the export wizard.
@@ -4235,8 +4494,16 @@ The encoding is responsible for the correct character representation.
SongsPlugin.CCLIFileImport
-
- Importing song %d of %d
+
+ The file does not have a valid extension.
+
+
+
+
+ SongsPlugin.EasyWorshipSongImport
+
+
+ Administered by %s
@@ -4250,7 +4517,7 @@ The encoding is responsible for the correct character representation.
&Title:
-
+ &Judul:
@@ -4270,7 +4537,7 @@ The encoding is responsible for the correct character representation.
Ed&it All
-
+ Sun&ting Semua
@@ -4305,7 +4572,7 @@ The encoding is responsible for the correct character representation.
Book:
-
+ Kitab:
@@ -4338,82 +4605,82 @@ The encoding is responsible for the correct character representation.
-
+
Add Author
-
+
This author does not exist, do you want to add them?
-
+
This author is already in the list.
-
+
You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author.
-
+
Add Topic
-
+
This topic does not exist, do you want to add it?
-
+
This topic is already in the list.
-
+
You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic.
-
+
You need to type in a song title.
-
+
You need to type in at least one verse.
-
+
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.
@@ -4527,151 +4794,164 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ImportWizardForm
-
+
Select Document/Presentation Files
-
+
Song Import Wizard
-
+
This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from.
-
+
Generic Document/Presentation
-
+
Filename:
-
+
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.
-
+
Add Files...
-
+
Remove File(s)
-
+
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.
-
+
Please wait while your songs are imported.
-
- Administered by %s
-
-
-
-
+
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
+
+
+ Copy
+ Salin
+
+
+
+ Save to File
+ Simpan menjadi Berkas
+
SongsPlugin.MediaItem
-
+
Maintain the lists of authors, topics and books
-
+
Titles
-
+
Lyrics
-
+
Delete Song(s)?
-
+
CCLI License:
-
+
Entire Song
-
+
Are you sure you want to delete the %n selected song(s)?
+
+ SongsPlugin.OpenLP1SongImport
+
+
+ Not a valid openlp.org 1.x song database.
+
+
+
SongsPlugin.OpenLPSongImport
-
- Importing song %d of %d.
+
+ Not a valid OpenLP 2.0 song database.
@@ -4722,15 +5002,20 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImport
-
+
copyright
+
+
+ The following songs could not be imported:
+
+
SongsPlugin.SongImportForm
-
+
Your song import failed.
@@ -4783,47 +5068,47 @@ The encoding is responsible for the correct character representation.
-
+
Delete Author
-
+
Are you sure you want to delete the selected author?
-
+
This author cannot be deleted, they are currently assigned to at least one song.
-
+
Delete Topic
-
+
Are you sure you want to delete the selected topic?
-
+
This topic cannot be deleted, it is currently assigned to at least one song.
-
+
Delete Book
-
+
Are you sure you want to delete the selected book?
-
+
This book cannot be deleted, it is currently assigned to at least one song.
@@ -4927,4 +5212,12 @@ 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 9ab1f0cbc..cc435852d 100644
--- a/resources/i18n/ja.ts
+++ b/resources/i18n/ja.ts
@@ -3,24 +3,24 @@
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?
警告テキストは、'<>'を含みません。
@@ -30,34 +30,34 @@ Do you want to continue anyway?
AlertsPlugin
-
+
&Alert
警告(&A)
-
+
Show an alert message.
警告メッセージを表示する。
-
+
<strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen
<strong>警告プラグイン</strong><br />警告プラグインは、画面に警告文を表示する機能を提供します
-
+
Alert
name singular
警告
-
+
Alerts
name plural
警告
-
+
Alerts
container title
警告
@@ -96,12 +96,12 @@ Do you want to continue anyway?
表示して閉じる(&O)
-
+
New Alert
新しい警告
-
+
You haven't specified any text for your alert. Please type in some text before clicking New.
警告文が何も設定されていません。新規作成をクリックする前にメッセージを入力してください。
@@ -207,12 +207,12 @@ Do you want to continue anyway?
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?
一つの聖書と複数の聖書の検索結果をくっつける事はできません。検索結果を削除して、再検索しますか?
@@ -220,64 +220,64 @@ Do you want to continue anyway?
BiblesPlugin
-
+
&Bible
聖書(&B)
-
+
<strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display bible verses from different sources during the service.
<strong>聖書プラグイン</strong><br />聖書プラグインは、礼拝プログラムで様々な訳の御言葉を表示する機能を提供します。
-
+
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
選択した聖書を礼拝プログラムに追加
-
+
Bible
name singular
聖書
-
+
Bibles
name plural
聖書
-
+
Bibles
container title
聖書
@@ -350,73 +350,48 @@ Book Chapter:Verse-Chapter:Verse
BiblesPlugin.BiblesTab
-
+
Verse Display
聖句の表示
-
+
Only show new chapter numbers
初めの章番号のみを表示
-
- Layout style:
- レイアウトスタイル:
-
-
-
- Display style:
- 表示スタイル:
-
-
-
+
Bible theme:
聖書の外観テーマ:
-
- Verse Per Slide
- スライドに1節
-
-
-
- Verse Per Line
- 1行に1節
-
-
-
- Continuous
- 連続
-
-
-
+
No Brackets
なし
-
+
( And )
( と )
-
+
{ And }
{ と }
-
+
[ And ]
[ と ]
-
+
Note:
Changes do not affect verses already in the service.
注意: 既に礼拝プログラムに含まれる御言葉は変更されません。
-
+
Display second Bible verses
2つの聖句を表示
@@ -424,178 +399,178 @@ Changes do not affect verses already in the service.
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.
聖書データの取り込みに失敗しました。
-
+
Starting Registering bible...
聖書を登録しています...
-
+
Registered bible. Please note, that verses will be downloaded on
demand and thus an internet connection is required.
聖書が登録されました。節ごとに必要に応じてダウンロードされますので、インターネットへの接続が要求される事を留意しておいてください。
-
+
Permissions:
使用許可:
-
+
CSV File
CSVファイル
-
+
Bibleserver
-
+
Bible file:
聖書訳:
-
+
Testaments file:
新旧訳:
-
+
Books file:
書簡:
-
+
Verses file:
節:
-
+
You have not specified a testaments file. Do you want to proceed with the import?
新旧訳ファイルを指定していません。インポートを継続しますか?
-
+
openlp.org 1.x Bible Files
openlp.org 1x 聖書ファイル
@@ -603,67 +578,67 @@ demand and thus an internet connection is required.
BiblesPlugin.MediaItem
-
+
Quick
高速
-
+
Find:
検索:
-
+
Results:
結果:
-
+
Book:
書名:
-
+
Chapter:
章:
-
+
Verse:
節:
-
+
From:
開始:
-
+
To:
終了:
-
+
Text Search
キーワード検索
-
+
Clear
消去
-
+
Keep
追加
-
+
Second:
第二訳:
-
+
Scripture Reference
参照聖句
@@ -680,12 +655,12 @@ demand and thus an internet connection is required.
BiblesPlugin.OsisImport
-
+
Detecting encoding (this may take a few minutes)...
エンコードの検出中です(数分かかることがあります)...
-
+
Importing %s %s...
Importing <book name> <chapter>...
%s %sをインポートしています...
@@ -755,12 +730,12 @@ demand and thus an internet connection is required.
外観テーマ(&m):
-
+
You need to type in a title.
タイトルの入力が必要です。
-
+
You need to add at least one slide
最低一枚のスライドが必要です
@@ -836,6 +811,14 @@ demand and thus an internet connection is required.
カスタム
+
+ GeneralTab
+
+
+ General
+ 一般
+
+
ImagePlugin
@@ -900,7 +883,7 @@ demand and thus an internet connection is required.
ImagePlugin.ExceptionDialog
-
+
Select Attachment
添付を選択
@@ -908,39 +891,39 @@ demand and thus an internet connection is required.
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"が存在しません。
@@ -1009,37 +992,37 @@ 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.
ファイル %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 (*)
@@ -1060,7 +1043,7 @@ Do you want to add the other images anyway?
OpenLP
-
+
Image Files
画像ファイル
@@ -1100,7 +1083,7 @@ OpenLPは、ボランティアの手により開発保守されています。
貢献する
-
+
build %s
ビルド %s
@@ -1258,65 +1241,90 @@ Tinggaard, Frode Woldsund
OpenLP.AdvancedTab
-
+
UI Settings
ユーザインターフェイス設定
-
+
Number of recent files to display:
最近のファイルの表示数:
-
+
Remember active media manager tab on startup
起動時に前回のメディアマネジャーを開く
-
+
Double-click to send items straight to live
ダブルクリックで項目を直接ライブへ送る
-
+
Expand new service items on creation
礼拝項目の作成時に展開する
-
+
Enable application exit confirmation
終了時に確認する
-
+
Mouse Cursor
マウスカーソル
-
+
Hide mouse cursor when over display window
ディスプレイウィンドウの上では、マウスカーソルを隠す
-
+
Default Image
既定の画像
-
+
Background color:
背景色:
-
+
Image file:
画像ファイル:
-
+
Open File
ファイルを開く
+
+
+ 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.DisplayTagDialog
@@ -1424,7 +1432,7 @@ Tinggaard, Frode Woldsund
ファイルを添付
-
+
Description characters to enter : %s
説明 : %s
@@ -1432,24 +1440,24 @@ Tinggaard, Frode Woldsund
OpenLP.ExceptionForm
-
+
Platform: %s
Platform: %s
-
+
Save Crash Report
クラッシュ報告の保存
-
+
Text files (*.txt *.log *.text)
テキストファイル (*.txt *.log *.text)
-
+
**OpenLP Bug Report**
Version: %s
@@ -1480,7 +1488,7 @@ Version: %s
%s
-
+
*OpenLP Bug Report*
Version: %s
@@ -1556,97 +1564,97 @@ Version: %s
ダウンロード中 %s...
-
+
Download complete. Click the finish button to start OpenLP.
ダウンロードが完了しました。終了ボタンが押下されると、OpenLPを開始します。
-
+
Enabling selected plugins...
選択されたプラグインを有効化しています...
-
+
First Time Wizard
初回利用ガイド
-
+
Welcome to the First Time Wizard
初回起動ガイドへようこそ
-
+
This wizard will help you to configure OpenLP for initial use. Click the next button below to start the process of selection your initial options.
このガイドは、初回起動時に、OpenLPを設定するお手伝いをします。次へボタンを押下し、OpenLPを設定していきましょう。
-
+
Activate required Plugins
必要なプラグインを有効化する
-
+
Select the Plugins you wish to use.
ご利用になるプラグインを選択してください。
-
+
Songs
賛美
-
+
Custom Text
カスタムテキスト
-
+
Bible
聖書
-
+
Images
画像
-
+
Presentations
プレゼンテーション
-
+
Media (Audio and Video)
メディア(音声と動画)
-
+
Allow remote access
リモートアクセスを許可
-
+
Monitor Song Usage
賛美利用記録
-
+
Allow Alerts
警告を許可
-
+
No Internet Connection
インターネット接続が見つかりません
-
+
Unable to detect an Internet connection.
インターネット接続が検知されませんでした。
-
+
No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes.
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.
@@ -1659,67 +1667,67 @@ To cancel the First Time Wizard completely, press the finish button now.
-
+
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に使われるようにセットアップします。
-
+
Setting Up And Importing
セットアップとインポート中
-
+
Please wait while OpenLP is set up and your data is imported.
OpenLPがセットアップされ、あなたのデータがインポートされるまでお待ち下さい。
-
+
Default output display:
既定出力先:
-
+
Select default theme:
既定外観テーマを選択:
-
+
Starting configuration process...
設定処理を開始しています...
@@ -1727,130 +1735,135 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.GeneralTab
-
+
General
一般
-
+
Monitors
モニタ
-
+
Select monitor for output display:
画面出力に使用するスクリーン:
-
+
Display if a single screen
スクリーンが1つしかなくても表示する
-
+
Application Startup
アプリケーションの起動
-
+
Show blank screen warning
警告中には、ブランク画面を表示する
-
+
Automatically open the last service
自動的に前回の礼拝プログラムを開く
-
+
Show the splash screen
スプラッシュスクリーンを表示
-
+
Application Settings
アプリケーションの設定
-
+
Prompt to save before starting a new service
新しい礼拝プログラムを開く前に保存を確認する
-
+
Automatically preview next item in service
自動的に次の項目をプレビューする
-
+
Slide loop delay:
スライド繰返の遅延:
-
+
sec
秒
-
+
CCLI Details
CCLI詳細
-
+
SongSelect username:
SongSelect ユーザー名:
-
+
SongSelect password:
SongSelect パスワード:
-
+
Display Position
表示位置
-
+
X
-
+
Y
-
+
Height
高
-
+
Width
幅
-
+
Override display position
表示位置を変更する
-
+
Check for updates to OpenLP
OpenLPのバージョン更新の確認
+
+
+ Unblank display when adding new live item
+
+
OpenLP.LanguageManager
-
+
Language
言語
-
+
Please restart OpenLP to use your new language setting.
新しい言語設定を使用するために、OpenLPを再起動してください。
@@ -1858,7 +1871,7 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainDisplay
-
+
OpenLP Display
OpenLP ディスプレイ
@@ -1866,230 +1879,185 @@ 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)
-
- Ctrl+N
-
-
-
-
+
&Open
開く(&O)
-
+
Open an existing service.
存在する礼拝プログラムを開きます。
-
- Ctrl+O
-
-
-
-
+
&Save
保存(&S)
-
+
Save the current service to disk.
現在の礼拝プログラムをディスクに保存します。
-
- Ctrl+S
-
-
-
-
+
Save &As...
名前を付けて保存(&A)...
-
+
Save Service As
名前をつけて礼拝プログラムを保存
-
+
Save the current service under a new name.
現在の礼拝プログラムを新しい名前で保存します。
-
- Ctrl+Shift+S
-
-
-
-
+
E&xit
終了(&X)
-
+
Quit OpenLP
Open LPを終了
-
- Alt+F4
-
-
-
-
+
&Theme
外観テーマ(&T)
-
+
&Configure OpenLP...
OpenLPの設定(&C)...
-
+
&Media Manager
メディアマネジャー(&M)
-
+
Toggle Media Manager
メディアマネジャーを切り替える
-
+
Toggle the visibility of the media manager.
メディアマネジャーの可視性を切り替える。
-
- F8
-
-
-
-
+
&Theme Manager
外観テーママネジャー(&T)
-
+
Toggle Theme Manager
外観テーママネジャーの切り替え
-
+
Toggle the visibility of the theme manager.
外観テーママネジャーの可視性を切り替える。
-
- F10
-
-
-
-
+
&Service Manager
礼拝プログラム(&S)
-
+
Toggle Service Manager
礼拝プログラムを切り替え
-
+
Toggle the visibility of the service manager.
礼拝プログラムの可視性を切り替える。
-
- F9
- 礼拝プログラム
-
-
-
+
&Preview Panel
プレビューパネル(&P)
-
+
Toggle Preview Panel
プレビューパネルの切り替え
-
+
Toggle the visibility of the preview panel.
プレビューパネルの可視性を切り替える。
-
-
- F11
-
-
&Live Panel
@@ -2107,106 +2075,91 @@ To cancel the First Time Wizard completely, press the finish button now.
- F12
-
-
-
-
&Plugin List
プラグイン一覧(&P)
-
+
List the Plugins
プラグイン一覧
-
- Alt+F7
-
-
-
-
+
&User Guide
ユーザガイド(&U)
-
+
&About
バージョン情報(&A)
-
+
More information about OpenLP
OpenLPの詳細情報
-
- Ctrl+F1
-
-
-
-
+
&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/.
@@ -2215,73 +2168,68 @@ You can download the latest version from http://openlp.org/.
http://openlp.org/から最新版がダウンロード可能です。
-
+
OpenLP Version Updated
OpenLPのバージョンアップ完了
-
+
OpenLP Main Display Blanked
OpenLPのプライマリディスプレイがブランクです
-
+
The Main Display has been blanked out
OpenLPのプライマリディスプレイがブランクになりました
-
+
Default Theme: %s
既定外観テーマ
-
+
English
Please add the name of your language here
日本語
-
+
Configure &Shortcuts...
ショートカットの設定(&S)...
-
+
Close OpenLP
OpenLPの終了
-
+
Are you sure you want to close OpenLP?
本当にOpenLPを終了してもよろしいですか?
-
+
Print the current Service Order.
現在の礼拝プログラム順序を印刷します。
-
- Ctrl+P
-
-
-
-
+
&Configure Display Tags
表示タグを設定(&C)
-
+
Open &Data Folder...
データフォルダを開く(&D)...
-
+
Open the folder where songs, bibles and other data resides.
賛美、聖書データなどのデータが含まれているフォルダを開く。
-
+
&Autodetect
自動検出(&A)
@@ -2289,45 +2237,51 @@ http://openlp.org/から最新版がダウンロード可能です。
OpenLP.MediaManagerItem
-
+
No Items Selected
項目の選択がありません
-
+
&Add to selected Service Item
選択された礼拝項目を追加(&A
-
+
You must select one or more items to preview.
プレビューを見るには、一つ以上の項目を選択してください。
-
+
You must select one or more items to send live.
ライブビューを見るには、一つ以上の項目を選択してください。
-
+
You must select one or more items.
一つ以上の項目を選択してください。
-
+
You must select an existing service item to add to.
追加するには、既存の礼拝項目を選択してください。
-
+
Invalid Service Item
無効な礼拝項目
-
+
You must select a %s service item.
%sの項目を選択してください。
+
+
+ Duplicate file name %s.
+Filename already exists in list
+
+
OpenLP.PluginForm
@@ -2393,37 +2347,37 @@ http://openlp.org/から最新版がダウンロード可能です。オプション
-
+
Close
閉じる
-
+
Copy
コピー
-
+
Copy as HTML
HTMLとしてコピーする
-
+
Zoom In
ズームイン
-
+
Zoom Out
ズームアウト
-
+
Zoom Original
既定のズームに戻す
-
+
Other Options
その他のオプション
@@ -2433,20 +2387,25 @@ http://openlp.org/から最新版がダウンロード可能です。可能であれば、スライドテキストを含める
-
+
Include service item notes
礼拝項目メモを含める
-
+
Include play length of media items
メディア項目の再生時間を含める
-
+
Service Order Sheet
礼拝プログラム順序シート
+
+
+ Add page break before each text item.
+
+
OpenLP.ScreenList
@@ -2472,212 +2431,252 @@ http://openlp.org/から最新版がダウンロード可能です。
OpenLP.ServiceManager
-
+
Load an existing service
既存の礼拝プログラムを読み込む
-
+
Save this service
礼拝プログラムを保存
-
+
Select a theme for the service
礼拝プログラムの外観テーマを選択
-
+
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
礼拝プログラムの編集
-
- Notes:
- メモ:
-
-
-
+
&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.ServiceNoteForm
@@ -2690,7 +2689,7 @@ The content encoding is not UTF-8.
OpenLP.SettingsForm
-
+
Configure OpenLP
OpenLPの設定
@@ -2698,219 +2697,269 @@ The content encoding is not UTF-8.
OpenLP.ShortcutListDialog
-
+
Customize Shortcuts
ショートカットのカスタマイズ
-
+
Action
動作
-
+
Shortcut
ショートカット
-
- Default: %s
- 既定: %s
-
-
-
- Custom:
- カスタム:
-
-
-
- None
- 指定なし
-
-
-
+
Duplicate Shortcut
ショートカットの重複
-
+
The shortcut "%s" is already assigned to another action, please use a different shortcut.
このショートカット"%s"は既に他の動作に割り振られています。他のショートカットをご利用ください。
-
+
Alternate
代替
+
+
+ Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively.
+
+
+
+
+ Default
+ 初期設定
+
+
+
+ Custom
+ カスタム
+
+
+
+ Capture shortcut.
+
+
+
+
+ Restore the default shortcut of this action.
+
+
+
+
+ Restore Default Shortcuts
+
+
+
+
+ Do you want to restore all shortcuts to their defaults?
+
+
OpenLP.SlideController
-
+
Move to previous
前へ移動
-
+
Move to next
次へ移動
-
+
Hide
隠す
-
+
Move to live
ライブへ移動
-
+
Edit and reload song preview
編集し再読み込み
-
+
Start continuous loop
繰り返し再生を開始
-
+
Stop continuous loop
繰り返し再生を停止
-
+
Delay between slides in seconds
次のスライドまでの遅延
-
+
Start playing media
メディア再生を開始
-
+
Go To
-
+
Blank Screen
スクリーンをブランク
-
+
Blank to Theme
外観テーマをブランク
-
+
Show Desktop
デスクトップを表示
-
+
Previous Slide
前スライド
-
+
Next Slide
次スライド
-
+
Previous Service
前の礼拝プログラム
-
+
Next Service
次の礼拝プログラム
-
+
Escape Item
項目をエスケープ
+
+
+ Start/Stop continuous loop
+
+
OpenLP.SpellTextEdit
-
+
Spelling Suggestions
綴りの推奨
-
+
Formatting Tags
タグフォーマット
+
+
+ Language:
+
+
OpenLP.StartTimeForm
-
- Item Start Time
- 項目開始時間
-
-
-
+
Hours:
時:
-
- h
- 時
-
-
-
- m
- 分
-
-
-
+
Minutes:
分:
-
+
Seconds:
秒:
+
+
+ Item Start and Finish Time
+
+
+
+
+ Start
+
+
+
+
+ Finish
+
+
+
+
+ Length
+
+
+
+
+ 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
+
+
OpenLP.ThemeForm
-
+
Select Image
画像の選択
-
+
Theme Name Missing
外観テーマ名が不明です
-
+
There is no name for this theme. Please enter one.
外観テーマ名がありません。入力してください。
-
+
Theme Name Invalid
無効な外観テーマ名
-
+
Invalid theme name. Please enter one.
無効な外観テーマ名です。入力してください。
-
+
(%d lines per slide)
(一枚のスライドに付き%d行)
@@ -2978,68 +3027,68 @@ The content encoding is not UTF-8.
全体の既定として設定(&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.
無効な外観テーマファイルです。
@@ -3059,47 +3108,47 @@ The content encoding is not UTF-8.
外観テーマのエキスポート(&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)
@@ -3342,7 +3391,7 @@ The content encoding is not UTF-8.
フッター(&F)
-
+
Edit Theme - %s
外観テーマ編集 - %s
@@ -3350,42 +3399,42 @@ The content encoding is not UTF-8.
OpenLP.ThemesTab
-
+
Global Theme
全体外観テーマ
-
+
Theme Level
外観テーマレベル
-
+
S&ong Level
賛美レベル(&O)
-
+
Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme.
データベース内のそれぞれの賛美の外観テーマを使用します。賛美に外観テーマが設定されていない場合、礼拝プログラムの外観テーマを使用します。礼拝プログラムに外観テーマが設定されていなければ、全体設定の外観テーマを使用します。
-
+
&Service Level
礼拝プログラムレベル(&S)
-
+
Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme.
礼拝プログラムの外観テーマを用い、賛美個々の外観テーマを上書きします。礼拝プログラムに外観テーマが設定されていなければ、全体設定の外観テーマを使用します。
-
+
&Global Level
全体レベル(&G)
-
+
Use the global theme, overriding any themes associated with either the service or the songs.
全体外観テーマを用い、すべての礼拝プログラムや賛美に関連付けられた外観テーマを上書きします。
@@ -3393,290 +3442,290 @@ The content encoding is not UTF-8.
OpenLP.Ui
-
+
Error
エラー
-
+
&Delete
削除(&D)
-
+
Delete the selected item.
選択された項目を削除。
-
+
Move selection up one position.
選択された項目を一つ上げる。
-
+
Move selection down one position.
選択された項目を一つ下げる。
-
+
About
ソフトウェア情報
-
+
&Add
追加(&A)
-
+
Advanced
詳細設定
-
+
All Files
全てのファイル
-
+
Bottom
下部
-
+
Browse...
参照...
-
+
Cancel
キャンセル
-
+
CCLI number:
CCLI番号:
-
+
Create a new service.
新規礼拝プログラムを作成します。
-
+
&Edit
編集(&E)
-
+
Empty Field
空のフィールド
-
+
Export
エキスポート
-
+
pt
Abbreviated font pointsize unit
-
+
Image
画像
-
+
Import
インポート
-
+
Length %s
長さ %s
-
+
Live
ライブ
-
+
Live Background Error
ライブ背景エラー
-
+
Live Panel
ライブパネル
-
+
Load
読み込み
-
+
Middle
中央部
-
+
New
新規
-
+
New Service
新しい礼拝プログラム
-
+
New Theme
新しい外観テーマ
-
+
No File Selected
Singular
ファイルが選択されていません
-
+
No Files Selected
Plural
ファイルが一つも選択されていません
-
+
No Item Selected
Singular
項目が選択されていません
-
+
No Items Selected
Plural
一つの項目も選択されていません
-
+
openlp.org 1.x
-
+
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):
@@ -3742,7 +3791,7 @@ The content encoding is not UTF-8.
インポート元となる%sファイルを最低一つ選択する必要があります。
-
+
Welcome to the Bible Import Wizard
聖書インポートガイドへようこそ
@@ -3752,7 +3801,7 @@ The content encoding is not UTF-8.
賛美エキスポートガイドへようこそ
-
+
Welcome to the Song Import Wizard
賛美インポートガイドへようこそ
@@ -3781,18 +3830,18 @@ The content encoding is not UTF-8.
アルバム
-
+
Song Maintenance
賛美の保守
-
+
Topic
Singular
題目
-
+
Topics
Plural
題目
@@ -3803,6 +3852,108 @@ The content encoding is not UTF-8.
Copyright symbol.
©
+
+
+ Continuous
+ 連続
+
+
+
+ Default
+ 初期設定
+
+
+
+ Display style:
+ 表示スタイル:
+
+
+
+ File
+
+
+
+
+ Help
+
+
+
+
+ h
+ The abbreviated unit for hours
+ 時
+
+
+
+ Layout style:
+ レイアウトスタイル:
+
+
+
+ Live Toolbar
+
+
+
+
+ m
+ The abbreviated unit for minutes
+ 分
+
+
+
+ OpenLP is already running. Do you wish to continue?
+
+
+
+
+ Settings
+
+
+
+
+ Tools
+
+
+
+
+ Verse Per Slide
+ スライドに1節
+
+
+
+ Verse Per Line
+ 1行に1節
+
+
+
+ View
+
+
+
+
+ View Model
+
+
+
+
+ Duplicate Error
+
+
+
+
+ Unsupported File
+ サポートされていないファイル
+
+
+
+ Title and/or verses not found
+
+
+
+
+ XML syntax error
+
+
OpenLP.displayTagDialog
@@ -3815,49 +3966,49 @@ The content encoding is not UTF-8.
PresentationPlugin
-
+
<strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box.
<strong>プレゼンテーションプラグイン</strong><br />プレゼンテーションプラグインは、外部のプログラムを使用してプレゼンテーションを表示する機能を提供します。使用可能なプログラムは、ドロップダウンボックスから選択できます。
-
+
Load a new Presentation
新しいプレゼンテーションを読み込み
-
+
Delete the selected Presentation
選択したプレゼンテーションを削除
-
+
Preview the selected Presentation
選択したプレゼンテーションをプレビュー
-
+
Send the selected Presentation live
選択したプレゼンテーションをライブへ送る
-
+
Add the selected Presentation to the service
選択したプレゼンテーションを礼拝プログラムに追加
-
+
Presentation
name singular
プレゼンテーション
-
+
Presentations
name plural
プレゼンテーション
-
+
Presentations
container title
プレゼンテーション
@@ -3881,22 +4032,17 @@ The content encoding is not UTF-8.
使用プレゼン:
-
+
File Exists
ファイルが存在します
-
+
A presentation with that filename already exists.
そのファイル名のプレゼンテーションは既に存在します。
-
- Unsupported File
- サポートされていないファイル
-
-
-
+
This type of presentation is not supported.
このタイプのプレゼンテーションはサポートされておりません。
@@ -3906,17 +4052,17 @@ The content encoding is not UTF-8.
プレゼンテーション (%s)
-
+
Missing Presentation
不明なプレゼンテーション
-
+
The Presentation %s no longer exists.
プレゼンテーション%sが見つかりません。
-
+
The Presentation %s is incomplete, please reload.
プレゼンテーション%sは不完全です。再度読み込んでください。
@@ -3986,63 +4132,68 @@ The content encoding is not UTF-8.
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
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4132,12 +4283,12 @@ has been successfully created.
SongsPlugin
-
+
&Song
賛美(&S)
-
+
Import songs using the import wizard.
インポートウィザードを使用して賛美をインポートします。
@@ -4298,7 +4449,7 @@ The encoding is responsible for the correct character representation.
文字コードを選択してください。文字が正常に表示されるのに必要な設定です。
-
+
Exports songs using the export wizard.
エキスポートガイドを使って賛美をエキスポートする。
@@ -4344,9 +4495,17 @@ The encoding is responsible for the correct character representation.
SongsPlugin.CCLIFileImport
-
- Importing song %d of %d
- 賛美(%d/%d)をインポートしています
+
+ The file does not have a valid extension.
+
+
+
+
+ SongsPlugin.EasyWorshipSongImport
+
+
+ Administered by %s
+ %s によって管理されています
@@ -4447,82 +4606,82 @@ The encoding is responsible for the correct character representation.
外観テーマ、著作情報 && コメント
-
+
Add Author
アーティストを追加
-
+
This author does not exist, do you want to add them?
アーティストが存在しません。追加しますか?
-
+
This author is already in the list.
既にアーティストは一覧に存在します。
-
+
You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author.
有効なアーティストを選択してください。一覧から選択するか新しいアーティストを入力し、"賛美にアーティストを追加"をクリックしてください。
-
+
Add Topic
トピックを追加
-
+
This topic does not exist, do you want to add it?
このトピックは存在しません。追加しますか?
-
+
This topic is already in the list.
このトピックは既に存在します。
-
+
You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic.
有効なトピックを選択してください。一覧から選択するか新しいトピックを入力し、"賛美にトピックを追加"をクリックしてください。
-
+
You need to type in a song title.
賛美のタイトルを入力する必要があります。
-
+
You need to type in at least one verse.
最低一つのバースを入力する必要があります。
-
+
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.
アーティストを入力する必要があります。
@@ -4636,152 +4795,165 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ImportWizardForm
-
+
Select Document/Presentation Files
ドキュメント/プレゼンテーションファイル選択
-
+
Song Import Wizard
賛美インポートガイド
-
+
This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from.
このガイドは、様々なフォーマットの賛美をインポートする手助けをします。次へをクリックし、インポートするファイルのフォーマットを選択してください。
-
+
Generic Document/Presentation
汎用ドキュメント/プレゼンテーション
-
+
Filename:
ファイル名:
-
+
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のインポートは未開発です。次のバージョンにご期待ください。
-
+
Add Files...
ファイルの追加...
-
+
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.
賛美がインポートされるまでしばらくお待ちください。
-
- Administered by %s
- %s によって管理されています
-
-
-
+
OpenLP 2.0 Databases
OpenLP 2.0 データベース
-
+
openlp.org v1.x Databases
openlp.org v1.x データベース
-
+
Words Of Worship Song Files
-
+
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 ファイル
+
+
+ Copy
+ コピー
+
+
+
+ Save to File
+ ファイルに保存
+
SongsPlugin.MediaItem
-
+
Maintain the lists of authors, topics and books
アーティスト、トピックとアルバムの一覧を保守
-
+
Titles
タイトル
-
+
Lyrics
賛美詞
-
+
Delete Song(s)?
これらの賛美を削除しますか?
-
+
CCLI License:
CCLI ライセンス:
-
+
Entire Song
賛美全体
-
+
Are you sure you want to delete the %n selected song(s)?
選択された%n件の賛美を削除します。宜しいですか?
+
+ SongsPlugin.OpenLP1SongImport
+
+
+ Not a valid openlp.org 1.x song database.
+
+
+
SongsPlugin.OpenLPSongImport
-
- Importing song %d of %d.
- 賛美(%d/%d)をインポートしています。
+
+ Not a valid OpenLP 2.0 song database.
+
@@ -4831,15 +5003,20 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImport
-
+
copyright
著作権
+
+
+ The following songs could not be imported:
+
+
SongsPlugin.SongImportForm
-
+
Your song import failed.
賛美のインポートに失敗しました。
@@ -4892,47 +5069,47 @@ The encoding is responsible for the correct character representation.
既に題目登録されているため、変更を保存できませんでした。
-
+
Delete Author
アーティスト削除
-
+
Are you sure you want to delete the selected author?
選択されたアーティストを削除しますか?
-
+
This author cannot be deleted, they are currently assigned to at least one song.
最低一つの賛美に割り振られているため、このアーティストを削除できませんでした。
-
+
Delete Topic
トピックの削除
-
+
Are you sure you want to delete the selected topic?
選択されたトピックを削除しますか?
-
+
This topic cannot be deleted, it is currently assigned to at least one song.
最低一つの賛美に割り振られているため、このトピックを削除できませんでした。
-
+
Delete Book
アルバム削除
-
+
Are you sure you want to delete the selected book?
選択されたアルバムを削除しますか?
-
+
This book cannot be deleted, it is currently assigned to at least one song.
最低一つの賛美に割り振られているため、このアルバムを削除できませんでした。
@@ -5036,4 +5213,12 @@ The encoding is responsible for the correct character representation.
その他
+
+ ThemeTab
+
+
+ Themes
+ 外観テーマ
+
+
diff --git a/resources/i18n/ko.ts b/resources/i18n/ko.ts
index 19693e6df..26629c9ac 100644
--- a/resources/i18n/ko.ts
+++ b/resources/i18n/ko.ts
@@ -3,23 +3,23 @@
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?
@@ -28,34 +28,34 @@ Do you want to continue anyway?
AlertsPlugin
-
+
&Alert
경고(&A)
-
+
Show an alert message.
에러 메세지를 보여줍니다.
-
+
<strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen
<strong>경고 플러그인</strong><br />경고 플러그인은 디스플레이 화면에 경고를 출력하는 것을 통제합니다.
-
+
Alert
name singular
-
+
Alerts
name plural
경고
-
+
Alerts
container title
경고
@@ -94,12 +94,12 @@ Do you want to continue anyway?
출력 && 닫기(&O)
-
+
New Alert
새 경고
-
+
You haven't specified any text for your alert. Please type in some text before clicking New.
경고 문구를 입력하지 않았습니다. 새로 만들기를 하려면 문구를 입력해주세요.
@@ -205,12 +205,12 @@ Do you want to continue anyway?
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?
@@ -218,64 +218,64 @@ Do you want to continue anyway?
BiblesPlugin
-
+
&Bible
성경(&B)
-
+
<strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display bible verses from different sources during the service.
<strong>성경 플러그인</strong><br />성경 플러그인은 서비스 중에 성경 구절을 출력할 수 있는 기능을 제공합니다.
-
+
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
-
+
Bible
name singular
??
-
+
Bibles
name plural
성경
-
+
Bibles
container title
성경
@@ -340,74 +340,49 @@ Book Chapter:Verse-Chapter:Verse
BiblesPlugin.BiblesTab
-
+
Verse Display
절 출력
-
+
Only show new chapter numbers
새로운 장번호만 보이기
-
- Layout style:
- 배치 스타일:
-
-
-
- Display style:
- 출력 스타일:
-
-
-
+
Bible theme:
성경 테마:
-
- Verse Per Slide
- 슬라이드당 절 수
-
-
-
- Verse Per Line
- 줄당 절 수
-
-
-
- Continuous
- 연속해서 보기
-
-
-
+
No Brackets
꺽쇠 안보이기
-
+
( And )
( 와 )
-
+
{ And }
{ 와 }
-
+
[ And ]
[ 와 ]
-
+
Note:
Changes do not affect verses already in the service.
참고:
이미 서비스 중인 구절에 대해서는 변경사항이 적용되지 않습니다.
-
+
Display second Bible verses
@@ -415,178 +390,178 @@ Changes do not affect verses already in the service.
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.
-
+
Starting Registering bible...
-
+
Registered bible. Please note, that verses will be downloaded on
demand and thus an internet connection is required.
-
+
Permissions:
-
+
CSV File
-
+
Bibleserver
-
+
Bible file:
-
+
Testaments file:
-
+
Books file:
-
+
Verses file:
-
+
You have not specified a testaments file. Do you want to proceed with the import?
-
+
openlp.org 1.x Bible Files
@@ -594,67 +569,67 @@ demand and thus an internet connection is required.
BiblesPlugin.MediaItem
-
+
Quick
??
-
+
Find:
-
+
Results:
-
+
Book:
-
+
Chapter:
-
+
Verse:
-
+
From:
-
+
To:
-
+
Text Search
-
+
Clear
-
+
Keep
-
+
Second:
-
+
Scripture Reference
@@ -671,12 +646,12 @@ demand and thus an internet connection is required.
BiblesPlugin.OsisImport
-
+
Detecting encoding (this may take a few minutes)...
-
+
Importing %s %s...
Importing <book name> <chapter>...
@@ -751,12 +726,12 @@ demand and thus an internet connection is required.
-
+
You need to type in a title.
-
+
You need to add at least one slide
@@ -827,6 +802,14 @@ demand and thus an internet connection is required.
+
+ GeneralTab
+
+
+ General
+
+
+
ImagePlugin
@@ -891,7 +874,7 @@ demand and thus an internet connection is required.
ImagePlugin.ExceptionDialog
-
+
Select Attachment
@@ -899,38 +882,38 @@ demand and thus an internet connection is required.
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.
@@ -999,37 +982,37 @@ 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 (*)
@@ -1050,7 +1033,7 @@ Do you want to add the other images anyway?
OpenLP
-
+
Image Files
@@ -1084,7 +1067,7 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr
-
+
build %s
@@ -1176,65 +1159,90 @@ Tinggaard, Frode Woldsund
OpenLP.AdvancedTab
-
+
UI Settings
-
+
Number of recent files to display:
-
+
Remember active media manager tab on startup
-
+
Double-click to send items straight to live
-
+
Expand new service items on creation
-
+
Enable application exit confirmation
-
+
Mouse Cursor
-
+
Hide mouse cursor when over display window
-
+
Default Image
-
+
Background color:
배경색:
-
+
Image file:
-
+
Open File
+
+
+ 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.DisplayTagDialog
@@ -1341,7 +1349,7 @@ Tinggaard, Frode Woldsund
-
+
Description characters to enter : %s
@@ -1349,23 +1357,23 @@ Tinggaard, Frode Woldsund
OpenLP.ExceptionForm
-
+
Platform: %s
-
+
Save Crash Report
-
+
Text files (*.txt *.log *.text)
-
+
**OpenLP Bug Report**
Version: %s
@@ -1383,7 +1391,7 @@ Version: %s
-
+
*OpenLP Bug Report*
Version: %s
@@ -1446,97 +1454,97 @@ Version: %s
-
+
Download complete. Click the finish button to start OpenLP.
-
+
Enabling selected plugins...
-
+
First Time Wizard
-
+
Welcome to the First Time Wizard
-
+
This wizard will help you to configure OpenLP for initial use. Click the next button below to start the process of selection your initial options.
-
+
Activate required Plugins
-
+
Select the Plugins you wish to use.
-
+
Songs
-
+
Custom Text
-
+
Bible
-
+
Images
-
+
Presentations
-
+
Media (Audio and Video)
-
+
Allow remote access
-
+
Monitor Song Usage
-
+
Allow Alerts
-
+
No Internet Connection
-
+
Unable to detect an Internet connection.
-
+
No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes.
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.
@@ -1545,67 +1553,67 @@ To cancel the First Time Wizard completely, press the finish button now.
-
+
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.
-
+
Setting Up And Importing
-
+
Please wait while OpenLP is set up and your data is imported.
-
+
Default output display:
-
+
Select default theme:
-
+
Starting configuration process...
@@ -1613,130 +1621,135 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.GeneralTab
-
+
General
-
+
Monitors
-
+
Select monitor for output display:
-
+
Display if a single screen
-
+
Application Startup
-
+
Show blank screen warning
-
+
Automatically open the last service
-
+
Show the splash screen
-
+
Application Settings
-
+
Prompt to save before starting a new service
-
+
Automatically preview next item in service
-
+
Slide loop delay:
-
+
sec
-
+
CCLI Details
-
+
SongSelect username:
-
+
SongSelect password:
-
+
Display Position
-
+
X
-
+
Y
-
+
Height
-
+
Width
-
+
Override display position
-
+
Check for updates to OpenLP
+
+
+ Unblank display when adding new live item
+
+
OpenLP.LanguageManager
-
+
Language
-
+
Please restart OpenLP to use your new language setting.
@@ -1744,7 +1757,7 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainDisplay
-
+
OpenLP Display
@@ -1752,228 +1765,183 @@ 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)
-
- Ctrl+N
-
-
-
-
+
&Open
-
+
Open an existing service.
-
- Ctrl+O
-
-
-
-
+
&Save
저장(&S)
-
+
Save the current service to disk.
-
- Ctrl+S
-
-
-
-
+
Save &As...
-
+
Save Service As
-
+
Save the current service under a new name.
-
- Ctrl+Shift+S
-
-
-
-
+
E&xit
-
+
Quit OpenLP
-
- Alt+F4
-
-
-
-
+
&Theme
-
+
&Configure OpenLP...
-
+
&Media Manager
-
+
Toggle Media Manager
-
+
Toggle the visibility of the media manager.
-
- F8
-
-
-
-
+
&Theme Manager
-
+
Toggle Theme Manager
-
+
Toggle the visibility of the theme manager.
-
- F10
-
-
-
-
+
&Service Manager
-
+
Toggle Service Manager
-
+
Toggle the visibility of the service manager.
-
- F9
-
-
-
-
+
&Preview Panel
-
+
Toggle Preview Panel
-
-
- Toggle the visibility of the preview panel.
-
-
- F11
+ Toggle the visibility of the preview panel.
@@ -1993,179 +1961,159 @@ To cancel the First Time Wizard completely, press the finish button now.
- F12
-
-
-
-
&Plugin List
-
+
List the Plugins
-
- Alt+F7
-
-
-
-
+
&User Guide
-
+
&About
-
+
More information about OpenLP
-
- Ctrl+F1
-
-
-
-
+
&Online Help
-
+
&Web Site
-
+
Use the system language, if available.
-
+
Set the interface language to %s
-
+
Add &Tool...
-
+
Add an application to the list of tools.
-
+
&Default
-
+
Set the view mode back to the default.
-
+
&Setup
-
+
Set the view mode to Setup.
-
+
&Live
-
+
Set the view mode to Live.
-
+
Version %s of OpenLP is now available for download (you are currently running version %s).
You can download the latest version from http://openlp.org/.
-
+
OpenLP Version Updated
-
+
OpenLP Main Display Blanked
-
+
The Main Display has been blanked out
-
+
Default Theme: %s
-
+
English
Please add the name of your language here
-
+
Configure &Shortcuts...
-
+
Close OpenLP
-
+
Are you sure you want to close OpenLP?
-
+
Print the current Service Order.
-
- Ctrl+P
-
-
-
-
+
Open &Data Folder...
-
+
Open the folder where songs, bibles and other data resides.
-
+
&Configure Display Tags
-
+
&Autodetect
@@ -2173,45 +2121,51 @@ You can download the latest version from http://openlp.org/.
OpenLP.MediaManagerItem
-
+
No Items Selected
-
+
&Add to selected Service Item
-
+
You must select one or more items to preview.
-
+
You must select one or more items to send live.
-
+
You must select one or more items.
-
+
You must select an existing service item to add to.
-
+
Invalid Service Item
-
+
You must select a %s service item.
+
+
+ Duplicate file name %s.
+Filename already exists in list
+
+
OpenLP.PluginForm
@@ -2277,37 +2231,37 @@ You can download the latest version from http://openlp.org/.
-
+
Close
-
+
Copy
-
+
Copy as HTML
-
+
Zoom In
-
+
Zoom Out
-
+
Zoom Original
-
+
Other Options
@@ -2317,20 +2271,25 @@ You can download the latest version from http://openlp.org/.
-
+
Include service item notes
-
+
Include play length of media items
-
+
Service Order Sheet
+
+
+ Add page break before each text item.
+
+
OpenLP.ScreenList
@@ -2356,211 +2315,251 @@ You can download the latest version from http://openlp.org/.
OpenLP.ServiceManager
-
+
Load an existing service
-
+
Save this service
-
+
Select a theme for the service
-
+
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
-
- Notes:
-
-
-
-
+
&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
+
+
+
+
+ This file is either corrupt or not an OpenLP 2.0 service file.
+
+
OpenLP.ServiceNoteForm
@@ -2573,7 +2572,7 @@ The content encoding is not UTF-8.
OpenLP.SettingsForm
-
+
Configure OpenLP
@@ -2581,219 +2580,269 @@ The content encoding is not UTF-8.
OpenLP.ShortcutListDialog
-
+
Customize Shortcuts
-
+
Action
-
+
Shortcut
-
- Default: %s
-
-
-
-
- Custom:
-
-
-
-
- None
-
-
-
-
+
Duplicate Shortcut
-
+
The shortcut "%s" is already assigned to another action, please use a different shortcut.
-
+
Alternate
+
+
+ Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively.
+
+
+
+
+ Default
+
+
+
+
+ Custom
+
+
+
+
+ Capture shortcut.
+
+
+
+
+ Restore the default shortcut of this action.
+
+
+
+
+ Restore Default Shortcuts
+
+
+
+
+ Do you want to restore all shortcuts to their defaults?
+
+
OpenLP.SlideController
-
+
Move to previous
-
+
Move to next
-
+
Hide
-
+
Move to live
-
+
Start continuous loop
-
+
Stop continuous loop
-
+
Delay between slides in seconds
-
+
Start playing media
-
+
Go To
-
+
Edit and reload song preview
-
+
Blank Screen
-
+
Blank to Theme
-
+
Show Desktop
-
+
Previous Slide
-
+
Next Slide
-
+
Previous Service
-
+
Next Service
-
+
Escape Item
+
+
+ Start/Stop continuous loop
+
+
OpenLP.SpellTextEdit
-
+
Spelling Suggestions
-
+
Formatting Tags
+
+
+ Language:
+
+
OpenLP.StartTimeForm
-
- Item Start Time
-
-
-
-
+
Hours:
-
- h
-
-
-
-
- m
-
-
-
-
+
Minutes:
-
+
Seconds:
+
+
+ Item Start and Finish Time
+
+
+
+
+ Start
+
+
+
+
+ Finish
+
+
+
+
+ Length
+
+
+
+
+ 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
+
+
OpenLP.ThemeForm
-
+
Select Image
-
+
Theme Name Missing
-
+
There is no name for this theme. Please enter one.
-
+
Theme Name Invalid
-
+
Invalid theme name. Please enter one.
-
+
(%d lines per slide)
@@ -2861,68 +2910,68 @@ The content encoding is not UTF-8.
-
+
%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.
@@ -2942,47 +2991,47 @@ The content encoding is not UTF-8.
-
+
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)
@@ -3225,7 +3274,7 @@ The content encoding is not UTF-8.
-
+
Edit Theme - %s
@@ -3233,42 +3282,42 @@ The content encoding is not UTF-8.
OpenLP.ThemesTab
-
+
Global Theme
-
+
Theme Level
-
+
S&ong Level
-
+
Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme.
-
+
&Service Level
-
+
Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme.
-
+
&Global Level
-
+
Use the global theme, overriding any themes associated with either the service or the songs.
@@ -3276,290 +3325,290 @@ The content encoding is not UTF-8.
OpenLP.Ui
-
+
Error
에러
-
+
&Delete
삭제(&D)
-
+
Delete the selected item.
-
+
Move selection up one position.
-
+
Move selection down one position.
-
+
&Add
-
+
Advanced
-
+
All Files
-
+
Create a new service.
-
+
&Edit
-
+
Import
-
+
Length %s
-
+
Live
-
+
Load
-
+
New
-
+
New Service
-
+
OpenLP 2.0
-
+
Open Service
-
+
Preview
미리 보기
-
+
Replace Background
-
+
Replace Live Background
-
+
Reset Background
-
+
Reset Live Background
-
+
Save Service
-
+
Service
-
+
Start %s
-
+
&Vertical Align:
-
+
Top
위
-
+
Middle
가운데
-
+
Bottom
아래
-
+
About
-
+
Browse...
-
+
Cancel
-
+
CCLI number:
-
+
Empty Field
-
+
Export
-
+
pt
Abbreviated font pointsize unit
-
+
Image
-
+
Live Background Error
-
+
Live Panel
-
+
New Theme
-
+
No File Selected
Singular
-
+
No Files Selected
Plural
-
+
No Item Selected
Singular
-
+
No Items Selected
Plural
-
+
openlp.org 1.x
-
+
Preview Panel
-
+
Print Service Order
-
+
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
@@ -3625,7 +3674,7 @@ The content encoding is not UTF-8.
-
+
Welcome to the Bible Import Wizard
성경 가져오기 마법사에 오신 것을 환영합니다.
@@ -3635,7 +3684,7 @@ The content encoding is not UTF-8.
-
+
Welcome to the Song Import Wizard
@@ -3670,22 +3719,124 @@ The content encoding is not UTF-8.
-
+
Song Maintenance
-
+
Topic
Singular
-
+
Topics
Plural
+
+
+ Continuous
+ 연속해서 보기
+
+
+
+ Default
+
+
+
+
+ Display style:
+ 출력 스타일:
+
+
+
+ File
+
+
+
+
+ Help
+
+
+
+
+ h
+ The abbreviated unit for hours
+
+
+
+
+ Layout style:
+ 배치 스타일:
+
+
+
+ Live Toolbar
+
+
+
+
+ m
+ The abbreviated unit for minutes
+
+
+
+
+ OpenLP is already running. Do you wish to continue?
+
+
+
+
+ Settings
+
+
+
+
+ Tools
+
+
+
+
+ Verse Per Slide
+ 슬라이드당 절 수
+
+
+
+ Verse Per Line
+ 줄당 절 수
+
+
+
+ View
+
+
+
+
+ View Model
+
+
+
+
+ Duplicate Error
+
+
+
+
+ Unsupported File
+
+
+
+
+ Title and/or verses not found
+
+
+
+
+ XML syntax error
+
+
OpenLP.displayTagDialog
@@ -3698,49 +3849,49 @@ The content encoding is not UTF-8.
PresentationPlugin
-
+
<strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box.
-
+
Load a new Presentation
-
+
Delete the selected Presentation
-
+
Preview the selected Presentation
-
+
Send the selected Presentation live
-
+
Add the selected Presentation to the service
-
+
Presentation
name singular
-
+
Presentations
name plural
-
+
Presentations
container title
@@ -3764,22 +3915,17 @@ The content encoding is not UTF-8.
-
+
File Exists
-
+
A presentation with that filename already exists.
-
- Unsupported File
-
-
-
-
+
This type of presentation is not supported.
@@ -3789,17 +3935,17 @@ The content encoding is not UTF-8.
-
+
Missing Presentation
-
+
The Presentation %s no longer exists.
-
+
The Presentation %s is incomplete, please reload.
@@ -3869,63 +4015,68 @@ 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
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4013,12 +4164,12 @@ has been successfully created.
SongsPlugin
-
+
&Song
-
+
Import songs using the import wizard.
@@ -4179,7 +4330,7 @@ The encoding is responsible for the correct character representation.
-
+
Exports songs using the export wizard.
@@ -4225,8 +4376,16 @@ The encoding is responsible for the correct character representation.
SongsPlugin.CCLIFileImport
-
- Importing song %d of %d
+
+ The file does not have a valid extension.
+
+
+
+
+ SongsPlugin.EasyWorshipSongImport
+
+
+ Administered by %s
@@ -4328,82 +4487,82 @@ The encoding is responsible for the correct character representation.
-
+
Add Author
-
+
This author does not exist, do you want to add them?
-
+
This author is already in the list.
-
+
You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author.
-
+
Add Topic
-
+
This topic does not exist, do you want to add it?
-
+
This topic is already in the list.
-
+
You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic.
-
+
You need to type in a song title.
-
+
You need to type in at least one verse.
-
+
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.
@@ -4517,151 +4676,164 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ImportWizardForm
-
+
Select Document/Presentation Files
-
+
Song Import Wizard
-
+
This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from.
-
+
Generic Document/Presentation
-
+
Filename:
-
+
Add Files...
-
+
Remove File(s)
-
+
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.
-
+
Please wait while your songs are imported.
-
+
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.
-
- Administered by %s
-
-
-
-
+
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
+
+
+ Copy
+
+
+
+
+ Save to File
+
+
SongsPlugin.MediaItem
-
+
Maintain the lists of authors, topics and books
-
+
Titles
-
+
Lyrics
-
+
Delete Song(s)?
-
+
CCLI License:
-
+
Entire Song
-
+
Are you sure you want to delete the %n selected song(s)?
+
+ SongsPlugin.OpenLP1SongImport
+
+
+ Not a valid openlp.org 1.x song database.
+
+
+
SongsPlugin.OpenLPSongImport
-
- Importing song %d of %d.
+
+ Not a valid OpenLP 2.0 song database.
@@ -4712,15 +4884,20 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImport
-
+
copyright
+
+
+ The following songs could not be imported:
+
+
SongsPlugin.SongImportForm
-
+
Your song import failed.
@@ -4768,47 +4945,47 @@ The encoding is responsible for the correct character representation.
-
+
Delete Author
-
+
Are you sure you want to delete the selected author?
-
+
This author cannot be deleted, they are currently assigned to at least one song.
-
+
Delete Topic
-
+
Are you sure you want to delete the selected topic?
-
+
This topic cannot be deleted, it is currently assigned to at least one song.
-
+
Delete Book
-
+
Are you sure you want to delete the selected book?
-
+
This book cannot be deleted, it is currently assigned to at least one song.
@@ -4917,4 +5094,12 @@ The encoding is responsible for the correct character representation.
+
+ ThemeTab
+
+
+ Themes
+
+
+
diff --git a/resources/i18n/nb.ts b/resources/i18n/nb.ts
index 8986f7674..1df6b7fc3 100644
--- a/resources/i18n/nb.ts
+++ b/resources/i18n/nb.ts
@@ -3,62 +3,64 @@
AlertPlugin.AlertForm
-
+
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 Parameter Found
-
+ Ingen parametre funnet
-
+
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
-
+
&Alert
&Varsel
-
+
Show an alert message.
Vis en varselmelding.
-
+
<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
-
+
Alert
name singular
-
+ Varsel
-
+
Alerts
name plural
Varsel
-
+
Alerts
container title
- Varsel
+ Varsler
@@ -66,12 +68,12 @@ Do you want to continue anyway?
Alert Message
- Varsel-melding
+ Varselmelding
Alert &text:
- Varsel &tekst:
+ Varsel&tekst:
@@ -94,19 +96,19 @@ Do you want to continue anyway?
Vis && Lukk
-
+
New Alert
Nytt Varsel
-
+
You haven't specified any text for your alert. Please type in some text before clicking New.
Du har ikke spesifisert noen tekst for varselet. Vennligst skriv inn en tekst før du trykker Ny.
&Parameter:
-
+ &Parameter:
@@ -114,7 +116,7 @@ Do you want to continue anyway?
Alert message created and displayed.
- Varsel beskjed er laget og vist
+ Varselmeldingen er laget og vist.
@@ -122,32 +124,32 @@ Do you want to continue anyway?
Font
- Skrifttype
+ Skrifttype
Font name:
- Skrift navn:
+ Skriftnavn:
Font color:
- Skrift farge
+ Skriftfarge:
Background color:
- Bakgrunns farge:
+ Bakgrunnsfarge:
Font size:
- Skrift størrelse
+ Skriftstørrelse:
Alert timeout:
- Varsel varighet:
+ Varselvarighet:
@@ -155,28 +157,28 @@ Do you want to continue anyway?
Importing testaments... %s
-
+ Importerer testamenter... %s
Importing testaments... done.
-
+ Importerer testamenter... ferdig.
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.
@@ -184,98 +186,98 @@ Do you want to continue anyway?
Download Error
-
+ Nedlastningsfeil
Parse Error
-
+ 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.
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.
BiblePlugin.MediaItem
-
+
Bible not fully loaded.
-
+ 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?
BiblesPlugin
-
+
&Bible
&Bibel
-
+
<strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display bible verses from different sources during the service.
-
-
-
-
- Import a Bible
-
-
-
-
- Add a new Bible
-
-
-
-
- Edit the selected Bible
-
-
-
-
- Delete the selected Bible
-
-
-
-
- Preview the selected Bible
-
-
-
-
- Send the selected Bible live
-
+ <strong>Bibeltillegg</strong><br />Bibeltillegget gir mulighet til å vise bibelvers fra ulike kilder under gudstjenesten.
- Add the selected Bible to the service
-
+ Import a Bible
+ Importer en bibel
-
+
+ Add a new Bible
+ Legg til ny bibel
+
+
+
+ Edit the selected Bible
+ Rediger valgte bibel
+
+
+
+ Delete the selected Bible
+ Slett valgte bibel
+
+
+
+ Preview the selected Bible
+ Forhåndsvis valgte bibel
+
+
+
+ Send the selected Bible live
+ Send valgt bibel live
+
+
+
+ Add the selected Bible to the service
+ Legg til valgte bibel til møtet
+
+
+
Bible
name singular
Bibel
-
+
Bibles
name plural
Bibler
-
+
Bibles
container title
Bibler
@@ -283,12 +285,12 @@ Do you want to continue anyway?
No Book Found
- Ingen bøker funnet
+ 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.
@@ -296,28 +298,29 @@ Do you want to continue anyway?
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.
@@ -329,333 +332,317 @@ Book Chapter:Verse-Verse
Book Chapter:Verse-Verse,Verse-Verse
Book Chapter:Verse-Verse,Chapter:Verse-Verse
Book Chapter:Verse-Chapter:Verse
-
+ Din bibelreferanse er enten ikke støttet av OpenLP eller ugyldig. Vennligst kontroller at referansen oppfyller et av de følgende mønstre:
+
+Bok Kapittel
+Bok Kapittel-Kapittel
+Bok Kapittel:Vers-Vers
+Bok Kapittel:Vers-Vers,Vers-Vers
+Bok Kapittel:Vers-Vers,Kapittel:Vers-Vers
+Bok Kapittel:Vers-Kapittel:Vers
No Bibles Available
-
+ Ingen bibler tilgjengelig
BiblesPlugin.BiblesTab
-
+
Verse Display
- Vers visning
+ Versvisning
-
+
Only show new chapter numbers
- Bare vis nye kapittel nummer
+ Bare vis nye kapittelnummer
-
- Layout style:
-
-
-
-
- Display style:
- Visningstil:
-
-
-
+
Bible theme:
Bibel tema:
-
- Verse Per Slide
- Vers pr side
-
-
-
- Verse Per Line
- Vers pr linje
-
-
-
- Continuous
- Kontinuerlig
-
-
-
+
No Brackets
-
+ Ingen klammer
-
+
( And )
- ( og )
+ ( Og )
-
+
{ And }
- { og }
+ { Og }
-
+
[ And ]
- [ og ]
+ [ Og ]
-
+
Note:
Changes do not affect verses already in the service.
-
+ Merk:
+Endringer påvirker ikke vers som alt er lagt til møtet.
-
+
Display second Bible verses
-
+ Vis alternative bibelvers
BiblesPlugin.ImportWizardForm
-
+
Bible Import Wizard
- Bibelimporteringsverktøy
+ 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.
+ 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
- Web nedlastning
+ Nettnedlastning
-
+
Location:
Plassering:
-
+
Crosswalk
Crosswalk
-
+
BibleGateway
- BibleGateway
+ BibleGateway
-
+
Bible:
Bibel:
-
+
Download Options
- Nedlastingsalternativer
+ Nedlastingsalternativer
-
+
Server:
- Server:
+ Tjener:
-
+
Username:
Brukernavn:
-
+
Password:
Passord:
-
+
Proxy Server (Optional)
- Proxy Server (valgfritt)
+ Proxytjener (valgfritt)
-
+
License Details
Lisensdetaljer
-
-
- Set up the Bible's license details.
- Skriv inn Bibelens lisensdetaljer.
-
-
-
- Version name:
- Versons navn:
-
-
-
- Copyright:
- Opphavsrett:
-
- Please wait while your Bible is imported.
- Vennligst vent mens bibelen blir importert
+ 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 versjonsnummer for Bibelen din.
+ Du må spesifisere et versjonsnavn for Bibelen din.
-
+
Bible Exists
- Bibelen eksisterer
+ 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.
-
+
Starting Registering bible...
-
+ Starter registrering av bibel...
-
+
Registered bible. Please note, that verses will be downloaded on
demand and thus an internet connection is required.
-
+ Bibel registrert. Vennligst merk at versene vil bli nedlastet ved
+behov og derfor er en internettilkobling påkrevd.
-
+
Permissions:
-
+ Tillatelser:
-
+
CSV File
-
+ CSV-fil
+
+
+
+ Bibleserver
+ Bibeltjener
+
+
+
+ Bible file:
+ Bibelfil:
+
+
+
+ Testaments file:
+ Testamentfil:
+
+
+
+ Books file:
+ Bokfil:
- Bibleserver
-
-
-
-
- Bible file:
-
-
-
-
- Testaments file:
-
-
-
-
- Books file:
-
-
-
-
Verses file:
-
+ Versfil:
-
+
You have not specified a testaments file. Do you want to proceed with the import?
-
+ Du har ikke spesifisert en testamentfil. Vil du fortsette med importeringen?
-
+
openlp.org 1.x Bible Files
-
+ OpenLP 1.x Bibelfiler
BiblesPlugin.MediaItem
-
+
Quick
- Rask
+ Hurtig
-
+
Find:
Finn:
-
+
Results:
Resultat:
-
+
Book:
Bok:
-
+
Chapter:
Kapittel:
-
+
Verse:
Vers:
-
+
From:
Fra:
-
+
To:
Til:
-
+
Text Search
- Tekstsøk
+ Tekstsøk
-
+
Clear
Blank
-
+
Keep
Behold
-
+
Second:
-
+ Alternativ:
-
+
Scripture Reference
-
+ Bibelreferanse
@@ -664,21 +651,21 @@ demand and thus an internet connection is required.
Importing %s %s...
Importing <book name> <chapter>...
-
+ Importerer %s %s...
BiblesPlugin.OsisImport
-
+
Detecting encoding (this may take a few minutes)...
-
+ Oppdager tegnkoding (dette kan ta noen minutter)...
-
+
Importing %s %s...
Importing <book name> <chapter>...
-
+ Importerer %s %s...
@@ -686,7 +673,7 @@ demand and thus an internet connection is required.
<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.
@@ -694,7 +681,7 @@ demand and thus an internet connection is required.
Custom Display
- Tilpasset visning
+ Tilpasset visning
@@ -707,7 +694,7 @@ demand and thus an internet connection is required.
Edit Custom Slides
- Rediger egendefinerte lysbilder
+ Rediger egendefinerte lysbilder
@@ -717,52 +704,52 @@ demand and thus an internet connection is required.
Add a new slide at bottom.
-
+ Legg til nytt lysbilde nederst.
Edit the selected slide.
- Rediger merket side
+ Rediger markert lysbilde.
Edit all the slides at once.
- Rediger alle sider på en gang.
+ Rediger alle lysbilder på en gang.
Split Slide
-
+ Del opp lysbilde
Split a slide into two by inserting a slide splitter.
-
+ Del lysbilde i to ved å sette inn en lysbildedeler.
The&me:
-
+ Tema:
&Credits:
-
+ &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
Ed&it All
-
+ Rediger alle
@@ -770,60 +757,68 @@ demand and thus an internet connection is required.
Import a Custom
-
+ Importer et egendefinert lysbilde
Load a new Custom
-
+ Last et nytt egendefinert lysbilde
Add a new Custom
-
+ Legg til et nytt egendefinert lysbilde
Edit the selected Custom
-
+ Rediger det valgte egendefinerte lysbildet
Delete the selected Custom
-
+ Slett det valgte egendefinerte lysbildet
Preview the selected Custom
-
+ Forhåndsvis det valgte egendefinerte lysbildet
Send the selected Custom live
-
+ Send det valgte egendefinerte lysbildet live
Add the selected Custom to the service
-
+ Legg til det valgte egendefinerte lysbildet til møtet
Custom
name singular
-
+ Egendefinert lysbilde
Customs
name plural
-
+ Egendefinerte lysbilder
Custom
container title
-
+ Egendefinert lysbilde
+
+
+
+ GeneralTab
+
+
+ General
+ Generell
@@ -831,107 +826,108 @@ demand and thus an internet connection is required.
<strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme.
-
+ <strong>Bildetillegg</strong><br />Bildetillegget gir mulighet til visning av bilder.<br />Et av særtrekkene med dette tillegget er muligheten til å gruppere flere bilder sammen i møteplanleggeren, noe som gjør visning av flere bilder enklere. Programtillegget kan også benytte seg av OpenLP's "tidsbestemte løkke"-funksjon til å lage en lysbildefremvisning som kjører automatisk. I tillegg kan bilder fra tillegget brukes til å overstyre gjeldende temabakgrunn, noe som gir tekstbaserte saker, som sanger, det valgte bildet som bakgrunn.
Load a new Image
-
+ Last et nytt bilde
Add a new Image
-
+ Legg til nytt bilde
Edit the selected Image
-
+ Rediger valgte bildet
Delete the selected Image
-
+ Slett valgte bilde
Preview the selected Image
-
+ Forhåndsvis valgte bilde
Send the selected Image live
-
+ Send valgte bilde live
Add the selected Image to the service
-
+ Legg til valgte bilde til møtet
Image
name singular
-
+ Bilde
Images
name plural
-
+ Bilder
Images
container title
-
+ Bilder
ImagePlugin.ExceptionDialog
-
+
Select Attachment
-
+ Velg vedlegg
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)
-
-
-
-
- The following image(s) no longer exist: %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.
@@ -939,98 +935,98 @@ Do you want to add the other images anyway?
<strong>Media Plugin</strong><br />The media plugin provides playback of audio and video.
-
+ <strong>Mediatillegg</strong><br />Mediatillegget tilbyr avspilling av lyd og video.
Load a new Media
-
+ Last ny fil
Add a new Media
-
+ Legg til ny fil
Edit the selected Media
-
+ Rediger valgte fil
Delete the selected Media
-
+ Slett valgte fil
Preview the selected Media
-
+ Forhåndsvis valgte fil
Send the selected Media live
-
+ Send valgte fil live
Add the selected Media to the service
-
+ Legg valgte fil til møtet
Media
name singular
-
+ Media
Media
name plural
-
+ Media
Media
container title
-
+ Media
MediaPlugin.MediaItem
-
+
Select Media
- Velg 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 (*)
@@ -1038,20 +1034,20 @@ Do you want to add the other images anyway?
Media Display
-
+ Mediavisning
Use Phonon for video playback
-
+ Bruk Phonon for videoavspilling
OpenLP
-
+
Image Files
-
+ Bildefiler
@@ -1070,7 +1066,7 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr
Credits
-
+ Credits
@@ -1080,22 +1076,22 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr
Contribute
-
+ Bidra
-
+
build %s
-
+ build %s
This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation; version 2 of the License.
-
+ Dette programmet er fri programvare; du kan redistribuere det og/eller endre det under betingelsene i GNU General Public License versjon 2, som publisert av Free Software Foundation.
This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See below for more details.
-
+ Dette programmet er distribuert i det håp at det vil være nyttig, men UTEN NOEN FORM FOR GARANTI; selv uten underforståtte garantier om SALGBARHET eller ANVENDELIGHET FOR ET SPESIELT FORMÅL. Se nedenfor for flere detaljer.
@@ -1160,7 +1156,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.
-
+ Prosjektleder
+%s
+
+Utviklere
+%s
+
+Bidragsytere
+%s
+
+Testere
+%s
+
+Pakkere
+%s
+
+Oversettere
+Afrikaans (af)
+%s
+Tysk (de)
+%s
+Engelsk, Storbritannia (en_GB)
+%s
+Engelsk, Sør-Afrika (en_ZA)
+%s
+Estisk (et)
+%s
+Fransk (fr)
+%s
+Ungarsk (hu)
+%s
+Japansk (ja)
+%s
+Norsk - bokmål (nb)
+%s
+Nederlandsk (nl)
+%s
+Portogisisk, Brazil (pt_BR)
+%s
+Russisk (ru)
+%s
+
+Dokumentasjon
+%s
+
+Laget med
+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/
+
+Endelig takk
+"For så høyt har Gud elsket verden, at han
+ga sin Sønn, den enbårne, for at hver den
+som tror på ham, ikke skal gå fortapt, men
+ha evig liv." -- Joh 3:16
+
+Og sist, men ikke minst, takken går til Gud vår
+far, for at han sendet oss sin Sønn for å dø
+på korset, og satte oss fri fra synd. Vi gir deg
+dette programmet fritt for omkostninger,
+fordi han har satt oss fri.
@@ -1169,71 +1225,100 @@ Portions copyright © 2004-2011 Tim Bentley, Jonathan Corwin, Michael Gorven
Meinert Jordan, Andreas Preikschat, Christian Richter, Philip
Ridout, Maikel Stuivenberg, Martin Thompson, Jon Tibble, Carsten
Tinggaard, Frode Woldsund
-
+ Copyright © 2004-2011 Raoul Snyman
+Portions copyright © 2004-2011 Tim Bentley, Jonathan Corwin, Michael Gorven, Scott Guerrieri,
+Meinert Jordan, Andreas Preikschat, Christian Richter, Philip
+Ridout, Maikel Stuivenberg, Martin Thompson, Jon Tibble, Carsten
+Tinggaard, Frode Woldsund
OpenLP.AdvancedTab
-
+
UI Settings
-
+ Innstillinger for brukergrensesnitt
-
+
Number of recent files to display:
-
+ Antall nylig brukte filer å vise.
-
+
Remember active media manager tab on startup
-
+ Husk aktiv mediebehandlerfane ved oppstart
-
+
Double-click to send items straight to live
-
+ Dobbelklikk for å sende saker direkte live
-
+
Expand new service items on creation
-
+ Utvid nye møteenheter ved opprettelse
-
+
Enable application exit confirmation
-
+ Aktiver avsluttningsbekreftelse
-
+
Mouse Cursor
-
+
Hide mouse cursor when over display window
-
+
Default Image
-
+
Background color:
Bakgrunns farge:
-
+
Image file:
-
+
Open File
+
+
+ Preview items when clicked in Media Manager
+
+
+
+
+ Advanced
+ Avansert
+
+
+
+ Click to select a color.
+
+
+
+
+ Browse for an image file to display.
+
+
+
+
+ Revert to the default OpenLP logo.
+
+
OpenLP.DisplayTagDialog
@@ -1340,7 +1425,7 @@ Tinggaard, Frode Woldsund
-
+
Description characters to enter : %s
@@ -1348,23 +1433,23 @@ Tinggaard, Frode Woldsund
OpenLP.ExceptionForm
-
+
Platform: %s
-
+
Save Crash Report
-
+
Text files (*.txt *.log *.text)
-
+
**OpenLP Bug Report**
Version: %s
@@ -1382,7 +1467,7 @@ Version: %s
-
+
*OpenLP Bug Report*
Version: %s
@@ -1445,97 +1530,97 @@ Version: %s
-
+
Download complete. Click the finish button to start OpenLP.
-
+
Enabling selected plugins...
-
+
First Time Wizard
-
+
Welcome to the First Time Wizard
-
+
This wizard will help you to configure OpenLP for initial use. Click the next button below to start the process of selection your initial options.
-
+
Activate required Plugins
-
+
Select the Plugins you wish to use.
-
+
Songs
-
+
Custom Text
-
+
Bible
-
+
Images
-
+ Bilder
-
+
Presentations
-
+
Media (Audio and Video)
-
+
Allow remote access
-
+
Monitor Song Usage
-
+
Allow Alerts
-
+
No Internet Connection
-
+
Unable to detect an Internet connection.
-
+
No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes.
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.
@@ -1544,67 +1629,67 @@ To cancel the First Time Wizard completely, press the finish button now.
-
+
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.
-
+
Setting Up And Importing
-
+
Please wait while OpenLP is set up and your data is imported.
-
+
Default output display:
-
+
Select default theme:
-
+
Starting configuration process...
@@ -1612,130 +1697,135 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.GeneralTab
-
+
General
-
+ Generell
-
+
Monitors
-
+
Select monitor for output display:
Velg hvilken skjerm som skal brukes til fremvisning:
-
+
Display if a single screen
-
+
Application Startup
- Programoppstart
+ Programoppstart
-
+
Show blank screen warning
-
+
Automatically open the last service
- Åpne forrige møteplan automatisk
+ Åpne forrige møteplan automatisk
-
+
Show the splash screen
-
+
Application Settings
- Programinnstillinger
+ Programinnstillinger
-
+
Prompt to save before starting a new service
-
+
Automatically preview next item in service
-
+
Slide loop delay:
-
+
sec
-
+
CCLI Details
CCLI-detaljer
-
+
SongSelect username:
-
+
SongSelect password:
-
+
Display Position
-
+
X
-
+
Y
-
+
Height
-
+
Width
-
+
Override display position
-
+
Check for updates to OpenLP
+
+
+ Unblank display when adding new live item
+
+
OpenLP.LanguageManager
-
+
Language
-
+
Please restart OpenLP to use your new language setting.
@@ -1743,7 +1833,7 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainDisplay
-
+
OpenLP Display
@@ -1751,229 +1841,184 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainWindow
-
+
&File
- &Fil
+ &Fil
-
+
&Import
- &Import
+ &Importer
-
+
&Export
- &Eksporter
+ &Eksporter
-
+
&View
&Vis
-
+
M&ode
-
+
&Tools
-
+
&Settings
- &Innstillinger
+ &Innstillinger
-
+
&Language
&Språk
-
+
&Help
- &Hjelp
+ &Hjelp
-
+
Media Manager
Innholdselementer
-
+
Service Manager
-
+
Theme Manager
-
+
&New
&Ny
-
- Ctrl+N
- Ctrl+N
-
-
-
+
&Open
&Åpne
-
+
Open an existing service.
-
- Ctrl+O
- Ctrl+O
-
-
-
+
&Save
&Lagre
-
+
Save the current service to disk.
-
- Ctrl+S
- Ctrl+S
-
-
-
+
Save &As...
-
+
Save Service As
-
+
Save the current service under a new name.
-
- Ctrl+Shift+S
-
-
-
-
+
E&xit
- &Avslutt
+ &Avslutt
-
+
Quit OpenLP
Avslutt OpenLP
-
- Alt+F4
- Alt+F4
-
-
-
+
&Theme
&Tema
-
+
&Configure OpenLP...
-
+
&Media Manager
-
+
Toggle Media Manager
-
+
Toggle the visibility of the media manager.
-
- F8
- F8
-
-
-
+
&Theme Manager
-
+
Toggle Theme Manager
Åpne tema-behandler
-
+
Toggle the visibility of the theme manager.
-
- F10
- F10
-
-
-
+
&Service Manager
-
+
Toggle Service Manager
Vis møteplanlegger
-
+
Toggle the visibility of the service manager.
-
-
- F9
- F9
-
-
-
- &Preview Panel
- &Forhåndsvisningspanel
-
- Toggle Preview Panel
- Vis forhåndsvisningspanel
+ &Preview Panel
+ &Forhåndsvisningspanel
- Toggle the visibility of the preview panel.
-
+ Toggle Preview Panel
+ Vis forhåndsvisningspanel
- F11
- F11
+ Toggle the visibility of the preview panel.
+
@@ -1992,179 +2037,159 @@ To cancel the First Time Wizard completely, press the finish button now.
- F12
- F12
-
-
-
&Plugin List
&Tillegsliste
-
+
List the Plugins
Hent liste over tillegg
-
- Alt+F7
- ALT+F7
-
-
-
+
&User Guide
- &Brukerveiledning
+ &Brukerveiledning
-
+
&About
&Om
-
+
More information about OpenLP
-
- Ctrl+F1
- Ctrl+F1
-
-
-
+
&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
-
+
English
Please add the name of your language here
Norsk
-
+
Configure &Shortcuts...
-
+
Close OpenLP
-
+
Are you sure you want to close OpenLP?
-
+
Print the current Service Order.
-
- Ctrl+P
-
-
-
-
+
Open &Data Folder...
-
+
Open the folder where songs, bibles and other data resides.
-
+
&Configure Display Tags
-
+
&Autodetect
@@ -2172,45 +2197,51 @@ You can download the latest version from http://openlp.org/.
OpenLP.MediaManagerItem
-
+
No Items Selected
-
+
&Add to selected Service Item
-
+
You must select one or more items to preview.
-
+
You must select one or more items to send live.
-
+
You must select one or more items.
-
+
You must select an existing service item to add to.
-
+
Invalid Service Item
-
+
You must select a %s service item.
+
+
+ Duplicate file name %s.
+Filename already exists in list
+
+
OpenLP.PluginForm
@@ -2232,7 +2263,7 @@ You can download the latest version from http://openlp.org/.
Active
- Aktiv
+ Aktiv
@@ -2276,37 +2307,37 @@ You can download the latest version from http://openlp.org/.
-
+
Close
-
+
Copy
-
+
Copy as HTML
-
+
Zoom In
-
+
Zoom Out
-
+
Zoom Original
-
+
Other Options
@@ -2316,20 +2347,25 @@ You can download the latest version from http://openlp.org/.
-
+
Include service item notes
-
+
Include play length of media items
-
+
Service Order Sheet
+
+
+ Add page break before each text item.
+
+
OpenLP.ScreenList
@@ -2355,211 +2391,251 @@ You can download the latest version from http://openlp.org/.
OpenLP.ServiceManager
-
+
Load an existing service
-
+
Save this service
Lagre møteplan
-
+
Select a theme for the service
-
+
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
-
- Notes:
-
-
-
-
+
&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
+
+
+
+
+ This file is either corrupt or not an OpenLP 2.0 service file.
+
+
OpenLP.ServiceNoteForm
@@ -2572,7 +2648,7 @@ The content encoding is not UTF-8.
OpenLP.SettingsForm
-
+
Configure OpenLP
@@ -2580,219 +2656,269 @@ The content encoding is not UTF-8.
OpenLP.ShortcutListDialog
-
+
Customize Shortcuts
-
+
Action
-
+
Shortcut
-
- Default: %s
-
-
-
-
- Custom:
-
-
-
-
- None
-
-
-
-
+
Duplicate Shortcut
-
+
The shortcut "%s" is already assigned to another action, please use a different shortcut.
-
+
Alternate
+
+
+ Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively.
+
+
+
+
+ Default
+
+
+
+
+ Custom
+ Egendefinert lysbilde
+
+
+
+ Capture shortcut.
+
+
+
+
+ Restore the default shortcut of this action.
+
+
+
+
+ Restore Default Shortcuts
+
+
+
+
+ Do you want to restore all shortcuts to their defaults?
+
+
OpenLP.SlideController
-
+
Move to previous
- Flytt til forrige
+ Flytt til forrige
-
+
Move to next
-
+
Hide
-
+
Move to live
-
+
Start continuous loop
Start kontinuerlig løkke
-
+
Stop continuous loop
-
+
Delay between slides in seconds
Forsinkelse mellom lysbilder i sekund
-
+
Start playing media
Start avspilling av media
-
+
Go To
-
+
Edit and reload song preview
-
+
Blank Screen
-
+
Blank to Theme
-
+
Show Desktop
-
+
Previous Slide
-
+
Next Slide
-
+
Previous Service
-
+
Next Service
-
+
Escape Item
+
+
+ Start/Stop continuous loop
+
+
OpenLP.SpellTextEdit
-
+
Spelling Suggestions
-
+
Formatting Tags
+
+
+ Language:
+
+
OpenLP.StartTimeForm
-
- Item Start Time
-
-
-
-
+
Hours:
-
- h
-
-
-
-
- m
-
-
-
-
+
Minutes:
-
+
Seconds:
+
+
+ Item Start and Finish Time
+
+
+
+
+ Start
+
+
+
+
+ Finish
+
+
+
+
+ Length
+
+
+
+
+ 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
+
+
OpenLP.ThemeForm
-
+
Select Image
-
+
Theme Name Missing
-
+
There is no name for this theme. Please enter one.
-
+
Theme Name Invalid
-
+
Invalid theme name. Please enter one.
-
+
(%d lines per slide)
@@ -2860,68 +2986,68 @@ The content encoding is not UTF-8.
-
+
%s (default)
-
+
You must select a theme to edit.
-
+
You are unable to delete the default theme.
- Du kan ikke slette det globale temaet
+ 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.
+ Filen er ikke et gyldig tema.
-
+
Theme %s is used in the %s plugin.
@@ -2941,47 +3067,47 @@ The content encoding is not UTF-8.
-
+
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)
@@ -3224,7 +3350,7 @@ The content encoding is not UTF-8.
-
+
Edit Theme - %s
@@ -3232,42 +3358,42 @@ The content encoding is not UTF-8.
OpenLP.ThemesTab
-
+
Global Theme
-
+
Theme Level
-
+
S&ong Level
-
+
Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme.
Bruk temaet fra hver sang i databasen. Hvis en sang ikke er tilknyttet et tema, bruk temaet til møteplanen. Hvis møteplanen ikke har et tema, bruk det globale temaet.
-
+
&Service Level
-
+
Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme.
-
+
&Global Level
-
+
Use the global theme, overriding any themes associated with either the service or the songs.
Bruk det globale temaet, og la det overstyre eventuelle tema som er tilknyttet møteplaner eller sanger.
@@ -3275,290 +3401,290 @@ The content encoding is not UTF-8.
OpenLP.Ui
-
+
Error
Feil
-
+
&Delete
&Slett
-
+
Delete the selected item.
-
+
Move selection up one position.
-
+
Move selection down one position.
-
+
&Add
-
+
Advanced
Avansert
-
+
All Files
Alle filer
-
+
Create a new service.
-
+
&Edit
- &Rediger
+ &Rediger
-
+
Import
-
+
Length %s
-
+
Live
-
+
Load
-
+
New
-
+
New Service
-
+
OpenLP 2.0
OpenLP 2.0
-
+
Open Service
Åpne møteplan
-
+
Preview
Forhåndsvisning
-
+
Replace Background
-
+
Replace Live Background
-
+
Reset Background
-
+
Reset Live Background
-
+
Save Service
-
+
Service
-
+
Start %s
-
+
&Vertical Align:
-
+
Top
Topp
-
+
Middle
Midtstilt
-
+
Bottom
Bunn
-
+
About
Om
-
+
Browse...
-
+
Cancel
-
+
CCLI number:
-
+
Empty Field
-
+
Export
-
+
pt
Abbreviated font pointsize unit
pt
-
+
Image
-
+ Bilde
-
+
Live Background Error
-
+
Live Panel
-
+
New Theme
-
+
No File Selected
Singular
-
+
No Files Selected
Plural
-
+
No Item Selected
Singular
-
+
No Items Selected
Plural
-
+
openlp.org 1.x
-
+
Preview Panel
-
+
Print Service Order
-
+
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
@@ -3585,7 +3711,7 @@ The content encoding is not UTF-8.
Select Import Source
- Velg importeringskilde
+ Velg importeringskilde
@@ -3624,7 +3750,7 @@ The content encoding is not UTF-8.
-
+
Welcome to the Bible Import Wizard
Velkommen til bibelimporterings-veilederen
@@ -3634,7 +3760,7 @@ The content encoding is not UTF-8.
-
+
Welcome to the Song Import Wizard
@@ -3669,22 +3795,124 @@ The content encoding is not UTF-8.
-
+
Song Maintenance
-
+
Topic
Singular
- Emne
+ Emne
-
+
Topics
Plural
Emne
+
+
+ Continuous
+ Kontinuerlig
+
+
+
+ Default
+
+
+
+
+ Display style:
+ Visningstil:
+
+
+
+ File
+
+
+
+
+ Help
+
+
+
+
+ h
+ The abbreviated unit for hours
+
+
+
+
+ Layout style:
+
+
+
+
+ Live Toolbar
+
+
+
+
+ m
+ The abbreviated unit for minutes
+
+
+
+
+ OpenLP is already running. Do you wish to continue?
+
+
+
+
+ Settings
+
+
+
+
+ Tools
+
+
+
+
+ Verse Per Slide
+ Vers pr side
+
+
+
+ Verse Per Line
+ Vers pr linje
+
+
+
+ View
+
+
+
+
+ View Model
+
+
+
+
+ Duplicate Error
+
+
+
+
+ Unsupported File
+
+
+
+
+ Title and/or verses not found
+
+
+
+
+ XML syntax error
+
+
OpenLP.displayTagDialog
@@ -3697,49 +3925,49 @@ The content encoding is not UTF-8.
PresentationPlugin
-
+
<strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box.
-
+
Load a new Presentation
-
+
Delete the selected Presentation
-
+
Preview the selected Presentation
-
+
Send the selected Presentation live
-
+
Add the selected Presentation to the service
-
+
Presentation
name singular
Presentasjon
-
+
Presentations
name plural
-
+
Presentations
container title
@@ -3763,22 +3991,17 @@ The content encoding is not UTF-8.
Presenter ved hjelp av:
-
+
File Exists
-
+
A presentation with that filename already exists.
-
- Unsupported File
-
-
-
-
+
This type of presentation is not supported.
@@ -3788,17 +4011,17 @@ The content encoding is not UTF-8.
-
+
Missing Presentation
-
+
The Presentation %s no longer exists.
-
+
The Presentation %s is incomplete, please reload.
@@ -3868,63 +4091,68 @@ 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
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -3964,7 +4192,7 @@ The content encoding is not UTF-8.
Select Date Range
- Velg dato-område
+ Velg dato-område
@@ -4012,12 +4240,12 @@ has been successfully created.
SongsPlugin
-
+
&Song
&Sang
-
+
Import songs using the import wizard.
@@ -4178,7 +4406,7 @@ The encoding is responsible for the correct character representation.
-
+
Exports songs using the export wizard.
@@ -4188,7 +4416,7 @@ The encoding is responsible for the correct character representation.
Author Maintenance
- Behandle forfatterdata
+ Behandle forfatterdata
@@ -4224,8 +4452,16 @@ The encoding is responsible for the correct character representation.
SongsPlugin.CCLIFileImport
-
- Importing song %d of %d
+
+ The file does not have a valid extension.
+
+
+
+
+ SongsPlugin.EasyWorshipSongImport
+
+
+ Administered by %s
@@ -4234,7 +4470,7 @@ The encoding is responsible for the correct character representation.
Song Editor
- Sangredigeringsverktøy
+ Sangredigeringsverktøy
@@ -4259,7 +4495,7 @@ The encoding is responsible for the correct character representation.
Ed&it All
-
+ Rediger alle
@@ -4327,82 +4563,82 @@ The encoding is responsible for the correct character representation.
-
+
Add Author
-
+
This author does not exist, do you want to add them?
-
+
This author is already in the list.
-
+
You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author.
-
+
Add Topic
-
+
This topic does not exist, do you want to add it?
-
+
This topic is already in the list.
-
+
You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic.
-
+
You need to type in a song title.
-
+
You need to type in at least one verse.
-
+
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.
@@ -4516,140 +4752,145 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ImportWizardForm
-
+
Select Document/Presentation Files
-
+
Song Import Wizard
-
+
This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from.
-
+
Generic Document/Presentation
-
+
Filename:
-
+
Add Files...
-
+
Remove File(s)
-
+
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.
-
+
Please wait while your songs are imported.
-
+
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.
-
- Administered by %s
-
-
-
-
+
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
+
+
+ Copy
+
+
+
+
+ Save to File
+
+
SongsPlugin.MediaItem
-
+
Maintain the lists of authors, topics and books
- Rediger liste over forfattere, emner og bøker.
+ Rediger liste over forfattere, emner og bøker
-
+
Titles
- Titler
+ Titler
-
+
Lyrics
-
+
Delete Song(s)?
-
+
CCLI License:
-
+
Entire Song
-
+
Are you sure you want to delete the %n selected song(s)?
@@ -4657,11 +4898,19 @@ The encoding is responsible for the correct character representation.
+
+ SongsPlugin.OpenLP1SongImport
+
+
+ Not a valid openlp.org 1.x song database.
+
+
+
SongsPlugin.OpenLPSongImport
-
- Importing song %d of %d.
+
+ Not a valid OpenLP 2.0 song database.
@@ -4712,15 +4961,20 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImport
-
+
copyright
+
+
+ The following songs could not be imported:
+
+
SongsPlugin.SongImportForm
-
+
Your song import failed.
@@ -4768,47 +5022,47 @@ The encoding is responsible for the correct character representation.
-
+
Delete Author
-
+
Are you sure you want to delete the selected author?
- Er du sikker på at du vil slette den valgte forfatteren?
+ Er du sikker på at du vil slette den valgte forfatteren?
-
+
This author cannot be deleted, they are currently assigned to at least one song.
-
+
Delete Topic
Slett emne
-
+
Are you sure you want to delete the selected topic?
-
+
This topic cannot be deleted, it is currently assigned to at least one song.
-
+
Delete Book
Slett bok
-
+
Are you sure you want to delete the selected book?
Er du sikker på at du vil slette den merkede boken?
-
+
This book cannot be deleted, it is currently assigned to at least one song.
@@ -4914,7 +5168,15 @@ The encoding is responsible for the correct character representation.
Other
- Annet
+ Annet
+
+
+
+ ThemeTab
+
+
+ Themes
+
diff --git a/resources/i18n/nl.ts b/resources/i18n/nl.ts
index cf7cb8b69..45baae593 100644
--- a/resources/i18n/nl.ts
+++ b/resources/i18n/nl.ts
@@ -3,24 +3,24 @@
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
Toch doorgaan?
-
+
No Parameter Found
geen parameters gevonden
-
+
No Placeholder Found
niet gevonden
-
+
The alert text does not contain '<>'.
Do you want to continue anyway?
De waarschuwing bevat geen '<>'.
@@ -30,34 +30,34 @@ Toch doorgaan?
AlertsPlugin
-
+
&Alert
W&aarschuwing
-
+
Show an alert message.
Toon waarschuwingsberichten.
-
+
<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.
-
+
Alert
name singular
Waarschuwing
-
+
Alerts
name plural
Waarschuwingen
-
+
Alerts
container title
Waarschuwingen
@@ -96,12 +96,12 @@ Toch doorgaan?
&Weergeven en sluiten
-
+
New Alert
Nieuwe waarschuwing
-
+
You haven't specified any text for your alert. Please type in some text before clicking New.
De waarschuwing bevat geen tekst. Voer eerst tekst in voordat u op nieuw klikt.
@@ -207,12 +207,12 @@ Toch doorgaan?
BiblePlugin.MediaItem
-
+
Bible not fully loaded.
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?
@@ -220,64 +220,64 @@ Toch doorgaan?
BiblesPlugin
-
+
&Bible
&Bijbel
-
+
<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 maakt het mogelijk bijbelteksten uit verschillende vertalingen tijdens de dienst te gebruiken.
-
+
Import a Bible
Importeer een Bijbel
-
+
Add a new Bible
Voeg een nieuwe Bijbel toe
-
+
Edit the selected Bible
Geselecteerde Bijbel bewerken
-
+
Delete the selected Bible
Geselecteerde Bijbel verwijderen
-
+
Preview the selected Bible
Voorbeeld geselecteerde bijbeltekst
-
+
Send the selected Bible live
Geselecteerde bijbeltekst live tonen
-
+
Add the selected Bible to the service
Geselecteerde bijbeltekst aan de liturgie toevoegen
-
+
Bible
name singular
bijbeltekst
-
+
Bibles
name plural
bijbelteksten
-
+
Bibles
container title
Bijbelteksten
@@ -350,74 +350,49 @@ Boek Hoofdstuk:Vers-Hoofdstuk:Vers
BiblesPlugin.BiblesTab
-
+
Verse Display
Bijbeltekst weergave
-
+
Only show new chapter numbers
Toon alleen nieuw hoodstuknummer
-
- Layout style:
- Paginaformaat:
-
-
-
- Display style:
- Weergave stijl:
-
-
-
+
Bible theme:
Bijbel thema:
-
- Verse Per Slide
- Bijbelvers per dia
-
-
-
- Verse Per Line
- Bijbelvers per regel
-
-
-
- Continuous
- Doorlopend
-
-
-
+
No Brackets
geen haakjes
-
+
( And )
( en )
-
+
{ And }
{ en }
-
+
[ And ]
[ en ]
-
+
Note:
Changes do not affect verses already in the service.
Nota Bene:
Deze wijzigingen hebben geen betrekking op bijbelverzen die al in de liturgie zijn opgenomen.
-
+
Display second Bible verses
Toon tweede bijbelvertaling
@@ -425,179 +400,179 @@ Deze wijzigingen hebben geen betrekking op bijbelverzen die al in de liturgie zi
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.
-
+
Starting Registering bible...
Start registreren Bijbel...
-
+
Registered bible. Please note, that verses will be downloaded on
demand and thus an internet connection is required.
Registratie afgerond.
N.B. bijbelteksten worden gedownload indien nodig internetverbinding is dus noodzakelijk.
-
+
Permissions:
Rechten:
-
+
CSV File
CSV bestand
-
+
Bibleserver
Bibleserver.com
-
+
Bible file:
Bijbel bestand:
-
+
Testaments file:
Testamenten bestand:
-
+
Books file:
Bijbelboeken bestand:
-
+
Verses file:
Bijbelverzen bestand:
-
+
You have not specified a testaments file. Do you want to proceed with the import?
Geen testament bestand opgegeven. Toch importeren?
-
+
openlp.org 1.x Bible Files
openlp.org 1.x bijbel bestanden
@@ -605,67 +580,67 @@ N.B. bijbelteksten worden gedownload indien nodig internetverbinding is dus nood
BiblesPlugin.MediaItem
-
+
Quick
Snelzoeken
-
+
Find:
Vind:
-
+
Results:
Resulaten:
-
+
Book:
Boek:
-
+
Chapter:
Hoofdstuk:
-
+
Verse:
Vers:
-
+
From:
Van:
-
+
To:
Tot:
-
+
Text Search
Zoek op tekst
-
+
Clear
Wissen
-
+
Keep
Bewaren
-
+
Second:
Tweede:
-
+
Scripture Reference
Schriftverwijzing
@@ -682,12 +657,12 @@ N.B. bijbelteksten worden gedownload indien nodig internetverbinding is dus nood
BiblesPlugin.OsisImport
-
+
Detecting encoding (this may take a few minutes)...
Tekstcodering detecteren (dat kan even duren)...
-
+
Importing %s %s...
Importing <book name> <chapter>...
%s %s wordt geïmporteerd...
@@ -762,12 +737,12 @@ N.B. bijbelteksten worden gedownload indien nodig internetverbinding is dus nood
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
@@ -838,6 +813,14 @@ N.B. bijbelteksten worden gedownload indien nodig internetverbinding is dus nood
Aangepaste dia
+
+ GeneralTab
+
+
+ General
+ Algemeen
+
+
ImagePlugin
@@ -902,7 +885,7 @@ N.B. bijbelteksten worden gedownload indien nodig internetverbinding is dus nood
ImagePlugin.ExceptionDialog
-
+
Select Attachment
Selecteer bijlage
@@ -910,39 +893,39 @@ N.B. bijbelteksten worden gedownload indien nodig internetverbinding is dus nood
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.
@@ -1011,37 +994,37 @@ 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 (*)
@@ -1062,7 +1045,7 @@ De andere afbeeldingen alsnog toevoegen?
OpenLP
-
+
Image Files
Afbeeldingsbestanden
@@ -1102,7 +1085,7 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr
Bijdragen
-
+
build %s
build %s
@@ -1260,65 +1243,90 @@ Tinggaard, Frode Woldsund
OpenLP.AdvancedTab
-
+
UI Settings
Werkomgeving instellingen
-
+
Number of recent files to display:
Aantal recent geopende bestanden:
-
+
Remember active media manager tab on startup
Laatstgeopende tab opslaan
-
+
Double-click to send items straight to live
Dubbelklikken om onderdelen direct aan live toe te voegen
-
+
Expand new service items on creation
Nieuwe liturgieonderdelen automatisch uitklappen
-
+
Enable application exit confirmation
Afsluiten OpenLP bevestigen
-
+
Mouse Cursor
Muisaanwijzer
-
+
Hide mouse cursor when over display window
Verberg muisaanwijzer in het weergave venster
-
+
Default Image
standaard afbeelding
-
+
Background color:
Achtergrondkleur:
-
+
Image file:
Afbeeldingsbestand:
-
+
Open File
Open bestand
+
+
+ Preview items when clicked in Media Manager
+
+
+
+
+ Advanced
+ Geavanceerd
+
+
+
+ Click to select a color.
+
+
+
+
+ Browse for an image file to display.
+
+
+
+
+ Revert to the default OpenLP logo.
+
+
OpenLP.DisplayTagDialog
@@ -1427,7 +1435,7 @@ Stuur een e-mail naar: bugs@openlp.org met een gedetailleerde beschrijving van h
Voeg bestand toe
-
+
Description characters to enter : %s
Toelichting aanvullen met nog %s tekens
@@ -1435,24 +1443,24 @@ Stuur een e-mail naar: bugs@openlp.org met een gedetailleerde beschrijving van h
OpenLP.ExceptionForm
-
+
Platform: %s
Plattform: %s
-
+
Save Crash Report
Bewaar Bug Report
-
+
Text files (*.txt *.log *.text)
Tekstbestand (*.txt *.log *.text)
-
+
**OpenLP Bug Report**
Version: %s
@@ -1483,7 +1491,7 @@ Version: %s
-
+
*OpenLP Bug Report*
Version: %s
@@ -1559,97 +1567,97 @@ 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...
-
+
First Time Wizard
Eerste keer assistent
-
+
Welcome to the First Time Wizard
Welkom bij de Eerste keer Assistent
-
+
This wizard will help you to configure OpenLP for initial use. Click the next button below to start the process of selection your initial options.
Deze assistent helpt je om OpenLP voor de eerste keer in te stellen. Klik op volgende om dit proces te beginnen.
-
+
Activate required Plugins
Activeer noodzakelijke plugins
-
+
Select the Plugins you wish to use.
Selecteer de plugins die je gaat gebruiken.
-
+
Songs
Liederen
-
+
Custom Text
Aangepaste tekst
-
+
Bible
Bijbel
-
+
Images
Afbeeldingen
-
+
Presentations
Presentaties
-
+
Media (Audio and Video)
Media (Audio en Video)
-
+
Allow remote access
Toegang op afstand toestaan
-
+
Monitor Song Usage
Liedgebruik bijhouden
-
+
Allow Alerts
Toon berichten
-
+
No Internet Connection
Geen internetverbinding
-
+
Unable to detect an Internet connection.
OpenLP kan geen internetverbinding vinden.
-
+
No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes.
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.
@@ -1662,67 +1670,67 @@ Om deze assistent de volgende keer te starten, klikt u nu annuleren, controleer
Om deze assistent over te slaan, klik op klaar.
-
+
Sample Songs
Voorbeeld liederen
-
+
Select and download public domain songs.
Selecteer en download liederen uit het publieke domein.
-
+
Sample Bibles
Voorbeeld bijbels
-
+
Select and download free Bibles.
Selecteer en download (gratis) bijbels uit het publieke domein.
-
+
Sample Themes
Voorbeeld thema's
-
+
Select and download sample themes.
Selecteer en download voorbeeld thema's.
-
+
Default Settings
Standaard instellingen
-
+
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:
Standaard weergave scherm:
-
+
Select default theme:
Selecteer standaard thema:
-
+
Starting configuration process...
Begin het configuratie proces...
@@ -1730,130 +1738,135 @@ Om deze assistent over te slaan, klik op klaar.
OpenLP.GeneralTab
-
+
General
Algemeen
-
+
Monitors
Beeldschermen
-
+
Select monitor for output display:
Projectiescherm:
-
+
Display if a single screen
Weergeven bij enkel scherm
-
+
Application Startup
Programma start
-
+
Show blank screen warning
Toon zwart scherm waarschuwing
-
+
Automatically open the last service
Automatisch laatste liturgie openen
-
+
Show the splash screen
Toon splash screen
-
+
Application Settings
Programma instellingen
-
+
Prompt to save before starting a new service
Waarschuw om werk op te slaan bij het beginnen van een nieuwe liturgie
-
+
Automatically preview next item in service
Automatisch volgend onderdeel van liturgie tonen
-
+
Slide loop delay:
Vertraging bij doorlopende diavoorstelling:
-
+
sec
sec
-
+
CCLI Details
CCLI-details
-
+
SongSelect username:
SongSelect gebruikersnaam:
-
+
SongSelect password:
SongSelect wachtwoord:
-
+
Display Position
Weergave positie
-
+
X
X
-
+
Y
Y
-
+
Height
Hoogte
-
+
Width
Breedte
-
+
Override display position
Overschrijf scherm positie
-
+
Check for updates to OpenLP
Controleer op updates voor OpenLP
+
+
+ Unblank display when adding new live item
+
+
OpenLP.LanguageManager
-
+
Language
Taal
-
+
Please restart OpenLP to use your new language setting.
Start OpenLP opnieuw op om de nieuwe taalinstellingen te gebruiken.
@@ -1861,7 +1874,7 @@ Om deze assistent over te slaan, klik op klaar.
OpenLP.MainDisplay
-
+
OpenLP Display
OpenLP Weergave
@@ -1869,230 +1882,185 @@ 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
-
- Ctrl+N
- Ctrl+N
-
-
-
+
&Open
&Open
-
+
Open an existing service.
Open een bestaande liturgie.
-
- Ctrl+O
- Ctrl+O
-
-
-
+
&Save
Op&slaan
-
+
Save the current service to disk.
Deze liturgie opslaan.
-
- Ctrl+S
- Ctrl+S
-
-
-
+
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.
-
- Ctrl+Shift+S
- Ctrl+Shift+S
-
-
-
+
E&xit
&Afsluiten
-
+
Quit OpenLP
OpenLP afsluiten
-
- Alt+F4
- Alt+F4
-
-
-
+
&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.
-
- F8
- F8
-
-
-
+
&Theme Manager
&Thema beheer
-
+
Toggle Theme Manager
Thema beheer wel / niet tonen
-
+
Toggle the visibility of the theme manager.
Thema beheer wel / niet tonen.
-
- F10
- F10
-
-
-
+
&Service Manager
&Liturgie beheer
-
+
Toggle Service Manager
Liturgie beheer wel / niet tonen
-
+
Toggle the visibility of the service manager.
Liturgie beheer wel / niet tonen.
-
- F9
- F9
-
-
-
+
&Preview Panel
&Voorbeeld
-
+
Toggle Preview Panel
Voorbeeld wel / niet tonen
-
+
Toggle the visibility of the preview panel.
Voorbeeld wel / niet tonen.
-
-
- F11
- F11
-
&Live Panel
@@ -2110,126 +2078,111 @@ Om deze assistent over te slaan, klik op klaar.
- F12
- F12
-
-
-
&Plugin List
&Plugin Lijst
-
+
List the Plugins
Lijst met plugins =uitbreidingen van OpenLP
-
- Alt+F7
- Alt+F7
-
-
-
+
&User Guide
Gebr&uikshandleiding
-
+
&About
&Over OpenLP
-
+
More information about OpenLP
Meer Informatie over OpenLP
-
- Ctrl+F1
- Ctrl+F1
-
-
-
+
&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/.
@@ -2238,53 +2191,48 @@ You can download the latest version from http://openlp.org/.
U kunt de laatste versie op http://openlp.org/ downloaden.
-
+
English
Please add the name of your language here
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.
-
- Ctrl+P
- Ctrl+P
-
-
-
+
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
-
+
&Autodetect
&Autodetecteer
@@ -2292,45 +2240,51 @@ U kunt de laatste versie op http://openlp.org/ downloaden.
OpenLP.MediaManagerItem
-
+
No Items Selected
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
+
+
OpenLP.PluginForm
@@ -2396,37 +2350,37 @@ U kunt de laatste versie op http://openlp.org/ downloaden.
Opties
-
+
Close
Sluiten
-
+
Copy
Kopieer
-
+
Copy as HTML
Kopieer als HTML
-
+
Zoom In
Inzoomen
-
+
Zoom Out
Uitzoomen
-
+
Zoom Original
Werkelijke grootte
-
+
Other Options
Overige opties
@@ -2436,20 +2390,25 @@ U kunt de laatste versie op http://openlp.org/ downloaden.
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.
+
+
OpenLP.ScreenList
@@ -2475,212 +2434,252 @@ U kunt de laatste versie op http://openlp.org/ downloaden.
OpenLP.ServiceManager
-
+
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
-
+
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
-
- Notes:
- Opmerkingen:
-
-
-
+
&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.
+
+
+
+
+ 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.ServiceNoteForm
@@ -2693,7 +2692,7 @@ Tekst codering is geen UTF-8.
OpenLP.SettingsForm
-
+
Configure OpenLP
Configureer OpenLP
@@ -2701,219 +2700,269 @@ Tekst codering is geen UTF-8.
OpenLP.ShortcutListDialog
-
+
Customize Shortcuts
Snelkoppelingen aanpassen
-
+
Action
Actie
-
+
Shortcut
snelkoppeling
-
- Default: %s
- standaard: %s
-
-
-
- Custom:
- Aangepast:
-
-
-
- None
- Geen
-
-
-
+
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.
-
+
Alternate
Afwisselend
+
+
+ Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively.
+
+
+
+
+ Default
+ Standaard
+
+
+
+ Custom
+
+
+
+
+ Capture shortcut.
+
+
+
+
+ Restore the default shortcut of this action.
+
+
+
+
+ Restore Default Shortcuts
+
+
+
+
+ Do you want to restore all shortcuts to their defaults?
+
+
OpenLP.SlideController
-
+
Move to previous
Naar vorige
-
+
Move to next
Naar volgende
-
+
Hide
Verbergen
-
+
Move to live
Naar Live
-
+
Start continuous loop
Start doorlopende diashow
-
+
Stop continuous loop
Stop doorlopende diashow
-
+
Delay between slides in seconds
Vertraging tussen dia's in seconden
-
+
Start playing media
Start afspelen media
-
+
Go To
Ga naar
-
+
Edit and reload song preview
Bewerk en lied voorbeeld opnieuw weergeven
-
+
Blank Screen
Zwart scherm
-
+
Blank to Theme
Zwart naar thema
-
+
Show Desktop
Toon bureaublad
-
+
Previous Slide
Vorige dia
-
+
Next Slide
Volgende dia
-
+
Previous Service
Vorige liturgie
-
+
Next Service
Volgende liturgie
-
+
Escape Item
Onderdeel annuleren
+
+
+ Start/Stop continuous loop
+
+
OpenLP.SpellTextEdit
-
+
Spelling Suggestions
Spelling suggesties
-
+
Formatting Tags
Opmaak tags
+
+
+ Language:
+
+
OpenLP.StartTimeForm
-
- Item Start Time
- Item Start Tijd
-
-
-
+
Hours:
Uren:
-
- h
- h
-
-
-
- m
- m
-
-
-
+
Minutes:
Minuten:
-
+
Seconds:
Seconden:
+
+
+ Item Start and Finish Time
+
+
+
+
+ Start
+
+
+
+
+ Finish
+
+
+
+
+ Length
+
+
+
+
+ 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
+
+
OpenLP.ThemeForm
-
+
Select Image
Selecteer afbeelding
-
+
Theme Name Missing
Thema naam ontbreekt
-
+
There is no name for this theme. Please enter one.
Dit thema heeft nog geen naam. Geef een naam voor dit thema.
-
+
Theme Name Invalid
Ongeldige naam
-
+
Invalid theme name. Please enter one.
Deze naam kan niet worden gebruikt als thema naam. Kies een andere naam.
-
+
(%d lines per slide)
(%d regels per dia)
@@ -2981,69 +3030,69 @@ Tekst codering is geen UTF-8.
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.
@@ -3063,47 +3112,47 @@ Tekst codering is geen UTF-8.
&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)
@@ -3346,7 +3395,7 @@ Tekst codering is geen UTF-8.
&Voettekst gebied
-
+
Edit Theme - %s
Bewerk thema - %s
@@ -3354,42 +3403,42 @@ Tekst codering is geen UTF-8.
OpenLP.ThemesTab
-
+
Global Theme
Globaal thema
-
+
Theme Level
Thema niveau
-
+
S&ong Level
&Lied niveau
-
+
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.
Gebruik het thema bij elk lied in de database. Als een lied geen eigen thema heeft, gebruik dan het thema van de liturgie. Als de liturgie geen eigen thema heeft, gebruik dan het globale thema.
-
+
&Service Level
&Liturgie niveau
-
+
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.
Gebruik het thema van de liturgie en negeer de thema's van elk lied afzonderlijk. Als de liturgie geen eigen thema heeft, gebruik dan het globale thema.
-
+
&Global Level
&Globaal niveau
-
+
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.
@@ -3397,290 +3446,290 @@ Tekst codering is geen UTF-8.
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.
-
+
&Add
&Toevoegen
-
+
Advanced
Geavanceerd
-
+
All Files
Alle bestanden
-
+
Create a new service.
Maak nieuwe liturgie.
-
+
&Edit
&Bewerken
-
+
Import
Importeren
-
+
Length %s
Lengte %s
-
+
Live
Live
-
+
Load
Laad
-
+
New
Nieuw
-
+
New Service
Nieuwe liturgie
-
+
OpenLP 2.0
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
-
+
Middle
Midden
-
+
Bottom
Onder
-
+
About
Over
-
+
Browse...
Bladeren...
-
+
Cancel
Annuleren
-
+
CCLI number:
CCLI nummer:
-
+
Empty Field
Wis veld
-
+
Export
Exporteren
-
+
pt
Abbreviated font pointsize unit
pt
-
+
Image
Afbeelding
-
+
Live Background Error
Live achtergrond fout
-
+
Live Panel
Live Panel
-
+
New Theme
Nieuw thema
-
+
No File Selected
Singular
Geen bestand geselecteerd
-
+
No Files Selected
Plural
Geen bestanden geselecteerd
-
+
No Item Selected
Singular
Geen item geselecteerd
-
+
No Items Selected
Plural
Geen items geselecteerd
-
+
openlp.org 1.x
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
@@ -3746,7 +3795,7 @@ 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
@@ -3756,7 +3805,7 @@ Tekst codering is geen UTF-8.
Welkom bij de lied export assistent
-
+
Welcome to the Song Import Wizard
Welkom bij de lied import assistent
@@ -3791,22 +3840,124 @@ Tekst codering is geen UTF-8.
Liedboeken
-
+
Song Maintenance
Liederen beheer
-
+
Topic
Singular
Onderwerp
-
+
Topics
Plural
Onderwerpen
+
+
+ Continuous
+ Doorlopend
+
+
+
+ Default
+ Standaard
+
+
+
+ Display style:
+ Weergave stijl:
+
+
+
+ File
+
+
+
+
+ Help
+
+
+
+
+ h
+ The abbreviated unit for hours
+ h
+
+
+
+ Layout style:
+ Paginaformaat:
+
+
+
+ Live Toolbar
+
+
+
+
+ m
+ The abbreviated unit for minutes
+ m
+
+
+
+ OpenLP is already running. Do you wish to continue?
+
+
+
+
+ Settings
+
+
+
+
+ Tools
+
+
+
+
+ Verse Per Slide
+ Bijbelvers per dia
+
+
+
+ Verse Per Line
+ Bijbelvers per regel
+
+
+
+ View
+
+
+
+
+ View Model
+
+
+
+
+ Duplicate Error
+
+
+
+
+ Unsupported File
+ Niet ondersteund bestandsformaat
+
+
+
+ Title and/or verses not found
+
+
+
+
+ XML syntax error
+
+
OpenLP.displayTagDialog
@@ -3819,49 +3970,49 @@ Tekst codering is geen UTF-8.
PresentationPlugin
-
+
<strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box.
<strong>Presentatie plugin</strong><br />De presentatie plugin voorziet in de mogelijkheid om verschillende soorten presentaties weer te geven. De keuze van beschikbare presentatie software staat in een uitklapmenu.
-
+
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
-
+
Presentation
name singular
Presentatie
-
+
Presentations
name plural
Präsentationen
-
+
Presentations
container title
Presentaties
@@ -3885,22 +4036,17 @@ Tekst codering is geen UTF-8.
Presenteren met:
-
+
A presentation with that filename already exists.
Er bestaat al een presentatie met die naam.
-
+
File Exists
Bestand bestaat
-
- Unsupported File
- Niet ondersteund bestandsformaat
-
-
-
+
This type of presentation is not supported.
Dit soort presentatie wordt niet ondersteund.
@@ -3910,17 +4056,17 @@ Tekst codering is geen UTF-8.
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.
@@ -3990,63 +4136,68 @@ 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
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4136,12 +4287,12 @@ is gemaakt.
SongsPlugin
-
+
&Song
&Lied
-
+
Import songs using the import wizard.
Importeer liederen met de lied assistent.
@@ -4305,7 +4456,7 @@ een correcte weergave van lettertekens.
Meestal voldoet de suggestie van OpenLP.
-
+
Exports songs using the export wizard.
Exporteer liederen met de export assistent.
@@ -4351,9 +4502,17 @@ Meestal voldoet de suggestie van OpenLP.
SongsPlugin.CCLIFileImport
-
- Importing song %d of %d
- Lied %d van %d wordt geïmporteerd...
+
+ The file does not have a valid extension.
+
+
+
+
+ SongsPlugin.EasyWorshipSongImport
+
+
+ Administered by %s
+ Beheerd door %s
@@ -4424,67 +4583,67 @@ Meestal voldoet de suggestie van OpenLP.
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?
@@ -4509,12 +4668,12 @@ Meestal voldoet de suggestie van OpenLP.
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.
@@ -4529,7 +4688,7 @@ Meestal voldoet de suggestie van OpenLP.
Nummer:
-
+
You need to have an author for this song.
Iemand heeft dit lied geschreven.
@@ -4643,140 +4802,145 @@ Meestal voldoet de suggestie van OpenLP.
SongsPlugin.ImportWizardForm
-
+
Song Import Wizard
Lied importeer assistent
-
+
This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from.
Deze assistent helpt liederen in verschillende bestandsformaten te importeren in OpenLP. Klik op volgende en kies daarna het bestandsformaat van het te importeren lied.
-
+
Add Files...
Toevoegen...
-
+
Remove File(s)
Verwijder bestand(en)
-
+
Filename:
Bestandsnaam:
-
+
Please wait while your songs are imported.
Even geduld tijdens het importeren.
-
+
Select Document/Presentation Files
Selecteer Documenten/Presentatie bestanden
-
+
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.
-
- Administered by %s
- Beheerd door %s
-
-
-
+
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
+
+
+ Copy
+ Kopieer
+
+
+
+ Save to File
+ Opslaan als…
+
SongsPlugin.MediaItem
-
+
Maintain the lists of authors, topics and books
Beheer de lijst met auteurs, onderwerpen en liedboeken
-
+
Titles
Titels
-
+
Lyrics
Liedtekst
-
+
Delete Song(s)?
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 deze %n lied(eren) wilt verwijderen?
@@ -4784,12 +4948,20 @@ Meestal voldoet de suggestie van OpenLP.
+
+ SongsPlugin.OpenLP1SongImport
+
+
+ Not a valid openlp.org 1.x song database.
+
+
+
SongsPlugin.OpenLPSongImport
-
- Importing song %d of %d.
- Importeer lied %d van %d.
+
+ Not a valid OpenLP 2.0 song database.
+
@@ -4839,15 +5011,20 @@ Meestal voldoet de suggestie van OpenLP.
SongsPlugin.SongImport
-
+
copyright
copyright
+
+
+ The following songs could not be imported:
+
+
SongsPlugin.SongImportForm
-
+
Your song import failed.
Lied import mislukt.
@@ -4855,32 +5032,32 @@ Meestal voldoet de suggestie van OpenLP.
SongsPlugin.SongMaintenanceForm
-
+
Delete Author
Auteur verwijderen
-
+
Are you sure you want to delete the selected author?
Weet u zeker dat u de auteur wilt verwijderen?
-
+
Delete Topic
Onderwerp verwijderen
-
+
Are you sure you want to delete the selected topic?
Weet u zeker dat u dit onderwerp wilt verwijderen?
-
+
Delete Book
Verwijder boek
-
+
Are you sure you want to delete the selected book?
Weet u zeker dat u dit boek wilt verwijderen?
@@ -4925,17 +5102,17 @@ Meestal voldoet de suggestie van OpenLP.
Kan dit onderwerp niet opslaan, omdat het reeds bestaat.
-
+
This author cannot be deleted, they are currently assigned to at least one song.
Deze auteur kan niet worden verwijderd, omdat er nog een lied aan is gekoppeld.
-
+
This topic cannot be deleted, it is currently assigned to at least one song.
Dit onderwerp kan niet worden verwijderd, omdat er nog een lied aan is gekoppeld.
-
+
This book cannot be deleted, it is currently assigned to at least one song.
Dit liedboek kan niet worden verwijderd, omdat er nog een lied aan is gekoppeld.
@@ -5044,4 +5221,12 @@ Meestal voldoet de suggestie van OpenLP.
Overig
+
+ ThemeTab
+
+
+ Themes
+ Thema's
+
+
diff --git a/resources/i18n/pt_BR.ts b/resources/i18n/pt_BR.ts
index a3905117e..4c49de540 100644
--- a/resources/i18n/pt_BR.ts
+++ b/resources/i18n/pt_BR.ts
@@ -3,24 +3,24 @@
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.
Ainda deseja continuar?
-
+
No Parameter Found
Nenhum Parâmetro Encontrado
-
+
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 '<>'.
@@ -30,34 +30,34 @@ Você gostaria de continuar de qualquer maneira?
AlertsPlugin
-
+
&Alert
&Alerta
-
+
Show an alert message.
Exibir uma mensagem de alerta.
-
+
<strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen
<strong>Plugin de Alertas</strong><br />O plugin de alertas controla a exibição de alertas de berçário na tela de apresentação
-
+
Alert
name singular
Alerta
-
+
Alerts
name plural
Alertas
-
+
Alerts
container title
Alertas
@@ -96,12 +96,12 @@ Você gostaria de continuar de qualquer maneira?
Exibir && &Fechar
-
+
New Alert
Novo Alerta
-
+
You haven't specified any text for your alert. Please type in some text before clicking New.
Você não digitou nenhum texto para o seu alerta. Por favor digite algum texto antes de clicar em Novo.
@@ -207,12 +207,12 @@ Você gostaria de continuar de qualquer maneira?
BiblePlugin.MediaItem
-
+
Bible not fully loaded.
A Bíblia não foi carregada.
-
+
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 pesquisa e comecar uma nova?
@@ -220,64 +220,64 @@ Você gostaria de continuar de qualquer maneira?
BiblesPlugin
-
+
&Bible
&Bíblia
-
+
<strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display bible verses from different sources during the service.
<strong>Plugin da Bíblia</strong><br />Este plugin permite exibir versículos bíblicos de diferentes fontes durante o culto.
-
+
Import a Bible
Importar Bíblia
-
+
Add a new Bible
Adicionar nova Bíblia
-
+
Edit the selected Bible
Editar a Bíblia selecionada
-
+
Delete the selected Bible
Excluir a Bíblia selecionada
-
+
Preview the selected Bible
Pré-Visualizar a Bíblia selecionada
-
+
Send the selected Bible live
Projetar a Bíblia selecionada
-
+
Add the selected Bible to the service
Adicione a Bíblia selecionada à Lista de Exibição
-
+
Bible
name singular
Bíblia
-
+
Bibles
name plural
Bíblias
-
+
Bibles
container title
Bíblias
@@ -350,74 +350,49 @@ Capítulo do Livro:Versículo-Capítulo:Versículo
BiblesPlugin.BiblesTab
-
+
Verse Display
Exibição do Versículo
-
+
Only show new chapter numbers
Somente mostrar números de capítulos novos
-
- Layout style:
- Estilo do Layout:
-
-
-
- Display style:
- Estilo de Exibição:
-
-
-
+
Bible theme:
Tema da Bíblia:
-
- Verse Per Slide
- Versículos por Slide
-
-
-
- Verse Per Line
- Versículos por Linha
-
-
-
- Continuous
- Contínuo
-
-
-
+
No Brackets
Sem Parênteses
-
+
( And )
( E )
-
+
{ And }
{ E }
-
+
[ And ]
[ E ]
-
+
Note:
Changes do not affect verses already in the service.
Nota:
Mudanças não afetam os versículos que já estão na lista de exibição.
-
+
Display second Bible verses
Exibir versículos da Bíblia secundária
@@ -425,179 +400,179 @@ Mudanças não afetam os versículos que já estão na lista de exibição.
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 próximo 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 Download
-
+
Server:
Servidor:
-
+
Username:
Nome de 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ê precisa especificar um arquivo com os livros da Bíblia para usar na importação.
-
+
You need to specify a file of Bible verses to import.
Você precisa especificar um arquivo de Versículos da Bíblia para importar.
-
+
You need to specify a version name for your Bible.
Você precisa especificar um nome de versão para a sua Bíblia.
-
+
Bible Exists
Bíblia Existe
-
+
Your Bible import failed.
A sua Importação da 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. Importe uma Bíblia diferente ou apague a existente primeiro.
-
+
Starting 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. Note que os versos serão baixados de acordo
com o uso, portanto uma conexão com a internet é necessária.
-
+
Permissions:
Permissões:
-
+
CSV File
Arquivo CSV
-
+
Bibleserver
Bibleserver
-
+
Bible file:
Arquivo de Bíblia:
-
+
Testaments file:
Arquivo de Testamentos
-
+
Books file:
Arquivo de Livros
-
+
Verses file:
Arquivo de Versículos
-
+
You have not specified a testaments file. Do you want to proceed with the import?
Você não especificou um arquivo de Testamentos. Deseja prosseguir com a importação?
-
+
openlp.org 1.x Bible Files
Arquivos do openlp.org 1.x
@@ -605,67 +580,67 @@ com o uso, portanto uma conexão com a internet é necessária.
BiblesPlugin.MediaItem
-
+
Quick
Rápido
-
+
Find:
Buscar:
-
+
Results:
Resultados:
-
+
Book:
Livro:
-
+
Chapter:
Capítulo:
-
+
Verse:
Versículo:
-
+
From:
De:
-
+
To:
Para:
-
+
Text Search
Busca por Texto
-
+
Clear
Limpar
-
+
Keep
Manter
-
+
Second:
Segundo:
-
+
Scripture Reference
Referência da Escritura
@@ -682,12 +657,12 @@ com o uso, portanto uma conexão com a internet é necessária.
BiblesPlugin.OsisImport
-
+
Detecting encoding (this may take a few minutes)...
Detectando codificação (isto pode levar alguns minutos)...
-
+
Importing %s %s...
Importing <book name> <chapter>...
Importando %s %s...
@@ -762,12 +737,12 @@ com o uso, portanto uma conexão com a internet é necessária.
&Créditos:
-
+
You need to type in a title.
Você precisa digitar um título.
-
+
You need to add at least one slide
Você precisa adicionar pelo menos um slide
@@ -838,6 +813,14 @@ com o uso, portanto uma conexão com a internet é necessária.
Customizado
+
+ GeneralTab
+
+
+ General
+ Geral
+
+
ImagePlugin
@@ -902,7 +885,7 @@ com o uso, portanto uma conexão com a internet é necessária.
ImagePlugin.ExceptionDialog
-
+
Select Attachment
Selecionar Anexo
@@ -910,39 +893,39 @@ com o uso, portanto uma conexão com a internet é necessária.
ImagePlugin.MediaItem
-
+
Select Image(s)
Selecionar Imagem(s)
-
+
You must select an image to delete.
Você precisa selecionar uma imagem para apagar.
-
+
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
As seguintes imagens não existem: %s
-
+
The following image(s) no longer exist: %s
Do you want to add the other images anyway?
As seguintes imagens não existem: %s
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 da Projeção. O arquivo de imagem "%s" não existe.
@@ -1011,37 +994,37 @@ 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 (*)
@@ -1062,7 +1045,7 @@ Deseja continuar adicionando as outras imagens?
OpenLP
-
+
Image Files
Arquivos de Imagem
@@ -1102,7 +1085,7 @@ O OpenLP é escrito e mantido por voluntários. Se você gostaria de contribuir
Contribuir
-
+
build %s
compilação %s
@@ -1258,65 +1241,90 @@ Tinggaard, Frode Woldsund
OpenLP.AdvancedTab
-
+
UI Settings
Configurações da Interface
-
+
Number of recent files to display:
Número de arquivos recentes a serem exibidos:
-
+
Remember active media manager tab on startup
Lembrar aba ativa do gerenciador de mídia ao iniciar
-
+
Double-click to send items straight to live
Clicar duas vezes para enviar ítens ao vivo
-
+
Expand new service items on creation
Expandir novos itens da lista de exibição
-
+
Enable application exit confirmation
Habilitar confirmação de saída do programa
-
+
Mouse Cursor
Ponteiro do Mouse
-
+
Hide mouse cursor when over display window
Ocultar o cursor do mouse quando estiver sobre a tela de exibição
-
+
Default Image
Imagem Padrão
-
+
Background color:
Cor do plano de fundo:
-
+
Image file:
Arquivo de Imagem:
-
+
Open File
Abrir Arquivo
+
+
+ Preview items when clicked in Media Manager
+
+
+
+
+ Advanced
+ Avançado
+
+
+
+ Click to select a color.
+
+
+
+
+ Browse for an image file to display.
+
+
+
+
+ Revert to the default OpenLP logo.
+
+
OpenLP.DisplayTagDialog
@@ -1424,7 +1432,7 @@ Tinggaard, Frode Woldsund
Anexar Arquivo
-
+
Description characters to enter : %s
Caracteres que podem ser escritos na descrição: %s
@@ -1432,24 +1440,24 @@ Tinggaard, Frode Woldsund
OpenLP.ExceptionForm
-
+
Platform: %s
Plataforma: %s
-
+
Save Crash Report
Salvar Relatório de Travamento
-
+
Text files (*.txt *.log *.text)
Arquivos de texto (*.txt *.log *.text)
-
+
**OpenLP Bug Report**
Version: %s
@@ -1480,7 +1488,7 @@ Versão %s
-
+
*OpenLP Bug Report*
Version: %s
@@ -1557,97 +1565,97 @@ Agradecemos se for possível escrever seu relatório em inglês.
Baixando %s...
-
+
Download complete. Click the finish button to start OpenLP.
Download finalizado. Clique no botão terminar para iniciar o OpenLP.
-
+
Enabling selected plugins...
Habilitando os plugins selecionados...
-
+
First Time Wizard
Assistente de Primeira Utilização
-
+
Welcome to the First Time Wizard
Bem vindo ao Assistente de Primeira Utilização
-
+
This wizard will help you to configure OpenLP for initial use. Click the next button below to start the process of selection your initial options.
O assistente irá ajudá-lo na configuração do OpenLP para o primeiro uso. Clique no botão "Próximo" abaixo para iniciar a seleção das opções iniciais.
-
+
Activate required Plugins
Ativar os Plugins Requeridos
-
+
Select the Plugins you wish to use.
Selecione os Plugins aos quais você deseja utilizar.
-
+
Songs
Músicas
-
+
Custom Text
Texto Customizado
-
+
Bible
Bíblia
-
+
Images
Imagens
-
+
Presentations
Apresentações
-
+
Media (Audio and Video)
Mídia (Áudio e Vídeo)
-
+
Allow remote access
Permitir acesso remoto
-
+
Monitor Song Usage
Monitor de Utilização das Músicas
-
+
Allow Alerts
Permitir Alertas
-
+
No Internet Connection
Conexão com a Internet Indisponível
-
+
Unable to detect an Internet connection.
Não foi possível detectar uma conexão com a Internet.
-
+
No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes.
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.
@@ -1660,67 +1668,67 @@ Para executar o assistente novamente mais tarde e importar os dados de exemplo,
Para cancelar o assistente completamente, clique no botão finalizar.
-
+
Sample Songs
Músicas de Exemplo
-
+
Select and download public domain songs.
Selecione e baixe músicas de domínio público.
-
+
Sample Bibles
Bíblias de Exemplo
-
+
Select and download free Bibles.
Selecione e baixe Bíblias gratuitas.
-
+
Sample Themes
Temas de Exemplo
-
+
Select and download sample themes.
Selecione e baixe temas de exemplo.
-
+
Default Settings
Configurações Padrão
-
+
Set up default settings to be used by OpenLP.
Configure as configurações padrão que serão utilizadas 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:
Painel de Projeção Padrão:
-
+
Select default theme:
Selecione um tema padrão:
-
+
Starting configuration process...
Iniciando o processo de configuração...
@@ -1728,130 +1736,135 @@ Para cancelar o assistente completamente, clique no botão finalizar.
OpenLP.GeneralTab
-
+
General
Geral
-
+
Monitors
Monitores
-
+
Select monitor for output display:
Selecione um monitor para exibição:
-
+
Display if a single screen
Exibir em caso de tela única
-
+
Application Startup
Inicialização da Aplicação
-
+
Show blank screen warning
Exibir alerta de tela em branco
-
+
Automatically open the last service
Abrir a última Lista de Exibição automaticamente
-
+
Show the splash screen
Exibir a tela inicial
-
+
Application Settings
Configurações da Aplicação
-
+
Prompt to save before starting a new service
Perguntar sobre salvamento antes de iniciar uma nova lista
-
+
Automatically preview next item in service
Pré-visualizar automaticamente o próximo item na Lista de Exibição
-
+
Slide loop delay:
Atraso no loop de slide:
-
+
sec
seg
-
+
CCLI Details
Detalhes de CCLI
-
+
SongSelect username:
Usuário SongSelect:
-
+
SongSelect password:
Senha do SongSelect:
-
+
Display Position
Posição do Display
-
+
X
X
-
+
Y
Y
-
+
Height
Altura
-
+
Width
Largura
-
+
Override display position
Modificar posição do display
-
+
Check for updates to OpenLP
Procurar por updates do OpenLP
+
+
+ Unblank display when adding new live item
+
+
OpenLP.LanguageManager
-
+
Language
Idioma
-
+
Please restart OpenLP to use your new language setting.
Por favor reinicie o OpenLP para usar a nova configuração de idioma.
@@ -1859,7 +1872,7 @@ Para cancelar o assistente completamente, clique no botão finalizar.
OpenLP.MainDisplay
-
+
OpenLP Display
Exibição do OpenLP
@@ -1867,230 +1880,185 @@ Para cancelar o assistente completamente, clique no botão finalizar.
OpenLP.MainWindow
-
+
&File
&Arquivo
-
+
&Import
&Importar
-
+
&Export
&Exportar
-
+
&View
&Visualizar
-
+
M&ode
M&odo
-
+
&Tools
&Ferramentas
-
+
&Settings
&Configurações
-
+
&Language
&Idioma
-
+
&Help
&Ajuda
-
+
Media Manager
Gerenciador de Mídia
-
+
Service Manager
Lista de Exibição
-
+
Theme Manager
Gerenciador de Temas
-
+
&New
&Novo
-
- Ctrl+N
- Ctrl+N
-
-
-
+
&Open
&Abrir
-
+
Open an existing service.
Abrir uma Lista de Exibição existente.
-
- Ctrl+O
- Ctrl+O
-
-
-
+
&Save
&Salvar
-
+
Save the current service to disk.
Salvar a Lista de Exibição no disco.
-
- Ctrl+S
- Ctrl+S
-
-
-
+
Save &As...
Salvar &Como...
-
+
Save Service As
Salvar Lista de Exibição Como
-
+
Save the current service under a new name.
Salvar a Lista de Exibição atual com um novo nome.
-
- Ctrl+Shift+S
- Ctrl+Shift+S
-
-
-
+
E&xit
S&air
-
+
Quit OpenLP
Fechar o OpenLP
-
- Alt+F4
- Alt+F4
-
-
-
+
&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.
-
- F8
- F8
-
-
-
+
&Theme Manager
&Gerenciador de Temas
-
+
Toggle Theme Manager
Alternar para Gerenciamento de Temas
-
+
Toggle the visibility of the theme manager.
Alternar a visibilidade do Gerenciador de Temas.
-
- F10
- F10
-
-
-
+
&Service Manager
&Lista de Exibição
-
+
Toggle Service Manager
Alternar a Lista de Exibição
-
+
Toggle the visibility of the service manager.
Alternar visibilidade da Lista de Exibição.
-
- F9
- F9
-
-
-
+
&Preview Panel
&Painel de Pré-Visualização
-
+
Toggle Preview Panel
Alternar para Painel de Pré-Visualização
-
+
Toggle the visibility of the preview panel.
Alternar a visibilidade da coluna de pré-visualização.
-
-
- F11
- F11
-
&Live Panel
@@ -2108,106 +2076,91 @@ Para cancelar o assistente completamente, clique no botão finalizar.
- F12
- F12
-
-
-
&Plugin List
&Lista de Plugins
-
+
List the Plugins
Listar os Plugins
-
- Alt+F7
- Alt+F7
-
-
-
+
&User Guide
&Guia do Usuário
-
+
&About
&Sobre
-
+
More information about OpenLP
Mais informações sobre o OpenLP
-
- Ctrl+F1
- Ctrl+F1
-
-
-
+
&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 uma aplicação à lista de ferramentas.
-
+
&Default
&Padrão
-
+
Set the view mode back to the default.
Reverter o modo de visualização de volta ao padrão.
-
+
&Setup
&Configurar
-
+
Set the view mode to Setup.
Configurar o modo de visualização para Setup.
-
+
&Live
&Ao Vivo
-
+
Set the view mode to Live.
Configurar o modo de visualização como Projeção.
-
+
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/.
@@ -2216,73 +2169,68 @@ You can download the latest version from http://openlp.org/.
Voce pode baixar a versão mais nova em http://openlp.org/.
-
+
OpenLP Version Updated
Versão do OpenLP Atualizada
-
+
OpenLP Main Display Blanked
Tela Principal do OpenLP em Branco
-
+
The Main Display has been blanked out
A Tela Principal foi apagada
-
+
Default Theme: %s
Tema padrão: %s
-
+
English
Please add the name of your language here
Português (Brasil)
-
+
Configure &Shortcuts...
Configurar &Atalhos...
-
+
Close OpenLP
Fechar o OpenLP
-
+
Are you sure you want to close OpenLP?
Você tem certeza de que quer fechar o OpenLP?
-
+
Print the current Service Order.
Imprimir a Lista de Exibição atual.
-
- Ctrl+P
- Ctrl+P
-
-
-
+
&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
@@ -2290,45 +2238,51 @@ Voce pode baixar a versão mais nova em http://openlp.org/.
OpenLP.MediaManagerItem
-
+
No Items Selected
Nenhum Item Selecionado
-
+
&Add to selected Service Item
&Adicionar à Lista de Exibição selecionada
-
+
You must select one or more items to preview.
Você precisa selecionar um ou mais itens para pré-visualizar.
-
+
You must select one or more items to send live.
Você precisa selecionar um ou mais itens para projetar.
-
+
You must select one or more items.
Você precisa selecionar um ou mais itens.
-
+
You must select an existing service item to add to.
Você precisa selecionar um item da lista ao qual adicionar.
-
+
Invalid Service Item
Item da Lista de Exibição inválido
-
+
You must select a %s service item.
Você precisa selecionar um item %s da Lista de Exibição.
+
+
+ Duplicate file name %s.
+Filename already exists in list
+
+
OpenLP.PluginForm
@@ -2394,37 +2348,37 @@ Voce pode baixar a versão mais nova em http://openlp.org/.
Opções
-
+
Close
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
@@ -2434,20 +2388,25 @@ Voce pode baixar a versão mais nova em http://openlp.org/.
Incluir texto do slide se disponível
-
+
Include service item notes
Incluir notas da lista de exibição
-
+
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.
+
+
OpenLP.ScreenList
@@ -2473,212 +2432,252 @@ Voce pode baixar a versão mais nova em http://openlp.org/.
OpenLP.ServiceManager
-
+
Load an existing service
Carregar uma Lista de Exibição existente
-
+
Save this service
Salvar esta Lista de Exibição
-
+
Select a theme for the service
Selecione um tema para a Lista de Exibição
-
+
Move to &top
Mover para o &topo
-
+
Move item to the top of the service.
Mover item para o topo da Lista de Exibição.
-
+
Move &up
Mover para &cima
-
+
Move item up one position in the service.
Mover item uma posição acima na Lista de Exibição.
-
+
Move &down
Mover para &baixo
-
+
Move item down one position in the service.
Mover item uma posição abaixo na Lista de Exibição.
-
+
Move to &bottom
Mover para o &final
-
+
Move item to the end of the service.
Mover item para o final da Lista de Exibição.
-
+
&Delete From Service
&Excluir da Lista de Exibição
-
+
Delete the selected item from the service.
Excluir o item selecionado da Lista de Exibição.
-
+
&Add New Item
&Adicionar um Novo Item
-
+
&Add to Selected Item
&Adicionar ao Item Selecionado
-
+
&Edit Item
&Editar Item
-
+
&Reorder Item
&Reordenar Item
-
+
&Notes
&Notas
-
+
&Change Item Theme
&Alterar Tema do Item
-
+
File is not a valid service.
The content encoding is not UTF-8.
O arquivo não é uma lista válida.
A codificação do conteúdo não é UTF-8.
-
+
File is not a valid service.
Arquivo não é uma Lista de Exibição válida.
-
+
Missing Display Handler
Faltando o Handler 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 handler 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á faltando ou está inativo
-
+
&Expand all
&Expandir todos
-
+
Expand all the service items.
Expandir todos os itens da lista.
-
+
&Collapse all
&Recolher todos
-
+
Collapse all the service items.
Ocultar todos os subitens da lista.
-
+
Open File
Abrir Arquivo
-
+
OpenLP Service Files (*.osz)
Listas de Exibição 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
Lista de Exibição Modificada
-
- Notes:
- Anotações:
-
-
-
+
&Start Time
&Horário Inicial
-
+
Show &Preview
Exibir &Visualização
-
+
Show &Live
Exibir &Projeção
-
+
The current service has been modified. Would you like to save this service?
A lista de exibição atual foi modificada. Você gostaria de salvá-la?
+
+
+ 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.ServiceNoteForm
@@ -2691,7 +2690,7 @@ A codificação do conteúdo não é UTF-8.
OpenLP.SettingsForm
-
+
Configure OpenLP
Configurar o OpenLP
@@ -2699,219 +2698,269 @@ A codificação do conteúdo não é UTF-8.
OpenLP.ShortcutListDialog
-
+
Customize Shortcuts
Personalizar Atalhos
-
+
Action
Ação
-
+
Shortcut
Atalho
-
- Default: %s
- Padrão: %s
-
-
-
- Custom:
- Personalizado:
-
-
-
- None
- Nenhum
-
-
-
+
Duplicate Shortcut
Atalho Duplicado
-
+
The shortcut "%s" is already assigned to another action, please use a different shortcut.
O atalho "%s" já está designado para outra ação, escolha um atalho diferente.
-
+
Alternate
Alternar
+
+
+ Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively.
+
+
+
+
+ Default
+ Padrão
+
+
+
+ Custom
+ Customizado
+
+
+
+ Capture shortcut.
+
+
+
+
+ Restore the default shortcut of this action.
+
+
+
+
+ Restore Default Shortcuts
+
+
+
+
+ Do you want to restore all shortcuts to their defaults?
+
+
OpenLP.SlideController
-
+
Move to previous
Mover para o anterior
-
+
Move to next
Mover para o próximo
-
+
Hide
Ocultar
-
+
Move to live
Mover para projeção
-
+
Start continuous loop
Iniciar repetição contínua
-
+
Stop continuous loop
Parar repetição contínua
-
+
Delay between slides in seconds
Intervalo entre slides em segundos
-
+
Start playing media
Iniciar a reprodução de mídia
-
+
Go To
Ir Para
-
+
Edit and reload song preview
Editar e recarregar pré-visualização da música
-
+
Blank Screen
Apagar Tela
-
+
Blank to Theme
Apagar e deixar Fundo
-
+
Show Desktop
Mostrar a Área de Trabalho
-
+
Previous Slide
Slide Anterior
-
+
Next Slide
Próximo Slide
-
+
Previous Service
Lista Anterior
-
+
Next Service
Próxima Lista
-
+
Escape Item
Escapar Item
+
+
+ Start/Stop continuous loop
+
+
OpenLP.SpellTextEdit
-
+
Spelling Suggestions
Sugestões de Ortografia
-
+
Formatting Tags
Tags de Formatação
+
+
+ Language:
+
+
OpenLP.StartTimeForm
-
- Item Start Time
- Horário Inicial do Item
-
-
-
+
Hours:
Horários:
-
- h
- h
-
-
-
- m
- m
-
-
-
+
Minutes:
Minutos:
-
+
Seconds:
Segundos:
+
+
+ Item Start and Finish Time
+
+
+
+
+ Start
+
+
+
+
+ Finish
+
+
+
+
+ Length
+
+
+
+
+ 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
+
+
OpenLP.ThemeForm
-
+
Select Image
Selecionar Imagem
-
+
Theme Name Missing
Faltando Nome do Tema
-
+
There is no name for this theme. Please enter one.
Não há nome neste tema. Por favor forneça um.
-
+
Theme Name Invalid
Nome do Tema Inválido
-
+
Invalid theme name. Please enter one.
O nome do tema é inválido. Por favor forneça um.
-
+
(%d lines per slide)
(%d linhas por slide)
@@ -2979,69 +3028,69 @@ A codificação do conteúdo não é UTF-8.
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.
@@ -3061,47 +3110,47 @@ A codificação do conteúdo não é UTF-8.
&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 apagar.
-
+
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)
@@ -3344,7 +3393,7 @@ A codificação do conteúdo não é UTF-8.
Área do &Rodapé
-
+
Edit Theme - %s
Editar Tema - %s
@@ -3352,42 +3401,42 @@ A codificação do conteúdo não é UTF-8.
OpenLP.ThemesTab
-
+
Global Theme
Tema Global
-
+
Theme Level
Nível dos Temas
-
+
S&ong Level
Nível de &Música
-
+
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.
Use o tema de cada música na base de dados. Se uma música não tiver um tema associado com ela, então use o tema da lista de exibição. Se a lista não tiver um tema, então use o tema global.
-
+
&Service Level
Nível da &Lista de Exibição
-
+
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.
Usar o tema da lista de exibição, sobrescrevendo qualquer um dos temas individuais das músicas. Se a lista de exibição não tiver um tema, então use o tema global.
-
+
&Global Level
Nível &Global
-
+
Use the global theme, overriding any themes associated with either the service or the songs.
Usar o tema global, sobrescrevendo qualquer tema associado às lista de exibição ou músicas.
@@ -3395,290 +3444,290 @@ A codificação do conteúdo não é UTF-8.
OpenLP.Ui
-
+
Error
Erro
-
+
&Delete
&Excluir
-
+
Delete the selected item.
Apagar 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.
-
+
About
Sobre
-
+
&Add
&Adicionar
-
+
Advanced
Avançado
-
+
All Files
Todos os Arquivos
-
+
Bottom
Rodapé
-
+
Browse...
Procurar...
-
+
Cancel
Cancelar
-
+
CCLI number:
Número CCLI:
-
+
Create a new service.
Criar uma nova Lista de Exibição.
-
+
&Edit
&Editar
-
+
Empty Field
Campo Vazio
-
+
Export
Exportar
-
+
pt
Abbreviated font pointsize unit
pt
-
+
Image
Imagem
-
+
Import
Importar
-
+
Length %s
Comprimento %s
-
+
Live
Projeção
-
+
Live Background Error
Erro no Fundo da Projeção
-
+
Live Panel
Painel de Projeção
-
+
Load
Carregar
-
+
Middle
Meio
-
+
New
Novo
-
+
New Service
Nova Lista de Exibição
-
+
New Theme
Novo Tema
-
+
No File Selected
Singular
Nenhum Arquivo Selecionado
-
+
No Files Selected
Plural
Nenhum Arquivo Selecionado
-
+
No Item Selected
Singular
Nenhum Item Selecionado
-
+
No Items Selected
Plural
Nenhum Item Selecionado
-
+
openlp.org 1.x
openlp.org 1.x
-
+
OpenLP 2.0
OpenLP 2.0
-
+
Open Service
Abrir Lista de Exibição
-
+
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
Trocar 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 Lista de Exibição
-
+
Service
Lista de Exibição
-
+
Start %s
Início %s
-
+
Theme
Singular
Tema
-
+
Themes
Plural
Temas
-
+
Top
Topo
-
+
Version
Versão
-
+
&Vertical Align:
Alinhamento &Vertical:
@@ -3744,7 +3793,7 @@ 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
@@ -3754,7 +3803,7 @@ A codificação do conteúdo não é UTF-8.
Bem Vindo ao Assistente de Exportação de Músicas
-
+
Welcome to the Song Import Wizard
Bem-vindo ao Assistente de Importação de Música
@@ -3789,22 +3838,124 @@ A codificação do conteúdo não é UTF-8.
Hinários
-
+
Song Maintenance
Gerenciamento de Músicas
-
+
Topic
Singular
Tópico
-
+
Topics
Plural
Tópicos
+
+
+ Continuous
+ Contínuo
+
+
+
+ Default
+ Padrão
+
+
+
+ Display style:
+ Estilo de Exibição:
+
+
+
+ File
+
+
+
+
+ Help
+
+
+
+
+ h
+ The abbreviated unit for hours
+ h
+
+
+
+ Layout style:
+ Estilo do Layout:
+
+
+
+ Live Toolbar
+
+
+
+
+ m
+ The abbreviated unit for minutes
+ m
+
+
+
+ OpenLP is already running. Do you wish to continue?
+
+
+
+
+ Settings
+
+
+
+
+ Tools
+
+
+
+
+ Verse Per Slide
+ Versículos por Slide
+
+
+
+ Verse Per Line
+ Versículos por Linha
+
+
+
+ View
+
+
+
+
+ View Model
+
+
+
+
+ Duplicate Error
+
+
+
+
+ Unsupported File
+ Arquivo Não Suportado
+
+
+
+ Title and/or verses not found
+
+
+
+
+ XML syntax error
+
+
OpenLP.displayTagDialog
@@ -3817,49 +3968,49 @@ A codificação do conteúdo não é UTF-8.
PresentationPlugin
-
+
<strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box.
<strong>Plugin de Apresentação</strong><br />O plugin de apresentação provê a habilidade de exibir apresentações utilizando um diferente número de programas. Os programas disponíveis são exibidos em uma caixa de seleção.
-
+
Load a new Presentation
Carregar uma nova Apresentação
-
+
Delete the selected Presentation
Excluir a Apresentação selecionada
-
+
Preview the selected Presentation
Pré-visualizar a Apresentação selecionada
-
+
Send the selected Presentation live
Projetar a Apresentação selecionada
-
+
Add the selected Presentation to the service
Adicionar a Apresentação selecionada à Lista de Exibição
-
+
Presentation
name singular
Apresentação
-
+
Presentations
name plural
Apresentações
-
+
Presentations
container title
Apresentações
@@ -3883,22 +4034,17 @@ A codificação do conteúdo não é UTF-8.
Apresentar usando:
-
+
File Exists
O Arquivo já Existe
-
+
A presentation with that filename already exists.
Já existe uma apresentação com este nome.
-
- Unsupported File
- Arquivo Não Suportado
-
-
-
+
This type of presentation is not supported.
Este tipo de apresentação não é suportado.
@@ -3908,17 +4054,17 @@ A codificação do conteúdo não é UTF-8.
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.
@@ -3988,63 +4134,68 @@ 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
Registro das Músicas
+
+
+ Song Usage
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4134,12 +4285,12 @@ foi criado com sucesso.
SongsPlugin
-
+
&Song
&Música
-
+
Import songs using the import wizard.
Importar músicas com o assistente de importação.
@@ -4303,7 +4454,7 @@ The encoding is responsible for the correct character representation.
A codificação é responsável pela correta representação dos caracteres.
-
+
Exports songs using the export wizard.
Exportar músicas utilizando o assistente.
@@ -4349,9 +4500,17 @@ A codificação é responsável pela correta representação dos caracteres.
SongsPlugin.CCLIFileImport
-
- Importing song %d of %d
- Importando música %d de %d
+
+ The file does not have a valid extension.
+
+
+
+
+ SongsPlugin.EasyWorshipSongImport
+
+
+ Administered by %s
+ Administrado por %s
@@ -4452,82 +4611,82 @@ A codificação é responsável pela correta representação dos caracteres.Tema, Direitos Autorais && Comentários
-
+
Add Author
Adicionar Autor
-
+
This author does not exist, do you want to add them?
Este autor não existe, deseja adicioná-lo?
-
+
This author is already in the list.
Este autor já está na lista.
-
+
You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author.
Você não selecionou um autor válido. Selecione um autor da lista, ou digite um novo autor e clique em "Adicionar Autor à Música" para adicioná-lo.
-
+
Add Topic
Adicionar Assunto
-
+
This topic does not exist, do you want to add it?
Este tópico não existe, deseja adicioná-lo?
-
+
This topic is already in the list.
Este tópico 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.
Não há nenhum tópico válido selecionado. Selecione um tópico da lista ou digite um novo tópico e clique em "Adicionar Tópico à Música" para adicionar o novo tópico.
-
+
You need to type in a song title.
Você precisa digitar um título para a música.
-
+
You need to type in at least one verse.
Você precisa 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 Livro
-
+
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 de um autor para esta música.
@@ -4641,140 +4800,145 @@ A codificação é responsável pela correta representação dos caracteres.
SongsPlugin.ImportWizardForm
-
+
Select Document/Presentation Files
Selecione Documentos/Apresentações
-
+
Song Import Wizard
Assistente de Importação de Música
-
+
This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from.
Este assistente irá ajudá-lo a importar músicas de uma variedade de formatos. Clique no botão Próximo para iniciar o processo, escolhendo um desses formatos.
-
+
Generic Document/Presentation
Documento/Apresentação Genérica
-
+
Filename:
Nome do arquivo:
-
+
Add Files...
Adicionar Arquivos...
-
+
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.
-
+
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.
Por favor espere enquanto as suas músicas são importadas.
-
+
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.
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.
-
- Administered by %s
- Administrado por %s
-
-
-
+
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
+
+
+ Copy
+ Copiar
+
+
+
+ Save to File
+ Salvar para um Arquivo
+
SongsPlugin.MediaItem
-
+
Maintain the lists of authors, topics and books
Gerenciar a lista de autores, tópicos e livros
-
+
Titles
Títulos
-
+
Lyrics
Letra
-
+
Delete Song(s)?
Apagar 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 apagar as %n música(s) selecionadas?
@@ -4782,12 +4946,20 @@ A codificação é responsável pela correta representação dos caracteres.
+
+ SongsPlugin.OpenLP1SongImport
+
+
+ Not a valid openlp.org 1.x song database.
+
+
+
SongsPlugin.OpenLPSongImport
-
- Importing song %d of %d.
- Importando música %d de %d.
+
+ Not a valid OpenLP 2.0 song database.
+
@@ -4837,15 +5009,20 @@ A codificação é responsável pela correta representação dos caracteres.
SongsPlugin.SongImport
-
+
copyright
copyright
+
+
+ The following songs could not be imported:
+
+
SongsPlugin.SongImportForm
-
+
Your song import failed.
Sua importação de música falhou.
@@ -4893,47 +5070,47 @@ A codificação é responsável pela correta representação dos caracteres.O tópico modificado não pode ser salvo porque já existe.
-
+
Delete Author
Excluir Autor
-
+
Are you sure you want to delete the selected author?
Você tem certeza de que deseja excluir o autor selecionado?
-
+
This author cannot be deleted, they are currently assigned to at least one song.
Este autor não pode ser apagado, pois está associado a ao menos uma música.
-
+
Delete Topic
Apagar Assunto
-
+
Are you sure you want to delete the selected topic?
Tem certeza de que quer apagar o assunto selecionado?
-
+
This topic cannot be deleted, it is currently assigned to at least one song.
Este assunto não pode ser apagado, pois está associado a ao menos uma música.
-
+
Delete Book
Apagar Hinário
-
+
Are you sure you want to delete the selected book?
Tem certeza de que quer excluir o hinário selecionado?
-
+
This book cannot be deleted, it is currently assigned to at least one song.
Este hinário não pode ser excluido, pois está associado a ao menos uma música.
@@ -5042,4 +5219,12 @@ A codificação é responsável pela correta representação dos caracteres.Outra
+
+ ThemeTab
+
+
+ Themes
+ Temas
+
+
diff --git a/resources/i18n/ru.ts b/resources/i18n/ru.ts
index a62fdebed..301d7f7f1 100644
--- a/resources/i18n/ru.ts
+++ b/resources/i18n/ru.ts
@@ -3,24 +3,24 @@
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?
Текст оповещения не содержит '<>.
@@ -30,34 +30,34 @@ Do you want to continue anyway?
AlertsPlugin
-
+
&Alert
О&повещение
-
+
Show an alert message.
Показать текст оповещения.
-
+
<strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen
<strong>Плагин оповещений</strong><br />Плагин оповещений управляет отображением срочных сообщений на экране
-
+
Alert
name singular
Оповещение
-
+
Alerts
name plural
Оповещения
-
+
Alerts
container title
Оповещения
@@ -101,12 +101,12 @@ Do you want to continue anyway?
Показать и за&крыть
-
+
New Alert
Новое оповещение
-
+
You haven't specified any text for your alert. Please type in some text before clicking New.
Ві не указали текста для вашего оповещения. Пожалуйста введите текст.
@@ -207,12 +207,12 @@ Do you want to continue anyway?
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?
Вы не можете комбинировать результат поиска для одной и двух Библий. Желаете удалить результаты поиска и начать новый поиск?
@@ -220,65 +220,65 @@ Do you want to continue anyway?
BiblesPlugin
-
+
&Bible
&Библия
-
+
<strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display bible verses from different sources during the service.
<strong>Плагин Библия</strong><br />Плагин "Библия" обеспечивает возможность показаза мест писания во время служения.
-
+
Bible
name singular
Библия
-
+
Bibles
name plural
Священное Писание
-
+
Bibles
container title
Священное Писание
-
+
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
Добавить выбранную Библию к служению
@@ -350,73 +350,48 @@ Book Chapter:Verse-Chapter:Verse
BiblesPlugin.BiblesTab
-
+
Verse Display
-
+
Only show new chapter numbers
-
- Layout style:
-
-
-
-
- Display style:
-
-
-
-
+
Bible theme:
-
- Verse Per Slide
-
-
-
-
- Verse Per Line
-
-
-
-
- Continuous
-
-
-
-
+
No Brackets
-
+
( And )
-
+
{ And }
-
+
[ And ]
-
+
Note:
Changes do not affect verses already in the service.
-
+
Display second Bible verses
@@ -424,178 +399,178 @@ Changes do not affect verses already in the service.
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
-
+
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 have not specified a testaments file. Do you want to proceed with 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 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
-
+
Starting Registering bible...
-
+
Registered bible. Please note, that verses will be downloaded on
demand and thus an internet connection is required.
-
+
Your Bible import failed.
-
+
Bible file:
-
+
Testaments file:
-
+
Books file:
-
+
Verses file:
-
+
openlp.org 1.x Bible Files
@@ -603,67 +578,67 @@ demand and thus an internet connection is required.
BiblesPlugin.MediaItem
-
+
Quick
-
+
Second:
-
+
Find:
-
+
Results:
-
+
Book:
Сборник:
-
+
Chapter:
-
+
Verse:
-
+
From:
-
+
To:
-
+
Text Search
-
+
Clear
-
+
Keep
-
+
Scripture Reference
@@ -680,12 +655,12 @@ demand and thus an internet connection is required.
BiblesPlugin.OsisImport
-
+
Detecting encoding (this may take a few minutes)...
-
+
Importing %s %s...
Importing <book name> <chapter>...
@@ -755,12 +730,12 @@ demand and thus an internet connection is required.
-
+
You need to type in a title.
-
+
You need to add at least one slide
@@ -836,6 +811,14 @@ demand and thus an internet connection is required.
+
+ GeneralTab
+
+
+ General
+
+
+
ImagePlugin
@@ -900,7 +883,7 @@ demand and thus an internet connection is required.
ImagePlugin.ExceptionDialog
-
+
Select Attachment
Выбрать Вложение
@@ -908,39 +891,39 @@ demand and thus an internet connection is required.
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
Добавить остальные изображения?
-
+
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" больше не существует.
@@ -1009,37 +992,37 @@ Do you want to add the other images anyway?
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 (*)
@@ -1060,7 +1043,7 @@ Do you want to add the other images anyway?
OpenLP
-
+
Image Files
Файлы изображений
@@ -1094,7 +1077,7 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr
-
+
build %s
Билд %s
@@ -1186,65 +1169,90 @@ Tinggaard, Frode Woldsund
OpenLP.AdvancedTab
-
+
UI Settings
-
+
Number of recent files to display:
-
+
Remember active media manager tab on startup
-
+
Double-click to send items straight to live
-
+
Expand new service items on creation
-
+
Enable application exit confirmation
-
+
Mouse Cursor
-
+
Hide mouse cursor when over display window
-
+
Default Image
-
+
Background color:
Цвет фона:
-
+
Image file:
-
+
Open File
+
+
+ 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.DisplayTagDialog
@@ -1351,7 +1359,7 @@ Tinggaard, Frode Woldsund
-
+
Description characters to enter : %s
@@ -1359,24 +1367,24 @@ Tinggaard, Frode Woldsund
OpenLP.ExceptionForm
-
+
Platform: %s
Платформа: %s
-
+
Save Crash Report
Сохранить отчет об ошибке
-
+
Text files (*.txt *.log *.text)
Текстовый файл (*.txt *.log *.text)
-
+
**OpenLP Bug Report**
Version: %s
@@ -1407,7 +1415,7 @@ Version: %s
-
+
*OpenLP Bug Report*
Version: %s
@@ -1483,97 +1491,97 @@ Version: %s
-
+
Download complete. Click the finish button to start OpenLP.
-
+
Enabling selected plugins...
-
+
First Time Wizard
-
+
Welcome to the First Time Wizard
-
+
This wizard will help you to configure OpenLP for initial use. Click the next button below to start the process of selection your initial options.
-
+
Activate required Plugins
-
+
Select the Plugins you wish to use.
-
+
Songs
Псалмы
-
+
Custom Text
-
+
Bible
Библия
-
+
Images
Изображения
-
+
Presentations
-
+
Media (Audio and Video)
-
+
Allow remote access
-
+
Monitor Song Usage
-
+
Allow Alerts
-
+
No Internet Connection
-
+
Unable to detect an Internet connection.
-
+
No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes.
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.
@@ -1582,67 +1590,67 @@ To cancel the First Time Wizard completely, press the finish button now.
-
+
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.
-
+
Setting Up And Importing
-
+
Please wait while OpenLP is set up and your data is imported.
-
+
Default output display:
-
+
Select default theme:
-
+
Starting configuration process...
@@ -1650,130 +1658,135 @@ To cancel the First Time Wizard completely, press the finish button now.
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
-
+
Application Settings
-
+
Prompt to save before starting a new service
-
+
Automatically preview next item in service
-
+
Slide loop delay:
-
+
sec
-
+
CCLI Details
-
+
SongSelect username:
-
+
SongSelect password:
-
+
Display Position
-
+
X
-
+
Y
-
+
Height
-
+
Width
-
+
Override display position
+
+
+ Unblank display when adding new live item
+
+
OpenLP.LanguageManager
-
+
Language
-
+
Please restart OpenLP to use your new language setting.
@@ -1781,7 +1794,7 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainDisplay
-
+
OpenLP Display
Дисплей OpenLP
@@ -1789,245 +1802,195 @@ 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
&Новая
-
- Ctrl+N
- Ctrl+N
-
-
-
+
&Open
&Открыть
-
+
Open an existing service.
Открыть существующее служение.
-
- Ctrl+O
- Ctrl+O
-
-
-
+
&Save
&Сохранить
-
+
Save the current service to disk.
Сохранить текущее служение на диск.
-
- Ctrl+S
- Ctrl+S
-
-
-
+
Save &As...
Сохранить к&ак...
-
+
Save Service As
Сохранить служение как
-
+
Save the current service under a new name.
Сохранить текущее служение под новым именем.
-
- Ctrl+Shift+S
- Ctrl+Shift+S
-
-
-
+
Print the current Service Order.
Распечатать текущий Порядок Служения
-
- Ctrl+P
- Ctrl+P
-
-
-
+
E&xit
Вы&ход
-
+
Quit OpenLP
Завершить работу OpenLP
-
- Alt+F4
- Alt+F4
-
-
-
+
&Theme
Т&ема
-
+
Configure &Shortcuts...
Настройки и б&ыстрые клавиши...
-
+
&Configure OpenLP...
&Настроить OpenLP...
-
+
&Media Manager
Управление &Материалами
-
+
Toggle Media Manager
Свернуть Менеджер Медиа
-
+
Toggle the visibility of the media manager.
Свернуть видимость Менеджера Медиа.
-
- F8
- F8
-
-
-
+
&Theme Manager
Управление &темами
-
+
Toggle Theme Manager
Свернуть Менеджер Тем
-
+
Toggle the visibility of the theme manager.
Свернуть видимость Менеджера Тем.
-
- F10
- F10
-
-
-
+
&Service Manager
Управление &Служением
-
+
Toggle Service Manager
Свернуть Менеджер Служения
-
+
Toggle the visibility of the service manager.
Свернуть видимость Менеджера Служения.
-
- F9
- F9
-
-
-
+
&Preview Panel
Пан&ель предпросмотра
-
+
Toggle Preview Panel
Toggle Preview Panel
-
+
Toggle the visibility of the preview panel.
Toggle the visibility of the preview panel.
-
-
- F11
- F11
-
&Live Panel
@@ -2045,164 +2008,149 @@ To cancel the First Time Wizard completely, press the finish button now.
- F12
- F12
-
-
-
&Plugin List
&Список плагинов
-
+
List the Plugins
Выводит список плагинов
-
- Alt+F7
- Alt+F7
-
-
-
+
&User Guide
&Руководство пользователя
-
+
&About
&О программе
-
+
More information about OpenLP
Больше информации про OpenLP
-
- Ctrl+F1
- Ctrl+F1
-
-
-
+
&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
-
+
English
Please add the name of your language here
Английский
-
+
&Configure Display Tags
-
+
Open &Data Folder...
-
+
Open the folder where songs, bibles and other data resides.
-
+
&Autodetect
@@ -2210,45 +2158,51 @@ You can download the latest version from http://openlp.org/.
OpenLP.MediaManagerItem
-
+
No Items Selected
Объекты не выбраны
-
+
&Add to selected Service Item
-
+
You must select one or more items to preview.
-
+
You must select one or more items to send live.
-
+
You must select one or more items.
-
+
You must select an existing service item to add to.
-
+
Invalid Service Item
-
+
You must select a %s service item.
+
+
+ Duplicate file name %s.
+Filename already exists in list
+
+
OpenLP.PluginForm
@@ -2314,37 +2268,37 @@ You can download the latest version from http://openlp.org/.
-
+
Close
-
+
Copy
-
+
Copy as HTML
-
+
Zoom In
-
+
Zoom Out
-
+
Zoom Original
-
+
Other Options
@@ -2354,20 +2308,25 @@ You can download the latest version from http://openlp.org/.
-
+
Include service item notes
-
+
Include play length of media items
-
+
Service Order Sheet
+
+
+ Add page break before each text item.
+
+
OpenLP.ScreenList
@@ -2393,211 +2352,251 @@ You can download the latest version from http://openlp.org/.
OpenLP.ServiceManager
-
+
Load an existing service
-
+
Save this service
-
+
Select a theme for the service
-
+
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
-
- Notes:
-
-
-
-
+
&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
+
+
+
+
+ This file is either corrupt or not an OpenLP 2.0 service file.
+
+
OpenLP.ServiceNoteForm
@@ -2610,7 +2609,7 @@ The content encoding is not UTF-8.
OpenLP.SettingsForm
-
+
Configure OpenLP
Настроить OpenLP
@@ -2618,219 +2617,269 @@ The content encoding is not UTF-8.
OpenLP.ShortcutListDialog
-
+
Customize Shortcuts
-
+
Action
-
+
Shortcut
-
- Default: %s
-
-
-
-
- Custom:
-
-
-
-
- None
-
-
-
-
+
Duplicate Shortcut
-
+
The shortcut "%s" is already assigned to another action, please use a different shortcut.
-
+
Alternate
+
+
+ Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively.
+
+
+
+
+ Default
+
+
+
+
+ Custom
+
+
+
+
+ Capture shortcut.
+
+
+
+
+ Restore the default shortcut of this action.
+
+
+
+
+ Restore Default Shortcuts
+
+
+
+
+ Do you want to restore all shortcuts to their defaults?
+
+
OpenLP.SlideController
-
+
Previous Slide
-
+
Move to previous
-
+
Next Slide
-
+
Move to next
-
+
Hide
-
+
Blank Screen
-
+
Blank to Theme
-
+
Show Desktop
-
+
Start continuous loop
-
+
Stop continuous loop
-
+
Delay between slides in seconds
-
+
Move to live
-
+
Edit and reload song preview
-
+
Start playing media
-
+
Go To
-
+
Previous Service
-
+
Next Service
-
+
Escape Item
+
+
+ Start/Stop continuous loop
+
+
OpenLP.SpellTextEdit
-
+
Spelling Suggestions
-
+
Formatting Tags
+
+
+ Language:
+
+
OpenLP.StartTimeForm
-
- Item Start Time
-
-
-
-
+
Hours:
-
- h
-
-
-
-
- m
-
-
-
-
+
Minutes:
-
+
Seconds:
+
+
+ Item Start and Finish Time
+
+
+
+
+ Start
+
+
+
+
+ Finish
+
+
+
+
+ Length
+
+
+
+
+ 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
+
+
OpenLP.ThemeForm
-
+
(%d lines per slide)
-
+
Select Image
-
+
Theme Name Missing
-
+
There is no name for this theme. Please enter one.
-
+
Theme Name Invalid
-
+
Invalid theme name. Please enter one.
@@ -2913,113 +2962,113 @@ The content encoding is not UTF-8.
-
+
%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)
@@ -3027,7 +3076,7 @@ The content encoding is not UTF-8.
OpenLP.ThemeWizard
-
+
Edit Theme - %s
@@ -3270,42 +3319,42 @@ The content encoding is not UTF-8.
OpenLP.ThemesTab
-
+
Global Theme
-
+
Theme Level
-
+
S&ong Level
-
+
Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme.
-
+
&Service Level
-
+
Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme.
-
+
&Global Level
-
+
Use the global theme, overriding any themes associated with either the service or the songs.
@@ -3313,290 +3362,290 @@ The content encoding is not UTF-8.
OpenLP.Ui
-
+
Error
Ошибка
-
+
&Delete
У&далить
-
+
Delete the selected item.
Удалить выбранный элемент.
-
+
Move selection up one position.
Переместить выше.
-
+
Move selection down one position.
Переместить ниже.
-
+
About
О программе
-
+
&Add
&Добавить
-
+
Advanced
Дополнительно
-
+
All Files
Все файлы
-
+
Bottom
Вверху
-
+
Browse...
Обзор...
-
+
Cancel
Отмена
-
+
CCLI number:
Номер CCLI:
-
+
Create a new service.
Создать новый порядок служения.
-
+
&Edit
&Изменить
-
+
Empty Field
Пустое поле
-
+
Export
Экспорт
-
+
pt
Abbreviated font pointsize unit
пт
-
+
Image
Изображение
-
+
Import
Импорт
-
+
Length %s
Длина %s
-
+
Live
На проектор
-
+
Live Background Error
Ошибка Фона Проектора
-
+
Live Panel
Панель проектора
-
+
Load
Загрузить
-
+
Middle
-
+
New
Новое
-
+
New Service
Новый порядок служения
-
+
New Theme
Новая тема
-
+
No File Selected
Singular
Файл не выбран
-
+
No Files Selected
Plural
Файлы не выбраны
-
+
No Item Selected
Singular
Объект не выбран
-
+
No Items Selected
Plural
Объекты не выбраны
-
+
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:
&Вертикальная привязка:
@@ -3662,7 +3711,7 @@ The content encoding is not UTF-8.
Вы должны указатть по крайней мере %s файл для импорта из него.
-
+
Welcome to the Bible Import Wizard
Добро пожаловать в Мастер импорта Библий
@@ -3672,7 +3721,7 @@ The content encoding is not UTF-8.
Добро пожаловать в Мастер экспорта песен
-
+
Welcome to the Song Import Wizard
Добро пожалоДобро пожаловать в Мастер Импорта Песен
@@ -3707,22 +3756,124 @@ The content encoding is not UTF-8.
Сборники песен
-
+
Song Maintenance
-
+
Topic
Singular
Тема
-
+
Topics
Plural
+
+
+ Continuous
+
+
+
+
+ Default
+
+
+
+
+ Display style:
+
+
+
+
+ File
+
+
+
+
+ Help
+
+
+
+
+ h
+ The abbreviated unit for hours
+
+
+
+
+ Layout style:
+
+
+
+
+ Live Toolbar
+
+
+
+
+ m
+ The abbreviated unit for minutes
+
+
+
+
+ OpenLP is already running. Do you wish to continue?
+
+
+
+
+ Settings
+
+
+
+
+ Tools
+
+
+
+
+ Verse Per Slide
+
+
+
+
+ Verse Per Line
+
+
+
+
+ View
+
+
+
+
+ View Model
+
+
+
+
+ Duplicate Error
+
+
+
+
+ Unsupported File
+
+
+
+
+ Title and/or verses not found
+
+
+
+
+ XML syntax error
+
+
OpenLP.displayTagDialog
@@ -3735,50 +3886,50 @@ The content encoding is not UTF-8.
PresentationPlugin
-
+
<strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box.
-
+
Presentation
name singular
-
+
Presentations
name plural
-
+
Presentations
container title
-
+
Load a new Presentation
-
+
Delete the selected Presentation
-
+
Preview the selected Presentation
-
+
Send the selected Presentation live
-
+
Add the selected Presentation to the service
@@ -3806,37 +3957,32 @@ The content encoding is not UTF-8.
-
+
File Exists
-
+
A presentation with that filename already exists.
-
- Unsupported File
-
-
-
-
+
This type of presentation is not supported.
-
+
Missing Presentation
-
+
The Presentation %s is incomplete, please reload.
-
+
The Presentation %s no longer exists.
@@ -3906,63 +4052,68 @@ 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
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4142,12 +4293,12 @@ The encoding is responsible for the correct character representation.
Кодировка ответственна за корректное отображение символов.
-
+
&Song
&Песня
-
+
Import songs using the import wizard.
Импортировать песни используя мастер импорта.
@@ -4220,7 +4371,7 @@ The encoding is responsible for the correct character representation.
Добавить выбранный Псалом к служению
-
+
Exports songs using the export wizard.
Экспортировать песни используя мастер экспорта.
@@ -4266,9 +4417,17 @@ The encoding is responsible for the correct character representation.
SongsPlugin.CCLIFileImport
-
- Importing song %d of %d
- Импортирую песни %d из %d
+
+ The file does not have a valid extension.
+
+
+
+
+ SongsPlugin.EasyWorshipSongImport
+
+
+ Administered by %s
+ Администрируется %s
@@ -4369,82 +4528,82 @@ The encoding is responsible for the correct character representation.
Тема, информация об авторских правах и комментарии
-
+
Add Author
Добавить Автора
-
+
This author does not exist, do you want to add them?
Этот автор не существует. Хотите добавить его?
-
+
This author is already in the list.
Такой автор уже присутсвует в списке.
-
+
You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author.
Вы не выбрали подходящего автора. Выберите автора из списка, или введите нового автора и выберите "Добавить Автора к Песне", чтобы добавить нового автора.
-
+
Add Topic
Добавить Тему
-
+
This topic does not exist, do you want to add it?
Эта тема не существует. Хотите добавить её?
-
+
This topic is already in the list.
Такая тема уже присутсвует в списке.
-
+
You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic.
Вы не выбрали подходящую тему. Выберите тему из списка, или введите новую тему и выберите "Добавить Тему к Песне", чтобы добавить новую тему.
-
+
You need to type in a song title.
Вы должны указать название песни.
-
+
You need to type in at least one verse.
Вы должны ввести по крайней мере один куплет.
-
+
You need to have an author for this song.
Вы должны добавить автора к этой песне.
-
+
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?
Этот сборник песен не существует. Хотите добавить его?
@@ -4558,135 +4717,140 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ImportWizardForm
-
+
Song Import Wizard
Мастер Импорта Песен
-
+
This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from.
Этот Мастер поможет Вам импортировать песни из различных форматов. Выберите кнопку Далее чтобы начать процесс выбора формата для импорта.
-
+
Generic Document/Presentation
Общий формат или презентация
-
+
Filename:
Имя файла:
-
+
Add Files...
Добавить файлы...
-
+
Remove File(s)
Удалить Файл(ы)
-
+
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.
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.
-
+
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.
Импорт из общего формата/презентации был запрещен, поскольку OpenLP не обнаружило OpenOffice на вашем компьютере.
-
+
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
-
+
Select Document/Presentation Files
Выберите файл документа или презентации
-
- Administered by %s
- Администрируется %s
-
-
-
+
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
+
+
+ Copy
+
+
+
+
+ Save to File
+
+
SongsPlugin.MediaItem
-
+
Maintain the lists of authors, topics and books
Обслуживание списка авторов, тем и песенников
-
+
Entire Song
Всю песню
-
+
Titles
Название
-
+
Lyrics
Слова
-
+
Delete Song(s)?
Удалить песню(и)?
-
+
Are you sure you want to delete the %n selected song(s)?
Вы уверены, что хотите удалить %n выбранную песню?
@@ -4695,17 +4859,25 @@ The encoding is responsible for the correct character representation.
-
+
CCLI License:
Лицензия CCLI:
+
+ SongsPlugin.OpenLP1SongImport
+
+
+ Not a valid openlp.org 1.x song database.
+
+
+
SongsPlugin.OpenLPSongImport
-
- Importing song %d of %d.
- Импортирую песни %d из %d.
+
+ Not a valid OpenLP 2.0 song database.
+
@@ -4755,15 +4927,20 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImport
-
+
copyright
+
+
+ The following songs could not be imported:
+
+
SongsPlugin.SongImportForm
-
+
Your song import failed.
@@ -4831,47 +5008,47 @@ The encoding is responsible for the correct character representation.
-
+
Delete Author
-
+
Are you sure you want to delete the selected author?
-
+
This author cannot be deleted, they are currently assigned to at least one song.
-
+
Delete Topic
-
+
Are you sure you want to delete the selected topic?
-
+
This topic cannot be deleted, it is currently assigned to at least one song.
-
+
Delete Book
-
+
Are you sure you want to delete the selected book?
-
+
This book cannot be deleted, it is currently assigned to at least one song.
@@ -4960,4 +5137,12 @@ The encoding is responsible for the correct character representation.
+
+ ThemeTab
+
+
+ Themes
+ Темы
+
+
diff --git a/resources/i18n/sv.ts b/resources/i18n/sv.ts
index 0aa4011c3..92b31d26f 100644
--- a/resources/i18n/sv.ts
+++ b/resources/i18n/sv.ts
@@ -3,24 +3,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.
Vill du fortsätta ändå?
-
+
No Parameter Found
Inga parametrar hittades
-
+
No Placeholder Found
-
+
The alert text does not contain '<>'.
Do you want to continue anyway?
@@ -29,34 +29,34 @@ Do you want to continue anyway?
AlertsPlugin
-
+
&Alert
&Larm
-
+
Show an alert message.
Visa ett larmmeddelande.
-
+
<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
-
+
Alert
name singular
Larm
-
+
Alerts
name plural
Alarm
-
+
Alerts
container title
Larm
@@ -95,12 +95,12 @@ Do you want to continue anyway?
Visa && stän&g
-
+
New Alert
Nytt larm
-
+
You haven't specified any text for your alert. Please type in some text before clicking New.
Du har inte angivit någon text för ditt larm. Ange en text innan du klickar på Nytt.
@@ -206,12 +206,12 @@ Do you want to continue anyway?
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?
@@ -219,64 +219,64 @@ Do you want to continue anyway?
BiblesPlugin
-
+
&Bible
&Bibel
-
+
<strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display bible verses from different sources during the service.
<strong>Bibelplugin</strong><br />Bibelpluginen tillhandahåller möjligheten att visa bibelverser från olika källor under gudstjänsten.
-
+
Import a Bible
Importera en bibel
-
+
Add a new Bible
Lägg till en bibel
-
+
Edit the selected Bible
Redigera vald bibel
-
+
Delete the selected Bible
Ta bort vald bibel
-
+
Preview the selected Bible
Förhandsgranska vald bibeln
-
+
Send the selected Bible live
-
+
Add the selected Bible to the service
Lägg till vald bibel till gudstjänstordningen
-
+
Bible
name singular
Bibel
-
+
Bibles
name plural
Biblar
-
+
Bibles
container title
Biblar
@@ -342,74 +342,49 @@ Book Chapter:Verse-Chapter:Verse
BiblesPlugin.BiblesTab
-
+
Verse Display
Visning av verser
-
+
Only show new chapter numbers
Visa bara nya kapitelnummer
-
- Layout style:
- Layout:
-
-
-
- Display style:
- Display stil:
-
-
-
+
Bible theme:
Bibeltema:
-
- Verse Per Slide
- Verser per sida
-
-
-
- Verse Per Line
- Verser per rad
-
-
-
- Continuous
- Kontinuerlig
-
-
-
+
No Brackets
Inga parenteser
-
+
( And )
( och )
-
+
{ And }
{ och }
-
+
[ And ]
[ och ]
-
+
Note:
Changes do not affect verses already in the service.
Notera:
Ändringar kommer inte påverka verser som finns i planeringen.
-
+
Display second Bible verses
Visa andra bibelns verser
@@ -417,178 +392,178 @@ Changes do not affect verses already in the service.
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.
-
+
Starting Registering bible...
-
+
Registered bible. Please note, that verses will be downloaded on
demand and thus an internet connection is required.
-
+
Permissions:
Tillstånd:
-
+
CSV File
CSV-fil
-
+
Bibleserver
Bibelserver
-
+
Bible file:
-
+
Testaments file:
-
+
Books file:
-
+
Verses file:
-
+
You have not specified a testaments file. Do you want to proceed with the import?
-
+
openlp.org 1.x Bible Files
@@ -596,67 +571,67 @@ demand and thus an internet connection is required.
BiblesPlugin.MediaItem
-
+
Quick
Snabb
-
+
Find:
Hitta:
-
+
Results:
Resultat:
-
+
Book:
Bok:
-
+
Chapter:
Kapitel:
-
+
Verse:
Vers:
-
+
From:
Från:
-
+
To:
Till:
-
+
Text Search
Textsökning
-
+
Clear
Rensa vid ny sökning
-
+
Keep
Behåll vid ny sökning
-
+
Second:
-
+
Scripture Reference
@@ -673,12 +648,12 @@ demand and thus an internet connection is required.
BiblesPlugin.OsisImport
-
+
Detecting encoding (this may take a few minutes)...
Analyserar kodning (detta kan ta några minuter)...
-
+
Importing %s %s...
Importing <book name> <chapter>...
Importerar %s %s...
@@ -753,12 +728,12 @@ demand and thus an internet connection is required.
-
+
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
@@ -829,6 +804,14 @@ demand and thus an internet connection is required.
Anpassad
+
+ GeneralTab
+
+
+ General
+
+
+
ImagePlugin
@@ -893,7 +876,7 @@ demand and thus an internet connection is required.
ImagePlugin.ExceptionDialog
-
+
Select Attachment
@@ -901,39 +884,39 @@ demand and thus an internet connection is required.
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.
@@ -1002,37 +985,37 @@ 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.
-
+
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 (*)
@@ -1053,7 +1036,7 @@ Vill du lägga till dom andra bilderna ändå?
OpenLP
-
+
Image Files
Bildfiler
@@ -1087,7 +1070,7 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr
Bidra
-
+
build %s
@@ -1179,65 +1162,90 @@ Tinggaard, Frode Woldsund
OpenLP.AdvancedTab
-
+
UI Settings
-
+
Number of recent files to display:
-
+
Remember active media manager tab on startup
-
+
Double-click to send items straight to live
-
+
Expand new service items on creation
-
+
Enable application exit confirmation
-
+
Mouse Cursor
-
+
Hide mouse cursor when over display window
-
+
Default Image
-
+
Background color:
Bakgrundsfärg:
-
+
Image file:
Bildfil:
-
+
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.DisplayTagDialog
@@ -1344,7 +1352,7 @@ Tinggaard, Frode Woldsund
-
+
Description characters to enter : %s
@@ -1352,23 +1360,23 @@ Tinggaard, Frode Woldsund
OpenLP.ExceptionForm
-
+
Platform: %s
-
+
Save Crash Report
-
+
Text files (*.txt *.log *.text)
-
+
**OpenLP Bug Report**
Version: %s
@@ -1386,7 +1394,7 @@ Version: %s
-
+
*OpenLP Bug Report*
Version: %s
@@ -1449,97 +1457,97 @@ Version: %s
-
+
Download complete. Click the finish button to start OpenLP.
-
+
Enabling selected plugins...
-
+
First Time Wizard
-
+
Welcome to the First Time Wizard
-
+
This wizard will help you to configure OpenLP for initial use. Click the next button below to start the process of selection your initial options.
-
+
Activate required Plugins
-
+
Select the Plugins you wish to use.
-
+
Songs
-
+
Custom Text
-
+
Bible
Bibel
-
+
Images
Bilder
-
+
Presentations
-
+
Media (Audio and Video)
-
+
Allow remote access
-
+
Monitor Song Usage
-
+
Allow Alerts
-
+
No Internet Connection
-
+
Unable to detect an Internet connection.
-
+
No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes.
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.
@@ -1548,67 +1556,67 @@ To cancel the First Time Wizard completely, press the finish button now.
-
+
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.
-
+
Setting Up And Importing
-
+
Please wait while OpenLP is set up and your data is imported.
-
+
Default output display:
-
+
Select default theme:
-
+
Starting configuration process...
@@ -1616,130 +1624,135 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.GeneralTab
-
+
General
Allmänt
-
+
Monitors
Skärmar
-
+
Select monitor for output display:
Välj skärm för utsignal:
-
+
Display if a single screen
Visa även på enkel skärm
-
+
Application Startup
Programstart
-
+
Show blank screen warning
Visa varning vid tom skärm
-
+
Automatically open the last service
Öppna automatiskt den senaste planeringen
-
+
Show the splash screen
Visa startbilden
-
+
Application Settings
Programinställningar
-
+
Prompt to save before starting a new service
-
+
Automatically preview next item in service
Automatiskt förhandsgranska nästa post i planeringen
-
+
Slide loop delay:
-
+
sec
sekunder
-
+
CCLI Details
CCLI-detaljer
-
+
SongSelect username:
SongSelect användarnamn:
-
+
SongSelect password:
SongSelect lösenord:
-
+
Display Position
-
+
X
X
-
+
Y
Y
-
+
Height
Höjd
-
+
Width
Bredd
-
+
Override display position
-
+
Check for updates to OpenLP
+
+
+ Unblank display when adding new live item
+
+
OpenLP.LanguageManager
-
+
Language
Språk
-
+
Please restart OpenLP to use your new language setting.
Vänligen starta om OpenLP för att aktivera dina nya språkinställningar.
@@ -1747,7 +1760,7 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainDisplay
-
+
OpenLP Display
@@ -1755,230 +1768,185 @@ 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
-
- Ctrl+N
- Ctrl+N
-
-
-
+
&Open
&Öppna
-
+
Open an existing service.
Öppna en befintlig planering.
-
- Ctrl+O
- Ctrl+O
-
-
-
+
&Save
&Spara
-
+
Save the current service to disk.
Spara den aktuella planeringen till disk.
-
- Ctrl+S
- Ctrl+S
-
-
-
+
Save &As...
S¶ som...
-
+
Save Service As
Spara planering som
-
+
Save the current service under a new name.
Spara den aktuella planeringen under ett nytt namn.
-
- Ctrl+Shift+S
- Ctrl+Shift+S
-
-
-
+
E&xit
&Avsluta
-
+
Quit OpenLP
Avsluta OpenLP
-
- Alt+F4
- Alt+F4
-
-
-
+
&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.
-
- F8
- F8
-
-
-
+
&Theme Manager
&Temahanterare
-
+
Toggle Theme Manager
Växla temahanteraren
-
+
Toggle the visibility of the theme manager.
Växla synligheten för temahanteraren.
-
- F10
- F10
-
-
-
+
&Service Manager
&Planeringshanterare
-
+
Toggle Service Manager
Växla planeringshanterare
-
+
Toggle the visibility of the service manager.
Växla synligheten för planeringshanteraren.
-
- F9
- F9
-
-
-
+
&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.
-
-
- F11
- F11
-
&Live Panel
@@ -1996,179 +1964,159 @@ To cancel the First Time Wizard completely, press the finish button now.
- F12
- F12
-
-
-
&Plugin List
&Pluginlista
-
+
List the Plugins
Lista pluginen
-
- Alt+F7
- Alt+F7
-
-
-
+
&User Guide
&Användarguide
-
+
&About
&Om
-
+
More information about OpenLP
Mer information om OpenLP
-
- Ctrl+F1
- Ctrl+F1
-
-
-
+
&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
-
+
English
Please add the name of your language here
Svenska
-
+
Configure &Shortcuts...
-
+
Close OpenLP
-
+
Are you sure you want to close OpenLP?
-
+
Print the current Service Order.
-
- Ctrl+P
-
-
-
-
+
Open &Data Folder...
-
+
Open the folder where songs, bibles and other data resides.
-
+
&Configure Display Tags
-
+
&Autodetect
@@ -2176,45 +2124,51 @@ You can download the latest version from http://openlp.org/.
OpenLP.MediaManagerItem
-
+
No Items Selected
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.
+
+
+ Duplicate file name %s.
+Filename already exists in list
+
+
OpenLP.PluginForm
@@ -2280,37 +2234,37 @@ You can download the latest version from http://openlp.org/.
Alternativ
-
+
Close
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
@@ -2320,20 +2274,25 @@ You can download the latest version from http://openlp.org/.
-
+
Include service item notes
-
+
Include play length of media items
-
+
Service Order Sheet
+
+
+ Add page break before each text item.
+
+
OpenLP.ScreenList
@@ -2359,211 +2318,251 @@ You can download the latest version from http://openlp.org/.
OpenLP.ServiceManager
-
+
Load an existing service
Ladda en planering
-
+
Save this service
Spara denna planering
-
+
Select a theme for the service
Välj ett tema för planeringen
-
+
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
-
- Notes:
-
-
-
-
+
&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
+
+
+
+
+ This file is either corrupt or not an OpenLP 2.0 service file.
+
+
OpenLP.ServiceNoteForm
@@ -2576,7 +2575,7 @@ The content encoding is not UTF-8.
OpenLP.SettingsForm
-
+
Configure OpenLP
@@ -2584,219 +2583,269 @@ The content encoding is not UTF-8.
OpenLP.ShortcutListDialog
-
+
Customize Shortcuts
-
+
Action
-
+
Shortcut
-
- Default: %s
-
-
-
-
- Custom:
-
-
-
-
- None
-
-
-
-
+
Duplicate Shortcut
-
+
The shortcut "%s" is already assigned to another action, please use a different shortcut.
-
+
Alternate
+
+
+ Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively.
+
+
+
+
+ Default
+
+
+
+
+ Custom
+
+
+
+
+ Capture shortcut.
+
+
+
+
+ Restore the default shortcut of this action.
+
+
+
+
+ Restore Default Shortcuts
+
+
+
+
+ Do you want to restore all shortcuts to their defaults?
+
+
OpenLP.SlideController
-
+
Move to previous
Flytta till föregående
-
+
Move to next
Flytta till nästa
-
+
Hide
-
+
Move to live
Flytta till live
-
+
Start continuous loop
Börja oändlig loop
-
+
Stop continuous loop
Stoppa upprepad loop
-
+
Delay between slides in seconds
Fördröjning mellan bilder, i sekunder
-
+
Start playing media
Börja spela media
-
+
Go To
-
+
Edit and reload song preview
-
+
Blank Screen
-
+
Blank to Theme
-
+
Show Desktop
-
+
Previous Slide
-
+
Next Slide
-
+
Previous Service
-
+
Next Service
-
+
Escape Item
+
+
+ Start/Stop continuous loop
+
+
OpenLP.SpellTextEdit
-
+
Spelling Suggestions
-
+
Formatting Tags
+
+
+ Language:
+
+
OpenLP.StartTimeForm
-
- Item Start Time
-
-
-
-
+
Hours:
-
- h
-
-
-
-
- m
-
-
-
-
+
Minutes:
-
+
Seconds:
+
+
+ Item Start and Finish Time
+
+
+
+
+ Start
+
+
+
+
+ Finish
+
+
+
+
+ Length
+
+
+
+
+ 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
+
+
OpenLP.ThemeForm
-
+
Select Image
Välj bild
-
+
Theme Name Missing
Temanamn saknas
-
+
There is no name for this theme. Please enter one.
-
+
Theme Name Invalid
-
+
Invalid theme name. Please enter one.
-
+
(%d lines per slide)
@@ -2864,68 +2913,68 @@ The content encoding is not UTF-8.
-
+
%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.
@@ -2945,47 +2994,47 @@ The content encoding is not UTF-8.
-
+
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)
@@ -3228,7 +3277,7 @@ The content encoding is not UTF-8.
-
+
Edit Theme - %s
@@ -3236,42 +3285,42 @@ The content encoding is not UTF-8.
OpenLP.ThemesTab
-
+
Global Theme
-
+
Theme Level
-
+
S&ong Level
-
+
Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme.
Använd temat för varje sång i databasen indviduellt. Om en sång inte har ett associerat tema, använd planeringens schema. Om planeringen inte har ett tema, använd globala temat.
-
+
&Service Level
-
+
Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme.
Använd temat för mötesplaneringen, och ignorera sångernas individuella teman. Om mötesplaneringen inte har ett tema använd då det globala temat.
-
+
&Global Level
-
+
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.
@@ -3279,290 +3328,290 @@ The content encoding is not UTF-8.
OpenLP.Ui
-
+
Error
Fel
-
+
&Delete
&Ta bort
-
+
Delete the selected item.
-
+
Move selection up one position.
-
+
Move selection down one position.
-
+
&Add
&Lägg till
-
+
Advanced
Avancerat
-
+
All Files
Alla filer
-
+
Create a new service.
Skapa en ny planering.
-
+
&Edit
&Redigera
-
+
Import
Importera
-
+
Length %s
-
+
Live
-
+
Load
Ladda
-
+
New
-
+
New Service
Ny planering
-
+
OpenLP 2.0
OpenLP 2.0
-
+
Open Service
Öppna planering
-
+
Preview
Förhandsgranska
-
+
Replace Background
Ersätt bakgrund
-
+
Replace Live Background
-
+
Reset Background
-
+
Reset Live Background
-
+
Save Service
Spara planering
-
+
Service
Gudstjänst
-
+
Start %s
-
+
&Vertical Align:
-
+
Top
Toppen
-
+
Middle
Mitten
-
+
Bottom
Botten
-
+
About
Om
-
+
Browse...
-
+
Cancel
-
+
CCLI number:
-
+
Empty Field
-
+
Export
-
+
pt
Abbreviated font pointsize unit
-
+
Image
Bild
-
+
Live Background Error
-
+
Live Panel
-
+
New Theme
-
+
No File Selected
Singular
-
+
No Files Selected
Plural
-
+
No Item Selected
Singular
-
+
No Items Selected
Plural
Inget objekt valt
-
+
openlp.org 1.x
openlp.org 1.x
-
+
Preview Panel
-
+
Print Service Order
-
+
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
@@ -3628,7 +3677,7 @@ The content encoding is not UTF-8.
-
+
Welcome to the Bible Import Wizard
Välkommen till guiden för bibelimport
@@ -3638,7 +3687,7 @@ The content encoding is not UTF-8.
-
+
Welcome to the Song Import Wizard
@@ -3673,22 +3722,124 @@ The content encoding is not UTF-8.
-
+
Song Maintenance
Sångunderhåll
-
+
Topic
Singular
Ämne
-
+
Topics
Plural
Ämnen
+
+
+ Continuous
+ Kontinuerlig
+
+
+
+ Default
+
+
+
+
+ Display style:
+ Display stil:
+
+
+
+ File
+
+
+
+
+ Help
+
+
+
+
+ h
+ The abbreviated unit for hours
+
+
+
+
+ Layout style:
+ Layout:
+
+
+
+ Live Toolbar
+
+
+
+
+ m
+ The abbreviated unit for minutes
+
+
+
+
+ OpenLP is already running. Do you wish to continue?
+
+
+
+
+ Settings
+
+
+
+
+ Tools
+
+
+
+
+ Verse Per Slide
+ Verser per sida
+
+
+
+ Verse Per Line
+ Verser per rad
+
+
+
+ View
+
+
+
+
+ View Model
+
+
+
+
+ Duplicate Error
+
+
+
+
+ Unsupported File
+
+
+
+
+ Title and/or verses not found
+
+
+
+
+ XML syntax error
+
+
OpenLP.displayTagDialog
@@ -3701,49 +3852,49 @@ The content encoding is not UTF-8.
PresentationPlugin
-
+
<strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box.
-
+
Load a new Presentation
-
+
Delete the selected Presentation
-
+
Preview the selected Presentation
-
+
Send the selected Presentation live
-
+
Add the selected Presentation to the service
-
+
Presentation
name singular
Presentation
-
+
Presentations
name plural
Presentationer
-
+
Presentations
container title
Presentationer
@@ -3767,22 +3918,17 @@ The content encoding is not UTF-8.
Presentera genom:
-
+
File Exists
-
+
A presentation with that filename already exists.
En presentation med det namnet finns redan.
-
- Unsupported File
-
-
-
-
+
This type of presentation is not supported.
@@ -3792,17 +3938,17 @@ The content encoding is not UTF-8.
-
+
Missing Presentation
-
+
The Presentation %s no longer exists.
-
+
The Presentation %s is incomplete, please reload.
@@ -3872,63 +4018,68 @@ 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
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4016,12 +4167,12 @@ has been successfully created.
SongsPlugin
-
+
&Song
&Sång
-
+
Import songs using the import wizard.
@@ -4182,7 +4333,7 @@ The encoding is responsible for the correct character representation.
-
+
Exports songs using the export wizard.
@@ -4228,8 +4379,16 @@ The encoding is responsible for the correct character representation.
SongsPlugin.CCLIFileImport
-
- Importing song %d of %d
+
+ The file does not have a valid extension.
+
+
+
+
+ SongsPlugin.EasyWorshipSongImport
+
+
+ Administered by %s
@@ -4331,82 +4490,82 @@ The encoding is responsible for the correct character representation.
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.
@@ -4520,140 +4679,145 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ImportWizardForm
-
+
Select Document/Presentation Files
-
+
Song Import Wizard
-
+
This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from.
-
+
Generic Document/Presentation
-
+
Filename:
-
+
Add Files...
-
+
Remove File(s)
-
+
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.
-
+
Please wait while your songs are imported.
-
+
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.
-
- Administered by %s
-
-
-
-
+
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
+
+
+ Copy
+ Kopiera
+
+
+
+ Save to File
+
+
SongsPlugin.MediaItem
-
+
Maintain the lists of authors, topics and books
Hantera listorna över författare, ämnen och böcker
-
+
Titles
Titlar
-
+
Lyrics
Sångtexter
-
+
Delete Song(s)?
-
+
CCLI License:
-
+
Entire Song
-
+
Are you sure you want to delete the %n selected song(s)?
@@ -4661,11 +4825,19 @@ The encoding is responsible for the correct character representation.
+
+ SongsPlugin.OpenLP1SongImport
+
+
+ Not a valid openlp.org 1.x song database.
+
+
+
SongsPlugin.OpenLPSongImport
-
- Importing song %d of %d.
+
+ Not a valid OpenLP 2.0 song database.
@@ -4716,15 +4888,20 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImport
-
+
copyright
copyright
+
+
+ The following songs could not be imported:
+
+
SongsPlugin.SongImportForm
-
+
Your song import failed.
@@ -4772,47 +4949,47 @@ The encoding is responsible for the correct character representation.
-
+
Delete Author
Ta bort författare
-
+
Are you sure you want to delete the selected author?
Är du säker på att du vill ta bort den valda författare?
-
+
This author cannot be deleted, they are currently assigned to at least one song.
-
+
Delete Topic
Ta bort ämne
-
+
Are you sure you want to delete the selected topic?
Är du säker på att du vill ta bort valt ämne?
-
+
This topic cannot be deleted, it is currently assigned to at least one song.
-
+
Delete Book
Ta bort bok
-
+
Are you sure you want to delete the selected book?
Är du säker på att du vill ta bort vald bok?
-
+
This book cannot be deleted, it is currently assigned to at least one song.
@@ -4921,4 +5098,12 @@ 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 d2824b41a..edb536d28 100644
--- a/resources/i18n/zh_CN.ts
+++ b/resources/i18n/zh_CN.ts
@@ -3,23 +3,23 @@
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?
@@ -28,34 +28,34 @@ Do you want to continue anyway?
AlertsPlugin
-
+
&Alert
-
+
Show an alert message.
-
+
<strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen
-
+
Alert
name singular
-
+
Alerts
name plural
-
+
Alerts
container title
@@ -94,12 +94,12 @@ Do you want to continue anyway?
-
+
New Alert
-
+
You haven't specified any text for your alert. Please type in some text before clicking New.
@@ -205,12 +205,12 @@ Do you want to continue anyway?
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?
@@ -218,64 +218,64 @@ Do you want to continue anyway?
BiblesPlugin
-
+
&Bible
-
+
<strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display bible verses from different sources during the service.
-
+
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
-
+
Bible
name singular
-
+
Bibles
name plural
-
+
Bibles
container title
@@ -340,73 +340,48 @@ Book Chapter:Verse-Chapter:Verse
BiblesPlugin.BiblesTab
-
+
Verse Display
-
+
Only show new chapter numbers
-
- Layout style:
-
-
-
-
- Display style:
-
-
-
-
+
Bible theme:
-
- Verse Per Slide
-
-
-
-
- Verse Per Line
-
-
-
-
- Continuous
-
-
-
-
+
No Brackets
-
+
( And )
-
+
{ And }
-
+
[ And ]
-
+
Note:
Changes do not affect verses already in the service.
-
+
Display second Bible verses
@@ -414,178 +389,178 @@ Changes do not affect verses already in the service.
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
-
+
Starting Registering bible...
-
+
Registered bible. Please note, that verses will be downloaded on
demand and thus an internet connection is required.
-
+
Bibleserver
-
+
Permissions:
-
+
Bible file:
-
+
Testaments file:
-
+
Books file:
-
+
Verses file:
-
+
You have not specified a testaments file. Do you want to proceed with the import?
-
+
openlp.org 1.x Bible Files
@@ -593,67 +568,67 @@ demand and thus an internet connection is required.
BiblesPlugin.MediaItem
-
+
Quick
-
+
Find:
-
+
Results:
-
+
Book:
-
+
Chapter:
-
+
Verse:
-
+
From:
-
+
To:
-
+
Text Search
-
+
Clear
-
+
Keep
-
+
Second:
-
+
Scripture Reference
@@ -670,12 +645,12 @@ demand and thus an internet connection is required.
BiblesPlugin.OsisImport
-
+
Detecting encoding (this may take a few minutes)...
-
+
Importing %s %s...
Importing <book name> <chapter>...
@@ -750,12 +725,12 @@ demand and thus an internet connection is required.
-
+
You need to type in a title.
-
+
You need to add at least one slide
@@ -826,6 +801,14 @@ demand and thus an internet connection is required.
+
+ GeneralTab
+
+
+ General
+
+
+
ImagePlugin
@@ -890,7 +873,7 @@ demand and thus an internet connection is required.
ImagePlugin.ExceptionDialog
-
+
Select Attachment
@@ -898,38 +881,38 @@ demand and thus an internet connection is required.
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.
@@ -998,37 +981,37 @@ 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 (*)
@@ -1049,7 +1032,7 @@ Do you want to add the other images anyway?
OpenLP
-
+
Image Files
@@ -1083,7 +1066,7 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr
-
+
build %s
@@ -1175,65 +1158,90 @@ Tinggaard, Frode Woldsund
OpenLP.AdvancedTab
-
+
UI Settings
-
+
Number of recent files to display:
-
+
Remember active media manager tab on startup
-
+
Double-click to send items straight to live
-
+
Expand new service items on creation
-
+
Enable application exit confirmation
-
+
Mouse Cursor
-
+
Hide mouse cursor when over display window
-
+
Default Image
-
+
Background color:
-
+
Image file:
-
+
Open File
+
+
+ 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.DisplayTagDialog
@@ -1340,7 +1348,7 @@ Tinggaard, Frode Woldsund
-
+
Description characters to enter : %s
@@ -1348,23 +1356,23 @@ Tinggaard, Frode Woldsund
OpenLP.ExceptionForm
-
+
Platform: %s
-
+
Save Crash Report
-
+
Text files (*.txt *.log *.text)
-
+
**OpenLP Bug Report**
Version: %s
@@ -1382,7 +1390,7 @@ Version: %s
-
+
*OpenLP Bug Report*
Version: %s
@@ -1445,97 +1453,97 @@ Version: %s
-
+
Download complete. Click the finish button to start OpenLP.
-
+
Enabling selected plugins...
-
+
First Time Wizard
-
+
Welcome to the First Time Wizard
-
+
This wizard will help you to configure OpenLP for initial use. Click the next button below to start the process of selection your initial options.
-
+
Activate required Plugins
-
+
Select the Plugins you wish to use.
-
+
Songs
-
+
Custom Text
-
+
Bible
-
+
Images
-
+
Presentations
-
+
Media (Audio and Video)
-
+
Allow remote access
-
+
Monitor Song Usage
-
+
Allow Alerts
-
+
No Internet Connection
-
+
Unable to detect an Internet connection.
-
+
No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes.
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.
@@ -1544,67 +1552,67 @@ To cancel the First Time Wizard completely, press the finish button now.
-
+
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.
-
+
Setting Up And Importing
-
+
Please wait while OpenLP is set up and your data is imported.
-
+
Default output display:
-
+
Select default theme:
-
+
Starting configuration process...
@@ -1612,130 +1620,135 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.GeneralTab
-
+
General
-
+
Monitors
-
+
Select monitor for output display:
-
+
Display if a single screen
-
+
Application Startup
-
+
Show blank screen warning
-
+
Automatically open the last service
-
+
Show the splash screen
-
+
Application Settings
-
+
Prompt to save before starting a new service
-
+
Automatically preview next item in service
-
+
Slide loop delay:
-
+
sec
-
+
CCLI Details
-
+
SongSelect username:
-
+
SongSelect password:
-
+
Display Position
-
+
X
-
+
Y
-
+
Height
-
+
Width
-
+
Override display position
-
+
Check for updates to OpenLP
+
+
+ Unblank display when adding new live item
+
+
OpenLP.LanguageManager
-
+
Language
-
+
Please restart OpenLP to use your new language setting.
@@ -1743,7 +1756,7 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainDisplay
-
+
OpenLP Display
@@ -1751,228 +1764,183 @@ 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
-
- Ctrl+N
-
-
-
-
+
&Open
-
+
Open an existing service.
-
- Ctrl+O
-
-
-
-
+
&Save
-
+
Save the current service to disk.
-
- Ctrl+S
-
-
-
-
+
Save &As...
-
+
Save Service As
-
+
Save the current service under a new name.
-
- Ctrl+Shift+S
-
-
-
-
+
E&xit
-
+
Quit OpenLP
-
- Alt+F4
-
-
-
-
+
&Theme
-
+
&Configure OpenLP...
-
+
&Media Manager
-
+
Toggle Media Manager
-
+
Toggle the visibility of the media manager.
-
- F8
-
-
-
-
+
&Theme Manager
-
+
Toggle Theme Manager
-
+
Toggle the visibility of the theme manager.
-
- F10
-
-
-
-
+
&Service Manager
-
+
Toggle Service Manager
-
+
Toggle the visibility of the service manager.
-
- F9
-
-
-
-
+
&Preview Panel
-
+
Toggle Preview Panel
-
-
- Toggle the visibility of the preview panel.
-
-
- F11
+ Toggle the visibility of the preview panel.
@@ -1992,179 +1960,159 @@ To cancel the First Time Wizard completely, press the finish button now.
- F12
-
-
-
-
&Plugin List
-
+
List the Plugins
-
- Alt+F7
-
-
-
-
+
&User Guide
-
+
&About
-
+
More information about OpenLP
-
- Ctrl+F1
-
-
-
-
+
&Online Help
-
+
&Web Site
-
+
Use the system language, if available.
-
+
Set the interface language to %s
-
+
Add &Tool...
-
+
Add an application to the list of tools.
-
+
&Default
-
+
Set the view mode back to the default.
-
+
&Setup
-
+
Set the view mode to Setup.
-
+
&Live
-
+
Set the view mode to Live.
-
+
Version %s of OpenLP is now available for download (you are currently running version %s).
You can download the latest version from http://openlp.org/.
-
+
OpenLP Version Updated
-
+
OpenLP Main Display Blanked
-
+
The Main Display has been blanked out
-
+
Default Theme: %s
-
+
English
Please add the name of your language here
-
+
Configure &Shortcuts...
-
+
Close OpenLP
-
+
Are you sure you want to close OpenLP?
-
+
Print the current Service Order.
-
- Ctrl+P
-
-
-
-
+
&Configure Display Tags
-
+
Open &Data Folder...
-
+
Open the folder where songs, bibles and other data resides.
-
+
&Autodetect
@@ -2172,45 +2120,51 @@ You can download the latest version from http://openlp.org/.
OpenLP.MediaManagerItem
-
+
No Items Selected
-
+
&Add to selected Service Item
-
+
You must select one or more items to preview.
-
+
You must select one or more items to send live.
-
+
You must select one or more items.
-
+
You must select an existing service item to add to.
-
+
Invalid Service Item
-
+
You must select a %s service item.
+
+
+ Duplicate file name %s.
+Filename already exists in list
+
+
OpenLP.PluginForm
@@ -2276,37 +2230,37 @@ You can download the latest version from http://openlp.org/.
-
+
Close
-
+
Copy
-
+
Copy as HTML
-
+
Zoom In
-
+
Zoom Out
-
+
Zoom Original
-
+
Other Options
@@ -2316,20 +2270,25 @@ You can download the latest version from http://openlp.org/.
-
+
Include service item notes
-
+
Include play length of media items
-
+
Service Order Sheet
+
+
+ Add page break before each text item.
+
+
OpenLP.ScreenList
@@ -2355,211 +2314,251 @@ You can download the latest version from http://openlp.org/.
OpenLP.ServiceManager
-
+
Load an existing service
-
+
Save this service
-
+
Select a theme for the service
-
+
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
-
- Notes:
-
-
-
-
+
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
+
+
+
+
+ This file is either corrupt or not an OpenLP 2.0 service file.
+
+
OpenLP.ServiceNoteForm
@@ -2572,7 +2571,7 @@ The content encoding is not UTF-8.
OpenLP.SettingsForm
-
+
Configure OpenLP
@@ -2580,219 +2579,269 @@ The content encoding is not UTF-8.
OpenLP.ShortcutListDialog
-
+
Customize Shortcuts
-
+
Action
-
+
Shortcut
-
- Default: %s
-
-
-
-
- Custom:
-
-
-
-
- None
-
-
-
-
+
Duplicate Shortcut
-
+
The shortcut "%s" is already assigned to another action, please use a different shortcut.
-
+
Alternate
+
+
+ Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively.
+
+
+
+
+ Default
+
+
+
+
+ Custom
+
+
+
+
+ Capture shortcut.
+
+
+
+
+ Restore the default shortcut of this action.
+
+
+
+
+ Restore Default Shortcuts
+
+
+
+
+ Do you want to restore all shortcuts to their defaults?
+
+
OpenLP.SlideController
-
+
Move to previous
-
+
Move to next
-
+
Hide
-
+
Move to live
-
+
Edit and reload song preview
-
+
Start continuous loop
-
+
Stop continuous loop
-
+
Delay between slides in seconds
-
+
Start playing media
-
+
Go To
-
+
Blank Screen
-
+
Blank to Theme
-
+
Show Desktop
-
+
Previous Slide
-
+
Next Slide
-
+
Previous Service
-
+
Next Service
-
+
Escape Item
+
+
+ Start/Stop continuous loop
+
+
OpenLP.SpellTextEdit
-
+
Spelling Suggestions
-
+
Formatting Tags
+
+
+ Language:
+
+
OpenLP.StartTimeForm
-
- Item Start Time
-
-
-
-
+
Hours:
-
- h
-
-
-
-
- m
-
-
-
-
+
Minutes:
-
+
Seconds:
+
+
+ Item Start and Finish Time
+
+
+
+
+ Start
+
+
+
+
+ Finish
+
+
+
+
+ Length
+
+
+
+
+ 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
+
+
OpenLP.ThemeForm
-
+
Select Image
-
+
Theme Name Missing
-
+
There is no name for this theme. Please enter one.
-
+
Theme Name Invalid
-
+
Invalid theme name. Please enter one.
-
+
(%d lines per slide)
@@ -2860,68 +2909,68 @@ The content encoding is not UTF-8.
-
+
%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.
@@ -2941,47 +2990,47 @@ The content encoding is not UTF-8.
-
+
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)
@@ -3209,7 +3258,7 @@ The content encoding is not UTF-8.
-
+
Edit Theme - %s
@@ -3232,42 +3281,42 @@ The content encoding is not UTF-8.
OpenLP.ThemesTab
-
+
Global Theme
-
+
Theme Level
-
+
S&ong Level
-
+
Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme.
-
+
&Service Level
-
+
Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme.
-
+
&Global Level
-
+
Use the global theme, overriding any themes associated with either the service or the songs.
@@ -3275,290 +3324,290 @@ The content encoding is not UTF-8.
OpenLP.Ui
-
+
Error
-
+
About
-
+
&Add
-
+
Advanced
-
+
All Files
-
+
Bottom
-
+
Browse...
-
+
Cancel
-
+
CCLI number:
-
+
Create a new service.
-
+
&Delete
-
+
&Edit
-
+
Empty Field
-
+
Export
-
+
pt
Abbreviated font pointsize unit
-
+
Image
-
+
Import
-
+
Length %s
-
+
Live
-
+
Live Background Error
-
+
Live Panel
-
+
Load
-
+
Middle
-
+
New
-
+
New Service
-
+
New Theme
-
+
No File Selected
Singular
-
+
No Files Selected
Plural
-
+
No Item Selected
Singular
-
+
No Items Selected
Plural
-
+
openlp.org 1.x
-
+
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
-
+
Theme
Singular
-
+
Themes
Plural
-
+
Top
-
+
Version
-
+
Delete the selected item.
-
+
Move selection up one position.
-
+
Move selection down one position.
-
+
&Vertical Align:
@@ -3624,7 +3673,7 @@ The content encoding is not UTF-8.
-
+
Welcome to the Bible Import Wizard
@@ -3634,7 +3683,7 @@ The content encoding is not UTF-8.
-
+
Welcome to the Song Import Wizard
@@ -3669,22 +3718,124 @@ The content encoding is not UTF-8.
-
+
Song Maintenance
-
+
Topic
Singular
-
+
Topics
Plural
+
+
+ Continuous
+
+
+
+
+ Default
+
+
+
+
+ Display style:
+
+
+
+
+ File
+
+
+
+
+ Help
+
+
+
+
+ h
+ The abbreviated unit for hours
+
+
+
+
+ Layout style:
+
+
+
+
+ Live Toolbar
+
+
+
+
+ m
+ The abbreviated unit for minutes
+
+
+
+
+ OpenLP is already running. Do you wish to continue?
+
+
+
+
+ Settings
+
+
+
+
+ Tools
+
+
+
+
+ Verse Per Slide
+
+
+
+
+ Verse Per Line
+
+
+
+
+ View
+
+
+
+
+ View Model
+
+
+
+
+ Duplicate Error
+
+
+
+
+ Unsupported File
+
+
+
+
+ Title and/or verses not found
+
+
+
+
+ XML syntax error
+
+
OpenLP.displayTagDialog
@@ -3697,49 +3848,49 @@ The content encoding is not UTF-8.
PresentationPlugin
-
+
<strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box.
-
+
Load a new Presentation
-
+
Delete the selected Presentation
-
+
Preview the selected Presentation
-
+
Send the selected Presentation live
-
+
Add the selected Presentation to the service
-
+
Presentation
name singular
-
+
Presentations
name plural
-
+
Presentations
container title
@@ -3763,22 +3914,17 @@ The content encoding is not UTF-8.
-
+
File Exists
-
+
A presentation with that filename already exists.
-
- Unsupported File
-
-
-
-
+
This type of presentation is not supported.
@@ -3788,17 +3934,17 @@ The content encoding is not UTF-8.
-
+
Missing Presentation
-
+
The Presentation %s no longer exists.
-
+
The Presentation %s is incomplete, please reload.
@@ -3868,63 +4014,68 @@ 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
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4012,12 +4163,12 @@ has been successfully created.
SongsPlugin
-
+
&Song
-
+
Import songs using the import wizard.
@@ -4178,7 +4329,7 @@ The encoding is responsible for the correct character representation.
-
+
Exports songs using the export wizard.
@@ -4224,8 +4375,16 @@ The encoding is responsible for the correct character representation.
SongsPlugin.CCLIFileImport
-
- Importing song %d of %d
+
+ The file does not have a valid extension.
+
+
+
+
+ SongsPlugin.EasyWorshipSongImport
+
+
+ Administered by %s
@@ -4327,82 +4486,82 @@ The encoding is responsible for the correct character representation.
-
+
Add Author
-
+
This author does not exist, do you want to add them?
-
+
This author is already in the list.
-
+
You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author.
-
+
Add Topic
-
+
This topic does not exist, do you want to add it?
-
+
This topic is already in the list.
-
+
You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic.
-
+
You need to type in a song title.
-
+
You need to type in at least one verse.
-
+
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.
@@ -4516,151 +4675,164 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ImportWizardForm
-
+
Select Document/Presentation Files
-
+
Song Import Wizard
-
+
This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from.
-
+
Generic Document/Presentation
-
+
Filename:
-
+
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.
-
+
Add Files...
-
+
Remove File(s)
-
+
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.
-
+
Please wait while your songs are imported.
-
- Administered by %s
-
-
-
-
+
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
+
+
+ Copy
+
+
+
+
+ Save to File
+
+
SongsPlugin.MediaItem
-
+
Maintain the lists of authors, topics and books
-
+
Titles
-
+
Lyrics
-
+
Delete Song(s)?
-
+
CCLI License:
-
+
Entire Song
-
+
Are you sure you want to delete the %n selected song(s)?
+
+ SongsPlugin.OpenLP1SongImport
+
+
+ Not a valid openlp.org 1.x song database.
+
+
+
SongsPlugin.OpenLPSongImport
-
- Importing song %d of %d.
+
+ Not a valid OpenLP 2.0 song database.
@@ -4711,15 +4883,20 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImport
-
+
copyright
+
+
+ The following songs could not be imported:
+
+
SongsPlugin.SongImportForm
-
+
Your song import failed.
@@ -4772,47 +4949,47 @@ The encoding is responsible for the correct character representation.
-
+
Delete Author
-
+
Are you sure you want to delete the selected author?
-
+
This author cannot be deleted, they are currently assigned to at least one song.
-
+
Delete Topic
-
+
Are you sure you want to delete the selected topic?
-
+
This topic cannot be deleted, it is currently assigned to at least one song.
-
+
Delete Book
-
+
Are you sure you want to delete the selected book?
-
+
This book cannot be deleted, it is currently assigned to at least one song.
@@ -4916,4 +5093,12 @@ The encoding is responsible for the correct character representation.
+
+ ThemeTab
+
+
+ Themes
+
+
+