diff --git a/openlp/core/lib/__init__.py b/openlp/core/lib/__init__.py
index f83e92de7..d9d29efab 100644
--- a/openlp/core/lib/__init__.py
+++ b/openlp/core/lib/__init__.py
@@ -137,7 +137,7 @@ def image_to_byte(image):
# convert to base64 encoding so does not get missed!
return byte_array.toBase64()
-def resize_image(image_path, width, height, background=QtCore.Qt.black):
+def resize_image(image_path, width, height, background):
"""
Resize an image to fit on the current screen.
diff --git a/openlp/core/lib/db.py b/openlp/core/lib/db.py
index 5b4d97feb..2e5d011cf 100644
--- a/openlp/core/lib/db.py
+++ b/openlp/core/lib/db.py
@@ -31,11 +31,13 @@ import logging
import os
from PyQt4 import QtCore
-from sqlalchemy import create_engine, MetaData
-from sqlalchemy.exc import InvalidRequestError
-from sqlalchemy.orm import scoped_session, sessionmaker
+from sqlalchemy import Table, MetaData, Column, types, create_engine
+from sqlalchemy.exc import SQLAlchemyError, InvalidRequestError, DBAPIError
+from sqlalchemy.orm import scoped_session, sessionmaker, mapper
from sqlalchemy.pool import NullPool
+from openlp.core.lib import translate
+from openlp.core.lib.ui import critical_error_message_box
from openlp.core.utils import AppLocation, delete_file
log = logging.getLogger(__name__)
@@ -59,6 +61,64 @@ def init_db(url, auto_flush=True, auto_commit=False):
autocommit=auto_commit, bind=engine))
return session, metadata
+
+def upgrade_db(url, upgrade):
+ """
+ Upgrade a database.
+
+ ``url``
+ The url of the database to upgrade.
+
+ ``upgrade``
+ The python module that contains the upgrade instructions.
+ """
+ session, metadata = init_db(url)
+
+ class Metadata(BaseModel):
+ """
+ Provides a class for the metadata table.
+ """
+ pass
+ load_changes = True
+ try:
+ tables = upgrade.upgrade_setup(metadata)
+ except SQLAlchemyError, DBAPIError:
+ load_changes = False
+ metadata_table = Table(u'metadata', metadata,
+ Column(u'key', types.Unicode(64), primary_key=True),
+ Column(u'value', types.UnicodeText(), default=None)
+ )
+ metadata_table.create(checkfirst=True)
+ mapper(Metadata, metadata_table)
+ version_meta = session.query(Metadata).get(u'version')
+ if version_meta is None:
+ version_meta = Metadata.populate(key=u'version', value=u'0')
+ version = 0
+ else:
+ version = int(version_meta.value)
+ if version > upgrade.__version__:
+ return version, upgrade.__version__
+ version += 1
+ if load_changes:
+ while hasattr(upgrade, u'upgrade_%d' % version):
+ log.debug(u'Running upgrade_%d', version)
+ try:
+ getattr(upgrade, u'upgrade_%d' % version) \
+ (session, metadata, tables)
+ version_meta.value = unicode(version)
+ except SQLAlchemyError, DBAPIError:
+ log.exception(u'Could not run database upgrade script '
+ '"upgrade_%s", upgrade process has been halted.', version)
+ break
+ version += 1
+ else:
+ version_meta = Metadata.populate(key=u'version',
+ value=int(upgrade.__version__))
+ session.add(version_meta)
+ session.commit()
+ return int(version_meta.value), upgrade.__version__
+
+
def delete_database(plugin_name, db_file_name=None):
"""
Remove a database file from the system.
@@ -79,6 +139,7 @@ def delete_database(plugin_name, db_file_name=None):
AppLocation.get_section_data_path(plugin_name), plugin_name)
return delete_file(db_file_path)
+
class BaseModel(object):
"""
BaseModel provides a base object with a set of generic functions
@@ -93,12 +154,12 @@ class BaseModel(object):
instance.__setattr__(key, value)
return instance
-
class Manager(object):
"""
Provide generic object persistence management
"""
- def __init__(self, plugin_name, init_schema, db_file_name=None):
+ def __init__(self, plugin_name, init_schema, db_file_name=None,
+ upgrade_mod=None):
"""
Runs the initialisation process that includes creating the connection
to the database and the tables if they don't exist.
@@ -109,6 +170,9 @@ class Manager(object):
``init_schema``
The init_schema function for this database
+ ``upgrade_schema``
+ The upgrade_schema function for this database
+
``db_file_name``
The file name to use for this database. Defaults to None resulting
in the plugin_name being used.
@@ -134,7 +198,27 @@ class Manager(object):
unicode(settings.value(u'db hostname').toString()),
unicode(settings.value(u'db database').toString()))
settings.endGroup()
- self.session = init_schema(self.db_url)
+ if upgrade_mod:
+ db_ver, up_ver = upgrade_db(self.db_url, upgrade_mod)
+ if db_ver > up_ver:
+ critical_error_message_box(
+ translate('OpenLP.Manager', 'Database Error'),
+ unicode(translate('OpenLP.Manager', 'The database being '
+ 'loaded was created in a more recent version of '
+ 'OpenLP. The database is version %d, while OpenLP '
+ 'expects version %d. The database will not be loaded.'
+ '\n\nDatabase: %s')) % \
+ (db_ver, up_ver, self.db_url)
+ )
+ return
+ try:
+ self.session = init_schema(self.db_url)
+ except:
+ critical_error_message_box(
+ translate('OpenLP.Manager', 'Database Error'),
+ unicode(translate('OpenLP.Manager', 'OpenLP cannot load your '
+ 'database.\n\nDatabase: %s')) % self.db_url
+ )
def save_object(self, object_instance, commit=True):
"""
@@ -223,7 +307,9 @@ class Manager(object):
query = self.session.query(object_class)
if filter_clause is not None:
query = query.filter(filter_clause)
- if order_by_ref is not None:
+ if isinstance(order_by_ref, list):
+ return query.order_by(*order_by_ref).all()
+ elif order_by_ref is not None:
return query.order_by(order_by_ref).all()
return query.all()
diff --git a/openlp/core/lib/imagemanager.py b/openlp/core/lib/imagemanager.py
index 37d1de79c..4d6c90078 100644
--- a/openlp/core/lib/imagemanager.py
+++ b/openlp/core/lib/imagemanager.py
@@ -36,7 +36,7 @@ import Queue
from PyQt4 import QtCore
-from openlp.core.lib import resize_image, image_to_byte
+from openlp.core.lib import resize_image, image_to_byte, Receiver
from openlp.core.ui import ScreenList
log = logging.getLogger(__name__)
@@ -100,12 +100,14 @@ class Image(object):
variables ``image`` and ``image_bytes`` to ``None`` and add the image object
to the queue of images to process.
"""
- def __init__(self, name='', path=''):
+ def __init__(self, name, path, source, background):
self.name = name
self.path = path
self.image = None
self.image_bytes = None
self.priority = Priority.Normal
+ self.source = source
+ self.background = background
class PriorityQueue(Queue.PriorityQueue):
@@ -151,6 +153,8 @@ class ImageManager(QtCore.QObject):
self._cache = {}
self._imageThread = ImageThread(self)
self._conversion_queue = PriorityQueue()
+ QtCore.QObject.connect(Receiver.get_receiver(),
+ QtCore.SIGNAL(u'config_updated'), self.process_updates)
def update_display(self):
"""
@@ -162,12 +166,42 @@ class ImageManager(QtCore.QObject):
self.height = current_screen[u'size'].height()
# Mark the images as dirty for a rebuild by setting the image and byte
# stream to None.
- self._conversion_queue = PriorityQueue()
for key, image in self._cache.iteritems():
- image.priority = Priority.Normal
- image.image = None
- image.image_bytes = None
- self._conversion_queue.put((image.priority, image))
+ self._reset_image(image)
+
+ def update_images(self, image_type, background):
+ """
+ Border has changed so update all the images affected.
+ """
+ log.debug(u'update_images')
+ # Mark the images as dirty for a rebuild by setting the image and byte
+ # stream to None.
+ for key, image in self._cache.iteritems():
+ if image.source == image_type:
+ image.background = background
+ self._reset_image(image)
+
+ def update_image(self, name, image_type, background):
+ """
+ Border has changed so update the image affected.
+ """
+ log.debug(u'update_images')
+ # Mark the images as dirty for a rebuild by setting the image and byte
+ # stream to None.
+ for key, image in self._cache.iteritems():
+ if image.source == image_type and image.name == name:
+ image.background = background
+ self._reset_image(image)
+
+ def _reset_image(self, image):
+ image.image = None
+ image.image_bytes = None
+ self._conversion_queue.modify_priority(image, Priority.Normal)
+
+ def process_updates(self):
+ """
+ Flush the queue to updated any data to update
+ """
# We want only one thread.
if not self._imageThread.isRunning():
self._imageThread.start()
@@ -215,13 +249,13 @@ class ImageManager(QtCore.QObject):
self._conversion_queue.remove(self._cache[name])
del self._cache[name]
- def add_image(self, name, path):
+ def add_image(self, name, path, source, background):
"""
Add image to cache if it is not already there.
"""
log.debug(u'add_image %s:%s' % (name, path))
if not name in self._cache:
- image = Image(name, path)
+ image = Image(name, path, source, background)
self._cache[name] = image
self._conversion_queue.put((image.priority, image))
else:
@@ -247,7 +281,8 @@ class ImageManager(QtCore.QObject):
image = self._conversion_queue.get()[1]
# Generate the QImage for the image.
if image.image is None:
- image.image = resize_image(image.path, self.width, self.height)
+ image.image = resize_image(image.path, self.width, self.height,
+ image.background)
# Set the priority to Lowest and stop here as we need to process
# more important images first.
if image.priority == Priority.Normal:
diff --git a/openlp/core/lib/renderer.py b/openlp/core/lib/renderer.py
index ac7e95c4c..8c63facb8 100644
--- a/openlp/core/lib/renderer.py
+++ b/openlp/core/lib/renderer.py
@@ -27,7 +27,7 @@
import logging
-from PyQt4 import QtCore, QtWebKit
+from PyQt4 import QtGui, QtCore, QtWebKit
from openlp.core.lib import ServiceItem, expand_tags, \
build_lyrics_format_css, build_lyrics_outline_css, Receiver, \
@@ -166,7 +166,8 @@ class Renderer(object):
# if No file do not update cache
if self.theme_data.background_filename:
self.imageManager.add_image(self.theme_data.theme_name,
- self.theme_data.background_filename)
+ self.theme_data.background_filename, u'theme',
+ QtGui.QColor(self.theme_data.background_border_color))
return self._rect, self._rect_footer
def generate_preview(self, theme_data, force_page=False):
@@ -227,15 +228,56 @@ class Renderer(object):
# Clean up line endings.
lines = self._lines_split(text)
pages = self._paginate_slide(lines, line_end)
- if len(pages) > 1:
- # Songs and Custom
- if item.is_capable(ItemCapabilities.AllowsVirtualSplit):
- # Do not forget the line breaks!
- slides = text.split(u'[---]')
- pages = []
- for slide in slides:
- lines = slide.strip(u'\n').split(u'\n')
+ # Songs and Custom
+ if item.is_capable(ItemCapabilities.AllowsVirtualSplit) and \
+ len(pages) > 1 and u'[---]' in text:
+ pages = []
+ while True:
+ # Check if the first two potential virtual slides will fit
+ # (as a whole) on one slide.
+ html_text = expand_tags(
+ u'\n'.join(text.split(u'\n[---]\n', 2)[:-1]))
+ html_text = html_text.replace(u'\n', u'
')
+ if self._text_fits_on_slide(html_text):
+ # The first two virtual slides fit (as a whole) on one
+ # slide. Replace the occurrences of [---].
+ text = text.replace(u'\n[---]', u'', 2)
+ else:
+ # The first two virtual slides did not fit as a whole.
+ # Check if the first virtual slide will fit.
+ html_text = expand_tags(text.split(u'\n[---]\n', 1)[1])
+ html_text = html_text.replace(u'\n', u'
')
+ if self._text_fits_on_slide(html_text):
+ # The first virtual slide fits, so remove it.
+ text = text.replace(u'\n[---]', u'', 1)
+ else:
+ # The first virtual slide does not fit, which means
+ # we have to render the first virtual slide.
+ text_contains_break = u'[---]' in text
+ if text_contains_break:
+ html_text, text = text.split(u'\n[---]\n', 1)
+ else:
+ html_text = text
+ text = u''
+ lines = expand_tags(html_text)
+ lines = lines.strip(u'\n').split(u'\n')
+ slides = self._paginate_slide(lines, line_end)
+ if len(slides) > 1 and text:
+ # Add all slides apart from the last one the
+ # list.
+ pages.extend(slides[:-1])
+ if text_contains_break:
+ text = slides[-1] + u'\n[---]\n' + text
+ else:
+ text = slides[-1] + u'\n'+ text
+ text = text.replace(u'
', u'\n')
+ else:
+ pages.extend(slides)
+ if u'[---]' not in text:
+ lines = expand_tags(text)
+ lines = lines.strip(u'\n').split(u'\n')
pages.extend(self._paginate_slide(lines, line_end))
+ break
new_pages = []
for page in pages:
while page.endswith(u'
'):
@@ -341,7 +383,7 @@ class Renderer(object):
separator = u'
'
html_lines = map(expand_tags, lines)
# Text too long so go to next page.
- if self._text_fits_on_slide(separator.join(html_lines)):
+ if not self._text_fits_on_slide(separator.join(html_lines)):
html_text, previous_raw = self._binary_chop(formatted,
previous_html, previous_raw, html_lines, lines, separator, u'')
else:
@@ -374,18 +416,18 @@ class Renderer(object):
line = line.strip()
html_line = expand_tags(line)
# Text too long so go to next page.
- if self._text_fits_on_slide(previous_html + html_line):
+ if not self._text_fits_on_slide(previous_html + html_line):
# Check if there was a verse before the current one and append
# it, when it fits on the page.
if previous_html:
- if not self._text_fits_on_slide(previous_html):
+ if self._text_fits_on_slide(previous_html):
formatted.append(previous_raw)
previous_html = u''
previous_raw = u''
# Now check if the current verse will fit, if it does
# not we have to start to process the verse word by
# word.
- if not self._text_fits_on_slide(html_line):
+ if self._text_fits_on_slide(html_line):
previous_html = html_line + line_end
previous_raw = line + line_end
continue
@@ -442,7 +484,7 @@ class Renderer(object):
highest_index = len(html_list) - 1
index = int(highest_index / 2)
while True:
- if self._text_fits_on_slide(
+ if not self._text_fits_on_slide(
previous_html + separator.join(html_list[:index + 1]).strip()):
# We know that it does not fit, so change/calculate the
# new index and highest_index accordingly.
@@ -465,8 +507,8 @@ class Renderer(object):
else:
continue
# Check if the remaining elements fit on the slide.
- if not self._text_fits_on_slide(
- separator.join(html_list[index + 1:]).strip()):
+ if self._text_fits_on_slide(
+ separator.join(html_list[index + 1:]).strip()):
previous_html = separator.join(
html_list[index + 1:]).strip() + line_end
previous_raw = separator.join(
@@ -488,11 +530,11 @@ class Renderer(object):
returned, otherwise ``False``.
``text``
- The text to check. It can contain HTML tags.
+ The text to check. It may contain HTML tags.
"""
self.web_frame.evaluateJavaScript(u'show_text("%s")' %
text.replace(u'\\', u'\\\\').replace(u'\"', u'\\\"'))
- return self.web_frame.contentsSize().height() > self.page_height
+ return self.web_frame.contentsSize().height() <= self.page_height
def _words_split(self, line):
"""
diff --git a/openlp/core/lib/serviceitem.py b/openlp/core/lib/serviceitem.py
index 15c16c551..7be28520c 100644
--- a/openlp/core/lib/serviceitem.py
+++ b/openlp/core/lib/serviceitem.py
@@ -115,6 +115,7 @@ class ServiceItem(object):
self.end_time = 0
self.media_length = 0
self.from_service = False
+ self.image_border = u'#000000'
self._new_item()
def _new_item(self):
@@ -195,7 +196,7 @@ class ServiceItem(object):
self.foot_text = \
u'
'.join([footer for footer in self.raw_footer if footer])
- def add_from_image(self, path, title):
+ def add_from_image(self, path, title, background=None):
"""
Add an image slide to the service item.
@@ -205,9 +206,12 @@ class ServiceItem(object):
``title``
A title for the slide in the service item.
"""
+ if background:
+ self.image_border = background
self.service_item_type = ServiceItemType.Image
self._raw_frames.append({u'title': title, u'path': path})
- self.renderer.imageManager.add_image(title, path)
+ self.renderer.imageManager.add_image(title, path, u'image',
+ self.image_border)
self._new_item()
def add_from_text(self, title, raw_slide, verse_tag=None):
diff --git a/openlp/core/lib/theme.py b/openlp/core/lib/theme.py
index c87f9aa2e..3b0a62f5b 100644
--- a/openlp/core/lib/theme.py
+++ b/openlp/core/lib/theme.py
@@ -44,6 +44,7 @@ BLANK_THEME_XML = \
+ #000000
#000000
@@ -282,7 +283,7 @@ class ThemeXML(object):
# Create direction element
self.child_element(background, u'direction', unicode(direction))
- def add_background_image(self, filename):
+ def add_background_image(self, filename, borderColor):
"""
Add a image background.
@@ -294,6 +295,8 @@ class ThemeXML(object):
self.theme.appendChild(background)
# Create Filename element
self.child_element(background, u'filename', filename)
+ # Create endColor element
+ self.child_element(background, u'borderColor', unicode(borderColor))
def add_font(self, name, color, size, override, fonttype=u'main',
bold=u'False', italics=u'False', line_adjustment=0,
@@ -597,7 +600,7 @@ class ThemeXML(object):
self.background_direction)
else:
filename = os.path.split(self.background_filename)[1]
- self.add_background_image(filename)
+ self.add_background_image(filename, self.background_border_color)
self.add_font(self.font_main_name,
self.font_main_color,
self.font_main_size,
diff --git a/openlp/core/ui/aboutdialog.py b/openlp/core/ui/aboutdialog.py
index 3e941c051..f4a732fb6 100644
--- a/openlp/core/ui/aboutdialog.py
+++ b/openlp/core/ui/aboutdialog.py
@@ -116,7 +116,7 @@ class Ui_AboutDialog(object):
u'Scott "sguerrieri" Guerrieri',
u'Matthias "matthub" Hub', u'Meinert "m2j" Jordan',
u'Armin "orangeshirt" K\xf6hler', u'Joshua "milleja46" Miller',
- u'Stevan "StevanP" Pettit', u'Mattias "mahfiaz" P\xf5ldaru',
+ u'Stevan "ElderP" Pettit', u'Mattias "mahfiaz" P\xf5ldaru',
u'Christian "crichter" Richter', u'Philip "Phill" Ridout',
u'Simon "samscudder" Scudder', u'Jeffrey "whydoubt" Smith',
u'Maikel Stuivenberg', u'Frode "frodus" Woldsund']
@@ -125,7 +125,7 @@ class Ui_AboutDialog(object):
packagers = ['Thomas "tabthorpe" Abthorpe (FreeBSD)',
u'Tim "TRB143" Bentley (Fedora)',
u'Matthias "matthub" Hub (Mac OS X)',
- u'Stevan "StevanP" Pettit (Windows)',
+ u'Stevan "ElderP" Pettit (Windows)',
u'Raoul "superfly" Snyman (Ubuntu)']
translators = {
u'af': [u'Johan "nuvolari" Mynhardt'],
diff --git a/openlp/core/ui/maindisplay.py b/openlp/core/ui/maindisplay.py
index 9904868ce..77f2e2f7c 100644
--- a/openlp/core/ui/maindisplay.py
+++ b/openlp/core/ui/maindisplay.py
@@ -228,11 +228,11 @@ class MainDisplay(QtGui.QGraphicsView):
shrinkItem.setVisible(False)
self.setGeometry(self.screen[u'size'])
- def directImage(self, name, path):
+ def directImage(self, name, path, background):
"""
API for replacement backgrounds so Images are added directly to cache
"""
- self.imageManager.add_image(name, path)
+ self.imageManager.add_image(name, path, u'image', background)
if hasattr(self, u'serviceItem'):
self.override[u'image'] = name
self.override[u'theme'] = self.serviceItem.themedata.theme_name
diff --git a/openlp/core/ui/mainwindow.py b/openlp/core/ui/mainwindow.py
index 510a94dfd..1b69e481f 100644
--- a/openlp/core/ui/mainwindow.py
+++ b/openlp/core/ui/mainwindow.py
@@ -28,12 +28,15 @@
import logging
import os
import sys
+import shutil
from tempfile import gettempdir
+from datetime import datetime
from PyQt4 import QtCore, QtGui
from openlp.core.lib import Renderer, build_icon, OpenLPDockWidget, \
- PluginManager, Receiver, translate, ImageManager, PluginStatus
+ PluginManager, Receiver, translate, ImageManager, PluginStatus, \
+ SettingsManager
from openlp.core.lib.ui import UiStrings, base_action, checkable_action, \
icon_action, shortcut_action
from openlp.core.ui import AboutForm, SettingsForm, ServiceManager, \
@@ -213,7 +216,7 @@ class Ui_MainWindow(object):
self.mediaManagerDock.isVisible(), UiStrings().View)
self.viewThemeManagerItem = shortcut_action(mainWindow,
u'viewThemeManagerItem', [QtGui.QKeySequence(u'F10')],
- self.toggleThemeManager, u':/system/system_thememanager.png',
+ self.toggleThemeManager, u':/system/system_thememanager.png',
self.themeManagerDock.isVisible(), UiStrings().View)
self.viewServiceManagerItem = shortcut_action(mainWindow,
u'viewServiceManagerItem', [QtGui.QKeySequence(u'F9')],
@@ -283,6 +286,10 @@ class Ui_MainWindow(object):
self.settingsConfigureItem = icon_action(mainWindow,
u'settingsConfigureItem', u':/system/system_settings.png',
category=UiStrings().Settings)
+ self.settingsImportItem = base_action(mainWindow,
+ u'settingsImportItem', category=UiStrings().Settings)
+ self.settingsExportItem = base_action(mainWindow,
+ u'settingsExportItem', category=UiStrings().Settings)
action_list.add_category(UiStrings().Help, CategoryOrder.standardMenu)
self.aboutItem = shortcut_action(mainWindow, u'aboutItem',
[QtGui.QKeySequence(u'Ctrl+F1')], self.onAboutItemClicked,
@@ -300,15 +307,15 @@ class Ui_MainWindow(object):
u':/system/system_online_help.png', category=UiStrings().Help)
self.webSiteItem = base_action(
mainWindow, u'webSiteItem', category=UiStrings().Help)
- add_actions(self.fileImportMenu,
- (self.importThemeItem, self.importLanguageItem))
- add_actions(self.fileExportMenu,
- (self.exportThemeItem, self.exportLanguageItem))
+ add_actions(self.fileImportMenu, (self.settingsImportItem, None,
+ self.importThemeItem, self.importLanguageItem))
+ add_actions(self.fileExportMenu, (self.settingsExportItem, None,
+ self.exportThemeItem, self.exportLanguageItem))
add_actions(self.fileMenu, (self.fileNewItem, self.fileOpenItem,
- self.fileSaveItem, self.fileSaveAsItem, None,
- self.recentFilesMenu.menuAction(), None, self.printServiceOrderItem,
- None, self.fileImportMenu.menuAction(),
- self.fileExportMenu.menuAction(), self.fileExitItem))
+ self.fileSaveItem, self.fileSaveAsItem,
+ self.recentFilesMenu.menuAction(), None,
+ self.fileImportMenu.menuAction(), self.fileExportMenu.menuAction(),
+ None, self.printServiceOrderItem, self.fileExitItem))
add_actions(self.viewModeMenu, (self.modeDefaultItem,
self.modeSetupItem, self.modeLiveItem))
add_actions(self.viewMenu, (self.viewModeMenu.menuAction(),
@@ -356,6 +363,7 @@ class Ui_MainWindow(object):
self.importLanguageItem.setVisible(False)
self.exportLanguageItem.setVisible(False)
self.setLockPanel(panelLocked)
+ self.settingsImported = False
def retranslateUi(self, mainWindow):
"""
@@ -416,9 +424,18 @@ class Ui_MainWindow(object):
self.settingsShortcutsItem.setText(
translate('OpenLP.MainWindow', 'Configure &Shortcuts...'))
self.formattingTagItem.setText(
- translate('OpenLP.MainWindow', '&Configure Formatting Tags...'))
+ translate('OpenLP.MainWindow', 'Configure &Formatting Tags...'))
self.settingsConfigureItem.setText(
translate('OpenLP.MainWindow', '&Configure OpenLP...'))
+ self.settingsExportItem.setStatusTip(translate('OpenLP.MainWindow',
+ 'Export OpenLP settings to a specified *.config file'))
+ self.settingsExportItem.setText(
+ translate('OpenLP.MainWindow', 'Settings'))
+ self.settingsImportItem.setStatusTip(translate('OpenLP.MainWindow',
+ 'Import OpenLP settings from a specified *.config file previously '
+ 'exported on this or another machine'))
+ self.settingsImportItem.setText(
+ translate('OpenLP.MainWindow', 'Settings'))
self.viewMediaManagerItem.setText(
translate('OpenLP.MainWindow', '&Media Manager'))
self.viewMediaManagerItem.setToolTip(
@@ -522,8 +539,12 @@ class MainWindow(QtGui.QMainWindow, Ui_MainWindow):
# (not for use by plugins)
self.uiSettingsSection = u'user interface'
self.generalSettingsSection = u'general'
- self.serviceSettingsSection = u'servicemanager'
+ self.advancedlSettingsSection = u'advanced'
+ self.servicemanagerSettingsSection = u'servicemanager'
self.songsSettingsSection = u'songs'
+ self.themesSettingsSection = u'themes'
+ self.displayTagsSection = u'displayTags'
+ self.headerSection = u'SettingsImport'
self.serviceNotSaved = False
self.aboutForm = AboutForm(self)
self.settingsForm = SettingsForm(self, self)
@@ -572,6 +593,10 @@ class MainWindow(QtGui.QMainWindow, Ui_MainWindow):
QtCore.SIGNAL(u'triggered()'), self.onSettingsConfigureItemClicked)
QtCore.QObject.connect(self.settingsShortcutsItem,
QtCore.SIGNAL(u'triggered()'), self.onSettingsShortcutsItemClicked)
+ QtCore.QObject.connect(self.settingsImportItem,
+ QtCore.SIGNAL(u'triggered()'), self.onSettingsImportItemClicked)
+ QtCore.QObject.connect(self.settingsExportItem,
+ QtCore.SIGNAL(u'triggered()'), self.onSettingsExportItemClicked)
# i18n set signals for languages
self.languageGroup.triggered.connect(LanguageManager.set_language)
QtCore.QObject.connect(self.modeDefaultItem,
@@ -726,11 +751,7 @@ class MainWindow(QtGui.QMainWindow, Ui_MainWindow):
plugin.firstTime()
Receiver.send_message(u'openlp_process_events')
temp_dir = os.path.join(unicode(gettempdir()), u'openlp')
- if not os.path.exists(temp_dir):
- return
- for filename in os.listdir(temp_dir):
- delete_file(os.path.join(temp_dir, filename))
- os.removedirs(temp_dir)
+ shutil.rmtree(temp_dir, True)
def onFirstTimeWizardClicked(self):
"""
@@ -871,6 +892,172 @@ class MainWindow(QtGui.QMainWindow, Ui_MainWindow):
if self.shortcutForm.exec_():
self.shortcutForm.save()
+ def onSettingsImportItemClicked(self):
+ """
+ Import settings from an export INI file
+ """
+ answer = QtGui.QMessageBox.critical(self,
+ translate('OpenLP.MainWindow', 'Import settings?'),
+ translate('OpenLP.MainWindow',
+ 'Are you sure you want to import settings?\n\n'
+ 'Importing settings will make permanent changes to your current '
+ 'OpenLP configuration.\n\n'
+ 'Importing incorrect settings may cause erratic behaviour or '
+ 'OpenLP to terminate abnormally.'),
+ QtGui.QMessageBox.StandardButtons(
+ QtGui.QMessageBox.Yes |
+ QtGui.QMessageBox.No),
+ QtGui.QMessageBox.No)
+ if answer == QtGui.QMessageBox.No:
+ return
+ importFileName = unicode(QtGui.QFileDialog.getOpenFileName(self,
+ translate('OpenLP.MainWindow', 'Open File'),
+ '',
+ translate('OpenLP.MainWindow',
+ 'OpenLP Export Settings Files (*.conf)')))
+ if not importFileName:
+ return
+ settingSections = []
+ # Add main sections.
+ settingSections.extend([self.generalSettingsSection])
+ settingSections.extend([self.advancedlSettingsSection])
+ settingSections.extend([self.uiSettingsSection])
+ settingSections.extend([self.servicemanagerSettingsSection])
+ settingSections.extend([self.themesSettingsSection])
+ settingSections.extend([self.displayTagsSection])
+ settingSections.extend([self.headerSection])
+ # Add plugin sections.
+ for plugin in self.pluginManager.plugins:
+ settingSections.extend([plugin.name])
+ settings = QtCore.QSettings()
+ importSettings = QtCore.QSettings(importFileName,
+ QtCore.QSettings.IniFormat)
+ importKeys = importSettings.allKeys()
+ for sectionKey in importKeys:
+ # We need to handle the really bad files.
+ try:
+ section, key = sectionKey.split(u'/')
+ except ValueError:
+ section = u'unknown'
+ key = u''
+ # Switch General back to lowercase.
+ if section == u'General':
+ section = u'general'
+ sectionKey = section + "/" + key
+ # Make sure it's a valid section for us.
+ if not section in settingSections:
+ QtGui.QMessageBox.critical(self,
+ translate('OpenLP.MainWindow', 'Import settings'),
+ translate('OpenLP.MainWindow',
+ 'The file you selected does appear to be a valid OpenLP '
+ 'settings file.\n\n'
+ 'Section [%s] is not valid \n\n'
+ 'Processing has terminated and no changed have been made.'
+ % section),
+ QtGui.QMessageBox.StandardButtons(
+ QtGui.QMessageBox.Ok))
+ return
+ # We have a good file, import it.
+ for sectionKey in importKeys:
+ value = importSettings.value(sectionKey)
+ settings.setValue(u'%s' % (sectionKey) ,
+ QtCore.QVariant(value))
+ now = datetime.now()
+ settings.beginGroup(self.headerSection)
+ settings.setValue( u'file_imported' , QtCore.QVariant(importFileName))
+ settings.setValue(u'file_date_imported',
+ now.strftime("%Y-%m-%d %H:%M"))
+ settings.endGroup()
+ settings.sync()
+ # We must do an immediate restart or current configuration will
+ # overwrite what was just imported when application terminates
+ # normally. We need to exit without saving configuration.
+ QtGui.QMessageBox.information(self,
+ translate('OpenLP.MainWindow', 'Import settings'),
+ translate('OpenLP.MainWindow',
+ 'OpenLP will now close. Imported settings will '
+ 'be applied the next time you start OpenLP.'),
+ QtGui.QMessageBox.StandardButtons(
+ QtGui.QMessageBox.Ok))
+ self.settingsImported = True
+ self.cleanUp()
+ QtCore.QCoreApplication.exit()
+
+ def onSettingsExportItemClicked(self, exportFileName=None):
+ """
+ Export settings to an INI file
+ """
+ if not exportFileName:
+ exportFileName = unicode(QtGui.QFileDialog.getSaveFileName(self,
+ translate('OpenLP.MainWindow', 'Export Settings File'), '',
+ translate('OpenLP.MainWindow',
+ 'OpenLP Export Settings File (*.conf)')))
+ if not exportFileName:
+ return
+ # Make sure it's an .ini file.
+ if not exportFileName.endswith(u'conf'):
+ exportFileName = exportFileName + u'.conf'
+ temp_file = os.path.join(unicode(gettempdir()),
+ u'openlp', u'exportIni.tmp')
+ self.saveSettings()
+ settingSections = []
+ # Add main sections.
+ settingSections.extend([self.generalSettingsSection])
+ settingSections.extend([self.advancedlSettingsSection])
+ settingSections.extend([self.uiSettingsSection])
+ settingSections.extend([self.servicemanagerSettingsSection])
+ settingSections.extend([self.themesSettingsSection])
+ settingSections.extend([self.displayTagsSection])
+ # Add plugin sections.
+ for plugin in self.pluginManager.plugins:
+ settingSections.extend([plugin.name])
+ # Delete old files if found.
+ if os.path.exists(temp_file):
+ os.remove(temp_file)
+ if os.path.exists(exportFileName):
+ os.remove(exportFileName)
+ settings = QtCore.QSettings()
+ settings.remove(self.headerSection)
+ # Get the settings.
+ keys = settings.allKeys()
+ exportSettings = QtCore.QSettings(temp_file,
+ QtCore.QSettings.IniFormat)
+ # Add a header section.
+ # This is to insure it's our ini file for import.
+ now = datetime.now()
+ applicationVersion = get_application_version()
+ # Write INI format using Qsettings.
+ # Write our header.
+ exportSettings.beginGroup(self.headerSection)
+ exportSettings.setValue(u'Make_Changes', u'At_Own_RISK')
+ exportSettings.setValue(u'type', u'OpenLP_settings_export')
+ exportSettings.setValue(u'file_date_created',
+ now.strftime("%Y-%m-%d %H:%M"))
+ exportSettings.setValue(u'version', applicationVersion[u'full'])
+ exportSettings.endGroup()
+ # Write all the sections and keys.
+ for sectionKey in keys:
+ section, key = sectionKey.split(u'/')
+ keyValue = settings.value(sectionKey)
+ sectionKey = section + u"/" + key
+ # Change the service section to servicemanager.
+ if section == u'service':
+ sectionKey = u'servicemanager/' + key
+ exportSettings.setValue(sectionKey, keyValue)
+ exportSettings.sync()
+ # Temp INI file has been written. Blanks in keys are now '%20'.
+ # Read the temp file and output the user's INI file with blanks to
+ # make it more readable.
+ tempIni = open(temp_file, u'r')
+ exportIni = open(exportFileName, u'w')
+ for fileRecord in tempIni:
+ fileRecord = fileRecord.replace(u'%20', u' ')
+ exportIni.write(fileRecord)
+ tempIni.close()
+ exportIni.close()
+ os.remove(temp_file)
+ return
+
def onModeDefaultItemClicked(self):
"""
Put OpenLP into "Default" view mode.
@@ -923,6 +1110,9 @@ class MainWindow(QtGui.QMainWindow, Ui_MainWindow):
"""
Hook to close the main window and display windows on exit
"""
+ # If we just did a settings import, close without saving changes.
+ if self.settingsImported:
+ event.accept()
if self.serviceManagerContents.isModified():
ret = self.serviceManagerContents.saveModifiedService()
if ret == QtGui.QMessageBox.Save:
@@ -1120,6 +1310,9 @@ class MainWindow(QtGui.QMainWindow, Ui_MainWindow):
"""
Save the main window settings.
"""
+ # Exit if we just did a settings import.
+ if self.settingsImported:
+ return
log.debug(u'Saving QSettings')
settings = QtCore.QSettings()
settings.beginGroup(self.generalSettingsSection)
diff --git a/openlp/core/ui/printserviceform.py b/openlp/core/ui/printserviceform.py
index 55fc6eb3c..c08b6293e 100644
--- a/openlp/core/ui/printserviceform.py
+++ b/openlp/core/ui/printserviceform.py
@@ -31,7 +31,7 @@ import os
from PyQt4 import QtCore, QtGui
from lxml import html
-from openlp.core.lib import translate, get_text_file_string
+from openlp.core.lib import translate, get_text_file_string, Receiver
from openlp.core.lib.ui import UiStrings
from openlp.core.ui.printservicedialog import Ui_PrintServiceDialog, ZoomSize
from openlp.core.utils import AppLocation
@@ -327,12 +327,14 @@ class PrintServiceForm(QtGui.QDialog, Ui_PrintServiceDialog):
"""
Copies the display text to the clipboard as plain text
"""
+ self.update_song_usage()
self.mainWindow.clipboard.setText(self.document.toPlainText())
def copyHtmlText(self):
"""
Copies the display text to the clipboard as Html
"""
+ self.update_song_usage()
self.mainWindow.clipboard.setText(self.document.toHtml())
def printServiceOrder(self):
@@ -341,6 +343,7 @@ class PrintServiceForm(QtGui.QDialog, Ui_PrintServiceDialog):
"""
if not self.printDialog.exec_():
return
+ self.update_song_usage()
# Print the document.
self.document.print_(self.printer)
@@ -397,3 +400,9 @@ class PrintServiceForm(QtGui.QDialog, Ui_PrintServiceDialog):
settings.setValue(u'print notes',
QtCore.QVariant(self.notesCheckBox.isChecked()))
settings.endGroup()
+
+ def update_song_usage(self):
+ for index, item in enumerate(self.serviceManager.serviceItems):
+ # Trigger Audit requests
+ Receiver.send_message(u'print_service_started',
+ [item[u'service_item']])
diff --git a/openlp/core/ui/servicemanager.py b/openlp/core/ui/servicemanager.py
index 5bb396bf1..20edab792 100644
--- a/openlp/core/ui/servicemanager.py
+++ b/openlp/core/ui/servicemanager.py
@@ -290,7 +290,7 @@ class ServiceManager(QtGui.QWidget):
QtCore.SIGNAL(u'service_item_update'), self.serviceItemUpdate)
# Last little bits of setting up
self.service_theme = unicode(QtCore.QSettings().value(
- self.mainwindow.serviceSettingsSection + u'/service theme',
+ self.mainwindow.servicemanagerSettingsSection + u'/service theme',
QtCore.QVariant(u'')).toString())
self.servicePath = AppLocation.get_section_data_path(u'servicemanager')
# build the drag and drop context menu
@@ -371,7 +371,7 @@ class ServiceManager(QtGui.QWidget):
self.mainwindow.setServiceModified(self.isModified(),
self.shortFileName())
QtCore.QSettings(). \
- setValue(u'service/last file',QtCore.QVariant(fileName))
+ setValue(u'servicemanager/last file',QtCore.QVariant(fileName))
def fileName(self):
"""
@@ -429,14 +429,15 @@ class ServiceManager(QtGui.QWidget):
self.mainwindow,
translate('OpenLP.ServiceManager', 'Open File'),
SettingsManager.get_last_dir(
- self.mainwindow.serviceSettingsSection),
+ self.mainwindow.servicemanagerSettingsSection),
translate('OpenLP.ServiceManager',
'OpenLP Service Files (*.osz)')))
if not fileName:
return False
else:
fileName = loadFile
- SettingsManager.set_last_dir(self.mainwindow.serviceSettingsSection,
+ SettingsManager.set_last_dir(
+ self.mainwindow.servicemanagerSettingsSection,
split_filename(fileName)[0])
self.loadFile(fileName)
@@ -461,7 +462,7 @@ class ServiceManager(QtGui.QWidget):
self.setFileName(u'')
self.setModified(False)
QtCore.QSettings(). \
- setValue(u'service/last file',QtCore.QVariant(u''))
+ setValue(u'servicemanager/last file',QtCore.QVariant(u''))
def saveFile(self):
"""
@@ -474,7 +475,8 @@ class ServiceManager(QtGui.QWidget):
(basename, extension) = os.path.splitext(file_name)
service_file_name = basename + '.osd'
log.debug(u'ServiceManager.saveFile - %s' % path_file_name)
- SettingsManager.set_last_dir(self.mainwindow.serviceSettingsSection,
+ SettingsManager.set_last_dir(
+ self.mainwindow.servicemanagerSettingsSection,
path)
service = []
write_list = []
@@ -562,7 +564,7 @@ class ServiceManager(QtGui.QWidget):
fileName = unicode(QtGui.QFileDialog.getSaveFileName(self.mainwindow,
UiStrings().SaveService,
SettingsManager.get_last_dir(
- self.mainwindow.serviceSettingsSection),
+ self.mainwindow.servicemanagerSettingsSection),
translate('OpenLP.ServiceManager', 'OpenLP Service Files (*.osz)')))
if not fileName:
return False
@@ -621,7 +623,7 @@ class ServiceManager(QtGui.QWidget):
self.mainwindow.addRecentFile(fileName)
self.setModified(False)
QtCore.QSettings().setValue(
- 'service/last file', QtCore.QVariant(fileName))
+ 'servicemanager/last file', QtCore.QVariant(fileName))
else:
critical_error_message_box(
message=translate('OpenLP.ServiceManager',
@@ -663,7 +665,7 @@ class ServiceManager(QtGui.QWidget):
present.
"""
fileName = QtCore.QSettings(). \
- value(u'service/last file',QtCore.QVariant(u'')).toString()
+ value(u'servicemanager/last file',QtCore.QVariant(u'')).toString()
if fileName:
self.loadFile(fileName)
@@ -1005,7 +1007,8 @@ class ServiceManager(QtGui.QWidget):
self.service_theme = unicode(self.themeComboBox.currentText())
self.mainwindow.renderer.set_service_theme(self.service_theme)
QtCore.QSettings().setValue(
- self.mainwindow.serviceSettingsSection + u'/service theme',
+ self.mainwindow.servicemanagerSettingsSection +
+ u'/service theme',
QtCore.QVariant(self.service_theme))
self.regenerateServiceItems()
diff --git a/openlp/core/ui/themeform.py b/openlp/core/ui/themeform.py
index d5d955926..dc3c23d0d 100644
--- a/openlp/core/ui/themeform.py
+++ b/openlp/core/ui/themeform.py
@@ -66,6 +66,8 @@ class ThemeForm(QtGui.QWizard, Ui_ThemeWizard):
self.onGradientComboBoxCurrentIndexChanged)
QtCore.QObject.connect(self.colorButton,
QtCore.SIGNAL(u'clicked()'), self.onColorButtonClicked)
+ QtCore.QObject.connect(self.imageColorButton,
+ QtCore.SIGNAL(u'clicked()'), self.onImageColorButtonClicked)
QtCore.QObject.connect(self.gradientStartButton,
QtCore.SIGNAL(u'clicked()'), self.onGradientStartButtonClicked)
QtCore.QObject.connect(self.gradientEndButton,
@@ -330,6 +332,8 @@ class ThemeForm(QtGui.QWizard, Ui_ThemeWizard):
self.theme.background_end_color)
self.setField(u'background_type', QtCore.QVariant(1))
else:
+ self.imageColorButton.setStyleSheet(u'background-color: %s' %
+ self.theme.background_border_color)
self.imageFileEdit.setText(self.theme.background_filename)
self.setField(u'background_type', QtCore.QVariant(2))
if self.theme.background_direction == \
@@ -464,6 +468,14 @@ class ThemeForm(QtGui.QWizard, Ui_ThemeWizard):
self._colorButton(self.theme.background_color)
self.setBackgroundPageValues()
+ def onImageColorButtonClicked(self):
+ """
+ Background / Gradient 1 Color button pushed.
+ """
+ self.theme.background_border_color = \
+ self._colorButton(self.theme.background_border_color)
+ self.setBackgroundPageValues()
+
def onGradientStartButtonClicked(self):
"""
Gradient 2 Color button pushed.
@@ -564,7 +576,7 @@ class ThemeForm(QtGui.QWizard, Ui_ThemeWizard):
def accept(self):
"""
- Lets save the them as Finish has been pressed
+ Lets save the theme as Finish has been pressed
"""
# Save the theme name
self.theme.theme_name = unicode(self.field(u'name').toString())
diff --git a/openlp/core/ui/thememanager.py b/openlp/core/ui/thememanager.py
index 69c229532..fdd0d74f3 100644
--- a/openlp/core/ui/thememanager.py
+++ b/openlp/core/ui/thememanager.py
@@ -610,6 +610,11 @@ class ThemeManager(QtGui.QWidget):
and to trigger the reload of the theme list
"""
self._writeTheme(theme, imageFrom, imageTo)
+ if theme.background_type == \
+ BackgroundType.to_string(BackgroundType.Image):
+ self.mainwindow.imageManager.update_image(theme.theme_name,
+ u'theme', QtGui.QColor(theme.background_border_color))
+ self.mainwindow.imageManager.process_updates()
self.loadThemes()
def _writeTheme(self, theme, imageFrom, imageTo):
diff --git a/openlp/core/ui/themewizard.py b/openlp/core/ui/themewizard.py
index 27ac3a182..6001c83d6 100644
--- a/openlp/core/ui/themewizard.py
+++ b/openlp/core/ui/themewizard.py
@@ -105,6 +105,11 @@ class Ui_ThemeWizard(object):
self.imageLayout = QtGui.QFormLayout(self.imageWidget)
self.imageLayout.setMargin(0)
self.imageLayout.setObjectName(u'ImageLayout')
+ self.imageColorLabel = QtGui.QLabel(self.colorWidget)
+ self.imageColorLabel.setObjectName(u'ImageColorLabel')
+ self.imageColorButton = QtGui.QPushButton(self.colorWidget)
+ self.imageColorButton.setObjectName(u'ImageColorButton')
+ self.imageLayout.addRow(self.imageColorLabel, self.imageColorButton)
self.imageLabel = QtGui.QLabel(self.imageWidget)
self.imageLabel.setObjectName(u'ImageLabel')
self.imageFileLayout = QtGui.QHBoxLayout()
@@ -118,7 +123,7 @@ class Ui_ThemeWizard(object):
build_icon(u':/general/general_open.png'))
self.imageFileLayout.addWidget(self.imageBrowseButton)
self.imageLayout.addRow(self.imageLabel, self.imageFileLayout)
- self.imageLayout.setItem(1, QtGui.QFormLayout.LabelRole, self.spacer)
+ self.imageLayout.setItem(2, QtGui.QFormLayout.LabelRole, self.spacer)
self.backgroundStack.addWidget(self.imageWidget)
self.backgroundLayout.addLayout(self.backgroundStack)
themeWizard.addPage(self.backgroundPage)
@@ -443,6 +448,8 @@ class Ui_ThemeWizard(object):
translate('OpenLP.ThemeWizard', 'Top Left - Bottom Right'))
self.gradientComboBox.setItemText(BackgroundGradientType.LeftBottom,
translate('OpenLP.ThemeWizard', 'Bottom Left - Top Right'))
+ self.imageColorLabel.setText(
+ translate(u'OpenLP.ThemeWizard', 'Background color:'))
self.imageLabel.setText(u'%s:' % UiStrings().Image)
self.mainAreaPage.setTitle(
translate('OpenLP.ThemeWizard', 'Main Area Font Details'))
diff --git a/openlp/core/utils/__init__.py b/openlp/core/utils/__init__.py
index b0a28962c..3612bb002 100644
--- a/openlp/core/utils/__init__.py
+++ b/openlp/core/utils/__init__.py
@@ -386,6 +386,17 @@ def split_filename(path):
else:
return os.path.split(path)
+def clean_filename(filename):
+ """
+ Removes invalid characters from the given ``filename``.
+
+ ``filename``
+ The "dirty" file name to clean.
+ """
+ if not isinstance(filename, unicode):
+ filename = unicode(filename, u'utf-8')
+ return re.sub(r'[/\\?*|<>\[\]":<>+%]+', u'_', filename).strip(u'_')
+
def delete_file(file_path_name):
"""
Deletes a file from the system.
@@ -492,4 +503,4 @@ from actions import ActionList
__all__ = [u'AppLocation', u'get_application_version', u'check_latest_version',
u'add_actions', u'get_filesystem_encoding', u'LanguageManager',
u'ActionList', u'get_web_page', u'file_is_unicode', u'get_uno_command',
- u'get_uno_instance', u'delete_file']
+ u'get_uno_instance', u'delete_file', u'clean_filename']
diff --git a/openlp/plugins/alerts/lib/alertstab.py b/openlp/plugins/alerts/lib/alertstab.py
index 0a1eb3e75..15577fd0e 100644
--- a/openlp/plugins/alerts/lib/alertstab.py
+++ b/openlp/plugins/alerts/lib/alertstab.py
@@ -44,85 +44,85 @@ class AlertsTab(SettingsTab):
self.fontGroupBox.setObjectName(u'fontGroupBox')
self.fontLayout = QtGui.QFormLayout(self.fontGroupBox)
self.fontLayout.setObjectName(u'fontLayout')
- self.FontLabel = QtGui.QLabel(self.fontGroupBox)
- self.FontLabel.setObjectName(u'FontLabel')
- self.FontComboBox = QtGui.QFontComboBox(self.fontGroupBox)
- self.FontComboBox.setObjectName(u'FontComboBox')
- self.fontLayout.addRow(self.FontLabel, self.FontComboBox)
- self.FontColorLabel = QtGui.QLabel(self.fontGroupBox)
- self.FontColorLabel.setObjectName(u'FontColorLabel')
- self.ColorLayout = QtGui.QHBoxLayout()
- self.ColorLayout.setObjectName(u'ColorLayout')
- self.FontColorButton = QtGui.QPushButton(self.fontGroupBox)
- self.FontColorButton.setObjectName(u'FontColorButton')
- self.ColorLayout.addWidget(self.FontColorButton)
- self.ColorLayout.addSpacing(20)
- self.BackgroundColorLabel = QtGui.QLabel(self.fontGroupBox)
- self.BackgroundColorLabel.setObjectName(u'BackgroundColorLabel')
- self.ColorLayout.addWidget(self.BackgroundColorLabel)
- self.BackgroundColorButton = QtGui.QPushButton(self.fontGroupBox)
- self.BackgroundColorButton.setObjectName(u'BackgroundColorButton')
- self.ColorLayout.addWidget(self.BackgroundColorButton)
- self.fontLayout.addRow(self.FontColorLabel, self.ColorLayout)
- self.FontSizeLabel = QtGui.QLabel(self.fontGroupBox)
- self.FontSizeLabel.setObjectName(u'FontSizeLabel')
- self.FontSizeSpinBox = QtGui.QSpinBox(self.fontGroupBox)
- self.FontSizeSpinBox.setObjectName(u'FontSizeSpinBox')
- self.fontLayout.addRow(self.FontSizeLabel, self.FontSizeSpinBox)
- self.TimeoutLabel = QtGui.QLabel(self.fontGroupBox)
- self.TimeoutLabel.setObjectName(u'TimeoutLabel')
- self.TimeoutSpinBox = QtGui.QSpinBox(self.fontGroupBox)
- self.TimeoutSpinBox.setMaximum(180)
- self.TimeoutSpinBox.setObjectName(u'TimeoutSpinBox')
- self.fontLayout.addRow(self.TimeoutLabel, self.TimeoutSpinBox)
+ self.fontLabel = QtGui.QLabel(self.fontGroupBox)
+ self.fontLabel.setObjectName(u'fontLabel')
+ self.fontComboBox = QtGui.QFontComboBox(self.fontGroupBox)
+ self.fontComboBox.setObjectName(u'fontComboBox')
+ self.fontLayout.addRow(self.fontLabel, self.fontComboBox)
+ self.fontColorLabel = QtGui.QLabel(self.fontGroupBox)
+ self.fontColorLabel.setObjectName(u'fontColorLabel')
+ self.colorLayout = QtGui.QHBoxLayout()
+ self.colorLayout.setObjectName(u'colorLayout')
+ self.fontColorButton = QtGui.QPushButton(self.fontGroupBox)
+ self.fontColorButton.setObjectName(u'fontColorButton')
+ self.colorLayout.addWidget(self.fontColorButton)
+ self.colorLayout.addSpacing(20)
+ self.backgroundColorLabel = QtGui.QLabel(self.fontGroupBox)
+ self.backgroundColorLabel.setObjectName(u'backgroundColorLabel')
+ self.colorLayout.addWidget(self.backgroundColorLabel)
+ self.backgroundColorButton = QtGui.QPushButton(self.fontGroupBox)
+ self.backgroundColorButton.setObjectName(u'backgroundColorButton')
+ self.colorLayout.addWidget(self.backgroundColorButton)
+ self.fontLayout.addRow(self.fontColorLabel, self.colorLayout)
+ self.fontSizeLabel = QtGui.QLabel(self.fontGroupBox)
+ self.fontSizeLabel.setObjectName(u'fontSizeLabel')
+ self.fontSizeSpinBox = QtGui.QSpinBox(self.fontGroupBox)
+ self.fontSizeSpinBox.setObjectName(u'fontSizeSpinBox')
+ self.fontLayout.addRow(self.fontSizeLabel, self.fontSizeSpinBox)
+ self.timeoutLabel = QtGui.QLabel(self.fontGroupBox)
+ self.timeoutLabel.setObjectName(u'timeoutLabel')
+ self.timeoutSpinBox = QtGui.QSpinBox(self.fontGroupBox)
+ self.timeoutSpinBox.setMaximum(180)
+ self.timeoutSpinBox.setObjectName(u'timeoutSpinBox')
+ self.fontLayout.addRow(self.timeoutLabel, self.timeoutSpinBox)
create_valign_combo(self, self.fontGroupBox, self.fontLayout)
self.leftLayout.addWidget(self.fontGroupBox)
self.leftLayout.addStretch()
- self.PreviewGroupBox = QtGui.QGroupBox(self.rightColumn)
- self.PreviewGroupBox.setObjectName(u'PreviewGroupBox')
- self.PreviewLayout = QtGui.QVBoxLayout(self.PreviewGroupBox)
- self.PreviewLayout.setObjectName(u'PreviewLayout')
- self.FontPreview = QtGui.QLineEdit(self.PreviewGroupBox)
- self.FontPreview.setObjectName(u'FontPreview')
- self.PreviewLayout.addWidget(self.FontPreview)
- self.rightLayout.addWidget(self.PreviewGroupBox)
+ self.previewGroupBox = QtGui.QGroupBox(self.rightColumn)
+ self.previewGroupBox.setObjectName(u'previewGroupBox')
+ self.previewLayout = QtGui.QVBoxLayout(self.previewGroupBox)
+ self.previewLayout.setObjectName(u'previewLayout')
+ self.fontPreview = QtGui.QLineEdit(self.previewGroupBox)
+ self.fontPreview.setObjectName(u'fontPreview')
+ self.previewLayout.addWidget(self.fontPreview)
+ self.rightLayout.addWidget(self.previewGroupBox)
self.rightLayout.addStretch()
# Signals and slots
- QtCore.QObject.connect(self.BackgroundColorButton,
+ QtCore.QObject.connect(self.backgroundColorButton,
QtCore.SIGNAL(u'pressed()'), self.onBackgroundColorButtonClicked)
- QtCore.QObject.connect(self.FontColorButton,
+ QtCore.QObject.connect(self.fontColorButton,
QtCore.SIGNAL(u'pressed()'), self.onFontColorButtonClicked)
- QtCore.QObject.connect(self.FontComboBox,
+ QtCore.QObject.connect(self.fontComboBox,
QtCore.SIGNAL(u'activated(int)'), self.onFontComboBoxClicked)
- QtCore.QObject.connect(self.TimeoutSpinBox,
+ QtCore.QObject.connect(self.timeoutSpinBox,
QtCore.SIGNAL(u'valueChanged(int)'), self.onTimeoutSpinBoxChanged)
- QtCore.QObject.connect(self.FontSizeSpinBox,
+ QtCore.QObject.connect(self.fontSizeSpinBox,
QtCore.SIGNAL(u'valueChanged(int)'), self.onFontSizeSpinBoxChanged)
def retranslateUi(self):
self.fontGroupBox.setTitle(
translate('AlertsPlugin.AlertsTab', 'Font'))
- self.FontLabel.setText(
+ self.fontLabel.setText(
translate('AlertsPlugin.AlertsTab', 'Font name:'))
- self.FontColorLabel.setText(
+ self.fontColorLabel.setText(
translate('AlertsPlugin.AlertsTab', 'Font color:'))
- self.BackgroundColorLabel.setText(
+ self.backgroundColorLabel.setText(
translate('AlertsPlugin.AlertsTab', 'Background color:'))
- self.FontSizeLabel.setText(
+ self.fontSizeLabel.setText(
translate('AlertsPlugin.AlertsTab', 'Font size:'))
- self.FontSizeSpinBox.setSuffix(UiStrings().FontSizePtUnit)
- self.TimeoutLabel.setText(
+ self.fontSizeSpinBox.setSuffix(UiStrings().FontSizePtUnit)
+ self.timeoutLabel.setText(
translate('AlertsPlugin.AlertsTab', 'Alert timeout:'))
- self.TimeoutSpinBox.setSuffix(UiStrings().Seconds)
- self.PreviewGroupBox.setTitle(UiStrings().Preview)
- self.FontPreview.setText(UiStrings().OLPV2)
+ self.timeoutSpinBox.setSuffix(UiStrings().Seconds)
+ self.previewGroupBox.setTitle(UiStrings().Preview)
+ self.fontPreview.setText(UiStrings().OLPV2)
def onBackgroundColorButtonClicked(self):
new_color = QtGui.QColorDialog.getColor(
QtGui.QColor(self.bg_color), self)
if new_color.isValid():
self.bg_color = new_color.name()
- self.BackgroundColorButton.setStyleSheet(
+ self.backgroundColorButton.setStyleSheet(
u'background-color: %s' % self.bg_color)
self.updateDisplay()
@@ -134,15 +134,15 @@ class AlertsTab(SettingsTab):
QtGui.QColor(self.font_color), self)
if new_color.isValid():
self.font_color = new_color.name()
- self.FontColorButton.setStyleSheet(
+ self.fontColorButton.setStyleSheet(
u'background-color: %s' % self.font_color)
self.updateDisplay()
def onTimeoutSpinBoxChanged(self):
- self.timeout = self.TimeoutSpinBox.value()
+ self.timeout = self.timeoutSpinBox.value()
def onFontSizeSpinBoxChanged(self):
- self.font_size = self.FontSizeSpinBox.value()
+ self.font_size = self.fontSizeSpinBox.value()
self.updateDisplay()
def load(self):
@@ -160,16 +160,16 @@ class AlertsTab(SettingsTab):
self.location = settings.value(
u'location', QtCore.QVariant(1)).toInt()[0]
settings.endGroup()
- self.FontSizeSpinBox.setValue(self.font_size)
- self.TimeoutSpinBox.setValue(self.timeout)
- self.FontColorButton.setStyleSheet(
+ self.fontSizeSpinBox.setValue(self.font_size)
+ self.timeoutSpinBox.setValue(self.timeout)
+ self.fontColorButton.setStyleSheet(
u'background-color: %s' % self.font_color)
- self.BackgroundColorButton.setStyleSheet(
+ self.backgroundColorButton.setStyleSheet(
u'background-color: %s' % self.bg_color)
self.verticalComboBox.setCurrentIndex(self.location)
font = QtGui.QFont()
font.setFamily(self.font_face)
- self.FontComboBox.setCurrentFont(font)
+ self.fontComboBox.setCurrentFont(font)
self.updateDisplay()
def save(self):
@@ -178,7 +178,7 @@ class AlertsTab(SettingsTab):
settings.setValue(u'background color', QtCore.QVariant(self.bg_color))
settings.setValue(u'font color', QtCore.QVariant(self.font_color))
settings.setValue(u'font size', QtCore.QVariant(self.font_size))
- self.font_face = self.FontComboBox.currentFont().family()
+ self.font_face = self.fontComboBox.currentFont().family()
settings.setValue(u'font face', QtCore.QVariant(self.font_face))
settings.setValue(u'timeout', QtCore.QVariant(self.timeout))
self.location = self.verticalComboBox.currentIndex()
@@ -187,10 +187,10 @@ class AlertsTab(SettingsTab):
def updateDisplay(self):
font = QtGui.QFont()
- font.setFamily(self.FontComboBox.currentFont().family())
+ font.setFamily(self.fontComboBox.currentFont().family())
font.setBold(True)
font.setPointSize(self.font_size)
- self.FontPreview.setFont(font)
- self.FontPreview.setStyleSheet(u'background-color: %s; color: %s' %
+ self.fontPreview.setFont(font)
+ self.fontPreview.setStyleSheet(u'background-color: %s; color: %s' %
(self.bg_color, self.font_color))
diff --git a/openlp/plugins/bibles/forms/bibleupgradeform.py b/openlp/plugins/bibles/forms/bibleupgradeform.py
index 615d4231e..322e3219a 100644
--- a/openlp/plugins/bibles/forms/bibleupgradeform.py
+++ b/openlp/plugins/bibles/forms/bibleupgradeform.py
@@ -29,17 +29,17 @@ The bible import functions for OpenLP
import logging
import os
import shutil
+from tempfile import gettempdir
from PyQt4 import QtCore, QtGui
from openlp.core.lib import Receiver, SettingsManager, translate, \
check_directory_exists
-from openlp.core.lib.db import delete_database
from openlp.core.lib.ui import UiStrings, critical_error_message_box
from openlp.core.ui.wizard import OpenLPWizard, WizardStrings
from openlp.core.utils import AppLocation, delete_file
from openlp.plugins.bibles.lib.db import BibleDB, BibleMeta, OldBibleDB, \
- BiblesResourcesDB, clean_filename
+ BiblesResourcesDB
from openlp.plugins.bibles.lib.http import BSExtract, BGExtract, CWExtract
log = logging.getLogger(__name__)
@@ -70,6 +70,7 @@ class BibleUpgradeForm(OpenLPWizard):
self.suffix = u'.sqlite'
self.settingsSection = u'bibles'
self.path = AppLocation.get_section_data_path(self.settingsSection)
+ self.temp_dir = os.path.join(gettempdir(), u'openlp')
self.files = self.manager.old_bible_databases
self.success = {}
self.newbibles = {}
@@ -91,20 +92,6 @@ class BibleUpgradeForm(OpenLPWizard):
log.debug(u'Stopping import')
self.stop_import_flag = True
- def onCheckBoxIndexChanged(self, index):
- """
- Show/Hide warnings if CheckBox state has changed
- """
- for number, filename in enumerate(self.files):
- if not self.checkBox[number].checkState() == QtCore.Qt.Checked:
- self.verticalWidget[number].hide()
- self.formWidget[number].hide()
- else:
- version_name = unicode(self.versionNameEdit[number].text())
- if self.manager.exists(version_name):
- self.verticalWidget[number].show()
- self.formWidget[number].show()
-
def reject(self):
"""
Stop the wizard on cancel button, close button or ESC key.
@@ -113,8 +100,6 @@ class BibleUpgradeForm(OpenLPWizard):
self.stop_import_flag = True
if not self.currentPage() == self.progressPage:
self.done(QtGui.QDialog.Rejected)
- else:
- self.postWizard()
def onCurrentIdChanged(self, pageId):
"""
@@ -124,7 +109,7 @@ class BibleUpgradeForm(OpenLPWizard):
self.preWizard()
self.performWizard()
self.postWizard()
- elif self.page(pageId) == self.selectPage and self.maxBibles == 0:
+ elif self.page(pageId) == self.selectPage and not self.files:
self.next()
def onBackupBrowseButtonClicked(self):
@@ -243,78 +228,13 @@ class BibleUpgradeForm(OpenLPWizard):
Add the content to the scrollArea.
"""
self.checkBox = {}
- self.versionNameEdit = {}
- self.versionNameLabel = {}
- self.versionInfoLabel = {}
- self.versionInfoPixmap = {}
- self.verticalWidget = {}
- self.horizontalLayout = {}
- self.formWidget = {}
- self.formLayoutAttention = {}
for number, filename in enumerate(self.files):
bible = OldBibleDB(self.mediaItem, path=self.path, file=filename[0])
self.checkBox[number] = QtGui.QCheckBox(self.scrollAreaContents)
- checkBoxName = u'checkBox[%d]' % number
- self.checkBox[number].setObjectName(checkBoxName)
+ self.checkBox[number].setObjectName(u'checkBox[%d]' % number)
self.checkBox[number].setText(bible.get_name())
self.checkBox[number].setCheckState(QtCore.Qt.Checked)
self.formLayout.addWidget(self.checkBox[number])
- self.verticalWidget[number] = QtGui.QWidget(self.scrollAreaContents)
- verticalWidgetName = u'verticalWidget[%d]' % number
- self.verticalWidget[number].setObjectName(verticalWidgetName)
- self.horizontalLayout[number] = QtGui.QHBoxLayout(
- self.verticalWidget[number])
- self.horizontalLayout[number].setContentsMargins(25, 0, 0, 0)
- horizontalLayoutName = u'horizontalLayout[%d]' % number
- self.horizontalLayout[number].setObjectName(horizontalLayoutName)
- self.versionInfoPixmap[number] = QtGui.QLabel(
- self.verticalWidget[number])
- versionInfoPixmapName = u'versionInfoPixmap[%d]' % number
- self.versionInfoPixmap[number].setObjectName(versionInfoPixmapName)
- self.versionInfoPixmap[number].setPixmap(QtGui.QPixmap(
- u':/bibles/bibles_upgrade_alert.png'))
- self.versionInfoPixmap[number].setAlignment(QtCore.Qt.AlignRight)
- self.horizontalLayout[number].addWidget(
- self.versionInfoPixmap[number])
- self.versionInfoLabel[number] = QtGui.QLabel(
- self.verticalWidget[number])
- versionInfoLabelName = u'versionInfoLabel[%d]' % number
- self.versionInfoLabel[number].setObjectName(versionInfoLabelName)
- sizePolicy = QtGui.QSizePolicy(QtGui.QSizePolicy.Expanding,
- QtGui.QSizePolicy.Preferred)
- sizePolicy.setHorizontalStretch(0)
- sizePolicy.setVerticalStretch(0)
- sizePolicy.setHeightForWidth(
- self.versionInfoLabel[number].sizePolicy().hasHeightForWidth())
- self.versionInfoLabel[number].setSizePolicy(sizePolicy)
- self.horizontalLayout[number].addWidget(
- self.versionInfoLabel[number])
- self.formLayout.addWidget(self.verticalWidget[number])
- self.formWidget[number] = QtGui.QWidget(self.scrollAreaContents)
- formWidgetName = u'formWidget[%d]' % number
- self.formWidget[number].setObjectName(formWidgetName)
- self.formLayoutAttention[number] = QtGui.QFormLayout(
- self.formWidget[number])
- self.formLayoutAttention[number].setContentsMargins(25, 0, 0, 5)
- formLayoutAttentionName = u'formLayoutAttention[%d]' % number
- self.formLayoutAttention[number].setObjectName(
- formLayoutAttentionName)
- self.versionNameLabel[number] = QtGui.QLabel(
- self.formWidget[number])
- self.versionNameLabel[number].setObjectName(u'VersionNameLabel')
- self.formLayoutAttention[number].setWidget(0,
- QtGui.QFormLayout.LabelRole, self.versionNameLabel[number])
- self.versionNameEdit[number] = QtGui.QLineEdit(
- self.formWidget[number])
- self.versionNameEdit[number].setObjectName(u'VersionNameEdit')
- self.formLayoutAttention[number].setWidget(0,
- QtGui.QFormLayout.FieldRole, self.versionNameEdit[number])
- self.versionNameEdit[number].setText(bible.get_name())
- self.formLayout.addWidget(self.formWidget[number])
- # Set up the Signal for the checkbox.
- QtCore.QObject.connect(self.checkBox[number],
- QtCore.SIGNAL(u'stateChanged(int)'),
- self.onCheckBoxIndexChanged)
self.spacerItem = QtGui.QSpacerItem(20, 5, QtGui.QSizePolicy.Minimum,
QtGui.QSizePolicy.Expanding)
self.formLayout.addItem(self.spacerItem)
@@ -327,23 +247,6 @@ class BibleUpgradeForm(OpenLPWizard):
for number, filename in enumerate(self.files):
self.formLayout.removeWidget(self.checkBox[number])
self.checkBox[number].setParent(None)
- self.horizontalLayout[number].removeWidget(
- self.versionInfoPixmap[number])
- self.versionInfoPixmap[number].setParent(None)
- self.horizontalLayout[number].removeWidget(
- self.versionInfoLabel[number])
- self.versionInfoLabel[number].setParent(None)
- self.formLayout.removeWidget(self.verticalWidget[number])
- self.verticalWidget[number].setParent(None)
- self.formLayoutAttention[number].removeWidget(
- self.versionNameLabel[number])
- self.versionNameLabel[number].setParent(None)
- self.formLayoutAttention[number].removeWidget(
- self.versionNameEdit[number])
- self.formLayoutAttention[number].deleteLater()
- self.versionNameEdit[number].setParent(None)
- self.formLayout.removeWidget(self.formWidget[number])
- self.formWidget[number].setParent(None)
self.formLayout.removeItem(self.spacerItem)
def retranslateUi(self):
@@ -385,12 +288,6 @@ class BibleUpgradeForm(OpenLPWizard):
self.selectPage.setSubTitle(
translate('BiblesPlugin.UpgradeWizardForm',
'Please select the Bibles to upgrade'))
- for number, bible in enumerate(self.files):
- self.versionNameLabel[number].setText(
- translate('BiblesPlugin.UpgradeWizardForm', 'Version name:'))
- self.versionInfoLabel[number].setText(
- translate('BiblesPlugin.UpgradeWizardForm', 'This '
- 'Bible still exists. Please change the name or uncheck it.'))
self.progressPage.setTitle(translate('BiblesPlugin.UpgradeWizardForm',
'Upgrading'))
self.progressPage.setSubTitle(
@@ -425,58 +322,16 @@ class BibleUpgradeForm(OpenLPWizard):
return False
return True
elif self.currentPage() == self.selectPage:
+ check_directory_exists(self.temp_dir)
for number, filename in enumerate(self.files):
if not self.checkBox[number].checkState() == QtCore.Qt.Checked:
continue
- version_name = unicode(self.versionNameEdit[number].text())
- if not version_name:
- critical_error_message_box(UiStrings().EmptyField,
- translate('BiblesPlugin.UpgradeWizardForm',
- 'You need to specify a version name for your Bible.'))
- self.versionNameEdit[number].setFocus()
- return False
- elif self.manager.exists(version_name):
- critical_error_message_box(
- translate('BiblesPlugin.UpgradeWizardForm',
- 'Bible Exists'),
- translate('BiblesPlugin.UpgradeWizardForm',
- 'This Bible already exists. Please upgrade '
- 'a different Bible, delete the existing one or '
- 'uncheck.'))
- self.versionNameEdit[number].setFocus()
- return False
- elif os.path.exists(os.path.join(self.path, clean_filename(
- version_name))) and version_name == filename[1]:
- newfilename = u'old_database_%s' % filename[0]
- if not os.path.exists(os.path.join(self.path,
- newfilename)):
- os.rename(os.path.join(self.path, filename[0]),
- os.path.join(self.path, newfilename))
- self.files[number] = [newfilename, filename[1]]
- continue
- else:
- critical_error_message_box(
- translate('BiblesPlugin.UpgradeWizardForm',
- 'Bible Exists'),
- translate('BiblesPlugin.UpgradeWizardForm',
- 'This Bible already exists. Please upgrade '
- 'a different Bible, delete the existing one or '
- 'uncheck.'))
- self.verticalWidget[number].show()
- self.formWidget[number].show()
- self.versionNameEdit[number].setFocus()
- return False
- elif os.path.exists(os.path.join(self.path,
- clean_filename(version_name))):
- critical_error_message_box(
- translate('BiblesPlugin.UpgradeWizardForm',
- 'Bible Exists'),
- translate('BiblesPlugin.UpgradeWizardForm',
- 'This Bible already exists. Please upgrade '
- 'a different Bible, delete the existing one or '
- 'uncheck.'))
- self.versionNameEdit[number].setFocus()
- return False
+ # Move bibles to temp dir.
+ if not os.path.exists(os.path.join(self.temp_dir, filename[0])):
+ shutil.move(
+ os.path.join(self.path, filename[0]), self.temp_dir)
+ else:
+ delete_file(os.path.join(self.path, filename[0]))
return True
if self.currentPage() == self.progressPage:
return True
@@ -495,16 +350,8 @@ class BibleUpgradeForm(OpenLPWizard):
self.files = self.manager.old_bible_databases
self.addScrollArea()
self.retranslateUi()
- self.maxBibles = len(self.files)
for number, filename in enumerate(self.files):
self.checkBox[number].setCheckState(QtCore.Qt.Checked)
- oldname = filename[1]
- if self.manager.exists(oldname):
- self.verticalWidget[number].show()
- self.formWidget[number].show()
- else:
- self.verticalWidget[number].hide()
- self.formWidget[number].hide()
self.progressBar.show()
self.restart()
self.finishButton.setVisible(False)
@@ -516,9 +363,8 @@ class BibleUpgradeForm(OpenLPWizard):
Prepare the UI for the upgrade.
"""
OpenLPWizard.preWizard(self)
- self.progressLabel.setText(translate(
- 'BiblesPlugin.UpgradeWizardForm',
- 'Starting upgrade...'))
+ self.progressLabel.setText(
+ translate('BiblesPlugin.UpgradeWizardForm', 'Starting upgrade...'))
Receiver.send_message(u'openlp_process_events')
def performWizard(self):
@@ -527,48 +373,42 @@ class BibleUpgradeForm(OpenLPWizard):
"""
self.include_webbible = False
proxy_server = None
- if self.maxBibles == 0:
+ if not self.files:
self.progressLabel.setText(
translate('BiblesPlugin.UpgradeWizardForm', 'There are no '
'Bibles that need to be upgraded.'))
self.progressBar.hide()
return
- self.maxBibles = 0
+ max_bibles = 0
for number, file in enumerate(self.files):
if self.checkBox[number].checkState() == QtCore.Qt.Checked:
- self.maxBibles += 1
- number = 0
- for biblenumber, filename in enumerate(self.files):
+ max_bibles += 1
+ oldBible = None
+ for number, filename in enumerate(self.files):
+ # Close the previous bible's connection.
+ if oldBible is not None:
+ oldBible.close_connection()
+ # Set to None to make obvious that we have already closed the
+ # database.
+ oldBible = None
if self.stop_import_flag:
- bible_failed = True
+ self.success[number] = False
break
- bible_failed = False
- self.success[biblenumber] = False
- if not self.checkBox[biblenumber].checkState() == QtCore.Qt.Checked:
+ if not self.checkBox[number].checkState() == QtCore.Qt.Checked:
+ self.success[number] = False
continue
self.progressBar.reset()
- oldbible = OldBibleDB(self.mediaItem, path=self.path,
+ oldBible = OldBibleDB(self.mediaItem, path=self.temp_dir,
file=filename[0])
name = filename[1]
- if name is None:
- delete_file(os.path.join(self.path, filename[0]))
- self.incrementProgressBar(unicode(translate(
- 'BiblesPlugin.UpgradeWizardForm',
- 'Upgrading Bible %s of %s: "%s"\nFailed')) %
- (number + 1, self.maxBibles, name),
- self.progressBar.maximum() - self.progressBar.value())
- number += 1
- continue
self.progressLabel.setText(unicode(translate(
'BiblesPlugin.UpgradeWizardForm',
'Upgrading Bible %s of %s: "%s"\nUpgrading ...')) %
- (number + 1, self.maxBibles, name))
- if os.path.exists(os.path.join(self.path, filename[0])):
- name = unicode(self.versionNameEdit[biblenumber].text())
+ (number + 1, max_bibles, name))
self.newbibles[number] = BibleDB(self.mediaItem, path=self.path,
- name=name)
+ name=name, file=filename[0])
self.newbibles[number].register(self.plugin.upgrade_wizard)
- metadata = oldbible.get_metadata()
+ metadata = oldBible.get_metadata()
webbible = False
meta_data = {}
for meta in metadata:
@@ -595,7 +435,7 @@ class BibleUpgradeForm(OpenLPWizard):
u'name: "%s" failed' % (
meta_data[u'download source'],
meta_data[u'download name']))
- delete_database(self.path, clean_filename(name))
+ self.newbibles[number].session.close()
del self.newbibles[number]
critical_error_message_box(
translate('BiblesPlugin.UpgradeWizardForm',
@@ -606,9 +446,9 @@ class BibleUpgradeForm(OpenLPWizard):
self.incrementProgressBar(unicode(translate(
'BiblesPlugin.UpgradeWizardForm',
'Upgrading Bible %s of %s: "%s"\nFailed')) %
- (number + 1, self.maxBibles, name),
+ (number + 1, max_bibles, name),
self.progressBar.maximum() - self.progressBar.value())
- number += 1
+ self.success[number] = False
continue
bible = BiblesResourcesDB.get_webbible(
meta_data[u'download name'],
@@ -621,25 +461,25 @@ class BibleUpgradeForm(OpenLPWizard):
language_id = self.newbibles[number].get_language(name)
if not language_id:
log.warn(u'Upgrading from "%s" failed' % filename[0])
- delete_database(self.path, clean_filename(name))
+ self.newbibles[number].session.close()
del self.newbibles[number]
self.incrementProgressBar(unicode(translate(
'BiblesPlugin.UpgradeWizardForm',
'Upgrading Bible %s of %s: "%s"\nFailed')) %
- (number + 1, self.maxBibles, name),
+ (number + 1, max_bibles, name),
self.progressBar.maximum() - self.progressBar.value())
- number += 1
+ self.success[number] = False
continue
self.progressBar.setMaximum(len(books))
for book in books:
if self.stop_import_flag:
- bible_failed = True
+ self.success[number] = False
break
self.incrementProgressBar(unicode(translate(
'BiblesPlugin.UpgradeWizardForm',
'Upgrading Bible %s of %s: "%s"\n'
'Upgrading %s ...')) %
- (number + 1, self.maxBibles, name, book))
+ (number + 1, max_bibles, name, book))
book_ref_id = self.newbibles[number].\
get_book_ref_id_by_name(book, len(books), language_id)
if not book_ref_id:
@@ -647,24 +487,24 @@ class BibleUpgradeForm(OpenLPWizard):
u'name: "%s" aborted by user' % (
meta_data[u'download source'],
meta_data[u'download name']))
- delete_database(self.path, clean_filename(name))
+ self.newbibles[number].session.close()
del self.newbibles[number]
- bible_failed = True
+ self.success[number] = False
break
book_details = BiblesResourcesDB.get_book_by_id(book_ref_id)
db_book = self.newbibles[number].create_book(book,
book_ref_id, book_details[u'testament_id'])
- # Try to import still downloaded verses
- oldbook = oldbible.get_book(book)
+ # Try to import already downloaded verses.
+ oldbook = oldBible.get_book(book)
if oldbook:
- verses = oldbible.get_verses(oldbook[u'id'])
+ verses = oldBible.get_verses(oldbook[u'id'])
if not verses:
log.warn(u'No verses found to import for book '
u'"%s"', book)
continue
for verse in verses:
if self.stop_import_flag:
- bible_failed = True
+ self.success[number] = False
break
self.newbibles[number].create_verse(db_book.id,
int(verse[u'chapter']),
@@ -678,40 +518,40 @@ class BibleUpgradeForm(OpenLPWizard):
language_id = self.newbibles[number].get_language(name)
if not language_id:
log.warn(u'Upgrading books from "%s" failed' % name)
- delete_database(self.path, clean_filename(name))
+ self.newbibles[number].session.close()
del self.newbibles[number]
self.incrementProgressBar(unicode(translate(
'BiblesPlugin.UpgradeWizardForm',
'Upgrading Bible %s of %s: "%s"\nFailed')) %
- (number + 1, self.maxBibles, name),
+ (number + 1, max_bibles, name),
self.progressBar.maximum() - self.progressBar.value())
- number += 1
+ self.success[number] = False
continue
- books = oldbible.get_books()
+ books = oldBible.get_books()
self.progressBar.setMaximum(len(books))
for book in books:
if self.stop_import_flag:
- bible_failed = True
+ self.success[number] = False
break
self.incrementProgressBar(unicode(translate(
'BiblesPlugin.UpgradeWizardForm',
'Upgrading Bible %s of %s: "%s"\n'
'Upgrading %s ...')) %
- (number + 1, self.maxBibles, name, book[u'name']))
+ (number + 1, max_bibles, name, book[u'name']))
book_ref_id = self.newbibles[number].\
get_book_ref_id_by_name(book[u'name'], len(books),
language_id)
if not book_ref_id:
log.warn(u'Upgrading books from %s " '\
'failed - aborted by user' % name)
- delete_database(self.path, clean_filename(name))
+ self.newbibles[number].session.close()
del self.newbibles[number]
- bible_failed = True
+ self.success[number] = False
break
book_details = BiblesResourcesDB.get_book_by_id(book_ref_id)
db_book = self.newbibles[number].create_book(book[u'name'],
book_ref_id, book_details[u'testament_id'])
- verses = oldbible.get_verses(book[u'id'])
+ verses = oldBible.get_verses(book[u'id'])
if not verses:
log.warn(u'No verses found to import for book '
u'"%s"', book[u'name'])
@@ -719,31 +559,32 @@ class BibleUpgradeForm(OpenLPWizard):
continue
for verse in verses:
if self.stop_import_flag:
- bible_failed = True
+ self.success[number] = False
break
self.newbibles[number].create_verse(db_book.id,
int(verse[u'chapter']),
int(verse[u'verse']), unicode(verse[u'text']))
Receiver.send_message(u'openlp_process_events')
self.newbibles[number].session.commit()
- if not bible_failed:
+ if self.success.has_key(number) and not self.success[number]:
+ self.incrementProgressBar(unicode(translate(
+ 'BiblesPlugin.UpgradeWizardForm',
+ 'Upgrading Bible %s of %s: "%s"\nFailed')) %
+ (number + 1, max_bibles, name),
+ self.progressBar.maximum() - self.progressBar.value())
+ else:
+ self.success[number] = True
self.newbibles[number].create_meta(u'Version', name)
- oldbible.close_connection()
- delete_file(os.path.join(self.path, filename[0]))
self.incrementProgressBar(unicode(translate(
'BiblesPlugin.UpgradeWizardForm',
'Upgrading Bible %s of %s: "%s"\n'
'Complete')) %
- (number + 1, self.maxBibles, name))
- self.success[biblenumber] = True
- else:
- self.incrementProgressBar(unicode(translate(
- 'BiblesPlugin.UpgradeWizardForm',
- 'Upgrading Bible %s of %s: "%s"\nFailed')) %
- (number + 1, self.maxBibles, name),
- self.progressBar.maximum() - self.progressBar.value())
- delete_database(self.path, clean_filename(name))
- number += 1
+ (number + 1, max_bibles, name))
+ if self.newbibles.has_key(number):
+ self.newbibles[number].session.close()
+ # Close the last bible's connection if possible.
+ if oldBible is not None:
+ oldBible.close_connection()
def postWizard(self):
"""
@@ -752,10 +593,14 @@ class BibleUpgradeForm(OpenLPWizard):
successful_import = 0
failed_import = 0
for number, filename in enumerate(self.files):
- if number in self.success and self.success[number] == True:
+ if self.success.has_key(number) and self.success[number]:
successful_import += 1
elif self.checkBox[number].checkState() == QtCore.Qt.Checked:
failed_import += 1
+ # Delete upgraded (but not complete, corrupted, ...) bible.
+ delete_file(os.path.join(self.path, filename[0]))
+ # Copy not upgraded bible back.
+ shutil.move(os.path.join(self.temp_dir, filename[0]), self.path)
if failed_import > 0:
failed_import_text = unicode(translate(
'BiblesPlugin.UpgradeWizardForm',
@@ -776,7 +621,8 @@ class BibleUpgradeForm(OpenLPWizard):
'Bible(s): %s successful%s')) % (successful_import,
failed_import_text))
else:
- self.progressLabel.setText(
- translate('BiblesPlugin.UpgradeWizardForm', 'Upgrade '
- 'failed.'))
+ self.progressLabel.setText(translate(
+ 'BiblesPlugin.UpgradeWizardForm', 'Upgrade failed.'))
+ # Remove temp directory.
+ shutil.rmtree(self.temp_dir, True)
OpenLPWizard.postWizard(self)
diff --git a/openlp/plugins/bibles/forms/languageform.py b/openlp/plugins/bibles/forms/languageform.py
index 477c7ee1e..c5069815b 100644
--- a/openlp/plugins/bibles/forms/languageform.py
+++ b/openlp/plugins/bibles/forms/languageform.py
@@ -44,8 +44,8 @@ class LanguageForm(QDialog, Ui_LanguageDialog):
Class to manage a dialog which ask the user for a language.
"""
log.info(u'LanguageForm loaded')
-
- def __init__(self, parent = None):
+
+ def __init__(self, parent=None):
"""
Constructor
"""
@@ -57,12 +57,11 @@ class LanguageForm(QDialog, Ui_LanguageDialog):
if bible_name:
self.bibleLabel.setText(unicode(bible_name))
items = BiblesResourcesDB.get_languages()
- for item in items:
- self.languageComboBox.addItem(item[u'name'])
+ self.languageComboBox.addItems([item[u'name'] for item in items])
return QDialog.exec_(self)
-
+
def accept(self):
- if self.languageComboBox.currentText() == u'':
+ if not self.languageComboBox.currentText():
critical_error_message_box(
message=translate('BiblesPlugin.LanguageForm',
'You need to choose a language.'))
diff --git a/openlp/plugins/bibles/lib/db.py b/openlp/plugins/bibles/lib/db.py
index 5273f670c..e5962664b 100644
--- a/openlp/plugins/bibles/lib/db.py
+++ b/openlp/plugins/bibles/lib/db.py
@@ -39,7 +39,7 @@ from sqlalchemy.orm.exc import UnmappedClassError
from openlp.core.lib import Receiver, translate
from openlp.core.lib.db import BaseModel, init_db, Manager
from openlp.core.lib.ui import critical_error_message_box
-from openlp.core.utils import AppLocation
+from openlp.core.utils import AppLocation, clean_filename
log = logging.getLogger(__name__)
@@ -63,19 +63,6 @@ class Verse(BaseModel):
"""
pass
-def clean_filename(filename):
- """
- Clean up the version name of the Bible and convert it into a valid
- file name.
-
- ``filename``
- The "dirty" file name or version name.
- """
- if not isinstance(filename, unicode):
- filename = unicode(filename, u'utf-8')
- filename = re.sub(r'[^\w]+', u'_', filename).strip(u'_')
- return filename + u'.sqlite'
-
def init_schema(url):
"""
Setup a bible database connection and initialise the database schema.
@@ -158,7 +145,7 @@ class BibleDB(QtCore.QObject, Manager):
self.name = kwargs[u'name']
if not isinstance(self.name, unicode):
self.name = unicode(self.name, u'utf-8')
- self.file = clean_filename(self.name)
+ self.file = clean_filename(self.name) + u'.sqlite'
if u'file' in kwargs:
self.file = kwargs[u'file']
Manager.__init__(self, u'bibles', init_schema, self.file)
@@ -210,7 +197,7 @@ class BibleDB(QtCore.QObject, Manager):
The book_reference_id from bibles_resources.sqlite of the book.
``testament``
- *Defaults to 1.* The testament_reference_id from
+ *Defaults to 1.* The testament_reference_id from
bibles_resources.sqlite of the testament this book belongs to.
"""
log.debug(u'BibleDB.create_book("%s", "%s")', name, bk_ref_id)
@@ -329,7 +316,7 @@ class BibleDB(QtCore.QObject, Manager):
return self.get_object_filtered(Book, Book.book_reference_id.like(id))
def get_book_ref_id_by_name(self, book, maxbooks, language_id=None):
- log.debug(u'BibleDB.get_book_ref_id_by_name:("%s", "%s")', book,
+ log.debug(u'BibleDB.get_book_ref_id_by_name:("%s", "%s")', book,
language_id)
if BiblesResourcesDB.get_book(book, True):
book_temp = BiblesResourcesDB.get_book(book, True)
@@ -471,7 +458,7 @@ class BibleDB(QtCore.QObject, Manager):
def get_language(self, bible_name=None):
"""
- If no language is given it calls a dialog window where the user could
+ If no language is given it calls a dialog window where the user could
select the bible language.
Return the language id of a bible.
@@ -521,9 +508,9 @@ class BiblesResourcesDB(QtCore.QObject, Manager):
some resources which are used in the Bibles plugin.
A wrapper class around a small SQLite database which contains the download
resources, a biblelist from the different download resources, the books,
- chapter counts and verse counts for the web download Bibles, a language
- reference, the testament reference and some alternative book names. This
- class contains a singleton "cursor" so that only one connection to the
+ chapter counts and verse counts for the web download Bibles, a language
+ reference, the testament reference and some alternative book names. This
+ class contains a singleton "cursor" so that only one connection to the
SQLite database is ever used.
"""
cursor = None
@@ -582,7 +569,7 @@ class BiblesResourcesDB(QtCore.QObject, Manager):
``name``
The name or abbreviation of the book.
-
+
``lower``
True if the comparsion should be only lowercase
"""
@@ -592,7 +579,7 @@ class BiblesResourcesDB(QtCore.QObject, Manager):
if lower:
books = BiblesResourcesDB.run_sql(u'SELECT id, testament_id, name, '
u'abbreviation, chapters FROM book_reference WHERE '
- u'LOWER(name) = ? OR LOWER(abbreviation) = ?',
+ u'LOWER(name) = ? OR LOWER(abbreviation) = ?',
(name.lower(), name.lower()))
else:
books = BiblesResourcesDB.run_sql(u'SELECT id, testament_id, name, '
@@ -621,7 +608,7 @@ class BiblesResourcesDB(QtCore.QObject, Manager):
if not isinstance(id, int):
id = int(id)
books = BiblesResourcesDB.run_sql(u'SELECT id, testament_id, name, '
- u'abbreviation, chapters FROM book_reference WHERE id = ?',
+ u'abbreviation, chapters FROM book_reference WHERE id = ?',
(id, ))
if books:
return {
@@ -645,12 +632,12 @@ class BiblesResourcesDB(QtCore.QObject, Manager):
``chapter``
The chapter number.
"""
- log.debug(u'BiblesResourcesDB.get_chapter("%s", "%s")', book_id,
+ log.debug(u'BiblesResourcesDB.get_chapter("%s", "%s")', book_id,
chapter)
if not isinstance(chapter, int):
chapter = int(chapter)
chapters = BiblesResourcesDB.run_sql(u'SELECT id, book_reference_id, '
- u'chapter, verse_count FROM chapters WHERE book_reference_id = ?',
+ u'chapter, verse_count FROM chapters WHERE book_reference_id = ?',
(book_id,))
if chapters:
return {
@@ -687,7 +674,7 @@ class BiblesResourcesDB(QtCore.QObject, Manager):
``chapter``
The number of the chapter.
"""
- log.debug(u'BiblesResourcesDB.get_verse_count("%s", "%s")', book_id,
+ log.debug(u'BiblesResourcesDB.get_verse_count("%s", "%s")', book_id,
chapter)
details = BiblesResourcesDB.get_chapter(book_id, chapter)
if details:
@@ -715,7 +702,7 @@ class BiblesResourcesDB(QtCore.QObject, Manager):
}
else:
return None
-
+
@staticmethod
def get_webbibles(source):
"""
@@ -737,7 +724,7 @@ class BiblesResourcesDB(QtCore.QObject, Manager):
u'id': bible[0],
u'name': bible[1],
u'abbreviation': bible[2],
- u'language_id': bible[3],
+ u'language_id': bible[3],
u'download_source_id': bible[4]
}
for bible in bibles
@@ -752,11 +739,11 @@ class BiblesResourcesDB(QtCore.QObject, Manager):
``abbreviation``
The abbreviation of the webbible.
-
+
``source``
The source of the webbible.
"""
- log.debug(u'BiblesResourcesDB.get_webbibles("%s", "%s")', abbreviation,
+ log.debug(u'BiblesResourcesDB.get_webbibles("%s", "%s")', abbreviation,
source)
if not isinstance(abbreviation, unicode):
abbreviation = unicode(abbreviation)
@@ -765,14 +752,14 @@ class BiblesResourcesDB(QtCore.QObject, Manager):
source = BiblesResourcesDB.get_download_source(source)
bible = BiblesResourcesDB.run_sql(u'SELECT id, name, abbreviation, '
u'language_id, download_source_id FROM webbibles WHERE '
- u'download_source_id = ? AND abbreviation = ?', (source[u'id'],
+ u'download_source_id = ? AND abbreviation = ?', (source[u'id'],
abbreviation))
if bible:
return {
u'id': bible[0][0],
u'name': bible[0][1],
u'abbreviation': bible[0][2],
- u'language_id': bible[0][3],
+ u'language_id': bible[0][3],
u'download_source_id': bible[0][4]
}
else:
@@ -785,11 +772,11 @@ class BiblesResourcesDB(QtCore.QObject, Manager):
``name``
The name to search the id.
-
+
``language_id``
The language_id for which language should be searched
"""
- log.debug(u'BiblesResourcesDB.get_alternative_book_name("%s", "%s")',
+ log.debug(u'BiblesResourcesDB.get_alternative_book_name("%s", "%s")',
name, language_id)
if language_id:
books = BiblesResourcesDB.run_sql(u'SELECT book_reference_id, name '
@@ -806,7 +793,7 @@ class BiblesResourcesDB(QtCore.QObject, Manager):
@staticmethod
def get_language(name):
"""
- Return a dict containing the language id, name and code by name or
+ Return a dict containing the language id, name and code by name or
abbreviation.
``name``
@@ -865,7 +852,7 @@ class BiblesResourcesDB(QtCore.QObject, Manager):
class AlternativeBookNamesDB(QtCore.QObject, Manager):
"""
- This class represents a database-bound alternative book names system.
+ This class represents a database-bound alternative book names system.
"""
cursor = None
conn = None
@@ -874,7 +861,7 @@ class AlternativeBookNamesDB(QtCore.QObject, Manager):
def get_cursor():
"""
Return the cursor object. Instantiate one if it doesn't exist yet.
- If necessary loads up the database and creates the tables if the
+ If necessary loads up the database and creates the tables if the
database doesn't exist.
"""
if AlternativeBookNamesDB.cursor is None:
@@ -904,7 +891,7 @@ class AlternativeBookNamesDB(QtCore.QObject, Manager):
``parameters``
Any variable parameters to add to the query
-
+
``commit``
If a commit statement is necessary this should be True.
"""
@@ -921,11 +908,11 @@ class AlternativeBookNamesDB(QtCore.QObject, Manager):
``name``
The name to search the id.
-
+
``language_id``
The language_id for which language should be searched
"""
- log.debug(u'AlternativeBookNamesDB.get_book_reference_id("%s", "%s")',
+ log.debug(u'AlternativeBookNamesDB.get_book_reference_id("%s", "%s")',
name, language_id)
if language_id:
books = AlternativeBookNamesDB.run_sql(u'SELECT book_reference_id, '
@@ -962,11 +949,11 @@ class AlternativeBookNamesDB(QtCore.QObject, Manager):
class OldBibleDB(QtCore.QObject, Manager):
"""
- This class conects to the old bible databases to reimport them to the new
+ This class conects to the old bible databases to reimport them to the new
database scheme.
"""
cursor = None
-
+
def __init__(self, parent, **kwargs):
"""
The constructor loads up the database and creates and initialises the
diff --git a/openlp/plugins/bibles/lib/manager.py b/openlp/plugins/bibles/lib/manager.py
index 354332083..934aa2d90 100644
--- a/openlp/plugins/bibles/lib/manager.py
+++ b/openlp/plugins/bibles/lib/manager.py
@@ -151,9 +151,10 @@ class BibleManager(object):
name = bible.get_name()
# Remove corrupted files.
if name is None:
+ bible.session.close()
delete_file(os.path.join(self.path, filename))
continue
- # Find old database versions
+ # Find old database versions.
if bible.is_old_database():
self.old_bible_databases.append([filename, name])
bible.session.close()
@@ -220,7 +221,7 @@ class BibleManager(object):
return [
{
u'name': book.name,
- u'book_reference_id': book.book_reference_id,
+ u'book_reference_id': book.book_reference_id,
u'chapters': self.db_cache[bible].get_chapter_count(book)
}
for book in self.db_cache[bible].get_books()
@@ -229,10 +230,10 @@ class BibleManager(object):
def get_chapter_count(self, bible, book):
"""
Returns the number of Chapters for a given book.
-
+
``bible``
Unicode. The Bible to get the list of books from.
-
+
``book``
The book object to get the chapter count for.
"""
@@ -295,7 +296,7 @@ class BibleManager(object):
if db_book:
book_id = db_book.book_reference_id
log.debug(u'Book name corrected to "%s"', db_book.name)
- new_reflist.append((book_id, item[1], item[2],
+ new_reflist.append((book_id, item[1], item[2],
item[3]))
else:
log.debug(u'OpenLP failed to find book %s', item[0])
diff --git a/openlp/plugins/bibles/lib/mediaitem.py b/openlp/plugins/bibles/lib/mediaitem.py
index e47375298..91009424c 100644
--- a/openlp/plugins/bibles/lib/mediaitem.py
+++ b/openlp/plugins/bibles/lib/mediaitem.py
@@ -613,7 +613,7 @@ class BibleMediaItem(MediaManagerItem):
if restore:
old_text = unicode(combo.currentText())
combo.clear()
- combo.addItems([unicode(i) for i in range(range_from, range_to + 1)])
+ combo.addItems(map(unicode, range(range_from, range_to + 1)))
if restore and combo.findText(old_text) != -1:
combo.setCurrentIndex(combo.findText(old_text))
diff --git a/openlp/plugins/bibles/resources/bibles_resources.sqlite b/openlp/plugins/bibles/resources/bibles_resources.sqlite
index 3235c9562..c0fa931d1 100644
Binary files a/openlp/plugins/bibles/resources/bibles_resources.sqlite and b/openlp/plugins/bibles/resources/bibles_resources.sqlite differ
diff --git a/openlp/plugins/custom/lib/mediaitem.py b/openlp/plugins/custom/lib/mediaitem.py
index 667434a8b..693e1ef8d 100644
--- a/openlp/plugins/custom/lib/mediaitem.py
+++ b/openlp/plugins/custom/lib/mediaitem.py
@@ -217,8 +217,7 @@ class CustomMediaItem(MediaManagerItem):
for item in self.listView.selectedIndexes()]
for id in id_list:
self.plugin.manager.delete_object(CustomSlide, id)
- for row in row_list:
- self.listView.takeItem(row)
+ self.onSearchTextButtonClick()
def onFocus(self):
self.searchTextEdit.setFocus()
diff --git a/openlp/plugins/images/imageplugin.py b/openlp/plugins/images/imageplugin.py
index 1ddbe8357..4b5a6f3c0 100644
--- a/openlp/plugins/images/imageplugin.py
+++ b/openlp/plugins/images/imageplugin.py
@@ -25,10 +25,13 @@
# Temple Place, Suite 330, Boston, MA 02111-1307 USA #
###############################################################################
+from PyQt4 import QtCore, QtGui
+
import logging
-from openlp.core.lib import Plugin, StringContent, build_icon, translate
-from openlp.plugins.images.lib import ImageMediaItem
+from openlp.core.lib import Plugin, StringContent, build_icon, translate, \
+ Receiver
+from openlp.plugins.images.lib import ImageMediaItem, ImageTab
log = logging.getLogger(__name__)
@@ -36,10 +39,13 @@ class ImagePlugin(Plugin):
log.info(u'Image Plugin loaded')
def __init__(self, plugin_helpers):
- Plugin.__init__(self, u'images', plugin_helpers, ImageMediaItem)
+ Plugin.__init__(self, u'images', plugin_helpers, ImageMediaItem,
+ ImageTab)
self.weight = -7
self.icon_path = u':/plugins/plugin_images.png'
self.icon = build_icon(self.icon_path)
+ QtCore.QObject.connect(Receiver.get_receiver(),
+ QtCore.SIGNAL(u'image_updated'), self.image_updated)
def about(self):
about_text = translate('ImagePlugin', 'Image Plugin'
@@ -81,3 +87,13 @@ class ImagePlugin(Plugin):
'Add the selected image to the service.')
}
self.setPluginUiTextStrings(tooltips)
+
+ def image_updated(self):
+ """
+ Triggered by saving and changing the image border. Sets the images in
+ image manager to require updates. Actual update is triggered by the
+ last part of saving the config.
+ """
+ background = QtGui.QColor(QtCore.QSettings().value(self.settingsSection
+ + u'/background color', QtCore.QVariant(u'#000000')))
+ self.liveController.imageManager.update_images(u'image', background)
diff --git a/openlp/plugins/images/lib/__init__.py b/openlp/plugins/images/lib/__init__.py
index b26d00184..e216623cd 100644
--- a/openlp/plugins/images/lib/__init__.py
+++ b/openlp/plugins/images/lib/__init__.py
@@ -26,3 +26,4 @@
###############################################################################
from mediaitem import ImageMediaItem
+from imagetab import ImageTab
diff --git a/openlp/plugins/images/lib/imagetab.py b/openlp/plugins/images/lib/imagetab.py
new file mode 100644
index 000000000..98fbd203f
--- /dev/null
+++ b/openlp/plugins/images/lib/imagetab.py
@@ -0,0 +1,101 @@
+# -*- coding: utf-8 -*-
+# vim: autoindent shiftwidth=4 expandtab textwidth=80 tabstop=4 softtabstop=4
+
+###############################################################################
+# OpenLP - Open Source Lyrics Projection #
+# --------------------------------------------------------------------------- #
+# Copyright (c) 2008-2011 Raoul Snyman #
+# Portions copyright (c) 2008-2011 Tim Bentley, Gerald Britton, Jonathan #
+# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, #
+# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias #
+# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, #
+# Maikel Stuivenberg, Martin Thompson, Jon Tibble, 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. #
+# #
+# This program is distributed in the hope that it will be useful, but WITHOUT #
+# ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or #
+# FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for #
+# more details. #
+# #
+# You should have received a copy of the GNU General Public License along #
+# with this program; if not, write to the Free Software Foundation, Inc., 59 #
+# Temple Place, Suite 330, Boston, MA 02111-1307 USA #
+###############################################################################
+
+from PyQt4 import QtCore, QtGui
+
+from openlp.core.lib import SettingsTab, translate, Receiver
+from openlp.core.lib.ui import UiStrings, create_valign_combo
+
+class ImageTab(SettingsTab):
+ """
+ ImageTab is the images settings tab in the settings dialog.
+ """
+ def __init__(self, parent, name, visible_title, icon_path):
+ SettingsTab.__init__(self, parent, name, visible_title, icon_path)
+
+ def setupUi(self):
+ self.setObjectName(u'ImagesTab')
+ SettingsTab.setupUi(self)
+ self.bgColorGroupBox = QtGui.QGroupBox(self.leftColumn)
+ self.bgColorGroupBox.setObjectName(u'FontGroupBox')
+ self.formLayout = QtGui.QFormLayout(self.bgColorGroupBox)
+ self.formLayout.setObjectName(u'FormLayout')
+ self.colorLayout = QtGui.QHBoxLayout()
+ self.backgroundColorLabel = QtGui.QLabel(self.bgColorGroupBox)
+ self.backgroundColorLabel.setObjectName(u'BackgroundColorLabel')
+ self.colorLayout.addWidget(self.backgroundColorLabel)
+ self.backgroundColorButton = QtGui.QPushButton(self.bgColorGroupBox)
+ self.backgroundColorButton.setObjectName(u'BackgroundColorButton')
+ self.colorLayout.addWidget(self.backgroundColorButton)
+ self.formLayout.addRow(self.colorLayout)
+ self.informationLabel = QtGui.QLabel(self.bgColorGroupBox)
+ self.informationLabel.setObjectName(u'InformationLabel')
+ self.formLayout.addRow(self.informationLabel)
+ self.leftLayout.addWidget(self.bgColorGroupBox)
+ self.leftLayout.addStretch()
+ self.rightColumn.setSizePolicy(
+ QtGui.QSizePolicy.Expanding, QtGui.QSizePolicy.Preferred)
+ self.rightLayout.addStretch()
+ # Signals and slots
+ QtCore.QObject.connect(self.backgroundColorButton,
+ QtCore.SIGNAL(u'pressed()'), self.onbackgroundColorButtonClicked)
+
+ def retranslateUi(self):
+ self.bgColorGroupBox.setTitle(
+ translate('ImagesPlugin.ImageTab', 'Background Color'))
+ self.backgroundColorLabel.setText(
+ translate('ImagesPlugin.ImageTab', 'Default Color:'))
+ self.informationLabel.setText(
+ translate('ImagesPlugin.ImageTab', 'Provides border where image '
+ 'is not the correct dimensions for the screen when resized.'))
+
+ def onbackgroundColorButtonClicked(self):
+ new_color = QtGui.QColorDialog.getColor(
+ QtGui.QColor(self.bg_color), self)
+ if new_color.isValid():
+ self.bg_color = new_color.name()
+ self.backgroundColorButton.setStyleSheet(
+ u'background-color: %s' % self.bg_color)
+
+ def load(self):
+ settings = QtCore.QSettings()
+ settings.beginGroup(self.settingsSection)
+ self.bg_color = unicode(settings.value(
+ u'background color', QtCore.QVariant(u'#000000')).toString())
+ self.initial_color = self.bg_color
+ settings.endGroup()
+ self.backgroundColorButton.setStyleSheet(
+ u'background-color: %s' % self.bg_color)
+
+ def save(self):
+ settings = QtCore.QSettings()
+ settings.beginGroup(self.settingsSection)
+ settings.setValue(u'background color', QtCore.QVariant(self.bg_color))
+ settings.endGroup()
+ if self.initial_color != self.bg_color:
+ Receiver.send_message(u'image_updated')
+
diff --git a/openlp/plugins/images/lib/mediaitem.py b/openlp/plugins/images/lib/mediaitem.py
index acd420880..18d5d2a1c 100644
--- a/openlp/plugins/images/lib/mediaitem.py
+++ b/openlp/plugins/images/lib/mediaitem.py
@@ -140,6 +140,8 @@ class ImageMediaItem(MediaManagerItem):
self.plugin.formparent.finishedProgressBar()
def generateSlideData(self, service_item, item=None, xmlVersion=False):
+ background = QtGui.QColor(QtCore.QSettings().value(self.settingsSection
+ + u'/background color', QtCore.QVariant(u'#000000')))
if item:
items = [item]
else:
@@ -183,7 +185,7 @@ class ImageMediaItem(MediaManagerItem):
for bitem in items:
filename = unicode(bitem.data(QtCore.Qt.UserRole).toString())
(path, name) = os.path.split(filename)
- service_item.add_from_image(filename, name)
+ service_item.add_from_image(filename, name, background)
return True
def onResetClick(self):
@@ -206,13 +208,16 @@ class ImageMediaItem(MediaManagerItem):
if check_item_selected(self.listView,
translate('ImagePlugin.MediaItem',
'You must select an image to replace the background with.')):
+ background = QtGui.QColor(QtCore.QSettings().value(
+ self.settingsSection + u'/background color',
+ QtCore.QVariant(u'#000000')))
item = self.listView.selectedIndexes()[0]
bitem = self.listView.item(item.row())
filename = unicode(bitem.data(QtCore.Qt.UserRole).toString())
if os.path.exists(filename):
(path, name) = os.path.split(filename)
if self.plugin.liveController.display.directImage(name,
- filename):
+ filename, background):
self.resetAction.setVisible(True)
else:
critical_error_message_box(UiStrings().LiveBGError,
diff --git a/openlp/plugins/songs/forms/songexportform.py b/openlp/plugins/songs/forms/songexportform.py
index 90c3b0275..22020a401 100644
--- a/openlp/plugins/songs/forms/songexportform.py
+++ b/openlp/plugins/songs/forms/songexportform.py
@@ -170,8 +170,8 @@ class SongExportForm(OpenLPWizard):
translate('OpenLP.Ui', 'Welcome to the Song Export Wizard'))
self.informationLabel.setText(
translate('SongsPlugin.ExportWizardForm', 'This wizard will help to'
- ' export your songs to the open and free OpenLyrics worship song '
- 'format.'))
+ ' export your songs to the open and free OpenLyrics'
+ ' worship song format.'))
self.availableSongsPage.setTitle(
translate('SongsPlugin.ExportWizardForm', 'Select Songs'))
self.availableSongsPage.setSubTitle(
@@ -285,7 +285,9 @@ class SongExportForm(OpenLPWizard):
self, songs, unicode(self.directoryLineEdit.text()))
if exporter.do_export():
self.progressLabel.setText(
- translate('SongsPlugin.SongExportForm', 'Finished export.'))
+ translate('SongsPlugin.SongExportForm', 'Finished export. To '
+ 'import these files use the OpenLyrics '
+ 'importer.'))
else:
self.progressLabel.setText(
translate('SongsPlugin.SongExportForm',
diff --git a/openlp/plugins/songs/lib/db.py b/openlp/plugins/songs/lib/db.py
index c5c019c3c..5bfa0c830 100644
--- a/openlp/plugins/songs/lib/db.py
+++ b/openlp/plugins/songs/lib/db.py
@@ -31,6 +31,7 @@ the Songs plugin
from sqlalchemy import Column, ForeignKey, Table, types
from sqlalchemy.orm import mapper, relation
+from sqlalchemy.sql.expression import func
from openlp.core.lib.db import BaseModel, init_db
@@ -70,7 +71,6 @@ class Topic(BaseModel):
"""
pass
-
def init_schema(url):
"""
Setup the songs database connection and initialise the database schema.
@@ -111,10 +111,6 @@ def init_schema(url):
* file_name
* type
- **media_files_songs Table**
- * media_file_id
- * song_id
-
**song_books Table**
The *song_books* table holds a list of books that a congregation gets
their songs from, or old hymnals now no longer used. This table has the
@@ -162,7 +158,7 @@ def init_schema(url):
# Definition of the "authors" table
authors_table = Table(u'authors', metadata,
- Column(u'id', types.Integer, primary_key=True),
+ Column(u'id', types.Integer(), primary_key=True),
Column(u'first_name', types.Unicode(128)),
Column(u'last_name', types.Unicode(128)),
Column(u'display_name', types.Unicode(255), index=True, nullable=False)
@@ -170,22 +166,25 @@ def init_schema(url):
# Definition of the "media_files" table
media_files_table = Table(u'media_files', metadata,
- Column(u'id', types.Integer, primary_key=True),
+ Column(u'id', types.Integer(), primary_key=True),
+ Column(u'song_id', types.Integer(), ForeignKey(u'songs.id'),
+ default=None),
Column(u'file_name', types.Unicode(255), nullable=False),
- Column(u'type', types.Unicode(64), nullable=False, default=u'audio')
+ Column(u'type', types.Unicode(64), nullable=False, default=u'audio'),
+ Column(u'weight', types.Integer(), default=0)
)
# Definition of the "song_books" table
song_books_table = Table(u'song_books', metadata,
- Column(u'id', types.Integer, primary_key=True),
+ Column(u'id', types.Integer(), primary_key=True),
Column(u'name', types.Unicode(128), nullable=False),
Column(u'publisher', types.Unicode(128))
)
# Definition of the "songs" table
songs_table = Table(u'songs', metadata,
- Column(u'id', types.Integer, primary_key=True),
- Column(u'song_book_id', types.Integer,
+ Column(u'id', types.Integer(), primary_key=True),
+ Column(u'song_book_id', types.Integer(),
ForeignKey(u'song_books.id'), default=None),
Column(u'title', types.Unicode(255), nullable=False),
Column(u'alternate_title', types.Unicode(255)),
@@ -197,36 +196,31 @@ def init_schema(url):
Column(u'song_number', types.Unicode(64)),
Column(u'theme_name', types.Unicode(128)),
Column(u'search_title', types.Unicode(255), index=True, nullable=False),
- Column(u'search_lyrics', types.UnicodeText, nullable=False)
+ Column(u'search_lyrics', types.UnicodeText, nullable=False),
+ Column(u'create_date', types.DateTime(), default=func.now()),
+ Column(u'last_modified', types.DateTime(), default=func.now(),
+ onupdate=func.now())
)
# Definition of the "topics" table
topics_table = Table(u'topics', metadata,
- Column(u'id', types.Integer, primary_key=True),
+ Column(u'id', types.Integer(), primary_key=True),
Column(u'name', types.Unicode(128), index=True, nullable=False)
)
# Definition of the "authors_songs" table
authors_songs_table = Table(u'authors_songs', metadata,
- Column(u'author_id', types.Integer,
+ Column(u'author_id', types.Integer(),
ForeignKey(u'authors.id'), primary_key=True),
- Column(u'song_id', types.Integer,
- ForeignKey(u'songs.id'), primary_key=True)
- )
-
- # Definition of the "media_files_songs" table
- media_files_songs_table = Table(u'media_files_songs', metadata,
- Column(u'media_file_id', types.Integer,
- ForeignKey(u'media_files.id'), primary_key=True),
- Column(u'song_id', types.Integer,
+ Column(u'song_id', types.Integer(),
ForeignKey(u'songs.id'), primary_key=True)
)
# Definition of the "songs_topics" table
songs_topics_table = Table(u'songs_topics', metadata,
- Column(u'song_id', types.Integer,
+ Column(u'song_id', types.Integer(),
ForeignKey(u'songs.id'), primary_key=True),
- Column(u'topic_id', types.Integer,
+ Column(u'topic_id', types.Integer(),
ForeignKey(u'topics.id'), primary_key=True)
)
@@ -238,8 +232,7 @@ def init_schema(url):
'authors': relation(Author, backref='songs',
secondary=authors_songs_table, lazy=False),
'book': relation(Book, backref='songs'),
- 'media_files': relation(MediaFile, backref='songs',
- secondary=media_files_songs_table),
+ 'media_files': relation(MediaFile, backref='songs'),
'topics': relation(Topic, backref='songs',
secondary=songs_topics_table)
})
diff --git a/openlp/plugins/songs/lib/openlyricsexport.py b/openlp/plugins/songs/lib/openlyricsexport.py
index 6ba1fabe7..ec5677ea4 100644
--- a/openlp/plugins/songs/lib/openlyricsexport.py
+++ b/openlp/plugins/songs/lib/openlyricsexport.py
@@ -35,6 +35,7 @@ import re
from lxml import etree
from openlp.core.lib import check_directory_exists, Receiver, translate
+from openlp.core.utils import clean_filename
from openlp.plugins.songs.lib import OpenLyrics
log = logging.getLogger(__name__)
@@ -72,8 +73,7 @@ class OpenLyricsExport(object):
tree = etree.ElementTree(etree.fromstring(xml))
filename = u'%s (%s)' % (song.title,
u', '.join([author.display_name for author in song.authors]))
- filename = re.sub(
- r'[/\\?*|<>\[\]":<>+%]+', u'_', filename).strip(u'_')
+ filename = clean_filename(filename)
# Ensure the filename isn't too long for some filesystems
filename = u'%s.xml' % filename[0:250 - len(self.save_path)]
# Pass a file object, because lxml does not cope with some special
diff --git a/openlp/plugins/songs/lib/songshowplusimport.py b/openlp/plugins/songs/lib/songshowplusimport.py
index 9a21d33b9..591f71c10 100644
--- a/openlp/plugins/songs/lib/songshowplusimport.py
+++ b/openlp/plugins/songs/lib/songshowplusimport.py
@@ -102,7 +102,6 @@ class SongShowPlusImport(SongImport):
if not isinstance(self.import_source, list):
return
self.import_wizard.progressBar.setMaximum(len(self.import_source))
-
for file in self.import_source:
if self.stop_import_flag:
return
@@ -113,7 +112,6 @@ class SongShowPlusImport(SongImport):
self.import_wizard.incrementProgressBar(
WizardStrings.ImportingType % file_name, 0)
songData = open(file, 'rb')
-
while True:
blockKey, = struct.unpack("I", songData.read(4))
# The file ends with 4 NUL's
@@ -128,8 +126,9 @@ class SongShowPlusImport(SongImport):
songData.read(2))
verseName = songData.read(verseNameLength)
lengthDescriptorSize, = struct.unpack("B", songData.read(1))
+ log.debug(lengthDescriptorSize)
# Detect if/how long the length descriptor is
- if lengthDescriptorSize == 12:
+ if lengthDescriptorSize == 12 or lengthDescriptorSize == 20:
lengthDescriptor, = struct.unpack("I", songData.read(4))
elif lengthDescriptorSize == 2:
lengthDescriptor = 1
@@ -137,6 +136,7 @@ class SongShowPlusImport(SongImport):
lengthDescriptor = 0
else:
lengthDescriptor, = struct.unpack("B", songData.read(1))
+ log.debug(lengthDescriptorSize)
data = songData.read(lengthDescriptor)
if blockKey == TITLE:
self.title = unicode(data, u'cp1252')
diff --git a/openlp/plugins/songs/lib/upgrade.py b/openlp/plugins/songs/lib/upgrade.py
new file mode 100644
index 000000000..fae3400c2
--- /dev/null
+++ b/openlp/plugins/songs/lib/upgrade.py
@@ -0,0 +1,88 @@
+# -*- coding: utf-8 -*-
+# vim: autoindent shiftwidth=4 expandtab textwidth=80 tabstop=4 softtabstop=4
+
+###############################################################################
+# OpenLP - Open Source Lyrics Projection #
+# --------------------------------------------------------------------------- #
+# Copyright (c) 2008-2011 Raoul Snyman #
+# Portions copyright (c) 2008-2011 Tim Bentley, Gerald Britton, Jonathan #
+# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, #
+# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias #
+# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, #
+# Maikel Stuivenberg, Martin Thompson, Jon Tibble, 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. #
+# #
+# This program is distributed in the hope that it will be useful, but WITHOUT #
+# ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or #
+# FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for #
+# more details. #
+# #
+# You should have received a copy of the GNU General Public License along #
+# with this program; if not, write to the Free Software Foundation, Inc., 59 #
+# Temple Place, Suite 330, Boston, MA 02111-1307 USA #
+###############################################################################
+"""
+The :mod:`upgrade` module provides a way for the database and schema that is the
+backend for the Songs plugin
+"""
+
+from sqlalchemy import Column, ForeignKey, Table, types
+from sqlalchemy.sql.expression import func
+from migrate import changeset
+from migrate.changeset.constraint import ForeignKeyConstraint
+
+__version__ = 2
+
+def upgrade_setup(metadata):
+ """
+ Set up the latest revision all tables, with reflection, needed for the
+ upgrade process. If you want to drop a table, you need to remove it from
+ here, and add it to your upgrade function.
+ """
+ tables = {
+ u'authors': Table(u'authors', metadata, autoload=True),
+ u'media_files': Table(u'media_files', metadata, autoload=True),
+ u'song_books': Table(u'song_books', metadata, autoload=True),
+ u'songs': Table(u'songs', metadata, autoload=True),
+ u'topics': Table(u'topics', metadata, autoload=True),
+ u'authors_songs': Table(u'authors_songs', metadata, autoload=True),
+ u'songs_topics': Table(u'songs_topics', metadata, autoload=True)
+ }
+ return tables
+
+
+def upgrade_1(session, metadata, tables):
+ """
+ Version 1 upgrade.
+
+ This upgrade removes the many-to-many relationship between songs and
+ media_files and replaces it with a one-to-many, which is far more
+ representative of the real relationship between the two entities.
+
+ In order to facilitate this one-to-many relationship, a song_id column is
+ added to the media_files table, and a weight column so that the media
+ files can be ordered.
+ """
+ Table(u'media_files_songs', metadata, autoload=True).drop(checkfirst=True)
+ Column(u'song_id', types.Integer(), default=None)\
+ .create(table=tables[u'media_files'], populate_default=True)
+ Column(u'weight', types.Integer(), default=0)\
+ .create(table=tables[u'media_files'], populate_default=True)
+ if metadata.bind.url.get_dialect().name != 'sqlite':
+ # SQLite doesn't support ALTER TABLE ADD CONSTRAINT
+ ForeignKeyConstraint([u'song_id'], [u'songs.id'],
+ table=tables[u'media_files']).create()
+
+def upgrade_2(session, metadata, tables):
+ """
+ Version 2 upgrade.
+
+ This upgrade adds a create_date and last_modified date to the songs table
+ """
+ Column(u'create_date', types.DateTime(), default=func.now())\
+ .create(table=tables[u'songs'], populate_default=True)
+ Column(u'last_modified', types.DateTime(), default=func.now())\
+ .create(table=tables[u'songs'], populate_default=True)
diff --git a/openlp/plugins/songs/lib/xml.py b/openlp/plugins/songs/lib/xml.py
index 3635fd7e7..193a823d5 100644
--- a/openlp/plugins/songs/lib/xml.py
+++ b/openlp/plugins/songs/lib/xml.py
@@ -246,8 +246,9 @@ class OpenLyrics(object):
# Append the necessary meta data to the song.
song_xml.set(u'xmlns', u'http://openlyrics.info/namespace/2009/song')
song_xml.set(u'version', OpenLyrics.IMPLEMENTED_VERSION)
- song_xml.set(u'createdIn', get_application_version()[u'version'])
- song_xml.set(u'modifiedIn', get_application_version()[u'version'])
+ application_name = u'OpenLP ' + get_application_version()[u'version']
+ song_xml.set(u'createdIn', application_name)
+ song_xml.set(u'modifiedIn', application_name)
song_xml.set(u'modifiedDate',
datetime.datetime.now().strftime(u'%Y-%m-%dT%H:%M:%S'))
properties = etree.SubElement(song_xml, u'properties')
diff --git a/openlp/plugins/songs/songsplugin.py b/openlp/plugins/songs/songsplugin.py
index 8a773be90..f2bf36790 100644
--- a/openlp/plugins/songs/songsplugin.py
+++ b/openlp/plugins/songs/songsplugin.py
@@ -36,7 +36,8 @@ from openlp.core.lib import Plugin, StringContent, build_icon, translate, \
from openlp.core.lib.db import Manager
from openlp.core.lib.ui import UiStrings, base_action, icon_action
from openlp.core.utils.actions import ActionList
-from openlp.plugins.songs.lib import clean_song, SongMediaItem, SongsTab
+from openlp.plugins.songs.lib import clean_song, upgrade, SongMediaItem, \
+ SongsTab
from openlp.plugins.songs.lib.db import init_schema, Song
from openlp.plugins.songs.lib.importer import SongFormat
from openlp.plugins.songs.lib.olpimport import OpenLPSongImport
@@ -58,8 +59,8 @@ class SongsPlugin(Plugin):
Create and set up the Songs plugin.
"""
Plugin.__init__(self, u'songs', plugin_helpers, SongMediaItem, SongsTab)
+ self.manager = Manager(u'songs', init_schema, upgrade_mod=upgrade)
self.weight = -10
- self.manager = Manager(u'songs', init_schema)
self.icon_path = u':/plugins/plugin_songs.png'
self.icon = build_icon(self.icon_path)
diff --git a/openlp/plugins/songusage/forms/songusagedeletedialog.py b/openlp/plugins/songusage/forms/songusagedeletedialog.py
index e66260975..28f18d578 100644
--- a/openlp/plugins/songusage/forms/songusagedeletedialog.py
+++ b/openlp/plugins/songusage/forms/songusagedeletedialog.py
@@ -34,26 +34,33 @@ class Ui_SongUsageDeleteDialog(object):
def setupUi(self, songUsageDeleteDialog):
songUsageDeleteDialog.setObjectName(u'songUsageDeleteDialog')
songUsageDeleteDialog.resize(291, 243)
- self.layoutWidget = QtGui.QWidget(songUsageDeleteDialog)
- self.layoutWidget.setGeometry(QtCore.QRect(20, 10, 247, 181))
- self.layoutWidget.setObjectName(u'layoutWidget')
- self.verticalLayout = QtGui.QVBoxLayout(self.layoutWidget)
+ self.verticalLayout = QtGui.QVBoxLayout(songUsageDeleteDialog)
+ self.verticalLayout.setSpacing(8)
+ self.verticalLayout.setContentsMargins(8, 8, 8, 8)
self.verticalLayout.setObjectName(u'verticalLayout')
- self.deleteCalendar = QtGui.QCalendarWidget(self.layoutWidget)
+ self.deleteLabel = QtGui.QLabel(songUsageDeleteDialog)
+ self.deleteLabel.setObjectName(u'deleteLabel')
+ self.verticalLayout.addWidget(self.deleteLabel)
+ self.deleteCalendar = QtGui.QCalendarWidget(songUsageDeleteDialog)
self.deleteCalendar.setFirstDayOfWeek(QtCore.Qt.Sunday)
self.deleteCalendar.setGridVisible(True)
self.deleteCalendar.setVerticalHeaderFormat(
QtGui.QCalendarWidget.NoVerticalHeader)
self.deleteCalendar.setObjectName(u'deleteCalendar')
self.verticalLayout.addWidget(self.deleteCalendar)
- self.buttonBox = create_accept_reject_button_box(
- songUsageDeleteDialog, True)
- self.buttonBox.setGeometry(QtCore.QRect(30, 210, 245, 25))
+ self.buttonBox = QtGui.QDialogButtonBox(songUsageDeleteDialog)
+ self.buttonBox.setStandardButtons(
+ QtGui.QDialogButtonBox.Ok | QtGui.QDialogButtonBox.Cancel)
self.buttonBox.setObjectName(u'buttonBox')
+ self.verticalLayout.addWidget(self.buttonBox)
self.retranslateUi(songUsageDeleteDialog)
- QtCore.QMetaObject.connectSlotsByName(songUsageDeleteDialog)
def retranslateUi(self, songUsageDeleteDialog):
songUsageDeleteDialog.setWindowTitle(
translate('SongUsagePlugin.SongUsageDeleteForm',
- 'Delete Song Usage Data'))
+ 'Delete Song Usage Data'))
+ self.deleteLabel.setText(
+ translate('SongUsagePlugin.SongUsageDeleteForm',
+ 'Select the date up to which the song usage data should be '
+ 'deleted. All data recorded before this date will be '
+ 'permanently deleted.'))
diff --git a/openlp/plugins/songusage/forms/songusagedeleteform.py b/openlp/plugins/songusage/forms/songusagedeleteform.py
index 935fc7c71..bd73ea2f0 100644
--- a/openlp/plugins/songusage/forms/songusagedeleteform.py
+++ b/openlp/plugins/songusage/forms/songusagedeleteform.py
@@ -25,7 +25,7 @@
# Temple Place, Suite 330, Boston, MA 02111-1307 USA #
###############################################################################
-from PyQt4 import QtGui
+from PyQt4 import QtCore, QtGui
from openlp.core.lib import translate, Receiver
from openlp.plugins.songusage.lib.db import SongUsageItem
@@ -42,23 +42,32 @@ class SongUsageDeleteForm(QtGui.QDialog, Ui_SongUsageDeleteDialog):
self.manager = manager
QtGui.QDialog.__init__(self, parent)
self.setupUi(self)
+ QtCore.QObject.connect(
+ self.buttonBox, QtCore.SIGNAL(u'clicked(QAbstractButton*)'),
+ self.onButtonBoxClicked)
- def accept(self):
- ret = QtGui.QMessageBox.question(self,
- translate('SongUsagePlugin.SongUsageDeleteForm',
- 'Delete Selected Song Usage Events?'),
- translate('SongUsagePlugin.SongUsageDeleteForm',
- 'Are you sure you want to delete selected Song Usage data?'),
- QtGui.QMessageBox.StandardButtons(QtGui.QMessageBox.Ok |
- QtGui.QMessageBox.Cancel),
- QtGui.QMessageBox.Cancel)
- if ret == QtGui.QMessageBox.Ok:
- deleteDate = self.deleteCalendar.selectedDate().toPyDate()
- self.manager.delete_all_objects(SongUsageItem,
- SongUsageItem.usagedate <= deleteDate)
- Receiver.send_message(u'openlp_information_message', {
- u'title': translate('SongUsagePlugin.SongUsageDeleteForm',
- 'Deletion Successful'),
- u'message': translate('SongUsagePlugin.SongUsageDeleteForm',
- 'All requested data has been deleted successfully. ')})
- self.close()
+ def onButtonBoxClicked(self, button):
+ if self.buttonBox.standardButton(button) == QtGui.QDialogButtonBox.Ok:
+ ret = QtGui.QMessageBox.question(self,
+ translate('SongUsagePlugin.SongUsageDeleteForm',
+ 'Delete Selected Song Usage Events?'),
+ translate('SongUsagePlugin.SongUsageDeleteForm',
+ 'Are you sure you want to delete selected Song Usage '
+ 'data?'),
+ QtGui.QMessageBox.StandardButtons(QtGui.QMessageBox.Yes |
+ QtGui.QMessageBox.No),
+ QtGui.QMessageBox.No)
+ if ret == QtGui.QMessageBox.Yes:
+ deleteDate = self.deleteCalendar.selectedDate().toPyDate()
+ self.manager.delete_all_objects(SongUsageItem,
+ SongUsageItem.usagedate <= deleteDate)
+ Receiver.send_message(u'openlp_information_message', {
+ u'title': translate('SongUsagePlugin.SongUsageDeleteForm',
+ 'Deletion Successful'),
+ u'message': translate(
+ 'SongUsagePlugin.SongUsageDeleteForm',
+ 'All requested data has been deleted successfully. ')}
+ )
+ self.accept()
+ else:
+ self.reject()
diff --git a/openlp/plugins/songusage/forms/songusagedetaildialog.py b/openlp/plugins/songusage/forms/songusagedetaildialog.py
index 08e0aaf7f..16021c4ac 100644
--- a/openlp/plugins/songusage/forms/songusagedetaildialog.py
+++ b/openlp/plugins/songusage/forms/songusagedetaildialog.py
@@ -35,12 +35,14 @@ class Ui_SongUsageDetailDialog(object):
songUsageDetailDialog.setObjectName(u'songUsageDetailDialog')
songUsageDetailDialog.resize(609, 413)
self.verticalLayout = QtGui.QVBoxLayout(songUsageDetailDialog)
+ self.verticalLayout.setSpacing(8)
+ self.verticalLayout.setContentsMargins(8, 8, 8, 8)
self.verticalLayout.setObjectName(u'verticalLayout')
self.dateRangeGroupBox = QtGui.QGroupBox(songUsageDetailDialog)
self.dateRangeGroupBox.setObjectName(u'dateRangeGroupBox')
- self.verticalLayout2 = QtGui.QVBoxLayout(self.dateRangeGroupBox)
- self.verticalLayout2.setObjectName(u'verticalLayout2')
- self.dateHorizontalLayout = QtGui.QHBoxLayout()
+ self.dateHorizontalLayout = QtGui.QHBoxLayout(self.dateRangeGroupBox)
+ self.dateHorizontalLayout.setSpacing(8)
+ self.dateHorizontalLayout.setContentsMargins(8, 8, 8, 8)
self.dateHorizontalLayout.setObjectName(u'dateHorizontalLayout')
self.fromDate = QtGui.QCalendarWidget(self.dateRangeGroupBox)
self.fromDate.setObjectName(u'fromDate')
@@ -53,26 +55,25 @@ class Ui_SongUsageDetailDialog(object):
self.toDate = QtGui.QCalendarWidget(self.dateRangeGroupBox)
self.toDate.setObjectName(u'toDate')
self.dateHorizontalLayout.addWidget(self.toDate)
- self.verticalLayout2.addLayout(self.dateHorizontalLayout)
+ self.verticalLayout.addWidget(self.dateRangeGroupBox)
self.fileGroupBox = QtGui.QGroupBox(self.dateRangeGroupBox)
self.fileGroupBox.setObjectName(u'fileGroupBox')
- self.verticalLayout4 = QtGui.QVBoxLayout(self.fileGroupBox)
- self.verticalLayout4.setObjectName(u'verticalLayout4')
- self.horizontalLayout = QtGui.QHBoxLayout()
- self.horizontalLayout.setObjectName(u'horizontalLayout')
+ self.fileHorizontalLayout = QtGui.QHBoxLayout(self.fileGroupBox)
+ self.fileHorizontalLayout.setSpacing(8)
+ self.fileHorizontalLayout.setContentsMargins(8, 8, 8, 8)
+ self.fileHorizontalLayout.setObjectName(u'fileHorizontalLayout')
self.fileLineEdit = QtGui.QLineEdit(self.fileGroupBox)
self.fileLineEdit.setObjectName(u'fileLineEdit')
self.fileLineEdit.setReadOnly(True)
- self.fileLineEdit.setEnabled(False)
- self.horizontalLayout.addWidget(self.fileLineEdit)
+ self.fileHorizontalLayout.addWidget(self.fileLineEdit)
self.saveFilePushButton = QtGui.QPushButton(self.fileGroupBox)
+ self.saveFilePushButton.setMaximumWidth(
+ self.saveFilePushButton.size().height())
self.saveFilePushButton.setIcon(
build_icon(u':/general/general_open.png'))
self.saveFilePushButton.setObjectName(u'saveFilePushButton')
- self.horizontalLayout.addWidget(self.saveFilePushButton)
- self.verticalLayout4.addLayout(self.horizontalLayout)
- self.verticalLayout2.addWidget(self.fileGroupBox)
- self.verticalLayout.addWidget(self.dateRangeGroupBox)
+ self.fileHorizontalLayout.addWidget(self.saveFilePushButton)
+ self.verticalLayout.addWidget(self.fileGroupBox)
self.buttonBox = create_accept_reject_button_box(
songUsageDetailDialog, True)
self.verticalLayout.addWidget(self.buttonBox)
diff --git a/openlp/plugins/songusage/forms/songusagedetailform.py b/openlp/plugins/songusage/forms/songusagedetailform.py
index 303789d20..f7b04a656 100644
--- a/openlp/plugins/songusage/forms/songusagedetailform.py
+++ b/openlp/plugins/songusage/forms/songusagedetailform.py
@@ -117,9 +117,11 @@ class SongUsageDetailForm(QtGui.QDialog, Ui_SongUsageDetailDialog):
try:
fileHandle = open(outname, u'w')
for instance in usage:
- record = u'\"%s\",\"%s\",\"%s\",\"%s\",\"%s\",\"%s\"\n' % (
- instance.usagedate, instance.usagetime, instance.title,
- instance.copyright, instance.ccl_number, instance.authors)
+ record = u'\"%s\",\"%s\",\"%s\",\"%s\",\"%s\",\"%s\",' \
+ u'\"%s\",\"%s\"\n' % ( instance.usagedate,
+ instance.usagetime, instance.title, instance.copyright,
+ instance.ccl_number, instance.authors,
+ instance.plugin_name, instance.source)
fileHandle.write(record.encode(u'utf-8'))
Receiver.send_message(u'openlp_information_message', {
u'title': translate('SongUsagePlugin.SongUsageDetailForm',
diff --git a/openlp/plugins/songusage/lib/db.py b/openlp/plugins/songusage/lib/db.py
index 9a11ef16b..bbd645634 100644
--- a/openlp/plugins/songusage/lib/db.py
+++ b/openlp/plugins/songusage/lib/db.py
@@ -56,7 +56,9 @@ def init_schema(url):
Column(u'title', types.Unicode(255), nullable=False),
Column(u'authors', types.Unicode(255), nullable=False),
Column(u'copyright', types.Unicode(255)),
- Column(u'ccl_number', types.Unicode(65))
+ Column(u'ccl_number', types.Unicode(65)),
+ Column(u'plugin_name', types.Unicode(20)),
+ Column(u'source', types.Unicode(10))
)
mapper(SongUsageItem, songusage_table)
diff --git a/openlp/plugins/songusage/lib/upgrade.py b/openlp/plugins/songusage/lib/upgrade.py
new file mode 100644
index 000000000..50ca32fcd
--- /dev/null
+++ b/openlp/plugins/songusage/lib/upgrade.py
@@ -0,0 +1,58 @@
+# -*- coding: utf-8 -*-
+# vim: autoindent shiftwidth=4 expandtab textwidth=80 tabstop=4 softtabstop=4
+
+###############################################################################
+# OpenLP - Open Source Lyrics Projection #
+# --------------------------------------------------------------------------- #
+# Copyright (c) 2008-2011 Raoul Snyman #
+# Portions copyright (c) 2008-2011 Tim Bentley, Gerald Britton, Jonathan #
+# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, #
+# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias #
+# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, #
+# Maikel Stuivenberg, Martin Thompson, Jon Tibble, 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. #
+# #
+# This program is distributed in the hope that it will be useful, but WITHOUT #
+# ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or #
+# FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for #
+# more details. #
+# #
+# You should have received a copy of the GNU General Public License along #
+# with this program; if not, write to the Free Software Foundation, Inc., 59 #
+# Temple Place, Suite 330, Boston, MA 02111-1307 USA #
+###############################################################################
+"""
+The :mod:`upgrade` module provides a way for the database and schema that is the
+backend for the SongsUsage plugin
+"""
+
+from sqlalchemy import Column, Table, types
+from migrate import changeset
+
+__version__ = 1
+
+def upgrade_setup(metadata):
+ """
+ Set up the latest revision all tables, with reflection, needed for the
+ upgrade process. If you want to drop a table, you need to remove it from
+ here, and add it to your upgrade function.
+ """
+ tables = {
+ u'songusage_data': Table(u'songusage_data', metadata, autoload=True)
+ }
+ return tables
+
+
+def upgrade_1(session, metadata, tables):
+ """
+ Version 1 upgrade.
+
+ This upgrade adds two new fields to the songusage database
+ """
+ Column(u'plugin_name', types.Unicode(20), default=u'') \
+ .create(table=tables[u'songusage_data'], populate_default=True)
+ Column(u'source', types.Unicode(10), default=u'') \
+ .create(table=tables[u'songusage_data'], populate_default=True)
diff --git a/openlp/plugins/songusage/songusageplugin.py b/openlp/plugins/songusage/songusageplugin.py
index 4ca23aeb0..495d3103d 100644
--- a/openlp/plugins/songusage/songusageplugin.py
+++ b/openlp/plugins/songusage/songusageplugin.py
@@ -37,6 +37,7 @@ from openlp.core.lib.ui import base_action, shortcut_action
from openlp.core.utils.actions import ActionList
from openlp.plugins.songusage.forms import SongUsageDetailForm, \
SongUsageDeleteForm
+from openlp.plugins.songusage.lib import upgrade
from openlp.plugins.songusage.lib.db import init_schema, SongUsageItem
log = logging.getLogger(__name__)
@@ -46,11 +47,11 @@ class SongUsagePlugin(Plugin):
def __init__(self, plugin_helpers):
Plugin.__init__(self, u'songusage', plugin_helpers)
+ self.manager = Manager(u'songusage', init_schema, upgrade_mod=upgrade)
self.weight = -4
self.icon = build_icon(u':/plugins/plugin_songusage.png')
self.activeIcon = build_icon(u':/songusage/song_usage_active.png')
self.inactiveIcon = build_icon(u':/songusage/song_usage_inactive.png')
- self.manager = None
self.songUsageActive = False
def addToolsMenuItem(self, tools_menu):
@@ -96,6 +97,7 @@ class SongUsagePlugin(Plugin):
self.songUsageActiveButton = QtGui.QToolButton(
self.formparent.statusBar)
self.songUsageActiveButton.setCheckable(True)
+ self.songUsageActiveButton.setAutoRaise(True)
self.songUsageActiveButton.setStatusTip(translate('SongUsagePlugin',
'Toggle the tracking of song usage.'))
self.songUsageActiveButton.setObjectName(u'songUsageActiveButton')
@@ -120,7 +122,10 @@ class SongUsagePlugin(Plugin):
Plugin.initialise(self)
QtCore.QObject.connect(Receiver.get_receiver(),
QtCore.SIGNAL(u'slidecontroller_live_started'),
- self.onReceiveSongUsage)
+ self.displaySongUsage)
+ QtCore.QObject.connect(Receiver.get_receiver(),
+ QtCore.SIGNAL(u'print_service_started'),
+ self.printSongUsage)
self.songUsageActive = QtCore.QSettings().value(
self.settingsSection + u'/active',
QtCore.QVariant(False)).toBool()
@@ -133,8 +138,6 @@ class SongUsagePlugin(Plugin):
translate('SongUsagePlugin', 'Song Usage'))
action_list.add_action(self.songUsageReport,
translate('SongUsagePlugin', 'Song Usage'))
- if self.manager is None:
- self.manager = Manager(u'songusage', init_schema)
self.songUsageDeleteForm = SongUsageDeleteForm(self.manager,
self.formparent)
self.songUsageDetailForm = SongUsageDetailForm(self, self.formparent)
@@ -193,10 +196,21 @@ class SongUsagePlugin(Plugin):
self.songUsageStatus.blockSignals(False)
- def onReceiveSongUsage(self, item):
+ def displaySongUsage(self, item):
"""
- Song Usage for live song from SlideController
+ Song Usage for which has been displayed
"""
+ self._add_song_usage(unicode(translate('SongUsagePlugin',
+ 'display')), item)
+
+ def printSongUsage(self, item):
+ """
+ Song Usage for which has been printed
+ """
+ self._add_song_usage(unicode(translate('SongUsagePlugin',
+ 'printed')), item)
+
+ def _add_song_usage(self, source, item):
audit = item[0].audit
if self.songUsageActive and audit:
song_usage_item = SongUsageItem()
@@ -206,6 +220,8 @@ class SongUsagePlugin(Plugin):
song_usage_item.copyright = audit[2]
song_usage_item.ccl_number = audit[3]
song_usage_item.authors = u' '.join(audit[1])
+ song_usage_item.plugin_name = item[0].name
+ song_usage_item.source = source
self.manager.save_object(song_usage_item)
def onSongUsageDelete(self):
diff --git a/resources/debian/debian/control b/resources/debian/debian/control
index 220b500d2..a1c2298e9 100644
--- a/resources/debian/debian/control
+++ b/resources/debian/debian/control
@@ -11,7 +11,7 @@ Package: openlp
Architecture: all
Depends: ${shlibs:Depends}, ${misc:Depends}, ${python:Depends}, python-qt4,
python-qt4-phonon, python-sqlalchemy, python-chardet, python-beautifulsoup,
- python-lxml, python-sqlite, python-enchant
+ python-lxml, python-sqlite, python-enchant, python-mako, python-migrate
Conflicts: python-openlp
Description: Church lyrics projection application
OpenLP is free church presentation software, or lyrics projection software,
diff --git a/resources/i18n/af.ts b/resources/i18n/af.ts
index d7233db70..1b7cf22c5 100644
--- a/resources/i18n/af.ts
+++ b/resources/i18n/af.ts
@@ -1,29 +1,29 @@
-
+
AlertPlugin.AlertForm
- Daar is nie 'n parameter gegee om te vervang nie.
+ Daar is nie 'n parameter gegee om te vervang nie.
Gaan steeds voort?
- Geen Parameter Gevind nie
+ Geen Parameter Gevind nie
- Geen Plekhouer Gevind nie
+ Geen Plekhouer Gevind nie
- Die attent-teks bevat nie '<>' nie.
+ Die attent-teks bevat nie '<>' nie.
Gaan steeds voort?
@@ -42,7 +42,7 @@ Gaan steeds voort?
- <strong>Waarskuwing Mini-program</strong><br/>Die waarskuwing mini-program beheer die vertoning van moederskamer inligting op die vertoon skerm
+ <strong>Waarskuwing Mini-program</strong><br/>Die waarskuwing mini-program beheer die vertoning van moederskamer inligting op die vertoon skerm
@@ -62,6 +62,11 @@ Gaan steeds voort?
container title
Waarskuwings
+
+
+
+
+
AlertsPlugin.AlertForm
@@ -110,6 +115,30 @@ Gaan steeds voort?
&Parameter:
+
+
+
+ Geen Parameter Gevind nie
+
+
+
+
+ Daar is nie 'n parameter gegee om te vervang nie.
+Gaan steeds voort?
+
+
+
+
+ Geen Plekhouer Gevind nie
+
+
+
+
+ Die attent-teks bevat nie '<>' nie.
+Gaan steeds voort?
+
AlertsPlugin.AlertsManager
@@ -157,18 +186,18 @@ Gaan steeds voort?
- Boek invoer... %s
+ Boek invoer... %s
Importing verses from <book name>...
- Vers invoer vanaf %s...
+ Vers invoer vanaf %s...
- Vers invoer... voltooi.
+ Vers invoer... voltooi.
@@ -176,12 +205,17 @@ Gaan steeds voort?
- &Opgradeer ouer Bybels
+ &Opgradeer ouer Bybels
+
+
+
+
+ Opgradeer die Bybel databasisse na die nuutste formaat
- Opgradeer die Bybel databasisse na die nuutste formaat.
+ Opgradeer die Bybel databasisse na die nuutste formaat.
@@ -189,22 +223,22 @@ Gaan steeds voort?
- Aflaai Fout
+ Aflaai Fout
- Ontleed Fout
+ Ontleed Fout
- Daar was 'n probleem om die vers seleksie af te laai. Gaan die Internet konneksie na en as hierdie probleem voortduur, oorweeg dit asseblief om 'n gogga te rapporteer.
+ Daar was 'n probleem om die vers seleksie af te laai. Gaan die Internet konneksie na en as hierdie probleem voortduur, oorweeg dit asseblief om 'n gogga te rapporteer.
- Daar was 'n probleem om die vers seleksie te onttrek. As hierdie probleem voortduur, oorweeg dit asseblief om 'n gogga te rapporteer.
+ Daar was 'n probleem om die vers seleksie te onttrek. As hierdie probleem voortduur, oorweeg dit asseblief om 'n gogga te rapporteer.
@@ -212,22 +246,27 @@ Gaan steeds voort?
- Die Bybel is nie ten volle gelaai nie.
+ 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?
+ Enkel en dubbel Bybel vers soek resultate kan nie kombineer word nie. Wis die resultate uit en begin 'n nuwe soektog?
- Informasie
+ Informasie
+
+
+
+
+ Die tweede Bybels het nie al die verse wat in die hoof Bybel is nie. Slegs verse wat in beide Bybels voorkom, sal gewys word. %d verse is nie by die resultate ingesluit nie.
- Die tweede Bybel het nie al die verse wat in die hoof Bybel is nie. Slegs verse wat in beide Bybels voorkom, sal gewys word. %d verse is nie by die resultate ingesluit nie.
+ Die tweede Bybel het nie al die verse wat in die hoof Bybel is nie. Slegs verse wat in beide Bybels voorkom, sal gewys word. %d verse is nie by die resultate ingesluit nie.
@@ -256,12 +295,12 @@ Gaan steeds voort?
Bybels
-
+
Geen Boek Gevind nie
-
+
Geen passende boek kon in hierdie Bybel gevind word nie. Gaan na dat die naam van die boek korrek gespel is.
@@ -305,38 +344,48 @@ Gaan steeds voort?
<strong>Bybel Mini-program</strong<br />Die Bybel mini-program verskaf die vermoë om Bybelverse vanaf verskillende bronne te vertoon tydens die diens.
+
+
+
+ &Opgradeer ouer Bybels
+
+
+
+
+ Opgradeer die Bybel databasisse na die nuutste formaat.
+
BiblesPlugin.BibleManager
-
+
Skrif Verwysing Fout
-
+
Web Bybel kan nie gebruik word nie
-
+
Teks Soektog is nie beskikbaar met Web Bybels nie.
-
+
Daar is nie 'n soek sleutelwoord ingevoer nie.
Vir 'n soektog wat alle sleutelwoorde bevat, skei die woorde deur middel van 'n spasie. Vir 'n soektog wat een van die sleutelwoorde bevat, skei die woorde deur middel van 'n komma.
-
+
Huidig is daar geen Bybels geïnstalleer nie. Gebruik asseblief die Invoer Gids om een of meer Bybels te installeer.
-
+
-
+
Geeb Bybels Beskikbaar nie
@@ -461,189 +510,228 @@ Veranderinge affekteer nie verse wat reeds in die diens is nie.
Kies asseblief 'n boek.
+
+ BiblesPlugin.CSVBible
+
+
+
+ Boek invoer... %s
+
+
+
+
+ Importing verses from <book name>...
+ Vers invoer vanaf %s...
+
+
+
+
+ Vers invoer... voltooi.
+
+
BiblesPlugin.HTTPBible
-
+
Registreer Bybel en laai boeke...
-
+
Taal registrasie...
-
+
Importing <book name>...
Voer %s in...
+
+
+
+ Aflaai Fout
+
+
+
+
+ Daar was 'n probleem om die vers seleksie af te laai. Gaan die Internet konneksie na en as hierdie probleem voortduur, oorweeg dit asseblief om 'n gogga te rapporteer.
+
+
+
+
+ Ontleed Fout
+
+
+
+
+ Daar was 'n probleem om die vers seleksie te onttrek. As hierdie probleem voortduur, oorweeg dit asseblief om 'n gogga te rapporteer.
+
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.
-
+
Toestemming:
-
+
KGW Lêer
-
+
Bybelbediener
-
+
Bybel lêer:
-
+
Boeke lêer:
-
+
Verse lêer:
-
+
openlp.org 1.x Bybel Lêers
-
+
Bybel word geregistreer...
-
+
Geregistreerde Bybel. Neem asseblief kennis dat verse op aan-
@@ -671,7 +759,7 @@ vraag afgelaai word en dus is 'n internet konneksie nodig.
BiblesPlugin.LanguageForm
-
+
Kies asseblief 'n taal.
@@ -679,60 +767,80 @@ vraag afgelaai word en dus is 'n internet konneksie nodig.
BiblesPlugin.MediaItem
-
+
Vinnig
-
+
Vind:
-
+
Boek:
-
+
Hoofstuk:
-
+
Vers:
-
+
Vanaf:
-
+
Tot:
-
+
Teks Soektog
-
+
Tweede:
-
+
Skrif Verwysing
-
+
Wissel om die vorige resultate te behou of te verwyder.
+
+
+
+ Enkel en dubbel Bybel vers soek resultate kan nie kombineer word nie. Wis die resultate uit en begin 'n nuwe soektog?
+
+
+
+
+ Die Bybel is nie ten volle gelaai nie.
+
+
+
+
+ Informasie
+
+
+
+
+ Die tweede Bybel het nie al die verse wat in die hoof Bybel is nie. Slegs verse wat in beide Bybels voorkom, sal gewys word. %d verse is nie by die resultate ingesluit nie.
+
BiblesPlugin.Opensong
@@ -760,148 +868,181 @@ vraag afgelaai word en dus is 'n internet konneksie nodig.
BiblesPlugin.UpgradeWizardForm
-
+
Kies 'n Rugsteun Ligging
-
+
Bybel Opgradeer Gids
-
+
Hierdie gids sal help om die bestaande Bybels vanaf 'n vorige weergawe van OpenLP 2.0 op te gradeer. Kliek die volgende knoppie hier-onder om die opgradeer proses te begin.
-
+
Kies Rugsteun Ligging
-
+
Kies asseblief 'n rugsteun liging vir die Bybels
-
+
Vorige weergawes van OpenLP 2.0 is nie in staat om opgegradeerde Bybels te gebruik nie. Hierdie sal 'n rugsteun van die bestaande Bybels maak sodat indien dit nodig is om terug te gaan na 'n vorige weergawe van OpenLP, die Bybels net terug gekopiër kan word. Instruksies oor hoe om lêers te herstel kan gevind word by ons <a href="http://wiki.openlp.org/faq">Gereelde Vrae</a>.
-
+
Kies asseblief 'n rugsteun ligging vir die Bybels.
-
+
Rugsteun Ligging:
-
+
Dit is nie nodig om die Bybels op te gradeer nie
-
+
Kies Bybels
-
+
Kies asseblief die Bybels om op te gradeer
-
+
- Weergawe naam:
+ Weergawe naam:
-
+
- Hierdie Bybel bestaan steeds. Kies asseblief 'n ander naam of werwyder die seleksie.
+ Hierdie Bybel bestaan steeds. Kies asseblief 'n ander naam of werwyder die seleksie.
-
+
Opgradeer
-
+
Wag asseblief terwyl die Bybels opgradeer word.
- 'n Rugsteun Ligging moet vir die Bybels gespesifiseer word.
+ 'n Rugsteun Ligging moet vir die Bybels gespesifiseer word.
-
+
+
+ Die rugsteun was nie suksesvol nie.
+Om die Bybels op te gradeer word skryf-toestemming benodig vir die gegewe lêer. As skryf-toestemming korrek is en hierdie fout duur voort, rapporteer asseblief 'n gogga.
+
+
+
- 'n Weergawe naam moet vir die Bybel gespesifiseer word.
+ 'n Weergawe naam moet vir die Bybel gespesifiseer word.
-
+
- Bybel Bestaan reeds
+ Bybel Bestaan reeds
-
+
- Hierdie Bybel bestaan reeds. Opgradeer asseblief 'n ander Bybel, wis die bestaande uit of verwyder merk.
+ Hierdie Bybel bestaan reeds. Opgradeer asseblief 'n ander Bybel, wis die bestaande uit of verwyder merk.
+
+
+
+
+ Begin Bybel(s) opgradering...
- Daar is geen Bybels beskikbaar om op te gradeer nie.
+ Daar is geen Bybels beskikbaar om op te gradeer nie.
-
+
Opgradeer Bybel %s van %s: "%s"
Gevaal
-
+
Opgradeer Bybel %s van %s: "%s"
Opgradeer ...
-
+
Aflaai Fout
-
+
+
+ Om die Web Bybels op te gradeer is 'n Internet verbinding nodig. As 'n Internet konneksie beskikbaar is en hierdie fout duur voort, rapporteer asseblief 'n gogga.
+
+
+
Opgradeer Bybel %s van %s: "%s"
Opgradering %s...
-
+
+
+ Opgradeer Bybel %s van %s: "%s"
+Klaar
+
+
+
, %s het gevaal
-
+
+
+ Opgradeer Bybel(s): %s suksesvol %s
+Neem kennis, dat verse van Web Bybels op aanvraag afgelaai
+word en dus is 'n Internet verbinding nodig.
+
+
+
Opgradeer Bybel(s): %s suksesvol %s
-
+
Opgradeer het gevaal.
-
+
Die rugsteun was nie suksesvol nie.
@@ -910,31 +1051,51 @@ Om die Bybels op te gradeer word skryf-toestemming benodig vir die gegewe lêer.
- Bybel opgradering begin...
+ Bybel opgradering begin...
-
+
Om die Web Bybels op te gradeer is 'n Internet verbinding nodig.
-
+
Opgradeer Bybel %s van %s: "%s"
Volledig
-
+
Opgradeer Bybel(s): %s suksesvol %s
Neem kennis dat verse van Web Bybels op aanvraag afgelaai
word en dus is 'n Internet verbinding nodig.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
CustomPlugin
+
+
+
+ <strong>Aanpas Mini-program</strong><br/>Die aanpas mini-program verskaf die vermoë om aangepasde teks skyfies op te stel wat in dieselfde manier gebruik word as die liedere mini-program. Dié mini-program verskaf grooter vryheid as die liedere mini-program.
+
@@ -1039,6 +1200,11 @@ word en dus is 'n Internet verbinding nodig.
Redigeer al die skyfies tegelyk.
+
+
+
+ Verdeel Skyfie
+
@@ -1055,12 +1221,12 @@ word en dus is 'n Internet verbinding nodig.
&Krediete:
-
+
'n Titel word benodig.
-
+
Ten minste een skyfie moet bygevoeg word
@@ -1069,18 +1235,95 @@ word en dus is 'n Internet verbinding nodig.
Red&igeer Alles
+
+
+
+ Verdeel 'n skyfie slegs in twee wanneer dit nie op die skerm as 'n enkele skyfie sal pas nie.
+
Voeg 'n Skyfie in
+
+ CustomPlugin.MediaItem
+
+
+
+
+
+
+
+
+
+
+ CustomsPlugin
+
+
+
+ name singular
+ Aanpassing
+
+
+
+
+ name plural
+ Aanpassings
+
+
+
+
+ container title
+ Aanpasing
+
+
+
+
+ Laai 'n nuwe Aanpassing.
+
+
+
+
+ Voer 'n Aanpassing in.
+
+
+
+
+ Voeg 'n nuwe Aanpassing by.
+
+
+
+
+ Redigeer die geselekteerde Aanpassing.
+
+
+
+
+ Wis die geselekteerde Aanpassing uit.
+
+
+
+
+ Skou die geselekteerde Aanpassing.
+
+
+
+
+ Stuur die geselekteerde Aanpassing regstreeks.
+
+
+
+
+ Voeg die geselekteerde Aanpassing by die diens.
+
+
GeneralTab
- Algemeen
+ Algemeen
@@ -1108,6 +1351,41 @@ word en dus is 'n Internet verbinding nodig.
container title
Beelde
+
+
+
+ Laai 'n nuwe Beeld.
+
+
+
+
+ Voeg 'n nuwe Beelb by.
+
+
+
+
+ Redigeer die geselekteerde Beeld.
+
+
+
+
+ Wis die geselekteerde Beeld uit.
+
+
+
+
+ Skou die geselekteerde Beeld.
+
+
+
+
+ Struur die geselekteerde Beeld regstreeks.
+
+
+
+
+ Voeg die geselekteerde Beeld by die diens.
+
@@ -1155,42 +1433,47 @@ word en dus is 'n Internet verbinding nodig.
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.
+
+
+
+
+
MediaPlugin
@@ -1217,6 +1500,41 @@ Voeg steeds die ander beelde by?
container title
Media
+
+
+
+ Laai nuwe Media.
+
+
+
+
+ Voeg nuwe Media by.
+
+
+
+
+ Redigeer ide geselekteerde Media.
+
+
+
+
+ Wis die geselekteerde Media uit.
+
+
+
+
+ Skou die geselekteerde Media.
+
+
+
+
+ Stuur die geselekteerde Media regstreeks.
+
+
+
+
+ Voeg die geselekteerde Media by die diens.
+
@@ -1256,40 +1574,45 @@ Voeg steeds die ander beelde by?
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.
-
+
Daar was 'n probleem om die agtergrond te vervang. Die media lêer "%s" bestaan nie meer nie.
-
+
Videos (%s);;Audio (%s);;%s (*)
+
+
+
+
+
MediaPlugin.MediaTab
@@ -1307,7 +1630,7 @@ Voeg steeds die ander beelde by?
OpenLP
-
+
Beeld Lêers
@@ -1598,82 +1921,87 @@ Gedeeltelike kopiereg © 2004-2011 %s
OpenLP.DisplayTagDialog
-
+
- Redigeer Seleksie
+ Redigeer Seleksie
-
+
- Beskrywing
+ Beskrywing
+
+
+
+
+ Etiket
+
+
+
+
+ Begin etiket
-
- Etiket
-
-
-
-
- Begin etiket
-
-
-
- Eind-etiket
+ Eind-etiket
-
+
- Haak Id
+ Haak Id
-
+
- Begin HTML
+ Begin HTML
-
+
- Eindig HTML
+ Eindig HTML
-
+
- Stoor
+ Stoor
OpenLP.DisplayTagTab
-
+
- Opdateer Fout
+ Opdateer Fout
- Etiket "n" alreeds gedefinieër.
+ Etiket "n" alreeds gedefinieër.
-
+
- Etiket %s alreeds gedefinieër.
+ Etiket %s alreeds gedefinieër.
- Nuwe Etiket
+ Nuwe Etiket
+
+
+
+
+ <Html_hier>
- </en hier>
+ </en hier>
- <HTML hier>
+ <HTML hier>
@@ -1681,82 +2009,82 @@ Gedeeltelike kopiereg © 2004-2011 %s
- Rooi
+ Rooi
- Swart
+ Swart
- Blou
+ Blou
- Geel
+ Geel
- Groen
+ Groen
- Pienk
+ Pienk
- Oranje
+ Oranje
- Pers
+ Pers
- Wit
+ Wit
- Bo-skrif
+ Bo-skrif
- Onder-skrif
+ Onder-skrif
- Paragraaf
+ Paragraaf
- Vetdruk
+ Vetdruk
- Italiaans
+ Italiaans
- Onderlyn
+ Onderlyn
- Breek
+ Breek
@@ -1926,12 +2254,12 @@ Version: %s
Aflaai %s...
-
+
Aflaai voltooi. Klik op die klaar knoppie om OpenLP te begin.
-
+
Skakel geselekteerde miniprogramme aan...
@@ -1963,7 +2291,7 @@ Version: %s
- Verpersoonlike Teks
+ Verpersoonlike Teks
@@ -2062,6 +2390,16 @@ Om die Eerste-keer gids heeltemal te kanselleer, druk die vollledig-knoppie hier
Stel verstek instellings wat deur OpenLP gebruik moet word.
+
+
+
+ Opstel en Invoer
+
+
+
+
+ Wag asseblief terwyl OpenLP opgestel word en die data ingevoer word.
+
@@ -2083,25 +2421,209 @@ Om die Eerste-keer gids heeltemal te kanselleer, druk die vollledig-knoppie hier
Hierdie gids sal bystand verleen in die proses om OpenLP op te stel vir eerste gebruik. Klik die volgende knoppie hieronder om die seleksie proses te begin.
-
+
Opstel en Afliaai
-
+
Wag asseblief terwyl OpenLP opgestel en die data afgelaai word.
-
+
Opstel
-
+
Kliek die voltooi knoppie om OpenLP te begin.
+
+
+
+ Aangepasde Skyfies
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTagDialog
+
+
+
+
+
+
+
+
+ Redigeer Seleksie
+
+
+
+
+ Stoor
+
+
+
+
+ Beskrywing
+
+
+
+
+ Etiket
+
+
+
+
+ Begin etiket
+
+
+
+
+ Eind-etiket
+
+
+
+
+ Haak Id
+
+
+
+
+ Begin HTML
+
+
+
+
+ Eindig HTML
+
+
+
+ OpenLP.FormattingTagForm
+
+
+
+ Opdateer Fout
+
+
+
+
+ Etiket "n" alreeds gedefinieër.
+
+
+
+
+ Nuwe Etiket
+
+
+
+
+ <HTML hier>
+
+
+
+
+ </en hier>
+
+
+
+
+ Etiket %s alreeds gedefinieër.
+
+
+
+ OpenLP.FormattingTags
+
+
+
+ Rooi
+
+
+
+
+ Swart
+
+
+
+
+ Blou
+
+
+
+
+ Geel
+
+
+
+
+ Groen
+
+
+
+
+ Pienk
+
+
+
+
+ Oranje
+
+
+
+
+ Pers
+
+
+
+
+ Wit
+
+
+
+
+ Bo-skrif
+
+
+
+
+ Onder-skrif
+
+
+
+
+ Paragraaf
+
+
+
+
+ Vetdruk
+
+
+
+
+ Italiaans
+
+
+
+
+ Onderlyn
+
+
+
+
+ Breek
+
OpenLP.GeneralTab
@@ -2247,7 +2769,7 @@ Om die Eerste-keer gids heeltemal te kanselleer, druk die vollledig-knoppie hier
OpenLP.MainDisplay
-
+
OpenLP Vertooning
@@ -2255,287 +2777,287 @@ 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
-
+
Maak &Oop
-
+
Maak 'n bestaande diens oop.
-
+
&Stoor
-
+
Stoor die huidige diens na skyf.
-
+
Stoor &As...
-
+
Stoor Diens As
-
+
Stoor die huidige diens onder 'n nuwe naam.
-
+
&Uitgang
-
+
Sluit OpenLP Af
-
+
&Tema
-
+
&Konfigureer OpenLP...
-
+
&Media Bestuurder
-
+
Wissel Media Bestuurder
-
+
Wissel sigbaarheid van die media bestuurder.
-
+
&Tema Bestuurder
-
+
Wissel Tema Bestuurder
-
+
Wissel sigbaarheid van die tema bestuurder.
-
+
&Diens Bestuurder
-
+
Wissel Diens Bestuurder
-
+
Wissel sigbaarheid van die diens bestuurder.
-
+
Voorskou &Paneel
-
+
Wissel Voorskou Paneel
-
+
Wissel sigbaarheid van die voorskou paneel.
-
+
Regstreekse Panee&l
-
+
Wissel Regstreekse Paneel
-
+
Wissel sigbaarheid van die regstreekse paneel.
-
+
Mini-&program Lys
-
+
Lys die Mini-programme
-
+
Gebr&uikers Gids
-
+
&Aangaande
-
+
Meer inligting aangaande OpenLP
-
+
&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.
-
+
@@ -2544,22 +3066,22 @@ You can download the latest version from http://openlp.org/.
Die nuutste weergawe kan afgelaai word vanaf http://openlp.org/.
-
+
OpenLP Weergawe is Opdateer
-
+
OpenLP Hoof Vertoning Blanko
-
+
Die Hoof Skerm is afgeskakel
-
+
Verstek Tema: %s
@@ -2570,55 +3092,113 @@ Die nuutste weergawe kan afgelaai word vanaf http://openlp.org/.
Afrikaans
-
+
Konfigureer Kor&tpaaie...
-
+
Mook OpenLP toe
-
+
Maak OpenLP sekerlik toe?
-
+
+
+ Druk die huidige Diens Bestelling.
+
+
+
Maak &Data Lêer oop...
-
+
Maak die lêer waar liedere, bybels en ander data is, oop.
-
+
- &Konfigureer Vertoon Haakies
+ &Konfigureer Vertoon Haakies
-
+
Spoor outom&aties op
-
+
Opdateer Tema Beelde
-
+
Opdateer die voorskou beelde vir alle temas.
-
+
Druk die huidige diens.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Clear List of recent files
+
+
+
+
+
+
+
OpenLP.MediaManagerItem
@@ -2628,57 +3208,85 @@ Die nuutste weergawe kan afgelaai word vanaf http://openlp.org/.
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.
-
+
+
+ Duplikaat lêernaam %s.
+Lêernaam bestaan reeds in die lys
+
+
+
Kies een of meer items om by te voeg.
-
+
Geen Soek Resultate
-
+
- Duplikaat lêer naam %s.
+ Duplikaat lêer naam %s.
Die lêer naam is reeds in die lys
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.PluginForm
@@ -2726,12 +3334,12 @@ Die lêer naam is reeds in die lys
OpenLP.PrintServiceDialog
-
+
Pas Blaai
-
+
Pas Wydte
@@ -2739,70 +3347,90 @@ Die lêer naam is reeds in die lys
OpenLP.PrintServiceForm
-
+
Opsies
- Close
+ Close
-
+
Kopieër
-
+
Kopieër as HTML
-
+
Zoom In
-
+
Zoem Uit
-
+
Zoem Oorspronklike
-
+
Ander Opsies
-
+
Sluit skyfie teks in indien beskikbaar
-
+
Sluit diens item notas in
-
+
Sluit die speel tyd van die media items in
-
+
+
+ Diens Bestelling Blad
+
+
+
Voeg 'n bladsy-breking voor elke teks item
-
+
Diens Blad
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ScreenList
@@ -2817,10 +3445,23 @@ Die lêer naam is reeds in die lys
primêr
+
+ OpenLP.ServiceItem
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceItemEditForm
-
+
Hergroepeer Diens Item
@@ -2828,257 +3469,277 @@ Die lêer naam is reeds in die lys
OpenLP.ServiceManager
-
+
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.
-
+
Sto&rt alles ineen
-
+
Stort al die diens items ineen.
-
+
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
-
+
&Begin Tyd
-
+
Wys &Voorskou
-
+
Vertoo&n Regstreeks
-
+
Die huidige diens was verander. Stoor hierdie diens?
-
+
Lêer kon nie oopgemaak word nie omdat dit korrup is.
-
+
Leë Lêer
-
+
Die diens lêer het geen data inhoud nie.
-
+
Korrupte Lêer
-
+
Aangepasde Diens Notas:
-
+
Notas:
-
+
Speel tyd:
-
+
Ongetitelde Diens
-
+
+
+ Die lêer is óf korrup óf nie 'n OpenLP 2.0 diens lêer nie.
+
+
+
Laai 'n bestaande diens.
-
+
Stoor die diens.
-
+
Kies 'n tema vir die diens.
-
+
Die lêer is óf korrup óf is nie 'n OpenLP 2.0 diens lêer nie.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceNoteForm
-
+
Diens Item Notas
@@ -3096,7 +3757,7 @@ Die inhoud enkodering is nie UTF-8 nie.
- Verpersoonlik Kortpaaie
+ Verpersoonlik Kortpaaie
@@ -3109,12 +3770,12 @@ Die inhoud enkodering is nie UTF-8 nie.
Kortpad
-
+
Duplikaat Kortpad
-
+
Die kortpad "%s" is alreeds toegeken aan 'n ander aksie, kies asseblief 'n ander kortpad.
@@ -3149,20 +3810,25 @@ Die inhoud enkodering is nie UTF-8 nie.
Stel die verstek kortpad terug vir hierdie aksie.
-
+
Herstel Verstek Kortpaaie
-
+
Herstel alle kortpaaie na hul verstek waarde?
+
+
+
+
+
OpenLP.SlideController
-
+
Verskuil
@@ -3172,27 +3838,27 @@ Die inhoud enkodering is nie UTF-8 nie.
Gaan Na
-
+
Blanko Skerm
-
+
Blanko na Tema
-
+
Wys Werkskerm
-
+
Vorige Skyfie
-
+
Volgende Skyfie
@@ -3212,29 +3878,29 @@ Die inhoud enkodering is nie UTF-8 nie.
Ontsnap Item
-
+
Skuif terug.
-
+
Skuif volgende.
-
+
Speel Skyfies
- Speel Skyfies in Herhaling
+ Speel Skyfies in Herhaling
- Speel Skyfies tot Einde
+ Speel Skyfies tot Einde
@@ -3265,17 +3931,17 @@ Die inhoud enkodering is nie UTF-8 nie.
OpenLP.SpellTextEdit
-
+
Spelling Voorstelle
-
+
Uitleg Hakkies
-
+
Taal:
@@ -3322,6 +3988,16 @@ Die inhoud enkodering is nie UTF-8 nie.
Tyd Validasie Fout
+
+
+
+ Eind tyd is gestel na die einde van die media item
+
+
+
+
+ Begin tyd is na die Eind Tyd van die Media item
+
@@ -3369,192 +4045,198 @@ Die inhoud enkodering is nie UTF-8 nie.
OpenLP.ThemeManager
-
+
Skep 'n nuwe tema.
-
+
Redigeer Tema
-
+
Redigeer 'n tema.
-
+
Wis Tema Uit
-
+
Wis 'n tema uit.
-
+
Voer Tema In
-
+
Voer 'n tema in.
-
+
Voer Tema Uit
-
+
Voer 'n tema uit.
-
+
R&edigeer Tema
-
+
&Wis Tema uit
-
+
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.
-
+
&Kopieër Tema
-
+
He&rnoem Tema
-
+
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)
+
+
+
+ Copy of <theme name>
+
+
OpenLP.ThemeWizard
@@ -3798,6 +4480,16 @@ Die inhoud enkodering is nie UTF-8 nie.
Redigeer Tema - %s
+
+
+
+
+
+
+
+
+
+
OpenLP.ThemesTab
@@ -3841,31 +4533,36 @@ Die inhoud enkodering is nie UTF-8 nie.
Gebruik die globale tema om enige temas wat met die diens of liedere geassosieer is te vervang.
+
+
+
+ Temas
+
OpenLP.Ui
-
+
Fout
-
+
&Wis Uit
-
+
Wis die geselekteerde item uit.
-
+
Skuif die seleksie een posisie op.
-
+
Skuif die seleksie een posisie af.
@@ -3890,19 +4587,19 @@ Die inhoud enkodering is nie UTF-8 nie.
Skep 'n nuwe diens.
-
+
R&edigeer
-
+
Voer in
- Lengte %s
+ Lengte %s
@@ -3930,42 +4627,57 @@ Die inhoud enkodering is nie UTF-8 nie.
OpenLP 2.0
-
+
+
+ Maak Diens Oop
+
+
+
Voorskou
-
+
Vervang Agtergrond
-
+
+
+ Vervang Regstreekse Agtergrond
+
+
+
Herstel Agtergrond
-
+
+
+ Herstel Regstreekse Agtergrond
+
+
+
Stoor Diens
-
+
Diens
-
+
Begin %s
-
+
&Vertikale Sporing:
-
+
Bo
@@ -4000,23 +4712,23 @@ Die inhoud enkodering is nie UTF-8 nie.
CCLI nommer:
-
+
Leë Veld
-
+
Uitvoer
-
+
Abbreviated font pointsize unit
pt
-
+
Beeld
@@ -4025,6 +4737,11 @@ Die inhoud enkodering is nie UTF-8 nie.
Regstreekse Agtergrond Fout
+
+
+
+ Regstreekse Paneel
+
@@ -4060,45 +4777,55 @@ Die inhoud enkodering is nie UTF-8 nie.
openlp.org 1.x
-
+
+
+ Voorskou Paneel
+
+
+
+
+ Druk Diens Orde
+
+
+
The abbreviated unit for seconds
s
-
+
Stoor && Voorskou
-
+
Soek
-
+
Kies 'n item om uit te wis.
-
+
Selekteer 'n item om te regideer.
-
+
Singular
Tema
-
+
Plural
Temas
-
+
Weergawe
@@ -4164,12 +4891,12 @@ Die inhoud enkodering is nie UTF-8 nie.
Spesifiseer ten minste een %s lêer om vanaf in te voer.
-
+
Welkom by die Bybel Invoer Gids
-
+
Welkom by die Lied Uitvoer Gids
@@ -4226,38 +4953,38 @@ Die inhoud enkodering is nie UTF-8 nie.
Onderwerpe
-
+
Aaneen-lopend
-
+
Verstek
-
+
Vertoon styl:
-
+
Lêer
-
+
Hulp
-
+
The abbreviated unit for hours
h
-
+
Uitleg styl:
@@ -4278,37 +5005,37 @@ Die inhoud enkodering is nie UTF-8 nie.
OpenLP is reeds ana die gang. Gaan voort?
-
+
Verstellings
-
+
Gereedskap
-
+
Vers Per Skyfie
-
+
Vers Per Lyn
-
+
Vertoon
-
+
Dupliseer Fout
-
+
Lêer nie Ondersteun nie
@@ -4323,12 +5050,12 @@ Die inhoud enkodering is nie UTF-8 nie.
XML sintaks fout
-
+
Vertoon Modus
-
+
Welkom by die Bybel Opgradeer Gids
@@ -4338,37 +5065,62 @@ Die inhoud enkodering is nie UTF-8 nie.
Maak 'n diens oop.
-
+
Druk Diens uit
-
+
Vervang regstreekse agtergrond.
-
+
Herstel regstreekse agtergrond.
-
+
&Verdeel
-
+
Verdeel 'n skyfie slegs in twee wanneer dit nie op die skerm as 'n enkele skyfie sal pas nie.
+
+
+
+
+
+
+
+
+ Speel Skyfies in Herhaling
+
+
+
+
+ Speel Skyfies tot Einde
+
+
+
+
+
+
+
+
+
+
+
OpenLP.displayTagDialog
-
+
- Konfigureer Vertoon Hakkies
+ Konfigureer Vertoon Hakkies
@@ -4396,6 +5148,31 @@ Die inhoud enkodering is nie UTF-8 nie.
container title
Aanbiedinge
+
+
+
+ Laai 'n nuwe Aanbieding.
+
+
+
+
+ Wis die geselekteerde Aanbieding uit.
+
+
+
+
+ Skou die geselekteerde Aanbieding.
+
+
+
+
+ Stuur die geselekteerde Aanbieding regstreeks.
+
+
+
+
+ Voeg die geselekteerde Aanbieding by die diens.
+
@@ -4425,52 +5202,52 @@ Die inhoud enkodering is nie UTF-8 nie.
PresentationPlugin.MediaItem
-
+
Selekteer Aanbieding(e)
-
+
Outomaties
-
+
Bied aan met:
-
+
Lêer Bestaan Reeds
-
+
'n Aanbieding met daardie lêernaam bestaan reeds.
-
+
Hierdie tipe aanbieding word nie ondersteun nie.
-
+
Aanbiedinge (%s)
-
+
Vermisde Aanbieding
-
+
Die Aanbieding %s bestaan nie meer nie.
-
+
Die Aanbieding %s is onvolledig, herlaai asseblief.
@@ -4522,12 +5299,12 @@ Die inhoud enkodering is nie UTF-8 nie.
RemotePlugin.Mobile
-
+
OpenLP 2.0 Afgelië
-
+
OpenLP 2.0 Verhoog Aansig
@@ -4537,80 +5314,85 @@ Die inhoud enkodering is nie UTF-8 nie.
Diens Bestuurder
-
+
Skyfie Beheerder
-
+
Waarskuwings
-
+
Soek
-
+
Terug
-
+
Verfris
-
+
Blanko
-
+
Wys
-
+
Vorige
-
+
Volgende
-
+
Teks
-
+
Wys Waarskuwing
-
+
Gaan Regstreeks
- Voeg By Diens
+ Voeg By Diens
-
+
Geen Resultate
-
+
Opsies
+
+
+
+
+
RemotePlugin.RemoteTab
@@ -4643,68 +5425,78 @@ 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
Lied Gebruik
-
+
name plural
Lied Gebruik
-
+
container title
Lied Gebruik
-
+
Lied Gebruik
+
+
+
+
+
+
+
+
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4938,6 +5730,36 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Exports songs using the export wizard.
Voer liedere uit deur gebruik te maak van die uitvoer gids.
+
+
+
+ Voeg 'n nuwe Lied by.
+
+
+
+
+ Redigeer die geselekteerde Lied.
+
+
+
+
+ Wis die geselekteerde Lied uit.
+
+
+
+
+ Skou die geselekteerde Lied.
+
+
+
+
+ Stuur die geselekteerde Lied regstreeks.
+
+
+
+
+ Voeg die geselekteerde Lied by die diens.
+
@@ -5018,190 +5840,197 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.
SongsPlugin.EasyWorshipSongImport
-
+
Toegedien deur %s
+
+
+
+
+
SongsPlugin.EditSongForm
-
+
Lied Redigeerder
-
+
&Titel:
-
+
Alt&ernatiewe titel:
-
+
&Lirieke:
-
+
&Vers orde:
-
+
Red&igeer Alles
-
+
Titel && Lirieke
-
+
&Voeg by Lied
-
+
Ve&rwyder
-
+
&Bestuur Skrywers, Onderwerpe en Lied Boeke
-
+
Voeg by Lie&d
-
+
V&erwyder
-
+
Boek:
-
+
Nommer:
-
+
Skrywers, Onderwerpe && Lied Boek
-
+
Nuwe &Tema
-
+
Kopiereg Informasie
-
+
Kommentaar
-
+
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.
-
+
Daar word teks benodig vir die vers.
@@ -5223,6 +6052,16 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.&Insert
Sit Tussen-&in
+
+
+
+ &Verdeel
+
+
+
+
+ Verdeel 'n skyfie in twee slegs wanneer dit nie op die skerm inpas in een skyfie nie.
+
@@ -5232,82 +6071,82 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.
SongsPlugin.ExportWizardForm
-
+
Lied Uitvoer Gids
-
+
Hierdie gids sal help om die liedere na die oop en gratis OpenLyrics aanbiddigs-formaat uit te voer.
-
+
Kies Liedere
-
+
Merk Alles Af
-
+
Merk Alles Aan
-
+
Kies Lêer-gids
-
+
Lêer Gids:
-
+
Uitvoer
-
+
Wag asseblief terwyl die liedere uitgevoer word.
-
+
Ten minste een lied moet bygevoeg word om uit te voer.
-
+
Geen Stoor Ligging gespesifiseer nie
-
+
Uitvoer begin...
-
+
Merk die liediere wat uitgevoer moet vord.
-
+
'n Lêer gids moet gespesifiseer word.
-
+
Kies Bestemming Lêer gids
-
+
Kies die gids waar die liedere gestoor moet word.
@@ -5315,7 +6154,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.
SongsPlugin.ImportWizardForm
-
+
Selekteer Dokument/Aanbieding Lêers
@@ -5349,6 +6188,16 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Remove File(s)
Verwyder Lêer(s)
+
+
+
+ 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.
+
@@ -5360,42 +6209,42 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Die OpenLyrics invoerder is nog nie ontwikkel nie, maar soos gesien kan word is ons van mening om dit te doen. Hopelik sal dit in die volgende vrystelling wees.
-
+
OpenLP 2.0 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
@@ -5423,32 +6272,32 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.
SongsPlugin.MediaItem
-
+
Titels
-
+
Lirieke
- Wis Lied(ere) uit?
+ Wis Lied(ere) uit?
-
+
CCLI Lisensie:
-
+
Volledige Lied
-
+
Wis regtig die %n geselekteerde lied uit?
@@ -5456,15 +6305,21 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.
-
+
Onderhou die lys van skrywers, onderwerpe en boeke.
+
+
+
+ For song cloning
+
+
SongsPlugin.OpenLP1SongImport
-
+
Nie 'n geldige openlp.org 1.x lied databasis.
@@ -5480,7 +6335,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.
SongsPlugin.OpenLyricsExport
-
+
Uitvoer "%s"...
@@ -5511,12 +6366,12 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.
SongsPlugin.SongExportForm
-
+
Uitvoer voltooi.
-
+
Die lied uitvoer het misluk.
@@ -5524,27 +6379,32 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.
SongsPlugin.SongImport
-
+
kopiereg
-
+
Die volgende liedere kon nie ingevoer word nie:
-
+
+
+ Kan nie OpenOffice.org of LibreOffice oopmaak nie
+
+
+
Kan nie lêer oopmaak nie
-
+
Lêer nie gevind nie
-
+
Het nie toegang tot OpenOffice of LibreOffice nie
@@ -5552,7 +6412,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.
SongsPlugin.SongImportForm
-
+
Lied invoer het misluk.
@@ -5754,7 +6614,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.
- Temas
+ Temas
diff --git a/resources/i18n/cs.ts b/resources/i18n/cs.ts
index d8fe71a44..27c975638 100644
--- a/resources/i18n/cs.ts
+++ b/resources/i18n/cs.ts
@@ -1,30 +1,30 @@
-
+
AlertPlugin.AlertForm
-
+
- Nebyl zadán žádný parametr pro nahrazení.
-Chcete p?esto pokra?ovat?
+ Nebyl zadán žádný parametr pro nahrazení.
+Chcete přesto pokračovat?
-
+
- Parametr nebyl nalezen
+ Parametr nebyl nalezen
-
+
- Zástupný znak nenalezen.
+ Zástupný znak nenalezen
-
+
- Text upozorn?ní neobsahuje '<>'.
-Chcete p?esto pokra?ovat?
+ Text upozornění neobsahuje '<>'.
+Chcete přesto pokračovat?
@@ -32,23 +32,23 @@ Chcete p?esto pokra?ovat?
- &Upozorn?ní
+ &Upozornění
- Zobrazí vzkaz upozorn?ní.
+ Zobrazí vzkaz upozornění.
-
+
- <strong>Modul upozorn?ní</strong><br />Modul upozorn?ní ?ídí zobrazení upozorn?ní na zobrazovací obrazovce
+ <strong>Modul upozornění</strong><br />Modul upozornění řídí zobrazení upozornění na zobrazovací obrazovce
name singular
- Upozorn?ní
+ Upozornění
@@ -60,7 +60,12 @@ Chcete p?esto pokra?ovat?
container title
- Upozorn?ní
+ Upozornění
+
+
+
+
+
@@ -68,12 +73,12 @@ Chcete p?esto pokra?ovat?
- Vzkaz upozorn?ní
+ Vzkaz upozornění
- &Text upozorn?ní
+ &Text upozornění:
@@ -93,30 +98,54 @@ Chcete p?esto pokra?ovat?
- Zobrazit a za&v?ít
+ Zobrazit a za&vřít
- Nové upozorn?ní
+ Nové upozornění
- Nebyl zadán žádný text upozorn?ní. P?ed klepnutím na Nový prosím zadejte n?jaký text.
+ Nebyl zadán žádný text upozornění. Před klepnutím na Nový prosím zadejte nějaký text.
&Parametr:
+
+
+
+ Parametr nebyl nalezen
+
+
+
+
+ Nebyl zadán žádný parametr pro nahrazení.
+Chcete přesto pokračovat?
+
+
+
+
+ Zástupný znak nenalezen
+
+
+
+
+ Text upozornění neobsahuje '<>'.
+Chcete přesto pokračovat?
+
AlertsPlugin.AlertsManager
- Vzkaz upozorn?ní byl vytvo?en a zobrazen.
+ Vzkaz upozornění byl vytvořen a zobrazen.
@@ -149,85 +178,72 @@ Chcete p?esto pokra?ovat?
- ?as vypršení upozorn?ní:
+ Čas vypršení upozornění:
BibleDB.Wizard
-
-
- Importuji knihy... %s
+
+
+ Importuji zákony... %s
-
+
+
+ Importuji Bible... hotovo.
+
+
+
+
+ Importuji knihy... %s
+
+
+
Importing verses from <book name>...
- Importuji verše z %s...
+ Importuji verše z %s...
-
+
- Importuji verše... hotovo.
-
-
-
- BiblePlugin
-
-
-
-
-
-
-
-
-
+ Importuji verše... hotovo.
BiblePlugin.HTTPBible
-
+
- Chyba stahování
+ Chyba stahování
-
+
- P?i stahování výb?ru verš? se vyskytl problém. Prosím prov??te své internetové p?ipojení. Pokud se tato chyba stále objevuje, zvašte prosím nahlášení chyby.
+ Při stahování výběru veršů se vyskytl problém. Prosím prověřte své internetové připojení. Pokud se tato chyba stále objevuje, zvašte prosím nahlášení chyby.
-
+
- Chyba zpracování
+ Chyba zpracování
-
+
- P?i rozbalování výb?ru verš? se vyskytl problém. Pokud se tato chyba stále objevuje, zvašte prosím nahlášení chyby.
+ Při rozbalování výběru veršů se vyskytl problém. Pokud se tato chyba stále objevuje, zvašte prosím nahlášení chyby.
BiblePlugin.MediaItem
-
+
- Bible není celá na?tena.
+ 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?
-
-
-
-
-
-
-
-
-
-
+ Nelze kombinovat jednoduché a dvojité výsledky hledání veršů v Bibli. Přejete si smazat výsledky hledání a začít s novým vyhledáváním?
@@ -256,87 +272,97 @@ Chcete p?esto pokra?ovat?
Bible
-
+
Kniha nenalezena
-
+
- V Bibli nebyla nalezena odpovídající kniha. Prov??te, že název knihy byl zadán správn?.
+ V Bibli nebyla nalezena odpovídající kniha. Prověřte, že název knihy byl zadán správně.
-
+ Import Bible.
-
+ Přidat novou Bibli.
-
+ Upravit vybranou Bibli.
-
+ Smazat vybranou Bibli.
-
+ Náhled vybrané Bible.
-
+ Zobrazit vybranou Bibli naživo.
-
+ Přidat vybranou Bibli ke službě.
+ <strong>Modul Bible</strong><br />Modul Bible umožňuje během služby zobrazovat verše z různých zdrojů.
+
+
+
+
+
+
+
+
+
BiblesPlugin.BibleManager
-
+
Chyba v odkazu do Bible
-
+
Bibli z www nelze použít
-
+
Hledání textu není dostupné v Bibli z www.
-
+
Nebylo zadáno slovo pro hledání.
-K hledání textu obsahující všechna slova je nutno tato slova odd?lit mezerou. Odd?lením slov ?árkou se bude hledat text obsahující alespo? jedno ze zadaných slov.
+K hledání textu obsahující všechna slova je nutno tato slova oddělit mezerou. Oddělením slov čárkou se bude hledat text obsahující alespoň jedno ze zadaných slov.
-
+
Žádné Bible nejsou nainstalovány. K p?idání jedné nebo více Biblí prosím použijte Pr?vodce importem.
-
+
- Odkaz do Bible bu?to není podporován aplikací OpenLP nebo je neplatný. P?esv?d?te se prosím, že odkaz odpovídá jednomu z následujcích vzor?:
+ Odkaz do Bible buďto není podporován aplikací OpenLP nebo je neplatný. Přesvědčte se prosím, že odkaz odpovídá jednomu z následujcích vzorů:
Kniha Kapitola
Kniha Kapitola-Kapitola
@@ -355,7 +381,7 @@ Kniha Kapitola:Verš-Verš,Kapitola:Verš-Verš
Kniha Kapitola:Verš-Kapitola:Verš
-
+
Žádné Bible k dispozici
@@ -370,7 +396,7 @@ Kniha Kapitola:Verš-Kapitola:Verš
- Zobrazit jen ?íslo nové kapitoly
+ Zobrazit jen číslo nové kapitoly
@@ -402,7 +428,7 @@ Kniha Kapitola:Verš-Kapitola:Verš
Poznámka:
-Verše, které jsou už ve služb?, nejsou zm?nami ovlivn?ny.
+Verše, které jsou už ve službě, nejsou změnami ovlivněny.
@@ -461,192 +487,241 @@ Verše, které jsou už ve služb?, nejsou zm?nami ovlivn?ny.
+
+ BiblesPlugin.CSVBible
+
+
+
+ Importuji knihy... %s
+
+
+
+
+ Importing verses from <book name>...
+ Importuji verše z %s...
+
+
+
+
+ Importuji verše... hotovo.
+
+
BiblesPlugin.HTTPBible
-
+
-
+
-
+
Importing <book name>...
+
+
+
+ Chyba stahování
+
+
+
+
+ Při stahování výběru veršů se vyskytl problém. Prosím prověřte své internetové připojení. Pokud se tato chyba stále objevuje, zvašte prosím nahlášení chyby.
+
+
+
+
+ Chyba zpracování
+
+
+
+
+ Při rozbalování výběru veršů se vyskytl problém. Pokud se tato chyba stále objevuje, zvašte prosím nahlášení chyby.
+
BiblesPlugin.ImportWizardForm
-
+
- Pr?vodce importem Bible
+ 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.
+ 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í:
+ 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.
+ 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.
+ 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.
+ 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.
+ 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í.
+ Tato Bible už existuje. Importujte prosím jinou Bibli nebo nejdříve smažte tu existující.
-
+
+ Import Bible selhal.
+
+
+
+
CSV soubor
-
-
- Zahajuji registraci Bible...
-
-
-
+
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
-
+
-
+ Registruji Bibli...
-
+
-
+ Bible registrovaná. Upozornění: Verše budou stahovány na vyžádání a proto je vyžadováno internetové připojení.
@@ -670,7 +745,7 @@ demand and thus an internet connection is required.
BiblesPlugin.LanguageForm
-
+
@@ -678,58 +753,78 @@ demand and thus an internet connection is required.
BiblesPlugin.MediaItem
-
+
Rychlý
-
+
Hledat:
-
+
Kniha:
-
+
Kapitola:
-
+
Verš:
-
+
Od:
-
+
Do:
-
+
Hledání textu
-
+
Druhý:
-
+
Odkaz do Bible
-
+
+ Přepnout ponechání nebo smazání předchozích výsledků.
+
+
+
+
+ Nelze kombinovat jednoduché a dvojité výsledky hledání veršů v Bibli. Přejete si smazat výsledky hledání a začít s novým vyhledáváním?
+
+
+
+
+ Bible není celá načtena.
+
+
+
+
+
+
+
+
+
@@ -739,7 +834,7 @@ demand and thus an internet connection is required.
Importing <book name> <chapter>...
- Importuji %s %s...
+ Importuji %s %s...
@@ -747,186 +842,181 @@ demand and thus an internet connection is required.
- Zjištuji kódování (m?že trvat n?kolik minut)...
+ Zjištuji kódování (může trvat několik minut)...
Importing <book name> <chapter>...
- Importuji %s %s...
+ Importuji %s %s...
BiblesPlugin.UpgradeWizardForm
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
- Název verze:
+ Název verze:
-
-
-
-
-
-
+
-
+
-
-
+
+
-
-
- Je nutno uvést název verze Bible.
-
-
-
-
- Bible existuje
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- Chyba stahování
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
+
-
-
+
+
+ Je nutno uvést název verze Bible.
+
+
+
+
+ Bible existuje
+
+
+
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Chyba stahování
+
+
+
-
+
+
+
+
+
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
CustomPlugin
+
+
+
+ <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í.
+
@@ -1001,7 +1091,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
- Pati?ka zobrazení
+ Patička zobrazení
@@ -1019,7 +1109,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
- P?idat nový snímek na konec.
+ Přidat nový snímek na konec.
@@ -1031,10 +1121,15 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
Upravit všechny snímky najednou.
+
+
+
+ Rozdělit snímek
+
- Vložením odd?lova?e se snímek rozd?lí na dva.
+ Vložením oddělovače se snímek rozdělí na dva.
@@ -1047,32 +1142,110 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
&Zásluhy:
-
+
Je nutno zadat název.
-
+
- Je nutno p?idat alespo? jeden snímek
+ Je nutno přidat alespoň jeden snímek
Upra&it vše
+
+
+
+ Rozdělit snímek na dva jen v případě, že se text nevejde na obrazovku jako jeden snímek.
+
-
+ Vložit snímek
+
+
+
+ CustomPlugin.MediaItem
+
+
+
+
+
+
+
+
+
+
+
+ CustomsPlugin
+
+
+
+ name singular
+ Uživatelský
+
+
+
+
+ name plural
+ Uživatelské
+
+
+
+
+ container title
+ Uživatelský
+
+
+
+
+ Načíst nový Uživatelský.
+
+
+
+
+ Import Uživatelského.
+
+
+
+
+ Přidat nový Uživatelský.
+
+
+
+
+ Upravit vybraný Uživatelský.
+
+
+
+
+ Smazat vybraný Uživatelský.
+
+
+
+
+ Náhled vybraného Uživatelského.
+
+
+
+
+ Zobrazit vybraný Uživatelský naživo.
+
+
+
+
+ Přidat vybraný Uživatelský ke službě.
GeneralTab
-
+
- Obecné
+ Obecné
@@ -1080,7 +1253,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
- <strong>Modul obrázek</strong><br />Modul obrázek se stará o zobrazování obrázk?.<br />Jedna z charakteristických funkcí tohoto modulu je schopnost ve správci služby seskupit n?kolik obrázk? dohromady. Tato vlastnost zjednodušuje zobrazení více obrázk?. Tento modul také využívá vlastnosti "?asová smy?ka" aplikace OpenLP a je tudíž možno vytvo?it prezentaci obrázk?, která pob?ží samostatn?. Nadto lze využitím obrázk? z modulu p?ekrýt pozadí sou?asného motivu.
+ <strong>Modul obrázek</strong><br />Modul obrázek se stará o zobrazování obrázků.<br />Jedna z charakteristických funkcí tohoto modulu je schopnost ve správci služby seskupit několik obrázků dohromady. Tato vlastnost zjednodušuje zobrazení více obrázků. Tento modul také využívá vlastnosti "časová smyčka" aplikace OpenLP a je tudíž možno vytvořit prezentaci obrázků, která poběží samostatně. Nadto lze využitím obrázků z modulu překrýt pozadí současného motivu.
@@ -1098,7 +1271,42 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
container title
- Obrázky
+ Obrázky
+
+
+
+
+ Načíst nový obrázek.
+
+
+
+
+ Přidat nový obrázek.
+
+
+
+
+ Upravit vybraný obrázek.
+
+
+
+
+ Smazat vybraný obrázek.
+
+
+
+
+ Náhled vybraného obrázku.
+
+
+
+
+ Zobrazit vybraný obrázek naživo.
+
+
+
+
+ Přidat vybraný obrázek ke službě.
@@ -1141,55 +1349,60 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
- Vybrat p?ílohu
+ Vybrat přílohu
ImagePlugin.MediaItem
-
+
Vybrat obrázky
-
+
- Pro smazání musíte nejd?íve vybrat obrázek.
+ Pro smazání musíte nejdříve vybrat obrázek.
-
+
- K nahrazení pozadí musíte nejd?íve vybrat obrázek.
+ K nahrazení pozadí musíte nejdříve vybrat obrázek.
-
+
- Chyb?jící obrázky
+ 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?
+Chcete přidat ostatní obrázky?
-
+
Problém s nahrazením pozadí. Obrázek "%s" už neexistuje.
+
+
+
+
+
MediaPlugin
- <strong>Modul média</strong><br />Modul média umož?uje p?ehrávat audio a video.
+ <strong>Modul média</strong><br />Modul média umožňuje přehrávat audio a video.
@@ -1201,7 +1414,7 @@ Chcete p?idat ostatní obrázky?
name plural
- Médium
+ Média
@@ -1209,6 +1422,41 @@ Chcete p?idat ostatní obrázky?
container title
Média
+
+
+
+ Načíst médium.
+
+
+
+
+ Přidat médium.
+
+
+
+
+ Upravit vybrané médium.
+
+
+
+
+ Smazat vybrané médium.
+
+
+
+
+ Náhled vybraného média.
+
+
+
+
+ Zobrazit vybrané médium naživo.
+
+
+
+
+ Přidat vybrané médium ke službě.
+
@@ -1248,40 +1496,45 @@ Chcete p?idat ostatní obrázky?
MediaPlugin.MediaItem
-
+
Vybrat médium
-
+
- Ke smazání musíte nejd?íve vybrat soubor s médiem.
+ Ke smazání musíte nejdříve vybrat soubor s médiem.
-
+
- K nahrazení pozadí 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
+ Chybějící soubory s médii
-
+
Soubor %s už neexistuje.
-
+
Video (%s);;Audio (%s);;%s (*)
+
+
+
+
+
MediaPlugin.MediaTab
@@ -1293,13 +1546,13 @@ Chcete p?idat ostatní obrázky?
- Použít Phonon k p?ehrávání videa
+ Použít Phonon k přehrávání videa
OpenLP
-
+
Soubory s obrázky
@@ -1331,7 +1584,7 @@ Should OpenLP upgrade now?
- P?isp?t
+ Přispět
@@ -1341,7 +1594,7 @@ Should OpenLP upgrade now?
- Tato aplikace je svobodný software. Lze ji libovoln? ší?it a upravovat v souladu s GNU General Public licencí, vydané Free Software Foundation; a to v souladu s verzí 2 této licence.
+ Tato aplikace je svobodný software. Lze ji libovolně šířit a upravovat v souladu s GNU General Public licencí, vydané Free Software Foundation; a to v souladu s verzí 2 této licence.
@@ -1414,19 +1667,19 @@ Final Credit
Vedení projektu
%s
-Vývojá?i
+Vývojáři
%s
-P?isp?vatelé
+Přispěvatelé
%s
-Teste?i
+Testeři
%s
-Balí?kova?i
+Balíčkovači
%s
-P?ekladatelé
+Překladatelé
Afrikaans (af)
%s
German (de)
@@ -1455,23 +1708,23 @@ P?ekladatelé
Dokumentace
%s
-Vytvo?eno za použití
+Vytvořeno za použití
Python: http://www.python.org/
Qt4: http://qt.nokia.com/
PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro
Oxygen Icons: http://oxygen-icons.org/
Finální zásluhy
- "Nebo? B?h tak miloval sv?t, že dal
+ "Neboť Bůh tak miloval svět, že dal
svého jednorozeného Syna, aby žádný,
- kdo v n?j v??í, nezahynul, ale m?l v??ný
+ kdo v něj věří, nezahynul, ale měl věčný
život." -- Jan 3:16
- V neposlední ?ad?, kone?né zásluhy pat?í
+ V neposlední řadě, konečné zásluhy patří
Bohu, našemu Otci, že poslal Svého Syna
- zem?ít na k?íži, osvobodit nás od h?íchu.
- P?inášíme tuto aplikaci zdarma, protože
- On nás u?inil svobodnými.
+ zemřít na kříži, osvobodit nás od hříchu.
+ Přinášíme tuto aplikaci zdarma, protože
+ On nás učinil svobodnými.
@@ -1482,13 +1735,20 @@ OpenLP is free church presentation software, or lyrics projection software, used
Find out more about OpenLP: http://openlp.org/
OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider contributing by using the button below.
-
+ OpenLP <version><revision> - Open Source prezentace textů písní
+
+OpenLP je volně dostupný křesťanský software nebo také software pro prezentaci textů písní. Při křesťanských bohoslužbách slouží k zobrazení písní, veršů z Bible, videí, obrázků a dokonce prezentací (pokud Impress, PowerPoint nebo PowerPoint Viewer je instalován). K používání je nutný počítač a dataprojektor.
+
+Více informací o OpenLP: http://openlp.org/
+
+OpenLP vytváří a udržují dobrovolníci. Pokud má existovat více volně dostupného křesťanského software, zvažte prosím přispění tlačítkem níže.
-
+ Autorská práva © 2004-2011 %s
+Částečná autorská práva © 2004-2011 %s
@@ -1501,27 +1761,27 @@ Portions copyright © 2004-2011 %s
- Po?et zobrazených nedávných soubor?:
+ Počet zobrazených nedávných souborů:
- Pamatovat si p?i spušt?ní aktivní kartu správce médií
+ Pamatovat si při spuštění aktivní kartu správce médií
- Dvojklik zobrazí položku p?ímo naživo
+ Dvojklik zobrazí položku přímo naživo
- P?i vytvo?ení rozbalit nové položky služby
+ Při vytvoření rozbalit nové položky služby
- Zapnout potvrzování ukon?ení aplikace
+ Zapnout potvrzování ukončení aplikace
@@ -1531,7 +1791,7 @@ Portions copyright © 2004-2011 %s
- Skrýt kurzor myši v okn? zobrazení
+ Skrýt kurzor myši v okně zobrazení
@@ -1551,196 +1811,111 @@ Portions copyright © 2004-2011 %s
- Otev?ít soubor
+ Otevřít soubor
- Náhled položek p?i klepnutí ve správci médií
+ Náhled položek při klepnutí ve správci médií
- Pokro?ilé
+ Pokročilé
-
+ Klepnout pro výběr barvy.
-
+ Procházet pro obrázek k zobrazení.
-
+ Vrátit na výchozí OpenLP logo.
OpenLP.DisplayTagDialog
-
+
- Upravit výb?r
+ Upravit výběr
-
+
- Popis
+ Popis
+
+
+
+
+ Značka
+
+
+
+
+ Začátek značky
-
- Zna?ka
-
-
-
-
- Za?átek zna?ky
-
-
-
- Konec zna?ky
+ Konec značky
-
+
+
+ Výchozí
+
+
+
- Id zna?ky
+ Id značky
-
+
- Za?átek HTML
+ Začátek HTML
-
+
- Konec HTML
+ Konec HTML
-
+
-
+ Uložit
OpenLP.DisplayTagTab
-
+
- Aktualizovat chybu
+ Aktualizovat chybu
- Zna?ka "n" je už definovaná.
+ Značka "n" je už definovaná.
-
+
- Zna?ka %s je už definovaná.
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
+ Značka %s je už definovaná.
OpenLP.DisplayTags
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- Tu?né
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
+ Tučné
@@ -1753,7 +1928,7 @@ Portions copyright © 2004-2011 %s
- Jejda! V aplikaci OpenLP vznikl problém, ze kterého není možné se zotavit. Text v polícku níže obsahuje informace, které mohou být užite?né pro vývojá?e aplikace OpenLP. Zašlete je prosím spolu s podrobným popisem toho, co jste d?lal, když problém vzniknul, na adresu bugs@openlp.org.
+ Jejda! V aplikaci OpenLP vznikl problém, ze kterého není možné se zotavit. Text v polícku níže obsahuje informace, které mohou být užitečné pro vývojáře aplikace OpenLP. Zašlete je prosím spolu s podrobným popisem toho, co jste dělal, když problém vzniknul, na adresu bugs@openlp.org.
@@ -1769,13 +1944,13 @@ Portions copyright © 2004-2011 %s
- Zadejte prosím popis toho, co jste provád?l, když vznikla tato chyba
-(Minimáln? 20 znak?)
+ Zadejte prosím popis toho, co jste prováděl, když vznikla tato chyba
+(Minimálně 20 znaků)
- P?iložit soubor
+ Přiložit soubor
@@ -1871,7 +2046,7 @@ Version: %s
- P?ejmenovat soubor
+ Přejmenovat soubor
@@ -1889,17 +2064,17 @@ Version: %s
- Vybrat p?eklad
+ Vybrat překlad
- Vyberte p?eklad, který bude používat aplikace OpenLP.
+ Vyberte překlad, který bude používat aplikace OpenLP.
- P?eklad:
+ Překlad:
@@ -1907,17 +2082,17 @@ Version: %s
- Písn?
+ Písně
- Pr?vodce prvním spušt?ní
+ Průvodce prvním spuštění
- Vítejte v pr?vodci prvním spušt?ní
+ Vítejte v průvodci prvním spuštění
@@ -1930,9 +2105,9 @@ Version: %s
Vyberte moduly, které chcete používat.
-
+
- Vlastní text
+ Vlastní text
@@ -1957,7 +2132,7 @@ Version: %s
- Povolit vzdálený p?ístup
+ Povolit vzdálený přístup
@@ -1967,7 +2142,7 @@ Version: %s
- Povolit upozorn?ní
+ Povolit upozornění
@@ -1980,24 +2155,24 @@ Version: %s
Stahuji %s...
-
+
- Stahování dokon?eno. Klepnutím na tla?ítko konec se spustí aplikace OpenLP.
+ Stahování dokončeno. Klepnutím na tlačítko konec se spustí aplikace OpenLP.
-
+
Zapínám vybrané moduly...
- Žádné p?ipojení k Internetu
+ Žádné připojení k Internetu
- Nezda?ila se detekce internetového p?ipojení.
+ Nezdařila se detekce internetového připojení.
@@ -2006,11 +2181,11 @@ Version: %s
To re-run the First Time Wizard and import this sample data at a later stage, press the cancel button now, check your Internet connection, and restart OpenLP.
To cancel the First Time Wizard completely, press the finish button now.
- Žádné p?ipojení k Internetu nenalezeno. Pr?vodce prvním spušt?ní pot?ebuje internetové p?ipojení pro stahování ukázek písní, Biblí a motiv?.
+ Žádné připojení k Internetu nenalezeno. Průvodce prvním spuštění potřebuje internetové připojení pro stahování ukázek písní, Biblí a motivů.
-Pro pozd?jší op?tovné spušt?ní Pr?vodce prvním spušt?ní a importu ukázkových dat klepn?te na tla?ítko Zrušit, prov??te internetové p?ipojení a restartujte aplikaci OpenLP.
+Pro pozdější opětovné spuštění Průvodce prvním spuštění a importu ukázkových dat klepněte na tlačítko Zrušit, prověřte internetové připojení a restartujte aplikaci OpenLP.
-Pro úplné zrušení Pr?vodce prvním spušt?ní klepn?te nyní na tla?ítko Dokon?it.
+Pro úplné zrušení Průvodce prvním spuštění klepněte nyní na tlačítko Dokončit.
@@ -2020,7 +2195,7 @@ Pro úplné zrušení Pr?vodce prvním spušt?ní klepn?te nyní na tla?ítko Do
- Vybrat a stáhnout písn? s nechrán?nými autorskými právy.
+ Vybrat a stáhnout písně s nechráněnými autorskými právy.
@@ -2030,23 +2205,33 @@ Pro úplné zrušení Pr?vodce prvním spušt?ní klepn?te nyní na tla?ítko Do
- Vybrat a stáhnout voln? dostupné Bible.
+ Vybrat a stáhnout volně dostupné Bible.
- Ukázky motiv?
+ Ukázky motivů
- Vybrat a stáhnout 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.
+
@@ -2060,33 +2245,217 @@ Pro úplné zrušení Pr?vodce prvním spušt?ní klepn?te nyní na tla?ítko Do
- Spouštím pr?b?h nastavení...
+ Spouštím průběh nastavení...
-
+ Tento průvodce pomáhá nastavit OpenLP pro první použití. Pro start klepněte níže na tlačítko další.
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTagDialog
+
+
+
+
+
+
+
+
+ Upravit výběr
+
+
+
+
+ Uložit
+
+
+
+
+ Popis
+
+
+
+
+ Značka
+
+
+
+
+ Začátek značky
+
+
+
+
+ Konec značky
+
+
+
+
+ Id značky
+
+
+
+
+ Začátek HTML
+
+
+
+
+ Konec HTML
+
+
+
+ OpenLP.FormattingTagForm
+
+
+
+ Aktualizovat chybu
+
+
+
+
+ Značka "n" je už definovaná.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Značka %s je už definovaná.
+
+
+
+ OpenLP.FormattingTags
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Tučné
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.GeneralTab
@@ -2108,22 +2477,22 @@ Pro úplné zrušení Pr?vodce prvním spušt?ní klepn?te nyní na tla?ítko Do
- Zobrazení p?i jedné obrazovce
+ Zobrazení při jedné obrazovce
- Spušt?ní aplikace
+ Spuštění aplikace
- Zobrazit varování p?i prázdné obrazovce
+ Zobrazit varování při prázdné obrazovce
- Automaticky otev?ít poslední službu
+ Automaticky otevřít poslední službu
@@ -2138,12 +2507,17 @@ Pro úplné zrušení Pr?vodce prvním spušt?ní klepn?te nyní na tla?ítko Do
- P?ed spušt?ním nové služby se ptát na uložení
+ Před spuštěním nové služby se ptát na uložení
- Automatický náhled další položky ve služb?
+ Automatický náhled další položky ve službě
+
+
+
+
+ Zpoždění smyčky snímku:
@@ -2168,7 +2542,7 @@ Pro úplné zrušení Pr?vodce prvním spušt?ní klepn?te nyní na tla?ítko Do
- Umíst?ní zobrazení
+ Umístění zobrazení
@@ -2188,12 +2562,12 @@ Pro úplné zrušení Pr?vodce prvním spušt?ní klepn?te nyní na tla?ítko Do
- Ší?ka
+ Šířka
- P?ekrýt umíst?ní zobrazení
+ Překrýt umístění zobrazení
@@ -2203,7 +2577,7 @@ Pro úplné zrušení Pr?vodce prvním spušt?ní klepn?te nyní na tla?ítko Do
- Odkrýt zobrazení p?i p?idání nové položky naživo
+ Odkrýt zobrazení při přidání nové položky naživo
@@ -2226,13 +2600,13 @@ Pro úplné zrušení Pr?vodce prvním spušt?ní klepn?te nyní na tla?ítko Do
- Zm?ny nastavení jazyka se projeví restartováním aplikace OpenLP.
+ Změny nastavení jazyka se projeví restartováním aplikace OpenLP.
OpenLP.MainDisplay
-
+
Zobrazení OpenLP
@@ -2240,311 +2614,311 @@ Pro úplné zrušení Pr?vodce prvním spušt?ní klepn?te nyní na tla?ítko Do
OpenLP.MainWindow
-
+
&Soubor
-
+
&Import
-
+
&Export
-
+
&Zobrazit
-
+
&Režim
-
+
&Nástroje
-
+
&Nastavení
-
+
&Jazyk
-
+
- &Nápov?da
+ &Nápověda
-
+
Správce médií
-
+
Správce služby
-
+
- Správce motiv?
+ Správce motivů
-
+
&Nový
-
+
- &Otev?ít
+ &Otevřít
-
+
- Otev?ít existující službu.
+ Otevřít existující službu.
-
+
&Uložit
-
+
- Uložit sou?asnou službu na disk.
+ 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.
+ Uložit současnou službu s novým názvem.
-
+
- U&kon?it
+ U&končit
-
+
- Ukon?it OpenLP
+ Ukončit OpenLP
-
+
&Motiv
-
+
&Nastavit OpenLP...
-
+
Správce &médií
-
+
- P?epnout správce médií
+ Přepnout správce médií
-
+
- P?epnout viditelnost správce médií.
+ Přepnout viditelnost správce médií.
-
+
- Správce &motiv?
+ Správce &motivů
-
+
- P?epnout správce motiv?
+ Přepnout správce motivů
-
+
- P?epnout viditelnost správce motiv?.
+ Přepnout viditelnost správce motivů.
-
+
Správce &služby
-
+
- P?epnout správce služby
+ Přepnout správce služby
-
+
- P?epnout viditelnost správce služby.
+ Přepnout viditelnost správce služby.
-
+
Panel &náhledu
-
+
- P?epnout panel náhledu
+ Přepnout panel náhledu
-
+
- P?epnout viditelnost panelu náhled.
+ Přepnout viditelnost panelu náhled.
-
+
Panel na&živo
-
+
- P?epnout panel naživo
+ Přepnout panel naživo
-
+
- P?epnout viditelnost panelu naživo.
+ Přepnout viditelnost panelu naživo.
-
+
- Seznam &modul?
+ Seznam &modulů
-
+
Vypsat moduly
-
+
- &Uživatelská p?íru?ka
+ &Uživatelská příručka
-
+
&O aplikaci
-
+
Více informací o aplikaci OpenLP
-
+
- &Online nápov?da
+ &Online nápověda
-
+
&Webová stránka
-
+
Použít jazyk systému, pokud je dostupný.
-
+
Jazyk rozhraní nastaven na %s
-
+
- P?idat &nástroj...
+ Přidat &nástroj...
-
+
- P?idat aplikaci do seznamu nástroj?.
+ Přidat aplikaci do seznamu nástrojů.
-
+
&Výchozí
-
+
- Nastavit režim zobrazení zp?t na 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).
+ Ke stažení je dostupná verze %s aplikace OpenLP (v současné době používáte verzi %s).
-Nejnov?jší verzi lze stáhnout z http://openlp.org/.
+Nejnovější verzi lze stáhnout z http://openlp.org/.
-
+
Verze OpenLP aktualizována
-
+
Hlavní zobrazení OpenLP je prázdné
-
+
Hlavní zobrazení nastaveno na prázdný snímek
-
+
Výchozí motiv: %s
@@ -2552,56 +2926,119 @@ Nejnov?jší verzi lze stáhnout z http://openlp.org/.
Please add the name of your language here
- Angli?tina
+ Angličtina
-
+
- Nastavit &Zkratky
+ Nastavuji &zkratky...
-
+
- Zav?ít OpenLP
+ Zavřít OpenLP
-
+
- Chcete opravdu zav?ít aplikaci OpenLP?
+ Chcete opravdu zavřít aplikaci OpenLP?
-
+
+
+ Tisk současného Pořadí Služby.
+
+
+
- &Nastavit zna?ky zobrazení
+ &Nastavit značky zobrazení
-
+
- Otev?ít složku s &daty...
+ Otevřít složku s &daty...
-
+
- Otev?ít složku, kde se nachází písn?, Bible a ostatní data.
+ Otevřít složku, kde se nachází písně, Bible a ostatní data.
-
+
&Automaticky detekovat
-
+
-
+ Aktualizovat obrázky motivu
-
+
+ Aktualizovat náhledy obrázků všech motivů.
+
+
+
+
+ F1
+
+
+
+
-
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Clear List of recent files
+
+
+
+
+
@@ -2613,54 +3050,76 @@ Nejnov?jší verzi lze stáhnout z http://openlp.org/.
Nevybraná zádná položka
-
+
- &P?idat k vybrané Položce Služby
+ &Přidat k vybrané Položce Služby
-
+
- Pro náhled je t?eba vybrat jednu nebo více položek.
+ Pro náhled je třeba vybrat jednu nebo více položek.
-
+
- Pro zobrazení naživo je pot?eba vybrat jednu nebo více položek.
+ Pro zobrazení naživo je potřeba vybrat jednu nebo více položek.
-
+
- Je t?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.
+ 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.
+ Je třeba vybrat %s položku služby.
-
+
+
+ Duplicitní název souboru %s.
+Název souboru již v seznamu existuje
+
+
+
-
+ Pro přidání Je třeba vybrat jednu nebo více položek.
-
+
+ Žádné výsledky hledání
+
+
+
+
-
-
+
+
+
+
+
+
+
+
+
+
+
+
@@ -2669,7 +3128,7 @@ This filename is already in the list
- Seznam modul?
+ Seznam modulů
@@ -2699,7 +3158,7 @@ This filename is already in the list
- &s (Aktivní)
+ %s (Aktivní)
@@ -2710,80 +3169,100 @@ This filename is already in the list
OpenLP.PrintServiceDialog
-
+
- P?izp?sobit stránce
+ Přizpůsobit stránce
-
+
- P?izp?sobit ší?ce
+ Přizpůsobit šířce
OpenLP.PrintServiceForm
-
+
Možnosti
-
+
- Zav?ít
+ Zavřít
-
+
Kopírovat
-
+
Kopírovat jako HTML
-
+
- Zv?tšit
+ Zvětšit
-
+
Zmenšit
-
+
- P?vodní velikost
+ 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
+ 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žku
+
+
+
+
-
+
+
+
+
+
+
+
+
+
+
+
@@ -2801,268 +3280,301 @@ This filename is already in the list
Primární
+
+ OpenLP.ServiceItem
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceItemEditForm
-
+
- Zm?nit po?adí Položky služby
+ Změnit pořadí Položky služby
OpenLP.ServiceManager
-
+
- P?esun &nahoru
+ Přesun &nahoru
-
+
- P?esun položky ve služb? úpln? nahoru.
+ Přesun položky ve službě úplně nahoru.
-
+
- P?esun &výše
+ Přesun &výše
-
+
- P?esun položky ve služb? o jednu pozici 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 &dolu
-
+
- P?esun položky ve služb? úpln? dol?.
+ 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 novou položku
-
+
- &P?idat k vybrané položce
+ &Přidat k vybrané položce
-
+
&Upravit položku
-
+
- &Zm?nit po?adí položky
+ &Změnit pořadí položky
-
+
&Poznámky
-
+
- &Zm?nit motiv položky
+ &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í
+ 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í
+ 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
+ Otevřít soubor
-
+
- P?esune výb?r v rámci okna dolu.
+ Přesune výběr v rámci okna dolu.
-
+
- P?esun nahoru
+ Přesun nahoru
-
+
- P?esune výb?r v rámci okna nahoru.
+ Přesune výběr v rámci okna nahoru.
-
+
Zobrazit naživo
-
+
Zobrazí vybranou položku naživo.
-
+
- &Spustit ?as
+ &Spustit čas
-
+
Zobrazit &náhled
-
+
Zobrazit n&aživo
-
+
- Zm?n?ná služba
+ Změněná služba
-
+
- Sou?asná služba byla zm?n?na. P?ejete si službu uložit?
+ Současná služba byla změněna. Přejete si službu uložit?
-
+
- Soubor se nepoda?ilo otev?ít, protože je poškozený.
+ Soubor se nepodařilo otevřít, protože je poškozený.
-
+
Prázdný soubor
-
+
Tento soubor služby neobsahuje žádná data.
-
+
Poškozený soubor
-
+
-
+ Poznámky Uživatelský služby:
-
+
-
+ Poznámky:
-
+
-
+ Čas přehrávání:
-
+
-
+ Prázdná služba
-
+
+
+ Tento soubor je buďto poškozen nebo to není soubor se službou OpenLP 2.0.
+
+
+
-
+ Načíst existující službu.
-
+
-
+ Uložit tuto službu.
-
+
+ Vybrat motiv pro službu.
+
+
+
+
-
-
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceNoteForm
-
+
Poznámky položky služby
@@ -3080,12 +3592,12 @@ Obsah souboru není v kódování UTF-8.
- P?izp?sobit zkratky
+ Přizpůsobit zkratky
- ?innost
+ Činnost
@@ -3093,14 +3605,14 @@ Obsah souboru není v kódování UTF-8.
Zkratka
-
+
Duplikovat zkratku
-
+
- Zkratka "%s" je už p?i?azena jiné ?innosti. Použijte prosím jinou zkratku.
+ Zkratka "%s" je už přiřazena jiné činnosti. Použijte prosím jinou zkratku.
@@ -3110,17 +3622,17 @@ Obsah souboru není v kódování UTF-8.
- Zadání nové hlavní nebo alternativní zkratky se spustí vybráním ?innosti a klepnutím na jedno z tla?ítek níže.
+ Zadání nové hlavní nebo alternativní zkratky se spustí vybráním činnosti a klepnutím na jedno z tlačítek níže.
- Výchozí
+ Výchozí
- Uživatelský
+ Uživatelský
@@ -3130,60 +3642,105 @@ Obsah souboru není v kódování UTF-8.
- Obnovit výchozí zkratku ?innosti.
+ 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?ejít na
+
+
+ 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
+ Předchozí snímek
-
+
Následující snímek
- P?edchozí služba
+ Předchozí služba
@@ -3196,30 +3753,30 @@ Obsah souboru není v kódování UTF-8.
Zrušit položku
-
+
+
+ Spustit/Zastavit souvislou smyšku
+
+
+
+
+ Přidat ke službě
+
+
+
-
+
-
+
-
-
-
-
-
-
-
-
-
-
@@ -3249,17 +3806,17 @@ Obsah souboru není v kódování UTF-8.
OpenLP.SpellTextEdit
-
+
Návrhy pravopisu
-
+
- Formátovací zna?ky
+ Formátovací značky
-
+
Jazyk:
@@ -3284,12 +3841,12 @@ Obsah souboru není v kódování UTF-8.
- ?as za?átku a konce položky
+ Čas začátku a konce položky
- Za?átek
+ Začátek
@@ -3304,7 +3861,17 @@ Obsah souboru není v kódování UTF-8.
- Chyba p?i ov??ení ?asu
+ 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
@@ -3332,7 +3899,7 @@ Obsah souboru není v kódování UTF-8.
- Není vypln?n název motivu. Prosím zadejte ho.
+ Není vyplněn název motivu. Prosím zadejte ho.
@@ -3344,6 +3911,11 @@ Obsah souboru není v kódování UTF-8.
Neplatný název motivu. Prosím zadejte nový.
+
+
+
+ (%d řádek na snímek)
+
@@ -3353,204 +3925,210 @@ Obsah souboru není v kódování UTF-8.
OpenLP.ThemeManager
-
+
- Vytvo?í nový motiv.
+ 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.
+ 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.
+ Motiv byl úspěšně exportován.
-
+
Export motivu selhal
-
+
- Kv?li chyb? nebylo možno motiv exportovat.
+ 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
+ &Přejmenovat motiv
-
+
&Export motivu
-
+
- K p?ejmenování je t?eba vybrat motiv.
+ K přejmenování je třeba vybrat motiv.
-
+
- Potvrzení p?ejmenování
+ Potvrzení přejmenování
-
+
- P?ejmenovat motiv %s?
+ Přejmenovat motiv %s?
-
+
- Pro smazání je t?eba vybrat motiv.
+ Pro smazání je třeba vybrat motiv.
-
+
Potvrzení smazání
-
+
Smazat motiv %s?
-
+
- Chyba ov??ování
+ Chyba ověřování
-
+
Motiv s tímto názvem již existuje.
-
+
OpenLP motivy (*.theme *.otz)
+
+
+
+ Copy of <theme name>
+
+
OpenLP.ThemeWizard
- Pr?vodce motivem
+ Průvodce motivem
- Vítejte v pr?vodci motivem
+ Vítejte v průvodci motivem
@@ -3560,7 +4138,7 @@ Obsah souboru není v kódování UTF-8.
- Podle parametr? níže nastavte pozadí motivu.
+ Podle parametrů níže nastavte pozadí motivu.
@@ -3575,7 +4153,7 @@ Obsah souboru není v kódování UTF-8.
- P?echod
+ Přechod
@@ -3585,7 +4163,7 @@ Obsah souboru není v kódování UTF-8.
- P?echod:
+ Přechod:
@@ -3605,12 +4183,12 @@ Obsah souboru není v kódování UTF-8.
- Vlevo naho?e - vpravo dole
+ Vlevo nahoře - vpravo dole
- Vlevo dole - vpravo naho?e
+ Vlevo dole - vpravo nahoře
@@ -3635,7 +4213,7 @@ Obsah souboru není v kódování UTF-8.
- ?ádkování:
+ Řádkování:
@@ -3650,7 +4228,7 @@ Obsah souboru není v kódování UTF-8.
- Tu?né
+ Tučné
@@ -3695,17 +4273,17 @@ Obsah souboru není v kódování UTF-8.
- Na st?ed
+ Na střed
- Umíst?ní výstupní oblasti
+ Umístění výstupní oblasti
- Dovoluje zm?nit a p?esunout hlavní oblast a oblast zápatí.
+ Dovoluje změnit a přesunout hlavní oblast a oblast zápatí.
@@ -3715,7 +4293,7 @@ Obsah souboru není v kódování UTF-8.
- &Použít výchozí umíst?ní
+ &Použít výchozí umístění
@@ -3735,7 +4313,7 @@ Obsah souboru není v kódování UTF-8.
- Ší?ka:
+ Šířka:
@@ -3745,7 +4323,7 @@ Obsah souboru není v kódování UTF-8.
- Použít výchozí umíst?ní
+ Použít výchozí umístění
@@ -3755,7 +4333,7 @@ Obsah souboru není v kódování UTF-8.
- Zobrazit motiv a uložit ho, dojde k p?epsání sou?asného nebo zm??te název, aby se vytvo?il nový motiv
+ Zobrazit motiv a uložit ho, dojde k přepsání současného nebo změňte název, aby se vytvořil nový motiv
@@ -3770,18 +4348,28 @@ Obsah souboru není v kódování UTF-8.
- Tento pr?vodce pomáhá s vytvo?ením a úpravou vašich motivu. Klepn?te níže na tla?ítko další pro spušt?ní procesu nastavení vašeho pozadí.
+ Tento průvodce pomáhá s vytvořením a úpravou vašich motivu. Klepněte níže na tlačítko další pro spuštění procesu nastavení vašeho pozadí.
- P?echody:
+ Přechody:
Oblast &zápatí
+
+
+
+
+
+
+
+
+
+
OpenLP.ThemesTab
@@ -3793,43 +4381,48 @@ Obsah souboru není v kódování UTF-8.
- Úrove? motivu
+ Úroveň motivu
- Úrove? &písn?
+ Ú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.
+ 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
+ Ú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.
+ 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?
+ &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.
+ Použitím globálního motivu se překryjí motivy, které jsou přiřazeny službám nebo písním.
+
+
+
+
+ Motivy
OpenLP.Ui
-
+
Chyba
@@ -3841,12 +4434,12 @@ Obsah souboru není v kódování UTF-8.
- &P?idat
+ &Přidat
- Pokro?ilé
+ Pokročilé
@@ -3871,53 +4464,53 @@ Obsah souboru není v kódování UTF-8.
- CCLI ?íslo:
+ CCLI číslo:
- Vytvo?it novou službu.
+ Vytvořit novou službu.
-
+
&Smazat
-
+
&Upravit
-
+
Prázdné pole
-
+
Export
-
+
Abbreviated font pointsize unit
pt
-
+
- Obrázek
+ Obrázek
-
+
Import
-
+
- Délka %s
+ Délka %s
@@ -3929,15 +4522,20 @@ Obsah souboru není v kódování UTF-8.
Chyba v pozadí naživo
+
+
+
+ Panel naživo
+
- Na?íst
+ Načíst
- Uprost?ed
+ Uprostřed
@@ -3989,107 +4587,132 @@ Obsah souboru není v kódování UTF-8.
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.
+
+ 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
+ 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 výše.
-
+
- P?esun výb?ru o jednu pozici níže.
+ Přesun výběru o jednu pozici níže.
-
+
&Svislé zarovnání:
- Import dokon?en.
+ Import dokončen.
@@ -4114,17 +4737,17 @@ Obsah souboru není v kódování UTF-8.
- Vyberte formát importu a umíst?ní, ze kterého se má importovat.
+ Vyberte formát importu a umístění, ze kterého se má importovat.
- Import dat z openlp.org 1.x je vypnuté kv?li chyb?jícímu Python modulu. Pokud chcete využít tohoto importu dat, je t?eba nainstallovat modul "python-sqlite".
+ Import dat z openlp.org 1.x je vypnuté kvůli chybějícímu Python modulu. Pokud chcete využít tohoto importu dat, je třeba nainstallovat modul "python-sqlite".
- Otev?ít soubor %s
+ Otevřít soubor %s
@@ -4134,7 +4757,7 @@ Obsah souboru není v kódování UTF-8.
- P?ipraven.
+ Připraven.
@@ -4145,22 +4768,22 @@ Obsah souboru není v kódování UTF-8.
A file type e.g. OpenSong
- Je t?eba specifikovat alespo? jeden %s soubor, ze kterého se bude importovat.
+ Je třeba specifikovat alespoň jeden %s soubor, ze kterého se bude importovat.
-
+
- Vítejte v pr?vodci importu Bible
+ Vítejte v průvodci importu Bible
-
+
- Vítejte v pr?vodci exportu písní
+ Vítejte v průvodci exportu písní
- Vítejte v pr?vodci importu písní
+ Vítejte v průvodci importu písní
@@ -4172,7 +4795,7 @@ Obsah souboru není v kódování UTF-8.
Plural
- Auto?i
+ Autoři
@@ -4184,13 +4807,13 @@ Obsah souboru není v kódování UTF-8.
Singular
- Zp?vník
+ Zpěvník
Plural
- Zp?vníky
+ Zpěvníky
@@ -4209,41 +4832,41 @@ Obsah souboru není v kódování UTF-8.
Plural
Témata
-
-
-
- Spojitý
-
+
+ Spojitý
+
+
+
- Výchozí
+ Výchozí
-
+
- Styl zobrazení:
+ Styl zobrazení:
-
+
Soubor
-
+
- Nápov?da
+ Nápověda
-
+
The abbreviated unit for hours
hod
-
+
- Styl rozvržení:
+ Styl rozvržení:
@@ -4259,61 +4882,61 @@ Obsah souboru není v kódování UTF-8.
- Aplikace OpenLP je už spušt?na. P?ejete si pokra?ovat?
+ Aplikace OpenLP je už spuštěna. Přejete si pokračovat?
-
+
Nastavení
-
+
Nástroje
-
+
- Verš na jeden snímek
+ Verš na snímek
-
+
- Verš na jeden ?ádek
+ Verš na jeden řádek
-
+
Zobrazit
-
+
-
+ Duplikovat chybu
-
+
- Nepodporovaný soubor
+ Nepodporovaný soubor
-
+ Název a/nebo slova nenalezeny
-
+ Chyba v syntaxi XML
-
+
-
+ Režim zobrazení
-
-
+
+
@@ -4321,38 +4944,63 @@ Obsah souboru není v kódování UTF-8.
+
+
+
+
+
-
+
-
+
+
+
+
+
+
-
+
+ &Rozdělit
+
+
+
+
-
-
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.displayTagDialog
-
+
- Nastavit zna?ky zobrazení
+ Nastavit značky zobrazení
@@ -4360,7 +5008,7 @@ Obsah souboru není v kódování UTF-8.
- <strong>Modul prezentace</strong><br />Modul prezentace dovoluje zobrazovat prezentace z n?kolika r?zných program?. Výb?r dostupných prezenta?ních program? je uživateli p?ístupný v rozbalovacím menu.
+ <strong>Modul prezentace</strong><br />Modul prezentace dovoluje zobrazovat prezentace z několika různých programů. Výběr dostupných prezentačních programů je uživateli přístupný v rozbalovacím menu.
@@ -4372,13 +5020,38 @@ Obsah souboru není v kódování UTF-8.
name plural
- Prezentace
+ Prezentace
container title
- Prezentace
+ Prezentace
+
+
+
+
+ Načíst novou prezentaci.
+
+
+
+
+ Smazat vybranou prezentaci.
+
+
+
+
+ Náhled vybrané prezentace.
+
+
+
+
+ Zobrazit vybranou prezentaci naživo.
+
+
+
+
+ Přidat vybranou prezentaci ke službě.
@@ -4409,54 +5082,54 @@ Obsah souboru není v kódování UTF-8.
PresentationPlugin.MediaItem
-
+
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
+ Chybějící prezentace
-
+
Prezentace %s už neexistuje.
-
+
- Prezentace %s není kompletní, prosím na?t?te ji znovu.
+ Prezentace %s není kompletní, prosím načtěte ji znovu.
@@ -4469,7 +5142,7 @@ Obsah souboru není v kódování UTF-8.
- Povolit p?ekrytí prezenta?ní aplikace.
+ Povolit překrytí prezentační aplikace
@@ -4482,13 +5155,13 @@ Obsah souboru není v kódování UTF-8.
- <strong>Modul dálkové ovládání</strong><br />Modul dálkové ovládání poskytuje schopnost zasílat zprávy aplikaci OpenLP b?žící na jiném po?íta?i. Zprávy je možno posílat internetovým prohlíže?em nebo vzdáleným API.
+ <strong>Modul dálkové ovládání</strong><br />Modul dálkové ovládání poskytuje schopnost zasílat zprávy aplikaci OpenLP běžící na jiném počítači. Zprávy je možno posílat internetovým prohlížečem nebo vzdáleným API.
name singular
- Dálkové ovládání
+ Dálkové ovládání
@@ -4506,12 +5179,12 @@ Obsah souboru není v kódování UTF-8.
RemotePlugin.Mobile
-
+
-
+
@@ -4521,77 +5194,77 @@ Obsah souboru není v kódování UTF-8.
Správce služby
-
+
-
+
-
+
Hledat
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
Zobrazit naživo
-
-
-
+
+
+ Přidat ke službě
-
+
-
+
Možnosti
@@ -4606,7 +5279,7 @@ Obsah souboru není v kódování UTF-8.
- ?íslo portu:
+ Číslo portu:
@@ -4616,79 +5289,89 @@ Obsah souboru není v kódování UTF-8.
-
+ URL dálkového ovládání:
-
+ URL zobrazení na jevišti:
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.
+ 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í
+ Vytvořit hlášení z používání písní.
-
- P?epnout sledování použití 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í
+ Používání písně
-
+
name plural
- Používání písní
+ Používání písní
-
+
container title
Používání písní
-
+
Používání písní
+
+
+
+
+
+
+
+
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4710,12 +5393,12 @@ Obsah souboru není v kódování UTF-8.
- Smazání úsp?šné
+ Smazání úspěšné
- Všechny požadovaná data byla úsp?šn? smazána.
+ Všechny požadovaná data byla úspěšně smazána.
@@ -4738,12 +5421,12 @@ Obsah souboru není v kódování UTF-8.
- Umíst?ní hlášení
+ Umístění hlášení
- Umíst?ní výstupního souboru
+ Umístění výstupního souboru
@@ -4753,7 +5436,7 @@ Obsah souboru není v kódování UTF-8.
- Vytvo?ení hlášení
+ Vytvoření hlášení
@@ -4762,7 +5445,7 @@ Obsah souboru není v kódování UTF-8.
has been successfully created.
Hlášení
%s
-bylo úsp?šn? vytvo?eno.
+bylo úspěšně vytvořeno.
@@ -4772,7 +5455,7 @@ bylo úsp?šn? vytvo?eno.
- Platné výstupní umíst?ní pro hlášení používání písní není nastaveno. Prosím vyberte existující cestu ve vašem po?íta?i.
+ Platné výstupní umístění pro hlášení používání písní není nastaveno. Prosím vyberte existující cestu ve vašem počítači.
@@ -4780,32 +5463,32 @@ bylo úsp?šn? vytvo?eno.
- &Píse?
+ &Píseň
- Import písní pr?vodcem importu.
+ Import písní průvodcem importu.
- <strong>Modul písn?</strong><br />Modul písn? umož?uje zobrazovat a spravovat písn?.
+ <strong>Modul písně</strong><br />Modul písně umožňuje zobrazovat a spravovat písně.
- &P?eindexovat písn?
+ &Přeindexovat písně
- P?eindexovat písn? v databázi pro vylepšení hledání a ?azení.
+ Přeindexovat písně v databázi pro vylepšení hledání a řazení.
- P?eindexovávám písn?...
+ Přeindexovávám písně...
@@ -4815,12 +5498,12 @@ bylo úsp?šn? vytvo?eno.
- Baltské jazyky (CP-1257)
+ Baltské jazyky (CP-1257)
- St?edoevropské jazyky (CP-1250)
+ Středoevropské jazyky (CP-1250)
@@ -4830,7 +5513,7 @@ bylo úsp?šn? vytvo?eno.
- ?e?tina (CP-1253)
+ Řečtina (CP-1253)
@@ -4850,7 +5533,7 @@ bylo úsp?šn? vytvo?eno.
- Zjednodušená ?ínština (CP-936)
+ Zjednodušená čínština (CP-936)
@@ -4860,12 +5543,12 @@ bylo úsp?šn? vytvo?eno.
- Tradi?ní ?ínština (CP-950)
+ Tradiční čínština (CP-950)
- Ture?tina (CP-1254)
+ Turečtina (CP-1254)
@@ -4880,7 +5563,7 @@ bylo úsp?šn? vytvo?eno.
- Kódování znak?
+ Kódování znaků
@@ -4888,38 +5571,68 @@ bylo úsp?šn? vytvo?eno.
for the correct character representation.
Usually you are fine with the preselected choice.
Nastavení kódové stránky zodpovídá
-za správnou reprezentaci znak?.
-P?edvybraná volba by obvykle m?la být správná.
+za správnou reprezentaci znaků.
+Předvybraná volba by obvykle měla být správná.
- Vyberte prosím kódování znak?.
-Kódování zodpovídá za správnou reprezentaci znak?.
+ Vyberte prosím kódování znaků.
+Kódování zodpovídá za správnou reprezentaci znaků.
name singular
- Píse?
+ Píseň
name plural
- Písně
+ Písně
container title
- Písn?
+ Písně
- Exportuje písn? pr?vodcem exportu.
+ Exportuje písně průvodcem exportu.
+
+
+
+
+ Přidat novou píseň.
+
+
+
+
+ Upravit vybranou píseň.
+
+
+
+
+ Smazat vybranou píseň.
+
+
+
+
+ Náhled vybrané písně.
+
+
+
+
+ Zobrazit vybranou píseň naživo.
+
+
+
+
+ Přidat vybranou píseň ke službě.
@@ -4957,7 +5670,7 @@ Kódování zodpovídá za správnou reprezentaci znak?.
- Údržba autor?
+ Údržba autorů
@@ -4967,27 +5680,27 @@ Kódování zodpovídá za správnou reprezentaci znak?.
- K?estní jméno:
+ Křestní jméno:
- P?íjmení:
+ Příjmení:
- Je pot?eba zadat k?estní jméno autora.
+ Je potřeba zadat křestní jméno autora.
- Je pot?eba zadat p?íjmení 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í?
+ Zobrazené jméno autora není zadáno. Má se zkombinovat křestní jméno a příjmení?
@@ -4995,198 +5708,205 @@ Kódování zodpovídá za správnou reprezentaci znak?.
-
+ Soubor nemá platnou příponu.
SongsPlugin.EasyWorshipSongImport
-
+
- Spravuje %s
+ Spravuje %s
+
+
+
+
+
SongsPlugin.EditSongForm
-
-
-
- Editor písn?
-
-
- &Název:
+
+ Editor písně
+
+ &Název:
+
+
+
&Jiný název:
-
-
-
- &Text písn?:
-
-
- &Po?adí verš?:
+
+ &Text písně:
-
+
+
+ &Pořadí veršů:
+
+
+
&Upravit vše
-
+
- Název a text písn?
-
-
-
-
- &P?idat k písni
+ 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
+ &Správa autorů, témat a zpěvníků
+
+ &Přidat k písni
+
+
+
&Odstranit
-
-
-
- Zp?vník:
-
-
- ?íslo:
+
+ Zpěvník:
-
- Auto?i, témata a zp?vníky
+
+ Číslo:
-
+
+
+ Autoři, témata a zpěvníky
+
+
+
Nový &motiv
-
+
Informace o autorském právu
-
-
-
- Komentá?e
-
+
+ Komentáře
+
+
+
- Motiv, autorská práva a komentá?e
+ Motiv, autorská práva a komentáře
-
+
- P?idat autora
+ Přidat autora
-
+
- Tento autor neexistuje. Chcete ho p?idat?
+ 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".
+ 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
+ Přidat téma
-
+
- Toto téma neexistuje. Chcete ho p?idat?
+ 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".
+ 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 název písne.
-
+
- Je pot?eba zadat alespo? jednu sloku.
+ 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.
+ 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?
+ Čá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
+ Přidat zpěvník
-
+
- Tento zp?vník neexistuje. Chcete ho p?idat?
+ Tento zpěvník neexistuje. Chcete ho přidat?
-
+
- Pro tuto píse? je pot?eba zadat autora.
+ Pro tuto píseň je potřeba zadat autora.
-
+
- Ke sloce je pot?eba zadat n?jaký text.
+ Ke sloce je potřeba zadat nějaký text.
@@ -5206,111 +5926,121 @@ Kódování zodpovídá za správnou reprezentaci znak?.
&Vložit
+
+
+
+ &Rozdělit
+
+
+
+
+ Rozdělit snímek na dva jen v případě, že se text nevejde na obrazovku.
+
-
+ Vložením oddělovače slok se snímek rozdělí na dva.
SongsPlugin.ExportWizardForm
-
+
- Pr?vodce exportem písní
+ 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.
+ Tento průvodce pomáhá exportovat vaše písně do otevřeného a svobodného formátu chval OpenLyrics.
-
+
- Vybrat písn?
+ Vybrat písně
-
+
- Zaškrtn?te písn?, které chcete exportovat.
+ Zaškrtněte písně, které chcete exportovat.
-
+
Odškrtnout vše
-
+
Zaškrtnout vše
-
+
- Vybrat adresá?
+ Vybrat adresář
-
+
- Adresá?:
+ Adresář:
-
+
Exportuji
-
+
- ?ekejte prosím, než písn? budou exportovány.
+ Čekejte prosím, než písně budou exportovány.
-
+
- Je pot?eba p?idat k exportu alespo? jednu píse?.
+ Je potřeba přidat k exportu alespoň jednu píseň.
-
+
- Není zadáno umíst?ní pro uložení
+ Není zadáno umístění pro uložení
-
+
Spouštím export...
-
+
- Je pot?eba zadat adresá?.
+ Je potřeba zadat adresář.
-
+
Vybrat cílovou složku
-
+
-
+ Vybrat složku, kam se budou ukládat písně.
SongsPlugin.ImportWizardForm
-
+
- Vybrat dokumentové/prezenta?ní soubory
+ Vybrat dokumentové/prezentační soubory
- Pr?vodce importem písní
+ 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.
+ Tento průvodce pomáhá importovat písně z různých formátů. Importování se spustí klepnutím níže na tlačítko další a výběrem formátu, ze kterého se bude importovat.
@@ -5325,12 +6055,12 @@ Kódování zodpovídá za správnou reprezentaci znak?.
- Import pro formát OpenLyrics ješt? nebyl vyvinut, ale jak m?žete vid?t, stále to zamýšlíme ud?lat. Doufáme, že to bude p?ítomno v další verzi aplikace.
+ Import pro formát OpenLyrics ještě nebyl vyvinut, ale jak můžete vidět, stále to zamýšlíme udělat. Doufáme, že to bude přítomno v další verzi aplikace.
- P?idat soubory...
+ Přidat soubory...
@@ -5338,59 +6068,69 @@ Kódování zodpovídá za správnou reprezentaci znak?.
Odstranit soubory
-
-
- ?ekejte prosím, než písn? budou importovány.
+
+
+ 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
+ Soubory s písněmi Words of Worship
-
+
- Je pot?eba zadat alespo? jeden dokument nebo jednu prezentaci, ze které importovat.
+ Je potřeba zadat alespoň jeden dokument nebo jednu prezentaci, ze které importovat.
-
+
- Soubory s písn?mi Songs Of Fellowship
+ Soubory s písněmi Songs Of Fellowship
-
+
SongBeamer soubory
-
+
- Soubory s písn?mi SongShow Plus
+ Soubory s písněmi SongShow Plus
-
+
- Soubory s písn?mi Foilpresenter
+ Soubory s písněmi Foilpresenter
- Kopírovat
+ Kopírovat
- Uložit do souboru
+ Uložit do souboru
@@ -5406,51 +6146,57 @@ Kódování zodpovídá za správnou reprezentaci znak?.
SongsPlugin.MediaItem
-
+
Názvy
-
+
- Text písn?
+ Text písně
-
+
- Smazat písn??
+ Smazat písně?
-
+
CCLI Licence:
-
+
- Celá píse?
+ Celá píseň
-
+
+ Jste si jisti, že chcete smazat %n vybranou píseň?
+ Jste si jisti, že chcete smazat %n vybrané písně?
Jste si jisti, že chcete smazat %n vybraných písní?
-
-
-
+
+ Spravovat seznamy autorů, témat a zpěvníků.
+
+
+
+
+ For song cloning
SongsPlugin.OpenLP1SongImport
-
+
-
+ Neplatná databáze písní openlp.org 1.x.
@@ -5458,15 +6204,15 @@ Kódování zodpovídá za správnou reprezentaci znak?.
-
+ Neplatná databáze písní OpenLP 2.0.
SongsPlugin.OpenLyricsExport
-
+
- Exportuji "%s"...
+ Exportuji "%s"...
@@ -5474,7 +6220,7 @@ Kódování zodpovídá za správnou reprezentaci znak?.
- Údržba zp?vníku
+ Údržba zpěvníku
@@ -5489,56 +6235,56 @@ Kódování zodpovídá za správnou reprezentaci znak?.
- Je pot?eba zadat název zp?vníku.
+ Je potřeba zadat název zpěvníku.
SongsPlugin.SongExportForm
-
+
- Export dokon?en.
+ Export dokončen.
-
+
- Export písn? selhal.
+ Export písně selhal.
SongsPlugin.SongImport
-
+
autorská práva
-
+
+ Následující písně nemohly být importovány:
+
+
+
+
-
+
-
+
-
-
-
-
-
SongsPlugin.SongImportForm
-
+
- Import písn? selhal.
+ Import písně selhal.
@@ -5546,7 +6292,7 @@ Kódování zodpovídá za správnou reprezentaci znak?.
- Nemohu p?idat autora.
+ Nemohu přidat autora.
@@ -5556,7 +6302,7 @@ Kódování zodpovídá za správnou reprezentaci znak?.
- Nemohu p?idat téma.
+ Nemohu přidat téma.
@@ -5566,17 +6312,17 @@ Kódování zodpovídá za správnou reprezentaci znak?.
- Nemohu p?idat zp?vník.
+ Nemohu přidat zpěvník.
- Tento zp?vník již existuje.
+ Tento zpěvník již existuje.
- Nemohu uložit zm?ny.
+ Nemohu uložit změny.
@@ -5601,7 +6347,7 @@ Kódování zodpovídá za správnou reprezentaci znak?.
- Nemohu smazat autora, protože je v sou?asné dob? p?i?azen alespo? k jedné písni.
+ Nemohu smazat autora, protože je v současné době přiřazen alespoň k jedné písni.
@@ -5616,37 +6362,37 @@ Kódování zodpovídá za správnou reprezentaci znak?.
- Nemohu smazat toto téma, protože je v sou?asné dob? p?i?azeno alespo? k jedné písni.
+ Nemohu smazat toto téma, protože je v současné době přiřazeno alespoň k jedné písni.
- Smazat zp?vník
+ Smazat zpěvník
- Jste si jisti, že chcete smazat vybraný 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.
+ 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?
+ 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?
+ 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?
+ Zpěvník %s již existuje. Přejete si vytvořít písně se zpěvníkem %s a použít již existující zpěvník %s?
@@ -5654,27 +6400,27 @@ Kódování zodpovídá za správnou reprezentaci znak?.
- Režim písn?
+ Režim písně
- Zapnout hledat b?hem psaní
+ Zapnout hledat během psaní
- Zobrazit sloky v nástrojové lišt? naživo
+ Zobrazit sloky v nástrojové liště naživo
- Aktualizovat službu p?i úprav? písn?
+ Aktualizovat službu při úpravě písně
- P?idat chyb?jící písn? p?i otev?ení služby
+ Přidat chybějící písně při otevření služby
@@ -5692,7 +6438,7 @@ Kódování zodpovídá za správnou reprezentaci znak?.
- Je pot?eba zadat název tématu.
+ Je potřeba zadat název tématu.
@@ -5710,22 +6456,22 @@ Kódování zodpovídá za správnou reprezentaci znak?.
- P?echod
+ Přechod
- P?edrefrén
+ Předrefrén
- P?edehra
+ Předehra
- Zakon?ení
+ Zakončení
@@ -5736,9 +6482,9 @@ Kódování zodpovídá za správnou reprezentaci znak?.
ThemeTab
-
+
- Motivy
+ Motivy
diff --git a/resources/i18n/de.ts b/resources/i18n/de.ts
index b22ffef5b..09c5a2c6d 100644
--- a/resources/i18n/de.ts
+++ b/resources/i18n/de.ts
@@ -1,32 +1,5 @@
-
-
- AlertPlugin.AlertForm
-
-
-
- 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 <>.
-Möchten Sie trotzdem fortfahren?
-
-
+
AlertsPlugin
@@ -39,11 +12,6 @@ Möchten Sie trotzdem fortfahren?
Hinweis anzeigen.
-
-
-
- <strong>Hinweis Erweiterung</strong><br />Die Erweiterung Hinweis ermöglicht es, Texte auf der Anzeige einzublenden.
-
@@ -62,6 +30,11 @@ Möchten Sie trotzdem fortfahren?
container title
Hinweise
+
+
+
+ <strong>Hinweis Erweiterung</strong><br />Die Erweiterung Hinweis ermöglicht es, Texte auf der Anzeige einzublenden.
+
AlertsPlugin.AlertForm
@@ -110,6 +83,30 @@ Möchten Sie trotzdem fortfahren?
&Parameter:
+
+
+
+ Kein Parameter gefunden
+
+
+
+
+ Sie haben keinen Parameter angegeben, der ersetzt werden könnte.
+Möchten Sie trotzdem fortfahren?
+
+
+
+
+ Kein Platzhalter gefunden
+
+
+
+
+ Der Hinweistext enthält nicht <>.
+Möchten Sie trotzdem fortfahren?
+
AlertsPlugin.AlertsManager
@@ -152,84 +149,6 @@ Möchten Sie trotzdem fortfahren?
Schriftgröße:
-
- BibleDB.Wizard
-
-
-
- Importiere Bücher... %s
-
-
-
-
- Importing verses from <book name>...
- Importiere Verse von %s...
-
-
-
-
- Importiere Verse... Fertig.
-
-
-
- BiblePlugin
-
-
-
- &Upgrade alte Bibeln
-
-
-
-
- Stelle die Bibeln auf das aktuelle Datenbankformat um.
-
-
-
- BiblePlugin.HTTPBible
-
-
-
- Download Fehler
-
-
-
-
- Formatfehler
-
-
-
-
- Beim Herunterladen des Bibeltextes ist ein Fehler aufgetreten. Bitte überprüfen Sie Ihre Internetverbindung. Sollte dieser Fehler dennoch auftreten, so wenden Sie sich bitte an den OpenLP Support.
-
-
-
-
- Beim Auslesen des Bibeltextes ist ein Fehler aufgetreten. Sollte dieser Fehler wiederholt auftreten, so wenden Sie sich bitte an den OpenLP Support.
-
-
-
- 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?
-
-
-
-
- Hinweis
-
-
-
-
- Die Vergleichsbibel enthält nicht alle Verse, die in der Hauptbibel vorhanden sind. Nur die Verse, die in beiden Bibeln vorhanden sind, werden angezeigt. %d Verse sind nicht enthalten.
-
-
BiblesPlugin
@@ -256,12 +175,12 @@ Möchten Sie trotzdem fortfahren?
Bibeln
-
+
Kein Buch gefunden
-
+
Es konnte kein passendes Buch gefunden werden. Überprüfen Sie bitte die Schreibweise.
@@ -305,38 +224,48 @@ Möchten Sie trotzdem fortfahren?
<strong>Bibel Erweiterung</strong><br />Die Bibel Erweiterung ermöglicht es Bibelverse aus verschiedenen Quellen anzuzeigen.
+
+
+
+ &Upgrade alte Bibeln
+
+
+
+
+ Stelle die Bibeln auf das aktuelle Datenbankformat um.
+
BiblesPlugin.BibleManager
-
+
Fehler im Textverweis
-
+
Für Onlinebibeln nicht verfügbar
-
+
In Onlinebibeln ist Textsuche nicht möglich.
-
+
Es wurde kein Suchbegriff eingegeben.
Um nach mehreren Begriffen gleichzeitig zu suchen, müssen die Begriffe durch ein Leerzeichen getrennt sein. Alternative Suchbegriffe müssen per Komma getrennt sein.
-
+
Zurzeit sind keine Bibelübersetzungen installiert. Zur Suche muss eine solche mit dem Importassistent importiert werden.
-
+
-
+
Keine Bibeln verfügbar
@@ -461,189 +390,228 @@ Changes do not affect verses already in the service.
Sie müssen ein Buch wählen.
+
+ BiblesPlugin.CSVBible
+
+
+
+ Importiere Bücher... %s
+
+
+
+
+ Importing verses from <book name>...
+ Importiere Verse von %s...
+
+
+
+
+ Importiere Verse... Fertig.
+
+
BiblesPlugin.HTTPBible
-
+
Registriere Bibel und lade Bücher...
-
+
Registriere Sprache...
-
+
Importing <book name>...
Importiere »%s«...
+
+
+
+ Download Fehler
+
+
+
+
+ Beim Herunterladen des Bibeltextes ist ein Fehler aufgetreten. Bitte überprüfen Sie Ihre Internetverbindung. Sollte dieser Fehler dennoch auftreten, so wenden Sie sich bitte an den OpenLP Support.
+
+
+
+
+ Formatfehler
+
+
+
+
+ Beim Auslesen des Bibeltextes ist ein Fehler aufgetreten. Sollte dieser Fehler wiederholt auftreten, so wenden Sie sich bitte an den OpenLP Support.
+
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
-
+
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.
-
+
Genehmigung:
-
+
CSV-Datei
-
+
Bibleserver.com
-
+
Bibeldatei:
-
+
Bücherdatei:
-
+
Versedatei:
-
+
openlp.org 1.x Bibel-Dateien
-
+
Registriere Bibel...
-
+
Registrierung abgeschlossen.
@@ -672,7 +640,7 @@ werden. Daher ist eine Internetverbindung erforderlich.
BiblesPlugin.LanguageForm
-
+
Sie müssen eine Sprache wählen.
@@ -680,60 +648,80 @@ werden. Daher ist eine Internetverbindung erforderlich.
BiblesPlugin.MediaItem
-
+
Schnellsuche
-
+
Suchen:
-
+
Buch:
-
+
Kapitel:
-
+
Vers:
-
+
Von:
-
+
Bis:
-
+
Textsuche
-
+
Vergleichstext:
-
+
Bibelstelle
-
+
Vorheriges Suchergebnis behalten oder verwerfen.
+
+
+
+ Es ist nicht möglich Einzel- und Zweifach Bibelvers Suchergebnisse zu kombinieren. Sollen die Suchergebnisse gelöscht und eine neue Suche gestartet werden?
+
+
+
+
+ Bibel wurde nicht vollständig geladen.
+
+
+
+
+ Hinweis
+
+
+
+
+ Die Vergleichsbibel enthält nicht alle Verse, die in der Hauptbibel vorhanden sind. Nur die Verse, die in beiden Bibeln vorhanden sind, werden angezeigt. %d Verse sind nicht enthalten.
+
BiblesPlugin.Opensong
@@ -761,177 +749,177 @@ werden. Daher ist eine Internetverbindung erforderlich.
BiblesPlugin.UpgradeWizardForm
-
+
Ein Backup-Verzeichnis wählen
-
+
Bibelupgradeassistent
-
+
Dieser Assistent hilft Ihnen Ihre Bibeln auf das aktuelle Format umzustellen. Klicken Sie »Weiter« um den Prozess zu starten.
-
+
Backup-Verzeichnis wählen
-
+
Bitte wählen Sie ein Backup-Verzeichnis für Ihre Bibeln
-
+
Vorherige Versionen von OpenLP 2.0 können nicht mit den aktualisierten Bibeln umgehen. Sie können eine Backup von ihren Bibeln erstellen. Wie Sie ein Backup wiedereinspielen können Sie in den <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a> lesen.
-
+
Bitte wählen Sie ein Backup-Verzeichnis für Ihre Bibeln.
-
+
Backup-Verzeichnis:
-
+
Es soll kein Backup gemacht werden
-
+
Bibeln wählen
-
+
Bitte wählen Sie die Bibeln welche aktualisiert werden sollen
-
+
- Bibelausgabe:
+ Bibelausgabe:
-
+
- Diese Bibel existiert bereits. Bitte ändern Sie den Namen oder wählen Sie die Bibel in der Liste ab.
+ Diese Bibel existiert bereits. Bitte ändern Sie den Namen oder wählen Sie die Bibel in der Liste ab.
-
+
Aktualisiere...
-
+
Bitte warten Sie bis Ihre Bibeln aktualisiert sind.
-
-
- Sie müssen ein Backup-Verzeichnis für Ihre Bibeln angeben.
-
-
-
+
- Bitte geben Sie den Namen der Bibelübersetzung ein.
+ Bitte geben Sie den Namen der Bibelübersetzung ein.
-
+
- Übersetzung bereits vorhanden
+ Übersetzung bereits vorhanden
-
+
- Diese Bibel existiert bereits. Bitte aktualisieren Sie eine andere Bibel, löschen Sie die bereits vorhandene oder wählen Sie die Bibel in der Liste ab.
+ Diese Bibel existiert bereits. Bitte aktualisieren Sie eine andere Bibel, löschen Sie die bereits vorhandene oder wählen Sie die Bibel in der Liste ab.
-
-
- Es sind keine Bibel für eine Aktualisierung vorhanden...
-
-
-
+
Aktualisiere Bibel %s von %s: »%s«
Fehlgeschlagen...
-
+
Aktualisiere Bibel %s von %s: »%s«
Aktualisiere...
-
+
Download Fehler
-
+
Aktualisiere Bibel %s von %s: »%s«
Aktualisiere »%s«...
-
+
, %s fehlgeschlagen
-
+
Aktualisiere Bibeln: %s erfolgreich%s
-
+
Aktualisierung schlug fehl.
-
+
Das Backup war nicht erfolgreich.
Damit das Backup erstellt werden kann brauchen Sie Schreibrechte in dem Verzeichnis.
-
-
- Beginne mit der Aktualisierung...
-
-
-
+
Um Onlinebibeln zu aktualisieren ist eine Internetverbindung notwendig.
-
+
Aktualisiere Bibel %s von %s: »%s«
Fertig
-
+
Aktualisiere Bibeln: %s erfolgreich%s
Bitte beachten Sie, dass Bibeltexte von Onlinebibeln bei Bedarf heruntergeladen werden. Daher ist eine Internetverbindung erforderlich.
+
+
+
+ Sie müssen ein Backup-Verzeichnis für Ihre Bibeln angeben.
+
+
+
+
+ Beginne mit der Aktualisierung...
+
+
+
+
+ Es sind keine Bibel für eine Aktualisierung vorhanden.
+
CustomPlugin
@@ -1055,12 +1043,12 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln bei Bedarf heruntergeladen
Füge einen Folienumbruch ein.
-
+
Bitte geben Sie einen Titel ein.
-
+
Es muss mindestens eine Folie erstellt werden.
@@ -1076,11 +1064,14 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln bei Bedarf heruntergeladen
- GeneralTab
-
-
-
- Allgemein
+ CustomPlugin.MediaItem
+
+
+
+
+ Sind Sie sicher, dass die %n Sonderfolie gelöscht werden soll?
+ Sind Sie sicher, dass die %n Sonderfolien gelöscht werden sollen?
+
@@ -1155,42 +1146,47 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln bei Bedarf heruntergeladen
ImagePlugin.MediaItem
-
+
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
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.
+
+
+
+
+
MediaPlugin
@@ -1256,40 +1252,45 @@ 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 (*)
+
+
+
+
+
MediaPlugin.MediaTab
@@ -1307,7 +1308,7 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen?
OpenLP
-
+
Bilddateien
@@ -1603,82 +1604,82 @@ der Medienverwaltung angklickt werden
OpenLP.DisplayTagDialog
-
+
- Auswahl bearbeiten
+ Auswahl bearbeiten
-
+
- Beschreibung
+ Beschreibung
+
+
+
+
+ Tag
+
+
+
+
+ Anfangs Tag
-
- Tag
-
-
-
-
- Anfangs Tag
-
-
-
- End Tag
+ End Tag
-
+
- Tag Nr.
+ Tag Nr.
-
+
- Anfangs HTML
+ Anfangs HTML
-
+
- End HTML
+ End HTML
-
+
- Speichern
+ Speichern
OpenLP.DisplayTagTab
-
+
- Aktualisierungsfehler
+ Aktualisierungsfehler
- Tag »n« bereits definiert.
+ Tag »n« bereits definiert.
-
+
- Tag »%s« bereits definiert.
+ Tag »%s« bereits definiert.
- Neuer Tag
+ Neuer Tag
- </und hier>
+ </und hier>
- <HTML hier>
+ <HTML hier>
@@ -1686,82 +1687,82 @@ der Medienverwaltung angklickt werden
- rot
+ rot
- schwarz
+ schwarz
- blau
+ blau
- gelb
+ gelb
- grün
+ grün
- rosa
+ rosa
- orange
+ orange
- lila
+ lila
- weiß
+ weiß
- hochgestellt
+ hochgestellt
- tiefgestellt
+ tiefgestellt
- Textabsatz
+ Textabsatz
- fett
+ fett
- kursiv
+ kursiv
- unterstrichen
+ unterstrichen
- Textumbruch
+ Textumbruch
@@ -1811,7 +1812,7 @@ dieser Fehler auftrat. Bitte verwenden Sie (wenn möglich) Englisch.
- Plattform: %s
+ Plattform: %s
@@ -1932,12 +1933,12 @@ Version: %s
%s wird heruntergeladen...
-
+
Download vollständig. Klicken Sie »Abschließen« um OpenLP zu starten.
-
+
Aktiviere ausgewählte Erweiterungen...
@@ -1966,11 +1967,6 @@ Version: %s
Lieder
-
-
-
- Sonderfolien
-
@@ -2090,25 +2086,209 @@ Um den Einrichtungsassistent nicht auszuführen, drücken Sie »Abschließen«.<
Dieser Assistent wird Ihnen helfen OpenLP für die erste Benutzung zu konfigurieren. Klicken sie »Weiter« um den Assistenten zu starten.
-
+
Konfiguriere und Herunterladen
-
+
Bitte warten Sie, während OpenLP eingerichtet wird und die Daten heruntergeladen werden.
-
+
Konfiguriere
-
+
Klicken Sie »Abschließen« um OpenLP zu starten.
+
+
+
+ Sonderfolien
+
+
+
+
+ Download vollständig. Klicken Sie »Abschließen« um zurück zu OpenLP zu gelangen.
+
+
+
+
+ Klicken Sie »Abschließen« um zu OpenLP zurück zu gelangen.
+
+
+
+ OpenLP.FormattingTagDialog
+
+
+
+ Konfiguriere Formatforlagen
+
+
+
+
+ Auswahl bearbeiten
+
+
+
+
+ Speichern
+
+
+
+
+ Beschreibung
+
+
+
+
+ Tag
+
+
+
+
+ Anfangs Tag
+
+
+
+
+ End Tag
+
+
+
+
+ Tag Nr.
+
+
+
+
+ Anfangs HTML
+
+
+
+
+ End HTML
+
+
+
+ OpenLP.FormattingTagForm
+
+
+
+ Aktualisierungsfehler
+
+
+
+
+ Tag »n« bereits definiert.
+
+
+
+
+ Neuer Tag
+
+
+
+
+ <HTML hier>
+
+
+
+
+ </und hier>
+
+
+
+
+ Tag »%s« bereits definiert.
+
+
+
+ OpenLP.FormattingTags
+
+
+
+ rot
+
+
+
+
+ schwarz
+
+
+
+
+ blau
+
+
+
+
+ gelb
+
+
+
+
+ grün
+
+
+
+
+ rosa
+
+
+
+
+ orange
+
+
+
+
+ lila
+
+
+
+
+ weiß
+
+
+
+
+ hochgestellt
+
+
+
+
+ tiefgestellt
+
+
+
+
+ Textabsatz
+
+
+
+
+ fett
+
+
+
+
+ kursiv
+
+
+
+
+ unterstrichen
+
+
+
+
+ Textumbruch
+
OpenLP.GeneralTab
@@ -2254,7 +2434,7 @@ Um den Einrichtungsassistent nicht auszuführen, drücken Sie »Abschließen«.<
OpenLP.MainDisplay
-
+
OpenLP-Anzeige
@@ -2262,307 +2442,307 @@ Um den Einrichtungsassistent nicht auszuführen, drücken Sie »Abschließen«.<
OpenLP.MainWindow
-
+
&Datei
-
+
&Importieren
-
+
&Exportieren
-
+
&Ansicht
-
+
An&sichtsmodus
-
+
E&xtras
-
+
&Einstellungen
-
+
&Sprache
-
+
&Hilfe
-
+
Medienverwaltung
-
+
Ablaufverwaltung
-
+
Designverwaltung
-
+
&Neu
-
+
Ö&ffnen
-
+
Einen vorhandenen Ablauf öffnen.
-
+
&Speichern
-
+
Den aktuellen Ablauf speichern.
-
+
Speichern &unter...
-
+
Den aktuellen Ablauf unter einem neuen Namen speichern
-
+
Den aktuellen Ablauf unter einem neuen Namen speichern.
-
+
&Beenden
-
+
OpenLP beenden
-
+
&Design
-
+
&Einstellungen...
-
+
&Medienverwaltung
-
+
Die Medienverwaltung ein- bzw. ausblenden
-
+
Die Medienverwaltung ein- bzw. ausblenden.
-
+
&Designverwaltung
-
+
Die Designverwaltung ein- bzw. ausblenden
-
+
Die Designverwaltung ein- bzw. ausblenden.
-
+
&Ablaufverwaltung
-
+
Die Ablaufverwaltung ein- bzw. ausblenden
-
+
Die Ablaufverwaltung ein- bzw. ausblenden.
-
+
&Vorschau-Ansicht
-
+
Die Vorschau ein- bzw. ausblenden
-
+
Die Vorschau ein- bzw. ausschalten.
-
+
&Live-Ansicht
-
+
Die Live Ansicht ein- bzw. ausschalten
-
+
Die Live Ansicht ein- bzw. ausschalten.
-
+
Er&weiterungen...
-
+
Erweiterungen verwalten
-
+
Benutzer&handbuch
-
+
&Info über OpenLP
-
+
Mehr Informationen über OpenLP
-
+
&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
-
+
@@ -2577,55 +2757,110 @@ Sie können die letzte Version auf http://openlp.org abrufen.
Deutsch
-
+
- &Tastenkürzel einrichten...
+ Konfiguriere &Tastenkürzel...
-
+
OpenLP beenden
-
+
Sind Sie sicher, dass OpenLP beendet werden soll?
-
+
Öffne &Datenverzeichnis...
-
+
Öffne das Verzeichnis, wo Lieder, Bibeln und andere Daten gespeichert sind.
-
+
- &Formatvorlagen
+ &Formatvorlagen
-
+
&Automatisch
-
+
Aktualisiere Design Bilder
-
+
Aktualisiert die Vorschaubilder aller Designs.
-
+
Drucke den aktuellen Ablauf.
+
+
+
+ &Sperre Leisten
+
+
+
+
+ Unterbindet das Bewegen der Leisten.
+
+
+
+
+ Einrichtungsassistent starten
+
+
+
+
+ Einrichtungsassistent erneut starten um Beispiel-Lieder, Bibeln und Designs zu importieren.
+
+
+
+
+ Einrichtungsassistent starten?
+
+
+
+
+ Sind Sie sicher, dass Sie den Einrichtungsassistent erneut starten möchten?
+
+Der Einrichtungsassistent kann einige Einstellungen verändern und ggf. neue Lieder, Bibeln und Designs zu den bereits vorhandenen hinzufügen.
+
+
+
+
+ &Zuletzte geöffnete Abläufe
+
+
+
+
+ Konfiguriere &Formatvorlagen...
+
+
+
+
+ Clear List of recent files
+ Leeren
+
+
+
+
+ Leert die Liste der zuletzte geöffnete Abläufe.
+
OpenLP.MediaManagerItem
@@ -2635,57 +2870,79 @@ Sie können die letzte Version auf http://openlp.org abrufen.
Keine Elemente ausgewählt.
-
+
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.
-
+
Kein Suchergebnis
-
+
Sie müssen ein oder mehrer Element auswählen.
-
+
- Doppelter Dateiname %s.
+ Doppelter Dateiname %s.
Dateiname existiert bereits in der Liste.
+
+
+
+ &Klonen
+
+
+
+
+ Ungültige Dateiendung
+
+
+
+
+ Ungültige Datei %s.
+Dateiendung nicht unterstützt.
+
+
+
+
+
+
OpenLP.PluginForm
@@ -2733,12 +2990,12 @@ Dateiname existiert bereits in der Liste.
OpenLP.PrintServiceDialog
-
+
Auf Seite einpassen
-
+
An Breite anpassen
@@ -2746,70 +3003,80 @@ Dateiname existiert bereits in der Liste.
OpenLP.PrintServiceForm
-
+
Optionen
-
-
- Schließen
-
-
-
+
Kopieren
-
+
Als HTML kopieren
-
+
Heranzoomen
-
+
Wegzoomen
-
+
Original Zoom
-
+
Andere Optionen
-
+
Drucke Folientext wenn verfügbar
-
+
- Drucke Element Notizen
+ Drucke Element-Notizen
-
+
Drucke Spiellänge von Medien Elementen
-
+
Einen Seitenumbruch nach jedem Text-Element einfügen
-
+
Ablauf
+
+
+
+ Drucken
+
+
+
+
+ Titel:
+
+
+
+
+ Ablaufnotizen:
+
OpenLP.ScreenList
@@ -2824,10 +3091,23 @@ Dateiname existiert bereits in der Liste.
Primär
+
+ OpenLP.ServiceItem
+
+
+
+ <strong>Anfang</strong>: %s
+
+
+
+
+ <strong>Spiellänge</strong>: %s
+
+
OpenLP.ServiceItemEditForm
-
+
Reihenfolge der Bilder ändern
@@ -2835,257 +3115,272 @@ Dateiname existiert bereits in der Liste.
OpenLP.ServiceManager
-
+
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
-
+
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
-
+
Notizen zum Ablauf:
-
+
Notizen:
-
+
Spiellänge:
-
+
Einen bestehenden Ablauf öffnen.
-
+
Den aktuellen Ablauf speichern.
-
+
Design für den Ablauf auswählen.
-
+
Entweder ist die Datei fehlerhaft oder sie ist keine OpenLP 2.0 Ablauf-Datei.
+
+
+
+ Element-Design
+
+
+
+
+ Notizen
+
+
+
+
+ Ablaufdatei fehlt
+
OpenLP.ServiceNoteForm
-
+
Elementnotiz
@@ -3103,7 +3398,7 @@ Der Inhalt ist nicht in UTF-8 kodiert.
- Tastenkürzel anpassen
+ Tastenkürzel anpassen
@@ -3116,12 +3411,12 @@ Der Inhalt ist nicht in UTF-8 kodiert.
Tastenkürzel
-
+
Belegtes Tastenkürzel
-
+
Das Tastenkürzel »%s« ist bereits einer anderen Aktion zugeordnet. Bitte wählen Sie ein anderes Tastenkürzel.
@@ -3156,20 +3451,25 @@ Der Inhalt ist nicht in UTF-8 kodiert.
Standard Tastenkürzel dieser Aktion wiederherstellen.
-
+
Standard Tastenkürzel wiederherstellen
-
+
Möchten Sie alle standard Tastenkürzel wiederherstellen?
+
+
+
+ Konfiguriere Tastaturkürzel...
+
OpenLP.SlideController
-
+
Verbergen
@@ -3179,27 +3479,27 @@ Der Inhalt ist nicht in UTF-8 kodiert.
Gehe zu
-
+
Anzeige abdunkeln
-
+
Design leeren
-
+
Desktop anzeigen
-
+
Vorherige Folie
-
+
Nächste Folie
@@ -3219,30 +3519,20 @@ Der Inhalt ist nicht in UTF-8 kodiert.
Folie schließen
-
+
Vorherige Folie anzeigen.
-
+
Vorherige Folie anzeigen.
-
+
Schleife
-
-
-
- Endlosschleife
-
-
-
-
- Schleife bis zum Ende
-
@@ -3272,17 +3562,17 @@ Der Inhalt ist nicht in UTF-8 kodiert.
OpenLP.SpellTextEdit
-
+
Rechtschreibvorschläge
-
+
Formatvorlagen
-
+
Sprache:
@@ -3376,192 +3666,198 @@ Der Inhalt ist nicht in UTF-8 kodiert.
OpenLP.ThemeManager
-
+
Ein bestehendes Design bearbeiten.
-
+
Ein Design löschen.
-
+
Ein Design aus einer Datei importieren.
-
+
Ein Design in eine Datei exportieren.
-
+
Design &bearbeiten
-
+
Design &löschen
-
+
Als &globalen Standard setzen
-
+
%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.
-
+
Design &kopieren
-
+
Design &umbenennen
-
+
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?
-
+
Validierungsfehler
-
+
Ein Design mit diesem Namen existiert bereits.
-
+
Erstelle ein neues Design.
-
+
Bearbeite Design
-
+
Lösche Design
-
+
Importiere Design
-
+
Exportiere Design
-
+
OpenLP Designs (*.theme *.otz)
+
+
+
+ Copy of <theme name>
+ Kopie von %s
+
OpenLP.ThemeWizard
@@ -3673,12 +3969,12 @@ Sie ist nicht in UTF-8 kodiert.
- &fett
+ Fett
- &kursiv
+ Kursiv
@@ -3805,6 +4101,16 @@ Sie ist nicht in UTF-8 kodiert.
Bearbeite Design - %s
+
+
+
+
+
+
+
+
+
+
OpenLP.ThemesTab
@@ -3848,31 +4154,36 @@ Sie ist nicht in UTF-8 kodiert.
Das Standarddesign immer verwenden, unabhängig vom Lieddesign oder Ablaufdesign.
+
+
+
+ Designs
+
OpenLP.Ui
-
+
Fehler
-
+
&Löschen
-
+
Lösche den ausgewählten Eintrag.
-
+
Ausgewählten Eintrag nach oben schieben.
-
+
Ausgewählten Eintrag nach unten schieben.
@@ -3892,12 +4203,12 @@ Sie ist nicht in UTF-8 kodiert.
Alle Dateien
-
+
&Bearbeiten
-
+
Import
@@ -3922,32 +4233,32 @@ Sie ist nicht in UTF-8 kodiert.
OpenLP 2.0
-
+
Vorschau
-
+
Live-Hintergrund ersetzen
-
+
Hintergrund zurücksetzen
-
+
Ablauf
-
+
&Vertikale Ausrichtung:
-
+
oben
@@ -3966,23 +4277,18 @@ Sie ist nicht in UTF-8 kodiert.
Erstelle neuen Ablauf.
-
-
-
- Länge %s
-
Neuer Ablauf
-
+
Speicher Ablauf
-
+
Start %s
@@ -4007,23 +4313,23 @@ Sie ist nicht in UTF-8 kodiert.
CCLI-Nummer:
-
+
Leeres Feld
-
+
Export
-
+
Abbreviated font pointsize unit
pt
-
+
Bild
@@ -4067,45 +4373,45 @@ Sie ist nicht in UTF-8 kodiert.
openlp.org 1.x
-
+
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
@@ -4171,12 +4477,12 @@ Sie ist nicht in UTF-8 kodiert.
Sie müssen wenigstens eine %s-Datei zum Importieren auswählen.
-
+
Willkommen beim Bibel Importassistenten
-
+
Willkommen beim Lied Exportassistenten
@@ -4233,38 +4539,38 @@ Sie ist nicht in UTF-8 kodiert.
Themen
-
+
Fortlaufend
-
+
Standard
-
+
Versangabenformat:
-
+
Datei
-
+
Hilfe
-
+
The abbreviated unit for hours
h
-
+
Folienformat:
@@ -4285,37 +4591,37 @@ Sie ist nicht in UTF-8 kodiert.
OpenLP läuft bereits. Möchten Sie trotzdem fortfahren?
-
+
Einstellungen
-
+
Extras
-
+
Verse pro Folie
-
+
Verse pro Zeile
-
+
Ansicht
-
+
Duplikate gefunden
-
+
Nicht unterstütztes Dateiformat
@@ -4330,12 +4636,12 @@ Sie ist nicht in UTF-8 kodiert.
XML Syntax Fehler
-
+
Ansichtsmodus
-
+
Willkommen zum Aktualisierungsssistent
@@ -4345,37 +4651,62 @@ Sie ist nicht in UTF-8 kodiert.
Öffne einen Ablauf.
-
+
Ablauf drucken
-
+
Ersetzen den Live-Hintergrund.
-
+
Setze den Live-Hintergrund zurück.
-
+
&Teilen
-
+
Teile ein Folie dann, wenn sie als Ganzes nicht auf den Bildschirm passt.
+
+
+
+ Löschbestätigung
+
+
+
+
+ Endlosschleife
+
+
+
+
+ Schleife bis zum Ende
+
+
+
+
+ Halte Endlosschleife an
+
+
+
+
+ Halte Schleife an
+
OpenLP.displayTagDialog
-
+
- Konfiguriere Formatvorlagen
+ Konfiguriere Formatvorlagen
@@ -4432,52 +4763,52 @@ Sie ist nicht in UTF-8 kodiert.
PresentationPlugin.MediaItem
-
+
Präsentationen auswählen
-
+
automatisch
-
+
Anzeigen mit:
-
+
Eine Präsentation mit diesem Dateinamen existiert bereits.
-
+
Datei existiert
-
+
Präsentationsdateien dieses Dateiformats werden nicht unterstützt.
-
+
Präsentationen (%s)
-
+
Fehlende Präsentation
-
+
Die Präsentation »%s« existiert nicht mehr.
-
+
Die Präsentation »%s« ist nicht vollständig, bitte neu laden.
@@ -4529,12 +4860,12 @@ Sie ist nicht in UTF-8 kodiert.
RemotePlugin.Mobile
-
+
OpenLP 2.0 Fernsteuerung
-
+
OpenLP 2.0 Bühnenmonitor
@@ -4544,80 +4875,80 @@ Sie ist nicht in UTF-8 kodiert.
Ablaufverwaltung
-
+
Live-Ansicht
-
+
Hinweise
-
+
Suchen
-
+
Zurück
-
+
Aktualisieren
-
+
Schwarz
-
+
Zeigen
-
+
Vorh.
-
+
Nächste
-
+
Text
-
+
Hinweis zeigen
-
+
Live
-
-
- Füge zum Ablauf hinzu
-
-
-
+
Kein Suchergebnis
-
+
Optionen
+
+
+
+ Zum Ablauf hinzufügen
+
RemotePlugin.RemoteTab
@@ -4650,68 +4981,78 @@ Sie ist nicht in UTF-8 kodiert.
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
+
+
+
+ Liedprotokollierung ist aktiv.
+
+
+
+
+ Liedprotokollierung ist nicht aktiv.
+
SongUsagePlugin.SongUsageDeleteForm
@@ -5025,190 +5366,197 @@ Einstellung korrekt.
SongsPlugin.EasyWorshipSongImport
-
+
Verwaltet durch %s
+
+
+
+
+
SongsPlugin.EditSongForm
-
+
Lied bearbeiten
-
+
&Titel:
-
+
Lied&text:
-
+
&Alle Bearbeiten
-
+
Titel && Liedtext
-
+
&Hinzufügen
-
+
&Entfernen
-
+
H&inzufügen
-
+
&Entfernen
-
+
Neues &Design
-
+
Copyright
-
+
Kommentare
-
+
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«.
-
+
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.
-
+
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?
-
+
&Zusatztitel:
-
+
&Versfolge:
-
+
&Datenbankeinträge verwalten
-
+
Autoren, Themen && Liederbücher
-
+
Dieser Autor ist bereits vorhanden.
-
+
Dieses Thema ist bereits vorhanden.
-
+
Liederbuch:
-
+
Nummer:
-
+
Das Lied benötigt mindestens einen Autor.
-
+
Die Strophe benötigt etwas Text.
@@ -5239,82 +5587,82 @@ Einstellung korrekt.
SongsPlugin.ExportWizardForm
-
+
Lied Exportassistent
-
+
Dieser Assistent wird Ihnen helfen Lieder in das freie und offene OpenLyrics Lobpreis Lieder Format zu exportieren.
-
+
Lieder auswählen
-
+
Alle abwählen
-
+
Alle auswählen
-
+
Zielverzeichnis auswählen
-
+
Verzeichnis:
-
+
Exportiere
-
+
Bitte warten Sie, während die Lieder exportiert werden.
-
+
Sie müssen wenigstens ein Lied zum Exportieren auswählen.
-
+
Kein Zielverzeichnis angegeben
-
+
Beginne mit dem Export...
-
+
Wählen Sie die Lieder aus, die Sie exportieren wollen.
-
+
Sie müssen ein Verzeichnis angeben.
-
+
Zielverzeichnis wählen
-
+
Geben Sie das Zielverzeichnis an.
@@ -5352,7 +5700,7 @@ Einstellung korrekt.
Die Liedtexte werden importiert. Bitte warten.
-
+
Präsentationen/Textdokumente auswählen
@@ -5367,42 +5715,42 @@ Einstellung korrekt.
Leider können noch keine OpenLyric Lieder importiert werden, aber vielleicht klappts ja in der nächsten Version.
-
+
OpenLP 2.0 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
@@ -5430,48 +5778,49 @@ Einstellung korrekt.
SongsPlugin.MediaItem
-
+
Titel
-
+
Liedtext
-
-
- Lied(er) löschen?
-
-
-
+
CCLI-Lizenz:
-
+
Ganzes Lied
-
+
+ Sind Sie sicher, dass das %n Lied gelöscht werden soll?
Sind Sie sicher, dass die %n Lieder gelöscht werden sollen?
-
-
+
Autoren, Themen und Bücher verwalten.
+
+
+
+ For song cloning
+ Kopie
+
SongsPlugin.OpenLP1SongImport
-
+
Keine gültige openlp.org 1.x Liederdatenbank.
@@ -5487,7 +5836,7 @@ Einstellung korrekt.
SongsPlugin.OpenLyricsExport
-
+
Exportiere »%s«...
@@ -5518,12 +5867,12 @@ Einstellung korrekt.
SongsPlugin.SongExportForm
-
+
Export beendet.
-
+
Der Liedexport schlug fehl.
@@ -5531,27 +5880,27 @@ Einstellung korrekt.
SongsPlugin.SongImport
-
+
copyright
-
+
Die folgenden Lieder konnten nicht importiert werden:
-
+
Konnte Datei nicht öffnen
-
+
Datei nicht gefunden
-
+
Kann OpenOffice.org oder LibreOffice nicht öffnen
@@ -5559,7 +5908,7 @@ Einstellung korrekt.
SongsPlugin.SongImportForm
-
+
Importvorgang fehlgeschlagen.
@@ -5756,12 +6105,4 @@ Einstellung korrekt.
Anderes
-
- ThemeTab
-
-
-
- Designs
-
-
diff --git a/resources/i18n/en.ts b/resources/i18n/en.ts
index 55a5a5aca..0aef9c929 100644
--- a/resources/i18n/en.ts
+++ b/resources/i18n/en.ts
@@ -1,29 +1,7 @@
-
+
AlertPlugin.AlertForm
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
AlertsPlugin
@@ -37,11 +15,6 @@ Do you want to continue anyway?
-
-
-
-
-
@@ -60,6 +33,11 @@ Do you want to continue anyway?
container title
+
+
+
+
+
AlertsPlugin.AlertForm
@@ -108,6 +86,28 @@ Do you want to continue anyway?
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
AlertsPlugin.AlertsManager
@@ -152,81 +152,15 @@ Do you want to continue anyway?
BibleDB.Wizard
-
-
-
-
-
-
-
-
- Importing verses from <book name>...
-
-
-
-
-
-
-
BiblePlugin
-
-
-
-
-
-
-
-
-
-
BiblePlugin.HTTPBible
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
BiblePlugin.MediaItem
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
BiblesPlugin
@@ -254,12 +188,12 @@ Do you want to continue anyway?
-
+
-
+
@@ -303,37 +237,47 @@ Do you want to continue anyway?
+
+
+
+
+
+
+
+
+
+
BiblesPlugin.BibleManager
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -450,189 +394,228 @@ Changes do not affect verses already in the service.
+
+ BiblesPlugin.CSVBible
+
+
+
+
+
+
+
+
+ Importing verses from <book name>...
+
+
+
+
+
+
+
+
BiblesPlugin.HTTPBible
-
+
-
+
-
+
Importing <book name>...
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
BiblesPlugin.ImportWizardForm
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -659,7 +642,7 @@ demand and thus an internet connection is required.
BiblesPlugin.LanguageForm
-
+
@@ -667,60 +650,80 @@ demand and thus an internet connection is required.
BiblesPlugin.MediaItem
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
BiblesPlugin.Opensong
@@ -748,171 +751,146 @@ demand and thus an internet connection is required.
BiblesPlugin.UpgradeWizardForm
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
-
-
-
-
-
-
-
-
-
-
+
-
+
-
-
-
-
-
-
+
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
CustomPlugin
@@ -1036,12 +1014,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
-
+
-
+
@@ -1057,13 +1035,18 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
- GeneralTab
-
-
-
-
+ CustomPlugin.MediaItem
+
+
+
+
+
+
+
+ GeneralTab
+
ImagePlugin
@@ -1136,41 +1119,46 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
ImagePlugin.MediaItem
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
MediaPlugin
@@ -1236,40 +1224,45 @@ Do you want to add the other images anyway?
MediaPlugin.MediaItem
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
MediaPlugin.MediaTab
@@ -1287,7 +1280,7 @@ Do you want to add the other images anyway?
OpenLP
-
+
@@ -1509,167 +1502,12 @@ Portions copyright © 2004-2011 %s
OpenLP.DisplayTagDialog
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
OpenLP.DisplayTagTab
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
OpenLP.DisplayTags
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
OpenLP.ExceptionDialog
@@ -1829,11 +1667,6 @@ Version: %s
-
-
-
-
-
@@ -1880,12 +1713,12 @@ Version: %s
-
+
-
+
@@ -1964,25 +1797,209 @@ To cancel the First Time Wizard completely, press the finish button now.
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTagDialog
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTagForm
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTags
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.GeneralTab
@@ -2128,7 +2145,7 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainDisplay
-
+
@@ -2136,309 +2153,309 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainWindow
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -2449,55 +2466,103 @@ You can download the latest version from http://openlp.org/.
-
+
-
+
-
+
-
-
-
-
-
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Clear List of recent files
+
+
+
+
+
+
+
OpenLP.MediaManagerItem
@@ -2507,54 +2572,69 @@ You can download the latest version from http://openlp.org/.
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
@@ -2604,12 +2684,12 @@ This filename is already in the list
OpenLP.PrintServiceDialog
-
+
-
+
@@ -2617,70 +2697,80 @@ This filename is already in the list
OpenLP.PrintServiceForm
-
+
-
-
-
-
-
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ScreenList
@@ -2695,10 +2785,23 @@ This filename is already in the list
+
+ OpenLP.ServiceItem
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceItemEditForm
-
+
@@ -2706,256 +2809,271 @@ This filename is already in the list
OpenLP.ServiceManager
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceNoteForm
-
+
@@ -2970,11 +3088,6 @@ The content encoding is not UTF-8.
OpenLP.ShortcutListDialog
-
-
-
-
-
@@ -2986,12 +3099,12 @@ The content encoding is not UTF-8.
-
+
-
+
@@ -3026,20 +3139,25 @@ The content encoding is not UTF-8.
-
+
-
+
+
+
+
+
+
OpenLP.SlideController
-
+
@@ -3049,27 +3167,27 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
@@ -3089,30 +3207,20 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
-
-
-
-
-
-
-
-
-
@@ -3142,17 +3250,17 @@ The content encoding is not UTF-8.
OpenLP.SpellTextEdit
-
+
-
+
-
+
@@ -3246,191 +3354,197 @@ The content encoding is not UTF-8.
OpenLP.ThemeManager
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+ Copy of <theme name>
+
+
OpenLP.ThemeWizard
@@ -3674,6 +3788,16 @@ The content encoding is not UTF-8.
+
+
+
+
+
+
+
+
+
+
OpenLP.ThemesTab
@@ -3717,11 +3841,16 @@ The content encoding is not UTF-8.
+
+
+
+
+
OpenLP.Ui
-
+
@@ -3771,46 +3900,41 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
Abbreviated font pointsize unit
-
+
-
+
-
-
-
-
-
@@ -3881,100 +4005,100 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
The abbreviated unit for seconds
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
Singular
-
+
Plural
-
+
-
+
-
+
-
+
-
+
-
+
@@ -4040,12 +4164,12 @@ The content encoding is not UTF-8.
-
+
-
+
@@ -4102,43 +4226,43 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
-
+
-
+
The abbreviated unit for hours
-
+
@@ -4159,32 +4283,32 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
-
+
@@ -4199,7 +4323,7 @@ The content encoding is not UTF-8.
-
+
@@ -4209,43 +4333,63 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.displayTagDialog
-
-
-
-
-
PresentationPlugin
@@ -4301,52 +4445,52 @@ The content encoding is not UTF-8.
PresentationPlugin.MediaItem
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -4398,12 +4542,12 @@ The content encoding is not UTF-8.
RemotePlugin.Mobile
-
+
-
+
@@ -4413,80 +4557,80 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
-
-
-
-
-
+
-
+
+
+
+
+
+
RemotePlugin.RemoteTab
@@ -4519,68 +4663,78 @@ The content encoding is not UTF-8.
SongUsagePlugin
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
name singular
-
+
name plural
-
+
container title
-
+
+
+
+
+
+
+
+
+
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4888,190 +5042,197 @@ The encoding is responsible for the correct character representation.
SongsPlugin.EasyWorshipSongImport
-
+
+
+
+
+
+
SongsPlugin.EditSongForm
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -5102,82 +5263,82 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ExportWizardForm
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -5185,7 +5346,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ImportWizardForm
-
+
@@ -5230,42 +5391,42 @@ The encoding is responsible for the correct character representation.
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -5293,47 +5454,48 @@ The encoding is responsible for the correct character representation.
SongsPlugin.MediaItem
-
+
-
+
-
-
-
-
-
-
+
-
+
-
+
-
+
+
+
+
+ For song cloning
+
+
SongsPlugin.OpenLP1SongImport
-
+
@@ -5349,7 +5511,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.OpenLyricsExport
-
+
@@ -5380,12 +5542,12 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongExportForm
-
+
-
+
@@ -5393,27 +5555,27 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImport
-
+
-
+
-
+
-
+
-
+
@@ -5421,7 +5583,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImportForm
-
+
@@ -5620,10 +5782,5 @@ The encoding is responsible for the correct character representation.
ThemeTab
-
-
-
-
-
diff --git a/resources/i18n/en_GB.ts b/resources/i18n/en_GB.ts
index fae148223..a04554ea8 100644
--- a/resources/i18n/en_GB.ts
+++ b/resources/i18n/en_GB.ts
@@ -1,29 +1,29 @@
-
+
AlertPlugin.AlertForm
- You have not entered a parameter to be replaced.
+ 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 '<>'.
+ The alert text does not contain '<>'.
Do you want to continue anyway?
@@ -42,7 +42,7 @@ Do you want to continue anyway?
- <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen
+ <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen
@@ -62,6 +62,11 @@ Do you want to continue anyway?
container title
Alerts
+
+
+
+
+
AlertsPlugin.AlertForm
@@ -110,6 +115,30 @@ Do you want to continue anyway?
&Parameter:
+
+
+
+ No Parameter Found
+
+
+
+
+ You have not entered a parameter to be replaced.
+Do you want to continue anyway?
+
+
+
+
+ No Placeholder Found
+
+
+
+
+ The alert text does not contain '<>'.
+Do you want to continue anyway?
+
AlertsPlugin.AlertsManager
@@ -157,18 +186,18 @@ Do you want to continue anyway?
- Importing books... %s
+ Importing books... %s
Importing verses from <book name>...
- Importing verses from %s...
+ Importing verses from %s...
- Importing verses... done.
+ Importing verses... done.
@@ -176,12 +205,17 @@ Do you want to continue anyway?
- &Upgrade older Bibles
+ &Upgrade older Bibles
- Upgrade the Bible databases to the latest format.
+ Upgrade the Bible databases to the latest format.
+
+
+
+
+ Upgrade the Bible databases to the latest format
@@ -189,22 +223,22 @@ Do you want to continue anyway?
- Download Error
+ Download Error
- Parse Error
+ Parse Error
- There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug.
+ There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug.
- There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug.
+ There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug.
@@ -212,22 +246,27 @@ Do you want to continue anyway?
- Bible not fully loaded.
+ Bible not fully loaded.
- You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search?
+ You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search?
- Information
+ Information
- The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results.
+ The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results.
+
+
+
+
+ The second Bibles does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results.
@@ -256,12 +295,12 @@ Do you want to continue anyway?
Bibles
-
+
No Book Found
-
+
No matching book could be found in this Bible. Check that you have spelled the name of the book correctly.
@@ -305,38 +344,48 @@ Do you want to continue anyway?
<strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service.
+
+
+
+ &Upgrade older Bibles
+
+
+
+
+ Upgrade the Bible databases to the latest format.
+
BiblesPlugin.BibleManager
-
+
Scripture Reference Error
-
+
Web Bible cannot be used
-
+
Text Search is not available with Web Bibles.
-
+
You did not enter a search keyword.
You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them.
-
+
There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles.
-
+
-
+
No Bibles Available
@@ -461,189 +510,228 @@ Changes do not affect verses already in the service.
You need to select a book.
+
+ BiblesPlugin.CSVBible
+
+
+
+ Importing books... %s
+
+
+
+
+ Importing verses from <book name>...
+ Importing verses from %s...
+
+
+
+
+ Importing verses... done.
+
+
BiblesPlugin.HTTPBible
-
+
Registering Bible and loading books...
-
+
Registering Language...
-
+
Importing <book name>...
Importing %s...
+
+
+
+ Download Error
+
+
+
+
+ There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug.
+
+
+
+
+ Parse Error
+
+
+
+
+ There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug.
+
BiblesPlugin.ImportWizardForm
-
+
Bible Import Wizard
-
+
This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from.
-
+
Web Download
-
+
Location:
-
+
Crosswalk
-
+
BibleGateway
-
+
Bible:
-
+
Download Options
-
+
Server:
-
+
Username:
-
+
Password:
-
+
Proxy Server (Optional)
-
+
License Details
-
+
Set up the Bible's license details.
-
+
Version name:
-
+
Copyright:
-
+
Please wait while your Bible is imported.
-
+
You need to specify a file with books of the Bible to use in the import.
-
+
You need to specify a file of Bible verses to import.
-
+
You need to specify a version name for your Bible.
-
+
Bible Exists
-
+
Your Bible import failed.
-
+
You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such.
-
+
This Bible already exists. Please import a different Bible or first delete the existing one.
-
+
Permissions:
-
+
CSV File
-
+
Bibleserver
-
+
Bible file:
-
+
Books file:
-
+
Verses file:
-
+
openlp.org 1.x Bible Files
-
+
Registering Bible...
-
+
Registered Bible. Please note, that verses will be downloaded on
@@ -671,7 +759,7 @@ demand and thus an internet connection is required.
BiblesPlugin.LanguageForm
-
+
You need to choose a language.
@@ -679,60 +767,80 @@ demand and thus an internet connection is required.
BiblesPlugin.MediaItem
-
+
Quick
-
+
Find:
-
+
Book:
-
+
Chapter:
-
+
Verse:
-
+
From:
-
+
To:
-
+
Text Search
-
+
Second:
-
+
Scripture Reference
-
+
Toggle to keep or clear the previous results.
+
+
+
+ You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search?
+
+
+
+
+ Bible not fully loaded.
+
+
+
+
+ Information
+
+
+
+
+ The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results.
+
BiblesPlugin.Opensong
@@ -760,148 +868,148 @@ demand and thus an internet connection is required.
BiblesPlugin.UpgradeWizardForm
-
+
Select a Backup Directory
-
+
Bible Upgrade Wizard
-
+
This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process.
-
+
Select Backup Directory
-
+
Please select a backup directory for your Bibles
-
+
Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>.
-
+
Please select a backup location for your Bibles.
-
+
Backup Directory:
-
+
There is no need to backup my Bibles
-
+
Select Bibles
-
+
Please select the Bibles to upgrade
-
+
- Version name:
+ Version name:
-
+
- This Bible still exists. Please change the name or uncheck it.
+ This Bible still exists. Please change the name or uncheck it.
-
+
Upgrading
-
+
Please wait while your Bibles are upgraded.
- You need to specify a Backup Directory for your Bibles.
+ You need to specify a Backup Directory for your Bibles.
-
+
- You need to specify a version name for your Bible.
+ You need to specify a version name for your Bible.
-
+
- Bible Exists
+ Bible Exists
-
+
- This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck.
+ This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck.
- There are no Bibles available to upgrade.
+ There are no Bibles available to upgrade.
-
+
Upgrading Bible %s of %s: "%s"
Failed
-
+
Upgrading Bible %s of %s: "%s"
Upgrading ...
-
+
Download Error
-
+
Upgrading Bible %s of %s: "%s"
Upgrading %s ...
-
+
, %s failed
-
+
Upgrading Bible(s): %s successful%s
-
+
Upgrade failed.
-
+
The backup was not successful.
@@ -910,27 +1018,75 @@ To backup your Bibles you need permission to write to the given directory.
- Starting Bible upgrade...
+ Starting Bible upgrade...
-
+
To upgrade your Web Bibles an Internet connection is required.
-
+
Upgrading Bible %s of %s: "%s"
Complete
-
+
Upgrading Bible(s): %s successful%s
Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required.
+
+
+
+ The backup was not successful.
+To backup your Bibles you need permission to write to the given directory. If you have write permissions and this error still occurs, please report a bug.
+
+
+
+
+ Starting upgrading Bible(s)...
+
+
+
+
+ To upgrade your Web Bibles an Internet connection is required. If you have a working Internet connection and this error still occurs, please report a bug.
+
+
+
+
+ Upgrading Bible %s of %s: "%s"
+Done
+
+
+
+
+ Upgrading Bible(s): %s successful%s
+Please note, that verses from Web Bibles will be downloaded
+on demand and so an Internet connection is required.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
CustomPlugin
@@ -997,6 +1153,11 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
Add the selected custom slide to the service.
+
+
+
+ <strong>Custom Plugin</strong><br />The custom plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin.
+
CustomPlugin.CustomTab
@@ -1054,12 +1215,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
&Credits:
-
+
You need to type in a title.
-
+
You need to add at least one slide
@@ -1073,13 +1234,89 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
Insert Slide
+
+
+
+ Split Slide
+
+
+
+
+ Split a slide into two only if it does not fit on the screen as one slide.
+
+
+
+ CustomPlugin.MediaItem
+
+
+
+
+
+
+
+
+
+
+ CustomsPlugin
+
+
+
+ name plural
+ Customs
+
+
+
+
+ container title
+ Custom
+
+
+
+
+ Load a new Custom.
+
+
+
+
+ Import a Custom.
+
+
+
+
+ Add a new Custom.
+
+
+
+
+ Edit the selected Custom.
+
+
+
+
+ Delete the selected Custom.
+
+
+
+
+ Preview the selected Custom.
+
+
+
+
+ Send the selected Custom live.
+
+
+
+
+ Add the selected Custom to the service.
+
GeneralTab
- General
+ General
@@ -1142,6 +1379,41 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
Add the selected image to the service.
+
+
+
+ Load a new Image.
+
+
+
+
+ Add a new Image.
+
+
+
+
+ Edit the selected Image.
+
+
+
+
+ Delete the selected Image.
+
+
+
+
+ Preview the selected Image.
+
+
+
+
+ Send the selected Image live.
+
+
+
+
+ Add the selected Image to the service.
+
ImagePlugin.ExceptionDialog
@@ -1154,42 +1426,47 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
ImagePlugin.MediaItem
-
+
Select Image(s)
-
+
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.
+
+
+
+
+
MediaPlugin
@@ -1251,44 +1528,84 @@ Do you want to add the other images anyway?
Add the selected media to the service.
+
+
+
+ Load a new Media.
+
+
+
+
+ Add a new Media.
+
+
+
+
+ Edit the selected Media.
+
+
+
+
+ Delete the selected Media.
+
+
+
+
+ Preview the selected Media.
+
+
+
+
+ Send the selected Media live.
+
+
+
+
+ Add the selected Media to the service.
+
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 (*)
+
+
+
+
+
MediaPlugin.MediaTab
@@ -1306,7 +1623,7 @@ Do you want to add the other images anyway?
OpenLP
-
+
Image Files
@@ -1598,82 +1915,87 @@ Portions copyright © 2004-2011 %s
OpenLP.DisplayTagDialog
-
+
- Edit Selection
+ Edit Selection
-
+
- Description
+ Description
+
+
+
+
+ Tag
+
+
+
+
+ Start tag
-
- Tag
-
-
-
-
- Start tag
-
-
-
- End tag
+ End tag
-
+
- Tag Id
+ Tag Id
-
+
- Start HTML
+ Start HTML
-
+
- End HTML
+ End HTML
-
+
- Save
+ Save
OpenLP.DisplayTagTab
-
+
- Update Error
+ Update Error
- Tag "n" already defined.
+ Tag "n" already defined.
-
+
- Tag %s already defined.
+ Tag %s already defined.
- New Tag
+ New Tag
- </and here>
+ </and here>
- <HTML here>
+ <HTML here>
+
+
+
+
+ <Html_here>
@@ -1681,82 +2003,82 @@ Portions copyright © 2004-2011 %s
- Red
+ Red
- Black
+ Black
- Blue
+ Blue
- Yellow
+ Yellow
- Green
+ Green
- Pink
+ Pink
- Orange
+ Orange
- Purple
+ Purple
- White
+ White
- Superscript
+ Superscript
- Subscript
+ Subscript
- Paragraph
+ Paragraph
- Bold
+ Bold
- Italics
+ Italics
- Underline
+ Underline
- Break
+ Break
@@ -1926,12 +2248,12 @@ Version: %s
Downloading %s...
-
+
Download complete. Click the finish button to start OpenLP.
-
+
Enabling selected plugins...
@@ -1963,7 +2285,7 @@ Version: %s
- Custom Text
+ Custom Text
@@ -2084,25 +2406,219 @@ To cancel the First Time Wizard completely, press the finish button now.This wizard will help you to configure OpenLP for initial use. Click the next button below to start.
-
+
Setting Up And Downloading
-
+
Please wait while OpenLP is set up and your data is downloaded.
-
+
Setting Up
-
+
Click the finish button to start OpenLP.
+
+
+
+ Setting Up And Importing
+
+
+
+
+ Please wait while OpenLP is set up and your data is imported.
+
+
+
+
+ Custom Slides
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTagDialog
+
+
+
+
+
+
+
+
+ Edit Selection
+
+
+
+
+ Save
+
+
+
+
+ Description
+
+
+
+
+ Tag
+
+
+
+
+ Start tag
+
+
+
+
+ End tag
+
+
+
+
+ Tag Id
+
+
+
+
+ Start HTML
+
+
+
+
+ End HTML
+
+
+
+ OpenLP.FormattingTagForm
+
+
+
+ Update Error
+
+
+
+
+ Tag "n" already defined.
+
+
+
+
+ New Tag
+
+
+
+
+ <HTML here>
+
+
+
+
+ </and here>
+
+
+
+
+ Tag %s already defined.
+
+
+
+ OpenLP.FormattingTags
+
+
+
+ Red
+
+
+
+
+ Black
+
+
+
+
+ Blue
+
+
+
+
+ Yellow
+
+
+
+
+ Green
+
+
+
+
+ Pink
+
+
+
+
+ Orange
+
+
+
+
+ Purple
+
+
+
+
+ White
+
+
+
+
+ Superscript
+
+
+
+
+ Subscript
+
+
+
+
+ Paragraph
+
+
+
+
+ Bold
+
+
+
+
+ Italics
+
+
+
+
+ Underline
+
+
+
+
+ Break
+
OpenLP.GeneralTab
@@ -2248,7 +2764,7 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainDisplay
-
+
OpenLP Display
@@ -2256,287 +2772,287 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainWindow
-
+
&File
-
+
&Import
-
+
&Export
-
+
&View
-
+
M&ode
-
+
&Tools
-
+
&Settings
-
+
&Language
-
+
&Help
-
+
Media Manager
-
+
Service Manager
-
+
Theme Manager
-
+
&New
-
+
&Open
-
+
Open an existing service.
-
+
&Save
-
+
Save the current service to disk.
-
+
Save &As...
-
+
Save Service As
-
+
Save the current service under a new name.
-
+
E&xit
-
+
Quit OpenLP
-
+
&Theme
-
+
&Configure OpenLP...
-
+
&Media Manager
-
+
Toggle Media Manager
-
+
Toggle the visibility of the media manager.
-
+
&Theme Manager
-
+
Toggle Theme Manager
-
+
Toggle the visibility of the theme manager.
-
+
&Service Manager
-
+
Toggle Service Manager
-
+
Toggle the visibility of the service manager.
-
+
&Preview Panel
-
+
Toggle Preview Panel
-
+
Toggle the visibility of the preview panel.
-
+
&Live Panel
-
+
Toggle Live Panel
-
+
Toggle the visibility of the live panel.
-
+
&Plugin List
-
+
List the Plugins
-
+
&User Guide
-
+
&About
-
+
More information about OpenLP
-
+
&Online Help
-
+
&Web Site
-
+
Use the system language, if available.
-
+
Set the interface language to %s
-
+
Add &Tool...
-
+
Add an application to the list of tools.
-
+
&Default
-
+
Set the view mode back to the default.
-
+
&Setup
-
+
Set the view mode to Setup.
-
+
&Live
-
+
Set the view mode to Live.
-
+
@@ -2544,22 +3060,22 @@ You can download the latest version from http://openlp.org/.
You can download the latest version from http://openlp.org/.
-
+
OpenLP Version Updated
-
+
OpenLP Main Display Blanked
-
+
The Main Display has been blanked out
-
+
Default Theme: %s
@@ -2570,55 +3086,113 @@ You can download the latest version from http://openlp.org/.
English (United Kingdom)
-
+
Configure &Shortcuts...
-
+
Close OpenLP
-
+
Are you sure you want to close OpenLP?
-
+
Open &Data Folder...
-
+
Open the folder where songs, Bibles and other data resides.
-
+
- &Configure Display Tags
+ &Configure Display Tags
-
+
&Autodetect
-
+
Update Theme Images
-
+
Update the preview images for all themes.
-
+
Print the current service.
+
+
+
+ Print the current Service Order.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Clear List of recent files
+
+
+
+
+
+
+
OpenLP.MediaManagerItem
@@ -2628,57 +3202,85 @@ You can download the latest version from http://openlp.org/.
No Items Selected
-
+
&Add to selected Service Item
-
+
You must select one or more items to preview.
-
+
You must select one or more items to send live.
-
+
You must select one or more items.
-
+
You must select an existing service item to add to.
-
+
Invalid Service Item
-
+
You must select a %s service item.
-
+
You must select one or more items to add.
-
+
No Search Results
-
+
- Duplicate filename %s.
+ Duplicate filename %s.
This filename is already in the list
+
+
+
+ Duplicate file name %s.
+Filename already exists in list
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.PluginForm
@@ -2726,12 +3328,12 @@ This filename is already in the list
OpenLP.PrintServiceDialog
-
+
Fit Page
-
+
Fit Width
@@ -2739,70 +3341,90 @@ This filename is already in the list
OpenLP.PrintServiceForm
-
+
Options
- Close
+ Close
-
+
Copy
-
+
Copy as HTML
-
+
Zoom In
-
+
Zoom Out
-
+
Zoom Original
-
+
Other Options
-
+
Include slide text if available
-
+
Include service item notes
-
+
Include play length of media items
-
+
Add page break before each text item
-
+
Service Sheet
+
+
+
+ Service Order Sheet
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ScreenList
@@ -2817,10 +3439,23 @@ This filename is already in the list
primary
+
+ OpenLP.ServiceItem
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceItemEditForm
-
+
Reorder Service Item
@@ -2828,257 +3463,277 @@ This filename is already in the list
OpenLP.ServiceManager
-
+
Move to &top
-
+
Move item to the top of the service.
-
+
Move &up
-
+
Move item up one position in the service.
-
+
Move &down
-
+
Move item down one position in the service.
-
+
Move to &bottom
-
+
Move item to the end of the service.
-
+
&Delete From Service
-
+
Delete the selected item from the service.
-
+
&Add New Item
-
+
&Add to Selected Item
-
+
&Edit Item
-
+
&Reorder Item
-
+
&Notes
-
+
&Change Item Theme
-
+
File is not a valid service.
The content encoding is not UTF-8.
-
+
File is not a valid service.
-
+
Missing Display Handler
-
+
Your item cannot be displayed as there is no handler to display it
-
+
Your item cannot be displayed as the plugin required to display it is missing or inactive
-
+
&Expand all
-
+
Expand all the service items.
-
+
&Collapse all
-
+
Collapse all the service items.
-
+
Open File
-
+
OpenLP Service Files (*.osz)
-
+
Moves the selection down the window.
-
+
Move up
-
+
Moves the selection up the window.
-
+
Go Live
-
+
Send the selected item to Live.
-
+
Modified Service
-
+
&Start Time
-
+
Show &Preview
-
+
Show &Live
-
+
The current service has been modified. Would you like to save this service?
-
+
File could not be opened because it is corrupt.
-
+
Empty File
-
+
This service file does not contain any data.
-
+
Corrupt File
-
+
Custom Service Notes:
-
+
Notes:
-
+
Playing time:
-
+
Untitled Service
-
+
Load an existing service.
-
+
Save this service.
-
+
Select a theme for the service.
-
+
This file is either corrupt or it is not an OpenLP 2.0 service file.
+
+
+
+ This file is either corrupt or not an OpenLP 2.0 service file.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceNoteForm
-
+
Service Item Notes
@@ -3096,7 +3751,7 @@ The content encoding is not UTF-8.
- Customise Shortcuts
+ Customise Shortcuts
@@ -3109,12 +3764,12 @@ The content encoding is not UTF-8.
Shortcut
-
+
Duplicate Shortcut
-
+
The shortcut "%s" is already assigned to another action, please use a different shortcut.
@@ -3149,20 +3804,25 @@ The content encoding is not UTF-8.
Restore the default shortcut of this action.
-
+
Restore Default Shortcuts
-
+
Do you want to restore all shortcuts to their defaults?
+
+
+
+
+
OpenLP.SlideController
-
+
Hide
@@ -3172,27 +3832,27 @@ The content encoding is not UTF-8.
Go To
-
+
Blank Screen
-
+
Blank to Theme
-
+
Show Desktop
-
+
Previous Slide
-
+
Next Slide
@@ -3212,29 +3872,29 @@ The content encoding is not UTF-8.
Escape Item
-
+
Move to previous.
-
+
Move to next.
-
+
Play Slides
- Play Slides in Loop
+ Play Slides in Loop
- Play Slides to End
+ Play Slides to End
@@ -3265,17 +3925,17 @@ The content encoding is not UTF-8.
OpenLP.SpellTextEdit
-
+
Spelling Suggestions
-
+
Formatting Tags
-
+
Language:
@@ -3332,6 +3992,16 @@ The content encoding is not UTF-8.
Start time is after the finish time of the media item
+
+
+
+ End time is set after the end of the media item
+
+
+
+
+ Start time is after the End Time of the media item
+
OpenLP.ThemeForm
@@ -3369,192 +4039,198 @@ The content encoding is not UTF-8.
OpenLP.ThemeManager
-
+
Create a new theme.
-
+
Edit Theme
-
+
Edit a theme.
-
+
Delete Theme
-
+
Delete a theme.
-
+
Import Theme
-
+
Import a theme.
-
+
Export Theme
-
+
Export a theme.
-
+
&Edit Theme
-
+
&Delete Theme
-
+
Set As &Global Default
-
+
%s (default)
-
+
You must select a theme to edit.
-
+
You are unable to delete the default theme.
-
+
You have not selected a theme.
-
+
Save Theme - (%s)
-
+
Theme Exported
-
+
Your theme has been successfully exported.
-
+
Theme Export Failed
-
+
Your theme could not be exported due to an error.
-
+
Select Theme Import File
-
+
File is not a valid theme.
The content encoding is not UTF-8.
-
+
File is not a valid theme.
-
+
Theme %s is used in the %s plugin.
-
+
&Copy Theme
-
+
&Rename Theme
-
+
&Export Theme
-
+
You must select a theme to rename.
-
+
Rename Confirmation
-
+
Rename %s theme?
-
+
You must select a theme to delete.
-
+
Delete Confirmation
-
+
Delete %s theme?
-
+
Validation Error
-
+
A theme with this name already exists.
-
+
OpenLP Themes (*.theme *.otz)
+
+
+
+ Copy of <theme name>
+
+
OpenLP.ThemeWizard
@@ -3798,6 +4474,16 @@ The content encoding is not UTF-8.
Edit Theme - %s
+
+
+
+
+
+
+
+
+
+
OpenLP.ThemesTab
@@ -3841,31 +4527,36 @@ The content encoding is not UTF-8.
Use the global theme, overriding any themes associated with either the service or the songs.
+
+
+
+ Themes
+
OpenLP.Ui
-
+
Error
-
+
&Delete
-
+
Delete the selected item.
-
+
Move selection up one position.
-
+
Move selection down one position.
@@ -3890,19 +4581,19 @@ The content encoding is not UTF-8.
Create a new service.
-
+
&Edit
-
+
Import
- Length %s
+ Length %s
@@ -3930,42 +4621,42 @@ The content encoding is not UTF-8.
OpenLP 2.0
-
+
Preview
-
+
Replace Background
-
+
Reset Background
-
+
Save Service
-
+
Service
-
+
Start %s
-
+
&Vertical Align:
-
+
Top
@@ -4000,23 +4691,23 @@ The content encoding is not UTF-8.
CCLI number:
-
+
Empty Field
-
+
Export
-
+
Abbreviated font pointsize unit
pt
-
+
Image
@@ -4060,45 +4751,45 @@ The content encoding is not UTF-8.
openlp.org 1.x
-
+
The abbreviated unit for seconds
s
-
+
Save && Preview
-
+
Search
-
+
You must select an item to delete.
-
+
You must select an item to edit.
-
+
Singular
Theme
-
+
Plural
Themes
-
+
Version
@@ -4164,12 +4855,12 @@ The content encoding is not UTF-8.
You need to specify at least one %s file to import from.
-
+
Welcome to the Bible Import Wizard
-
+
Welcome to the Song Export Wizard
@@ -4226,38 +4917,38 @@ The content encoding is not UTF-8.
Topics
-
+
Continuous
-
+
Default
-
+
Display style:
-
+
File
-
+
Help
-
+
The abbreviated unit for hours
h
-
+
Layout style:
@@ -4278,37 +4969,37 @@ The content encoding is not UTF-8.
OpenLP is already running. Do you wish to continue?
-
+
Settings
-
+
Tools
-
+
Verse Per Slide
-
+
Verse Per Line
-
+
View
-
+
Duplicate Error
-
+
Unsupported File
@@ -4323,7 +5014,7 @@ The content encoding is not UTF-8.
XML syntax error
-
+
View Mode
@@ -4333,42 +5024,97 @@ The content encoding is not UTF-8.
Open service.
-
+
Print Service
-
+
Replace live background.
-
+
Reset live background.
-
+
Welcome to the Bible Upgrade Wizard
-
+
&Split
-
+
Split a slide into two only if it does not fit on the screen as one slide.
+
+
+
+ Live Panel
+
+
+
+
+ Open Service
+
+
+
+
+ Preview Panel
+
+
+
+
+ Print Service Order
+
+
+
+
+ Replace Live Background
+
+
+
+
+ Reset Live Background
+
+
+
+
+
+
+
+
+
+ Play Slides in Loop
+
+
+
+
+ Play Slides to End
+
+
+
+
+
+
+
+
+
+
+
OpenLP.displayTagDialog
-
+
- Configure Display Tags
+ Configure Display Tags
@@ -4421,56 +5167,81 @@ The content encoding is not UTF-8.
Add the selected presentation to the service.
+
+
+
+ Load a new Presentation.
+
+
+
+
+ Delete the selected Presentation.
+
+
+
+
+ Preview the selected Presentation.
+
+
+
+
+ Send the selected Presentation live.
+
+
+
+
+ Add the selected Presentation to the service.
+
PresentationPlugin.MediaItem
-
+
Select Presentation(s)
-
+
Automatic
-
+
Present using:
-
+
File Exists
-
+
A presentation with that filename already exists.
-
+
This type of presentation is not supported.
-
+
Presentations (%s)
-
+
Missing Presentation
-
+
The Presentation %s no longer exists.
-
+
The Presentation %s is incomplete, please reload.
@@ -4522,12 +5293,12 @@ The content encoding is not UTF-8.
RemotePlugin.Mobile
-
+
OpenLP 2.0 Remote
-
+
OpenLP 2.0 Stage View
@@ -4537,80 +5308,85 @@ The content encoding is not UTF-8.
Service Manager
-
+
Slide Controller
-
+
Alerts
-
+
Search
-
+
Back
-
+
Refresh
-
+
Blank
-
+
Show
-
+
Prev
-
+
Next
-
+
Text
-
+
Show Alert
-
+
Go Live
- Add To Service
+ Add To Service
-
+
No Results
-
+
Options
+
+
+
+
+
RemotePlugin.RemoteTab
@@ -4643,68 +5419,78 @@ The content encoding is not UTF-8.
SongUsagePlugin
-
+
&Song Usage Tracking
-
+
&Delete Tracking Data
-
+
Delete song usage data up to a specified date.
-
+
&Extract Tracking Data
-
+
Generate a report on song usage.
-
+
Toggle Tracking
-
+
Toggle the tracking of song usage.
-
+
<strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services.
-
+
name singular
SongUsage
-
+
name plural
SongUsage
-
+
container title
SongUsage
-
+
Song Usage
+
+
+
+
+
+
+
+
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4967,6 +5753,36 @@ The encoding is responsible for the correct character representation.Add the selected song to the service.
Add the selected song to the service.
+
+
+
+ Add a new Song.
+
+
+
+
+ Edit the selected Song.
+
+
+
+
+ Delete the selected Song.
+
+
+
+
+ Preview the selected Song.
+
+
+
+
+ Send the selected Song live.
+
+
+
+
+ Add the selected Song to the service.
+
SongsPlugin.AuthorsForm
@@ -5017,190 +5833,197 @@ The encoding is responsible for the correct character representation.
SongsPlugin.EasyWorshipSongImport
-
+
Administered by %s
+
+
+
+
+
SongsPlugin.EditSongForm
-
+
Song Editor
-
+
&Title:
-
+
Alt&ernate title:
-
+
&Lyrics:
-
+
&Verse order:
-
+
Ed&it All
-
+
Title && Lyrics
-
+
&Add to Song
-
+
&Remove
-
+
&Manage Authors, Topics, Song Books
-
+
A&dd to Song
-
+
R&emove
-
+
Book:
-
+
Number:
-
+
Authors, Topics && Song Book
-
+
New &Theme
-
+
Copyright Information
-
+
Comments
-
+
Theme, Copyright Info && Comments
-
+
Add Author
-
+
This author does not exist, do you want to add them?
-
+
This author is already in the list.
-
+
You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author.
-
+
Add Topic
-
+
This topic does not exist, do you want to add it?
-
+
This topic is already in the list.
-
+
You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic.
-
+
You need to type in a song title.
-
+
You need to type in at least one verse.
-
+
Warning
-
+
The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s.
-
+
You have not used %s anywhere in the verse order. Are you sure you want to save the song like this?
-
+
Add Book
-
+
This song book does not exist, do you want to add it?
-
+
You need to have an author for this song.
-
+
You need to type some text in to the verse.
@@ -5227,86 +6050,96 @@ The encoding is responsible for the correct character representation.Split a slide into two by inserting a verse splitter.
Split a slide into two by inserting a verse splitter.
+
+
+
+ &Split
+
+
+
+
+ Split a slide into two only if it does not fit on the screen as one slide.
+
SongsPlugin.ExportWizardForm
-
+
Song Export Wizard
-
+
This wizard will help to export your songs to the open and free OpenLyrics worship song format.
-
+
Select Songs
-
+
Uncheck All
-
+
Check All
-
+
Select Directory
-
+
Directory:
-
+
Exporting
-
+
Please wait while your songs are exported.
-
+
You need to add at least one Song to export.
-
+
No Save Location specified
-
+
Starting export...
-
+
Check the songs you want to export.
-
+
You need to specify a directory.
-
+
Select Destination Folder
-
+
Select the directory where you want the songs to be saved.
@@ -5314,7 +6147,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ImportWizardForm
-
+
Select Document/Presentation Files
@@ -5359,42 +6192,42 @@ The encoding is responsible for the correct character representation.The OpenLyrics importer has not yet been developed, but as you can see, we are still intending to do so. Hopefully it will be in the next release.
-
+
OpenLP 2.0 Databases
-
+
openlp.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
@@ -5418,36 +6251,46 @@ The encoding is responsible for the correct character representation.The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice.
The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice.
+
+
+
+ The Songs of Fellowship importer has been disabled because OpenLP cannot find OpenOffice.org on your computer.
+
+
+
+
+ The generic document/presentation importer has been disabled because OpenLP cannot find OpenOffice.org on your computer.
+
SongsPlugin.MediaItem
-
+
Titles
-
+
Lyrics
- Delete Song(s)?
+ Delete Song(s)?
-
+
CCLI License:
-
+
Entire Song
-
+
Are you sure you want to delete the %n selected song?
@@ -5455,15 +6298,21 @@ The encoding is responsible for the correct character representation.
-
+
Maintain the lists of authors, topics and books.
+
+
+
+ For song cloning
+
+
SongsPlugin.OpenLP1SongImport
-
+
Not a valid openlp.org 1.x song database.
@@ -5479,7 +6328,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.OpenLyricsExport
-
+
Exporting "%s"...
@@ -5510,12 +6359,12 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongExportForm
-
+
Finished export.
-
+
Your song export failed.
@@ -5523,35 +6372,40 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImport
-
+
copyright
-
+
The following songs could not be imported:
-
+
Unable to open file
-
+
File not found
-
+
Cannot access OpenOffice or LibreOffice
+
+
+
+ Unable to open OpenOffice.org or LibreOffice
+
SongsPlugin.SongImportForm
-
+
Your song import failed.
@@ -5753,7 +6607,7 @@ The encoding is responsible for the correct character representation.
- Themes
+ Themes
diff --git a/resources/i18n/en_ZA.ts b/resources/i18n/en_ZA.ts
index c194d4197..220e08f85 100644
--- a/resources/i18n/en_ZA.ts
+++ b/resources/i18n/en_ZA.ts
@@ -1,29 +1,29 @@
-
+
AlertPlugin.AlertForm
- You have not entered a parameter to be replaced.
+ 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 '<>'.
+ The alert text does not contain '<>'.
Do you want to continue anyway?
@@ -42,7 +42,7 @@ Do you want to continue anyway?
- <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen
+ <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen
@@ -62,6 +62,11 @@ Do you want to continue anyway?
container title
Alerts
+
+
+
+
+
AlertsPlugin.AlertForm
@@ -110,6 +115,30 @@ Do you want to continue anyway?
&Parameter:
+
+
+
+ No Parameter Found
+
+
+
+
+ You have not entered a parameter to be replaced.
+Do you want to continue anyway?
+
+
+
+
+ No Placeholder Found
+
+
+
+
+ The alert text does not contain '<>'.
+Do you want to continue anyway?
+
AlertsPlugin.AlertsManager
@@ -157,18 +186,18 @@ Do you want to continue anyway?
- Importing books... %s
+ Importing books... %s
Importing verses from <book name>...
- Importing verses from %s...
+ Importing verses from %s...
- Importing verses... done.
+ Importing verses... done.
@@ -176,12 +205,12 @@ Do you want to continue anyway?
- &Upgrade older Bibles
+ &Upgrade older Bibles
- Upgrade the Bible databases to the latest format.
+ Upgrade the Bible databases to the latest format.
@@ -189,22 +218,22 @@ Do you want to continue anyway?
- Download Error
+ Download Error
- Parse Error
+ Parse Error
- There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug.
+ There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug.
- There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug.
+ There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug.
@@ -212,22 +241,22 @@ Do you want to continue anyway?
- Bible not fully loaded.
+ Bible not fully loaded.
- You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search?
+ You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search?
- Information
+ Information
- The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results.
+ The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results.
@@ -256,12 +285,12 @@ Do you want to continue anyway?
Bibles
-
+
No Book Found
-
+
No matching book could be found in this Bible. Check that you have spelled the name of the book correctly.
@@ -305,38 +334,48 @@ Do you want to continue anyway?
<strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service.
+
+
+
+ &Upgrade older Bibles
+
+
+
+
+ Upgrade the Bible databases to the latest format.
+
BiblesPlugin.BibleManager
-
+
Scripture Reference Error
-
+
Web Bible cannot be used
-
+
Text Search is not available with Web Bibles.
-
+
You did not enter a search keyword.
You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them.
-
+
There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles.
-
+
-
+
No Bibles Available
@@ -461,189 +500,228 @@ Changes do not affect verses already in the service.
You need to select a book.
+
+ BiblesPlugin.CSVBible
+
+
+
+ Importing books... %s
+
+
+
+
+ Importing verses from <book name>...
+ Importing verses from %s...
+
+
+
+
+ Importing verses... done.
+
+
BiblesPlugin.HTTPBible
-
+
Registering Bible and loading books...
-
+
Registering Language...
-
+
Importing <book name>...
Importing %s...
+
+
+
+ Download Error
+
+
+
+
+ There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug.
+
+
+
+
+ Parse Error
+
+
+
+
+ There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug.
+
BiblesPlugin.ImportWizardForm
-
+
Bible Import Wizard
-
+
This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from.
-
+
Web Download
-
+
Location:
-
+
Crosswalk
-
+
BibleGateway
-
+
Bible:
-
+
Download Options
-
+
Server:
-
+
Username:
-
+
Password:
-
+
Proxy Server (Optional)
-
+
License Details
-
+
Set up the Bible's license details.
-
+
Version name:
-
+
Copyright:
-
+
Please wait while your Bible is imported.
-
+
You need to specify a file with books of the Bible to use in the import.
-
+
You need to specify a file of Bible verses to import.
-
+
You need to specify a version name for your Bible.
-
+
Bible Exists
-
+
Your Bible import failed.
-
+
You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such.
-
+
This Bible already exists. Please import a different Bible or first delete the existing one.
-
+
Permissions:
-
+
CSV File
-
+
Bibleserver
-
+
Bible file:
-
+
Books file:
-
+
Verses file:
-
+
openlp.org 1.x Bible Files
-
+
Registering Bible...
-
+
Registered Bible. Please note, that verses will be downloaded on
@@ -671,7 +749,7 @@ demand and thus an internet connection is required.
BiblesPlugin.LanguageForm
-
+
You need to choose a language.
@@ -679,60 +757,80 @@ demand and thus an internet connection is required.
BiblesPlugin.MediaItem
-
+
Quick
-
+
Find:
-
+
Book:
-
+
Chapter:
-
+
Verse:
-
+
From:
-
+
To:
-
+
Text Search
-
+
Second:
-
+
Scripture Reference
-
+
Toggle to keep or clear the previous results.
+
+
+
+ You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search?
+
+
+
+
+ Bible not fully loaded.
+
+
+
+
+ Information
+
+
+
+
+ The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results.
+
BiblesPlugin.Opensong
@@ -760,148 +858,148 @@ demand and thus an internet connection is required.
BiblesPlugin.UpgradeWizardForm
-
+
Select a Backup Directory
-
+
Bible Upgrade Wizard
-
+
This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process.
-
+
Select Backup Directory
-
+
Please select a backup directory for your Bibles
-
+
Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>.
-
+
Please select a backup location for your Bibles.
-
+
Backup Directory:
-
+
There is no need to backup my Bibles
-
+
Select Bibles
-
+
Please select the Bibles to upgrade
-
+
- Version name:
+ Version name:
-
+
- This Bible still exists. Please change the name or uncheck it.
+ This Bible still exists. Please change the name or uncheck it.
-
+
Upgrading
-
+
Please wait while your Bibles are upgraded.
- You need to specify a backup directory for your Bibles.
+ You need to specify a backup directory for your Bibles.
-
+
- You need to specify a version name for your Bible.
+ You need to specify a version name for your Bible.
-
+
- Bible Exists
+ Bible Exists
-
+
- This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck.
+ This Bible already exists. Please upgrade a different Bible, delete the existing one or uncheck.
- There are no Bibles available to upgrade.
+ There are no Bibles available to upgrade.
-
+
Upgrading Bible %s of %s: "%s"
Failed
-
+
Upgrading Bible %s of %s: "%s"
Upgrading ...
-
+
Download Error
-
+
Upgrading Bible %s of %s: "%s"
Upgrading %s ...
-
+
, %s failed
-
+
Upgrading Bible(s): %s successful%s
-
+
Upgrade failed.
-
+
The backup was not successful.
@@ -910,27 +1008,42 @@ To backup your Bibles you need permission to write to the given directory.
- Starting Bible upgrade...
+ Starting Bible upgrade...
-
+
To upgrade your Web Bibles an Internet connection is required.
-
+
Upgrading Bible %s of %s: "%s"
Complete
-
+
Upgrading Bible(s): %s successful%s
Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
CustomPlugin
@@ -1054,12 +1167,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
&Credits:
-
+
You need to type in a title.
-
+
You need to add at least one slide
@@ -1074,12 +1187,23 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
Insert Slide
+
+ CustomPlugin.MediaItem
+
+
+
+
+
+
+
+
+
GeneralTab
- General
+ General
@@ -1154,42 +1278,47 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
ImagePlugin.MediaItem
-
+
Select Image(s)
-
+
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.
+
+
+
+
+
MediaPlugin
@@ -1255,40 +1384,45 @@ Do you want to add the other images anyway?
MediaPlugin.MediaItem
-
+
Select Media
-
+
You must select a media file to delete.
-
+
Missing Media File
-
+
The file %s no longer exists.
-
+
You must select a media file to replace the background with.
-
+
There was a problem replacing your background, the media file "%s" no longer exists.
-
+
Videos (%s);;Audio (%s);;%s (*)
+
+
+
+
+
MediaPlugin.MediaTab
@@ -1306,7 +1440,7 @@ Do you want to add the other images anyway?
OpenLP
-
+
Image Files
@@ -1598,82 +1732,82 @@ Portions copyright © 2004-2011 %s
OpenLP.DisplayTagDialog
-
+
- Edit Selection
+ Edit Selection
-
+
- Description
+ Description
+
+
+
+
+ Tag
+
+
+
+
+ Start tag
-
- Tag
-
-
-
-
- Start tag
-
-
-
- End tag
+ End tag
-
+
- Tag Id
+ Tag Id
-
+
- Start HTML
+ Start HTML
-
+
- End HTML
+ End HTML
-
+
- Save
+ Save
OpenLP.DisplayTagTab
-
+
- Update Error
+ Update Error
- Tag "n" already defined.
+ Tag "n" already defined.
-
+
- Tag %s already defined.
+ Tag %s already defined.
- New Tag
+ New Tag
- </and here>
+ </and here>
- <HTML here>
+ <HTML here>
@@ -1681,82 +1815,82 @@ Portions copyright © 2004-2011 %s
- Red
+ Red
- Black
+ Black
- Blue
+ Blue
- Yellow
+ Yellow
- Green
+ Green
- Pink
+ Pink
- Orange
+ Orange
- Purple
+ Purple
- White
+ White
- Superscript
+ Superscript
- Subscript
+ Subscript
- Paragraph
+ Paragraph
- Bold
+ Bold
- Italics
+ Italics
- Underline
+ Underline
- Break
+ Break
@@ -1926,12 +2060,12 @@ Version: %s
Downloading %s...
-
+
Download complete. Click the finish button to start OpenLP.
-
+
Enabling selected plugins...
@@ -1963,7 +2097,7 @@ Version: %s
- Custom Text
+ Custom Text
@@ -2084,25 +2218,209 @@ To cancel the First Time Wizard completely, press the finish button now.This wizard will help you to configure OpenLP for initial use. Click the next button below to start.
-
+
Setting Up And Downloading
-
+
Please wait while OpenLP is set up and your data is downloaded.
-
+
Setting Up
-
+
Click the finish button to start OpenLP.
+
+
+
+ Custom Slides
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTagDialog
+
+
+
+
+
+
+
+
+ Edit Selection
+
+
+
+
+ Save
+
+
+
+
+ Description
+
+
+
+
+ Tag
+
+
+
+
+ Start tag
+
+
+
+
+ End tag
+
+
+
+
+ Tag Id
+
+
+
+
+ Start HTML
+
+
+
+
+ End HTML
+
+
+
+ OpenLP.FormattingTagForm
+
+
+
+ Update Error
+
+
+
+
+ Tag "n" already defined.
+
+
+
+
+ New Tag
+
+
+
+
+ <HTML here>
+
+
+
+
+ </and here>
+
+
+
+
+ Tag %s already defined.
+
+
+
+ OpenLP.FormattingTags
+
+
+
+ Red
+
+
+
+
+ Black
+
+
+
+
+ Blue
+
+
+
+
+ Yellow
+
+
+
+
+ Green
+
+
+
+
+ Pink
+
+
+
+
+ Orange
+
+
+
+
+ Purple
+
+
+
+
+ White
+
+
+
+
+ Superscript
+
+
+
+
+ Subscript
+
+
+
+
+ Paragraph
+
+
+
+
+ Bold
+
+
+
+
+ Italics
+
+
+
+
+ Underline
+
+
+
+
+ Break
+
OpenLP.GeneralTab
@@ -2248,7 +2566,7 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainDisplay
-
+
OpenLP Display
@@ -2256,307 +2574,307 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainWindow
-
+
&File
-
+
&Import
-
+
&Export
-
+
&View
-
+
M&ode
-
+
&Tools
-
+
&Settings
-
+
&Language
-
+
&Help
-
+
Media Manager
-
+
Service Manager
-
+
Theme Manager
-
+
&New
-
+
&Open
-
+
Open an existing service.
-
+
&Save
-
+
Save the current service to disk.
-
+
Save &As...
-
+
Save Service As
-
+
Save the current service under a new name.
-
+
E&xit
-
+
Quit OpenLP
-
+
&Theme
-
+
&Configure OpenLP...
-
+
&Media Manager
-
+
Toggle Media Manager
-
+
Toggle the visibility of the media manager.
-
+
&Theme Manager
-
+
Toggle Theme Manager
-
+
Toggle the visibility of the theme manager.
-
+
&Service Manager
-
+
Toggle Service Manager
-
+
Toggle the visibility of the service manager.
-
+
&Preview Panel
-
+
Toggle Preview Panel
-
+
Toggle the visibility of the preview panel.
-
+
&Live Panel
-
+
Toggle Live Panel
-
+
Toggle the visibility of the live panel.
-
+
&Plugin List
-
+
List the Plugins
-
+
&User Guide
-
+
&About
-
+
More information about OpenLP
-
+
&Online Help
-
+
&Web Site
-
+
Use the system language, if available.
-
+
Set the interface language to %s
-
+
Add &Tool...
-
+
Add an application to the list of tools.
-
+
&Default
-
+
Set the view mode back to the default.
-
+
&Setup
-
+
Set the view mode to Setup.
-
+
&Live
-
+
Set the view mode to Live.
-
+
OpenLP Version Updated
-
+
OpenLP Main Display Blanked
-
+
The Main Display has been blanked out
-
+
Default Theme: %s
-
+
@@ -2571,55 +2889,108 @@ You can download the latest version from http://openlp.org/.
English (South Africa)
-
+
Configure &Shortcuts...
-
+
Close OpenLP
-
+
Are you sure you want to close OpenLP?
-
+
Open &Data Folder...
-
+
Open the folder where songs, Bibles and other data resides.
-
+
- &Configure Display Tags
+ &Configure Display Tags
-
+
&Autodetect
-
+
Update Theme Images
-
+
Update the preview images for all themes.
-
+
Print the current service.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Clear List of recent files
+
+
+
+
+
+
+
OpenLP.MediaManagerItem
@@ -2629,57 +3000,78 @@ You can download the latest version from http://openlp.org/.
No Items Selected
-
+
&Add to selected Service Item
-
+
You must select one or more items to preview.
-
+
You must select one or more items to send live.
-
+
You must select one or more items.
-
+
You must select an existing service item to add to.
-
+
Invalid Service Item
-
+
You must select a %s service item.
-
+
You must select one or more items to add.
-
+
No Search Results
-
+
- Duplicate filename %s.
+ Duplicate filename %s.
This filename is already in the list
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.PluginForm
@@ -2727,12 +3119,12 @@ This filename is already in the list
OpenLP.PrintServiceDialog
-
+
Fit Page
-
+
Fit Width
@@ -2740,70 +3132,85 @@ This filename is already in the list
OpenLP.PrintServiceForm
-
+
Options
- Close
+ Close
-
+
Copy
-
+
Copy as HTML
-
+
Zoom In
-
+
Zoom Out
-
+
Zoom Original
-
+
Other Options
-
+
Include slide text if available
-
+
Include service item notes
-
+
Include play length of media items
-
+
Add page break before each text item
-
+
Service Sheet
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ScreenList
@@ -2818,10 +3225,23 @@ This filename is already in the list
primary
+
+ OpenLP.ServiceItem
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceItemEditForm
-
+
Reorder Service Item
@@ -2829,257 +3249,272 @@ This filename is already in the list
OpenLP.ServiceManager
-
+
Move to &top
-
+
Move item to the top of the service.
-
+
Move &up
-
+
Move item up one position in the service.
-
+
Move &down
-
+
Move item down one position in the service.
-
+
Move to &bottom
-
+
Move item to the end of the service.
-
+
&Delete From Service
-
+
Delete the selected item from the service.
-
+
&Add New Item
-
+
&Add to Selected Item
-
+
&Edit Item
-
+
&Reorder Item
-
+
&Notes
-
+
&Change Item Theme
-
+
File is not a valid service.
The content encoding is not UTF-8.
-
+
File is not a valid service.
-
+
Missing Display Handler
-
+
Your item cannot be displayed as there is no handler to display it
-
+
Your item cannot be displayed as the plugin required to display it is missing or inactive
-
+
&Expand all
-
+
Expand all the service items.
-
+
&Collapse all
-
+
Collapse all the service items.
-
+
Open File
-
+
OpenLP Service Files (*.osz)
-
+
Moves the selection down the window.
-
+
Move up
-
+
Moves the selection up the window.
-
+
Go Live
-
+
Send the selected item to Live.
-
+
Modified Service
-
+
&Start Time
-
+
Show &Preview
-
+
Show &Live
-
+
The current service has been modified. Would you like to save this service?
-
+
File could not be opened because it is corrupt.
-
+
Empty File
-
+
This service file does not contain any data.
-
+
Corrupt File
-
+
Custom Service Notes:
-
+
Notes:
-
+
Playing time:
-
+
Untitled Service
-
+
Load an existing service.
-
+
Save this service.
-
+
Select a theme for the service.
-
+
This file is either corrupt or it is not an OpenLP 2.0 service file.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceNoteForm
-
+
Service Item Notes
@@ -3097,7 +3532,7 @@ The content encoding is not UTF-8.
- Customize Shortcuts
+ Customize Shortcuts
@@ -3110,12 +3545,12 @@ The content encoding is not UTF-8.
Shortcut
-
+
Duplicate Shortcut
-
+
The shortcut "%s" is already assigned to another action, please use a different shortcut.
@@ -3150,20 +3585,25 @@ The content encoding is not UTF-8.
Restore the default shortcut of this action.
-
+
Restore Default Shortcuts
-
+
Do you want to restore all shortcuts to their defaults?
+
+
+
+
+
OpenLP.SlideController
-
+
Hide
@@ -3173,27 +3613,27 @@ The content encoding is not UTF-8.
Go To
-
+
Blank Screen
-
+
Blank to Theme
-
+
Show Desktop
-
+
Previous Slide
-
+
Next Slide
@@ -3213,29 +3653,29 @@ The content encoding is not UTF-8.
Escape Item
-
+
Move to previous.
-
+
Move to next.
-
+
Play Slides
- Play Slides in Loop
+ Play Slides in Loop
- Play Slides to End
+ Play Slides to End
@@ -3266,17 +3706,17 @@ The content encoding is not UTF-8.
OpenLP.SpellTextEdit
-
+
Spelling Suggestions
-
+
Formatting Tags
-
+
Language:
@@ -3370,192 +3810,198 @@ The content encoding is not UTF-8.
OpenLP.ThemeManager
-
+
Create a new theme.
-
+
Edit Theme
-
+
Edit a theme.
-
+
Delete Theme
-
+
Delete a theme.
-
+
Import Theme
-
+
Import a theme.
-
+
Export Theme
-
+
Export a theme.
-
+
&Edit Theme
-
+
&Delete Theme
-
+
Set As &Global Default
-
+
%s (default)
-
+
You must select a theme to edit.
-
+
You are unable to delete the default theme.
-
+
You have not selected a theme.
-
+
Save Theme - (%s)
-
+
Theme Exported
-
+
Your theme has been successfully exported.
-
+
Theme Export Failed
-
+
Your theme could not be exported due to an error.
-
+
Select Theme Import File
-
+
File is not a valid theme.
The content encoding is not UTF-8.
-
+
File is not a valid theme.
-
+
Theme %s is used in the %s plugin.
-
+
&Copy Theme
-
+
&Rename Theme
-
+
&Export Theme
-
+
You must select a theme to rename.
-
+
Rename Confirmation
-
+
Rename %s theme?
-
+
You must select a theme to delete.
-
+
Delete Confirmation
-
+
Delete %s theme?
-
+
Validation Error
-
+
A theme with this name already exists.
-
+
OpenLP Themes (*.theme *.otz)
+
+
+
+ Copy of <theme name>
+
+
OpenLP.ThemeWizard
@@ -3799,6 +4245,16 @@ The content encoding is not UTF-8.
Edit Theme - %s
+
+
+
+
+
+
+
+
+
+
OpenLP.ThemesTab
@@ -3842,31 +4298,36 @@ The content encoding is not UTF-8.
Use the global theme, overriding any themes associated with either the service or the songs.
+
+
+
+ Themes
+
OpenLP.Ui
-
+
Error
-
+
&Delete
-
+
Delete the selected item.
-
+
Move selection up one position.
-
+
Move selection down one position.
@@ -3891,19 +4352,19 @@ The content encoding is not UTF-8.
Create a new service.
-
+
&Edit
-
+
Import
- Length %s
+ Length %s
@@ -3931,42 +4392,42 @@ The content encoding is not UTF-8.
OpenLP 2.0
-
+
Preview
-
+
Replace Background
-
+
Reset Background
-
+
Save Service
-
+
Service
-
+
Start %s
-
+
&Vertical Align:
-
+
Top
@@ -4001,23 +4462,23 @@ The content encoding is not UTF-8.
CCLI number:
-
+
Empty Field
-
+
Export
-
+
Abbreviated font pointsize unit
pt
-
+
Image
@@ -4061,45 +4522,45 @@ The content encoding is not UTF-8.
openlp.org 1.x
-
+
The abbreviated unit for seconds
s
-
+
Save && Preview
-
+
Search
-
+
You must select an item to delete.
-
+
You must select an item to edit.
-
+
Singular
Theme
-
+
Plural
Themes
-
+
Version
@@ -4165,12 +4626,12 @@ The content encoding is not UTF-8.
You need to specify at least one %s file to import from.
-
+
Welcome to the Bible Import Wizard
-
+
Welcome to the Song Export Wizard
@@ -4227,38 +4688,38 @@ The content encoding is not UTF-8.
Topics
-
+
Continuous
-
+
Default
-
+
Display style:
-
+
File
-
+
Help
-
+
The abbreviated unit for hours
h
-
+
Layout style:
@@ -4279,37 +4740,37 @@ The content encoding is not UTF-8.
OpenLP is already running. Do you wish to continue?
-
+
Settings
-
+
Tools
-
+
Verse Per Slide
-
+
Verse Per Line
-
+
View
-
+
Duplicate Error
-
+
Unsupported File
@@ -4324,12 +4785,12 @@ The content encoding is not UTF-8.
XML syntax error
-
+
View Mode
-
+
Welcome to the Bible Upgrade Wizard
@@ -4339,37 +4800,62 @@ The content encoding is not UTF-8.
Open service.
-
+
Print Service
-
+
Replace live background.
-
+
Reset live background.
-
+
&Split
-
+
Split a slide into two only if it does not fit on the screen as one slide.
+
+
+
+
+
+
+
+
+ Play Slides in Loop
+
+
+
+
+ Play Slides to End
+
+
+
+
+
+
+
+
+
+
+
OpenLP.displayTagDialog
-
+
- Configure Display Tags
+ Configure Display Tags
@@ -4426,52 +4912,52 @@ The content encoding is not UTF-8.
PresentationPlugin.MediaItem
-
+
Select Presentation(s)
-
+
Automatic
-
+
Present using:
-
+
File Exists
-
+
A presentation with that filename already exists.
-
+
This type of presentation is not supported.
-
+
Presentations (%s)
-
+
Missing Presentation
-
+
The Presentation %s no longer exists.
-
+
The Presentation %s is incomplete, please reload.
@@ -4523,12 +5009,12 @@ The content encoding is not UTF-8.
RemotePlugin.Mobile
-
+
OpenLP 2.0 Remote
-
+
OpenLP 2.0 Stage View
@@ -4538,80 +5024,85 @@ The content encoding is not UTF-8.
Service Manager
-
+
Slide Controller
-
+
Alerts
-
+
Search
-
+
Back
-
+
Refresh
-
+
Blank
-
+
Show
-
+
Prev
-
+
Next
-
+
Text
-
+
Show Alert
-
+
Go Live
- Add To Service
+ Add To Service
-
+
No Results
-
+
Options
+
+
+
+
+
RemotePlugin.RemoteTab
@@ -4644,68 +5135,78 @@ The content encoding is not UTF-8.
SongUsagePlugin
-
+
&Song Usage Tracking
-
+
&Delete Tracking Data
-
+
Delete song usage data up to a specified date.
-
+
&Extract Tracking Data
-
+
Generate a report on song usage.
-
+
Toggle Tracking
-
+
Toggle the tracking of song usage.
-
+
<strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services.
-
+
name singular
SongUsage
-
+
name plural
SongUsage
-
+
container title
SongUsage
-
+
Song Usage
+
+
+
+
+
+
+
+
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -5018,190 +5519,197 @@ The encoding is responsible for the correct character representation.
SongsPlugin.EasyWorshipSongImport
-
+
Administered by %s
+
+
+
+
+
SongsPlugin.EditSongForm
-
+
Song Editor
-
+
&Title:
-
+
&Lyrics:
-
+
Ed&it All
-
+
Title && Lyrics
-
+
&Add to Song
-
+
&Remove
-
+
&Manage Authors, Topics, Song Books
-
+
A&dd to Song
-
+
R&emove
-
+
Authors, Topics && Song Book
-
+
New &Theme
-
+
Copyright Information
-
+
Comments
-
+
Theme, Copyright Info && Comments
-
+
Add Author
-
+
This author does not exist, do you want to add them?
-
+
This author is already in the list.
-
+
You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author.
-
+
Add Topic
-
+
This topic does not exist, do you want to add it?
-
+
This topic is already in the list.
-
+
You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic.
-
+
You need to type in a song title.
-
+
You need to type in at least one verse.
-
+
Warning
-
+
The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s.
-
+
You have not used %s anywhere in the verse order. Are you sure you want to save the song like this?
-
+
Add Book
-
+
This song book does not exist, do you want to add it?
-
+
Alt&ernate title:
-
+
&Verse order:
-
+
Book:
-
+
Number:
-
+
You need to have an author for this song.
-
+
You need to type some text in to the verse.
@@ -5232,82 +5740,82 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ExportWizardForm
-
+
Song Export Wizard
-
+
This wizard will help to export your songs to the open and free OpenLyrics worship song format.
-
+
Select Songs
-
+
Uncheck All
-
+
Check All
-
+
Select Directory
-
+
Directory:
-
+
Exporting
-
+
Please wait while your songs are exported.
-
+
You need to add at least one Song to export.
-
+
No Save Location specified
-
+
Starting export...
-
+
Check the songs you want to export.
-
+
You need to specify a directory.
-
+
Select Destination Folder
-
+
Select the directory where you want the songs to be saved.
@@ -5345,7 +5853,7 @@ The encoding is responsible for the correct character representation.Please wait while your songs are imported.
-
+
Select Document/Presentation Files
@@ -5360,42 +5868,42 @@ The encoding is responsible for the correct character representation.The OpenLyrics importer has not yet been developed, but as you can see, we are still intending to do so. Hopefully it will be in the next release.
-
+
OpenLP 2.0 Databases
-
+
openlp.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
@@ -5423,32 +5931,32 @@ The encoding is responsible for the correct character representation.
SongsPlugin.MediaItem
-
+
Titles
-
+
Lyrics
- Delete Song(s)?
+ Delete Song(s)?
-
+
CCLI License:
-
+
Entire Song
-
+
Are you sure you want to delete the %n selected song(s)?
@@ -5456,15 +5964,21 @@ The encoding is responsible for the correct character representation.
-
+
Maintain the lists of authors, topics and books.
+
+
+
+ For song cloning
+
+
SongsPlugin.OpenLP1SongImport
-
+
Not a valid openlp.org 1.x song database.
@@ -5480,7 +5994,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.OpenLyricsExport
-
+
Exporting "%s"...
@@ -5511,12 +6025,12 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongExportForm
-
+
Finished export.
-
+
Your song export failed.
@@ -5524,27 +6038,27 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImport
-
+
copyright
-
+
The following songs could not be imported:
-
+
Unable to open file
-
+
File not found
-
+
Cannot access OpenOffice or LibreOffice
@@ -5552,7 +6066,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImportForm
-
+
Your song import failed.
@@ -5754,7 +6268,7 @@ The encoding is responsible for the correct character representation.
- Themes
+ Themes
diff --git a/resources/i18n/es.ts b/resources/i18n/es.ts
index c31c1ce06..573212a08 100644
--- a/resources/i18n/es.ts
+++ b/resources/i18n/es.ts
@@ -1,29 +1,29 @@
-
+
AlertPlugin.AlertForm
- No ha ingresado un parámetro para reemplazarlo.
+ No ha ingresado un parámetro para reemplazarlo.
¿Desea continuar de todas maneras?
- Parámetro no encontrado
+ Parámetro no encontrado
- Marcador No Encontrado
+ Marcador No Encontrado
- El texto de alerta no contiene '<>'.
+ El texto de alerta no contiene '<>'.
¿Desea continuar de todos modos?
@@ -42,7 +42,7 @@ Do you want to continue anyway?
- <strong>Complemento de Alertas</strong><br />El complemento de alertas controla la visualización de mensajes de guardería
+ <strong>Complemento de Alertas</strong><br />El complemento de alertas controla la visualización de mensajes de guardería
@@ -62,6 +62,11 @@ Do you want to continue anyway?
container title
Alertas
+
+
+
+
+
AlertsPlugin.AlertForm
@@ -110,6 +115,30 @@ Do you want to continue anyway?
&Parámetro:
+
+
+
+ Parámetro no encontrado
+
+
+
+
+ No ha ingresado un parámetro para reemplazarlo.
+¿Desea continuar de todas maneras?
+
+
+
+
+ Marcador No Encontrado
+
+
+
+
+ El texto de alerta no contiene '<>'.
+¿Desea continuar de todos modos?
+
AlertsPlugin.AlertsManager
@@ -157,18 +186,18 @@ Do you want to continue anyway?
- Importando libros... %s
+ Importando libros... %s
Importing verses from <book name>...
- Importando versículos de %s...
+ Importando versículos de %s...
- Importando versículos... listo.
+ Importando versículos... listo.
@@ -176,12 +205,17 @@ Do you want to continue anyway?
- &Actualizar Biblias antiguas
+ &Actualizar Biblias antiguas
+
+
+
+
+ Actualizar las Biblias al último formato disponible
- Actualizar las Biblias al último formato disponible.
+ Actualizar las Biblias al último formato disponible.
@@ -189,22 +223,22 @@ Do you want to continue anyway?
- Error de Descarga
+ Error de Descarga
- Error de Análisis
+ Error de Análisis
- Hubo un problema al descargar los versículos seleccionados. Por favor revise la conexión a internet, y si el error persiste considere reportar esta falla.
+ Hubo un problema al descargar los versículos seleccionados. Por favor revise la conexión a internet, y si el error persiste considere reportar esta falla.
- Hubo un problema al extraer los versículos seleccionados. Si el error persiste considere reportar esta falla.
+ Hubo un problema al extraer los versículos seleccionados. Si el error persiste considere reportar esta falla.
@@ -212,22 +246,27 @@ Do you want to continue anyway?
- Carga incompleta.
+ Carga incompleta.
- No puede mezclar busquedas individuales y dobles de versículos. ¿Desea borrar los resultados y abrir una busqueda nueva?
+ No puede mezclar busquedas individuales y dobles de versículos. ¿Desea borrar los resultados y abrir una busqueda nueva?
- Información
+ Información
+
+
+
+
+ Las Biblias secundarias no contienen todos los versículos de la Bilbia principal. Solo se muestran los versículos comunes. Versículos %d no se incluyen en los resultados.
- La Biblia secundaria no contiene todos los versículos de la Bilbia principal. Solo se muestran los versículos comunes. Versículos %d no se incluyen en los resultados.
+ La Biblia secundaria no contiene todos los versículos de la Bilbia principal. Solo se muestran los versículos comunes. Versículos %d no se incluyen en los resultados.
@@ -256,12 +295,12 @@ Do you want to continue anyway?
Biblias
-
+
No se encontró el libro
-
+
No se hayó el nombre en esta Biblia. Revise que el nombre del libro esté deletreado correctamente.
@@ -305,38 +344,48 @@ Do you want to continue anyway?
<strong>Complemento de Biblias</strong><br />El complemento de Biblias proporciona la capacidad de mostrar versículos de diversas fuentes, durante el servicio.
+
+
+
+ &Actualizar Biblias antiguas
+
+
+
+
+ Actualizar las Biblias al último formato disponible.
+
BiblesPlugin.BibleManager
-
+
Error de Referencia Bíblica
-
+
No se puede usar la Biblia Web
-
+
LA búsqueda no esta disponible para Biblias Web.
-
+
No ingreso una palabra clave a buscar.
Puede separar palabras clave por un espacio para buscar todas las palabras clave y puede separar conr una coma para buscar una de ellas.
-
+
No existen Bilbias instaladas. Puede usar el Asistente de Importación para instalar una o varias más.
-
+
-
+
Biblias no Disponibles
@@ -415,27 +464,27 @@ Los cambios no se aplican a ítems en el servcio.
-
+ Seleccione Nombre de Libro
-
+ El siguiente nombre no se encontró internamente. Por favor seleccione de la lista el correspondiente nombre en inglés.
- Nombre actual:
+ Nombre actual:
-
+ Nombre correspondiente:
-
+ Mostrar Libros Desde
@@ -461,193 +510,232 @@ Los cambios no se aplican a ítems en el servcio.
Debe seleccionar un libro.
+
+ BiblesPlugin.CSVBible
+
+
+
+ Importando libros... %s
+
+
+
+
+ Importing verses from <book name>...
+ Importando versículos de %s...
+
+
+
+
+ Importando versículos... listo.
+
+
BiblesPlugin.HTTPBible
-
+
Registrando Biblia y cargando libros...
-
+
Registrando Idioma...
-
+
Importing <book name>...
Importando %s...
+
+
+
+ Error de Descarga
+
+
+
+
+ Hubo un problema al descargar los versículos seleccionados. Por favor revise la conexión a internet, y si el error persiste considere reportar esta falla.
+
+
+
+
+ Error de Análisis
+
+
+
+
+ Hubo un problema al extraer los versículos seleccionados. Si el error persiste considere reportar esta falla.
+
BiblesPlugin.ImportWizardForm
-
+
Asistente para Biblias
-
+
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.
-
+
Descarga Web
-
+
Ubicación:
-
+
Crosswalk
-
+
BibleGateway
-
+
Biblia:
-
+
Opciones de Descarga
-
+
Servidor:
-
+
Usuario:
-
+
Contraseña:
-
+
Servidor Proxy (Opcional)
-
+
Detalles de Licencia
-
+
Establezca los detalles de licencia de la Biblia.
-
+
Nombre de la versión:
-
+
Derechos de autor:
-
+
Por favor, espere mientras que la Biblia es importada.
-
+
Debe especificar un archivo que contenga los libros de la Biblia para importar.
-
+
Debe especificar un archivo que contenga los versículos de la Biblia para importar.
-
+
Debe ingresar un nombre para la versión de esta Biblia.
-
+
Ya existe la Biblia
-
+
La importación de su Biblia falló.
-
+
Debe establecer los derechos de autor de su Biblia. Si es de Dominio Público debe indicarlo.
-
+
Ya existe esta Biblia. Por favor importe una diferente o borre la anterior antes de continuar.
-
+
Permisos:
-
+
Archivo CSV
-
+
Servidor
-
+
Archivo de biblia:
-
+
Archivo de libros:
-
+
Archivo de versículos:
-
+
Archivos de Biblia openlp.org 1.x
-
+
Registrando Biblia...
-
+
Biblia registrada. Note que los versículos se descargarán según
-sea necesario, por lo que se necesita una conexión a internet.
+sea necesario, por lo que debe contar con una conexión a internet.
@@ -671,7 +759,7 @@ sea necesario, por lo que se necesita una conexión a internet.
BiblesPlugin.LanguageForm
-
+
Debe elegir un idioma.
@@ -679,60 +767,80 @@ sea necesario, por lo que se necesita una conexión a internet.
BiblesPlugin.MediaItem
-
+
Rápida
-
+
Encontrar:
-
+
Libro:
-
+
Capítulo:
-
+
Versículo:
-
+
Desde:
-
+
Hasta:
-
+
Buscar texto
-
+
Secundaria:
-
+
Referencia Bíblica
-
+
Alterna entre mantener o limpiar resultados previos.
+
+
+
+ No puede mezclar busquedas individuales y dobles de versículos. ¿Desea borrar los resultados y abrir una busqueda nueva?
+
+
+
+
+ Carga incompleta.
+
+
+
+
+ Información
+
+
+
+
+ La Biblia secundaria no contiene todos los versículos de la Bilbia principal. Solo se muestran los versículos comunes. Versículos %d no se incluyen en los resultados.
+
BiblesPlugin.Opensong
@@ -760,174 +868,233 @@ sea necesario, por lo que se necesita una conexión a internet.
BiblesPlugin.UpgradeWizardForm
-
+
-
+ Seleccione un Directorio de Respaldo
-
+
-
+ Asistente para Actualizar Bilias
-
+
-
+ Este asistente le ayudará a actualizar sus Bilias de versiones anteriores de OpenLP 2. Presione siguiente para iniciar el proceso.
-
+
-
+ Directorio de Respaldo
-
+
-
+ Por favor seleccione un directorio de respaldo para sus Biblias
-
+
-
+ Las versiones anteriores de OpenLP 2.0 no utilizan las Biblias actualizadas. Se creará un respaldo de sus Biblias actuales, para facilitar el proceso, en caso que tenga que utilizar una versión anterior del programa. Las instrucciones para resturar los archivos están en nuestro <a href="http://wiki.openlp.org/faq">FAQ</a>.
-
+
-
+ Por favor seleccione una ubicación para los respaldos.
-
+
-
+ Directorio de Respaldo:
-
+
-
+ No es necesario actualizar mis Biblias
-
+
-
+ Seleccione Biblias
-
+
-
+ Por favor seleccione las Biblias a actualizar
+
+
+
+
+ Nombre de la versión:
-
- Nombre de la versión:
-
-
-
-
+ Esta Biblia todavía existe. Por favor cambie el nombre o deseleccionela.
-
+
-
+ Actualizando
-
+
-
+ Por favor espere mientras sus Biblias son actualizadas.
-
+ Debe especificar un Directoria de Respaldo para su Biblia.
-
+
+
+ El respaldo no fue exitoso.
+Para respaldar sus Biblias debe tener permisos de escritura en el directorio seleccionado. Si los tiene y el problema persiste, por favor reporte el error.
+
+
+
- Debe ingresar un nombre para la versión de esta Biblia.
+ Debe ingresar un nombre para la versión de esta Biblia.
-
+
- Ya existe la Biblia
+ Ya existe esta Biblia
-
+
-
+ Esta Biblia ya existe. Por favor actualize una diferente, borre la existente o deseleccionela.
+
+
+
+
+ Iniciando la Actualización(es)...
-
+ No existen Bilias disponibles para actualizar.
-
+
-
+ Actualizando Biblia %s de %s: "%s"
+Fallidas
-
+
-
+ Actualizando Biblia %s de %s: "%s"
+Actualizando...
-
+
- Error de Descarga
+ Error de Descarga
-
+
+
+ Para actualizar sus Biblias se requiere de una conexión a internet. Si la tiene y el problema persiste, por favor reporte el error.
+
+
+
-
+ Actualizando Biblia %s de %s: "%s"
+Actualizando %s...
-
+
+
+ Actualizando Biblia %s de %s: "%s"
+Listo
+
+
+
-
+ , %s fallidas
-
+
+
+ Actualizando Biblia(s): %s exitosas%s
+Note que los versículos se descargarán según sea necesario,
+por lo que debe contar con una conexión a internet.
+
+
+
-
+ Actualizando Biblia(s): %s exitosas%s
-
+
-
+ Actualización fallida.
-
+
-
+ El respaldo no fue exitoso.
+Para respaldar sus Biblias debe tener permisos de escritura en el directorio seleccionado.
-
+ Iniciando actualización...
-
+
-
+ Para actualizar sus Biblias se requiere de una conexión a internet.
-
+
+ Actualizando Biblia %s de %s: "%s"
+Completado
+
+
+
+
+ Actualizando Biblia(s): %s exitosas%s
+Note que los versículos se descargarán según sea necesario, por lo que debe contar con una conexión a internet.
+
+
+
+
-
-
+
+
+
+
+
+
+
CustomPlugin
+
+
+
+ <strong>Diapositivas</strong><br />Este complemento le permite mostar diapositivas de texto, de igual manera que se muestran las canciones. Este complemento ofrece una mayor libertad que el complemento de canciones.
+
@@ -1032,6 +1199,11 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
Editar todas las diapositivas a la vez.
+
+
+
+ Dividir la Diapositiva
+
@@ -1048,12 +1220,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
&Creditos:
-
+
Debe escribir un título.
-
+
Debe agregar al menos una diapositiva
@@ -1062,18 +1234,95 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
Ed&itar Todo
+
+
+
+ Dividir la diapositiva solo si no se puede mostrar como una sola.
+
Insertar
+
+ CustomPlugin.MediaItem
+
+
+
+
+
+
+
+
+
+
+ CustomsPlugin
+
+
+
+ name singular
+ Diapositiva
+
+
+
+
+ name plural
+ Diapositivas
+
+
+
+
+ container title
+ Diapositivas
+
+
+
+
+ Cargar nueva Diapositiva.
+
+
+
+
+ Importar nueva Diapositiva.
+
+
+
+
+ Agregar nueva Diapositiva.
+
+
+
+
+ Editar Diapositiva seleccionada.
+
+
+
+
+ Eliminar Diapositiva seleccionada.
+
+
+
+
+ Visualizar Diapositiva seleccionada.
+
+
+
+
+ Proyectar Diapositiva seleccionada.
+
+
+
+
+ Agregar Diapositiva al servicio.
+
+
GeneralTab
- General
+ General
@@ -1101,6 +1350,41 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
container title
Imágenes
+
+
+
+ Cargar una Imagen nueva.
+
+
+
+
+ Agregar una Imagen nueva.
+
+
+
+
+ Editar la Imágen seleccionada.
+
+
+
+
+ Eliminar la Imagen seleccionada.
+
+
+
+
+ Visualizar la Imagen seleccionada.
+
+
+
+
+ Proyectar la Imagen seleccionada.
+
+
+
+
+ Agregar esta Imagen al servicio.
+
@@ -1148,42 +1432,47 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
ImagePlugin.MediaItem
-
+
Seleccionar Imagen(es)
-
+
Debe seleccionar una imagen para eliminar.
-
+
Debe seleccionar una imagen para reemplazar el fondo.
-
+
Imágen(es) faltante
-
+
La siguiente imagen(es) ya no esta disponible: %s
-
+
La siguiente imagen(es) ya no esta disponible: %s
¿Desea agregar las demás imágenes?
-
+
Ocurrió un problema al reemplazar el fondo, el archivo "%s" ya no existe.
+
+
+
+
+
MediaPlugin
@@ -1210,6 +1499,41 @@ Do you want to add the other images anyway?
container title
Medios
+
+
+
+ Cargar un Medio nuevo.
+
+
+
+
+ Agregar un Medio nuevo.
+
+
+
+
+ Editar el Medio seleccionado.
+
+
+
+
+ Eliminar el Medio seleccionado.
+
+
+
+
+ Visualizar el Medio seleccionado.
+
+
+
+
+ Proyectar el Medio seleccionado.
+
+
+
+
+ Agregar este Medio al servicio.
+
@@ -1249,40 +1573,45 @@ Do you want to add the other images anyway?
MediaPlugin.MediaItem
-
+
Seleccionar Medios
-
+
Debe seleccionar un medio para eliminar.
-
+
Archivo de Medios faltante
-
+
El archivo %s ya no esta disponible.
-
+
Debe seleccionar un archivo de medios para reemplazar el fondo.
-
+
Ocurrió un problema al reemplazar el fondo, el archivo "%s" ya no existe.
-
+
Videos (%s);;Audio (%s);;%s (*)
+
+
+
+
+
MediaPlugin.MediaTab
@@ -1300,7 +1629,7 @@ Do you want to add the other images anyway?
OpenLP
-
+
Archivos de Imagen
@@ -1592,82 +1921,87 @@ Portions copyright © 2004-2011 %s
OpenLP.DisplayTagDialog
-
+
- Editar Selección
+ Editar Selección
-
+
- Descripción
+ Descripción
+
+
+
+
+ Marca
+
+
+
+
+ Marca inicial
-
- Marca
-
-
-
-
- Marca inicial
-
-
-
- Marca final
+ Marca final
-
+
- Id
+ Id
-
+
- Inicio HTML
+ Inicio HTML
-
+
- Final HTML
+ Final HTML
-
+
- Guardar
+ Guardar
OpenLP.DisplayTagTab
-
+
- Error de Actualización
+ Error de Actualización
- Etiqueta "n" ya definida.
+ Etiqueta "n" ya definida.
-
+
- Etiqueta %s ya definida.
+ Etiqueta %s ya definida.
- Etiqueta nueva
+ Etiqueta nueva
+
+
+
+
+ <Html_aquí>
-
+ </and aquí>
-
+ <HTML aquí>
@@ -1675,82 +2009,82 @@ Portions copyright © 2004-2011 %s
- Rojo
+ Rojo
- Negro
+ Negro
- Azul
+ Azul
- Amarillo
+ Amarillo
- Verde
+ Verde
- Rosado
+ Rosado
- Anaranjado
+ Anaranjado
- Morado
+ Morado
- Blanco
+ Blanco
- Superíndice
+ Superíndice
- Subíndice
+ Subíndice
- Párrafo
+ Párrafo
- Negrita
+ Negrita
- Cursiva
+ Cursiva
- Subrayado
+ Subrayado
- Salto
+ Salto
@@ -1921,12 +2255,12 @@ Version: %s
Descargando %s...
-
+
Descarga completa. Presione finalizar para iniciar OpenLP.
-
+
Habilitando complementos seleccionados...
@@ -1958,7 +2292,7 @@ Version: %s
- Texto Personalizado
+ Texto Personalizado
@@ -2058,6 +2392,16 @@ Para cancelar el Asistente Inicial por completo, pulse el botón Finalizar ahora
Utilizar la configuración por defecto.
+
+
+
+ Preferencias e Inportación
+
+
+
+
+ Por favor espere mientras OpenLP se configura e importa los datos.
+
@@ -2079,25 +2423,209 @@ Para cancelar el Asistente Inicial por completo, pulse el botón Finalizar ahora
Este asistente configurará OpenLP para su uso inicial. Presione el botón Siguiente para iniciar.
-
+
Configurando && Descargando
-
+
Por favor espere mientras OpenLP se configura e importa los datos.
-
+
Configurando
-
+
Presione finalizar para iniciar OpenLP.
+
+
+
+ Diapositivas
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTagDialog
+
+
+
+
+
+
+
+
+ Editar Selección
+
+
+
+
+ Guardar
+
+
+
+
+ Descripción
+
+
+
+
+ Marca
+
+
+
+
+ Marca inicial
+
+
+
+
+ Marca final
+
+
+
+
+ Id
+
+
+
+
+ Inicio HTML
+
+
+
+
+ Final HTML
+
+
+
+ OpenLP.FormattingTagForm
+
+
+
+ Error de Actualización
+
+
+
+
+ Etiqueta "n" ya definida.
+
+
+
+
+ Etiqueta nueva
+
+
+
+
+ <HTML aquí>
+
+
+
+
+ </and aquí>
+
+
+
+
+ Etiqueta %s ya definida.
+
+
+
+ OpenLP.FormattingTags
+
+
+
+ Rojo
+
+
+
+
+ Negro
+
+
+
+
+ Azul
+
+
+
+
+ Amarillo
+
+
+
+
+ Verde
+
+
+
+
+ Rosado
+
+
+
+
+ Anaranjado
+
+
+
+
+ Morado
+
+
+
+
+ Blanco
+
+
+
+
+ Superíndice
+
+
+
+
+ Subíndice
+
+
+
+
+ Párrafo
+
+
+
+
+ Negrita
+
+
+
+
+ Cursiva
+
+
+
+
+ Subrayado
+
+
+
+
+ Salto
+
OpenLP.GeneralTab
@@ -2219,12 +2747,12 @@ Para cancelar el Asistente Inicial por completo, pulse el botón Finalizar ahora
-
+ Habilitar ajuste de diapositiva
-
+ Intervalo de diapositivas:
@@ -2243,7 +2771,7 @@ Para cancelar el Asistente Inicial por completo, pulse el botón Finalizar ahora
OpenLP.MainDisplay
-
+
Pantalla de OpenLP
@@ -2251,287 +2779,287 @@ Para cancelar el Asistente Inicial por completo, pulse el botón Finalizar ahora
OpenLP.MainWindow
-
+
&Archivo
-
+
&Importar
-
+
&Exportar
-
+
&Ver
-
+
M&odo
-
+
&Herramientas
-
+
&Preferencias
-
+
&Idioma
-
+
&Ayuda
-
+
Gestor de Medios
-
+
Gestor de Servicio
-
+
Gestor de Temas
-
+
&Nuevo
-
+
&Abrir
-
+
Abrir un servicio existente.
-
+
&Guardar
-
+
Guardar el servicio actual en el disco.
-
+
Guardar &Como...
-
+
Guardar Servicio Como
-
+
Guardar el servicio actual con un nombre nuevo.
-
+
&Salir
-
+
Salir de OpenLP
-
+
&Tema
-
+
&Configurar OpenLP...
-
+
Gestor de &Medios
-
+
Alternar Gestor de Medios
-
+
Alernar la visibilidad del gestor de medios.
-
+
Gestor de &Temas
-
+
Alternar Gestor de Temas
-
+
Alernar la visibilidad del gestor de temas.
-
+
Gestor de &Servicio
-
+
Alternar Gestor de Servicio
-
+
Alernar la visibilidad del gestor de servicio.
-
+
&Panel de Vista Previa
-
+
Alternar Panel de Vista Previa
-
+
Alernar la visibilidad del panel de vista previa.
-
+
Panel de Pro&yección
-
+
Alternar Panel de Proyección
-
+
Alternar la visibilidad del panel de proyección.
-
+
Lista de &Complementos
-
+
Lista de Complementos
-
+
Guía de &Usuario
-
+
&Acerca de
-
+
Más información acerca de OpenLP
-
+
&Ayuda En Línea
-
+
Sitio &Web
-
+
Usar el idioma del sistema, si esta disponible.
-
+
Fijar el idioma de la interface en %s
-
+
Agregar &Herramienta...
-
+
Agregar una aplicación a la lista de herramientas.
-
+
Por &defecto
-
+
Modo de vizualización por defecto.
-
+
&Administración
-
+
Modo de Administración.
-
+
En &vivo
-
+
Modo de visualización.en Vivo.
-
+
@@ -2540,22 +3068,22 @@ You can download the latest version from http://openlp.org/.
Puede descargar la última versión desde http://openlp.org/.
-
+
Versión de OpenLP Actualizada
-
+
Pantalla Principal de OpenLP en Blanco
-
+
La Pantalla Principal se ha puesto en blanco
-
+
Tema por defecto: %s
@@ -2566,55 +3094,113 @@ Puede descargar la última versión desde http://openlp.org/.
Español
-
+
Configurar &Atajos...
-
+
Cerrar OpenLP
-
+
¿Desea realmente salir de OpenLP?
-
+
+
+ Imprimir Orden del Servicio actual.
+
+
+
Abrir Folder de &Datos...
-
+
Abrir el folder donde se almacenan las canciones, biblias y otros datos.
-
+
- &Configurar Etiquetas de Visualización
+ &Configurar Etiquetas de Visualización
-
+
&Autodetectar
-
+
Actualizar Imágenes de Tema
-
+
Actualizar imagen de vista previa de todos los temas.
-
+
Imprimir Orden del Servicio actual.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Clear List of recent files
+
+
+
+
+
+
+
OpenLP.MediaManagerItem
@@ -2624,57 +3210,85 @@ Puede descargar la última versión desde http://openlp.org/.
Nada Seleccionado
-
+
&Agregar al ítem del Servico
-
+
Debe seleccionar uno o más ítems para visualizar.
-
+
Debe seleccionar uno o más ítems para proyectar.
-
+
Debe seleccionar uno o más ítems.
-
+
Debe seleccionar un servicio existente al cual añadir.
-
+
Ítem de Servicio no válido
-
+
Debe seleccionar un(a) %s del servicio.
-
+
+
+ Nombre %s duplicado.
+Este ya existe en la lista
+
+
+
Debe seleccionar uno o más ítemes para agregar.
-
+
Sin Resultados
-
+
- Nombre %s duplicado.
+ Nombre %s duplicado.
Este nombre ya existe en la lista
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.PluginForm
@@ -2722,12 +3336,12 @@ Este nombre ya existe en la lista
OpenLP.PrintServiceDialog
-
+
Ajustar a Página
-
+
Ajustar a Ancho
@@ -2735,70 +3349,90 @@ Este nombre ya existe en la lista
OpenLP.PrintServiceForm
-
+
Opciones
- Cerrar
+ Cerrar
-
+
Copiar
-
+
Copiar como HTML
-
+
Acercar
-
+
Alejar
-
+
Zoom Original
-
+
Otras Opciones
-
+
Incluir texto de diap. si está disponible
-
+
Incluir las notas de servicio
-
+
Incluir la duración de los medios
-
+
+
+ Hoja de Orden de Servicio
+
+
+
Agregar salto de página antes de cada ítem
-
+
Hoja de Servicio
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ScreenList
@@ -2813,10 +3447,23 @@ Este nombre ya existe en la lista
principal
+
+ OpenLP.ServiceItem
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceItemEditForm
-
+
Reorganizar ítem de Servicio
@@ -2824,257 +3471,277 @@ Este nombre ya existe en la lista
OpenLP.ServiceManager
-
+
Mover al &inicio
-
+
Mover el ítem al inicio del servicio.
-
+
S&ubir
-
+
Mover el ítem una posición hacia arriba.
-
+
Ba&jar
-
+
Mover el ítem una posición hacia abajo.
-
+
Mover al &final
-
+
Mover el ítem al final del servicio.
-
+
&Eliminar Del Servicio
-
+
Eliminar el ítem seleccionado del servicio.
-
+
&Agregar un ítem nuevo
-
+
&Agregar al ítem Seleccionado
-
+
&Editar ítem
-
+
&Reorganizar ítem
-
+
&Notas
-
+
&Cambiar Tema de ítem
-
+
Este no es un servicio válido.
La codificación del contenido no es UTF-8.
-
+
El archivo no es un servicio válido.
-
+
Controlador de Pantalla Faltante
-
+
No se puede mostrar el ítem porque no hay un controlador de pantalla disponible
-
+
El ítem no se puede mostar porque falta el complemento requerido o esta desabilitado
-
+
&Expandir todo
-
+
Expandir todos los ítems del servicio.
-
+
&Colapsar todo
-
+
Colapsar todos los ítems del servicio.
-
+
Abrir Archivo
-
+
Archivo de Servicio OpenLP (*.osz)
-
+
Mover selección hacia abajo.
-
+
Subir
-
+
Mover selección hacia arriba.
-
+
Proyectar
-
+
Proyectar el ítem seleccionado.
-
+
Servicio Modificado
-
+
&Tiempo de Inicio
-
+
Mostrar &Vista previa
-
+
Mostrar &Proyección
-
+
El servicio actual a sido modificado. ¿Desea guardar este servicio?
-
+
No se pudo abrir el archivo porque está corrompido.
-
+
Archivo Vacio
-
+
El archivo de servicio no contiene ningún dato.
-
+
Archivo Corrompido
-
+
Notas Personales del Servicio:
-
+
Notas:
-
+
Tiempo de reproducción:
-
+
Servicio Sin nombre
-
+
+
+ El archivo está corrompido o no es una archivo de OpenLP 2.0.
+
+
+
Abrir un servicio existente.
-
+
Guardar este servicio.
-
+
Seleccione un tema para el servicio.
-
+
El archivo está corrupto o no es un archivo OpenLP 2.0 válido.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceNoteForm
-
+
Notas de Elemento de Servicio
@@ -3092,7 +3759,7 @@ La codificación del contenido no es UTF-8.
- Cambiar Atajos
+ Cambiar Atajos
@@ -3105,12 +3772,12 @@ La codificación del contenido no es UTF-8.
Atajo
-
+
Duplicar Atajo
-
+
El atajo "%s" esta asignado a otra acción, por favor utilize un atajo diferente.
@@ -3145,20 +3812,25 @@ La codificación del contenido no es UTF-8.
Restuarar el atajo por defecto para esta acción.
-
+
Restaurar los Atajos Por defecto
-
+
¿Quiere restaurar todos los atajos a su valor original?
+
+
+
+
+
OpenLP.SlideController
-
+
Ocultar
@@ -3168,27 +3840,27 @@ La codificación del contenido no es UTF-8.
Ir A
-
+
Pantalla en Blanco
-
+
Proyectar el Tema
-
+
Mostrar Escritorio
-
+
Diapositiva Anterior
-
+
Diapositiva Siguiente
@@ -3208,34 +3880,34 @@ La codificación del contenido no es UTF-8.
Salir de ítem
-
+
- Ir al anterior.
+ Ir al anterior.
-
+
- Ir al siguiente.
+ Ir al siguiente.
-
+
- Reproducir diapositivas
+ Reproducir diapositivas
- Reproducir en Bucle
+ Reproducir en Bucle
- Reproducir hasta el final
+ Reproducir hasta el final
- Tiempo entre diapositivas en segundos.
+ Tiempo entre diapositivas en segundos.
@@ -3255,23 +3927,23 @@ La codificación del contenido no es UTF-8.
- Reproducir medios.
+ Reproducir medios.
OpenLP.SpellTextEdit
-
+
Sugerencias Ortográficas
-
+
Etiquetas de Formato
-
+
Idioma:
@@ -3318,15 +3990,25 @@ La codificación del contenido no es UTF-8.
Error de Validación de Tiempo
+
+
+
+ El tiempo final se establece despues del final del medio
+
+
+
+
+ El tiempo de inicio se establece despues del Tiempo Final del medio
+
-
+ El Final se establece despues del final del medio actual
-
+ El Inicio se establece despues del final del medio actual
@@ -3359,198 +4041,204 @@ La codificación del contenido no es UTF-8.
-
+ (aproximadamente %d líneas por diapositiva)
OpenLP.ThemeManager
-
+
Crear un tema nuevo.
-
+
Editar Tema
-
+
Editar un tema.
-
+
Eliminar Tema
-
+
Eliminar un tema.
-
+
Importar Tema
-
+
Importa un tema.
-
+
Exportar Tema
-
+
Exportar un tema.
-
+
&Editar Tema
-
+
Elimi&nar Tema
-
+
&Global, por defecto
-
+
%s (por defecto)
-
+
Debe seleccionar un tema para editar.
-
+
No se puede eliminar el tema predeterminado.
-
+
No ha seleccionado un tema.
-
+
Guardar Tema - (%s)
-
+
Tema Exportado
-
+
Su tema a sido exportado exitosamente.
-
+
La importación falló
-
+
No se pudo exportar el tema dedido a un error.
-
+
Seleccione el Archivo de Tema a Importar
-
+
Este no es un tema válido.
La codificación del contenido no es UTF-8.
-
+
El archivo no es un tema válido.
-
+
El tema %s se usa en el complemento %s.
-
+
&Copiar Tema
-
+
&Renombrar Tema
-
+
&Exportar Tema
-
+
Debe seleccionar un tema para renombrar.
-
+
Confirmar Cambio de Nombre
-
+
¿Renombrar el tema %s?
-
+
Debe seleccionar un tema para eliminar.
-
+
Confirmar Eliminación
-
+
¿Eliminar el tema %s?
-
+
Error de Validación
-
+
Ya existe un tema con este nombre.
-
+
Tema OpenLP (*.theme *otz)
+
+
+
+ Copy of <theme name>
+
+
OpenLP.ThemeWizard
@@ -3794,6 +4482,16 @@ La codificación del contenido no es UTF-8.
Editar Tema - %s
+
+
+
+
+
+
+
+
+
+
OpenLP.ThemesTab
@@ -3837,31 +4535,36 @@ La codificación del contenido no es UTF-8.
Utilizar el tema global, ignorado los temas asociados con el servicio o con las canciones.
+
+
+
+ Temas
+
OpenLP.Ui
-
+
Error
-
+
&Eliminar
-
+
Eliminar el ítem seleccionado.
-
+
Mover selección un espacio hacia arriba.
-
+
Mover selección un espacio hacia abajo.
@@ -3886,19 +4589,19 @@ La codificación del contenido no es UTF-8.
Crear un servicio nuevo.
-
+
&Editar
-
+
Importar
- Duración %s
+ Duración %s
@@ -3926,42 +4629,57 @@ La codificación del contenido no es UTF-8.
OpenLP 2.0
-
+
+
+ Abrir Servicio
+
+
+
Vista previa
-
+
Reemplazar Fondo
-
+
+
+ Reemplazar el Fondo Proyectado
+
+
+
Restablecer Fondo
-
+
+
+ Restablecer el Fondo Proyectado
+
+
+
Guardar Servicio
-
+
Servicio
-
+
Inicio %s
-
+
Alinea. &Vertical:
-
+
Superior
@@ -3996,23 +4714,23 @@ La codificación del contenido no es UTF-8.
Número CCLI:
-
+
Campo Vacío
-
+
Exportar
-
+
Abbreviated font pointsize unit
pto
-
+
Imagen
@@ -4021,6 +4739,11 @@ La codificación del contenido no es UTF-8.
Error del Fondo en proyección
+
+
+
+ Panel de Proyección
+
@@ -4056,45 +4779,55 @@ La codificación del contenido no es UTF-8.
openlp.org 1.x
-
+
+
+ Panel de Vista Previa
+
+
+
+
+ Imprimir Orden del Servicio
+
+
+
The abbreviated unit for seconds
s
-
+
Guardar && Previsualizar
-
+
Buscar
-
+
Debe seleccionar un ítem para eliminar.
-
+
Debe seleccionar un ítem para editar.
-
+
Singular
Tema
-
+
Plural
Temas
-
+
Versión
@@ -4160,12 +4893,12 @@ La codificación del contenido no es UTF-8.
Debe especificar un archivo %s para importar.
-
+
Bienvenido al Asistente para Biblias
-
+
Bienvenido al Asistente para Exportar Canciones
@@ -4222,38 +4955,38 @@ La codificación del contenido no es UTF-8.
Categorías
-
+
Continuo
-
+
Por defecto
-
+
Estilo de presentación:
-
+
Archivos
-
+
Ayuda
-
+
The abbreviated unit for hours
h
-
+
Distribución:
@@ -4274,37 +5007,37 @@ La codificación del contenido no es UTF-8.
OpenLP ya esta abierto. ¿Desea continuar?
-
+
Preferencias
-
+
Herramientas
-
+
Verso por Diapositiva
-
+
Verso Por Línea
-
+
Vista
-
+
Error de Duplicación
-
+
Archivo no Soportado
@@ -4319,12 +5052,12 @@ La codificación del contenido no es UTF-8.
Error XML de sintaxis
-
+
Disposición
-
+
Bienvenido al Asistente para Actualización de Biblias
@@ -4334,37 +5067,62 @@ La codificación del contenido no es UTF-8.
Abrir Servicio.
-
+
Imprimir Servicio
-
+
Reemplazar el fondo proyectado.
-
+
Restablecer el fondo proyectado.
-
+
&Dividir
-
+
Dividir la diapositiva, solo si no se puede mostrar como una sola.
+
+
+
+
+
+
+
+
+ Reproducir en Bucle
+
+
+
+
+ Reproducir hasta el final
+
+
+
+
+
+
+
+
+
+
+
OpenLP.displayTagDialog
-
+
- Configurar Etiquetas de Visualización
+ Configurar Etiquetas de Visualización
@@ -4392,6 +5150,31 @@ La codificación del contenido no es UTF-8.
container title
Presentaciones
+
+
+
+ Cargar una Presentación nueva.
+
+
+
+
+ Eliminar la Presentación seleccionada.
+
+
+
+
+ Visualizar la Presentación seleccionada.
+
+
+
+
+ Proyectar la Presentación seleccionada.
+
+
+
+
+ Agregar esta Presentación al servicio.
+
@@ -4400,73 +5183,73 @@ La codificación del contenido no es UTF-8.
-
+ Eliminar la presentación seleccionada.
-
+ Visualizar la presentación seleccionada.
-
+ Proyectar la presentación seleccionada.
-
+ Agregar esta presentación al servicio.
PresentationPlugin.MediaItem
-
+
Seleccionar Presentación(es)
-
+
Automático
-
+
Mostrar usando:
-
+
Ya existe el Archivo
-
+
Ya existe una presentación con este nombre.
-
+
No existe soporte para este tipo de presentación.
-
+
Presentaciones (%s)
-
+
Presentación faltante
-
+
La Presentación %s ya no esta disponible.
-
+
La Presentación %s esta incompleta, por favor recargela.
@@ -4518,94 +5301,99 @@ La codificación del contenido no es UTF-8.
RemotePlugin.Mobile
-
+
-
+ OpenLP 2.0 Remoto
-
+
-
+ OpenLP 2.0 Vista del Escenario
- Gestor de Servicio
-
-
-
-
-
+ Gestor de Servicio
-
- Alertas
-
-
-
-
- Buscar
+
+ Control de Diapositivas
-
-
+
+ Alertas
-
-
+
+ Buscar
-
-
+
+ Atrás
-
-
+
+ Refrezcar
-
-
+
+ Negro
-
-
+
+ Mostrar
-
-
+
+ Anterior
-
-
+
+ Siguiente
+
+ Texto
+
+
+
+
+ Mostrar Alerta
+
+
+
- Proyectar
+ Proyectar
-
+ Agregar al Servicio
-
+
-
+ Sin Resultados
+
+
+
+
+ Opciones
-
- Opciones
+
+
@@ -4639,68 +5427,78 @@ La codificación del contenido no es UTF-8.
SongUsagePlugin
-
+
&Historial de Uso
-
+
&Eliminar datos de Historial
-
+
Borrar el historial de datos hasta la fecha especificada.
-
+
&Extraer datos de Historial
-
+
Generar un reporte del uso de las canciones.
-
+
Alternar Historial
-
+
Alternar seguimiento del uso de las canciones.
-
+
<strong>Historial</strong><br />Este complemento mantiene un registro del número de veces que se usa una canción en los servicios.
-
+
name singular
Historial
-
+
name plural
Historiales
-
+
container title
Historial
-
+
Historial
+
+
+
+
+
+
+
+
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4933,6 +5731,36 @@ La codificación se encarga de la correcta representación de caracteres.Exports songs using the export wizard.
Exportar canciones usando el asistente.
+
+
+
+ Agregar una Canción nueva.
+
+
+
+
+ Editar la Canción seleccionada.
+
+
+
+
+ Eliminar la Canción seleccionada.
+
+
+
+
+ Visualizar la Canción seleccionada.
+
+
+
+
+ Proyectar la Canción seleccionada.
+
+
+
+
+ Agregar esta Canción al servicio.
+
@@ -5013,190 +5841,197 @@ La codificación se encarga de la correcta representación de caracteres.
SongsPlugin.EasyWorshipSongImport
-
+
Administrado por %s
+
+
+
+
+
SongsPlugin.EditSongForm
-
+
Editor de Canción
-
+
&Título:
-
+
Título alt&ernativo:
-
+
&Letras:
-
+
Orden de &versos:
-
+
Ed&itar Todo
-
+
Título && Letra
-
+
&Agregar a Canción
-
+
&Quitar
-
+
Ad&ministrar Autores, Categorías, Himnarios
-
+
A&gregar a Canción
-
+
&Quitar
-
+
Libro:
-
+
Número:
-
+
Autores, Categorías e Himnarios
-
+
&Tema Nuevo
-
+
Información de Derechos de Autor
-
+
Comentarios
-
+
Tema, Derechos de Autor && Comentarios
-
+
Agregar Autor
-
+
Este autor no existe, ¿desea agregarlo?
-
+
Este autor ya esta en la lista.
-
+
No seleccionado un autor válido. Seleccione un autor de la lista o ingrese un nombre nuevo y presione el botón "Agregar Autor a Canción" para agregar el autor nuevo.
-
+
Agregar Categoría
-
+
Esta categoría no existe, ¿desea agregarla?
-
+
Esta categoría ya esta en la lista.
-
+
No seleccionado una categoría válida. Seleccione una categoría de la lista o ingrese un nombre nuevo y presione el botón "Agregar Categoría a Canción" para agregar la categoría nueva.
-
+
Debe escribir un título.
-
+
Debe agregar al menos un verso.
-
+
Advertencia
-
+
El orden de los versos no es válido. Ningún verso corresponde a %s. Las entradas válidas so %s.
-
+
No ha utilizado %s en el orden de los versos. ¿Desea guardar la canción de esta manera?
-
+
Agregar Himnario
-
+
Este himnario no existe, ¿desea agregarlo?
-
+
Debe ingresar un autor para esta canción.
-
+
Debe ingresar algún texto en el verso.
@@ -5218,6 +6053,16 @@ La codificación se encarga de la correcta representación de caracteres.&Insert
&Insertar
+
+
+
+ &Dividir
+
+
+
+
+ Dividir la diapositiva, solo si no se puede mostrar como una sola.
+
@@ -5227,82 +6072,82 @@ La codificación se encarga de la correcta representación de caracteres.
SongsPlugin.ExportWizardForm
-
+
Asistente para Exportar Canciones
-
+
Este asistente le ayudará a exportar canciones al formato OpenLyrics que es gratuito y de código abierto.
-
+
Seleccione Canciones
-
+
Desmarcar Todo
-
+
Marcar Todo
-
+
Seleccione un Directorio
-
+
Directorio:
-
+
Exportando
-
+
Por favor espere mientras se exportan las canciones.
-
+
Debe agregar al menos una Canción para exportar.
-
+
Destino No especificado
-
+
Iniciando exportación...
-
+
Revise las canciones a exportar.
-
+
Debe especificar un directorio.
-
+
Seleccione Carpeta de Destino
-
+
Seleccionar el directorio para guardar las canciones.
@@ -5310,7 +6155,7 @@ La codificación se encarga de la correcta representación de caracteres.
SongsPlugin.ImportWizardForm
-
+
Seleccione Documento/Presentación
@@ -5344,6 +6189,16 @@ La codificación se encarga de la correcta representación de caracteres.Remove File(s)
Eliminar Archivo(s)
+
+
+
+ Las canciones de Fellowship se han deshabilitado porque OpenOffice.org no se encuentra en este equipo.
+
+
+
+
+ El importador Documento/Presentación se ha desabilitado porque OpenOffice.org no se encuentra en este equipo.
+
@@ -5355,42 +6210,42 @@ La codificación se encarga de la correcta representación de caracteres.El importador OpenLyrics no esta desarrollado, pero puede notar que tenemos la intención de hacerlo. Esperamos incluirlo en la siguiente versión.
-
+
Base de Datos OpenLP 2.0
-
+
Base de datos openlp v1.x
-
+
Archivo Words Of Worship
-
+
Archivo Songs Of Fellowship
-
+
Archivo SongBeamer
-
+
Archivo SongShow Plus
-
+
Debe especificar al menos un documento o presentación para importar.
-
+
Archivo Foilpresenter
@@ -5407,43 +6262,43 @@ La codificación se encarga de la correcta representación de caracteres.
- El importador de Songs of Fellowship se ha deshabilitado porque OpenOffice.org o LibreOffice no esta disponible.
+ El importador de Songs of Fellowship se ha deshabilitado porque OpenOffice.org o LibreOffice no esta disponible.
- El importador documento/presentación se ha deshabilitado porque OpenOffice.org o LibreOffice no esta disponible.
+ El importador documento/presentación se ha deshabilitado porque OpenOffice.org o LibreOffice no esta disponible.
SongsPlugin.MediaItem
-
+
Títulos
-
+
Letra
- ¿Eliminar Canción(es)?
+ ¿Eliminar Canción(es)?
-
+
Licensia CCLI:
-
+
Canción Completa
-
+
¿Desea realmente borrar %n canción(es) seleccionada(s)?
@@ -5451,15 +6306,21 @@ La codificación se encarga de la correcta representación de caracteres.
-
+
Administrar la lista de autores, categorías y libros.
+
+
+
+ For song cloning
+
+
SongsPlugin.OpenLP1SongImport
-
+
Base de datos openlp.org 1.x no válida.
@@ -5475,7 +6336,7 @@ La codificación se encarga de la correcta representación de caracteres.
SongsPlugin.OpenLyricsExport
-
+
Exportando "%s"...
@@ -5506,12 +6367,12 @@ La codificación se encarga de la correcta representación de caracteres.
SongsPlugin.SongExportForm
-
+
Exportación finalizada.
-
+
La importación falló.
@@ -5519,35 +6380,40 @@ La codificación se encarga de la correcta representación de caracteres.
SongsPlugin.SongImport
-
+
derechos de autor
-
+
Las siguientes canciones no se importaron:
-
+
+
+ No se puede abrir OpenOffice.org o LibreOffice
+
+
+
- No se puede abrir el archivo
+ No se puede abrir el archivo
-
+
- No se encontró el archivo
+ No se encontró el archivo
-
+
- Imposible accesar OpenOffice o LibreOffice
+ Imposible accesar OpenOffice o LibreOffice
SongsPlugin.SongImportForm
-
+
La importación falló.
@@ -5749,7 +6615,7 @@ La codificación se encarga de la correcta representación de caracteres.
- Temas
+ Temas
diff --git a/resources/i18n/et.ts b/resources/i18n/et.ts
index 5e2fedeee..2de001456 100644
--- a/resources/i18n/et.ts
+++ b/resources/i18n/et.ts
@@ -1,29 +1,29 @@
-
+
AlertPlugin.AlertForm
- Sa ei ole sisestanud parameetrit, mida asendada.
+ Sa ei ole sisestanud parameetrit, mida asendada.
Kas tahad sellegi poolest jätkata?
- Parameetreid ei leitud
+ Parameetreid ei leitud
- Kohahoidjat ei leitud
+ Kohahoidjat ei leitud
- Teate tekst ei sisalda '<>'.
+ Teate tekst ei sisalda '<>'.
Kas tahad sellest hoolimata jätkata?
@@ -42,7 +42,7 @@ Kas tahad sellest hoolimata jätkata?
- <strong>Teadete plugin</strong><br />Teadete plugina abil saab juhtida näiteks lastehoiu teadete kuvamist ekraanil
+ <strong>Teadete plugin</strong><br />Teadete plugina abil saab juhtida näiteks lastehoiu teadete kuvamist ekraanil
@@ -62,6 +62,11 @@ Kas tahad sellest hoolimata jätkata?
container title
Teated
+
+
+
+ <strong>Teadete plugin</strong><br />Teadete plugina abil saa ekraanil näidata näiteks lastehoiu või muid teateid.
+
AlertsPlugin.AlertForm
@@ -110,6 +115,30 @@ Kas tahad sellest hoolimata jätkata?
&Parameeter:
+
+
+
+ Parameetreid ei leitud
+
+
+
+
+ Sa ei ole sisestanud parameetrit, mida asendada.
+Kas tahad siiski jätkata?
+
+
+
+
+ Kohahoidjat ei leitud
+
+
+
+
+ Teate tekst ei sisalda '<>'.
+Kas tahad siiski jätkata?
+
AlertsPlugin.AlertsManager
@@ -157,18 +186,18 @@ Kas tahad sellest hoolimata jätkata?
- Raamatute importimine... %s
+ Raamatute importimine... %s
Importing verses from <book name>...
- Salmide importimine failist %s...
+ Salmide importimine failist %s...
- Salmide importimine... valmis.
+ Salmide importimine... valmis.
@@ -176,12 +205,17 @@ Kas tahad sellest hoolimata jätkata?
-
+ &Uuenda vanemad Piiblid
+
+
+
+
+ Piibli andmebaaside uuendamine viimasesse formaati
-
+ Piibli andmebaaside uuendamine viimasesse formaati.
@@ -189,22 +223,22 @@ Kas tahad sellest hoolimata jätkata?
- Tõrge allalaadimisel
+ Tõrge allalaadimisel
- Parsimise viga
+ Parsimise viga
- Valitud salmide allalaadimisel esines viga. Kontrolli oma internetiühendust ning kui see viga kordub, teata sellest veast.
+ Valitud salmide allalaadimisel esines viga. Kontrolli oma internetiühendust ning kui see viga kordub, teata sellest veast.
- Sinu salmide vahemiku analüüsimisel esines viga. Kui see viga kordub, siis palun teata sellest veast.
+ Sinu salmide vahemiku analüüsimisel esines viga. Kui see viga kordub, siis palun teata sellest veast.
@@ -212,22 +246,27 @@ Kas tahad sellest hoolimata jätkata?
- Piibel ei ole täielikult laaditud.
+ Piibel ei ole täielikult laaditud.
- Ühe- ja kahekeelseid piiblisalmide otsitulemusi pole võimalik kombineerida. Kas tahad otsingu tulemused kustutada ja alustada uue otsinguga?
+ Ühe- ja kahekeelseid piiblisalmide otsitulemusi pole võimalik kombineerida. Kas tahad otsingu tulemused kustutada ja alustada uue otsinguga?
-
+ Andmed
+
+
+
+
+ Teised Piiblid ei sisalda kõiki salme, mis on peamises Piiblis. Näidatakse ainult neid salme, mis leiduvad mõlemas Piiblis. %d salmi ei kaasatud tulemustesse.
-
+ Teine Piibel ei sisalda kõiki salme, mis on peamises Piiblis. Näidatakse ainult neid salme, mis leiduvad mõlemas Piiblis. %d salmi ei kaasatud tulemustesse.
@@ -256,12 +295,12 @@ Kas tahad sellest hoolimata jätkata?
Piiblid
-
+
Ühtegi raamatut ei leitud
-
+
Sellest Piiblist ei leitud vastavat raamatut. Kontrolli, kas sa sisestasid raamatu nime õigesti.
@@ -303,40 +342,50 @@ Kas tahad sellest hoolimata jätkata?
-
+ <strong>Piibli plugin</strong><br />Piibli plugin võimaldab kuvada teenistuse ajal eri allikatest piiblisalme.
+
+
+
+
+ &Uuenda vanemad Piiblid
+
+
+
+
+ Piibli andmebaaside uuendamine viimasesse formaati.
BiblesPlugin.BibleManager
-
+
Kirjakohaviite tõrge
-
+
Veebipiiblit pole võimalik kasutada
-
+
Tekstiotsing veebipiiblist pole võimalik.
-
+
Sa ei sisestanud otsingusõna.
Sa võid eraldada võtmesõnad tühikuga, et otsida neid kõiki, või eraldada need komaga, et otsitaks ühte neist.
-
+
Praegu pole ühtegi Piiblit paigaldatud. Palun paigalda mõni Piibel importimise nõustaja abil.
-
+
-
+
Ühtegi Piiblit pole saadaval
@@ -415,42 +464,42 @@ Muudatused ei rakendu juba teenistusesse lisatud salmidele.
-
+ Vali raamatu nimi
-
+ Järgneva raamatu nime ei suudetud ise tuvastada. Palun vali loetelust vastav ingliskeelne nimi.
-
+ Praegune nimi:
-
+ Vastav nimi:
-
+ Näidatakse ainult
-
+ Vana testament
-
+ Uus testament
-
+ Apokrüüfid
@@ -458,195 +507,235 @@ Muudatused ei rakendu juba teenistusesse lisatud salmidele.
-
+ Pead valima raamatu.
+
+
+
+ BiblesPlugin.CSVBible
+
+
+
+ Raamatute importimine... %s
+
+
+
+
+ Importing verses from <book name>...
+ Salmide importimine failist %s...
+
+
+
+
+ Salmide importimine... valmis.
BiblesPlugin.HTTPBible
-
+
-
+ Piibli registreerimine ja raamatute laadimine...
-
+
-
+ Keele registreerimine...
-
+
Importing <book name>...
-
+ %s importimine...
+
+
+
+
+ Tõrge allalaadimisel
+
+
+
+
+ Valitud salmide allalaadimisel esines viga. Kontrolli oma internetiühendust ning kui see viga kordub, teata sellest veast.
+
+
+
+
+ Parsimise viga
+
+
+
+
+ Sinu salmide vahemiku analüüsimisel esines viga. Kui see viga kordub, siis palun teata sellest veast.
BiblesPlugin.ImportWizardForm
-
+
Piibli importimise nõustaja
-
+
See nõustaja aitab erinevatest vormingutest Piibleid importida. Klõpsa all asuvale edasi nupule, et alustada vormingu valimisest, millest importida.
-
+
Veebist allalaadimine
-
+
Asukoht:
-
+
Crosswalk
-
+
BibleGateway
-
+
Piibel:
-
+
Allalaadimise valikud
-
+
Server:
-
+
Kasutajanimi:
-
+
Parool:
-
+
Proksiserver (valikuline)
-
+
Litsentsist lähemalt
-
+
Määra Piibli litsentsi andmed.
-
+
Versiooni nimi:
-
+
Autoriõigus:
-
+
Palun oota, kuni sinu Piiblit imporditakse.
-
+
Pead määrama faili, mis sisaldab piibliraamatuid, mida tahad importida.
-
+
Pead ette andma piiblisalmide faili, mida importida.
-
+
Pead määrama Piibli versiooni nime.
-
+
Pead määrama piiblitõlke autoriõiguse! Avalikkuse omandisse kuuluvad Piiblid tuleb vastavalt tähistada.
-
+
Piibel on juba olemas
-
+
See Piibel on juba olemas! Palun impordi mingi muu Piibel või kustuta enne olemasolev.
-
+
Piibli importimine nurjus.
-
+
Õigused:
-
+
CSV fail
-
+
Piibliserver
-
+
Piibli fail:
-
+
Raamatute fail:
-
+
Salmide fail:
-
+
openlp.org 1.x piiblifailid
-
+
-
+ Piibli registreerimine...
-
+
-
+ Piibel on registreeritud. Pea meeles, et salmid laaditakse alla
+vastavalt vajadusele ning seetõttu on vaja internetiühendust.
@@ -654,12 +743,12 @@ demand and thus an internet connection is required.
-
+ Keele valimine
-
+ OpenLP ei suuda tuvastada selle piiblitõlke keelt. Palun vali keel järgnevast loendist.
@@ -670,67 +759,87 @@ demand and thus an internet connection is required.
BiblesPlugin.LanguageForm
-
+
-
+ Pead valima keele.
BiblesPlugin.MediaItem
-
+
Kiirotsing
-
+
Otsing:
-
+
Raamat:
-
+
Peatükk:
-
+
Salm:
-
+
Algus:
-
+
Kuni:
-
+
Tekstiotsing
-
+
Teine:
-
+
Salmiviide
-
+
-
+ Vajuta eelmiste tulemuste säilistamiseks või eemaldamiseks.
+
+
+
+
+ Ühe- ja kahekeelseid piiblisalmide otsitulemusi pole võimalik kombineerida. Kas tahad otsingu tulemused kustutada ja alustada uue otsinguga?
+
+
+
+
+ Piibel ei ole täielikult laaditud.
+
+
+
+
+ Andmed
+
+
+
+
+ Teine Piibel ei sisalda kõiki salme, mis on peamises Piiblis. Näidatakse ainult neid salme, mis leiduvad mõlemas Piiblis. %d salmi ei kaasatud tulemustesse.
@@ -759,236 +868,269 @@ demand and thus an internet connection is required.
BiblesPlugin.UpgradeWizardForm
-
+
-
+ Varunduskataloogi valimine
-
+
-
+ Piibli uuendamise nõustaja
-
+
-
+ See nõustaja aitab uuendada olemasolevaid Piibleid eelnevatelt OpenLP 2 versioonidelt. Uuendamise alustamiseks klõpsa edasi.
-
+
-
+ Varunduskausta valimine
-
+
-
+ Vali oma Piiblitele varunduskataloog
-
+
-
+ Eelmised OpenLP 2.0 versioonid ei suuda kasutada uuendatud Piibleid. Sellega luuakse sinu praegustest Piiblistest varukoopia, et sa saaksid failid kopeerida tagasi OpenLP andmekataloogi, kui sa pead minema tagasi OpenLP eelmisele versioonile. Juhised failide taastamiseks leiad <a href="http://wiki.openlp.org/faq">Korduma Kippuvatest Küsimustest</a>.
-
+
-
+ Palun vali oma Piiblite varundamise jaoks kataloog.
-
+
-
+ Varunduskataloog:
-
+
-
+ Pole vajadust mu Piibleid varundada
-
+
-
+ Piiblite valimine
-
+
-
+ Palun vali Piiblid, mida uuendada
+
+
+
+
+ Versiooni nimi:
-
- Versiooni nimi:
-
-
-
-
+ Piibel on ikka veel olemas. Vali nimi või jäta see märkimata.
-
+
-
+ Uuendamine
-
+
-
+ Palun oota, kuni Piibleid uuendatakse.
-
+ Pead Piiblite jaoks määrama varunduskataloogi.
-
+
+
+ Varundus ei olnud edukas.
+Piiblite varundamiseks peab sul olema õigus antud kataloogi kirjutada. Kui sul on kirjutusõigused ja see viga siiski esineb, raporteeri sellest veast.
+
+
+
- Pead määrama Piibli versiooni nime.
+ Pead määrama Piibli versiooni nime.
-
+
- Piibel on juba olemas
+ Piibel on juba olemas
-
+
-
+ Piibel on juba olemas. Uuenda mõni teine Piibel, kustuta olemasolev või jäta see märkimata.
+
+
+
+
+ Piibli(te) uuendamise alustamine...
-
+ Uuendamiseks pole ühtegi Piiblit saadaval.
-
+
-
+ %s Piibli uuendamine %s-st : "%s"
+Nurjus
-
+
-
+ %s Piibli uuendamine %s-st : "%s"
+Uuendamine...
-
+
Tõrge allalaadimisel
-
+
-
+ %s Piibli uuendamine (kokku %s-st): "%s"
+%s uuendamine...
-
+
-
+ , %s nurjus
-
+
-
+ Piibli(te) uuendamine: %s edukas%s
-
+
-
+ Uuendamine nurjus.
-
+
-
+ Varundamine ei õnnestunud.
+Piiblite varundamiseks peab sul olema õigus antud kataloogi kirjutada.
-
-
-
-
-
-
+
-
+ Veebipiiblite uuendamiseks on vajalik internetiühendus.
-
+
-
+ %s. Piibli uuendamine (kokku %s-st): "%s"
+Valmis
-
+
-
+ Piibli(te) uuendamine: %s edukat%s
+Pane tähele, et veebipiiblite salmid laaditakse internetist vajadusel, seega on nende kasutamisel vaja internetiühendust.
+
+
+
+
+ Pead määrama Piiblite varundamise kataloogi.
+
+
+
+
+ Uuendamise alustamine...
+
+
+
+
+ Pole ühtegi Piiblit, mis vajaks uuendamist.
CustomPlugin
+
+
+
+ <strong>Kohandatud plugin</strong><br />Kohandatud plugin võimaldab tekitada oma tekstiga slaidid, mida kuvatakse ekraanil täpselt nagu laulusõnugi. See plugin võimaldab rohkem vabadust, kui laulude plugin.
+
-
+ <strong>Kohandatud slaidide plugin</strong><br />Kohandatud slaidide plugin võimaldab ekraanil oma tekstiga slaide kuvada, samuti nagu kuvatakse laule, kuid pakub suuremat vabadust kui laulude plugin.
name singular
-
+ Kohandatud slaid
name plural
-
+ Kohandatud slaidid
container title
-
+ Kohandatud slaidid
-
+ Laadi uus kohandatud slaid.
-
+ Kohandatud slaidi importimine.
-
+ Uue kohandatud slaidi lisamine.
-
+ Valitud kohandatud slaidi muutmine.
-
+ Valitud kohandatud slaidi kustutamine.
-
+ Valitud kohandatud slaidi eelvaatlus.
-
+ Valitud kohandatud slaidi saatmine ekraanile.
-
+ Valitud kohandatud slaidi lisamine teenistusele.
@@ -1031,6 +1173,11 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
Kõigi slaidide muutmine ühekorraga.
+
+
+
+ Slaidi tükeldamine
+
@@ -1047,12 +1194,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
&Autorid:
-
+
Pead sisestama pealkirja.
-
+
Pead lisama vähemalt ühe slaidi
@@ -1064,7 +1211,79 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
-
+ Slaidi sisestamine
+
+
+
+ CustomPlugin.MediaItem
+
+
+
+
+ Kas oled kindel, et tahad kustutada %n valitud kohandatud slaidi?
+ Kas oled kindel, et tahad kustutada %n valitud kohandatud slaidi?
+
+
+
+
+ CustomsPlugin
+
+
+
+ name singular
+ Kohandatud
+
+
+
+
+ name plural
+ Kohandatud
+
+
+
+
+ container title
+ Kohandatud
+
+
+
+
+ Uue kohandatud slaidi laadimine.
+
+
+
+
+ Kohandatud slaidi importimine.
+
+
+
+
+ Uue kohandatud slaidi lisamine.
+
+
+
+
+ Valitud kohandatud slaidi muutmine.
+
+
+
+
+ Valitud kohandatud slaidi kustutamine.
+
+
+
+
+ Valitud kohandatud slaidi eelvaade.
+
+
+
+
+ Valitud kohandatud slaidi saatmine ekraanile.
+
+
+
+
+ Valitud kohandatud slaidi lisamine teenistusele.
@@ -1072,7 +1291,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
- Üldine
+ Üldine
@@ -1100,40 +1319,75 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
container title
Pildid
+
+
+
+ Uue pildi laadimine.
+
+
+
+
+ Uue pildi lisamine.
+
+
+
+
+ Valitud pildi muutmine.
+
+
+
+
+ Valitud pildi kustutamine.
+
+
+
+
+ Valitud pildi eelvaade.
+
+
+
+
+ Valitud pildi saatmine ekraanile.
+
+
+
+
+ Valitud pildi lisamine teenistusele.
+
-
+ Uue pildi laadimine.
-
+ Uue pildi lisamine.
-
+ Valitud pildi muutmine.
-
+ Valitud pildi kustutamine.
-
+ Valitud pildi eelvaatlus.
-
+ Valitud pildi saatmine ekraanile.
-
+ Valitud pildi lisamine teenistusele.
@@ -1147,41 +1401,46 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
ImagePlugin.MediaItem
-
+
Pildi (piltide) valimine
-
+
Pead valima pildi, mida kustutada.
-
+
Pead enne valima pildi, millega tausta asendada.
-
+
Puuduvad pildid
-
+
Järgnevaid pilte enam pole: %s
-
+
Järgnevaid pilte enam pole: %sKas tahad teised pildid sellest hoolimata lisada?
-
+
Tausta asendamisel esines viga, pildifaili "%s" enam pole.
+
+
+
+
+
MediaPlugin
@@ -1208,79 +1467,119 @@ Do you want to add the other images anyway?
container title
Meedia
+
+
+
+ Uue meedia laadimine.
+
+
+
+
+ Uue meedia lisamine.
+
+
+
+
+ Valitud meedia muutmine.
+
+
+
+
+ Valitud meedia kustutamine.
+
+
+
+
+ Valitud meedia eelvaade.
+
+
+
+
+ Valitud meedia saatmine ekraanile.
+
+
+
+
+ Valitud meedia lisamine teenistusele.
+
-
+ Uue meedia laadimine.
-
+ Uue meedia lisamine.
-
+ Valitud meedia muutmine.
-
+ Valitud meedia kustutamine.
-
+ Valitud meedia eelvaatlus.
-
+ Valitud saatmine ekraanile.
-
+ Valitud meedia lisamine teenistusele.
MediaPlugin.MediaItem
-
+
Meedia valimine
-
+
Pead valima meedia, mida kustutada.
-
+
Puuduv meediafail
-
+
Faili %s ei ole enam olemas.
-
+
Pead enne valima meediafaili, millega tausta asendada.
-
+
Tausta asendamisel esines viga, meediafaili "%s" enam pole.
-
+
Videod (%s);;Audio (%s);;%s (*)
+
+
+
+
+
MediaPlugin.MediaTab
@@ -1298,21 +1597,23 @@ Do you want to add the other images anyway?
OpenLP
-
+
Pildifailid
-
+ Andmed
-
+ Piibli vorming on muutunud.
+Sa pead olemasolevad Piiblid uuendama.
+Kas OpenLP peaks kohe uuendamist alustama?
@@ -1480,7 +1781,13 @@ OpenLP is free church presentation software, or lyrics projection software, used
Find out more about OpenLP: http://openlp.org/
OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider contributing by using the button below.
-
+ OpenLP <version><revision> - vaba tarkvara laulusõnade näitamiseks
+
+OpenLP on tasuta kiriku esitlustarkvara laulusõnade näitamiseks, mis näitab ka piiblisalme, videoid, pilte ja koguni esitlusi (kui on paigaldatud Impress, PowerPoint või PowerPoint Viewer), selleks on vaja arvutit ja projektorit.
+
+Uuri OpenLP kohta lähemalt: http://openlp.org/
+
+OpenLP on kirjutanud ja seda haldavad vabatahtlikud. Kui sa tahad näha rohkem tasuta kristlikku tarkvara, kaalu kaasaaitamist, kasutades all asuvat nuppu.
@@ -1580,82 +1887,82 @@ Portions copyright © 2004-2011 %s
OpenLP.DisplayTagDialog
-
+
- Valiku muutmine
+ Valiku muutmine
-
+
- Kirjeldus
+ Kirjeldus
+
+
+
+
+ Silt
+
+
+
+
+ Alustamise silt
-
- Silt
-
-
-
-
- Alustamise silt
-
-
-
- Lõpu silt
+ Lõpu silt
-
+
- Märgise ID
+ Märgise ID
-
+
- HTML alguses
+ HTML alguses
-
+
- HTML lõpus
+ HTML lõpus
-
+
-
+ Salvesta
OpenLP.DisplayTagTab
-
+
- Tõrge uuendamisel
+ Tõrge uuendamisel
- Silt "n" on juba defineeritud.
+ Silt "n" on juba defineeritud.
-
+
- Silt %s on juba defineeritud.
+ Silt %s on juba defineeritud.
-
+ Uus silt
-
+ </ja siia>
-
+ <HTML siia>
@@ -1663,82 +1970,77 @@ Portions copyright © 2004-2011 %s
-
+ Punane
-
+ Must
-
+ Sinine
-
+ Kollane
-
+ Roheline
-
+ Roosa
-
+ Oranž
-
+ Lilla
-
+ Valge
-
+ Ülaindeks
-
+ Alaindeks
-
+ Lõik
- Rasvane
+ Rasvane
-
+ Kursiiv
-
-
-
-
-
-
+ Allajoonitud
@@ -1908,12 +2210,12 @@ Version: %s
%s allalaadimine...
-
+
Allalaadimine lõpetatud. OpenLP käivitamiseks klõpsa lõpetamise nupule.
-
+
Valitud pluginate sisselülitamine...
@@ -1945,7 +2247,7 @@ Version: %s
- Kohandatud tekst
+ Kohandatud tekst
@@ -2045,6 +2347,16 @@ Esmakäivituse nõustajast loobumiseks klõpsa lõpetamise nupule.
OpenLP jaoks vaikimisi sätete määramine.
+
+
+
+ Seadistamine ja importimine
+
+
+
+
+ Palun oota, kuni OpenLP on seadistatud ning sinu andmed on imporditud.
+
@@ -2063,26 +2375,210 @@ Esmakäivituse nõustajast loobumiseks klõpsa lõpetamise nupule.
-
+ See nõustaja aitab alguses OpenLP seadistada. Alustamiseks klõpsa edasi nupule.
-
+
-
-
-
-
-
-
-
-
-
-
-
+ Seadistamine ja allalaadimine
+
+ Palun oota, kuni OpenLP-d seadistatakse ja andmeid allalaaditakse.
+
+
+
+
+ Seadistamine
+
+
+
+ OpenLP käivitamiseks klõpsa lõpetamise nupule.
+
+
+
+
+ Kohandatud slaidid
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTagDialog
+
+
+
+
+
+
+
+
+ Valiku muutmine
+
+
+
+
+ Salvesta
+
+
+
+
+ Kirjeldus
+
+
+
+
+ Silt
+
+
+
+
+ Alustamise silt
+
+
+
+
+ Lõpu silt
+
+
+
+
+ Märgise ID
+
+
+
+
+ HTML alguses
+
+
+
+
+ HTML lõpus
+
+
+
+ OpenLP.FormattingTagForm
+
+
+
+ Tõrge uuendamisel
+
+
+
+
+ Silt "n" on juba defineeritud.
+
+
+
+
+ Uus silt
+
+
+
+
+ <HTML siia>
+
+
+
+
+ </ja siia>
+
+
+
+
+ Silt %s on juba defineeritud.
+
+
+
+ OpenLP.FormattingTags
+
+
+
+ Punane
+
+
+
+
+ Must
+
+
+
+
+ Sinine
+
+
+
+
+ Kollane
+
+
+
+
+ Roheline
+
+
+
+
+ Roosa
+
+
+
+
+ Oranž
+
+
+
+
+ Lilla
+
+
+
+
+ Valge
+
+
+
+
+ Ülaindeks
+
+
+
+
+ Alaindeks
+
+
+
+
+ Lõik
+
+
+
+
+ Rasvane
+
+
+
+
+ Kursiiv
+
+
+
+
+ Allajoonitud
+
+
+
+
@@ -2230,7 +2726,7 @@ Esmakäivituse nõustajast loobumiseks klõpsa lõpetamise nupule.
OpenLP.MainDisplay
-
+
OpenLP kuva
@@ -2238,307 +2734,307 @@ Esmakäivituse nõustajast loobumiseks klõpsa lõpetamise nupule.
OpenLP.MainWindow
-
+
&Fail
-
+
&Impordi
-
+
&Ekspordi
-
+
&Vaade
-
+
&Režiim
-
+
&Tööriistad
-
+
&Sätted
-
+
&Keel
-
+
A&bi
-
+
Meediahaldur
-
+
Teenistuse haldur
-
+
Kujunduse haldur
-
+
&Uus
-
+
&Ava
-
+
Olemasoleva teenistuse avamine.
-
+
&Salvesta
-
+
Praeguse teenistuse salvestamine kettale.
-
+
Salvesta &kui...
-
+
Salvesta teenistus kui
-
+
Praeguse teenistuse salvestamine uue nimega.
-
+
&Välju
-
+
Lahku OpenLPst
-
+
&Kujundus
-
+
&Seadista OpenLP...
-
+
&Meediahaldur
-
+
Meediahalduri lüliti
-
+
Meediahalduri nähtavuse ümberlüliti.
-
+
&Kujunduse haldur
-
+
Kujunduse halduri lüliti
-
+
Kujunduse halduri nähtavuse ümberlülitamine.
-
+
&Teenistuse haldur
-
+
Teenistuse halduri lüliti
-
+
Teenistuse halduri nähtavuse ümberlülitamine.
-
+
&Eelvaatluspaneel
-
+
Eelvaatluspaneeli lüliti
-
+
Eelvaatluspaneeli nähtavuse ümberlülitamine.
-
+
&Ekraani paneel
-
+
Ekraani paneeli lüliti
-
+
Ekraani paneeli nähtavuse muutmine.
-
+
&Pluginate loend
-
+
Pluginate loend
-
+
&Kasutajajuhend
-
+
&Lähemalt
-
+
Lähem teave OpenLP kohta
-
+
&Abi veebis
-
+
&Veebileht
-
+
Kui saadaval, kasutatakse süsteemi keelt.
-
+
Kasutajaliidese keeleks %s määramine
-
+
Lisa &tööriist...
-
+
Rakenduse lisamine tööriistade loendisse.
-
+
&Vaikimisi
-
+
Vaikimisi kuvarežiimi taastamine.
-
+
&Ettevalmistus
-
+
Ettevalmistuse kuvarežiimi valimine.
-
+
&Otse
-
+
Vaate režiimiks ekraanivaate valimine.
-
+
OpenLP uuendus
-
+
OpenLP peakuva on tühi
-
+
Peakuva on tühi
-
+
Vaikimisi kujundus: %s
-
+
@@ -2553,53 +3049,113 @@ Sa võid viimase versiooni alla laadida aadressilt http://openlp.org/.Eesti
-
+
&Kiirklahvide seadistamine...
-
+
OpenLP sulgemine
-
+
Kas oled kindel, et tahad OpenLP sulgeda?
-
-
- &Kuvasiltide seadistamine
+
+
+ Praeguse teenistuse järjekorra printimine.
-
+
+
+ &Kuvasiltide seadistamine
+
+
+
Ava &andmete kataloog...
-
+
Laulude, Piiblite ja muude andmete kataloogi avamine.
-
+
&Isetuvastus
-
+
-
+ Teemapiltide uuendamine
-
+
+ Kõigi teemade eelvaatepiltide uuendamine.
+
+
+
+
+ Praeguse teenistuse printimine.
+
+
+
+
+ &Lukusta paneelid
+
+
+
+
+ Paneelide liigutamise kaitse.
+
+
+
+
+ Käivita esmanõustaja uuesti
+
+
+
+
+ Käivita esmanõustaja uuesti laulude, Piiblite ja kujunduste importimiseks.
+
+
+
+
+ Kas käivitada esmanõustaja uuesti?
+
+
+
+
+ Kas oled kindel, et tahad esmakäivituse nõustaja uuesti käivitada?
+
+Selle nõustaja taaskäivitamine muudab sinu praegust OpenLP seadistust ja võib lisada laule olemasolevate laulude loetelusse ning muuta vaikimisi kujundust.
+
+
+
+
-
-
+
+
+
+
+
+
+
+ Clear List of recent files
+
+
+
+
+
@@ -2611,54 +3167,76 @@ Sa võid viimase versiooni alla laadida aadressilt http://openlp.org/.Ühtegi elementi pole valitud
-
+
&Lisa valitud teenistuse elemendile
-
+
Sa pead valima vähemalt ühe kirje, mida eelvaadelda.
-
+
Sa pead valima vähemalt ühe kirje, mida tahad ekraanil näidata.
-
+
Pead valima vähemalt ühe elemendi.
-
+
Pead valima olemasoleva teenistuse, millele lisada.
-
+
Vigane teenistuse element
-
+
Pead valima teenistuse elemendi %s.
-
+
+
+ Korduv failinimi %s.
+Failinimi on loendis juba olemas
+
+
+
-
+
-
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
@@ -2708,12 +3286,12 @@ This filename is already in the list
OpenLP.PrintServiceDialog
-
+
Mahuta lehele
-
+
Mahuta laius
@@ -2721,70 +3299,90 @@ This filename is already in the list
OpenLP.PrintServiceForm
-
+
Valikud
- Sulge
+ Sulge
-
+
Kopeeri
-
+
Kopeeri HTMLina
-
+
Suurendamine
-
+
Vähendamine
-
+
Originaalsuurus
-
+
Muud valikud
-
+
Slaidi teksti, kui saadaval
-
+
Teenistuse kirje märkmed
-
+
Meediakirjete pikkus
-
+
+
+ Teenistuse järjekord
+
+
+
Iga tekstikirje algab uuelt lehelt
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ScreenList
@@ -2799,10 +3397,23 @@ This filename is already in the list
peamine
+
+ OpenLP.ServiceItem
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceItemEditForm
-
+
Teenistuse elementide ümberjärjestamine
@@ -2810,257 +3421,277 @@ This filename is already in the list
OpenLP.ServiceManager
-
+
Tõsta ü&lemiseks
-
+
Teenistuse algusesse tõstmine.
-
+
Liiguta &üles
-
+
Elemendi liigutamine teenistuses ühe koha võrra ettepoole.
-
+
Liiguta &alla
-
+
Elemendi liigutamine teenistuses ühe koha võrra tahapoole.
-
+
Tõsta &alumiseks
-
+
Teenistuse lõppu tõstmine.
-
+
&Kustuta teenistusest
-
+
Valitud elemendi kustutamine teenistusest.
-
+
&Lisa uus element
-
+
&Lisa valitud elemendile
-
+
&Muuda kirjet
-
+
&Muuda elemendi kohta järjekorras
-
+
&Märkmed
-
+
&Muuda elemendi kujundust
-
+
Fail ei ole sobiv teenistus.
Sisu ei ole UTF-8 kodeeringus.
-
+
Fail pole sobiv teenistus.
-
+
Puudub kuvakäsitleja
-
+
Seda elementi pole võimalik näidata ekraanil, kuna puudub seda käsitsev programm
-
+
Seda elementi pole võimalik näidata ekraanil, kuna puudub seda käsitsev programm
-
+
&Laienda kõik
-
+
Kõigi teenistuse kirjete laiendamine.
-
+
&Ahenda kõik
-
+
Kõigi teenistuse kirjete ahendamine.
-
+
Faili avamine
-
+
OpenLP teenistuse failid (*.osz)
-
+
Valiku tõstmine aknas allapoole.
-
+
Liiguta üles
-
+
Valiku tõstmine aknas ülespoole.
-
+
Ekraanile
-
+
Valitud kirje saatmine ekraanile.
-
+
Teenistust on muudetud
-
+
&Alguse aeg
-
+
Näita &eelvaadet
-
+
Näita &ekraanil
-
+
Praegust teensitust on muudetud. Kas tahad selle teenistuse salvestada?
-
+
Faili pole võimalik avada, kuna see on rikutud.
-
+
Tühi fail
-
+
Selles teenistuse failis pole andmeid.
-
+
Rikutud fail
-
+
Kohandatud teenistuse märkmed:
-
+
Märkmed:
-
+
Kestus:
-
+
Pealkirjata teenistus
-
+
+
+ See fail on rikutud või pole see OpenLP 2.0 teenistuse fail.
+
+
+
Olemasoleva teenistuse laadimine.
-
+
Selle teenistuse salvestamine.
-
+
Teenistuse jaoks kujunduse valimine.
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceNoteForm
-
+
Teenistuse elemendi märkmed
@@ -3078,7 +3709,7 @@ Sisu ei ole UTF-8 kodeeringus.
- Kiirklahvide kohandamine
+ Kiirklahvide kohandamine
@@ -3091,12 +3722,12 @@ Sisu ei ole UTF-8 kodeeringus.
Kiirklahv
-
+
Dubleeriv kiirklahv
-
+
Kiirklahv "%s" on juba seotud teise tegevusega, kasuta mingit muud kiirklahvi.
@@ -3131,20 +3762,25 @@ Sisu ei ole UTF-8 kodeeringus.
Selle tegevuse vaikimisi kiirklahvi taastamine.
-
+
Vaikimisi kiirklahvide taastamine
-
+
Kas tahad taastada kõigi kiirklahvide vaikimisi väärtused?
+
+
+
+
+
OpenLP.SlideController
-
+
Peida
@@ -3154,27 +3790,27 @@ Sisu ei ole UTF-8 kodeeringus.
Liigu kohta
-
+
Ekraani tühjendamine
-
+
Kujunduse tausta näitamine
-
+
Töölaua näitamine
-
+
Eelmine slaid
-
+
Järgmine slaid
@@ -3194,30 +3830,20 @@ Sisu ei ole UTF-8 kodeeringus.
Kuva sulgemine
-
+
-
+
-
+
-
-
-
-
-
-
-
-
-
-
@@ -3247,17 +3873,17 @@ Sisu ei ole UTF-8 kodeeringus.
OpenLP.SpellTextEdit
-
+
Õigekirjasoovitused
-
+
Siltide vormindus
-
+
Keel:
@@ -3304,6 +3930,16 @@ Sisu ei ole UTF-8 kodeeringus.
Valesti sisestatud aeg
+
+
+
+ Lõpu aeg on pärast meedia lõppu
+
+
+
+
+ Alguse aeg on pärast meedia lõppu
+
@@ -3351,192 +3987,198 @@ Sisu ei ole UTF-8 kodeeringus.
OpenLP.ThemeManager
-
+
Uue kujunduse loomine.
-
+
Kujunduse muutmine
-
+
Kujunduse muutmine.
-
+
Kujunduse kustutamine
-
+
Kujunduse kustutamine.
-
+
Kujunduse importimine
-
+
Kujunduse importimine.
-
+
Kujunduse eksportimine
-
+
Kujunduse eksportimine.
-
+
Kujunduse &muutmine
-
+
Kujunduse &kustutamine
-
+
Määra &globaalseks vaikeväärtuseks
-
+
%s (vaikimisi)
-
+
Pead valima kujunduse, mida muuta.
-
+
Vaikimisi kujundust pole võimalik kustutada.
-
+
Kujundust %s kasutatakse pluginas %s.
-
+
Sa ei ole kujundust valinud.
-
+
Salvesta kujundus - (%s)
-
+
Kujundus eksporditud
-
+
Sinu kujunduse on edukalt eksporditud.
-
+
Kujunduse eksportimine nurjus
-
+
Sinu kujundust polnud võimalik eksportida, kuna esines viga.
-
+
Importimiseks kujunduse faili valimine
-
+
See fail ei ole korrektne kujundus.
Sisu kodeering ei ole UTF-8.
-
+
See fail ei ole sobilik kujundus.
-
+
&Kopeeri kujundust
-
+
&Nimeta kujundus ümber
-
+
&Ekspordi kujundus
-
+
Pead valima kujunduse, mida ümber nimetada.
-
+
Ümbernimetamise kinnitus
-
+
Kas anda kujundusele %s uus nimi?
-
+
Pead valima kujunduse, mida tahad kustutada.
-
+
Kustutamise kinnitus
-
+
Kas kustutada kujundus %s?
-
+
Valideerimise viga
-
+
Sellenimeline teema on juba olemas.
-
+
OpenLP kujundused (*.theme *.otz)
+
+
+
+ Copy of <theme name>
+
+
OpenLP.ThemeWizard
@@ -3780,6 +4422,16 @@ Sisu kodeering ei ole UTF-8.
Teema muutmine - %s
+
+
+
+
+
+
+
+
+
+
OpenLP.ThemesTab
@@ -3823,31 +4475,36 @@ Sisu kodeering ei ole UTF-8.
Kasutatakse globaalset kujundust, eirates nii teenistuse kui laulu kujundust.
+
+
+
+ Kujundused
+
OpenLP.Ui
-
+
Viga
-
+
&Kustuta
-
+
Valitud kirje kustutamine.
-
+
Valiku liigutamine ühe koha võrra ülespoole.
-
+
Valiku liigutamine ühe koha võrra allapoole.
@@ -3897,40 +4554,40 @@ Sisu kodeering ei ole UTF-8.
Uue teenistuse loomine.
-
+
&Muuda
-
+
Tühi väli
-
+
Ekspordi
-
+
Abbreviated font pointsize unit
pt
-
+
Pilt
-
+
Impordi
- Kestus %s
+ Kestus %s
@@ -3942,6 +4599,11 @@ Sisu kodeering ei ole UTF-8.
Ekraani tausta viga
+
+
+
+ Ekraani paneel
+
@@ -4002,85 +4664,110 @@ Sisu kodeering ei ole UTF-8.
OpenLP 2.0
-
+
+
+ Teenistuse avamine
+
+
+
Eelvaade
-
+
+
+ Eelvaate paneel
+
+
+
+
+ Teenistuse järjekorra printimine
+
+
+
Tausta asendamine
-
+
+
+ Ekraani tausta asendamine
+
+
+
Tausta lähtestamine
-
+
+
+ Ekraani tausta asendamine
+
+
+
The abbreviated unit for seconds
s
-
+
Salvesta && eelvaatle
-
+
Otsi
-
+
Pead valima elemendi, mida tahad kustutada.
-
+
Pead valima elemendi, mida tahad muuta.
-
+
Teenistuse salvestamine
-
+
Teenistus
-
+
Algus %s
-
+
Singular
Kujundus
-
+
Plural
Kujundused
-
+
Üleval
-
+
Versioon
-
+
&Vertikaaljoondus:
@@ -4146,12 +4833,12 @@ Sisu kodeering ei ole UTF-8.
Pead määrama vähemalt ühe %s faili, millest importida.
-
+
Tere tulemast Piibli importimise nõustajasse
-
+
Tere tulemast laulude eksportimise nõustajasse
@@ -4208,38 +4895,38 @@ Sisu kodeering ei ole UTF-8.
Teemad
-
+
Jätkuv
-
+
Vaikimisi
-
+
Kuvalaad:
-
+
Fail
-
+
Abi
-
+
The abbreviated unit for hours
h
-
+
Paigutuse laad:
@@ -4260,37 +4947,37 @@ Sisu kodeering ei ole UTF-8.
OpenLP juba töötab. Kas tahad jätkata?
-
+
Sätted
-
+
Tööriistad
-
+
Iga salm eraldi slaidil
-
+
Iga salm eraldi real
-
+
Vaade
-
+
Korduse viga
-
+
Toetamata fail
@@ -4305,12 +4992,12 @@ Sisu kodeering ei ole UTF-8.
XML süntaksi viga
-
+
-
+
@@ -4320,37 +5007,62 @@ Sisu kodeering ei ole UTF-8.
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.displayTagDialog
-
+
- Kuvasiltide seadistamine
+ Kuvasiltide seadistamine
@@ -4378,6 +5090,31 @@ Sisu kodeering ei ole UTF-8.
container title
Esitlused
+
+
+
+ Uue esitluse laadimine.
+
+
+
+
+ Valitud esitluse kustutamine.
+
+
+
+
+ Valitud esitluse eelvaade.
+
+
+
+
+ Valitud esitluse saatmine ekraanile.
+
+
+
+
+ Valitud esitluse lisamine teenistusele.
+
@@ -4407,52 +5144,52 @@ Sisu kodeering ei ole UTF-8.
PresentationPlugin.MediaItem
-
+
Esitlus(t)e valimine
-
+
Automaatne
-
+
Esitluseks kasutatakse:
-
+
Fail on olemas
-
+
Sellise nimega esitluse fail on juba olemas.
-
+
Seda liiki esitlus ei ole toetatud.
-
+
Esitlused (%s)
-
+
Puuduv esitlus
-
+
Esitlust %s enam ei ole.
-
+
Esitlus %s ei ole täielik, palun laadi see uuesti.
@@ -4504,12 +5241,12 @@ Sisu kodeering ei ole UTF-8.
RemotePlugin.Mobile
-
+
-
+
@@ -4519,80 +5256,80 @@ Sisu kodeering ei ole UTF-8.
Teenistuse haldur
-
+
-
+
Teated
-
+
Otsi
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
Ekraanile
-
-
-
-
-
-
+
-
+
Valikud
+
+
+
+
+
RemotePlugin.RemoteTab
@@ -4625,68 +5362,78 @@ Sisu kodeering ei ole UTF-8.
SongUsagePlugin
-
+
&Laulude kasutuse jälgimine
-
+
&Kustuta kogutud andmed
-
+
Laulude kasutuse andmete kustutamine kuni antud kuupäevani.
-
+
&Eralda laulukasutuse andmed
-
+
Genereeri raport laulude kasutuse kohta.
-
+
Laulukasutuse jälgimine
-
+
Laulukasutuse jälgimise sisse- ja väljalülitamine.
-
+
<strong>Laulude plugin</strong><br />See plugin võimaldab laulude kuvamise ja haldamise.
-
+
name singular
Laulukasutus
-
+
name plural
Laulukasutus
-
+
container title
Laulukasutus
-
+
Laulude kasutus
+
+
+
+
+
+
+
+
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4736,7 +5483,7 @@ Sisu kodeering ei ole UTF-8.
- Asukohast raporteerimine
+ Raporti asukoht
@@ -4918,6 +5665,36 @@ Kodeering on vajalik märkide õige esitamise jaoks.
Eksportimise nõustaja abil laulude eksportimine.
+
+
+
+ Uue laulu lisamine.
+
+
+
+
+ Valitud laulu muutmine.
+
+
+
+
+ Valitud laulu kustutamine.
+
+
+
+
+ Valitud laulu eelvaade.
+
+
+
+
+ Valitud laulu saatmine ekraanile.
+
+
+
+
+ Valitud laulu lisamine teenistusele.
+
@@ -4998,190 +5775,197 @@ Kodeering on vajalik märkide õige esitamise jaoks.
SongsPlugin.EasyWorshipSongImport
-
+
Haldab %s
+
+
+
+
+
SongsPlugin.EditSongForm
-
+
Lauluredaktor
-
+
&Pealkiri:
-
+
&Alternatiivne pealkiri:
-
+
&Sõnad:
-
+
&Salmide järjekord:
-
+
Muuda &kõiki
-
+
Pealkiri && laulusõnad
-
+
&Lisa laulule
-
+
&Eemalda
-
+
&Autorite, teemade ja laulikute haldamine
-
+
L&isa laulule
-
+
&Eemalda
-
+
Book:
-
+
Number:
-
+
Autorid, teemad && laulik
-
+
Uus &kujundus
-
+
Autoriõiguse andmed
-
+
Kommentaarid
-
+
Kujundus, autoriõigus && kommentaarid
-
+
Autori lisamine
-
+
Seda autorit veel pole, kas tahad autori lisada?
-
+
See autor juba on loendis.
-
+
Sa ei ole valinud ühtegi sobilikku autorit. Vali autor loendist või sisesta uue autori nimi ja klõpsa uue nupul "Lisa laulule autor".
-
+
Teema lisamine
-
+
Sellist teemat pole. Kas tahad selle lisada?
-
+
See teema juba on loendis.
-
+
Sa pole valinud sobivat teemat. Vali teema kas loendist või sisesta uus teema ja selle lisamiseks klõpsa nupule "Lisa laulule teema".
-
+
Pead sisestama laulu pealkirja.
-
+
Pead sisestama vähemalt ühe salmi.
-
+
Hoiatus
-
+
Salmide järjekord pole sobiv. Mitte ükski valm ei vasta %s-le. Sobivad salmid on %s.
-
+
Sa pole kasutanud %s mitte kusagil salmide järjekorras. Kas sa oled kindel, et tahad laulu selliselt salvestada?
-
+
Lauliku lisamine
-
+
Sellist laulikut pole. Kas tahad selle lisada?
-
+
Pead lisama sellele laulule autori.
-
+
Salm peab sisaldama teksti.
@@ -5212,82 +5996,82 @@ Kodeering on vajalik märkide õige esitamise jaoks.
SongsPlugin.ExportWizardForm
-
+
Laulude eksportimise nõustaja
-
+
See nõustaja aitab laulud eksportida avatud ülistuslaulude vormingus OpenLyrics.
-
+
Laulude valimine
-
+
Vali laulud, mida tahad eksportida.
-
+
Eemalda märgistus
-
+
Märgi kõik
-
+
Kataloogi valimine
-
+
Kataloog:
-
+
Eksportimine
-
+
Palun oota, kuni kõik laulud on eksporditud.
-
+
Pead lisama vähemalt ühe laulu, mida tahad eksportida.
-
+
Salvestamise asukohta pole määratud
-
+
Eksportimise alustamine...
-
+
Pead määrama kataloogi.
-
+
Sihtkausta valimine
-
+
@@ -5295,7 +6079,7 @@ Kodeering on vajalik märkide õige esitamise jaoks.
SongsPlugin.ImportWizardForm
-
+
Dokumentide/esitluste valimine
@@ -5334,48 +6118,58 @@ Kodeering on vajalik märkide õige esitamise jaoks.
Faili(de) eemaldamine
+
+
+
+ Songs of Fellowship importija on keelatud, kuna OpenLP ei suuda leida sinu arvutist OpenOffice.org-i.
+
+
+
+
+ Tavalisest dokumendist/esitlusest importija on keelatud, kuna OpenLP ei suuda leida sinu arvutist OpenOffice.org-i.
+
Palun oota, kuni laule imporditakse.
-
+
OpenLP 2.0 andmebaas
-
+
openlp.org v1.x andmebaas
-
+
Words Of Worship Song failid
-
+
Pead määrama vähemalt ühe dokumendi või esitluse faili, millest tahad importida.
-
+
Songs Of Fellowship laulufailid
-
+
SongBeameri failid
-
+
SongShow Plus laulufailid
-
+
Foilpresenteri laulufailid
@@ -5403,32 +6197,32 @@ Kodeering on vajalik märkide õige esitamise jaoks.
SongsPlugin.MediaItem
-
+
Pealkirjad
-
+
Laulusõnad
- Kas kustutada laul(ud)?
+ Kas kustutada laul(ud)?
-
+
CCLI litsents:
-
+
Kogu laulust
-
+
Kas sa oled kindel, et soovid kustutada %n valitud laulu?
@@ -5436,15 +6230,21 @@ Kodeering on vajalik märkide õige esitamise jaoks.
-
+
Autorite, teemade ja laulikute loendi haldamine.
+
+
+
+ For song cloning
+
+
SongsPlugin.OpenLP1SongImport
-
+
See pole openlp.org 1.x laulude andmebaas.
@@ -5460,7 +6260,7 @@ Kodeering on vajalik märkide õige esitamise jaoks.
SongsPlugin.OpenLyricsExport
-
+
"%s" eksportimine...
@@ -5491,12 +6291,12 @@ Kodeering on vajalik märkide õige esitamise jaoks.
SongsPlugin.SongExportForm
-
+
Eksportimine lõpetatud.
-
+
Laulude eksportimine nurjus.
@@ -5504,27 +6304,27 @@ Kodeering on vajalik märkide õige esitamise jaoks.
SongsPlugin.SongImport
-
+
autoriõigus
-
+
Järgnevaid laule polnud võimalik importida:
-
+
-
+
-
+
@@ -5532,7 +6332,7 @@ Kodeering on vajalik märkide õige esitamise jaoks.
SongsPlugin.SongImportForm
-
+
Laulu importimine nurjus.
@@ -5734,7 +6534,7 @@ Kodeering on vajalik märkide õige esitamise jaoks.
- Kujundused
+ Kujundused
diff --git a/resources/i18n/fr.ts b/resources/i18n/fr.ts
index f74fc68f0..45caa753e 100644
--- a/resources/i18n/fr.ts
+++ b/resources/i18n/fr.ts
@@ -1,29 +1,29 @@
-
+
AlertPlugin.AlertForm
- Vous n'avez pas entrer de paramètre a remplacer.
+ Vous n'avez pas entrer de paramètre a remplacer.
Voulez vous continuer tout de même ?
- Pas de paramètre trouvé
+ Pas de paramètre trouvé
-
+ Pas d'espace réservé trouvé
- Le texte d'alerte ne doit pas contenir '<>'.
+ Le texte d'alerte ne doit pas contenir '<>'.
Voulez-vous continuer tout de même ?
@@ -42,7 +42,7 @@ Voulez-vous continuer tout de même ?
- <strong>Module d'alerte</strong><br />Le module d'alerte contre l'affichage d'alerte sur l’écran live
+ <strong>Module d'alerte</strong><br />Le module d'alerte contre l'affichage d'alerte sur l’écran live
@@ -62,6 +62,11 @@ Voulez-vous continuer tout de même ?
container title
Alertes
+
+
+
+
+
AlertsPlugin.AlertForm
@@ -110,6 +115,30 @@ Voulez-vous continuer tout de même ?
Vous n'avez pas spécifier de texte pour votre alerte. Pouvez vous introduire du texte avant de cliquer Nouveau.
+
+
+
+ Pas de paramètre trouvé
+
+
+
+
+ Vous n'avez pas entrer de paramètre a remplacer.
+Voulez vous continuer tout de même ?
+
+
+
+
+ Pas d'espace réservé trouvé
+
+
+
+
+ Le texte d'alerte ne doit pas contenir '<>'.
+Voulez-vous continuer tout de même ?
+
AlertsPlugin.AlertsManager
@@ -157,18 +186,18 @@ Voulez-vous continuer tout de même ?
- Importation des livres... %s
+ Importation des livres... %s
Importing verses from <book name>...
- Importation des versets de %s...
+ Importation des versets de %s...
- Importation des versets... terminé.
+ Importation des versets... terminé.
@@ -176,12 +205,17 @@ Voulez-vous continuer tout de même ?
- Mettre à &jour les anciennes Bibles
+ Mettre à &jour les anciennes Bibles
+
+
+
+
+ Mettre à jour les bases de données de Bible au nouveau format
- Mettre à jour les bases de données de Bible au nouveau format
+ Mettre à jour les bases de données de Bible au nouveau format
@@ -189,22 +223,22 @@ Voulez-vous continuer tout de même ?
- Erreur de téléchargement
+ Erreur de téléchargement
- Il y a un problème de téléchargement de votre sélection de verset. Pouvez-vous contrôler votre connexion Internet, et si cette erreur persiste pensez a rapporter un dysfonctionnement.
+ Il y a un problème de téléchargement de votre sélection de verset. Pouvez-vous contrôler votre connexion Internet, et si cette erreur persiste pensez a rapporter un dysfonctionnement.
- Erreur syntaxique
+ Erreur syntaxique
- Il y a un problème pour extraire votre sélection de verset. Si cette erreur persiste pensez a rapporter un dysfonctionnement.
+ Il y a un problème pour extraire votre sélection de verset. Si cette erreur persiste pensez a rapporter un dysfonctionnement.
@@ -212,22 +246,27 @@ Voulez-vous continuer tout de même ?
- Bible pas entièrement chargée.
+ Bible pas entièrement chargée.
- Vous ne pouvez pas combiner simple et double Bible dans les résultats de recherche. Voulez vous effacer les résultats et commencer une nouvelle recherche ?
+ Vous ne pouvez pas combiner simple et double Bible dans les résultats de recherche. Voulez vous effacer les résultats et commencer une nouvelle recherche ?
- Information
+ Information
+
+
+
+
+ La deuxième Bible ne contient pas tous les versets présents dans la Bible principale. Seulement les versets trouvés dans les deux Bibles vont être affichés. %s versets n'ont pas été inclus dans le résultat.
- La deuxième Bible ne contient pas tous les versets présents dans la Bible principale. Seulement les versets trouvés dans les deux Bibles vont être affichés. %s versets n'ont pas été inclus dans le résultat.
+ La deuxième Bible ne contient pas tous les versets présents dans la Bible principale. Seulement les versets trouvés dans les deux Bibles vont être affichés. %s versets n'ont pas été inclus dans le résultat.
@@ -256,12 +295,12 @@ Voulez-vous continuer tout de même ?
Bibles
-
+
Pas de livre trouvé
-
+
Pas de livre correspondant n'a été trouvé dans cette Bible. Contrôlez que vous avez correctement écrit le nom du livre.
@@ -305,38 +344,48 @@ Voulez-vous continuer tout de même ?
<strong>Module Bible</strong><br />Le Module Bible permet d'afficher des versets bibliques de différentes sources pendant le service.
+
+
+
+ Mettre à &jour les anciennes Bibles
+
+
+
+
+ Mettre à jour les bases de données de Bible au nouveau format
+
BiblesPlugin.BibleManager
-
+
Il n'y a pas de Bibles actuellement installée. Pouvez-vous utiliser l'assistant d'importation pour installer une ou plusieurs Bibles.
-
+
Écriture de référence erronée
-
+
Les Bible Web ne peut être utilisée
-
+
La recherche textuelle n'est pas disponible pour les Bibles Web.
-
+
Vous n'avez pas introduit de mot clé de recherche.
Vous pouvez séparer différents mot clé par une espace pour rechercher tous les mot clé et les séparer par des virgules pour en rechercher uniquement un.
-
+
-
+
Pas de Bible disponible
@@ -461,189 +510,228 @@ Les changement ne s'applique aux versets déjà un service.
Vous devez sélectionner un livre.
+
+ BiblesPlugin.CSVBible
+
+
+
+ Importation des livres... %s
+
+
+
+
+ Importing verses from <book name>...
+ Importation des versets de %s...
+
+
+
+
+ Importation des versets... terminé.
+
+
BiblesPlugin.HTTPBible
-
+
Enregistrement de la Bible et chargement des livres...
-
+
Enregistrement des langages...
-
+
Importing <book name>...
Importation %s...
+
+
+
+ Erreur de téléchargement
+
+
+
+
+ Il y a un problème de téléchargement de votre sélection de verset. Pouvez-vous contrôler votre connexion Internet, et si cette erreur persiste pensez a rapporter un dysfonctionnement.
+
+
+
+
+ Erreur syntaxique
+
+
+
+
+ Il y a un problème pour extraire votre sélection de verset. Si cette erreur persiste pensez a rapporter un dysfonctionnement.
+
BiblesPlugin.ImportWizardForm
-
+
Assistant d'import de Bibles
-
+
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.
-
+
Téléchargement Web
-
+
Emplacement :
-
+
-
+
BibleGateway
-
+
Bibleserver
-
+
Bible :
-
+
Options de téléchargement
-
+
Serveur :
-
+
Nom d'utilisateur :
-
+
Mot de passe :
-
+
Serveur Proxy (Optionnel)
-
+
Détails de la licence
-
+
Mise en place des détailles de la licence de la Bible.
-
+
Nom de la version :
-
+
Copyright :
-
+
Permissions :
-
+
Attendez que la Bible sois importée.
-
+
Vous devez spécifier un fichier avec les livres de la Bible à utiliser dans l'import.
-
+
Vous devez spécifier un fichier de verset biblique à importer.
-
+
Vous devez spécifier un nom de version pour votre Bible.
-
+
Vous devez introduire un copyright pour votre Bible. Les Bibles dans le domaine publics doivent être marquée comme trouvé.
-
+
La Bible existe
-
+
Cette bible existe déjà. Veuillez introduire un non de Bible différent ou commencer par supprimer celle qui existe déjà.
-
+
Fichier CSV
-
+
Votre import de Bible à échoué.
-
+
Fichier Bible :
-
+
Fichiers de livres :
-
+
Fichiers de versets :
-
+
Fichiers Bible openlp.org 1.x
-
+
Enregistrement de Bible...
-
+
Enregistrement de Bible. Remarquer que les versets vont être
@@ -671,7 +759,7 @@ téléchargé à la demande, une connexion Internet fiable est donc nécessaire.
BiblesPlugin.LanguageForm
-
+
Vous devez choisir une langue.
@@ -679,60 +767,80 @@ téléchargé à la demande, une connexion Internet fiable est donc nécessaire.
BiblesPlugin.MediaItem
-
+
Rapide
-
+
Deuxième :
-
+
Recherche :
-
+
Livre :
-
+
Chapitre :
-
+
Verset :
-
+
De :
-
+
A :
-
+
Recherche de texte
-
+
Référence biblique
-
+
Cocher pour garder ou effacer le résultat précédent.
+
+
+
+ Vous ne pouvez pas combiner simple et double Bible dans les résultats de recherche. Voulez vous effacer les résultats et commencer une nouvelle recherche ?
+
+
+
+
+ Bible pas entièrement chargée.
+
+
+
+
+ Information
+
+
+
+
+ La deuxième Bible ne contient pas tous les versets présents dans la Bible principale. Seulement les versets trouvés dans les deux Bibles vont être affichés. %s versets n'ont pas été inclus dans le résultat.
+
BiblesPlugin.Opensong
@@ -760,148 +868,181 @@ téléchargé à la demande, une connexion Internet fiable est donc nécessaire.
BiblesPlugin.UpgradeWizardForm
-
+
Sélectionner un répertoire de sauvegarde
-
+
Assistant de mise a jours des Bibles
-
+
Cet assistant va vous aider à mettre a jours vos Bibles depuis une version prétendante d'OpenLP 2. Cliquer sur le bouton, si dessous, suivant pour commencer le processus de mise a jour.
-
+
Sélectionner répertoire de sauvegarde
-
+
Veuillez sélectionner un répertoire de sauvegarde pour vos Bibles
-
+
Les versions précédentes de OpenLP 2.0 sont incapables d'utiliser Bibles mises à jour. Cela créera une sauvegarde de vos Bibles de sorte que vous puissiez simplement copier les fichiers vers votre répertoire de donnée d'OpenLP si vous avez besoin de revenir à une version précédente de OpenLP. Instructions sur la façon de restaurer les fichiers peuvent être trouvés dans notre <a href="http://wiki.openlp.org/faq">Foire aux questions</ a>.
-
+
Veuillez sélectionner un répertoire de sauvegarde pour vos Bibles.
-
+
Répertoire de sauvegarde :
-
+
Il n'y a pas besoin de sauvegarder mes Bibles
-
+
Sélectionne Bibles
-
+
Veuillez sélectionner les Bibles à mettre à jours
-
+
- Nom de la version :
+ Nom de la version :
-
+
- Cette Bible existe encore. Veuillez changer le nom ou la décocher.
+ Cette Bible existe encore. Veuillez changer le nom ou la décocher.
-
+
Mise à jour
-
+
Merci d'attendre pendant que vos Bible soient mises à jour.
- Vous devez spécifier un répertoire de sauvegarde pour vos Bibles.
+ Vous devez spécifier un répertoire de sauvegarde pour vos Bibles.
-
+
+
+ La sauvegarde a échoué.
+Pour sauvegarder vos Bibles vous besoin du 9droit d'écrire dans le répertoire donné. Si vous avez les autorisations d'écriture et cette erreur se produit encore, merci de signaler un problème.
+
+
+
- Vous devez spécifier un nom de version pour votre Bible.
+ Vous devez spécifier un nom de version pour votre Bible.
-
+
- La Bible existe
+ La Bible existe
-
+
- Cette Bible existe déjà. Merci de mettre a jours une Bible différente, effacer la bible existante ou décocher.
+ Cette Bible existe déjà. Merci de mettre a jours une Bible différente, effacer la bible existante ou décocher.
+
+
+
+
+ Commence la mise à jours des Bible(s)...
- Il n'y a pas de Bibles à mettre a jour.
+ Il n'y a pas de Bibles à mettre a jour.
-
+
Mise a jour de la Bible %s de %s : "%s"
Échouée
-
+
Mise a jour de la Bible %s de %s : "%s"
Mise à jour ...
-
+
Erreur de téléchargement
-
+
+
+ Pour mettre à jour vos Bibles Web une connexion Internet est nécessaire. Si vous avez une connexion à Internet et que cette erreur se produit toujours, Merci de signaler un problème.
+
+
+
Mise a jour de la Bible %s de %s : "%s"
Mise à jour %s ...
-
+
+
+ Mise a jour de la Bible %s de %s : "%s"
+Terminée
+
+
+
, %s écobuée
-
+
+
+ Mise a jour des Bible(s) : %s succès%s
+Veuillez remarquer, que les versets des Bibles Web sont téléchargés
+à la demande vous avez donc besoin d'une connexion Internet.
+
+
+
Mise à jour des Bible(s) : %s succès%s
-
+
Mise à jour échouée.
-
+
La sauvegarde à échoué.
@@ -910,30 +1051,50 @@ Pour sauvegarder vos bibles vous avez besoin des droits d'écriture pour le
- Commence la mise à jour de Bible...
+ Commence la mise à jour de Bible...
-
+
Pour mettre à jours vos Bibles Web une connexion à Internet est nécessaire.
-
+
Mise a jour de la Bible %s de %s : "%s"
Terminée
-
+
Mise a jour des Bible(s) : %s succès%s
Veuillez remarquer, que les versets des Bibles Web sont téléchargés à la demande vous avez donc besoin d'une connexion Internet.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
CustomPlugin
+
+
+
+ <strong>Module Personnel</strong><br />Le module personnel permet de créer des diapositive textuel personnalisée qui peuvent être affichée comme les chants. Ce module permet une grande liberté par rapport au module chant.
+
@@ -1054,32 +1215,108 @@ Veuillez remarquer, que les versets des Bibles Web sont téléchargés à la dem
&Crédits :
-
+
Vous devez introduire un titre.
-
+
Vous devez ajouter au moins une diapositive
+
+
+
+ Sépare la diapositive
+
Sépare la diapositive en deux par l'inversion d'un séparateur de diapositive.
+
+
+
+ Sépare la diapositive en 2 seulement si cela n'entre pas un l'écran d'une diapositive.
+
Insère une diapositive
+
+ CustomPlugin.MediaItem
+
+
+
+
+
+
+
+
+
+
+ CustomsPlugin
+
+
+
+ name plural
+ Personnels
+
+
+
+
+ container title
+ Personnel
+
+
+
+
+ Charge un nouveau Personnel.
+
+
+
+
+ Import un Personnel.
+
+
+
+
+ Ajoute un nouveau Personnel.
+
+
+
+
+ Édite le Personnel sélectionné.
+
+
+
+
+ Efface le Personnel sélectionné.
+
+
+
+
+ Prévisualise le Personnel sélectionné.
+
+
+
+
+ Affiche le Personnel sélectionné en direct.
+
+
+
+
+ Ajoute le Personnel sélectionner au service.
+
+
GeneralTab
- Général
+ Général
@@ -1107,6 +1344,41 @@ Veuillez remarquer, que les versets des Bibles Web sont téléchargés à la dem
container title
Images
+
+
+
+ Charge une nouvelle Image.
+
+
+
+
+ Ajoute une Image.
+
+
+
+
+ Édite l'Image sélectionnée.
+
+
+
+
+ Efface l'Image sélectionnée.
+
+
+
+
+ Prévisualise l'Image sélectionnée.
+
+
+
+
+ Envoie l'Image sélectionnée en direct.
+
+
+
+
+ Ajoute l'Image sélectionnée au service.
+
@@ -1154,42 +1426,47 @@ Veuillez remarquer, que les versets des Bibles Web sont téléchargés à la dem
ImagePlugin.MediaItem
-
+
Sélectionne Image(s)
-
+
Vous devez sélectionner une image a effacer.
-
+
Image(s) manquante
-
+
L(es) image(s) suivante(s) n'existe(nt) plus : %s
-
+
L(es) image(s) suivante(s) n'existe(nt) plus : %s
Voulez-vous ajouter de toute façon d'autres images ?
-
+
Vous devez sélectionner une image pour remplacer le fond.
-
+
Il y a un problème pour remplacer votre fond, le fichier d'image "%s" n'existe plus.
+
+
+
+
+
MediaPlugin
@@ -1216,6 +1493,41 @@ Voulez-vous ajouter de toute façon d'autres images ?
container title
Média
+
+
+
+ Charge un nouveau Média.
+
+
+
+
+ Ajouter un nouveau Média.
+
+
+
+
+ Édite le Média sélectionné.
+
+
+
+
+ Efface le Média sélectionné.
+
+
+
+
+ Prévisualise le Média sélectionné.
+
+
+
+
+ Affiche le Média sélectionner le Média en direct.
+
+
+
+
+ Ajoute le Média sélectionner au service.
+
@@ -1255,40 +1567,45 @@ Voulez-vous ajouter de toute façon d'autres images ?
MediaPlugin.MediaItem
-
+
Média sélectionné
-
+
Vous devez sélectionné un fichier média le fond.
-
+
Il y a un problème pour remplacer le fond du direct, le fichier du média "%s" n'existe plus.
-
+
Fichier du média manquant
-
+
Le fichier %s n'existe plus.
-
+
Vous devez sélectionné un fichier média à effacer.
-
+
Vidéos (%s);;Audio (%s);;%s (*)
+
+
+
+
+
MediaPlugin.MediaTab
@@ -1306,7 +1623,7 @@ Voulez-vous ajouter de toute façon d'autres images ?
OpenLP
-
+
Fichiers image
@@ -1599,82 +1916,87 @@ Copyright de composant © 2004-2011 %s
OpenLP.DisplayTagDialog
-
+
- Édite la sélection
+ Édite la sélection
-
+
- Description
+ Description
+
+
+
+
+ Balise
+
+
+
+
+ Balise de début
-
- Balise
-
-
-
-
- Balise de début
-
-
-
- Balise de fin
+ Balise de fin
-
+
- Identifiant de balise
+ Identifiant de balise
-
+
- HTML de début
+ HTML de début
-
+
- HTML de fin
+ HTML de fin
-
+
- Enregistre
+ Enregistre
OpenLP.DisplayTagTab
-
+
- Erreur de mise a jours
+ Erreur de mise a jours
- Balise "n" déjà définie.
+ Balise "n" déjà définie.
-
+
- Balise %s déjà définie.
+ Balise %s déjà définie.
- Nouvelle balise
+ Nouvelle balise
+
+
+
+
+ <HTML_ici>
- </ajoute ici>
+ </ajoute ici>
- <HTML ici>
+ <HTML ici>
@@ -1682,82 +2004,82 @@ Copyright de composant © 2004-2011 %s
- Rouge
+ Rouge
- Noir
+ Noir
- Bleu
+ Bleu
- Jaune
+ Jaune
- Vert
+ Vert
- Rose
+ Rose
- Orange
+ Orange
- Pourpre
+ Pourpre
- Blanc
+ Blanc
- Exposant
+ Exposant
- Indice
+ Indice
- Paragraphe
+ Paragraphe
- Gras
+ Gras
- Italiques
+ Italiques
- Souligner
+ Souligner
-
+ Retour à la ligne
@@ -1927,12 +2249,12 @@ Version : %s
Téléchargement %s...
-
+
Téléchargement terminer. Clic le bouton terminer pour démarrer OpenLP.
-
+
Active le module sélectionné...
@@ -1964,7 +2286,7 @@ Version : %s
- Texte Personnel
+ Texte Personnel
@@ -2064,6 +2386,16 @@ Pour annuler l'assistant de démarrage, appuyer sur le bouton fin maintenan
Définir les paramètres par défaut pour être utilisé par OpenLP.
+
+
+
+ Configuration et importation
+
+
+
+
+ Merci de patienter pendant que OpenLP ce met en place et importe vos données.
+
@@ -2085,25 +2417,209 @@ Pour annuler l'assistant de démarrage, appuyer sur le bouton fin maintenan
Cet assistant va vous aider à configurer OpenLP pour sa première utilisation. Cliquez sur le bouton suivant pour démarrer.
-
+
Mise en place et téléchargement
-
+
Merci d'attendre pendant qu'OpenLP ce met en place que que vos données soient téléchargée.
-
+
Mise en place
-
+
Cliquer sur le bouton pour démarrer OpenLP.
+
+
+
+ Diapositives personnelles
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTagDialog
+
+
+
+
+
+
+
+
+ Édite la sélection
+
+
+
+
+ Enregistre
+
+
+
+
+ Description
+
+
+
+
+ Balise
+
+
+
+
+ Balise de début
+
+
+
+
+ Balise de fin
+
+
+
+
+ Identifiant de balise
+
+
+
+
+ HTML de début
+
+
+
+
+ HTML de fin
+
+
+
+ OpenLP.FormattingTagForm
+
+
+
+ Erreur de mise a jours
+
+
+
+
+ Balise "n" déjà définie.
+
+
+
+
+ Nouvelle balise
+
+
+
+
+ <HTML ici>
+
+
+
+
+ </ajoute ici>
+
+
+
+
+ Balise %s déjà définie.
+
+
+
+ OpenLP.FormattingTags
+
+
+
+ Rouge
+
+
+
+
+ Noir
+
+
+
+
+ Bleu
+
+
+
+
+ Jaune
+
+
+
+
+ Vert
+
+
+
+
+ Rose
+
+
+
+
+ Orange
+
+
+
+
+ Pourpre
+
+
+
+
+ Blanc
+
+
+
+
+ Exposant
+
+
+
+
+ Indice
+
+
+
+
+ Paragraphe
+
+
+
+
+ Gras
+
+
+
+
+ Italiques
+
+
+
+
+ Souligner
+
+
+
+
+ Retour à la ligne
+
OpenLP.GeneralTab
@@ -2249,7 +2765,7 @@ Pour annuler l'assistant de démarrage, appuyer sur le bouton fin maintenan
OpenLP.MainDisplay
-
+
Affichage OpenLP
@@ -2257,292 +2773,292 @@ Pour annuler l'assistant de démarrage, appuyer sur le bouton fin maintenan
OpenLP.MainWindow
-
+
&Fichier
-
+
&Import
-
+
&Export
-
+
&Visualise
-
+
M&ode
-
+
&Outils
-
+
&Options
-
+
&Langue
-
+
&Aide
-
+
Gestionnaire de médias
-
+
Gestionnaire de services
-
+
Gestionnaire de thèmes
-
+
&Nouveau
-
+
&Ouvrir
-
+
Ouvre un service existant.
-
+
&Enregistre
-
+
Enregistre le service courant sur le disque.
-
+
Enregistre &sous...
-
+
Enregistre le service sous
-
+
Enregistre le service courant sous un nouveau nom.
-
+
&Quitter
-
+
Quitter OpenLP
-
+
&Thème
-
+
Personnalise les &raccourcis...
-
+
&Personnalise OpenLP...
-
+
Gestionnaire de &médias
-
+
Gestionnaire de Média
-
+
Change la visibilité du gestionnaire de média.
-
+
Gestionnaire de &thèmes
-
+
Gestionnaire de Thème
-
+
Change la visibilité du gestionnaire de tème.
-
+
Gestionnaire de &services
-
+
Gestionnaire de service
-
+
Change la visibilité du gestionnaire de service.
-
+
Panneau de &prévisualisation
-
+
Panneau de prévisualisation
-
+
Change la visibilité du panel de prévisualisation.
-
+
Panneau du &direct
-
+
Panneau du direct
-
+
Change la visibilité du directe.
-
+
Liste des &modules
-
+
Liste des modules
-
+
&Guide utilisateur
-
+
&À propos
-
+
Plus d'information sur OpenLP
-
+
&Aide en ligne
-
+
Site &Web
-
+
Utilise le langage système, si disponible.
-
+
Défini la langue de l'interface à %s
-
+
Ajoute un &outils...
-
+
Ajoute une application a la liste des outils.
-
+
&Défaut
-
+
Redéfini le mode vue comme par défaut.
-
+
&Configuration
-
+
Mode vue Configuration.
-
+
&Direct
-
+
Mode vue Direct.
-
+
@@ -2551,32 +3067,32 @@ You can download the latest version from http://openlp.org/.
Vous pouvez télécharger la dernière version depuis http://openlp.org/.
-
+
Version d'OpenLP mis a jours
-
+
OpenLP affichage principale noirci
-
+
L'affichage principale a été noirci
-
+
Ferme OpenLP
-
+
Êtes vous sur de vouloir fermer OpenLP ?
-
+
Thème par défaut : %s
@@ -2584,43 +3100,101 @@ Vous pouvez télécharger la dernière version depuis http://openlp.org/.
Please add the name of your language here
- Anglais
+ Français
-
+
+
+ Imprime l'ordre du service courant.
+
+
+
Ouvre le répertoire de &données...
-
+
Ouvre le répertoire ou les chants, bibles et les autres données sont placées.
-
+
- &Configure les balise d'affichage
+ &Configure les balise d'affichage
-
+
&Détecte automatiquement
-
+
Met a jours les images de thèmes
-
+
Met a jours les images de tous les thèmes.
-
+
Imprime le service courant.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Clear List of recent files
+
+
+
+
+
+
+
OpenLP.MediaManagerItem
@@ -2630,57 +3204,85 @@ Vous pouvez télécharger la dernière version depuis http://openlp.org/.Pas d'éléments sélectionné
-
+
&Ajoute à l'élément sélectionné du service
-
+
Vous devez sélectionner un ou plusieurs éléments a prévisualiser.
-
+
Vous devez sélectionner un ou plusieurs éléments pour les envoyer en direct.
-
+
Vous devez sélectionner un ou plusieurs éléments.
-
+
Vous devez sélectionner un élément existant du service pour l'ajouter.
-
+
Élément du service invalide
-
+
Vous devez sélectionner un %s élément du service.
-
+
+
+ Nom de fichiers dupliquer %s.
+Le nom de fichiers existe dans la liste
+
+
+
Vous devez sélectionner un ou plusieurs éléments a ajouter.
-
+
Pas de résultats de recherche
-
+
- Nom de fichiers dupliquer %s.
+ Nom de fichiers dupliquer %s.
Ce nom de fichier est déjà dans la liste
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.PluginForm
@@ -2728,12 +3330,12 @@ Ce nom de fichier est déjà dans la liste
OpenLP.PrintServiceDialog
-
+
Ajuster à la page
-
+
Ajuster à la largeur
@@ -2741,70 +3343,90 @@ Ce nom de fichier est déjà dans la liste
OpenLP.PrintServiceForm
-
+
Options
- Fermer
+ Fermer
-
+
Copier
-
+
Copier comme de l'HTML
-
+
Zoom avant
-
+
Zoom arrière
-
+
Zoom originel
-
+
Autres options
-
+
Inclure le texte des diapositives si disponible
-
+
Inclure les notes des éléments du service
-
+
Inclure la longueur des éléments média
-
+
+
+ Fiche d'ordre du service
+
+
+
Ajoute des saut de page entre chaque éléments
-
+
Feuille de service
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ScreenList
@@ -2819,10 +3441,23 @@ Ce nom de fichier est déjà dans la liste
primaire
+
+ OpenLP.ServiceItem
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceItemEditForm
-
+
Réordonne les éléments du service
@@ -2830,257 +3465,277 @@ Ce nom de fichier est déjà dans la liste
OpenLP.ServiceManager
-
+
Place en &premier
-
+
Place l'élément au début du service.
-
+
Déplace en &haut
-
+
Déplace l'élément d'une position en haut.
-
+
Déplace en &bas
-
+
Déplace l'élément d'une position en bas.
-
+
Place en &dernier
-
+
Place l'élément a la fin du service.
-
+
Déplace la sélection en haut de la fenêtre.
-
+
Déplace en haut
-
+
&Efface du service
-
+
Efface l'élément sélectionner du service.
-
+
&Développer tous
-
+
Développe tous les éléments du service.
-
+
&Réduire tous
-
+
Réduit tous les élément du service.
-
+
Lance le direct
-
+
Envoie l'élément sélectionné en direct.
-
+
&Ajoute un nouvel élément
-
+
&Ajoute a l'élément sélectionné
-
+
&Édite l'élément
-
+
&Réordonne l'élément
-
+
&Remarques
-
+
&Change le thème de l'élément
-
+
Ouvre un fichier
-
+
Fichier service OpenLP (*.osz)
-
+
Le fichier n'est un service valide.
Le contenu n'est pas de l'UTF-8.
-
+
Le fichier n'est pas un service valide.
-
+
Délégué d'affichage manquent
-
+
Votre élément ne peut pas être affiché il n'y a pas de délégué pour l'afficher
-
+
Votre élément ne peut pas être affiché le module nécessaire pour l'afficher est manquant ou inactif
-
+
Déplace la sélection en bas de la fenêtre.
-
+
Service modifié
-
+
Temps de &début
-
+
Affiche en &prévisualisation
-
+
Affiche en &direct
-
+
Le service courant à été modifier. Voulez-vous l'enregistrer ?
-
+
Le fichier n'a pas pu être ouvert car il est corrompu.
-
+
Fichier vide
-
+
Ce fichier de service ne contiens aucune données.
-
+
Fichier corrompu
-
+
Remarques de service :
-
+
Remarques :
-
+
Durée du service :
-
+
Service sans titre
-
+
+
+ Ce fichier est corrompu ou n'est la un fichier service OpenLP 2.0.
+
+
+
Charge un service existant.
-
+
Enregistre ce service.
-
+
Sélectionne un thème pour le service.
-
+
Ce fichier est sois corrompu ou n'est pas un fichier de service OpenLP 2.0.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceNoteForm
-
+
Remarque sur l'élément du service
@@ -3098,7 +3753,7 @@ Le contenu n'est pas de l'UTF-8.
- Personnalise les raccourci
+ Personnalise les raccourci
@@ -3111,12 +3766,12 @@ Le contenu n'est pas de l'UTF-8.
Raccourci
-
+
Raccourci dupliqué
-
+
Le raccourci "%s" est déjà assigner a une autre action, veillez utiliser un raccourci diffèrent.
@@ -3151,45 +3806,50 @@ Le contenu n'est pas de l'UTF-8.
Restaure le raccourci par défaut de cette action.
-
+
Restaure les raccourcis par défaut
-
+
Voulez vous restaurer tous les raccourcis par leur valeur par défaut ?
+
+
+
+
+
OpenLP.SlideController
-
+
Diapositive précédente
-
+
Aller au suivant
-
+
Cache
-
+
Écran noir
-
+
Thème vide
-
+
Affiche le bureau
@@ -3214,29 +3874,29 @@ Le contenu n'est pas de l'UTF-8.
Élément échappement
-
+
Déplace au précédant.
-
+
Déplace au suivant.
-
+
Joue les diapositives
- Joue les diapositives en boucle
+ Joue les diapositives en boucle
- Joue les diapositives jusqu’à la fin
+ Joue les diapositives jusqu’à la fin
@@ -3267,17 +3927,17 @@ Le contenu n'est pas de l'UTF-8.
OpenLP.SpellTextEdit
-
+
Suggestions orthographique
-
+
Tags de formatage
-
+
Langue :
@@ -3324,6 +3984,16 @@ Le contenu n'est pas de l'UTF-8.
Erreur de validation du temps
+
+
+
+ Le temps de fin est défini après la fin de l’élément média
+
+
+
+
+ Temps de début après le temps de fin pour l’élément média
+
@@ -3371,192 +4041,198 @@ Le contenu n'est pas de l'UTF-8.
OpenLP.ThemeManager
-
+
Crée un nouveau thème.
-
+
Édite thème
-
+
Édite un thème.
-
+
Efface thème
-
+
Efface un thème.
-
+
Import thème
-
+
Import un thème.
-
+
Export thème
-
+
Export un thème.
-
+
&Édite thème
-
+
&Copier le thème
-
+
&Renomme le thème
-
+
&Efface le thème
-
+
Établir comme défaut &globale
-
+
&Exporte le thème
-
+
%s (défaut)
-
+
Vous devez sélectionner a thème à renommer.
-
+
Confirme le renommage
-
+
Renomme le thème %s ?
-
+
Vous devez sélectionner un thème a éditer.
-
+
Vous devez sélectionner un thème à effacer.
-
+
Confirmation d'effacement
-
+
Efface le thème %s ?
-
+
Vous n'avez pas sélectionner de thème.
-
+
Enregistre le thème - (%s)
-
+
Thème exporté
-
+
Votre thème a été exporter avec succès.
-
+
L'export du thème a échoué
-
+
Votre thème ne peut pas être exporter a cause d'une erreur.
-
+
Select le fichier thème à importer
-
+
Le fichier n'est pas un thème.
Le contenu n'est pas de l'UTF-8.
-
+
Erreur de validation
-
+
Le fichier n'est pas un thème valide.
-
+
Le thème avec ce nom existe déjà.
-
+
Vous ne pouvez pas supprimer le thème par défaut.
-
+
Thème %s est utiliser par le module %s.
-
+
Thèmes OpenLP (*.theme *.otz)
+
+
+
+ Copy of <theme name>
+
+
OpenLP.ThemeWizard
@@ -3800,6 +4476,16 @@ Le contenu n'est pas de l'UTF-8.
Nom du thème :
+
+
+
+
+
+
+
+
+
+
OpenLP.ThemesTab
@@ -3843,31 +4529,36 @@ Le contenu n'est pas de l'UTF-8.
Utilise un thème global, surcharge tous les thèmes associer aux services et aux chants.
+
+
+
+ Thèmes
+
OpenLP.Ui
-
+
Erreur
-
+
&Supprime
-
+
Supprime l'élément sélectionné.
-
+
Déplace la sélection d'une position en haut.
-
+
Déplace la sélection d'une position en bas.
@@ -3892,24 +4583,24 @@ Le contenu n'est pas de l'UTF-8.
Crée un nouveau service.
-
+
&Édite
-
+
Import
- Longueur %s
+ Longueur %s
- Dirrect
+ Direct
@@ -3932,42 +4623,57 @@ Le contenu n'est pas de l'UTF-8.
OpenLP 2.0
-
+
+
+ Ouvre un service
+
+
+
Prévisualise
-
+
Remplace le fond
-
+
+
+ Remplace le fond du direct
+
+
+
Réinitialiser le fond
-
+
+
+ Réinitialise de fond du direct
+
+
+
Enregistre le service
-
+
Service
-
+
Début %s
-
+
Alignement &vertical :
-
+
Haut
@@ -4002,23 +4708,23 @@ Le contenu n'est pas de l'UTF-8.
Numéro CCLI :
-
+
Champ vide
-
+
Export
-
+
Abbreviated font pointsize unit
pt
-
+
Image
@@ -4027,6 +4733,11 @@ Le contenu n'est pas de l'UTF-8.
Erreur fond du direct
+
+
+
+ Panneau du direct
+
@@ -4062,47 +4773,57 @@ Le contenu n'est pas de l'UTF-8.
openlp.org 1.x
-
+
+
+ Panneau de prévisualisation
+
+
+
+
+ Imprime l'ordre du service
+
+
+
The abbreviated unit for seconds
s
-
+
Enregistre && prévisualise
-
+
- Recherche
+ Recherche
-
+
Vous devez sélectionner un élément à supprimer.
-
+
Vous devez sélectionner un élément à éditer.
-
+
Singular
Thème
-
+
Plural
Thèmes
-
+
- Version
+ Version
@@ -4166,12 +4887,12 @@ Le contenu n'est pas de l'UTF-8.
Vous devez spécifier au moins un %s fichier à importer.
-
+
Bienvenue dans l'assistant d'import de Bibles
-
+
Bienvenue dans l'assistant d'export de Chant
@@ -4228,45 +4949,45 @@ Le contenu n'est pas de l'UTF-8.
Sujets
-
+
Continu
-
+
Défaut
-
+
Style d'affichage :
-
+
Fichier
-
+
Aide
-
+
The abbreviated unit for hours
h
-
+
Style de disposition :
- Bar d'outils dirrect
+ Bar d'outils direct
@@ -4280,37 +5001,37 @@ Le contenu n'est pas de l'UTF-8.
OpenLP est déjà démarré. Voulez vous continuer ?
-
+
Configuration
-
+
Outils
-
+
Un verset par diapositive
-
+
Un verset par ligne
-
+
Affiche
-
+
Erreur de duplication
-
+
Fichier pas supporté
@@ -4325,12 +5046,12 @@ Le contenu n'est pas de l'UTF-8.
Erreur de syntaxe XML
-
+
Mode d'affichage
-
+
Bienvenue dans l'assistant de mise à jour de Bible
@@ -4340,37 +5061,62 @@ Le contenu n'est pas de l'UTF-8.
Ouvre le service.
-
+
Imprime le service
-
+
Remplace le fond du direct.
-
+
Restaure le fond du direct.
-
+
&Sépare
-
+
Sépare la diapositive en 2 seulement si cela n'entre pas un l'écran d'une diapositive.
+
+
+
+
+
+
+
+
+ Joue les diapositives en boucle
+
+
+
+
+ Joue les diapositives jusqu’à la fin
+
+
+
+
+
+
+
+
+
+
+
OpenLP.displayTagDialog
-
+
- Configure les balises d'affichage
+ Configure les balises d'affichage
@@ -4398,6 +5144,31 @@ Le contenu n'est pas de l'UTF-8.
container title
Présentations
+
+
+
+ Charge une nouvelle Présentation.
+
+
+
+
+ Supprime la Présentation courante.
+
+
+
+
+ Prévisualise la Présentation sélectionnée.
+
+
+
+
+ Envoie la Présentation sélectionnée en direct.
+
+
+
+
+ Ajoute la Présentation sélectionnée au service.
+
@@ -4427,52 +5198,52 @@ Le contenu n'est pas de l'UTF-8.
PresentationPlugin.MediaItem
-
+
Sélectionne Présentation(s)
-
+
Automatique
-
+
Actuellement utilise :
-
+
Présentations (%s)
-
+
Fichier existe
-
+
Une présentation avec ce nom de fichier existe déjà.
-
+
Ce type de présentation n'est pas supporté.
-
+
Présentation manquante
-
+
La présentation %s est incomplète, merci de recharger.
-
+
La présentation %s n'existe plus.
@@ -4524,12 +5295,12 @@ Le contenu n'est pas de l'UTF-8.
RemotePlugin.Mobile
-
+
OpenLP 2.0 à distance
-
+
OpenLP 2.0 vue scène
@@ -4539,80 +5310,85 @@ Le contenu n'est pas de l'UTF-8.
Gestionnaire de services
-
+
Controlleur de slides
-
+
Alertes
-
+
Recherche
-
+
Arrière
-
+
Rafraîchir
-
+
Vide
-
+
Affiche
-
+
Préc
-
+
Suiv
-
+
Texte
-
+
Affiche une alerte
-
+
Lance en direct
- Ajoute au service
+ Ajoute au service
-
+
Pas de résultats
-
+
Options
+
+
+
+
+
RemotePlugin.RemoteTab
@@ -4645,68 +5421,78 @@ Le contenu n'est pas de l'UTF-8.
SongUsagePlugin
-
+
Suivre de l'utilisation des chants
-
+
&Supprime les données de suivi
-
+
Supprime les données de l'utilisation des chants jusqu'à une date déterminée.
-
+
&Extraire les données de suivi
-
+
Génère un rapport de l'utilisation des chants.
-
+
Enclenche/déclenche suivi
-
+
Enclenche/déclenche le suivi de l'utilisation des chants.
-
+
<strong>Module de suivi</strong><br />Ce module permet de suivre l'utilisation des chants dans les services.
-
+
name singular
Suivi de l'utilisation des chants
-
+
name plural
Suivi de l'utilisation des chants
-
+
container title
Suivi de l'utilisation des chants
-
+
Suivi de l'utilisation des chants
+
+
+
+
+
+
+
+
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4766,7 +5552,7 @@ Le contenu n'est pas de l'UTF-8.
-
+ rapport_d_utilisation_%s_%s.txt
@@ -4939,6 +5725,36 @@ L'enccodage est responsable de l'affichage correct des caractères.Exports songs using the export wizard.
Export les chants en utilisant l'assistant d'export.
+
+
+
+ Ajouter un nouveau Chant.
+
+
+
+
+ Édite la Chant sélectionné.
+
+
+
+
+ Efface le Chant sélectionné.
+
+
+
+
+ Prévisualise le Chant sélectionné.
+
+
+
+
+ Affiche le Chant sélectionné en direct.
+
+
+
+
+ Ajoute le Chant sélectionné au service.
+
@@ -4962,7 +5778,7 @@ L'enccodage est responsable de l'affichage correct des caractères.
- Affiche en dirrect le Chant sélectionné.
+ Affiche en direct le chant sélectionné.
@@ -5019,190 +5835,197 @@ L'enccodage est responsable de l'affichage correct des caractères.
SongsPlugin.EasyWorshipSongImport
-
+
Administré pas %s
+
+
+
+
+
SongsPlugin.EditSongForm
-
+
Éditeur de Chant
-
+
&Titre :
-
+
Titre alt&ernatif :
-
+
&Paroles :
-
+
Ordre des &versets :
-
+
Édite &tous
-
+
Titre && paroles
-
+
&Ajoute un Chant
-
+
&Enlève
-
+
&Gère les auteurs, sujets, psautiers
-
+
A&joute un Chant
-
+
E&nlève
-
+
Psautier :
-
+
Numéro :
-
+
Auteurs, sujets && psautiers
-
+
Nouveau &thème
-
+
Information du copyright
-
+
Commentaires
-
+
Thème, copyright && commentaires
-
+
Ajoute un auteur
-
+
Cet auteur n'existe pas, voulez vous l'ajouter ?
-
+
Cet auteur ce trouve déjà dans la liste.
-
+
Vous n'avez pas sélectionné un autheur valide. Vous pouvez sélectionner un auteur de la liste, ou tapez un nouvel auteur et cliquez sur "Ajouter un auteur au Chant" pour ajouter le nouvel auteur.
-
+
Ajoute un sujet
-
+
Ce sujet n'existe pas voulez vous l'ajouter ?
-
+
Ce sujet ce trouve déjà dans la liste.
-
+
Vous n'avez pas sélectionné de sujet valide. Vous pouvez sélectionner un auteur de la liste, ou tapez un nouvel auteur et cliquez sur "Ajouter un sujet au Chant" pour ajouter le nouvel auteur.
-
+
Vous avez besoin d'introduire un titre pour le chant.
-
+
Vous avez besoin d'introduire au moins un verset.
-
+
Vous avez besoin d'un auteur pour ce chant.
-
+
L'ordre des versets n'est pas valide. Il n'y a pas de verset correspondant à %s. Les entrées valide sont %s.
-
+
Attention
-
+
Vous n'avez pas utilisé %s dans l'ordre des verset. Êtes vous sur de vouloir enregistrer un chant comme ça ?
-
+
Ajoute un psautier
-
+
Ce chant n'existe pas, voulez vous l'ajouter ?
-
+
Vous avez besoin d'introduire du texte pour le verset.
@@ -5224,6 +6047,16 @@ L'enccodage est responsable de l'affichage correct des caractères.&Insert
&Insère
+
+
+
+ &Sépare
+
+
+
+
+ Sépare une diapositive seulement si elle ne passe pas totalement dans l'écran.
+
@@ -5233,82 +6066,82 @@ L'enccodage est responsable de l'affichage correct des caractères.
SongsPlugin.ExportWizardForm
-
+
Assistant d'export de chant
-
+
Cet assistant va sous aider a exporter vos chant fans le format de chant libre et gratuit OpenLyrics worship.
-
+
Sélectionne chants
-
+
Décoche tous
-
+
Coche tous
-
+
Sélectionne répertoire
-
+
Répertoire :
-
+
Exportation
-
+
Merci d'attendre que vos chants soient exporter.
-
+
Vous devez exporter au moins un chant.
-
+
Pas d'emplacement de sauvegarde spécifier
-
+
Démarre l'export...
-
+
Coche les chants que vous voulez exporter.
-
+
Vous devez spécifier un répertoire.
-
+
Sélectionne le répertoire de destination
-
+
Sélectionne le répertoire ou vous voulez enregistrer vos chants.
@@ -5350,53 +6183,63 @@ L'enccodage est responsable de l'affichage correct des caractères.The OpenLyrics importer has not yet been developed, but as you can see, we are still intending to do so. Hopefully it will be in the next release.
L'import OpenLyrics n'a pas encore été déployer, mais comme vous pouvez le voir, nous avous toujours l'intention de le faire. J'espère que ce sera dans la prochaine version.
+
+
+
+ Les Chants de l'import Fellowship ont été désactivé car OpenLP ne peut trouver OpenOffice.org sur votre ordinateur.
+
+
+
+
+ L'import générique de document/présentation a été désactivé car OpenLP ne peut trouver OpenOffice.org sur votre ordinateur.
+
Attendez pendant que vos chants sont importé.
-
+
Base de données OpenLP 2.0
-
+
Base de données openlp.org 1.x
-
+
Fichiers Chant Words Of Worship
-
+
Sélectionne les fichiers document/présentation
-
+
Fichiers Chant Songs Of Fellowship
-
+
Fichiers SongBeamer
-
+
Fichiers Chant SongShow Plus
-
+
Vous devez spécifier au moins un fichier document ou présentation à importer.
-
+
Fichiers Chant Foilpresenter
@@ -5424,27 +6267,27 @@ L'enccodage est responsable de l'affichage correct des caractères.
SongsPlugin.MediaItem
-
+
L'entier du Chant
-
+
Titres
-
+
Paroles
- Supprime le(s) Chant(s) ?
+ Supprime le(s) Chant(s) ?
-
+
Êtes vous sur de vouloir supprimer le(s) %n chant(s) sélectionné(s) ?
@@ -5452,20 +6295,26 @@ L'enccodage est responsable de l'affichage correct des caractères.
-
+
License CCLI :
-
+
Maintenir la liste des auteur, sujet et psautiers.
+
+
+
+ For song cloning
+
+
SongsPlugin.OpenLP1SongImport
-
+
Base de données de chant openlp.org 1.x pas valide.
@@ -5481,7 +6330,7 @@ L'enccodage est responsable de l'affichage correct des caractères.
SongsPlugin.OpenLyricsExport
-
+
Exportation "%s"...
@@ -5512,12 +6361,12 @@ L'enccodage est responsable de l'affichage correct des caractères.
SongsPlugin.SongExportForm
-
+
Export terminé.
-
+
Votre export de chant à échouer.
@@ -5525,27 +6374,32 @@ L'enccodage est responsable de l'affichage correct des caractères.
SongsPlugin.SongImport
-
+
copyright
-
+
Les chants suivant ne peut pas être importé :
-
+
+
+ Impossible d’ouvrir OpenOffice.org ou LibreOffice
+
+
+
Impossible d'ouvrir le fichier
-
+
Fichier pas trouver
-
+
Impossible d’accéder à OpenOffice ou LibreOffice
@@ -5553,7 +6407,7 @@ L'enccodage est responsable de l'affichage correct des caractères.
SongsPlugin.SongImportForm
-
+
Votre import de chant à échouer.
@@ -5755,7 +6609,7 @@ L'enccodage est responsable de l'affichage correct des caractères.
- Thèmes
+ Thèmes
diff --git a/resources/i18n/hu.ts b/resources/i18n/hu.ts
index b62d73581..4d3cf600e 100644
--- a/resources/i18n/hu.ts
+++ b/resources/i18n/hu.ts
@@ -1,28 +1,28 @@
-
+
AlertPlugin.AlertForm
- Nincs megadva a cserélendő paraméter. Folytatható?
+ Nincs megadva a cserélend? paraméter. Folytatható?
- Nem található a paraméter
+ Nem található a paraméter
- Nem található a helyjelölő
+ Nem található a helyjelöl?
- Az értesítő szöveg nem tartalmaz „<>” karaktereket.
+ Az értesít? szöveg nem tartalmaz „<>” karaktereket.
Folytatható?
@@ -41,7 +41,7 @@ Folytatható?
- <strong>Értesítés bővítmény</strong><br />Az értesítés bővítmény kezeli a gyermekfelügyelet felhívásait a vetítőn.
+ <strong>Értesítés b?vítmény</strong><br />Az értesítés b?vítmény kezeli a gyermekfelügyelet felhívásait a vetít?n.
@@ -61,13 +61,18 @@ Folytatható?
container title
Értesítések
+
+
+
+
+
AlertsPlugin.AlertForm
- Értesítő üzenet
+ Értesít? üzenet
@@ -102,20 +107,43 @@ Folytatható?
- Az értesítés szövege nincs megadva. Adj meg valamilyen szöveget az Új gombra való kattintás előtt.
+ Az értesítés szövege nincs megadva. Adj meg valamilyen szöveget az Új gombra való kattintás el?tt.
&Paraméter:
+
+
+
+ Nem található a paraméter
+
+
+
+
+ Nincs megadva a cserélend? paraméter. Folytatható?
+
+
+
+
+ Nem található a helyjelöl?
+
+
+
+
+ Az értesít? szöveg nem tartalmaz „<>” karaktereket.
+Folytatható?
+
AlertsPlugin.AlertsManager
- Az értesítő üzenet létrejött és megjelent.
+ Az értesít? üzenet létrejött és megjelent.
@@ -123,17 +151,17 @@ Folytatható?
- Betűkészlet
+ Bet?készlet
- Betűkészlet neve:
+ Bet?készlet neve:
- Betűszín:
+ Bet?szín:
@@ -143,12 +171,12 @@ Folytatható?
- Betűméret:
+ Bet?méret:
- Értesítés időtartama:
+ Értesítés id?tartama:
@@ -156,18 +184,18 @@ Folytatható?
- Könyvek importálása… %s
+ Könyvek importálása… %s
Importing verses from <book name>...
- Versek importálása ebből a könyvből: %…
+ Versek importálása ebb?l a könyvb?l: %…
- Versek importálása… kész.
+ Versek importálása… kész.
@@ -175,12 +203,17 @@ Folytatható?
- &Régebbi bibliák frissítés
+ &Régebbi bibliák frissítés
+
+
+
+
+ Frissíti a biblia adatbázisokat a legutolsó formára
- Frissíti a biblia adatbázisokat a legutolsó formára.
+ Frissíti a biblia adatbázisokat a legutolsó formára.
@@ -188,22 +221,22 @@ Folytatható?
- Letöltési hiba
+ Letöltési hiba
- Probléma történt a kijelölt versek letöltésekor. Kérem, ellenőrizd a az internetkapcsolatot, és ha a hiba nem oldódik meg, fontold meg a hiba bejelentését.
+ Probléma történt a kijelölt versek letöltésekor. Kérem, ellen?rizd a az internetkapcsolatot, és ha a hiba nem oldódik meg, fontold meg a hiba bejelentését.
- Feldolgozási hiba
+ Feldolgozási hiba
- Probléma történt a kiválasztott versek kicsomagolásakor. Ha a hiba nem oldódik meg, fontold meg a hiba bejelentését.
+ Probléma történt a kiválasztott versek kicsomagolásakor. Ha a hiba nem oldódik meg, fontold meg a hiba bejelentését.
@@ -211,22 +244,27 @@ Folytatható?
- A biblia nem töltődött be teljesen.
+ A biblia nem tölt?dött be teljesen.
- Az egyes és a kettőzött bibliaversek nem kombinálhatók. Töröljük a keresési eredményt és kezdjünk egy újabbat?
+ Az egyes és a kett?zött bibliaversek nem kombinálhatók. Töröljük a keresési eredményt és kezdjünk egy újabbat?
- Információ
+ Információ
+
+
+
+
+ A második biblia nem tartalmaz minden verset, ami az els?ben megtalálható. Csak a mindkét bibliában fellelhet? versek fognak mgejelenni. Ezek a versek nem lesznek megtalálhatóak: %d.
- A második biblia nem tartalmaz minden verset, ami az elsőben megtalálható. Csak a mindkét bibliában fellelhető versek fognak mgejelenni. Ezek a versek nem lesznek megtalálhatóak: %d.
+ A második biblia nem tartalmaz minden verset, ami az els?ben megtalálható. Csak a mindkét bibliában fellelhet? versek fognak mgejelenni. Ezek a versek nem lesznek megtalálhatóak: %d.
@@ -255,14 +293,14 @@ Folytatható?
Bibliák
-
+
Nincs ilyen könyv
-
+
- A kért könyv nem található ebben a bibliában. Kérlek, ellenőrizd a könyv nevének helyesírását.
+ A kért könyv nem található ebben a bibliában. Kérlek, ellen?rizd a könyv nevének helyesírását.
@@ -287,12 +325,12 @@ Folytatható?
- A kijelölt biblia előnézete.
+ A kijelölt biblia el?nézete.
- A kijelölt biblia élő adásba küldése.
+ A kijelölt biblia él? adásba küldése.
@@ -302,18 +340,28 @@ Folytatható?
- <strong>Biblia bővítmény</strong><br />A biblia bővítmény különféle forrásokból származó igehelyek vetítését teszi lehetővé a szolgálat alatt.
+ <strong>Biblia b?vítmény</strong><br />A biblia b?vítmény különféle forrásokból származó igehelyek vetítését teszi lehet?vé a szolgálat alatt.
+
+
+
+
+ &Régebbi bibliák frissítés
+
+
+
+
+ Frissíti a biblia adatbázisokat a legutolsó formára.
BiblesPlugin.BibleManager
-
+
Igehely hivatkozási hiba
-
+
- Ezt az igehely hivatkozást nem támogatja az OpenLP vagy nem helyes. Kérlek, ellenőrizd, hogy a hivatkozás megfelel-e az egyik alábbi mintának:
+ Ezt az igehely hivatkozást nem támogatja az OpenLP vagy nem helyes. Kérlek, ellen?rizd, hogy a hivatkozás megfelel-e az egyik alábbi mintának:
Könyv fejezet
Könyv fejezet-fejezet
@@ -332,29 +380,29 @@ Könyv fejezet:Vers-Vers,Fejezet:Vers-Vers
Könyv fejezet:Vers-Fejezet:Vers
-
+
Online biblia nem használható
-
+
- A keresés nem érhető el online biblián.
+ A keresés nem érhet? el online biblián.
-
+
Nincs megadva keresési kifejezés.
-Több kifejezés is megadható. Szóközzel történő elválasztás esetén minden egyes kifejezésre történik a keresés, míg vesszővel való elválasztás esetén csak az egyikre.
+Több kifejezés is megadható. Szóközzel történ? elválasztás esetén minden egyes kifejezésre történik a keresés, míg vessz?vel való elválasztás esetén csak az egyikre.
-
+
- Nincsenek elérhető bibliák
+ Nincsenek elérhet? bibliák
-
+
Jelenleg nincs telepített biblia. Kérlek, használd a bibliaimportáló tündért bibliák telepítéséhez.
@@ -401,12 +449,12 @@ Több kifejezés is megadható. Szóközzel történő elválasztás esetén min
Megjegyzés:
-A módosítások nem érintik a már a szolgálati sorrendben lévő verseket.
+A módosítások nem érintik a már a szolgálati sorrendben lév? verseket.
- Kettőzött bibliaversek megjelenítése
+ Kett?zött bibliaversek megjelenítése
@@ -419,7 +467,7 @@ A módosítások nem érintik a már a szolgálati sorrendben lévő verseket.
- A következő könyvnév nem ismerhető fel. Válassz egy helyes angol nevet a következő listából.
+ A következ? könyvnév nem ismerhet? fel. Válassz egy helyes angol nevet a következ? listából.
@@ -429,7 +477,7 @@ A módosítások nem érintik a már a szolgálati sorrendben lévő verseket.
- Megfelelő név:
+ Megfelel? név:
@@ -460,189 +508,228 @@ A módosítások nem érintik a már a szolgálati sorrendben lévő verseket.
Ki kell jelölni egy könyvet.
+
+ BiblesPlugin.CSVBible
+
+
+
+ Könyvek importálása… %s
+
+
+
+
+ Importing verses from <book name>...
+ Versek importálása ebb?l a könyvb?l: %…
+
+
+
+
+ Versek importálása… kész.
+
+
BiblesPlugin.HTTPBible
-
+
Biblia regisztrálása és a könyvek letöltése…
-
+
Nyelv regisztrálása…
-
+
Importing <book name>...
Importálás: %s…
+
+
+
+ Letöltési hiba
+
+
+
+
+ Probléma történt a kijelölt versek letöltésekor. Kérem, ellen?rizd a az internetkapcsolatot, és ha a hiba nem oldódik meg, fontold meg a hiba bejelentését.
+
+
+
+
+ Feldolgozási hiba
+
+
+
+
+ Probléma történt a kiválasztott versek kicsomagolásakor. Ha a hiba nem oldódik meg, fontold meg a hiba bejelentését.
+
BiblesPlugin.ImportWizardForm
-
+
Bibliaimportáló tündér
-
+
- A tündér segít a különféle formátumú bibliák importálásában. Kattints az alábbi Következő gombra a folyamat első lépésének indításhoz, a formátum kiválasztásához.
+ A tündér segít a különféle formátumú bibliák importálásában. Kattints az alábbi Következ? gombra a folyamat els? lépésének indításhoz, a formátum kiválasztásához.
-
+
Web letöltés
-
+
Hely:
-
+
-
+
-
+
Biblia:
-
+
Letöltési beállítások
-
+
Szerver:
-
+
Felhasználói név:
-
+
Jelszó:
-
+
Proxy szerver (választható)
-
+
Licenc részletek
-
+
Állítsd be a biblia licenc részleteit.
-
+
Verzió neve:
-
+
- Szerzői jog:
+ Szerz?i jog:
-
+
Kérlek, várj, míg a biblia importálás alatt áll.
-
+
- Meg kell adni egy fájlt a bibliai könyvekről az importáláshoz.
+ Meg kell adni egy fájlt a bibliai könyvekr?l az importáláshoz.
-
+
- Meg kell adni egy fájlt a bibliai versekről az importáláshoz.
+ Meg kell adni egy fájlt a bibliai versekr?l az importáláshoz.
-
+
Meg kell adni a biblia verziószámát.
-
+
Biblia létezik
-
+
A biblia importálása nem sikerült.
-
+
- Meg kell adni a biblia szerzői jogait. A közkincsű bibliákat meg kell jelölni ilyennek.
+ Meg kell adni a biblia szerz?i jogait. A közkincs? bibliákat meg kell jelölni ilyennek.
-
+
- Ez a biblia már létezik. Kérlek, importálj egy másik bibliát vagy előbb töröld a meglévőt.
+ Ez a biblia már létezik. Kérlek, importálj egy másik bibliát vagy el?bb töröld a meglév?t.
-
+
Engedélyek:
-
+
CSV fájl
-
+
-
+
Biblia fájl:
-
+
Könyv fájl:
-
+
Versek fájl:
-
+
openlp.org 1.x biblia fájlok
-
+
Biblia regisztrálása…
-
+
Biblia regisztrálva. Megjegyzés: a versek csak kérésre lesznek letöltve és ekkor internet kapcsolat szükségeltetik.
@@ -669,7 +756,7 @@ demand and thus an internet connection is required.
BiblesPlugin.LanguageForm
-
+
Meg kell adnod a nyelvet.
@@ -677,59 +764,79 @@ demand and thus an internet connection is required.
BiblesPlugin.MediaItem
-
+
Gyors
-
+
Keresés:
-
+
Könyv:
-
+
Fejezet:
-
+
Vers:
-
+
- Innentől:
+ Innent?l:
-
+
Idáig:
-
+
Szöveg keresése
-
+
Második:
-
+
Igehely hivatkozás
-
+
- Átváltás az előző eredmény megőrzése, ill. törlése között.
+ Átváltás az el?z? eredmény meg?rzése, ill. törlése között.
+
+
+
+
+ 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?
+
+
+
+
+ A biblia nem tölt?dött be teljesen.
+
+
+
+
+ Információ
+
+
+
+
+ A második biblia nem tartalmaz minden verset, ami az els?ben megtalálható. Csak a mindkét bibliában fellelhet? versek fognak mgejelenni. Ezek a versek nem lesznek megtalálhatóak: %d.
@@ -758,148 +865,181 @@ demand and thus an internet connection is required.
BiblesPlugin.UpgradeWizardForm
-
+
Válassz egy mappát a biztonsági mentésnek
-
+
- Bibliafrissítő tündér
+ Bibliafrissít? tündér
-
+
- A tündér segít az OpenLP 2 korábbi verzióiból származó bibliák frissítésében. Kattints az alábbi Következő gombra a folyamat indításhoz.
+ A tündér segít az OpenLP 2 korábbi verzióiból származó bibliák frissítésében. Kattints az alábbi Következ? gombra a folyamat indításhoz.
-
+
Biztonsági mentés mappája
-
+
Válassz egy mappát a Biliáid biztonsági mentésének
-
+
- Az OpenLP 2.0 előző verziói nem képesek a frissített bibliákat alkalmazni. Ez a tündér segít bitonsági mentést készíteni a jelenlegi bibliákról, így ha vissza kell térni az OpenLP egy régebbi verziójára, akkor ezeket csak be kell majd másolni az OpenLP adatmappájába. A helyreállítási tudnivalók a <a href="http://wiki.openlp.org/faq">Gyakran Ismételt Kérdések</a> között találhatók.
+ Az OpenLP 2.0 el?z? verziói nem képesek a frissített bibliákat alkalmazni. Ez a tündér segít bitonsági mentést készíteni a jelenlegi bibliákról, így ha vissza kell térni az OpenLP egy régebbi verziójára, akkor ezeket csak be kell majd másolni az OpenLP adatmappájába. A helyreállítási tudnivalók a <a href="http://wiki.openlp.org/faq">Gyakran Ismételt Kérdések</a> között találhatók.
-
+
Válassz egy helyet a Biliáid biztonsági mentésének.
-
+
Biztonsági mentés helye:
-
+
Nincs szükségem biztonsági másolatra
-
+
Bibliák kijelölése
-
+
- Jelöld ki a frissítendő bibliákat
+ Jelöld ki a frissítend? bibliákat
+
+
+
+
+ Verzió neve:
-
- Verzió neve:
-
-
-
- A Bibia már létezik. Változtasd meg a nevét vagy ne jelöld be.
+ A Bibia már létezik. Változtasd meg a nevét vagy ne jelöld be.
-
+
Frissítés
-
+
Kérlek, várj, míg a biblia frissítés alatt áll.
- Meg kell adni a bibliáid biztonsági mentésének helyét.
+ Meg kell adni a bibliáid biztonsági mentésének helyét.
-
+
+
+ A bizontonsági mentés nem teljes.
+A bibliák biztonsági mentéséhez írási jogosultság szükséges a megadott mappára. Ha az írási jogosultság fennáll, és mégis el?fordul ez a hiba, jelentsd be a hibát.
+
+
+
- Meg kell adni a biblia verziószámát.
+ Meg kell adni a biblia verziószámát.
-
+
- Biblia létezik
+ Biblia létezik
-
+
- A bibia már létezik. Kérlek, frissíts egy másik bibliát, töröld a már meglévőt vagy ne jelöld be.
+ A bibia már létezik. Kérlek, frissíts egy másik bibliát, töröld a már meglév?t vagy ne jelöld be.
+
+
+
+
+ Bibliák frissítésének kezdése…
- Nincs frissíthető biblia.
+ Nincs frissíthet? biblia.
-
+
Biblia frissítése: %s/%s: „%s”
Sikertelen
-
+
Biblia frissítése: %s/%s: „%s”
Frissítés…
-
+
Letöltési hiba
-
+
+
+ A webes bibliák frissítéséshez internet kapcsolat szükséges. Ha van m?köd? internet kapcsolat, és mégis el?fordul ez a hiba, jelentsd be a hibát.
+
+
+
Biblia frissítése: %s/%s: „%s”
Frissítés: %s …
-
+
+
+ Biblia frissítése: %s/%s: „%s”
+Kész
+
+
+
, %s sikertelen
-
+
+
+ Bibliák frissítése: %s teljesítve %s.
+Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve
+és ekkor is internet kapcsolat szükségeltetik.
+
+
+
Biblia frissítése: %s teljesítve %s
-
+
A frissítés nem sikerült.
-
+
A bizontonsági mentés nem teljes.
@@ -908,34 +1048,54 @@ A bibliák biztonsági mentéséhez írási jogosultság szükséges a megadott
- Bibliák frissítésének kezdése…
+ Bibliák frissítésének kezdése…
-
+
A webes bibliák frissítéséshez internet kapcsolat szükséges.
-
+
Biblia frissítése: %s/%s: „%s”
Teljes
-
+
Bibliák frissítése: %s teljesítve %s.
Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor is internet kapcsolat szükségeltetik.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
CustomPlugin
+
+
+
+ <strong>Speciális b?vítmény</strong><br />A speciális b?vítmény dalokhoz hasonló egyéni diasor vetítését teszi lehet?vé. Ugyanakkor több szabadságot enged meg, mint a dalok b?vítmény.
+
- <strong>Speciális dia bővítmény</strong><br />A speciális dia bővítmény dalokhoz hasonló egyéni diasor vetítését teszi lehetővé. Ugyanakkor több szabadságot enged meg, mint a dalok bővítmény.
+ <strong>Speciális dia b?vítmény</strong><br />A speciális dia b?vítmény dalokhoz hasonló egyéni diasor vetítését teszi lehet?vé. Ugyanakkor több szabadságot enged meg, mint a dalok b?vítmény.
@@ -983,12 +1143,12 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor
- A kijelölt speciális dia előnézete.
+ A kijelölt speciális dia el?nézete.
- A kijelölt speciális dia élő adásba küldése.
+ A kijelölt speciális dia él? adásba küldése.
@@ -1036,6 +1196,11 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor
Minden kijelölt dia szerkesztése egyszerre.
+
+
+
+ Szétválasztás
+
@@ -1049,15 +1214,15 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor
- &Közreműködők:
+ &Közrem?köd?k:
-
+
Meg kell adnod a címet.
-
+
Meg kell adnod legalább egy diát
@@ -1066,18 +1231,94 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor
&Összes szerkesztése
+
+
+
+ Diák kettéválasztása csak akkor, ha nem fér ki a képerny?n egy diaként.
+
Dia beszúrása
+
+ CustomPlugin.MediaItem
+
+
+
+
+
+
+
+
+
+ CustomsPlugin
+
+
+
+ name singular
+ Speciális
+
+
+
+
+ name plural
+ Speciális diák
+
+
+
+
+ container title
+ Speciális
+
+
+
+
+ Új speciális betöltése.
+
+
+
+
+ Speciális importálása.
+
+
+
+
+ Új speciális hozzáadása.
+
+
+
+
+ A kijelölt speciális szerkesztése.
+
+
+
+
+ A kijelölt speciális törlése.
+
+
+
+
+ A kijelölt speciális el?nézete.
+
+
+
+
+ A kijelölt speciális él? adásba küldése.
+
+
+
+
+ A kijelölt speciális hozzáadása a szolgálati sorrendhez.
+
+
GeneralTab
- Általános
+ Általános
@@ -1085,7 +1326,7 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor
- <strong>Kép bővítmény</strong><br />A kép a bővítmény különféle képek vetítését teszi lehetővé.<br />A bővítmény egyik különös figyelmet érdemlő képessége az, hogy képes a sorrendkezelőn csoportba foglalni a képeket, így könnyebbé téve képek tömeges vetítését. A bővítmény képes az OpenLP „időzített körkörös” lejátszásra is, amivel a diasort automatikusan tudjuk léptetni. Továbbá, a bővítményben megadott képekkel felülírhatjuk a téma háttérképét, amellyel a szöveg alapú elemek, mint pl. a dalok, a megadott háttérképpel jelennek meg, a témában beállított háttérkép helyett.
+ <strong>Kép b?vítmény</strong><br />A kép a b?vítmény különféle képek vetítését teszi lehet?vé.<br />A b?vítmény egyik különös figyelmet érdeml? képessége az, hogy képes a sorrendkezel?n csoportba foglalni a képeket, így könnyebbé téve képek tömeges vetítését. A b?vítmény képes az OpenLP „id?zített körkörös” lejátszásra is, amivel a diasort automatikusan tudjuk léptetni. Továbbá, a b?vítményben megadott képekkel felülírhatjuk a téma háttérképét, amellyel a szöveg alapú elemek, mint pl. a dalok, a megadott háttérképpel jelennek meg, a témában beállított háttérkép helyett.
@@ -1105,6 +1346,41 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor
container title
Képek
+
+
+
+ Új kép betöltése.
+
+
+
+
+ Új kép hozzáadása.
+
+
+
+
+ A kijelölt kép szerkesztése.
+
+
+
+
+ A kijelölt kép törlése.
+
+
+
+
+ A kijelölt kép el?nézete.
+
+
+
+
+ A kijelölt kép él? adásba küldése.
+
+
+
+
+ A kijelölt kép hozzáadása a szolgálati sorrendhez.
+
@@ -1128,12 +1404,12 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor
- A kijelölt kép előnézete.
+ A kijelölt kép el?nézete.
- A kijelölt kép élő adásba küldése.
+ A kijelölt kép él? adásba küldése.
@@ -1152,49 +1428,54 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor
ImagePlugin.MediaItem
-
+
Kép(ek) kijelölése
-
+
Ki kell választani egy képet a törléshez.
-
+
Ki kell választani egy képet a háttér cseréjéhez.
-
+
-
+
- A következő kép(ek) nem létezik: %s
+ A következ? kép(ek) nem létezik: %s
-
+
- A következő kép(ek) nem létezik: %s
+ A következ? kép(ek) nem létezik: %s
Szeretnél más képeket megadni?
-
+
Probléma történt a háttér cseréje során, a(z) „%s” kép nem létezik.
+
+
+
+
+
MediaPlugin
- <strong>Média bővítmény</strong><br />A média bővítmény hangok és videók lejátszását teszi lehetővé.
+ <strong>Média b?vítmény</strong><br />A média b?vítmény hangok és videók lejátszását teszi lehet?vé.
@@ -1214,6 +1495,41 @@ Szeretnél más képeket megadni?
container title
Média
+
+
+
+ Új médiafájl betöltése.
+
+
+
+
+ Új médiafájl hozzáadása.
+
+
+
+
+ A kijelölt médiafájl szerkesztése.
+
+
+
+
+ A kijelölt médiafájl törlése.
+
+
+
+
+ A kijelölt médiafájl el?nézete.
+
+
+
+
+ A kijelölt médiafájl él? adásba küldése.
+
+
+
+
+ A kijelölt médiafájl hozzáadása a szolgálati sorrendhez.
+
@@ -1237,12 +1553,12 @@ Szeretnél más képeket megadni?
- A kijelölt médiafájl előnézete.
+ A kijelölt médiafájl el?nézete.
- A kijelölt médiafájl élő adásba küldése.
+ A kijelölt médiafájl él? adásba küldése.
@@ -1253,40 +1569,45 @@ Szeretnél más képeket megadni?
MediaPlugin.MediaItem
-
+
Médiafájl kijelölése
-
+
Ki kell jelölni egy médiafájlt a törléshez.
-
+
Videók (%s);;Hang (%s);;%s (*)
-
+
Ki kell jelölni médiafájlt a háttér cseréjéhez.
-
+
Probléma történt a háttér cseréje során, a(z) „%s” média fájl nem létezik.
-
+
Hiányzó média fájl
-
+
A(z) „%s” fájl nem létezik.
+
+
+
+
+
MediaPlugin.MediaTab
@@ -1298,13 +1619,13 @@ Szeretnél más képeket megadni?
- A Phonon médiakezelő keretrendszer alkalmazása videók lejátszására
+ A Phonon médiakezel? keretrendszer alkalmazása videók lejátszására
OpenLP
-
+
Kép fájlok
@@ -1319,7 +1640,7 @@ Szeretnél más képeket megadni?
You have to upgrade your existing Bibles.
Should OpenLP upgrade now?
A bibliák formátuma megváltozott,
-ezért frissíteni kell a már meglévő bibliákat.
+ezért frissíteni kell a már meglév? bibliákat.
Frissítheti most az OpenLP?
@@ -1328,7 +1649,7 @@ Frissítheti most az OpenLP?
- Közreműködők
+ Közrem?köd?k
@@ -1411,16 +1732,16 @@ Final Credit
Projektvezetés
%s
-Fejlesztők
+Fejleszt?k
%s
Hozzájárulók
%s
-Tesztelők
+Tesztel?k
%s
-Csomagkészítők
+Csomagkészít?k
%s
Fordítók
@@ -1438,7 +1759,7 @@ Fordítók
%s
Magyar (hu)
%s
- Japűn (ja)
+ Jap?n (ja)
%s
Norvég bokmål (nb)
%s
@@ -1458,22 +1779,22 @@ Fordítás
PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro
Oxygen ikonok: http://oxygen-icons.org/
-Végső köszönet
+Végs? köszönet
„Úgy szerette Isten a világot, hogy
egyszülött Fiát adta oda, hogy egyetlen
- benne hívő se vesszen el, hanem
+ benne hív? se vesszen el, hanem
örök élete legyen.” (Jn 3,16)
- És végül, de nem utolsósorban, a végső köszönet
+ És végül, de nem utolsósorban, a végs? köszönet
Istené, Atyánké, mert elküldte a Fiát, hogy meghaljon
- a kereszten, megszabadítva bennünket a bűntől. Ezért
+ a kereszten, megszabadítva bennünket a b?nt?l. Ezért
ezt a programot szabadnak és ingyenesnek készítettük,
- mert Ő tett minket szabaddá.
+ mert ? tett minket szabaddá.
- Ez egy szabad szoftver; terjeszthető illetve módosítható a GNU Általános Közreadási Feltételek dokumentumában leírtak szerint - 2. verzió -, melyet a Szabad Szoftver Alapítvány ad ki.
+ Ez egy szabad szoftver; terjeszthet? illetve módosítható a GNU Általános Közreadási Feltételek dokumentumában leírtak szerint - 2. verzió -, melyet a Szabad Szoftver Alapítvány ad ki.
@@ -1489,11 +1810,11 @@ OpenLP is free church presentation software, or lyrics projection software, used
Find out more about OpenLP: http://openlp.org/
OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider contributing by using the button below.
- OpenLP <version><revision> – Nyílt forrású dalszöveg vetítő
+ OpenLP <version><revision> – Nyílt forrású dalszöveg vetít?
-Az OpenLP egy templomi/gyülekezeti bemutató, ill. dalszöveg vetítő szabad szoftver, mely használható énekek, bibliai versek, videók, képek és bemutatók (ha az Impress, PowerPoint vagy a PowerPoint Viewer telepítve van) vetítésére a gyülekezeti dicsőítés alatt egy számítógép és egy projektor segítségével.
+Az OpenLP egy templomi/gyülekezeti bemutató, ill. dalszöveg vetít? szabad szoftver, mely használható énekek, bibliai versek, videók, képek és bemutatók (ha az Impress, PowerPoint vagy a PowerPoint Viewer telepítve van) vetítésére a gyülekezeti dics?ítés alatt egy számítógép és egy projektor segítségével.
-Többet az OpenLP-ről: http://openlp.org/
+Többet az OpenLP-r?l: http://openlp.org/
Az OpenLP-t önkéntesek készítették és tartják karban. Ha szeretnél több keresztény számítógépes programot, fontold meg a projektben való részvételt az alábbi gombbal.
@@ -1501,8 +1822,8 @@ Az OpenLP-t önkéntesek készítették és tartják karban. Ha szeretnél több
- Szerzői jog © 2004-2011 %s
-Részleges szerzői jog © 2004-2011 %s
+ Szerz?i jog © 2004-2011 %s
+Részleges szerz?i jog © 2004-2011 %s
@@ -1515,27 +1836,27 @@ Részleges szerzői jog © 2004-2011 %s
- Előzmények megjelenítésének hossza:
+ El?zmények megjelenítésének hossza:
- Újraindításkor az aktív médiakezelő fülek visszaállítása
+ Újraindításkor az aktív médiakezel? fülek visszaállítása
- Dupla kattintással az elemek azonnali élő adásba küldése
+ Dupla kattintással az elemek azonnali él? adásba küldése
- A sorrendbe kerülő elemek kibontása létrehozáskor
+ A sorrendbe kerül? elemek kibontása létrehozáskor
- Kilépési megerősítés engedélyezése
+ Kilépési meger?sítés engedélyezése
@@ -1545,7 +1866,7 @@ Részleges szerzői jog © 2004-2011 %s
- Egérmutató elrejtése a vetítési képernyő felett
+ Egérmutató elrejtése a vetítési képerny? felett
@@ -1570,7 +1891,7 @@ Részleges szerzői jog © 2004-2011 %s
- Elem előnézete a médiakezelőben való kattintáskor
+ Elem el?nézete a médiakezel?ben való kattintáskor
@@ -1585,7 +1906,7 @@ Részleges szerzői jog © 2004-2011 %s
- Tallózd be a megjelenítendő képfájlt.
+ Tallózd be a megjelenítend? képfájlt.
@@ -1596,82 +1917,87 @@ Részleges szerzői jog © 2004-2011 %s
OpenLP.DisplayTagDialog
-
+
- Kijelölés szerkesztése
+ Kijelölés szerkesztése
-
+
- Leírás
+ Leírás
+
+
+
+
+ Címke
+
+
+
+
+ Nyitó címke
-
- Címke
-
-
-
-
- Nyitó címke
-
-
-
- Záró címke
+ Záró címke
-
+
- ID
+ ID
-
+
- Nyitó HTML
+ Nyitó HTML
-
+
- Befejező HTML
+ Befejez? HTML
-
+
- Mentés
+ Mentés
OpenLP.DisplayTagTab
-
+
- Frissítési hiba
+ Frissítési hiba
- Az „n” címke már létezik.
+ Az „n” címke már létezik.
-
+
- A címke már létezik: %s.
+ A címke már létezik: %s.
- Új címke
+ Új címke
+
+
+
+
+ <Html_itt>
- </és itt>
+ </és itt>
- <HTML itt>
+ <HTML itt>
@@ -1679,82 +2005,82 @@ Részleges szerzői jog © 2004-2011 %s
- Vörös
+ Vörös
- Fekete
+ Fekete
- Kék
+ Kék
- Sárga
+ Sárga
- Zöld
+ Zöld
- Rózsaszín
+ Rózsaszín
- Narancs
+ Narancs
- Lila
+ Lila
- Fehér
+ Fehér
- Felső index
+ Fels? index
- Alsó index
+ Alsó index
- Bekezdés
+ Bekezdés
- Félkövér
+ Félkövér
- Dőlt
+ D?lt
- Aláhúzott
+ Aláhúzott
- Sortörés
+ Sortörés
@@ -1762,7 +2088,7 @@ Részleges szerzői jog © 2004-2011 %s
- Hoppá! Az OpenLP hibába ütközött, és nem tudta lekezelni. Az alsó szövegdoboz olyan információkat tartalmaz, amelyek hasznosak lehetnek az OpenLP fejlesztői számára, tehát kérjük, küld el a bugs@openlp.org email címre egy részletes leírás mellett, amely tartalmazza, hogy éppen hol és mit tettél, amikor a hiba történt.
+ Hoppá! Az OpenLP hibába ütközött, és nem tudta lekezelni. Az alsó szövegdoboz olyan információkat tartalmaz, amelyek hasznosak lehetnek az OpenLP fejleszt?i számára, tehát kérjük, küld el a bugs@openlp.org email címre egy részletes leírás mellett, amely tartalmazza, hogy éppen hol és mit tettél, amikor a hiba történt.
@@ -1896,34 +2222,34 @@ Version: %s
Letöltés %s…
-
+
Letöltés kész. Kattints a Befejezés gombra az OpenLP indításához.
-
+
- Kijelölt bővítmények engedélyezése…
+ Kijelölt b?vítmények engedélyezése…
- Első indítás tündér
+ Els? indítás tündér
- Üdvözlet az első indítás tündérben
+ Üdvözlet az els? indítás tündérben
- Igényelt bővítmények aktiválása
+ Igényelt b?vítmények aktiválása
- Jelöld ki az alkalmazni kívánt bővítményeket.
+ Jelöld ki az alkalmazni kívánt b?vítményeket.
@@ -1933,7 +2259,7 @@ Version: %s
- Speciális
+ Speciális
@@ -1987,11 +2313,11 @@ Version: %s
To re-run the First Time Wizard and import this sample data at a later stage, press the cancel button now, check your Internet connection, and restart OpenLP.
To cancel the First Time Wizard completely, press the finish button now.
- Nem sikerült internetkapcsolatot találni. Az Első indulás tündérnek internetkapcsolatra van szüksége ahhoz, hogy a példa dalokat, bibliákat és témákat le tudja tölteni.
+ Nem sikerült internetkapcsolatot találni. Az Els? indulás tündérnek internetkapcsolatra van szüksége ahhoz, hogy a példa dalokat, bibliákat és témákat le tudja tölteni.
-Az Első indulás tündér újbóli indításához most a Mégse gobra kattints először, ellenőrizd az internetkapcsolatot és indítsd újra az OpenLP-t.
+Az Els? indulás tündér újbóli indításához most a Mégse gobra kattints el?ször, ellen?rizd az internetkapcsolatot és indítsd újra az OpenLP-t.
-Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés gombot.
+Az Els? indulás tündér további megkerüléséhez, nyomd meg a Befejezés gombot.
@@ -2033,10 +2359,20 @@ Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés go
Az OpenLP alapértelmezett beállításai.
+
+
+
+ Beállítás és importálás
+
+
+
+
+ Várj, amíg az OpenLP beállítások érvényre jutnak és míg az adatok importálódnak.
+
- Alapértelmezett kimeneti képernyő:
+ Alapértelmezett kimeneti képerny?:
@@ -2051,28 +2387,212 @@ Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés go
- A tündér segít elkezdeni az OpenLP használatát. Kattints az alábbi Következő gombra az indításhoz.
+ A tündér segít elkezdeni az OpenLP használatát. Kattints az alábbi Következ? gombra az indításhoz.
-
+
Beállítás és letöltés
-
+
- Várj, amíg az OpenLP beállítások érvényre jutnak és míg az adatok letöltődnek.
+ Várj, amíg az OpenLP beállítások érvényre jutnak és míg az adatok letölt?dnek.
-
+
Beállítás
-
+
Kattints a Befejezés gombra az OpenLP indításához.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTagDialog
+
+
+
+
+
+
+
+
+ Kijelölés szerkesztése
+
+
+
+
+ Mentés
+
+
+
+
+ Leírás
+
+
+
+
+ Címke
+
+
+
+
+ Nyitó címke
+
+
+
+
+ Záró címke
+
+
+
+
+ ID
+
+
+
+
+ Nyitó HTML
+
+
+
+
+ Befejez? HTML
+
+
+
+ OpenLP.FormattingTagForm
+
+
+
+ Frissítési hiba
+
+
+
+
+ Az „n” címke már létezik.
+
+
+
+
+ Új címke
+
+
+
+
+ <HTML itt>
+
+
+
+
+ </és itt>
+
+
+
+
+ A címke már létezik: %s.
+
+
+
+ OpenLP.FormattingTags
+
+
+
+ Vörös
+
+
+
+
+ Fekete
+
+
+
+
+ Kék
+
+
+
+
+ Sárga
+
+
+
+
+ Zöld
+
+
+
+
+ Rózsaszín
+
+
+
+
+ Narancs
+
+
+
+
+ Lila
+
+
+
+
+ Fehér
+
+
+
+
+ Fels? index
+
+
+
+
+ Alsó index
+
+
+
+
+ Bekezdés
+
+
+
+
+ Félkövér
+
+
+
+
+ D?lt
+
+
+
+
+ Aláhúzott
+
+
+
+
+ Sortörés
+
OpenLP.GeneralTab
@@ -2089,12 +2609,12 @@ Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés go
- Jelöld ki a vetítési képernyőt:
+ Jelöld ki a vetítési képerny?t:
- Megjelenítés egy képernyő esetén
+ Megjelenítés egy képerny? esetén
@@ -2104,7 +2624,7 @@ Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés go
- Figyelmeztetés megjelenítése az elsötétített képernyőről
+ Figyelmeztetés megjelenítése az elsötétített képerny?r?l
@@ -2114,7 +2634,7 @@ Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés go
- Indító képernyő megjelenítése
+ Indító képerny? megjelenítése
@@ -2124,12 +2644,12 @@ Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés go
- Rákérdezés mentésre új sorrend létrehozása előtt
+ Rákérdezés mentésre új sorrend létrehozása el?tt
- Következő elem automatikus előnézete a sorrendben
+ Következ? elem automatikus el?nézete a sorrendben
@@ -2189,7 +2709,7 @@ Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés go
- Képernyő elsötétítésének visszavonása új elem élő adásba küldésekor
+ Képerny? elsötétítésének visszavonása új elem él? adásba küldésekor
@@ -2199,7 +2719,7 @@ Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés go
- Időzített dia intervalluma:
+ Id?zített dia intervalluma:
@@ -2218,7 +2738,7 @@ Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés go
OpenLP.MainDisplay
-
+
OpenLP megjelenítés
@@ -2226,318 +2746,318 @@ Az Első indulás tündér további megkerüléséhez, nyomd meg a Befejezés go
OpenLP.MainWindow
-
+
&Fájl
-
+
&Importálás
-
+
&Exportálás
-
+
&Nézet
-
+
&Mód
-
+
&Eszközök
-
+
&Beállítások
-
+
&Nyelv
-
+
&Súgó
-
+
- Médiakezelő
+ Médiakezel?
-
+
- Sorrendkezelő
+ Sorrendkezel?
-
+
- Témakezelő
+ Témakezel?
-
+
&Új
-
+
Meg&nyitás
-
+
- Meglévő sorrend megnyitása.
+ Meglév? sorrend megnyitása.
-
+
&Mentés
-
+
Aktuális sorrend mentése lemezre.
-
+
Mentés má&sként…
-
+
Sorrend mentése másként
-
+
Az aktuális sorrend más néven való mentése.
-
+
&Kilépés
-
+
OpenLP bezárása
-
+
&Téma
-
+
OpenLP &beállítása…
-
+
- &Médiakezelő
+ &Médiakezel?
-
+
- Médiakezelő átváltása
+ Médiakezel? átváltása
-
+
- A médiakezelő láthatóságának átváltása.
+ A médiakezel? láthatóságának átváltása.
-
+
- &Témakezelő
+ &Témakezel?
-
+
- Témakezelő átváltása
+ Témakezel? átváltása
-
+
- A témakezelő láthatóságának átváltása.
+ A témakezel? láthatóságának átváltása.
-
+
- &Sorrendkezelő
+ &Sorrendkezel?
-
+
- Sorrendkezelő átváltása
+ Sorrendkezel? átváltása
-
+
- A sorrendkezelő láthatóságának átváltása.
+ A sorrendkezel? láthatóságának átváltása.
-
+
- &Előnézet panel
+ &El?nézet panel
-
+
- Előnézet panel átváltása
+ El?nézet panel átváltása
-
+
- Az előnézet panel láthatóságának átváltása.
+ Az el?nézet panel láthatóságának átváltása.
-
+
- &Élő adás panel
+ &Él? adás panel
-
+
- Élő adás panel átváltása
+ Él? adás panel átváltása
-
+
- Az élő adás panel láthatóságának átváltása.
+ Az él? adás panel láthatóságának átváltása.
-
+
- &Bővítménylista
+ &B?vítménylista
-
+
- Bővítmények listája
+ B?vítmények listája
-
+
&Felhasználói kézikönyv
-
+
&Névjegy
-
+
- További információ az OpenLP-ről
+ További információ az OpenLP-r?l
-
+
&Online súgó
-
+
&Weboldal
-
+
- Rendszernyelv használata, ha elérhető.
+ Rendszernyelv használata, ha elérhet?.
-
+
A felhasználói felület nyelvének átváltása erre: %s
-
+
&Eszköz hozzáadása…
-
+
Egy alkalmazás hozzáadása az eszközök listához.
-
+
&Alapértelmezett
-
+
Nézetmód visszaállítása az alapértelmezettre.
-
+
&Szerkesztés
-
+
Nézetmód váltása a Beállítás módra.
-
+
- &Élő adás
+ &Él? adás
-
+
- Nézetmód váltása a Élő módra.
+ Nézetmód váltása a Él? módra.
-
+
- Már letölthető az OpenLP %s verziója (jelenleg a %s verzió fut).
+ Már letölthet? az OpenLP %s verziója (jelenleg a %s verzió fut).
-A legfrissebb verzió a http://openlp.org/ oldalról szerezhető be.
+A legfrissebb verzió a http://openlp.org/ oldalról szerezhet? be.
-
+
OpenLP verziófrissítés
-
+
- Elsötétített OpenLP fő képernyő
+ Elsötétített OpenLP f? képerny?
-
+
- A fő képernyő el lett sötétítve
+ A f? képerny? el lett sötétítve
-
+
Alapértelmezett téma: %s
-
+
- &Gyorsbillentyűk beállítása…
+ &Gyorsbillenty?k beállítása…
@@ -2546,50 +3066,108 @@ A legfrissebb verzió a http://openlp.org/ oldalról szerezhető be.Magyar
-
-
- Megjelenítési &címkék beállítása
+
+
+ Az aktuális sorrend nyomtatása.
-
+
+
+ Megjelenítési &címkék beállítása
+
+
+
&Automatikus felismerés
-
+
&Adatmappa megnyitása…
-
+
A dalokat, bibliákat és egyéb adatokat tartalmazó mappa megnyitása.
-
+
OpenLP bezárása
-
+
Biztosan bezárható az OpenLP?
-
+
Témaképek frissítése
-
+
- Összes téma előnézeti képének frissítése.
+ Összes téma el?nézeti képének frissítése.
-
+
Az aktuális sorrend nyomtatása.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Clear List of recent files
+
+
+
+
+
+
+
OpenLP.MediaManagerItem
@@ -2599,69 +3177,97 @@ A legfrissebb verzió a http://openlp.org/ oldalról szerezhető be.Nincs kijelölt elem
-
+
&Hozzáadás a kijelölt sorrend elemhez
-
+
- Ki kell jelölni egy elemet az előnézethez.
+ Ki kell jelölni egy elemet az el?nézethez.
-
+
- Ki kell jelölni egy élő adásba küldendő elemet.
+ Ki kell jelölni egy él? adásba küldend? elemet.
-
+
Ki kell jelölni egy vagy több elemet.
-
+
Ki kell jelölni egy sorrend elemet, amihez hozzá szeretné adni.
-
+
Érvénytelen sorrend elem
-
+
Ki kell jelölni egy %s sorrend elemet.
-
+
+
+ Duplikátum fájlnév: %s.
+A fájlnév már benn van a listában
+
+
+
Ki kell jelölni egy vagy több elemet a hozzáadáshoz.
-
+
Nincs találat
-
+
- Duplikátum fájlnév: %s.
+ Duplikátum fájlnév: %s.
A fájlnév már benn van a listában
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.PluginForm
- Bővítménylista
+ B?vítménylista
- Bővítmény részletei
+ B?vítmény részletei
@@ -2697,12 +3303,12 @@ A fájlnév már benn van a listában
OpenLP.PrintServiceDialog
-
+
Oldal kitöltése
-
+
Szélesség kitöltése
@@ -2710,88 +3316,121 @@ A fájlnév már benn van a listában
OpenLP.PrintServiceForm
-
+
Beállítások
- Bezárás
+ Bezárás
-
+
Másolás
-
+
Másolás HTML-ként
-
+
Nagyítás
-
+
Kicsinyítés
-
+
Eredeti nagyítás
-
+
További beállítások
-
+
- Dia szövegének beillesztése, ha elérhető
+ Dia szövegének beillesztése, ha elérhet?
-
+
Sorrend elem megjegyzéseinek beillesztése
-
+
Sorrend elem lejátszási hosszának beillesztése
-
+
+
+ Szolgálati sorrend adatlap
+
+
+
Oldaltörés hozzádása minden szöveges elem elé
-
+
Szolgálati adatlap
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ScreenList
- Képernyő
+ Képerny?
- elsődleges
+ els?dleges
+
+
+
+ OpenLP.ServiceItem
+
+
+
+
+
+
+
+
+
OpenLP.ServiceItemEditForm
-
+
Sorrend elemek újrarendezése
@@ -2799,257 +3438,277 @@ A fájlnév már benn van a listában
OpenLP.ServiceManager
-
+
Mozgatás &felülre
-
+
Elem mozgatása a sorrend elejére.
-
+
Mozgatás f&eljebb
-
+
Elem mozgatása a sorrendben eggyel feljebb.
-
+
Mozgatás &lejjebb
-
+
Elem mozgatása a sorrendben eggyel lejjebb.
-
+
Mozgatás &alulra
-
+
Elem mozgatása a sorrend végére.
-
+
- &Törlés a sorrendből
+ &Törlés a sorrendb?l
-
+
- Kijelölt elem törlése a sorrendből.
+ Kijelölt elem törlése a sorrendb?l.
-
+
Új elem &hozzáadása
-
+
&Hozzáadás a kijelölt elemhez
-
+
&Elem szerkesztése
-
+
Elem újra&rendezése
-
+
&Jegyzetek
-
+
Elem témájának &módosítása
-
+
OpenLP sorrend fájlok (*.osz)
-
+
A fájl nem érvényes sorrend.
A tartalom kódolása nem UTF-8.
-
+
A fájl nem érvényes sorrend.
-
+
- Hiányzó képernyő kezelő
+ Hiányzó képerny? kezel?
-
+
- Az elemet nem lehet megjeleníteni, mert nincs kezelő, amely megjelenítené
+ Az elemet nem lehet megjeleníteni, mert nincs kezel?, amely megjelenítené
-
+
- Az elemet nem lehet megjeleníteni, mert a bővítmény, amely kezelné, hiányzik vagy inaktív
+ Az elemet nem lehet megjeleníteni, mert a b?vítmény, amely kezelné, hiányzik vagy inaktív
-
+
Mind &kibontása
-
+
Minden sorrend elem kibontása.
-
+
Mind össze&csukása
-
+
Minden sorrend elem összecsukása.
-
+
A kiválasztás lejjebb mozgatja az ablakot.
-
+
Mozgatás feljebb
-
+
A kiválasztás feljebb mozgatja az ablakot.
-
+
- Élő adásba
+ Él? adásba
-
+
- A kiválasztott elem élő adásba küldése.
+ A kiválasztott elem él? adásba küldése.
-
+
- &Kezdő időpont
+ &Kezd? id?pont
-
+
- &Előnézet megjelenítése
+ &El?nézet megjelenítése
-
+
- Élő &adás megjelenítése
+ Él? &adás megjelenítése
-
+
Fájl megnyitása
-
+
Módosított sorrend
-
+
Az aktuális sorrend módosult. Szeretnéd elmenteni?
-
+
A fájl nem nyitható meg, mivel sérült.
-
+
Üres fájl
-
+
A szolgálati sorrend fájl nem tartalmaz semmilyen adatot.
-
+
Sérült fájl
-
+
Egyedi szolgálati elem jegyzetek:
-
+
Jegyzetek:
-
+
- Lejátszási idő:
+ Lejátszási id?:
-
+
Névnélküli szolgálat
-
-
- Egy meglévő szolgálati sorrend betöltése.
+
+
+ A fájl vagy sérült vagy nem egy OpenLP 2.0 szolgálati sorrend fájl.
-
+
+
+ Egy meglév? szolgálati sorrend betöltése.
+
+
+
Sorrend mentése.
-
+
Jelöljön ki egy témát a sorrendhez.
-
+
A fájl vagy sérült vagy nem egy OpenLP 2.0 szolgálati sorrend fájl.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceNoteForm
-
+
Sorrend elem jegyzetek
@@ -3067,7 +3726,7 @@ A tartalom kódolása nem UTF-8.
- Egyedi gyorsbillentyűk
+ Egyedi gyorsbillenty?k
@@ -3077,17 +3736,17 @@ A tartalom kódolása nem UTF-8.
- Gyorsbillentyű
+ Gyorsbillenty?
-
+
- Azonos gyorsbillentyű
+ Azonos gyorsbillenty?
-
+
- A „%s” gyorsbillentyű már foglalt.
+ A „%s” gyorsbillenty? már foglalt.
@@ -3097,7 +3756,7 @@ A tartalom kódolása nem UTF-8.
- Válassz egy parancsot és kattints egyenként az egyik alul található gombra az elsődleges vagy alternatív gyorbillenytű elfogásához.
+ Válassz egy parancsot és kattints egyenként az egyik alul található gombra az els?dleges vagy alternatív gyorbillenyt? elfogásához.
@@ -3112,28 +3771,33 @@ A tartalom kódolása nem UTF-8.
- Gyorbillentyű elfogása.
+ Gyorbillenty? elfogása.
- Az eredeti gyorsbillentyű visszaállítása.
+ Az eredeti gyorsbillenty? visszaállítása.
-
+
- Alapértelmezett gyorsbillentyűk visszaállítása
+ Alapértelmezett gyorsbillenty?k visszaállítása
-
+
- Valóban minden gyorsbillenytű visszaállítandó az alapértelmezettjére?
+ Valóban minden gyorsbillenyt? visszaállítandó az alapértelmezettjére?
+
+
+
+
+
OpenLP.SlideController
-
+
Elrejtés
@@ -3143,69 +3807,69 @@ A tartalom kódolása nem UTF-8.
Ugrás
-
+
- Képernyő elsötétítése
+ Képerny? elsötétítése
-
+
Elsötétítés a témára
-
+
Asztal megjelenítése
-
+
- Előző dia
+ El?z? dia
-
+
- Következő dia
+ Következ? dia
- Előző sorrend
+ El?z? sorrend
- Következő sorrend
+ Következ? sorrend
- Kilépés az elemből
+ Kilépés az elemb?l
-
+
- Mozgatás az előzőre.
+ Mozgatás az el?z?re.
-
+
- Mozgatás a következőre.
+ Mozgatás a következ?re.
-
+
Diák vetítése
- Diák ismétlődő vetítése
+ Diák ismétl?d? vetítése
- Diak vetítése végig
+ Diak vetítése végig
@@ -3215,7 +3879,7 @@ A tartalom kódolása nem UTF-8.
- Élő adásba küldés.
+ Él? adásba küldés.
@@ -3225,7 +3889,7 @@ A tartalom kódolása nem UTF-8.
- Szerkesztés és az dal előnézetének újraolvasása.
+ Szerkesztés és az dal el?nézetének újraolvasása.
@@ -3236,17 +3900,17 @@ A tartalom kódolása nem UTF-8.
OpenLP.SpellTextEdit
-
+
Helyesírási javaslatok
-
+
Formázó címkék
-
+
Nyelv:
@@ -3271,7 +3935,7 @@ A tartalom kódolása nem UTF-8.
- Elem kezdő és befejező idő
+ Elem kezd? és befejez? id?
@@ -3291,17 +3955,27 @@ A tartalom kódolása nem UTF-8.
- Idő érvényességi hiba
+ Id? érvényességi hiba
+
+
+
+
+ A médiaelem befejez? id?pontja kés?bb van, mint a befejezése
+
+
+
+
+ A médiaelem kezd? id?pontja kés?bb van, mint a befejezése
- A médiaelem befejező időpontja későbbre van állítva van, mint a hossza
+ A médiaelem befejez? id?pontja kés?bbre van állítva van, mint a hossza
- A médiaelem kezdő időpontja későbbre van állítva, mint a befejezése
+ A médiaelem kezd? id?pontja kés?bbre van állítva, mint a befejezése
@@ -3340,192 +4014,198 @@ A tartalom kódolása nem UTF-8.
OpenLP.ThemeManager
-
+
Új téma létrehozása.
-
+
Téma szerkesztése
-
+
Egy téma szerkesztése.
-
+
Téma törlése
-
+
Egy téma törlése.
-
+
Téma importálása
-
+
Egy téma importálása.
-
+
Téma exportálása
-
+
Egy téma exportálása.
-
+
Téma sz&erkesztése
-
+
Téma &törlése
-
+
Beállítás &globális alapértelmezetté
-
+
%s (alapértelmezett)
-
+
Ki kell jelölni egy témát a szerkesztéshez.
-
+
Ki kell jelölni egy témát a törléshez.
-
+
- Törlés megerősítése
+ Törlés meger?sítése
-
+
Az alapértelmezett témát nem lehet törölni.
-
+
Nincs kijelölve egy téma sem.
-
+
Téma mentése – (%s)
-
+
Téma exportálva
-
+
A téma sikeresen exportálásra került.
-
+
A téma exportálása nem sikerült
-
+
A témát nem sikerült exportálni egy hiba miatt.
-
+
Importálandó téma fájl kijelölése
-
+
Nem érvényes témafájl.
A tartalom kódolása nem UTF-8.
-
+
Nem érvényes témafájl.
-
+
- A(z) %s témát a(z) %s bővítmény használja.
+ A(z) %s témát a(z) %s b?vítmény használja.
-
+
Téma &másolása
-
+
Téma át&nevezése
-
+
Téma e&xportálása
-
+
- Törölhető ez a téma: %s?
+ Törölhet? ez a téma: %s?
-
+
Ki kell jelölni egy témát az átnevezéséhez.
-
+
- Átnevezési megerősítés
+ Átnevezési meger?sítés
-
+
- A téma átnevezhető: %s?
+ A téma átnevezhet?: %s?
-
+
OpenLP témák (*.theme *.otz)
-
+
Érvényességi hiba
-
+
Ilyen fájlnéven már létezik egy téma.
+
+
+
+ Copy of <theme name>
+
+
OpenLP.ThemeWizard
@@ -3582,7 +4262,7 @@ A tartalom kódolása nem UTF-8.
- Függőleges
+ Függ?leges
@@ -3592,27 +4272,27 @@ A tartalom kódolása nem UTF-8.
- Bal felső sarokból jobb alsó sarokba
+ Bal fels? sarokból jobb alsó sarokba
- Bal alsó sarokból jobb felső sarokba
+ Bal alsó sarokból jobb fels? sarokba
- Fő tartalom betűkészlet jellemzői
+ F? tartalom bet?készlet jellemz?i
- A fő szöveg betűkészlete és megjelenési tulajdonságai
+ A f? szöveg bet?készlete és megjelenési tulajdonságai
- Betűkészlet:
+ Bet?készlet:
@@ -3642,22 +4322,22 @@ A tartalom kódolása nem UTF-8.
- Dőlt
+ D?lt
- Lábléc betűkészlet jellemzői
+ Lábléc bet?készlet jellemz?i
- A lábléc szöveg betűkészlete és megjelenési tulajdonságai
+ A lábléc szöveg bet?készlete és megjelenési tulajdonságai
- Szövegformázás jellemzői
+ Szövegformázás jellemz?i
@@ -3692,12 +4372,12 @@ A tartalom kódolása nem UTF-8.
- A fő szöveg és a lábléc helyzetének mozgatása.
+ A f? szöveg és a lábléc helyzetének mozgatása.
- &Fő szöveg
+ &F? szöveg
@@ -3737,12 +4417,12 @@ A tartalom kódolása nem UTF-8.
- Mentés és előnézet
+ Mentés és el?nézet
- A téma előnézete és mentése: egy már meglévő téma felülírható vagy egy új név megadásával új téma hozható létre
+ A téma el?nézete és mentése: egy már meglév? téma felülírható vagy egy új név megadásával új téma hozható létre
@@ -3757,7 +4437,7 @@ A tartalom kódolása nem UTF-8.
- A tündér segít témákat létrehozni és módosítani. Kattints az alábbi Következő gombra a folyamat első lépésének indításhoz, a háttér beállításához.
+ A tündér segít témákat létrehozni és módosítani. Kattints az alábbi Következ? gombra a folyamat els? lépésének indításhoz, a háttér beállításához.
@@ -3769,6 +4449,16 @@ A tartalom kódolása nem UTF-8.
&Lábléc
+
+
+
+
+
+
+
+
+
+
OpenLP.ThemesTab
@@ -3812,6 +4502,11 @@ A tartalom kódolása nem UTF-8.
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.
+
+
+
+ Témák
+
OpenLP.Ui
@@ -3861,60 +4556,65 @@ A tartalom kódolása nem UTF-8.
Új szolgálati sorrend létrehozása.
-
+
&Törlés
-
+
&Szerkesztés
-
+
- Üres mező
+ Üres mez?
-
+
Hiba
-
+
Exportálás
-
+
Abbreviated font pointsize unit
-
+
Kép
-
+
Importálás
- Hossz %s
+ Hossz %s
- Élő adás
+ Él? adás
- Élő háttér hiba
+ Él? háttér hiba
+
+
+
+
+ Él? panel
@@ -3976,107 +4676,132 @@ A tartalom kódolása nem UTF-8.
-
-
- Előnézet
+
+
+ Sorrend megnyitása
+
+ El?nézet
+
+
+
+
+ El?nézet panel
+
+
+
+
+ Szolgálati sorrend nyomtatása
+
+
+
Háttér cseréje
-
+
+
+ Él? adás hátterének cseréje
+
+
+
Háttér visszaállítása
-
+
+
+ Él? adás hátterének visszaállítása
+
+
+
The abbreviated unit for seconds
mp
-
+
- Mentés és előnézet
+ Mentés és el?nézet
-
+
Keresés
-
-
-
- Ki kell jelölni egy törlendő elemet.
-
-
- Ki kell jelölni egy szerkesztendő elemet.
+
+ Ki kell jelölni egy törlend? elemet.
-
+
+
+ Ki kell jelölni egy szerkesztend? elemet.
+
+
+
Sorrend mentése
-
+
Sorrend
-
+
Kezdés %s
-
+
Singular
Téma
-
+
Plural
Témák
-
+
Felülre
-
+
Verzió
-
+
Kiválasztott elem törlése.
-
+
Kiválasztás eggyel feljebb helyezése.
-
+
Kiválasztás eggyel lejjebb helyezése.
-
+
- &Függőleges igazítás:
+ &Függ?leges igazítás:
- Az importálás befejeződött.
+ Az importálás befejez?dött.
@@ -4111,7 +4836,7 @@ A tartalom kódolása nem UTF-8.
- % fájl megnyitása
+ %s fájl megnyitása
@@ -4135,12 +4860,12 @@ A tartalom kódolása nem UTF-8.
Ki kell választani legalább egy %s fájlt az importáláshoz.
-
+
Üdvözlet a bibliaimportáló tündérben
-
+
Üdvözlet a dalexportáló tündérben
@@ -4153,13 +4878,13 @@ A tartalom kódolása nem UTF-8.
Singular
- Szerző
+ Szerz?
Plural
- Szerzők
+ Szerz?k
@@ -4197,45 +4922,45 @@ A tartalom kódolása nem UTF-8.
Témakörök
-
+
Folytonos
-
+
Alapértelmezett
-
+
Megjelenítési stílus:
-
+
Fájl
-
+
Súgó
-
+
The abbreviated unit for hours
ó
-
+
Elrendezési stílus:
- Élő eszköztár
+ Él? eszköztár
@@ -4249,37 +4974,37 @@ A tartalom kódolása nem UTF-8.
Az OpenLP mér fut. Folytatható?
-
+
Beállítások
-
+
Eszközök
-
+
Egy vers diánként
-
+
Egy vers soronként
-
+
Nézet
-
+
Duplikátum hiba
-
+
Nem támogatott fájl
@@ -4294,14 +5019,14 @@ A tartalom kódolása nem UTF-8.
XML szintaktikai hiba
-
+
Nézetmód
-
+
- Üdvözlet a bibliafrissítő tündérben
+ Üdvözlet a bibliafrissít? tündérben
@@ -4309,37 +5034,62 @@ A tartalom kódolása nem UTF-8.
Sorrend megnyitása.
-
+
Szolgálati sorrend nyomtatása
-
-
-
- Élő adás hátterének cseréje.
-
-
- Élő adás hátterének visszaállítása.
+
+ Él? adás hátterének cseréje.
-
+
+
+ Él? adás hátterének visszaállítása.
+
+
+
&Szétválasztás
-
+
- Diák kettéválasztása csak akkor, ha nem fér ki a képernyőn egy diaként.
+ Diák kettéválasztása csak akkor, ha nem fér ki a képerny?n egy diaként.
+
+
+
+
+
+
+
+
+
+ Diák ismétl?d? vetítése
+
+
+
+
+ Diak vetítése végig
+
+
+
+
+
+
+
+
+
+
OpenLP.displayTagDialog
-
+
- Megjelenítési címkék beállítása
+ Megjelenítési címkék beállítása
@@ -4347,7 +5097,7 @@ A tartalom kódolása nem UTF-8.
- <strong>Bemutató bővítmény</strong><br />A bemutató bővítmény különböző külső programok segítségével bemutatók megjelenítését teszi lehetővé. A prezentációs programok egy listából választhatók ki.
+ <strong>Bemutató b?vítmény</strong><br />A bemutató b?vítmény különböz? küls? programok segítségével bemutatók megjelenítését teszi lehet?vé. A prezentációs programok egy listából választhatók ki.
@@ -4367,6 +5117,31 @@ A tartalom kódolása nem UTF-8.
container title
Bemutatók
+
+
+
+ Új bemutató betöltése.
+
+
+
+
+ A kijelölt bemutató törlése.
+
+
+
+
+ A kijelölt bemutató el?nézete.
+
+
+
+
+ A kijelölt bemutató él? adásba küldése.
+
+
+
+
+ A kijelölt bemutató hozzáadása a sorrendhez.
+
@@ -4380,12 +5155,12 @@ A tartalom kódolása nem UTF-8.
- A kijelölt bemutató előnézete.
+ A kijelölt bemutató el?nézete.
- A kijelölt bemutató élő adásba küldése.
+ A kijelölt bemutató él? adásba küldése.
@@ -4396,52 +5171,52 @@ A tartalom kódolása nem UTF-8.
PresentationPlugin.MediaItem
-
+
Bemutató(k) kijelölése
-
+
Automatikus
-
+
Bemutató ezzel:
-
+
A fájl létezik
-
+
Ilyen fájlnéven már létezik egy bemutató.
-
+
Ez a bemutató típus nem támogatott.
-
+
Bemutatók (%s)
-
+
Hiányzó bemutató
-
+
A(z) %s bemutató hiányos, újra kell tölteni.
-
+
A(z) %s bemutató már nem létezik.
@@ -4451,7 +5226,7 @@ A tartalom kódolása nem UTF-8.
- Elérhető vezérlők
+ Elérhet? vezérl?k
@@ -4469,7 +5244,7 @@ A tartalom kódolása nem UTF-8.
- <strong>Távirányító bővítmény</strong><br />A távirányító bővítmény egy böngésző vagy egy távoli API segítségével lehetővé teszi egy másik számítógépen futó OpenLP számára való üzenetküldést.
+ <strong>Távirányító b?vítmény</strong><br />A távirányító b?vítmény egy böngész? vagy egy távoli API segítségével lehet?vé teszi egy másik számítógépen futó OpenLP számára való üzenetküldést.
@@ -4493,95 +5268,100 @@ A tartalom kódolása nem UTF-8.
RemotePlugin.Mobile
-
+
OpenLP 2.0 távirányító
-
+
OpenLP 2.0 színpadi nézet
- Sorrendkezelő
-
-
-
-
- Diakezelő
+ Sorrendkezel?
+
+ Diakezel?
+
+
+
Értesítések
-
+
Keresés
-
+
Vissza
-
+
Frissítés
-
+
Elsötétítés
-
+
Vetítés
-
-
-
- Előző
-
-
-
-
- Következő
-
+
+ El?z?
+
+
+
+
+ Következ?
+
+
+
Szöveg
-
+
Értesítés megjelenítése
-
+
- Élő adásba
+ Él? adásba
- Hozzáadás a sorrendhez
+ Hozzáadás a sorrendhez
-
+
Nincs találat
-
+
Beállítások
+
+
+
+
+
RemotePlugin.RemoteTab
@@ -4614,68 +5394,78 @@ A tartalom kódolása nem UTF-8.
SongUsagePlugin
-
+
&Dalstatisztika rögzítése
-
+
Rögzített adatok &törlése
-
+
Dalstatisztika adatok törlése egy meghatározott dátumig.
-
+
Rögzített adatok &kicsomagolása
-
+
Dalstatisztika jelentés összeállítása.
-
+
Rögzítés
-
+
Dalstatisztika rögzítésének átváltása.
-
+
- <strong>Dalstatisztika bővítmény</strong><br />Ez a bővítmény rögzíti, hogy a dalok mikor lettek vetítve egy élő szolgálat vagy istentisztelet során.
+ <strong>Dalstatisztika b?vítmény</strong><br />Ez a b?vítmény rögzíti, hogy a dalok mikor lettek vetítve egy él? szolgálat vagy istentisztelet során.
-
+
name singular
Dalstatisztika
-
+
name plural
Dalstatisztika
-
+
container title
Dalstatisztika
-
+
Dalstatisztika
+
+
+
+
+
+
+
+
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4687,12 +5477,12 @@ A tartalom kódolása nem UTF-8.
- Valóban törölhetők a kijelölt dalstatisztika események?
+ Valóban törölhet?k a kijelölt dalstatisztika események?
- Valóban törölhetők a kijelölt dalstatisztika adatok?
+ Valóban törölhet?k a kijelölt dalstatisztika adatok?
@@ -4715,7 +5505,7 @@ A tartalom kódolása nem UTF-8.
- Időintervallum kijelölése
+ Id?intervallum kijelölése
@@ -4740,7 +5530,7 @@ A tartalom kódolása nem UTF-8.
- Egy nem létező útvonalat adtál meg a dalstatisztika riporthoz. Jelölj ki egy érvényes űtvonalat a számítógépen.
+ Egy nem létez? útvonalat adtál meg a dalstatisztika riporthoz. Jelölj ki egy érvényes ?tvonalat a számítógépen.
@@ -4775,7 +5565,7 @@ has been successfully created.
- <strong>Dal bővítmény</strong><br />A dal bővítmény dalok megjelenítését és kezelését teszi lehetővé.
+ <strong>Dal b?vítmény</strong><br />A dal b?vítmény dalok megjelenítését és kezelését teszi lehet?vé.
@@ -4835,7 +5625,7 @@ has been successfully created.
- Egyszerűsített kínai (CP-936)
+ Egyszer?sített kínai (CP-936)
@@ -4872,16 +5662,16 @@ has been successfully created.
- A kódlap beállítás felelős
+ A kódlap beállítás felel?s
a karakterek helyes megjelenítéséért.
-Általában az előre beállított érték megfelelő.
+Általában az el?re beállított érték megfelel?.
Válasszd ki a karakterkódolást.
-A kódlap felelős a karakterek helyes megjelenítéséért.
+A kódlap felel?s a karakterek helyes megjelenítéséért.
@@ -4906,6 +5696,36 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
container title
Dalok
+
+
+
+ Új dal hozzáadása.
+
+
+
+
+ A kijelölt dal szerkesztése.
+
+
+
+
+ A kijelölt dal törlése.
+
+
+
+
+ A kijelölt dal el?nézete.
+
+
+
+
+ A kijelölt dal él? adásba küldése.
+
+
+
+
+ A kijelölt dal hozzáadása a sorrendhez.
+
@@ -4924,12 +5744,12 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
- A kijelölt dal előnézete.
+ A kijelölt dal el?nézete.
- A kijelölt dal élő adásba küldése.
+ A kijelölt dal él? adásba küldése.
@@ -4942,7 +5762,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
- Szerzők kezelése
+ Szerz?k kezelése
@@ -4962,17 +5782,17 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
- Meg kell adni a szerző vezetéknevét.
+ Meg kell adni a szerz? vezetéknevét.
- Meg kell adni a szerző keresztnevét.
+ Meg kell adni a szerz? keresztnevét.
- Nincs megadva a szerző megjelenített neve, legyen előállítva a vezeték és keresztnevéből?
+ Nincs megadva a szerz? megjelenített neve, legyen el?állítva a vezeték és keresztnevéb?l?
@@ -4986,190 +5806,197 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
SongsPlugin.EasyWorshipSongImport
-
+
Adminisztrálta: %s
+
+
+
+
+
SongsPlugin.EditSongForm
-
+
- Dalszerkesztő
+ Dalszerkeszt?
-
+
&Cím:
-
+
&Alternatív cím:
-
+
&Dalszöveg:
-
+
Versszak &sorrend:
-
+
&Összes szerkesztése
-
+
Cím és dalszöveg
-
+
&Hozzáadás
-
+
&Eltávolítás
-
+
- Szerzők, témakörök, énekeskönyvek &kezelése
+ Szerz?k, témakörök, énekeskönyvek &kezelése
-
+
H&ozzáadás
-
+
&Eltávolítás
-
+
Könyv:
-
+
Szám:
-
+
- Szerzők, témakörök és énekeskönyvek
+ Szerz?k, témakörök és énekeskönyvek
-
+
Új &téma
-
+
- Szerzői jogi információ
+ Szerz?i jogi információ
-
+
Megjegyzések
-
+
- Téma, szerzői jog és megjegyzések
+ Téma, szerz?i jog és megjegyzések
-
+
- Szerző hozzáadása
+ Szerz? hozzáadása
-
+
- Ez a szerző még nem létezik, valóban hozzá kívánja adni?
+ Ez a szerz? még nem létezik, valóban hozzá kívánja adni?
-
+
- A szerző már benne van a listában.
+ A szerz? már benne van a listában.
-
+
- Nincs kijelölve egyetlen szerző sem. Vagy válassz egy szerzőt a listából, vagy írj az új szerző mezőbe és kattints a Hozzáadás gombra a szerző megjelöléséhez.
+ Nincs kijelölve egyetlen szerz? sem. Vagy válassz egy szerz?t a listából, vagy írj az új szerz? mez?be és kattints a Hozzáadás gombra a szerz? megjelöléséhez.
-
+
Témakör hozzáadása
-
+
Ez a témakör még nem létezik, szeretnéd hozzáadni?
-
+
A témakör már benne van a listában.
-
+
- Nincs kijelölve egyetlen témakör sem. Vagy válassz egy témakört a listából, vagy írj az új témakör mezőbe és kattints a Hozzáadás gombraa témakör megjelöléséhez.
+ Nincs kijelölve egyetlen témakör sem. Vagy válassz egy témakört a listából, vagy írj az új témakör mez?be és kattints a Hozzáadás gombraa témakör megjelöléséhez.
-
+
Add meg a dal címét.
-
+
Legalább egy versszakot meg kell adnod.
-
+
Figyelmeztetés
-
+
A versszaksorrend hibás. Nincs ilyen versszak: %s. Az érvényes elemek ezek: %s.
-
+
Ez a versszak sehol nem lett megadva a sorrendben: %s. Biztosan így kívánod elmenteni a dalt?
-
+
Könyv hozzáadása
-
+
Ez az énekeskönyv még nem létezik, szeretnéd hozzáadni a listához?
-
+
- Egy szerzőt meg kell adnod ehhez a dalhoz.
+ Egy szerz?t meg kell adnod ehhez a dalhoz.
-
+
Meg kell adnod a versszak szövegét.
@@ -5191,6 +6018,16 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
&Beszúrás
+
+
+
+ &Szétválasztása
+
+
+
+
+ Diák kettéválasztása csak akkor, ha nem fér ki a képerny?n egy diaként.
+
@@ -5200,82 +6037,82 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
SongsPlugin.ExportWizardForm
-
+
Dalexportáló tündér
-
+
A tündér segít a dalok szabad OpenLyrics formátumba való exportálásában.
-
+
Dalok kijelölése
-
+
Jelöld ki az exportálandó dalokat.
-
+
Minden kijelölés eltávolítása
-
+
Mindent kijelöl
-
+
Mappa kijelölése
-
+
Mappa:
-
+
Exportálás
-
+
Várj, míg a dalok exportálódnak.
-
+
Ki kell választani legalább egy dalt az exportáláshoz.
-
+
Nincs megadva a mentési hely
-
+
Egy mappát kell megadni.
-
+
Exportálás indítása…
-
+
Célmappa kijelölése
-
+
Jelöld ki a mappát, ahová a dalok mentésre kerülnek.
@@ -5283,7 +6120,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
SongsPlugin.ImportWizardForm
-
+
Jelölj ki egy dokumentum vagy egy bemutató fájlokat
@@ -5295,7 +6132,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
- A tündér segít a különféle formátumú dalok importálásában. Kattints az alábbi Következő gombra a folyamat első lépésének indításhoz, a formátum kiválasztásához.
+ A tündér segít a különféle formátumú dalok importálásában. Kattints az alábbi Következ? gombra a folyamat els? lépésének indításhoz, a formátum kiválasztásához.
@@ -5317,6 +6154,16 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
Fájl(ok) törlése
+
+
+
+ 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.
+
+
+
+
+ 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.
+
@@ -5325,45 +6172,45 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
- Az OpenLyrics importáló még nem lett kifejlesztve, de amint már láthatod, szándékozunk elkészíteni. Remélhetőleg a következő kiadásban már benne lesz.
+ Az OpenLyrics importáló még nem lett kifejlesztve, de amint már láthatod, szándékozunk elkészíteni. Remélhet?leg a következ? kiadásban már benne lesz.
-
+
OpenLP 2.0 adatbázisok
-
+
openlp.org v1.x adatbázisok
-
+
Words of Worship dal fájlok
-
+
Ki kell jelölnie legalább egy dokumentumot vagy bemutatót az importáláshoz.
-
+
Songs Of Fellowship dal fájlok
-
+
SongBeamer fájlok
-
+
SongShow Plus dal fájlok
-
+
Foilpresenter dal fájlok
@@ -5391,47 +6238,53 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
SongsPlugin.MediaItem
-
+
Címek
-
+
Dalszöveg
- Törölhető(ek) a dal(ok)?
+ Törölhet?(ek) a dal(ok)?
-
+
CCLI licenc:
-
+
Teljes dal
-
+
- Törölhetők a kijelölt dalok: %n?
+ Törölhet?k a kijelölt dalok: %n?
-
+
- Szerzők, témakörök, könyvek listájának kezelése.
+ Szerz?k, témakörök, könyvek listájának kezelése.
+
+
+
+
+ For song cloning
+
SongsPlugin.OpenLP1SongImport
-
+
Ez nem egy openlp.org 1.x daladatbázis.
@@ -5447,7 +6300,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
SongsPlugin.OpenLyricsExport
-
+
Exportálás „%s”…
@@ -5478,12 +6331,12 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
SongsPlugin.SongExportForm
-
+
- Exportálás befejeződött.
+ Exportálás befejez?dött.
-
+
Dalexportálás meghiúsult.
@@ -5491,27 +6344,32 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
SongsPlugin.SongImport
-
+
- szerzői jog
+ szerz?i jog
-
+
- A következő dalok nem importálhatók:
+ A következ? dalok nem importálhatók:
-
+
+
+ Nem sikerült megnyitni az OpenOffice.org-ot vagy a LibreOffice-t
+
+
+
Nem sikerült megnyitni a fájlt
-
+
A fájl nem található
-
+
Nem lehet élérni az OpenOffice-t vagy a LibreOffice-t
@@ -5519,7 +6377,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
SongsPlugin.SongImportForm
-
+
Az importálás meghiúsult.
@@ -5529,12 +6387,12 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
- A szerzőt nem lehet hozzáadni.
+ A szerz?t nem lehet hozzáadni.
- Ez a szerző már létezik.
+ Ez a szerz? már létezik.
@@ -5569,17 +6427,17 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
- Szerző törlése
+ Szerz? törlése
- A kijelölt szerző biztosan törölhető?
+ A kijelölt szerz? biztosan törölhet??
- Ezt a szerzőt nem lehet törölni, mivel jelenleg legalább egy dalhoz hozzá van rendelve.
+ Ezt a szerz?t nem lehet törölni, mivel jelenleg legalább egy dalhoz hozzá van rendelve.
@@ -5589,7 +6447,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
- A kijelölt témakör biztosan törölhető?
+ A kijelölt témakör biztosan törölhet??
@@ -5604,7 +6462,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
- A kijelölt könyv biztosan törölhető?
+ A kijelölt könyv biztosan törölhet??
@@ -5614,22 +6472,22 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
- A módosított szerzőt nem lehet elmenteni, mivel már a szerző létezik.
+ A módosított szerz?t nem lehet elmenteni, mivel már a szerz? létezik.
- Ez a szerző már létezik: %s. Szeretnéd, hogy a dal – melynek szerzője %s – a már létező szerző (%s) dalai közé kerüljön rögzítésre?
+ Ez a szerz? már létezik: %s. Szeretnéd, hogy a dal – melynek szerz?je %s – a már létez? szerz? (%s) dalai közé kerüljön rögzítésre?
- Ez a témakör már létezik: %s. Szeretnéd, hogy a dal – melynek témaköre: %s – a már létező témakörben (%s) kerüljön rögzítésre?
+ Ez a témakör már létezik: %s. Szeretnéd, hogy a dal – melynek témaköre: %s – a már létez? témakörben (%s) kerüljön rögzítésre?
- Ez a könyv már létezik: %s. Szeretnéd, hogy a dal – melynek köynve: %s – a már létező könyvben (%s) kerüljön rögzítésre?
+ Ez a könyv már létezik: %s. Szeretnéd, hogy a dal – melynek köynve: %s – a már létez? könyvben (%s) kerüljön rögzítésre?
@@ -5647,7 +6505,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
- Versszakok megjelenítése az élő adás eszköztáron
+ Versszakok megjelenítése az él? adás eszköztáron
@@ -5698,7 +6556,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
- Elő-refrén
+ El?-refrén
@@ -5721,7 +6579,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért.
- Témák
+ Témák
diff --git a/resources/i18n/id.ts b/resources/i18n/id.ts
index e2570003f..314bdca72 100644
--- a/resources/i18n/id.ts
+++ b/resources/i18n/id.ts
@@ -1,29 +1,29 @@
-
+
AlertPlugin.AlertForm
- Anda belum memasukkan parameter baru.
+ Anda belum memasukkan parameter baru.
Tetap lanjutkan?
- Parameter Tidak Ditemukan
+ Parameter Tidak Ditemukan
- Placeholder Tidak Ditemukan
+ Placeholder Tidak Ditemukan
- Peringatan tidak mengandung '<>'.
+ Peringatan tidak mengandung '<>'.
Tetap lanjutkan?
@@ -42,7 +42,7 @@ Tetap lanjutkan?
- <strong>Plugin Peringatan</strong><br />Plugin peringatan mengendalikan tampilan pesan pada layar
+ <strong>Plugin Peringatan</strong><br />Plugin peringatan mengendalikan tampilan pesan pada layar
@@ -62,6 +62,11 @@ Tetap lanjutkan?
container title
Peringatan
+
+
+
+ <strong>Plugin Peringatan</strong><br>Plugin peringatan mengendalikan tampilan peringatan di layar tampilan.
+
AlertsPlugin.AlertForm
@@ -110,6 +115,30 @@ Tetap lanjutkan?
&Parameter:
+
+
+
+ Parameter Tidak Ditemukan
+
+
+
+
+ Anda belum memasukkan parameter baru.
+Tetap lanjutkan?
+
+
+
+
+ Placeholder Tidak Ditemukan
+
+
+
+
+ Peringatan tidak mengandung '<>'.
+Tetap lanjutkan?
+
AlertsPlugin.AlertsManager
@@ -157,18 +186,18 @@ Tetap lanjutkan?
- Mengimpor kitab... %s
+ Mengimpor kitab... %s
Importing verses from <book name>...
- Mengimpor ayat dari %s...
+ Mengimpor ayat dari %s...
- Mengimpor ayat... selesai.
+ Mengimpor ayat... selesai.
@@ -176,12 +205,17 @@ Tetap lanjutkan?
- &Upgrade Alkitab lama
+ &Upgrade Alkitab lama
+
+
+
+
+ Upgrade basis data Alkitab ke format terbaru.
- Upgrade basis data Alkitab ke format terbaru.
+ Upgrade basis data Alkitab ke format terbaru.
@@ -189,22 +223,22 @@ Tetap lanjutkan?
- Unduhan Gagal
+ Unduhan Gagal
- Ada masalah dalam mengunduh ayat yang terpilih. Mohon periksa sambungan internet Anda dan jika masalah berlanjut, pertimbangkan untuk melaporkan hal ini sebagai kutu.
+ Ada masalah dalam mengunduh ayat yang terpilih. Mohon periksa sambungan internet Anda dan jika masalah berlanjut, pertimbangkan untuk melaporkan hal ini sebagai kutu.
- Galat saat parsing
+ Galat saat parsing
- Ada masalah dalam mengekstrak ayat yang terpilih. Jika masalah berlanjut, pertimbangkan untuk melaporkan hal ini sebagai kutu.
+ Ada masalah dalam mengekstrak ayat yang terpilih. Jika masalah berlanjut, pertimbangkan untuk melaporkan hal ini sebagai kutu.
@@ -212,22 +246,27 @@ Tetap lanjutkan?
- Alkitab belum termuat seluruhnya.
+ Alkitab belum termuat seluruhnya.
- Tidak dapat menggabungkan hasil pencarian ayat. Ingin menghapus hasil pencarian dan mulai pencarian baru?
+ Tidak dapat menggabungkan hasil pencarian ayat. Ingin menghapus hasil pencarian dan mulai pencarian baru?
- Informasi
+ Informasi
+
+
+
+
+ Alkitab kedua tidak memiliki seluruh ayat yang ada di Alkitab utama. Hanya ayat yang ditemukan di kedua Alkitab yang akan ditampilkan. %d ayat tidak terlihat di hasil.
- Alkitab kedua tidak memiliki seluruh ayat yang ada di Alkitab utama. Hanya ayat yang ditemukan di kedua Alkitab yang akan ditampilkan. %d ayat tidak terlihat di hasil.
+ Alkitab kedua tidak memiliki seluruh ayat yang ada di Alkitab utama. Hanya ayat yang ditemukan di kedua Alkitab yang akan ditampilkan. %d ayat tidak terlihat di hasil.
@@ -256,12 +295,12 @@ Tetap lanjutkan?
Alkitab
-
+
Kitab Tidak Ditemukan
-
+
Kitab tidak ditemukan dalam Alkitab ini. Periksa apakah Anda telah mengeja nama kitab dengan benar.
@@ -303,40 +342,50 @@ Tetap lanjutkan?
-
+ <strong>Plugin Alkitab</strong><br />Plugin Alkitab menyediakan kemampuan untuk menayangkan ayat Alkitab dari berbagai sumber selama layanan.
+
+
+
+
+ &Upgrade Alkitab lama
+
+
+
+
+ Upgrade basis data Alkitab ke format terbaru.
BiblesPlugin.BibleManager
-
+
Referensi Kitab Suci Galat
-
+
Alkitab Web tidak dapat digunakan
-
+
Pencarian teks tidak dapat dilakukan untuk Alkitab Web.
-
+
Anda tidak memasukkan kata kunci pencarian.
Anda dapat memisahkan kata kunci dengan spasi untuk mencari seluruh kata kunci dan Anda dapat memisahkan kata kunci dengan koma untuk mencari salah satu kata kunci.
-
+
TIdak ada Alkitab terpasang. Harap gunakan Wisaya Impor untuk memasang sebuah atau beberapa Alkitab.
-
+
-
+
Alkitab tidak tersedia
@@ -420,37 +469,37 @@ Perubahan tidak akan mempengaruhi ayat yang kini tampil.
-
+ Buku ini tidak dapat dicocokkan dengan sistem. Mohon pilih nama buku tersebut dalam bahasa Inggris.
-
+ Nama sekarang:
-
+ Nama yang cocok:
-
+ Tampilkan buku dari;
-
+ Perjanjian Lama
-
+ Perjanjian Baru
-
+ Apokripa
@@ -458,195 +507,235 @@ Perubahan tidak akan mempengaruhi ayat yang kini tampil.
-
+ Anda harus memilih sebuah kitab.
+
+
+
+ BiblesPlugin.CSVBible
+
+
+
+ Mengimpor kitab... %s
+
+
+
+
+ Importing verses from <book name>...
+ Mengimpor ayat dari %s...
+
+
+
+
+ Mengimpor ayat... selesai.
BiblesPlugin.HTTPBible
-
+
-
+ Mendaftarkan Alkitab dan memuat buku...
-
+
-
+ Mendaftarkan bahasa...
-
+
Importing <book name>...
-
+ Mengimpor %s...
+
+
+
+
+ Unduhan Gagal
+
+
+
+
+ Ada masalah dalam mengunduh ayat yang terpilih. Mohon periksa sambungan internet Anda dan jika masalah berlanjut, pertimbangkan untuk melaporkan hal ini sebagai kutu.
+
+
+
+
+ Galat saat parsing
+
+
+
+
+ Ada masalah dalam mengekstrak ayat yang terpilih. Jika masalah berlanjut, pertimbangkan untuk melaporkan hal ini sebagai kutu.
BiblesPlugin.ImportWizardForm
-
+
Wisaya Impor Alkitab
-
+
Wisaya ini akan membantu Anda mengimpor Alkitab dari berbagai format. Klik tombol lanjut di bawah untuk memulai proses dengan memilih format untuk diimpor.
-
+
Unduh dari web
-
+
Lokasi:
-
+
Crosswalk
-
+
BibleGateway
-
+
Alkitab:
-
+
Opsi Unduhan
-
+
Server:
-
+
Nama Pengguna:
-
+
Sandi-lewat:
-
+
Proxy Server (Opsional)
-
+
Rincian Lisensi
-
+
Memasang rincian lisensi Alkitab.
-
+
Nama versi:
-
+
Hak cipta:
-
+
Mohon tunggu selama Alkitab diimpor.
-
+
Anda harus menentukan berkas yang berisi nama kitab dalam Alkitab untuk digunakan dalam import.
-
+
Anda harus menentukan berkas Alkitab untuk diimpor.
-
+
Anda harus menentukan nama versi untuk Alkitab Anda.
-
+
Anda harus memberikan hak cipta untuk Alkitab Anda. Alkitab di Public Domain harus ditandai sedemikian.
-
+
Alkitab Sudah Ada
-
+
Alkitab sudah ada. Silakan impor Alkitab lain atau hapus yang sudah ada.
-
+
Impor Alkitab gagal.
-
+
Berkas CSV
-
+
Server Alkitab
-
+
Izin:
-
+
Berkas Alkitab:
-
+
Berkas kitab:
-
+
Berkas ayat:
-
+
Ayat Alkitab openlp.org 1.x
-
+
-
+ Mendaftarkan Alkitab...
-
+
-
+ Alkitab terdaftar. Mohon camkan, ayat akan diunduh saat
+dibutuhkan dan membutuhkan koneksi internet.
@@ -654,83 +743,103 @@ demand and thus an internet connection is required.
-
+ Pilih Bahasa
-
+ OpenLP tidak dapat menentukan bahasa untuk terjemahan Alkitab ini. Mohon pilih bahasa dari daftar di bawah.
-
+ Bahasa:
BiblesPlugin.LanguageForm
-
+
-
+ Anda harus memilih sebuah bahasa.
BiblesPlugin.MediaItem
-
+
Cepat
-
+
Temukan:
-
+
Kitab:
-
+
Pasal:
-
+
Ayat:
-
+
Dari:
-
+
Kepada:
-
+
Pencarian Teks
-
+
Kedua:
-
+
Referensi Alkitab
-
+
-
+ Ganti untuk menyimpan atau menghapus hasil sebelumnya.
+
+
+
+
+ Tidak dapat menggabungkan hasil pencarian ayat. Ingin menghapus hasil pencarian dan mulai pencarian baru?
+
+
+
+
+ Alkitab belum termuat seluruhnya.
+
+
+
+
+ Informasi
+
+
+
+
+ Alkitab kedua tidak memiliki seluruh ayat yang ada di Alkitab utama. Hanya ayat yang ditemukan di kedua Alkitab yang akan ditampilkan. %d ayat tidak terlihat di hasil.
@@ -759,174 +868,231 @@ demand and thus an internet connection is required.
BiblesPlugin.UpgradeWizardForm
-
+
-
+ Pilih direktori cadangan
-
+
-
+ Wisaya Upgrade Alkitab
-
+
-
+ Wisaya ini akan membantu ada mengupgrade Alkitab yang tersedia. Klik tombol selanjutnya untuk memulai proses upgrade.
-
+
-
+ Pilih Direktori Pencadangan
-
+
-
+ Mohon pilih direktori pencadangan untuk Alkitab Anda.
-
+
-
+ Rilis sebelumnya dari OpenLP 2.0 tidak dapat menggunakan Alkitab termutakhirkan. Langkah ini akan membuat sebuah cadangan untuk seluruh Alkitab Anda sehingga Anda tinggal menyalin berkas-berkas ke direktori data OpenLP jika Anda perlu kembali ke rilis sebelumnya dari OpenLP. Silakan lihat <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>.
-
+
-
+ Mohon pilh sebuah lokasi pencadangan untuk Alkitab Anda.
-
+
-
+ Direktori Pencadangan:
-
+
-
+ Tidak perlu membuat cadangan Alkitab
-
+
-
+ Pilih Alkitab
-
+
-
+ Mohon pilih Alkitab untuk dimutakhirkan
+
+
+
+
+ Nama versi:
-
- Nama versi:
-
-
-
-
+ Alkitab masih ada. Mohon ubah namanya atau kosongkan centang.
-
+
-
+ Memutakhirkan
-
+
-
+ Mohon tunggu sementara Alkitab sedang diperbarui.
-
+ Anda harus menentukan Direktori Cadangan untuk Alkitab.
-
+
+
+ Pencadangan gagal.
+Untuk mencadangkan Alkitab Anda membutuhkan izin untuk write di direktori tersebut. Jika Anda sudah memiliki izin dan tetap terjadi galat, mohon laporkan ini sebagai kutu.
+
+
+
- Anda harus menentukan nama versi untuk Alkitab Anda.
+ Anda harus menentukan nama versi untuk Alkitab Anda.
-
+
- Alkitab Sudah Ada
+ Alkitab Sudah Ada
-
+
-
+ Alkitab sudah ada. Mohon mutakhirkan Alkitab yang lain, hapus yang sudah ada, atau hilangkan centang.
+
+
+
+
+ Memulai pemutakhiran Alkitab...
-
+ Tidak ada Alkitab yang dapat dimutakhirkan.
-
+
-
+ Pemutakhiran Alkitab %s dari %s: "%s"
+Gagal
-
+
-
+ Pemutakhiran Alkitab %s dari %s: "%s"
+Memutakhirkan...
-
+
Unduhan Gagal
-
+
+
+ To upgrade your Web Bibles an Internet connection is required. If you have a working Internet connection and this error still occurs, please report a bug.
+
+
+
-
+ Memutakhirkan Alkitab %s dari %s: "%s"
+Memutakhirkan %s...
-
+
+
+ Memutakhirkan Alkitab %s dari %s: "%s"
+Selesai
+
+
+
-
+ , %s gagal
-
+
+
+ Memutakhirkan Alkitab: %s berhasil%s
+Mohon perhatikan bahwa ayat dari Alkitab Internet
+akan diunduh saat diperlukan. Koneksi diperlukan.
+
+
+
-
+ Pemutakhiran Alkitab: %s berhasil%s
-
+
-
+ Pemutakhirkan gagal.
-
+
-
+ Pencadangan gagal.
+Untuk mencadangkan Alkitab Anda perlu izin untuk menulis di direktori terpilih.
-
+ Memulai pemutakhiran Alkitab...
-
+
-
+ Untuk memutakhirkan Alkitab Web, koneksi internet dibutuhkan.
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
CustomPlugin
+
+
+
+ <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.
+
@@ -1031,6 +1197,11 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
Sunting seluruh slide bersamaan.
+
+
+
+ Pecah Slide
+
@@ -1047,12 +1218,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
&Kredit:
-
+
Anda harus mengetikkan judul.
-
+
Anda harus menambah paling sedikit satu salindia
@@ -1067,12 +1238,83 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
+
+ CustomPlugin.MediaItem
+
+
+
+
+
+
+
+
+
+ CustomsPlugin
+
+
+
+ name singular
+ Suaian
+
+
+
+
+ name plural
+ Suaian
+
+
+
+
+ container title
+ Suaian
+
+
+
+
+ Muat Suaian baru.
+
+
+
+
+ Impor sebuah Suaian.
+
+
+
+
+ Tambahkan sebuah Suaian.
+
+
+
+
+ Sunting Suaian terpilih.
+
+
+
+
+ Hapus Suaian terpilih.
+
+
+
+
+ Pratinjau Suaian terpilih.
+
+
+
+
+ Tayangkan Suaian terpilih.
+
+
+
+
+ Tambahkan Suaian ke dalam layanan
+
+
GeneralTab
- Umum
+ Umum
@@ -1100,6 +1342,41 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
container title
Gambar
+
+
+
+ Muat Gambar baru
+
+
+
+
+ Tambahkan Gambar baru
+
+
+
+
+ Sunting Gambar terpilih.
+
+
+
+
+ Hapus Gambar terpilih.
+
+
+
+
+ Pratinjau Gambar terpilih.
+
+
+
+
+ Tayangkan Gambar terpilih.
+
+
+
+
+ Tambahkan Gambar terpilih ke layanan.
+
@@ -1147,42 +1424,47 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
ImagePlugin.MediaItem
-
+
Pilih Gambar
-
+
Pilih sebuah gambar untuk dihapus.
-
+
Pilih sebuah gambar untuk menggantikan latar.
-
+
Gambar Tidak Ditemukan
-
+
Gambar berikut tidak ada lagi: %s
-
+
Gambar berikut tidak ada lagi: %s
Ingin tetap menambah gambar lain?
-
+
Ada masalah dalam mengganti latar, berkas gambar "%s" tidak ada lagi.
+
+
+
+
+
MediaPlugin
@@ -1209,6 +1491,41 @@ Ingin tetap menambah gambar lain?
container title
Media
+
+
+
+ Muat Media baru.
+
+
+
+
+ Tambahkan Media baru.
+
+
+
+
+ Sunting Media terpilih.
+
+
+
+
+ Hapus Media terpilih.
+
+
+
+
+ Pratinjau Media terpilih.
+
+
+
+
+ Tayangkan Media terpilih.
+
+
+
+
+ Tambahkan Media terpilih ke layanan.
+
@@ -1248,40 +1565,45 @@ Ingin tetap menambah gambar lain?
MediaPlugin.MediaItem
-
+
Pilih Media
-
+
Pilih sebuah berkas media untuk dihapus.
-
+
Pilih sebuah media untuk menggantikan latar.
-
+
Ada masalah dalam mengganti latar, berkas media "%s" tidak ada lagi.
-
+
Berkas Media hilang
-
+
Berkas %s tidak ada lagi.
-
+
Videos (%s);;Audio (%s);;%s (*)
+
+
+
+
+
MediaPlugin.MediaTab
@@ -1299,7 +1621,7 @@ Ingin tetap menambah gambar lain?
OpenLP
-
+
Berkas Gambar
@@ -1583,165 +1905,62 @@ Portions copyright © 2004-2011 %s
OpenLP.DisplayTagDialog
-
+
- Sunting pilihan
+ Sunting pilihan
-
+
- Deskripsi
+ Deskripsi
+
+
+
+
+ Label
+
+
+
+
+ Label awal
-
- Label
-
-
-
-
- Label awal
-
-
-
- Label akhir
+ Label akhir
-
+
- ID Label
+ ID Label
-
+
- HTML Awal
+ HTML Awal
-
+
- Akhir HTML
-
-
-
-
-
+ Akhir HTML
OpenLP.DisplayTagTab
-
+
- Galat dalam Memperbarui
+ Galat dalam Memperbarui
- Label "n" sudah terdefinisi.
+ Label "n" sudah terdefinisi.
-
+
- Label %s telah terdefinisi.
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- OpenLP.DisplayTags
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
+ Label %s telah terdefinisi.
@@ -1911,12 +2130,12 @@ Mohon gunakan bahasa Inggris untuk laporan kutu.
Mengunduh %s...
-
+
Unduhan selesai. Klik tombol selesai untuk memulai OpenLP.
-
+
Mengaktifkan plugin terpilih...
@@ -1948,7 +2167,7 @@ Mohon gunakan bahasa Inggris untuk laporan kutu.
- Teks
+ Teks
@@ -2048,6 +2267,16 @@ Untuk membatalkan Wisaya Kali Pertama, tekan tombol selesai.
Atur pengaturan bawaan pada OpenLP.
+
+
+
+ Pengaturan Awal dan Pengimporan
+
+
+
+
+ Mohon tunggu selama OpenLP diatur dan data diimpor.
+
@@ -2069,25 +2298,209 @@ Untuk membatalkan Wisaya Kali Pertama, tekan tombol selesai.
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTagDialog
+
+
+
+
+
+
+
+
+ Sunting pilihan
+
+
+
+
+
+
+
+
+
+ Deskripsi
+
+
+
+
+ Label
+
+
+
+
+ Label awal
+
+
+
+
+ Label akhir
+
+
+
+
+ ID Label
+
+
+
+
+ HTML Awal
+
+
+
+
+ Akhir HTML
+
+
+
+ OpenLP.FormattingTagForm
+
+
+
+ Galat dalam Memperbarui
+
+
+
+
+ Label "n" sudah terdefinisi.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Label %s telah terdefinisi.
+
+
+
+ OpenLP.FormattingTags
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.GeneralTab
@@ -2233,7 +2646,7 @@ Untuk membatalkan Wisaya Kali Pertama, tekan tombol selesai.
OpenLP.MainDisplay
-
+
Tampilan OpenLP
@@ -2241,287 +2654,287 @@ Untuk membatalkan Wisaya Kali Pertama, tekan tombol selesai.
OpenLP.MainWindow
-
+
&File
-
+
&Impor
-
+
&Ekspor
-
+
&Lihat
-
+
M&ode
-
+
Ala&t
-
+
&Pengaturan
-
+
&Bahasa
-
+
Bantua&n
-
+
Manajer Media
-
+
Manajer Layanan
-
+
Manajer Tema
-
+
&Baru
-
+
&Buka
-
+
Buka layanan yang ada.
-
+
&Simpan
-
+
Menyimpan layanan aktif ke dalam diska.
-
+
Simp&an Sebagai...
-
+
Simpan Layanan Sebagai
-
+
Menyimpan layanan aktif dengan nama baru.
-
+
Kelua&r
-
+
Keluar dari OpenLP
-
+
&Tema
-
+
&Konfigurasi OpenLP...
-
+
Manajer &Media
-
+
Ganti Manajer Media
-
+
Mengganti kenampakan manajer media.
-
+
Manajer &Tema
-
+
Ganti Manajer Tema
-
+
Mengganti kenampakan manajer tema.
-
+
Manajer &Layanan
-
+
Ganti Manajer Layanan
-
+
Mengganti kenampakan manajer layanan.
-
+
Panel &Pratinjau
-
+
Ganti Panel Pratinjau
-
+
Ganti kenampakan panel pratinjau
-
+
Pane&l Tayang
-
+
Ganti Panel Tayang
-
+
Mengganti kenampakan panel tayang.
-
+
Daftar &Plugin
-
+
Melihat daftar Plugin
-
+
T&untunan Pengguna
-
+
Tent&ang
-
+
Informasi lebih lanjut tentang OpenLP
-
+
Bantuan &Daring
-
+
Situs &Web
-
+
Gunakan bahasa sistem, jika ada.
-
+
Ubah bahasa antarmuka menjadi %s
-
+
Tambahkan Ala&t...
-
+
Tambahkan aplikasi ke daftar alat.
-
+
&Bawaan
-
+
Ubah mode tampilan ke bawaan.
-
+
&Persiapan
-
+
Pasang mode tampilan ke Persiapan.
-
+
&Tayang
-
+
Pasang mode tampilan ke Tayang.
-
+
@@ -2530,22 +2943,22 @@ You can download the latest version from http://openlp.org/.
Versi terbaru dapat diunduh dari http://openlp.org/.
-
+
Versi OpenLP Terbarui
-
+
Tampilan Utama OpenLP Kosong
-
+
Tampilan Utama telah dikosongkan
-
+
Tema Bawaan: %s
@@ -2556,55 +2969,113 @@ Versi terbaru dapat diunduh dari http://openlp.org/.
Inggris
-
+
Atur &Pintasan
-
+
Tutup OpenLP
-
+
Yakin ingin menutup OpenLP?
-
+
+
+ Cetak Daftar Layanan aktif
+
+
+
Buka Folder &Data
-
+
Buka folder tempat lagu, Alkitab, dan data lain disimpan.
-
+
- &Konfigurasi Label Tampilan
+ &Konfigurasi Label Tampilan
-
+
&Autodeteksi
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Clear List of recent files
+
+
+
+
+
+
+
OpenLP.MediaManagerItem
@@ -2614,54 +3085,76 @@ Versi terbaru dapat diunduh dari http://openlp.org/.
Tidak Ada Barang yang Terpilih
-
+
T&ambahkan ke dalam Butir Layanan
-
+
Anda harus memilih satu atau beberapa butir untuk dipratilik.
-
+
Anda harus memilih satu atau beberapa butir untuk ditayangkan.
-
+
Anda harus memilih satu atau beberapa butir.
-
+
Anda harus memilih butir layanan yang ada untuk ditambahkan.
-
+
Butir Layanan Tidak Sahih
-
+
Anda harus memilih sebuah butir layanan %s.
-
+
+
+ Nama berkas %s ganda.
+Nama berkas sudah ada di daftar.
+
+
+
-
+
-
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
@@ -2711,12 +3204,12 @@ This filename is already in the list
OpenLP.PrintServiceDialog
-
+
Samakan dengan Halaman
-
+
Samakan dengan Lebar
@@ -2724,70 +3217,90 @@ This filename is already in the list
OpenLP.PrintServiceForm
-
+
Pilihan
- Tutup
+ Tutup
-
+
Salin
-
+
Salin sebagai HTML
-
+
Perbesar
-
+
Perkecil
-
+
Kembalikan Ukuran
-
+
Pilihan Lain
-
+
Masukkan teks dari salindia jika tersedia
-
+
Masukkan catatan butir layanan
-
+
Masukkan lama putar butir media
-
+
+
+ Lembar Daftar Layanan
+
+
+
Tambahkan pemisan sebelum tiap butir teks
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ScreenList
@@ -2802,10 +3315,23 @@ This filename is already in the list
Utama
+
+ OpenLP.ServiceItem
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceItemEditForm
-
+
Atur Ulang Butir Layanan
@@ -2813,257 +3339,272 @@ This filename is already in the list
OpenLP.ServiceManager
-
+
Pindahkan ke punc&ak
-
+
Pindahkan butir ke puncak daftar layanan.
-
+
Pindahkan ke a&tas
-
+
Naikkan butir satu posisi pada daftar layanan.
-
+
Pindahkan ke &bawah
-
+
Turunkan butir satu posisi pada daftar layanan.
-
+
Pindahkan ke &kaki
-
+
Pindahkan butir ke kaki daftar layanan.
-
+
Hapus &dari Layanan
-
+
Hapus butir terpilih dari layanan,
-
+
T&ambahkan Butir Baru
-
+
T&ambahkan ke Butir Terpilih
-
+
&Sunting Butir
-
+
Atu&r Ulang Butir
-
+
Catata&n
-
+
&Ubah Tema
-
+
Berkas Layanan OpenLP (*.osz)
-
+
Berkas bukan berupa layanan.
Isi berkas tidak berupa UTF-8.
-
+
Berkas bukan layanan sahih.
-
+
Penangan Tayang hilang
-
+
Butir tidak dapat ditayangkan karena tidak ada penangan untuk menayangkannya.
-
+
-
+
-
+
-
+
-
+
-
+
Buka Berkas
-
+
-
+
-
+
-
+
Tayangkan
-
+
Tayangkan butir terpilih.
-
+
-
+
-
+
Tampi&lkan Tayang
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceNoteForm
-
+
@@ -3078,11 +3619,6 @@ Isi berkas tidak berupa UTF-8.
OpenLP.ShortcutListDialog
-
-
-
-
-
@@ -3094,12 +3630,12 @@ Isi berkas tidak berupa UTF-8.
-
+
-
+
@@ -3134,20 +3670,25 @@ Isi berkas tidak berupa UTF-8.
-
+
-
+
+
+
+
+
+
OpenLP.SlideController
-
+
@@ -3157,27 +3698,27 @@ Isi berkas tidak berupa UTF-8.
-
+
-
+
-
+
-
+
-
+
@@ -3197,30 +3738,20 @@ Isi berkas tidak berupa UTF-8.
-
+
-
+
-
+
-
-
-
-
-
-
-
-
-
-
@@ -3250,19 +3781,19 @@ Isi berkas tidak berupa UTF-8.
OpenLP.SpellTextEdit
-
+
-
+
-
+
-
+ Bahasa:
@@ -3354,191 +3885,197 @@ Isi berkas tidak berupa UTF-8.
OpenLP.ThemeManager
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+ Copy of <theme name>
+
+
OpenLP.ThemeWizard
@@ -3782,6 +4319,16 @@ The content encoding is not UTF-8.
+
+
+
+
+
+
+
+
+
+
OpenLP.ThemesTab
@@ -3825,11 +4372,16 @@ The content encoding is not UTF-8.
+
+
+
+
+
OpenLP.Ui
-
+
@@ -3854,25 +4406,20 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
-
-
-
-
@@ -3899,57 +4446,57 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -3984,23 +4531,23 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
Abbreviated font pointsize unit
pn
-
+
Gambar
@@ -4044,45 +4591,45 @@ The content encoding is not UTF-8.
-
+
The abbreviated unit for seconds
s
-
+
-
+
-
+
-
+
-
+
Singular
-
+
Plural
-
+
@@ -4148,12 +4695,12 @@ The content encoding is not UTF-8.
-
+
-
+
@@ -4210,38 +4757,38 @@ The content encoding is not UTF-8.
-
+
Kontinu
-
+
Bawaan
-
+
Gaya tampilan:
-
+
-
+
-
+
The abbreviated unit for hours
-
+
Gaya tata letak:
@@ -4262,37 +4809,37 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
Ayat Tiap Slide
-
+
Ayat Tiap Baris
-
+
-
+
-
+
@@ -4307,12 +4854,12 @@ The content encoding is not UTF-8.
-
+
-
+
@@ -4322,36 +4869,53 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
-
-
- OpenLP.displayTagDialog
-
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
@@ -4409,52 +4973,52 @@ The content encoding is not UTF-8.
PresentationPlugin.MediaItem
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -4506,12 +5070,12 @@ The content encoding is not UTF-8.
RemotePlugin.Mobile
-
+
-
+
@@ -4521,80 +5085,80 @@ The content encoding is not UTF-8.
Manajer Layanan
-
+
-
+
Peringatan
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
Tayangkan
-
-
-
-
-
-
+
-
+
Pilihan
+
+
+
+
+
RemotePlugin.RemoteTab
@@ -4627,68 +5191,78 @@ The content encoding is not UTF-8.
SongUsagePlugin
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
name singular
-
+
name plural
-
+
container title
-
+
+
+
+
+
+
+
+
+
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4996,190 +5570,197 @@ The encoding is responsible for the correct character representation.
SongsPlugin.EasyWorshipSongImport
-
+
+
+
+
+
+
SongsPlugin.EditSongForm
-
+
-
+
&Judul:
-
+
-
+
-
+
-
+
Sun&ting Semua
-
+
-
+
-
+
-
+
-
+
-
+
-
+
Kitab:
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -5210,82 +5791,82 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ExportWizardForm
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -5293,7 +5874,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ImportWizardForm
-
+
@@ -5338,42 +5919,42 @@ The encoding is responsible for the correct character representation.
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -5401,47 +5982,48 @@ The encoding is responsible for the correct character representation.
SongsPlugin.MediaItem
-
+
-
+
-
-
-
-
-
-
+
-
+
-
+
-
+
+
+
+
+ For song cloning
+
+
SongsPlugin.OpenLP1SongImport
-
+
@@ -5457,7 +6039,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.OpenLyricsExport
-
+
@@ -5488,12 +6070,12 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongExportForm
-
+
-
+
@@ -5501,27 +6083,27 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImport
-
+
-
+
-
+
-
+
-
+
@@ -5529,7 +6111,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImportForm
-
+
@@ -5726,12 +6308,4 @@ The encoding is responsible for the correct character representation.
Lainnya
-
- ThemeTab
-
-
-
-
-
-
diff --git a/resources/i18n/ja.ts b/resources/i18n/ja.ts
index d3fd78828..17b1b8596 100644
--- a/resources/i18n/ja.ts
+++ b/resources/i18n/ja.ts
@@ -1,29 +1,29 @@
-
+
AlertPlugin.AlertForm
- 引数が入力されていません。
+ 引数が入力されていません。
続けますか?
- 引数が見つかりません
+ 引数が見つかりません
- プレースホルダーが見つかりません
+ プレースホルダーが見つかりません
- 警告テキストは、'<>'を含みません。
+ 警告テキストは、'<>'を含みません。
処理を続けてもよろしいですか?
@@ -42,7 +42,7 @@ Do you want to continue anyway?
- <strong>警告プラグイン</strong><br />警告プラグインは、画面に警告文を表示する機能を提供します
+ <strong>警告プラグイン</strong><br />警告プラグインは、画面に警告文を表示する機能を提供します
@@ -62,6 +62,11 @@ Do you want to continue anyway?
container title
警告
+
+
+
+
+
AlertsPlugin.AlertForm
@@ -110,6 +115,30 @@ Do you want to continue anyway?
引数(&P):
+
+
+
+ 引数が見つかりません
+
+
+
+
+ 引数が入力されていません。
+続けますか?
+
+
+
+
+ プレースホルダーが見つかりません
+
+
+
+
+ 警告テキストは、'<>'を含みません。
+処理を続けてもよろしいですか?
+
AlertsPlugin.AlertsManager
@@ -157,18 +186,18 @@ Do you want to continue anyway?
- 書簡の取込み中...%s
+ 書簡の取込み中...%s
Importing verses from <book name>...
- 節の取込み中 %s...
+ 節の取込み中 %s...
- 節の取込み....完了。
+ 節の取込み....完了。
@@ -176,12 +205,17 @@ Do you want to continue anyway?
-
+ 古い聖書を更新(&U)
+
+
+
+
+ 聖書データベースを最新の形式に更新します
-
+ 聖書データベースを最新の形式に更新します.
@@ -189,22 +223,22 @@ Do you want to continue anyway?
- ダウンロードエラー
+ ダウンロードエラー
- HTML構文エラー
+ HTML構文エラー
- 選択された聖書のダウンロードに失敗しました。インターネット接続を確認し、エラーが再び起こったときは、バグ報告を検討してください。
+ 選択された聖書のダウンロードに失敗しました。インターネット接続を確認し、エラーが再び起こったときは、バグ報告を検討してください。
- 選択された聖書の展開に失敗しました。エラーが再び起こったときは、バグ報告を検討してください。
+ 選択された聖書の展開に失敗しました。エラーが再び起こったときは、バグ報告を検討してください。
@@ -212,22 +246,27 @@ Do you want to continue anyway?
- 聖書が完全に読み込まれていません。
+ 聖書が完全に読み込まれていません。
- 一つの聖書と複数の聖書の検索結果をくっつける事はできません。検索結果を削除して、再検索しますか?
+ 一つの聖書と複数の聖書の検索結果をくっつける事はできません。検索結果を削除して、再検索しますか?
-
+ 情報
+
+
+
+
+ 第二訳には検索した箇所全てが含まれていません。両方の聖書に含まれている箇所を表示します。第%d節が除外されます。
-
+ 第二訳には検索した箇所全てが含まれていません。両方の聖書に含まれている箇所を表示します。第%d節が除外されます。
@@ -256,12 +295,12 @@ Do you want to continue anyway?
聖書
-
+
書名がみつかりません
-
+
該当する書名がこの聖書に見つかりません。書名が正しいか確認してください。
@@ -278,7 +317,7 @@ Do you want to continue anyway?
- 選択したスライドを編集します。
+ 選択した聖書を編集します。
@@ -303,40 +342,50 @@ Do you want to continue anyway?
-
+ <strong>聖書プラグイン</strong><br />聖書プラグインは、礼拝プログラムで様々な訳の御言葉を表示する機能を提供します。
+
+
+
+
+ 古い聖書を更新(&U)
+
+
+
+
+ 聖書データベースを最新の形式に更新します.
BiblesPlugin.BibleManager
-
+
書名章節番号エラー
-
+
ウェブ聖書は使用できません
-
+
本文検索はウェブ聖書では使用できません。
-
+
検索語句が入力されていません。
複数の語句をスペースで区切ると全てに該当する箇所を検索し、コンマ(,)で区切るといずれかに該当する箇所を検索します。
-
+
- 利用可能な聖書がありません。インポートガイドを利用して、一つ以上の聖書をインストールしてください。
+ 利用可能な聖書がありません。インポートウィザードを利用して、一つ以上の聖書をインストールしてください。
-
+
書 章:節-章:節
-
+
利用可能な聖書翻訳がありません
@@ -414,42 +463,42 @@ Changes do not affect verses already in the service.
-
+ 書名を選択
-
+ 以下の書名は内部で一致しませんでした。対応する英語名を一覧から選択してください。
-
+ 現在の名前:
-
+ 対応する名前:
-
+ 絞込み
-
+ 旧約
-
+ 新約
-
+ 旧約聖書続編
@@ -457,195 +506,234 @@ Changes do not affect verses already in the service.
-
+ 書名を選択してください。
+
+
+
+ BiblesPlugin.CSVBible
+
+
+
+ 書簡の取込み中...%s
+
+
+
+
+ Importing verses from <book name>...
+ 節の取込み中 %s...
+
+
+
+
+ 節の取込み....完了。
BiblesPlugin.HTTPBible
-
+
-
+ 聖書を登録し書名を取込み中...
-
+
-
+ 言語を登録中...
-
+
Importing <book name>...
-
+ %sを取込み中...
+
+
+
+
+ ダウンロードエラー
+
+
+
+
+ 選択された聖書のダウンロードに失敗しました。インターネット接続を確認し、エラーが再び起こったときは、バグ報告を検討してください。
+
+
+
+
+ HTML構文エラー
+
+
+
+
+ 選択された聖書の展開に失敗しました。エラーが再び起こったときは、バグ報告を検討してください。
BiblesPlugin.ImportWizardForm
-
+
聖書インポートウィザード
-
+
- この一連の手順を通じて、様々な聖書のデータを取り込む事ができます。次へボタンをクリックし、取り込む聖書のフォーマットを選択してください。
+ このウィザードで、様々な聖書のデータを取り込む事ができます。次へボタンをクリックし、取り込む聖書のフォーマットを選択してください。
-
+
ウェブからダウンロード
-
+
サイト:
-
+
-
+ Crosswalk
-
+
-
+ BibleGateway
-
+
訳:
-
+
ダウンロードオプション
-
+
サーバ:
-
+
ユーザ名:
-
+
パスワード:
-
+
プロキシサーバ (任意)
-
+
ライセンス詳細
-
+
ライセンス詳細を設定してください。
-
+
訳名:
-
+
著作権:
-
+
聖書データの取り込みが完了するまでしばらくお待ちください。
-
+
取り込む聖書データの書簡を指定する必要があります。
-
+
取り込む節の指定が必要です。
-
+
聖書データのバージョン名を指定する必要があります。
-
+
著作権情報を入力してください。公共のサイトからの聖書もそのように入力ください。
-
+
聖書が存在します
-
+
すでにこの聖書データは取り込み済みです。他の聖書データを取り込むか既に取り込まれた聖書を削除してください。
-
+
聖書データの取り込みに失敗しました。
-
+
使用許可:
-
+
CSVファイル
-
+
-
+ Bibleserver
-
+
聖書訳:
-
+
書簡:
-
+
節:
-
+
openlp.org 1x 聖書ファイル
-
+
-
+ 聖書を登録中...
-
+
-
+ 聖書を登録しました。本文は使用時にダウンロードされるため、インターネット接続が必要なことに注意してください。
@@ -653,83 +741,103 @@ demand and thus an internet connection is required.
-
+ 言語を選択
-
+ この聖書の訳の言語を判定することができませんでした。一覧から言語を選択してください。
- 言語:
+ 言語:
BiblesPlugin.LanguageForm
-
+
-
+ 言語を選択する必要があります。
BiblesPlugin.MediaItem
-
+
高速
-
+
検索:
-
+
書名:
-
+
章:
-
+
節:
-
+
開始:
-
+
終了:
-
+
キーワード検索
-
+
第二訳:
-
+
参照聖句
-
+
-
+ 結果へ追加するか置換するかを切り替えます。
+
+
+
+
+ 一つの聖書と複数の聖書の検索結果をくっつける事はできません。検索結果を削除して、再検索しますか?
+
+
+
+
+ 聖書が完全に読み込まれていません。
+
+
+
+
+ 情報
+
+
+
+
+ 第二訳には検索した箇所全てが含まれていません。両方の聖書に含まれている箇所を表示します。第%d節が除外されます。
@@ -758,236 +866,295 @@ demand and thus an internet connection is required.
BiblesPlugin.UpgradeWizardForm
-
+
-
+ バックアップディレクトリを選択
-
+
-
+ 聖書更新ウィザード
-
+
-
+ このウィザードで、古いバージョンのOpenLP 2の聖書を更新をします。次へをクリックして、更新作業を始めてください。
-
+
-
+ バックアップディレクトリを選択
-
+
-
+ バックアップディレクトリを選択
-
+
-
+ OpenLP 2.0の前のリリースでは更新した聖書を使用することができません。このウィザードでは現在の聖書のバックアップを作成するので、前のリリースを使用する必要があるときには、バックアップをOpenLPのデータディレクトリにコピーしてください。
-
+
-
+ 聖書をバックアップする場所を選択してください。
-
+
-
+ バックアップディレクトリ:
-
+
-
+ 聖書をバックアップする必要はありません。
-
+
-
+ 聖書を選択
-
+
-
+ 更新する聖書を選択
+
+
+
+
+ 訳名:
-
- 訳名:
-
-
-
-
+ 聖書が既に存在します。名前を変更するかチェックを外してください。
-
+
-
+ 更新
-
+
-
+ 聖書の更新が完了するまでお待ちください。
-
+ 聖書のバックアップディレクトリを選択する必要があります。
-
+
+
+ バックアップに失敗しました。
+聖書をバックアップするために、指定したディレクトリに書き込み権限があるか確認してください。もし書き込み権限があるにも関わらずこのエラーが再発する場合には、バグ報告をしてください。
+
+
+
- 聖書データのバージョン名を指定する必要があります。
+ 聖書データの訳名を指定する必要があります。
-
+
- 聖書が存在します
+ 聖書が存在します
-
+
-
+ この聖書は既に存在します。異なる聖書を更新するか、存在する聖書を削除するか、チェックを外してください。
+
+
+
+
+ 聖書の更新を開始中...
-
+ 更新できる聖書がありません。
-
+
-
+ 聖書の更新中(%s/%s): "%s"
+失敗
-
+
-
+ 聖書の更新中(%s/%s): "%s"
+更新中...
-
+
- ダウンロードエラー
+ ダウンロードエラー
-
+
+
+ ウェブ聖書を更新するためにはインターネット接続が必要です。もしインターネットに接続されているにも関わらずこのエラーが再発する場合は、バグ報告をしてください。
+
+
+
-
+ 聖書の更新中(%s/%s): "%s"
+更新中 %s...
-
+
+
+ 聖書の更新中(%s/%s): "%s"
+完了
+
+
+
-
+ , 失敗: %s
-
+
+
+ 聖書更新: 成功: %s%s
+ウェブ聖書の本文は使用時にダウンロードされるため、
+インターネット接続が必要なことに注意してください。
+
+
+
-
+ 聖書更新: 成功: %s%s
-
+
-
+ 更新に失敗しました。
-
+
-
+ バックアップに失敗しました。
+聖書をバックアップするため、指定されたディレクトリに書き込み権限があることを確認してください。
-
+ 聖書の更新を開始しています...
-
+
-
+ ウェブ聖書を更新するためにはインターネット接続が必要です。
-
+
+ 聖書の更新中(%s/%s): "%s"
+成功
+
+
+
+
+ 聖書更新: 成功: %s%s
+ウェブ聖書の本文は使用時にダウンロードされるため、インターネット接続が必要なことに注意してください。
+
+
+
+
-
-
+
+
+
+
+
+
+
CustomPlugin
+
+
+
+ <strong>カスタムプラグイン</strong><br />カスタムプラグインは、カスタムのテキストを賛美などと同様に表示する機能を提供します。
+
-
+ <strong>カスタムスライドプラグイン</strong><br />カスタムスライドプラグインは、任意のテキストを賛美などと同様に表示する機能を提供します。賛美プラグインよりも自由な機能を提供します。
name singular
-
+ カスタムスライド
name plural
-
+ カスタムスライド
container title
-
+ カスタムスライド
-
+ 新しいカスタムスライドを読み込みます。
-
+ カスタムスライドをインポートします。
-
+ 新しいカスタムスライドを追加します。
-
+ 選択したカスタムスライドを編集します。
-
+ 選択したカスタムスライドを削除します。
-
+ 選択したカスタムスライドをプレビューします。
-
+ 選択したカスタムスライドをライブへ送ります。
-
+ 選択したカスタムスライドを礼拝プログラムに追加します。
@@ -1030,6 +1197,11 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
すべてのスライドを一括編集。
+
+
+
+ スライドを分割
+
@@ -1041,14 +1213,14 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
外観テーマ(&m):
-
+
タイトルの入力が必要です。
-
+
- 最低一枚のスライドが必要です
+ 最低1枚のスライドが必要です
@@ -1060,10 +1232,86 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
クレジット(&C):
+
+
+
+ 1枚のスライドに納まらないときのみ、スライドが分割されます。
+
-
+ スライドの挿入
+
+
+
+ CustomPlugin.MediaItem
+
+
+
+
+
+
+
+
+
+ CustomsPlugin
+
+
+
+ name singular
+ カスタム
+
+
+
+
+ name plural
+ カスタム
+
+
+
+
+ container title
+ カスタム
+
+
+
+
+ 新しいカスタムを読み込みます。
+
+
+
+
+ カスタムをインポートします。
+
+
+
+
+ 新しいカスタムを追加します。
+
+
+
+
+ 選択したカスタムを編集します。
+
+
+
+
+ 選択したカスタムを削除します。
+
+
+
+
+ 選択したカスタムをプレビューします。
+
+
+
+
+ 選択したカスタムをライブへ送ります。
+
+
+
+
+ 選択したカスタムを礼拝プログラムに追加します。
@@ -1071,7 +1319,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
- 一般
+ 一般
@@ -1099,40 +1347,75 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
container title
画像
+
+
+
+ 新しい画像を読み込みます。
+
+
+
+
+ 新しい画像を追加します。
+
+
+
+
+ 選択した画像を編集します。
+
+
+
+
+ 選択した画像を削除します。
+
+
+
+
+ 選択した画像をプレビューします。
+
+
+
+
+ 選択した画像をライブへ送ります。
+
+
+
+
+ 選択した画像を礼拝プログラムに追加します。
+
-
+ 新しい画像を取込み。
-
+ 新しい画像を追加します。
-
+ 選択した画像を編集します。
-
+ 選択した画像を削除します。
-
+ 選択した画像をプレビューします。
-
+ 選択した画像をライブへ送ります。
-
+ 選択した画像を礼拝プログラムに追加します。
@@ -1146,42 +1429,47 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
ImagePlugin.MediaItem
-
+
画像を選択
-
+
削除する画像を選択してください。
-
+
置き換える画像を選択してください。
-
+
画像が見つかりません
-
+
以下の画像は既に存在しません
-
+
以下の画像は既に存在しません:%s
それでも他の画像を追加しますか?
-
+
背景画像を置換する際に問題が発生しました。画像ファイル"%s"が存在しません。
+
+
+
+
+
MediaPlugin
@@ -1208,79 +1496,119 @@ Do you want to add the other images anyway?
container title
メディア
+
+
+
+ 新しいメディアを読み込みます。
+
+
+
+
+ 新しいメディアを追加します。
+
+
+
+
+ 選択したメディアを編集します。
+
+
+
+
+ 選択したメディアを削除します。
+
+
+
+
+ 選択したメディアをプレビューします。
+
+
+
+
+ 選択したメディアをライブへ送ります。
+
+
+
+
+ 選択したメディアを礼拝プログラムに追加します。
+
-
+ 新しいメディアを読み込みます。
-
+ 新しいメディアを追加します。
-
+ 選択したメディアを編集します。
-
+ 選択したメディアを削除します。
-
+ 選択したメディアをプレビューします。
-
+ 選択したメディアをライブへ送ります。
-
+ 選択したメディアを礼拝プログラムに追加します。
MediaPlugin.MediaItem
-
+
メディア選択
-
+
削除するメディアファイルを選択してください。
-
+
メディアファイルが見つかりません
-
+
ファイル %s が見つかりません。
-
+
背景を置換するメディアファイルを選択してください。
-
+
背景を置き換えする際に問題が発生しました。メディアファイル"%s"は既に存在しません。
-
+
ビデオ (%s);;オーディオ (%s);;%s (*)
+
+
+
+
+
MediaPlugin.MediaTab
@@ -1298,21 +1626,23 @@ Do you want to add the other images anyway?
OpenLP
-
+
画像ファイル
-
+ 情報
-
+ 聖書の形式が変更されました。
+聖書を更新する必要があります。
+今OpenLPが更新を行っても良いですか?
@@ -1483,13 +1813,20 @@ OpenLP is free church presentation software, or lyrics projection software, used
Find out more about OpenLP: http://openlp.org/
OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider contributing by using the button below.
-
+ OpenLP <version><revision> - オープンソース賛美詞投射ソフトウェア
+
+OpenLPは、教会専用のフリー(無償及び利用に関して)のプレゼンテーション及び賛美詞投射ソフトウェアです。パソコンとプロジェクターを用いて、聖書箇所、画像また他プレゼンテーションデータ(OpenOffice.orgやPowerPoint/Viewerが必要)をスライド表示する事ができます。
+
+http://openlp.org/にて詳しくご紹介しております。
+
+OpenLPは、ボランティアの手により開発保守されています。もっと多くのクリスチャンの手によるフリーのソフトウェア開発に興味がある方は、以下のボタンからどうぞ。
-
+ Copyright © 2004-2011 %s
+Portions copyright © 2004-2011 %s
@@ -1583,82 +1920,87 @@ Portions copyright © 2004-2011 %s
OpenLP.DisplayTagDialog
-
+
- 選択項目を編集
+ 選択項目を編集
-
+
- 説明
+ 説明
+
+
+
+
+ タグ
+
+
+
+
+ 開始タグ
-
- タグ
-
-
-
-
- 開始タグ
-
-
-
- 終了タグ
+ 終了タグ
-
+
- タグID
+ タグID
-
+
- 開始HTML
+ 開始HTML
-
+
- 終了HTML
+ 終了HTML
-
+
-
+ 保存
OpenLP.DisplayTagTab
-
+
- 更新エラー
+ 更新エラー
- タグ「n」は既に定義されています。
+ タグ「n」は既に定義されています。
-
+
- タグ「%s」は既に定義されています。
+ タグ「%s」は既に定義されています。
-
+ 新しいタグ
+
+
+
+
+ <Html_here>
-
+ </and here>
-
+ <Html_here>
@@ -1666,82 +2008,82 @@ Portions copyright © 2004-2011 %s
-
+ 赤
-
+ 黒
-
+ 青
-
+ 黄
-
+ 緑
-
+ ピンク
-
+ 橙
-
+ 紫
-
+ 白
-
+ 上付き
-
+ 下付き
-
+ 段落
- 太字
+ 太字
-
+ 斜体
-
+ 下線
-
+ 改行
@@ -1911,24 +2253,24 @@ Version: %s
ダウンロード中 %s...
-
+
- ダウンロードが完了しました。終了ボタンが押下されると、OpenLPを開始します。
+ ダウンロードが完了しました。完了をクリックすると、OpenLPが開始します。
-
+
選択されたプラグインを有効化しています...
- 初回利用ガイド
+ 初回起動ウィザード
- 初回起動ガイドへようこそ
+ 初回起動ウィザードへようこそ
@@ -1948,7 +2290,7 @@ Version: %s
- カスタムテキスト
+ カスタムテキスト
@@ -2002,11 +2344,11 @@ Version: %s
To re-run the First Time Wizard and import this sample data at a later stage, press the cancel button now, check your Internet connection, and restart OpenLP.
To cancel the First Time Wizard completely, press the finish button now.
- インターネット接続が見つかりませんでした。初回起動ガイドは、サンプルとなる聖書、テーマ、賛美データを取得するためにインターネット接続を必要とします。
+ インターネット接続が見つかりませんでした。初回起動ウィザードは、サンプルとなる聖書、テーマ、賛美データを取得するためにインターネット接続を必要とします。
-初回起動ガイドを後で再実行しサンプルをインポートしたい場合は、キャンセルボタンをクリックし、インターネット接続を確認してから、OpenLPを再起動してください。P.
+初回起動ウィザードを後で再実行しサンプルをインポートしたい場合は、キャンセルボタンをクリックし、インターネット接続を確認してから、OpenLPを再起動してください。P.
-初回起動ガイドを完全にキャンセルする場合は、終了ボタンを押下してください。
+初回起動ウィザードを完全にキャンセルする場合は、終了ボタンを押下してください。
@@ -2016,7 +2358,7 @@ To cancel the First Time Wizard completely, press the finish button now.
- 以下のキリスト教化において合法的に利用が可能な賛美を選択して下さい。
+ パブリックドメインの賛美を選択する事でダウンロードできます。
@@ -2036,7 +2378,7 @@ To cancel the First Time Wizard completely, press the finish button now.
- サンプル外観テーマを選択して、ダウンロードして下さい。
+ サンプル外観テーマを選択する事でダウンロードできます。
@@ -2048,6 +2390,16 @@ To cancel the First Time Wizard completely, press the finish button now.Set up default settings to be used by OpenLP.
既定設定がOpenLPに使われるようにセットアップします。
+
+
+
+ セットアップとインポート中
+
+
+
+
+ OpenLPがセットアップされ、あなたのデータがインポートされるまでお待ち下さい。
+
@@ -2066,28 +2418,212 @@ To cancel the First Time Wizard completely, press the finish button now.
-
+ このウィザードで、OpenLPを初めて使用する際の設定をします。次へをクリックして開始してください。
-
+
-
-
-
-
-
-
-
-
-
-
-
+ 設定とダウンロード中
+
+ OpenLPがセットアップされ、あなたのデータがインポートされるまでお待ち下さい。
+
+
+
+
+ 設定中
+
+
+
+ 完了をクリックすると、OpenLPが開始します。
+
+
+
+
+ カスタムスライド
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTagDialog
+
+
+
+
+
+
+
+
+ 選択項目を編集
+
+
+
+
+ 保存
+
+
+
+
+ 説明
+
+
+
+
+ タグ
+
+
+
+
+ 開始タグ
+
+
+
+
+ 終了タグ
+
+
+
+
+ タグID
+
+
+
+
+ 開始HTML
+
+
+
+
+ 終了HTML
+
+
+
+ OpenLP.FormattingTagForm
+
+
+
+ 更新エラー
+
+
+
+
+ タグ「n」は既に定義されています。
+
+
+
+
+ 新しいタグ
+
+
+
+
+ <Html_here>
+
+
+
+
+ </and here>
+
+
+
+
+ タグ「%s」は既に定義されています。
+
+
+
+ OpenLP.FormattingTags
+
+
+
+ 赤
+
+
+
+
+ 黒
+
+
+
+
+ 青
+
+
+
+
+ 黄
+
+
+
+
+ 緑
+
+
+
+
+ ピンク
+
+
+
+
+ 橙
+
+
+
+
+ 紫
+
+
+
+
+ 白
+
+
+
+
+ 上付き
+
+
+
+
+ 下付き
+
+
+
+
+ 段落
+
+
+
+
+ 太字
+
+
+
+
+ 斜体
+
+
+
+
+ 下線
+
+
+
+
+ 改行
+
OpenLP.GeneralTab
@@ -2174,12 +2710,12 @@ To cancel the First Time Wizard completely, press the finish button now.
-
+ X
-
+ Y
@@ -2209,12 +2745,12 @@ To cancel the First Time Wizard completely, press the finish button now.
-
+ スライドの最後から最初に戻る
-
+ 時間付きスライドの間隔:
@@ -2233,7 +2769,7 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainDisplay
-
+
OpenLP ディスプレイ
@@ -2241,313 +2777,313 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainWindow
-
+
ファイル(&F)
-
+
インポート(&I)
-
+
エクスポート(&E)
-
+
表示(&V)
-
+
モード(&O)
-
+
ツール(&T)
-
+
設定(&S)
-
+
言語(&L)
-
+
ヘルプ(&H)
-
+
メディアマネジャー
-
+
礼拝プログラム
-
+
外観テーママネジャー
-
+
新規作成(&N)
-
+
開く(&O)
-
+
存在する礼拝プログラムを開きます。
-
+
保存(&S)
-
+
現在の礼拝プログラムをディスクに保存します。
-
+
名前を付けて保存(&A)...
-
+
名前をつけて礼拝プログラムを保存
-
+
現在の礼拝プログラムを新しい名前で保存します。
-
+
終了(&X)
-
+
Open LPを終了
-
+
外観テーマ(&T)
-
+
OpenLPの設定(&C)...
-
+
メディアマネジャー(&M)
-
+
メディアマネジャーを切り替える
-
+
メディアマネジャーの可視性を切り替える。
-
+
外観テーママネジャー(&T)
-
+
外観テーママネジャーの切り替え
-
+
外観テーママネジャーの可視性を切り替える。
-
+
礼拝プログラム(&S)
-
+
礼拝プログラムを切り替え
-
+
礼拝プログラムの可視性を切り替える。
-
+
プレビューパネル(&P)
-
+
プレビューパネルの切り替え
-
+
プレビューパネルの可視性を切り替える。
-
+
ライブパネル(&L)
-
+
ライブパネルの切り替え
-
+
ライブパネルの可視性を切り替える。
-
+
プラグイン一覧(&P)
-
+
プラグイン一覧
-
+
ユーザガイド(&U)
-
+
バージョン情報(&A)
-
+
OpenLPの詳細情報
-
+
オンラインヘルプ(&O)
-
+
ウェブサイト(&W)
-
+
システム言語を可能であれば使用します。
-
+
インターフェイス言語を%sに設定
-
+
ツールの追加(&T)...
-
+
ツールの一覧にアプリケーションを追加。
-
+
デフォルト(&D)
-
+
表示モードを既定に戻す。
-
+
設定(&S)
-
+
ビューモードに設定します。
-
+
ライブ(&L)
-
+
表示モードをライブにします。
-
+
- OpenLPのバージョン%sがダウンロード可能です。(現在ご利用のバージョンは%Sです。)
+ OpenLPのバージョン%sがダウンロード可能です。(現在ご利用のバージョンは%sです。)
http://openlp.org/から最新版がダウンロード可能です。
-
+
OpenLPのバージョンアップ完了
-
+
OpenLPのプライマリディスプレイがブランクです
-
+
OpenLPのプライマリディスプレイがブランクになりました
-
+
- 既定外観テーマ
+ 既定外観テーマ: %s
@@ -2556,53 +3092,111 @@ http://openlp.org/から最新版がダウンロード可能です。日本語
-
+
ショートカットの設定(&S)...
-
+
OpenLPの終了
-
+
本当にOpenLPを終了してもよろしいですか?
-
-
- 表示タグを設定(&C)
+
+
+ 現在の礼拝プログラム順序を印刷します。
-
+
+
+ 表示タグを設定(&C)
+
+
+
データフォルダを開く(&D)...
-
+
賛美、聖書データなどのデータが含まれているフォルダを開く。
-
+
自動検出(&A)
-
+
-
+ テーマの縮小画像を更新
-
+
+ 全てのテーマの縮小画像を更新します。
+
+
+
+
+ 現在の礼拝プログラムを印刷します。
+
+
+
+
-
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Clear List of recent files
+
+
+
+
+
@@ -2614,54 +3208,83 @@ http://openlp.org/から最新版がダウンロード可能です。項目の選択がありません
-
+
選択された礼拝項目を追加(&A
-
+
プレビューを見るには、一つ以上の項目を選択してください。
-
+
ライブビューを見るには、一つ以上の項目を選択してください。
-
+
一つ以上の項目を選択してください。
-
+
追加するには、既存の礼拝項目を選択してください。
-
+
無効な礼拝項目
-
+
%sの項目を選択してください。
-
+
+
+ 重複するファイル名 %s
+このファイル名は既にリストに存在します
+
+
+
-
+ 追加するには、一つ以上の項目を選択してください。
-
+
-
+ 見つかりませんでした
-
+
+ 重複するファイル名: %s
+このファイル名は既に一覧に存在します。
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
@@ -2711,12 +3334,12 @@ This filename is already in the list
OpenLP.PrintServiceDialog
-
+
サイズをページに合わせる
-
+
サイズをページの横幅に合わせる
@@ -2724,68 +3347,88 @@ This filename is already in the list
OpenLP.PrintServiceForm
-
+
オプション
- 閉じる
+ 閉じる
-
+
コピー
-
+
HTMLとしてコピーする
-
+
ズームイン
-
+
ズームアウト
-
+
既定のズームに戻す
-
+
その他のオプション
-
+
可能であれば、スライドテキストを含める
-
+
礼拝項目メモを含める
-
+
メディア項目の再生時間を含める
-
+
+
+ 礼拝プログラム順序シート
+
+
+
テキスト項目毎に改ページ
-
+
+ 礼拝シート
+
+
+
+
+
+
+
+
+
+
+
+
+
+
@@ -2802,10 +3445,23 @@ This filename is already in the list
プライマリ
+
+ OpenLP.ServiceItem
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceItemEditForm
-
+
礼拝項目を並べ替え
@@ -2813,257 +3469,277 @@ This filename is already in the list
OpenLP.ServiceManager
-
+
一番上に移動(&t)
-
+
選択した項目を最も上に移動する。
-
+
一つ上に移動(&u)
-
+
選択した項目を1つ上に移動する。
-
+
一つ下に移動(&d)
-
+
選択した項目を1つ下に移動する。
-
+
一番下に移動(&b)
-
+
選択した項目を最も下に移動する。
-
+
削除(&D)
-
+
選択した項目を礼拝プログラムから削除する。
-
+
新しい項目を追加(&A)
-
+
選択された項目を追加(&A)
-
+
項目の編集(&E)
-
+
項目を並べ替え(&R)
-
+
メモ(&N)
-
+
項目の外観テーマを変更(&C)
-
+
礼拝プログラムファイルが有効でありません。
エンコードがUTF-8でありません。
-
+
礼拝プログラムファイルが有効でありません。
-
+
ディスプレイハンドラが見つかりません
-
+
ディスプレイハンドラが見つからないため項目を表示する事ができません
-
+
必要なプラグインが見つからないか無効なため、項目を表示する事ができません
-
+
すべて展開(&E)
-
+
全ての項目を展開する。
-
+
すべて折り畳む(&C)
-
+
全ての項目を折り畳みます。
-
+
ファイルを開く
-
+
OpenLP 礼拝プログラムファイル (*.osz)
-
+
選択をウィンドウの下に移動する。
-
+
上に移動
-
+
選択をウィンドウの上に移動する。
-
+
- ライブへGO
+ ライブへ送る
-
+
選択された項目をライブ表示する。
-
+
礼拝プログラムの編集
-
+
開始時間(&S)
-
+
プレビュー表示(&P)
-
+
ライブ表示(&L)
-
+
現在の礼拝プログラムは、編集されています。保存しますか?
-
+
ファイルが破損しているため開けません。
-
+
空のファイル
-
+
この礼拝プログラムファイルは空です。
-
+
破損したファイル
-
+
- カスタム礼拝項目メモ:
+ 礼拝項目メモ:
-
+
メモ:
-
+
再生時間:
-
+
無題
-
+
+
+ このファイルは破損しているかOpenLP 2.0の礼拝プログラムファイルではありません。
+
+
+
既存の礼拝プログラムを読み込みます。
-
+
礼拝プログラムを保存します。
-
+
礼拝プログラムの外観テーマを選択します。
-
+
+ このファイルは破損しているかOpenLP 2.0の礼拝プログラムファイルではありません。
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceNoteForm
-
+
礼拝項目メモ
@@ -3081,7 +3757,7 @@ The content encoding is not UTF-8.
- ショートカットのカスタマイズ
+ ショートカットのカスタマイズ
@@ -3094,12 +3770,12 @@ The content encoding is not UTF-8.
ショートカット
-
+
ショートカットの重複
-
+
このショートカット"%s"は既に他の動作に割り振られています。他のショートカットをご利用ください。
@@ -3134,50 +3810,55 @@ The content encoding is not UTF-8.
この動作のショートカットを初期値に戻す。
-
+
ショートカットを初期設定に戻す
-
+
全てのショートカットを初期設定に戻しますか?
+
+
+
+
+
OpenLP.SlideController
-
+
隠す
-
+ 送る
-
+
スクリーンをブランク
-
+
外観テーマをブランク
-
+
デスクトップを表示
-
+
前スライド
-
+
次スライド
@@ -3197,70 +3878,70 @@ The content encoding is not UTF-8.
項目をエスケープ
-
+
-
+ 前に移動。
-
+
-
+ 次に移動。
-
+
-
+ スライドを再生
-
+ スライドを繰り返し再生
-
+ スライドを最後まで再生
-
+ スライドの再生時間を秒で指定する。
-
+ ライブへ移動する。
-
+ 礼拝プログラムへ追加する。
-
+ 編集しプレビューを再読み込みする。
-
+ メディアの再生を開始する。
OpenLP.SpellTextEdit
-
+
綴りの推奨
-
+
タグフォーマット
-
+
言語:
@@ -3307,15 +3988,25 @@ The content encoding is not UTF-8.
時間検証エラー
+
+
+
+ 終了時間がメディア項目の終了時間より後に設定されています
+
+
+
+
+ 開始時間がメディア項目の終了時間より後に設定されています
+
-
+ 終了時間がメディア項目の終了より後に設定されています
-
+ 開始時間がメディア項目の終了時間より後に設定されています
@@ -3348,209 +4039,215 @@ The content encoding is not UTF-8.
-
+ (スライド1枚におよそ%d行)
OpenLP.ThemeManager
-
+
新しい外観テーマを作成する。
-
+
外観テーマ編集
-
+
外観テーマの編集する。
-
+
外観テーマ削除
-
+
外観テーマの削除する。
-
+
外観テーマインポート
-
+
外観テーマのインポートをする。
-
+
外観テーマのエキスポート
-
+
外観テーマのエキスポートをする。
-
+
外観テーマの編集(&E)
-
+
外観テーマの削除(&D)
-
+
全体の既定として設定(&G))
-
+
%s (既定)
-
+
編集する外観テーマを選択してください。
-
+
既定の外観テーマを削除する事はできません。
-
+
%s プラグインでこの外観テーマは利用されています。
-
+
外観テーマの選択がありません。
-
+
外観テーマを保存 - (%s)
-
+
外観テーマエキスポート
-
+
外観テーマは正常にエキスポートされました。
-
+
外観テーマのエキスポート失敗
-
+
エラーが発生したため外観テーマは、エキスポートされませんでした。
-
+
インポート対象の外観テーマファイル選択
-
+
ファイルは無効な外観テーマです。文字コードがUTF-8ではありません。
-
+
無効な外観テーマファイルです。
-
+
外観テーマのコピー(&C)
-
+
外観テーマの名前を変更(&N)
-
+
外観テーマのエキスポート(&E)
-
+
名前を変更する外観テーマを選択してください。
-
+
名前変更確認
-
+
%s外観テーマの名前を変更します。宜しいですか?
-
+
削除する外観テーマを選択してください。
-
+
削除確認
-
+
%s 外観テーマを削除します。宜しいですか?
-
+
検証エラー
-
+
同名の外観テーマが既に存在します。
-
+
OpenLP 外観テーマ (*.theme *.otz)
+
+
+
+ Copy of <theme name>
+
+
OpenLP.ThemeWizard
- 外観テーマガイド
+ 外観テーマウィザード
- 外観テーマガイドをようこそ
+ 外観テーマウィザードをようこそ
@@ -3725,7 +4422,7 @@ The content encoding is not UTF-8.
-
+ px
@@ -3765,7 +4462,7 @@ The content encoding is not UTF-8.
- このガイドは、あなたの外観テーマを作成編集する手助けをします。次へをクリックして、背景を選択してください。
+ このウィザードで、外観テーマを作成し編集します。次へをクリックして、背景を選択してください。
@@ -3782,6 +4479,16 @@ The content encoding is not UTF-8.
外観テーマ編集 - %s
+
+
+
+
+
+
+
+
+
+
OpenLP.ThemesTab
@@ -3825,31 +4532,36 @@ The content encoding is not UTF-8.
全体外観テーマを用い、すべての礼拝プログラムや賛美に関連付けられた外観テーマを上書きします。
+
+
+
+ 外観テーマ
+
OpenLP.Ui
-
+
エラー
-
+
削除(&D)
-
+
選択された項目を削除。
-
+
選択された項目を一つ上げる。
-
+
選択された項目を一つ下げる。
@@ -3899,40 +4611,40 @@ The content encoding is not UTF-8.
新規礼拝プログラムを作成します。
-
+
編集(&E)
-
+
空のフィールド
-
+
エキスポート
-
+
Abbreviated font pointsize unit
-
+ pt
-
+
画像
-
+
インポート
- 長さ %s
+ 長さ %s
@@ -3944,6 +4656,11 @@ The content encoding is not UTF-8.
ライブ背景エラー
+
+
+
+ ライブパネル
+
@@ -3996,93 +4713,118 @@ The content encoding is not UTF-8.
-
+ openlp.org 1.x
-
+ OpenLP 2.0
-
+
+
+ 礼拝プログラムを開く
+
+
+
プレビュー
-
+
+
+ プレビューパネル
+
+
+
+
+ 礼拝プログラム順序を印刷
+
+
+
背景を置換
-
+
+
+ ライブの背景を置換
+
+
+
背景をリセット
-
+
+
+ ライブの背景をリセット
+
+
+
The abbreviated unit for seconds
秒
-
+
保存してプレビュー
-
+
検索
-
+
削除する項目を選択して下さい。
-
+
編集する項目を選択して下さい。
-
+
礼拝プログラムの保存
-
+
礼拝プログラム
-
+
開始 %s
-
+
Singular
外観テーマ
-
+
Plural
外観テーマ
-
+
上部
-
+
バージョン
-
+
垂直整列(&V):
@@ -4129,7 +4871,7 @@ The content encoding is not UTF-8.
-
+ %p%
@@ -4148,19 +4890,19 @@ The content encoding is not UTF-8.
インポート元となる%sファイルを最低一つ選択する必要があります。
-
+
- 聖書インポートガイドへようこそ
+ 聖書インポートウィザードへようこそ
-
+
- 賛美エキスポートガイドへようこそ
+ 賛美エキスポートウィザードへようこそ
- 賛美インポートガイドへようこそ
+ 賛美インポートウィザードへようこそ
@@ -4210,38 +4952,38 @@ The content encoding is not UTF-8.
©
-
+
連続
-
+
初期設定
-
+
表示スタイル:
-
+
ファイル
-
+
ヘルプ
-
+
The abbreviated unit for hours
時
-
+
レイアウトスタイル:
@@ -4262,37 +5004,37 @@ The content encoding is not UTF-8.
OpenLPは既に実行されています。続けますか?
-
+
設定
-
+
ツール
-
+
スライドに1節
-
+
1行に1節
-
+
表示
-
+
重複エラー
-
+
サポートされていないファイル
@@ -4307,52 +5049,77 @@ The content encoding is not UTF-8.
XML構文エラー
-
+
-
+ 表示モード
-
+
-
+ 聖書更新ウィザードへようこそ
-
-
-
-
-
-
+ 礼拝プログラムを開きます。
-
-
+
+ 礼拝プログラムを印刷
+
+ ライブの背景を置換します。
+
+
+
-
+ ライブの背景をリセットします。
-
+
+ 分割(&S)
+
+
+
+
+ 1枚のスライドに納まらないときのみ、スライドが分割されます。
+
+
+
+
-
-
+
+
+ スライドを繰り返し再生
+
+
+
+
+ スライドを最後まで再生
+
+
+
+
+
+
+
+
+
OpenLP.displayTagDialog
-
+
- 表示タグを設定
+ 表示タグを設定
@@ -4380,81 +5147,106 @@ The content encoding is not UTF-8.
container title
プレゼンテーション
+
+
+
+ 新しいプレゼンテーションを読み込みます。
+
+
+
+
+ 選択したプレゼンテーションを削除します。
+
+
+
+
+ 選択したプレゼンテーションをプレビューします。
+
+
+
+
+ 選択したプレゼンテーションをライブへ送ります。
+
+
+
+
+ 選択したプレゼンテーションを礼拝プログラムに追加します。
+
-
+ 新しいプレゼンテーションを読み込みます。
-
+ 選択したプレゼンテーションを削除します。
-
+ 選択したプレゼンテーションをプレビューします。
-
+ 選択したプレゼンテーションをライブへ送ります。
-
+ 選択したプレゼンテーションを礼拝プログラムに追加します。
PresentationPlugin.MediaItem
-
+
プレゼンテーション選択
-
+
自動
-
+
使用プレゼン:
-
+
ファイルが存在します
-
+
そのファイル名のプレゼンテーションは既に存在します。
-
+
このタイプのプレゼンテーションはサポートされておりません。
-
+
プレゼンテーション (%s)
-
+
不明なプレゼンテーション
-
+
プレゼンテーション%sが見つかりません。
-
+
プレゼンテーション%sは不完全です。再度読み込んでください。
@@ -4506,94 +5298,99 @@ The content encoding is not UTF-8.
RemotePlugin.Mobile
-
+
-
+ OpenLP 2.0 遠隔操作
-
+
-
+ OpenLP 2.0 ステージビュー
- 礼拝プログラム
-
-
-
-
-
+ 礼拝プログラム
-
- 警告
-
-
-
-
- 検索
+
+ スライドコントローラ
-
-
+
+ 警告
-
-
+
+ 検索
-
-
+
+ 戻る
-
-
+
+ 再読込
-
-
+
+ ブランク
-
-
+
+ 表示
-
-
+
+ 前
-
-
+
+ 次
+
+ テキスト
+
+
+
+
+ 警告を表示
+
+
+
- ライブへGO
+ ライブへ送る
-
+ 礼拝プログラムへ追加
-
+
-
+ 見つかりませんでした
+
+
+
+
+ オプション
-
- オプション
+
+
@@ -4616,79 +5413,89 @@ The content encoding is not UTF-8.
-
+ 遠隔操作URL:
-
+ ステージビューURL:
SongUsagePlugin
-
+
賛美の利用記録(&S)
-
+
利用記録を削除(&D)
-
+
削除する利用記録の対象となるまでの日付を指定してください。
-
+
利用記録の抽出(&E)
-
+
利用記録のレポートを出力する。
-
+
記録の切り替え
-
+
賛美の利用記録の切り替える。
-
+
<strong>SongUsage Plugin</strong><br />このプラグインは、賛美の利用頻度を記録します。
-
+
name singular
利用記録
-
+
name plural
利用記録
-
+
container title
利用記録
-
+
利用記録
+
+
+
+
+
+
+
+
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4748,7 +5555,7 @@ The content encoding is not UTF-8.
-
+ usage_detail_%s_%s.txt
@@ -4828,72 +5635,72 @@ has been successfully created.
-
+ アラブ語 (CP-1256)
-
+ バルト語 (CP-1257)
-
+ 中央ヨーロッパ (CP-1250)
-
+ キリル文字 (CP-1251)
-
+ ギリシャ語 (CP-1253)
-
+ ヘブライ語 (CP-1255)
- 日本語 (CP-932)
+ 日本語 (CP-932)
-
+ 韓国語 (CP-949)
-
+ 簡体中国語 (CP-936)
-
+ タイ語 (CP-874)
-
+ 繁体中国語 (CP-950)
-
+ トルコ語 (CP-1254)
-
+ ベトナム語 (CP-1258)
-
+ 西ヨーロッパ (CP-1252)
@@ -4916,37 +5723,67 @@ The encoding is responsible for the correct character representation.
- エキスポートガイドを使って賛美をエキスポートする。
+ エキスポートウィザードを使って賛美をエキスポートする。
+
+
+
+
+ 賛美を追加します。
+
+
+
+
+ 選択した賛美を編集します。
+
+
+
+
+ 選択した賛美を削除します。
+
+
+
+
+ 選択した賛美をプレビューします。
+
+
+
+
+ 選択した賛美をライブへ送ります。
+
+
+
+
+ 選択した賛美を礼拝プログラムに追加します。
-
+ 賛美を追加します。
-
+ 選択した賛美を編集します。
-
+ 選択した賛美を削除します。
-
+ 選択した賛美をプレビューします。
-
+ 選択した賛美をライブへ送ります。
-
+ 選択した賛美を礼拝プログラムに追加します。
@@ -4998,190 +5835,197 @@ The encoding is responsible for the correct character representation.
SongsPlugin.EasyWorshipSongImport
-
+
%s によって管理されています
+
+
+
+
+
SongsPlugin.EditSongForm
-
+
ソングエディタ
-
+
タイトル(&T):
-
+
サブタイトル(&e):
-
+
賛美詞(&L):
-
+
節順(&V):
-
+
全て編集(&E)
-
+
タイトル && 賛美詞
-
+
賛美に追加(&A)
-
+
削除(&R)
-
+
アーティスト、題目、アルバムを管理(&M)
-
+
賛美に追加(&A)
-
+
削除(&e)
-
+
書名:
-
+
ナンバー:
-
+
アーティスト、題目 && アルバム
-
+
新しい外観テーマ(&N)
-
+
著作権情報
-
+
コメント
-
+
外観テーマ、著作情報 && コメント
-
+
アーティストを追加
-
+
アーティストが存在しません。追加しますか?
-
+
既にアーティストは一覧に存在します。
-
+
有効なアーティストを選択してください。一覧から選択するか新しいアーティストを入力し、"賛美にアーティストを追加"をクリックしてください。
-
+
トピックを追加
-
+
このトピックは存在しません。追加しますか?
-
+
このトピックは既に存在します。
-
+
有効なトピックを選択してください。一覧から選択するか新しいトピックを入力し、"賛美にトピックを追加"をクリックしてください。
-
+
賛美のタイトルを入力する必要があります。
-
+
最低一つのバースを入力する必要があります。
-
+
警告
-
+
バース順序が無効です。%sに対応するバースはありません。%sは有効です。
-
+
%sはバース順序で使われていません。本当にこの賛美を保存しても宜しいですか?
-
+
アルバムを追加
-
+
アルバムが存在しません、追加しますか?
-
+
アーティストを入力する必要があります。
-
+
バースにテキストを入力する必要があります。
@@ -5203,111 +6047,121 @@ The encoding is responsible for the correct character representation.
挿入(&I)
+
+
+
+ 分割(&S)
+
+
+
+
+ 1枚のスライドに納まらないときのみ、スライドが分割されます。
+
-
+ スライド分割機能を用い、スライドを分割してください。
SongsPlugin.ExportWizardForm
-
+
- 賛美エキスポートガイド
+ 賛美エキスポートウィザード
-
+
- このガイドは、あなたの賛美がオープンなOpenLyrics worship song形式としてエキスポートする手伝いをします。
+ このウィザードで、賛美をオープンで無償なOpenLyrics worship song形式としてエキスポートできます。
-
+
賛美を選択して下さい
-
+
エキスポートしたい賛美をチェックして下さい。
-
+
すべてのチェックを外す
-
+
すべてをチェックする
-
+
- フォルダを選択して下さい
+ ディレクトリを選択して下さい
-
+
- フォルダ:
+ ディレクトリ:
-
+
エキスポート中
-
+
賛美をエキスポートしている間今しばらくお待ちください。
-
+
エキスポートする最低一つの賛美を選択する必要があります。
-
+
保存先が指定されていません
-
+
エキスポートを開始しています...
-
+
- フォルダを選択して下さい。
+ ディレクトリを選択して下さい。
-
+
出力先フォルダを選択して下さい
-
+
-
+ 賛美を保存したいディレクトリを選択してください。
SongsPlugin.ImportWizardForm
-
+
ドキュメント/プレゼンテーションファイル選択
- 賛美インポートガイド
+ 賛美インポートウィザード
- このガイドは、様々なフォーマットの賛美をインポートする手助けをします。次へをクリックし、インポートするファイルのフォーマットを選択してください。
+ このウィザードで、様々な形式の賛美をインポートします。次へをクリックし、インポートするファイルの形式を選択してください。
@@ -5334,48 +6188,58 @@ The encoding is responsible for the correct character representation.
ファイルの削除
+
+
+
+ Songs of Fellowshipの取込み機能は、お使いのパソコンにOpenOffice.orgがインストールされていないためご利用になれません。
+
+
+
+
+ 汎用的なドキュメント/プレゼンテーション取込機能は、お使いのパソコンにOpenOffice.orgがインストールされていないためご利用になれません。
+
賛美がインポートされるまでしばらくお待ちください。
-
+
OpenLP 2.0 データベース
-
+
openlp.org v1.x データベース
-
+
Words Of Worship Song ファイル
-
+
インポート対象となる最低一つのドキュメント又はプレゼンテーションファイルを選択する必要があります。
-
+
Songs Of Fellowship Song ファイル
-
+
SongBeamerファイル
-
+
SongShow Plus Songファイル
-
+
Foilpresenter Song ファイル
@@ -5392,58 +6256,64 @@ The encoding is responsible for the correct character representation.
-
+ OpenOfficeまたはLibreOfficeに接続できないため、Songs of Fellowshipのインポート機能は無効になっています。
-
+ OpenOfficeまたはLibreOfficeに接続できないため、汎用ドキュメント/プレゼンテーションのインポート機能は無効になっています。
SongsPlugin.MediaItem
-
+
タイトル
-
+
賛美詞
- これらの賛美を削除しますか?
+ これらの賛美を削除しますか?
-
+
CCLI ライセンス:
-
+
賛美全体
-
+
選択された%n件の賛美を削除します。宜しいですか?
-
+
アーティスト、トピックとアルバムの一覧を保守します。
+
+
+
+ For song cloning
+
+
SongsPlugin.OpenLP1SongImport
-
+
有効なopenlp.org v1.xデータベースではありません。
@@ -5459,7 +6329,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.OpenLyricsExport
-
+
「%s」をエキスポートしています...
@@ -5490,12 +6360,12 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongExportForm
-
+
エキスポート完了。
-
+
賛美のエキスポートに失敗しました。
@@ -5503,35 +6373,40 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImport
-
+
著作権
-
+
以下の賛美はインポートできませんでした:
-
+
+
+ OpenOfficeまたはLibreOfficeを開けません
+
+
+
-
+ ファイルを開けません
-
+
-
+ ファイルが見つかりません
-
+
-
+ OpenOfficeまたはLibreOfficeに接続できません
SongsPlugin.SongImportForm
-
+
賛美のインポートに失敗しました。
@@ -5733,7 +6608,7 @@ The encoding is responsible for the correct character representation.
- 外観テーマ
+ 外観テーマ
diff --git a/resources/i18n/ko.ts b/resources/i18n/ko.ts
index 65788fa9d..c378a6692 100644
--- a/resources/i18n/ko.ts
+++ b/resources/i18n/ko.ts
@@ -1,30 +1,5 @@
-
-
- AlertPlugin.AlertForm
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
+
AlertsPlugin
@@ -40,7 +15,7 @@ Do you want to continue anyway?
- <strong>경고 플러그인</strong><br />경고 플러그인은 디스플레이 화면에 경고를 출력하는 것을 통제합니다.
+ <strong>경고 플러그인</strong><br />경고 플러그인은 디스플레이 화면에 경고를 출력하는 것을 통제합니다.
@@ -60,6 +35,11 @@ Do you want to continue anyway?
container title
경고
+
+
+
+
+
AlertsPlugin.AlertForm
@@ -108,6 +88,28 @@ Do you want to continue anyway?
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
AlertsPlugin.AlertsManager
@@ -150,84 +152,6 @@ Do you want to continue anyway?
경고 타임아웃:
-
- BibleDB.Wizard
-
-
-
-
-
-
-
-
- Importing verses from <book name>...
-
-
-
-
-
-
-
-
-
- BiblePlugin
-
-
-
-
-
-
-
-
-
-
-
-
- BiblePlugin.HTTPBible
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- BiblePlugin.MediaItem
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
BiblesPlugin
@@ -254,12 +178,12 @@ Do you want to continue anyway?
성경
-
+
-
+
@@ -303,37 +227,47 @@ Do you want to continue anyway?
+
+
+
+
+
+
+
+
+
+
BiblesPlugin.BibleManager
-
+
성경 참조 오류
-
+
-
+
-
+
-
+
-
+
-
+
@@ -451,189 +385,228 @@ Changes do not affect verses already in the service.
+
+ BiblesPlugin.CSVBible
+
+
+
+
+
+
+
+
+ Importing verses from <book name>...
+
+
+
+
+
+
+
+
BiblesPlugin.HTTPBible
-
+
-
+
-
+
Importing <book name>...
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
BiblesPlugin.ImportWizardForm
-
+
성경 가져오기 마법사
-
+
이 마법사는 각종 형식의 성경을 가져오도록 안내해드립니다. 다음 버튼을 눌러서 가져올 성경의 형식을 선택해 주세요.
-
+
웹 다운로드
-
+
위치:
-
+
-
+
-
+
성경:
-
+
다운로드 옵션
-
+
서버:
-
+
사용자 이름:
-
+
비밀번호:
-
+
프록시 서버 (선택 사항)
-
+
라이센스 정보
-
+
성경의 라이센스 정보를 설정하세요.
-
+
버전 이름:
-
+
저작권:
-
+
성경 가져오기가 진행되는 동안 기다려주세요.
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -660,7 +633,7 @@ demand and thus an internet connection is required.
BiblesPlugin.LanguageForm
-
+
@@ -668,60 +641,80 @@ demand and thus an internet connection is required.
BiblesPlugin.MediaItem
-
+
??
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
BiblesPlugin.Opensong
@@ -749,171 +742,151 @@ demand and thus an internet connection is required.
BiblesPlugin.UpgradeWizardForm
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
- 버전 이름:
+ 버전 이름:
-
-
-
-
-
-
+
-
+
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
-
-
-
-
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
CustomPlugin
@@ -1037,12 +1010,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
-
+
-
+
@@ -1058,11 +1031,13 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
- GeneralTab
-
-
-
-
+ CustomPlugin.MediaItem
+
+
+
+
+
+
@@ -1137,41 +1112,46 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
ImagePlugin.MediaItem
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
MediaPlugin
@@ -1237,40 +1217,45 @@ Do you want to add the other images anyway?
MediaPlugin.MediaItem
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
MediaPlugin.MediaTab
@@ -1288,7 +1273,7 @@ Do you want to add the other images anyway?
OpenLP
-
+
@@ -1508,170 +1493,6 @@ Portions copyright © 2004-2011 %s
-
- OpenLP.DisplayTagDialog
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- OpenLP.DisplayTagTab
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- OpenLP.DisplayTags
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
OpenLP.ExceptionDialog
@@ -1811,12 +1632,12 @@ Version: %s
-
+
-
+
@@ -1845,11 +1666,6 @@ Version: %s
-
-
-
-
-
@@ -1965,25 +1781,209 @@ To cancel the First Time Wizard completely, press the finish button now.
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTagDialog
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTagForm
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTags
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.GeneralTab
@@ -2129,7 +2129,7 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainDisplay
-
+
@@ -2137,309 +2137,309 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainWindow
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
새로 만들기(&N)
-
+
-
+
-
+
저장(&S)
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -2450,55 +2450,103 @@ You can download the latest version from http://openlp.org/.
-
+
-
+
-
+
-
+
-
+
-
-
-
-
-
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Clear List of recent files
+
+
+
+
+
+
+
OpenLP.MediaManagerItem
@@ -2508,54 +2556,69 @@ You can download the latest version from http://openlp.org/.
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
@@ -2605,12 +2668,12 @@ This filename is already in the list
OpenLP.PrintServiceDialog
-
+
-
+
@@ -2618,70 +2681,80 @@ This filename is already in the list
OpenLP.PrintServiceForm
-
+
-
-
-
-
-
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ScreenList
@@ -2696,10 +2769,23 @@ This filename is already in the list
+
+ OpenLP.ServiceItem
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceItemEditForm
-
+
@@ -2707,256 +2793,271 @@ This filename is already in the list
OpenLP.ServiceManager
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceNoteForm
-
+
@@ -2971,11 +3072,6 @@ The content encoding is not UTF-8.
OpenLP.ShortcutListDialog
-
-
-
-
-
@@ -2987,12 +3083,12 @@ The content encoding is not UTF-8.
-
+
-
+
@@ -3027,20 +3123,25 @@ The content encoding is not UTF-8.
-
+
-
+
+
+
+
+
+
OpenLP.SlideController
-
+
@@ -3050,27 +3151,27 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
@@ -3090,30 +3191,20 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
-
-
-
-
-
-
-
-
-
@@ -3143,17 +3234,17 @@ The content encoding is not UTF-8.
OpenLP.SpellTextEdit
-
+
-
+
-
+
@@ -3247,191 +3338,197 @@ The content encoding is not UTF-8.
OpenLP.ThemeManager
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+ Copy of <theme name>
+
+
OpenLP.ThemeWizard
@@ -3675,6 +3772,16 @@ The content encoding is not UTF-8.
+
+
+
+
+
+
+
+
+
+
OpenLP.ThemesTab
@@ -3718,31 +3825,36 @@ The content encoding is not UTF-8.
+
+
+
+
+
OpenLP.Ui
-
+
에러
-
+
삭제(&D)
-
+
-
+
-
+
@@ -3767,20 +3879,15 @@ The content encoding is not UTF-8.
-
+
-
+
-
-
-
-
-
@@ -3807,42 +3914,42 @@ The content encoding is not UTF-8.
-
+
미리 보기
-
+
-
+
-
+
-
+
-
+
-
+
-
+
위
@@ -3877,23 +3984,23 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
Abbreviated font pointsize unit
-
+
@@ -3937,45 +4044,45 @@ The content encoding is not UTF-8.
-
+
The abbreviated unit for seconds
-
+
-
+
-
+
-
+
-
+
Singular
-
+
Plural
-
+
@@ -4041,12 +4148,12 @@ The content encoding is not UTF-8.
-
+
성경 가져오기 마법사에 오신 것을 환영합니다.
-
+
@@ -4103,38 +4210,38 @@ The content encoding is not UTF-8.
-
+
연속해서 보기
-
+
-
+
출력 스타일:
-
+
-
+
-
+
The abbreviated unit for hours
-
+
배치 스타일:
@@ -4155,37 +4262,37 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
슬라이드당 절 수
-
+
줄당 절 수
-
+
-
+
-
+
@@ -4200,12 +4307,12 @@ The content encoding is not UTF-8.
-
+
-
+
@@ -4215,36 +4322,53 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
-
-
- OpenLP.displayTagDialog
-
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
@@ -4302,52 +4426,52 @@ The content encoding is not UTF-8.
PresentationPlugin.MediaItem
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -4399,12 +4523,12 @@ The content encoding is not UTF-8.
RemotePlugin.Mobile
-
+
-
+
@@ -4414,80 +4538,80 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
-
-
-
-
-
+
-
+
+
+
+
+
+
RemotePlugin.RemoteTab
@@ -4520,68 +4644,78 @@ The content encoding is not UTF-8.
SongUsagePlugin
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
name singular
-
+
name plural
-
+
container title
-
+
+
+
+
+
+
+
+
+
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4889,190 +5023,197 @@ The encoding is responsible for the correct character representation.
SongsPlugin.EasyWorshipSongImport
-
+
+
+
+
+
+
SongsPlugin.EditSongForm
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -5103,82 +5244,82 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ExportWizardForm
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -5186,7 +5327,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ImportWizardForm
-
+
@@ -5231,42 +5372,42 @@ The encoding is responsible for the correct character representation.
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -5294,47 +5435,48 @@ The encoding is responsible for the correct character representation.
SongsPlugin.MediaItem
-
+
-
+
-
-
-
-
-
-
+
-
+
-
+
-
+
+
+
+
+ For song cloning
+
+
SongsPlugin.OpenLP1SongImport
-
+
@@ -5350,7 +5492,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.OpenLyricsExport
-
+
@@ -5381,12 +5523,12 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongExportForm
-
+
-
+
@@ -5394,27 +5536,27 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImport
-
+
-
+
-
+
-
+
-
+
@@ -5422,7 +5564,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImportForm
-
+
@@ -5619,12 +5761,4 @@ The encoding is responsible for the correct character representation.
-
- ThemeTab
-
-
-
-
-
-
diff --git a/resources/i18n/nb.ts b/resources/i18n/nb.ts
index ed248b010..a11c96a43 100644
--- a/resources/i18n/nb.ts
+++ b/resources/i18n/nb.ts
@@ -1,29 +1,29 @@
-
+
AlertPlugin.AlertForm
- Du har ikke angitt et parameter å erstatte.
+ Du har ikke angitt et parameter å erstatte.
Vil du fortsette likevel?
- Ingen parametre funnet
+ Ingen parametre funnet
- Ingen plassholder funnet
+ Ingen plassholder funnet
- Varselteksten inneholder ikke '<>'.
+ Varselteksten inneholder ikke '<>'.
Vil du fortsette likevel?
@@ -42,7 +42,7 @@ Vil du fortsette likevel?
- <strong>Varsel Tilleg</strong><br />Varsels tillegg kontrolleren viser barn-varsel på visnings skjermen
+ <strong>Varsel Tilleg</strong><br />Varsels tillegg kontrolleren viser barn-varsel på visnings skjermen
@@ -62,6 +62,11 @@ Vil du fortsette likevel?
container title
Varsler
+
+
+
+
+
AlertsPlugin.AlertForm
@@ -110,6 +115,30 @@ Vil du fortsette likevel?
&Parameter:
+
+
+
+ Ingen parametre funnet
+
+
+
+
+ Du har ikke angitt et parameter å erstatte.
+Vil du fortsette likevel?
+
+
+
+
+ Ingen plassholder funnet
+
+
+
+
+ Varselteksten inneholder ikke '<>'.
+Vil du fortsette likevel?
+
AlertsPlugin.AlertsManager
@@ -157,31 +186,18 @@ Vil du fortsette likevel?
- Importerer bøker... %s
+ Importerer bøker... %s
Importing verses from <book name>...
- Importerer vers fra %s...
+ Importerer vers fra %s...
- Importerer vers... ferdig.
-
-
-
- BiblePlugin
-
-
-
-
-
-
-
-
-
+ Importerer vers... ferdig.
@@ -189,22 +205,22 @@ Vil du fortsette likevel?
- Nedlastningsfeil
+ Nedlastningsfeil
- Analysefeil
+ Analysefeil
- Det oppstod et problem ved nedlastingen av de valgte versene. Vennligst sjekk internettilkoblingen, dersom denne feilen vedvarer, vær vennlig å rapportere feilen.
+ Det oppstod et problem ved nedlastingen av de valgte versene. Vennligst sjekk internettilkoblingen, dersom denne feilen vedvarer, vær vennlig å rapportere feilen.
- Det oppstod et problem ved uthenting av de valgte versene. Dersom denne feilen vedvarer, vær vennlig å rapportere feilen.
+ Det oppstod et problem ved uthenting av de valgte versene. Dersom denne feilen vedvarer, vær vennlig å rapportere feilen.
@@ -212,22 +228,12 @@ Vil du fortsette likevel?
- Bibelen er ikke ferdiglastet.
+ Bibelen er ikke ferdiglastet.
- Du kan ikke kombinere enkle og doble bibelverssøkeresultat. Vil du fjerne søkeresultatene og starte et nytt søk?
-
-
-
-
-
-
-
-
-
-
+ Du kan ikke kombinere enkle og doble bibelverssøkeresultat. Vil du fjerne søkeresultatene og starte et nytt søk?
@@ -256,12 +262,12 @@ Vil du fortsette likevel?
Bibler
-
+
Ingen bok funnet
-
+
Ingen samsvarende bok ble funnet i denne bibelen. Sjekk at du har stavet navnet på boken riktig.
@@ -305,38 +311,48 @@ Vil du fortsette likevel?
+
+
+
+
+
+
+
+
+
+
BiblesPlugin.BibleManager
-
+
Bibelreferansefeil
-
+
Nettbibel kan ikke brukes
-
+
Tekstsøk er ikke tilgjengelig med nettbibler.
-
+
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.
-
+
Det er ingen bibler installert. Vennligst bruk importeringsveiviseren for å installere en eller flere bibler.
-
+
-
+
Ingen bibler tilgjengelig
@@ -461,189 +477,228 @@ Endringer påvirker ikke vers som alt er lagt til møtet.
+
+ BiblesPlugin.CSVBible
+
+
+
+ Importerer bøker... %s
+
+
+
+
+ Importing verses from <book name>...
+ Importerer vers fra %s...
+
+
+
+
+ Importerer vers... ferdig.
+
+
BiblesPlugin.HTTPBible
-
+
-
+
-
+
Importing <book name>...
+
+
+
+ Nedlastningsfeil
+
+
+
+
+ Det oppstod et problem ved nedlastingen av de valgte versene. Vennligst sjekk internettilkoblingen, dersom denne feilen vedvarer, vær vennlig å rapportere feilen.
+
+
+
+
+ Analysefeil
+
+
+
+
+ Det oppstod et problem ved uthenting av de valgte versene. Dersom denne feilen vedvarer, vær vennlig å rapportere feilen.
+
BiblesPlugin.ImportWizardForm
-
+
Bibelimporteringsverktøy
-
+
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.
-
+
Nettnedlastning
-
+
Plassering:
-
+
Crosswalk
-
+
BibleGateway
-
+
Bibel:
-
+
Nedlastingsalternativer
-
+
Tjener:
-
+
Brukernavn:
-
+
Passord:
-
+
Proxytjener (valgfritt)
-
+
Lisensdetaljer
-
+
Sett opp Bibelens lisensdetaljer.
-
+
Versjonsnavn:
-
+
Opphavsrett:
-
+
Vennligst vent mens bibelen blir importert.
-
+
Du må angi en fil som inneholder bøkene i Bibelen du vil importere.
-
+
Du må angi en fil med bibelvers som skal importeres.
-
+
Du må spesifisere et versjonsnavn for Bibelen din.
-
+
Bibelen finnes
-
+
Bibelimporteringen mislyktes.
-
+
Du må angi kopiretten for Bibelen. Offentlige bibler må markeres deretter.
-
+
Denne bibelen finnes alt. Vennligst importer en annen bibel eller slett først den eksisterende.
-
+
Tillatelser:
-
+
CSV-fil
-
+
Bibeltjener
-
+
Bibelfil:
-
+
Bokfil:
-
+
Versfil:
-
+
OpenLP 1.x Bibelfiler
-
+
-
+
@@ -670,7 +725,7 @@ demand and thus an internet connection is required.
BiblesPlugin.LanguageForm
-
+
@@ -678,60 +733,80 @@ demand and thus an internet connection is required.
BiblesPlugin.MediaItem
-
+
Hurtig
-
+
Finn:
-
+
Bok:
-
+
Kapittel:
-
+
Vers:
-
+
Fra:
-
+
Til:
-
+
Tekstsøk
-
+
Alternativ:
-
+
Bibelreferanse
-
+
+
+
+
+ Du kan ikke kombinere enkle og doble bibelverssøkeresultat. Vil du fjerne søkeresultatene og starte et nytt søk?
+
+
+
+
+ Bibelen er ikke ferdiglastet.
+
+
+
+
+
+
+
+
+
+
+
BiblesPlugin.Opensong
@@ -759,174 +834,169 @@ demand and thus an internet connection is required.
BiblesPlugin.UpgradeWizardForm
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
- Versjonsnavn:
+ Versjonsnavn:
-
-
-
-
-
-
+
-
+
-
-
-
-
-
-
+
- Du må spesifisere et versjonsnavn for Bibelen din.
+ Du må spesifisere et versjonsnavn for Bibelen din.
-
+
- Bibelen finnes
+ Bibelen finnes
-
-
-
-
-
-
-
-
-
-
-
+
-
+
-
+
Nedlastningsfeil
-
+
-
+
-
+
-
+
-
+
-
-
-
-
-
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
CustomPlugin
+
+
+
+ <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.
+
@@ -1031,6 +1101,11 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
Rediger alle lysbilder på en gang.
+
+
+
+ Del opp lysbilde
+
@@ -1047,12 +1122,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
&Credits:
-
+
Du må skrive inn en tittel.
-
+
Du må legge til minst et lysbilde
@@ -1067,12 +1142,44 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
+
+ CustomPlugin.MediaItem
+
+
+
+
+
+
+
+
+
+
+ CustomsPlugin
+
+
+
+ name singular
+ Egendefinert lysbilde
+
+
+
+
+ name plural
+ Egendefinerte lysbilder
+
+
+
+
+ container title
+ Egendefinert lysbilde
+
+
GeneralTab
- Generell
+ Generell
@@ -1147,42 +1254,47 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
ImagePlugin.MediaItem
-
+
Velg bilde(r)
-
+
Du må velge et bilde å slette.
-
+
Du må velge et bilde å erstatte bakgrunnen med.
-
+
Bilde(r) mangler
-
+
De følgende bilde(r) finnes ikke lenger: %s
-
+
De følgende bilde(r) finnes ikke lenger: %s
Vil du likevel legge til de andre bildene?
-
+
Det oppstod et problem ved erstatting av bakgrunnen, bildefilen "%s" finnes ikke lenger.
+
+
+
+
+
MediaPlugin
@@ -1248,40 +1360,45 @@ Vil du likevel legge til de andre bildene?
MediaPlugin.MediaItem
-
+
Velg fil
-
+
Du må velge en fil å slette
-
+
Fil mangler
-
+
Filen %s finnes ikke lenger
-
+
Du må velge en fil å erstatte bakgrunnen med.
-
+
Det oppstod et problem ved bytting av bakgrunn, filen "%s" finnes ikke lenger.
-
+
Videoer (%s);;Lyd (%s);;%s (*)
+
+
+
+
+
MediaPlugin.MediaTab
@@ -1299,7 +1416,7 @@ Vil du likevel legge til de andre bildene?
OpenLP
-
+
Bildefiler
@@ -1579,170 +1696,6 @@ Portions copyright © 2004-2011 %s
-
- OpenLP.DisplayTagDialog
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- OpenLP.DisplayTagTab
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- OpenLP.DisplayTags
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
OpenLP.ExceptionDialog
@@ -1882,12 +1835,12 @@ Version: %s
-
+
-
+
@@ -1916,11 +1869,6 @@ Version: %s
-
-
-
-
-
@@ -2036,25 +1984,209 @@ To cancel the First Time Wizard completely, press the finish button now.
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTagDialog
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTagForm
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTags
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.GeneralTab
@@ -2200,7 +2332,7 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainDisplay
-
+
@@ -2208,309 +2340,309 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainWindow
-
+
&Fil
-
+
&Importer
-
+
&Eksporter
-
+
&Vis
-
+
-
+
-
+
&Innstillinger
-
+
&Språk
-
+
&Hjelp
-
+
Innholdselementer
-
+
-
+
-
+
&Ny
-
+
&Åpne
-
+
-
+
&Lagre
-
+
-
+
-
+
-
+
-
+
&Avslutt
-
+
Avslutt OpenLP
-
+
&Tema
-
+
-
+
-
+
-
+
-
+
-
+
Åpne tema-behandler
-
+
-
+
-
+
Vis møteplanlegger
-
+
-
+
&Forhåndsvisningspanel
-
+
Vis forhåndsvisningspanel
-
+
-
+
-
+
-
+
-
+
&Tillegsliste
-
+
Hent liste over tillegg
-
+
&Brukerveiledning
-
+
&Om
-
+
-
+
-
+
&Internett side
-
+
-
+
-
+
Legg til & Verktøy...
-
+
-
+
-
+
-
+
-
+
-
+
&Direkte
-
+
-
+
-
+
OpenLP versjonen har blitt oppdatert
-
+
-
+
-
+
@@ -2521,55 +2653,103 @@ You can download the latest version from http://openlp.org/.
Norsk
-
+
-
+
-
+
-
+
-
+
-
-
-
-
-
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Clear List of recent files
+
+
+
+
+
+
+
OpenLP.MediaManagerItem
@@ -2579,54 +2759,69 @@ You can download the latest version from http://openlp.org/.
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
@@ -2676,12 +2871,12 @@ This filename is already in the list
OpenLP.PrintServiceDialog
-
+
-
+
@@ -2689,70 +2884,80 @@ This filename is already in the list
OpenLP.PrintServiceForm
-
+
-
-
-
-
-
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ScreenList
@@ -2767,10 +2972,23 @@ This filename is already in the list
+
+ OpenLP.ServiceItem
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceItemEditForm
-
+
@@ -2778,256 +2996,271 @@ This filename is already in the list
OpenLP.ServiceManager
-
+
Flytt til &toppen
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
&Notis
-
+
&Bytt objekttema
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceNoteForm
-
+
@@ -3042,11 +3275,6 @@ The content encoding is not UTF-8.
OpenLP.ShortcutListDialog
-
-
-
-
-
@@ -3058,12 +3286,12 @@ The content encoding is not UTF-8.
-
+
-
+
@@ -3098,20 +3326,25 @@ The content encoding is not UTF-8.
-
+
-
+
+
+
+
+
+
OpenLP.SlideController
-
+
@@ -3121,27 +3354,27 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
@@ -3161,30 +3394,20 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
-
-
-
-
-
-
-
-
-
@@ -3214,17 +3437,17 @@ The content encoding is not UTF-8.
OpenLP.SpellTextEdit
-
+
-
+
-
+
@@ -3318,191 +3541,197 @@ The content encoding is not UTF-8.
OpenLP.ThemeManager
-
+
-
+
Endre tema
-
+
-
+
Slett tema
-
+
-
+
Importer tema
-
+
-
+
Eksporter tema
-
+
-
+
-
+
-
+
-
+
-
+
-
+
Du kan ikke slette det globale temaet.
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
Filen er ikke et gyldig tema.
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+ Copy of <theme name>
+
+
OpenLP.ThemeWizard
@@ -3746,6 +3975,16 @@ The content encoding is not UTF-8.
+
+
+
+
+
+
+
+
+
+
OpenLP.ThemesTab
@@ -3789,31 +4028,36 @@ The content encoding is not UTF-8.
Bruk det globale temaet, og la det overstyre eventuelle tema som er tilknyttet møteplaner eller sanger.
+
+
+
+
+
OpenLP.Ui
-
+
Feil
-
+
&Slett
-
+
-
+
-
+
@@ -3838,20 +4082,15 @@ The content encoding is not UTF-8.
-
+
&Rediger
-
+
-
-
-
-
-
@@ -3878,42 +4117,47 @@ The content encoding is not UTF-8.
OpenLP 2.0
-
+
+
+ Åpne møteplan
+
+
+
Forhåndsvisning
-
+
-
+
-
+
-
+
-
+
-
+
-
+
Topp
@@ -3948,23 +4192,23 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
Abbreviated font pointsize unit
pt
-
+
Bilde
@@ -4008,45 +4252,45 @@ The content encoding is not UTF-8.
-
+
The abbreviated unit for seconds
s
-
+
-
+
Søk
-
+
-
+
-
+
Singular
Tema
-
+
Plural
-
+
@@ -4112,12 +4356,12 @@ The content encoding is not UTF-8.
-
+
Velkommen til bibelimporterings-veilederen
-
+
@@ -4174,38 +4418,38 @@ The content encoding is not UTF-8.
Emne
-
+
Kontinuerlig
-
+
-
+
Visningstil:
-
+
-
+
-
+
The abbreviated unit for hours
-
+
@@ -4226,37 +4470,37 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
Vers pr side
-
+
Vers pr linje
-
+
-
+
-
+
@@ -4271,12 +4515,12 @@ The content encoding is not UTF-8.
-
+
-
+
@@ -4286,36 +4530,53 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
-
-
- OpenLP.displayTagDialog
-
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
@@ -4373,52 +4634,52 @@ The content encoding is not UTF-8.
PresentationPlugin.MediaItem
-
+
Velg presentasjon(er)
-
+
Automatisk
-
+
Presenter ved hjelp av:
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -4470,12 +4731,12 @@ The content encoding is not UTF-8.
RemotePlugin.Mobile
-
+
-
+
@@ -4485,80 +4746,80 @@ The content encoding is not UTF-8.
-
+
-
+
Varsler
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
-
-
-
-
-
+
-
+
+
+
+
+
+
RemotePlugin.RemoteTab
@@ -4591,68 +4852,78 @@ The content encoding is not UTF-8.
SongUsagePlugin
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
name singular
-
+
name plural
-
+
container title
-
+
+
+
+
+
+
+
+
+
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4960,190 +5231,197 @@ The encoding is responsible for the correct character representation.
SongsPlugin.EasyWorshipSongImport
-
+
+
+
+
+
+
SongsPlugin.EditSongForm
-
+
Sangredigeringsverktøy
-
+
&Tittel:
-
+
-
+
-
+
-
+
Rediger alle
-
+
Tittel && Sangtekst
-
+
-
+
&Fjern
-
+
-
+
-
+
&Fjern
-
+
Bok:
-
+
-
+
-
+
-
+
Copyright-informasjon
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -5174,82 +5452,82 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ExportWizardForm
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -5257,7 +5535,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ImportWizardForm
-
+
@@ -5302,42 +5580,42 @@ The encoding is responsible for the correct character representation.
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -5365,32 +5643,27 @@ The encoding is responsible for the correct character representation.
SongsPlugin.MediaItem
-
+
Titler
-
+
-
-
-
-
-
-
+
-
+
-
+
@@ -5398,15 +5671,21 @@ The encoding is responsible for the correct character representation.
-
+
+
+
+
+ For song cloning
+
+
SongsPlugin.OpenLP1SongImport
-
+
@@ -5422,7 +5701,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.OpenLyricsExport
-
+
@@ -5453,12 +5732,12 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongExportForm
-
+
-
+
@@ -5466,27 +5745,27 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImport
-
+
-
+
-
+
-
+
-
+
@@ -5494,7 +5773,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImportForm
-
+
@@ -5691,12 +5970,4 @@ The encoding is responsible for the correct character representation.
Annet
-
- ThemeTab
-
-
-
-
-
-
diff --git a/resources/i18n/nl.ts b/resources/i18n/nl.ts
index 38826c175..dfea10929 100644
--- a/resources/i18n/nl.ts
+++ b/resources/i18n/nl.ts
@@ -1,29 +1,29 @@
-
+
AlertPlugin.AlertForm
- U heeft geen parameter opgegeven die vervangen moeten worden
+ U heeft geen parameter opgegeven die vervangen moeten worden
Toch doorgaan?
- geen parameters gevonden
+ geen parameters gevonden
- niet gevonden
+ niet gevonden
- De waarschuwing bevat geen '<>'.
+ De waarschuwing bevat geen '<>'.
Toch doorgaan?
@@ -42,7 +42,7 @@ Toch doorgaan?
- <strong>Waarschuwing Plugin</strong><br />Deze plugin regelt de weergave van waarschuwingen op het scherm
+ <strong>Waarschuwing Plugin</strong><br />Deze plugin regelt de weergave van waarschuwingen op het scherm
@@ -62,6 +62,11 @@ Toch doorgaan?
container title
Waarschuwingen
+
+
+
+
+
AlertsPlugin.AlertForm
@@ -110,6 +115,30 @@ Toch doorgaan?
&Parameter:
+
+
+
+ geen parameters gevonden
+
+
+
+
+ U heeft geen parameter opgegeven die vervangen moeten worden
+Toch doorgaan?
+
+
+
+
+ niet gevonden
+
+
+
+
+ De waarschuwing bevat geen '<>'.
+Toch doorgaan?
+
AlertsPlugin.AlertsManager
@@ -124,7 +153,7 @@ Toch doorgaan?
- Font
+ Lettertype
@@ -157,18 +186,18 @@ Toch doorgaan?
- Importeren bijbelboeken... %s
+ Importeren bijbelboeken... %s
Importing verses from <book name>...
- Importeren bijbelverzen uit %s...
+ Importeren bijbelverzen uit %s...
- Importeren bijbelverzen... klaar.
+ Importeren bijbelverzen... klaar.
@@ -176,12 +205,17 @@ Toch doorgaan?
- &Upgrade oude bijbels
+ &Upgrade oude bijbels
+
+
+
+
+ Upgrade de bijbel databases naar meest recente indeling
- Upgrade de bijbel databases naar de meest recente indeling.
+ Upgrade de bijbel databases naar de meest recente indeling.
@@ -189,22 +223,22 @@ Toch doorgaan?
- Download fout
+ Download fout
- Verwerkingsfout
+ Verwerkingsfout
- Er ging iets mis bij het downloaden van de bijbelverzen. Controleer uw internet verbinding (open bijv. een pagina in de internetbrowser). Als dit probleem zich blijft herhalen is er misschien sprake van een bug.
+ Er ging iets mis bij het downloaden van de bijbelverzen. Controleer uw internet verbinding (open bijv. een pagina in de internetbrowser). Als dit probleem zich blijft herhalen is er misschien sprake van een bug.
- Er ging iets mis bij het uitpakken van de bijbelverzen. Als dit probleem zich blijft herhalen is er misschien sprake van een bug.
+ Er ging iets mis bij het uitpakken van de bijbelverzen. Als dit probleem zich blijft herhalen is er misschien sprake van een bug.
@@ -212,22 +246,27 @@ Toch doorgaan?
- Bijbel niet geheel geladen.
+ Bijbel niet geheel geladen.
- Enkele en dubbele bijbelvers zoekresultaten kunnen niet gecombineerd worden. Resultaten wissen en opnieuw beginnen?
+ Enkele en dubbele bijbelvers zoekresultaten kunnen niet gecombineerd worden. Resultaten wissen en opnieuw beginnen?
- Informatie
+ Informatie
+
+
+
+
+ De tweede bijbelvertaling bevat niet alle verzen die in de eerste bijbelvertaling staan. Alleen de verzen die in beide vertalingen voorkomen worden getoond. %d verzen zijn niet opgenomen in de resultaten.
- De tweede bijbelvertaling bevat niet alle verzen die in de eerste bijbelvertaling staan. Alleen de verzen die in beide vertalingen voorkomen worden getoond. %d verzen zijn niet opgenomen in de resultaten.
+ De tweede bijbelvertaling bevat niet alle verzen die in de eerste bijbelvertaling staan. Alleen de verzen die in beide vertalingen voorkomen worden getoond. %d verzen zijn niet opgenomen in de resultaten.
@@ -256,12 +295,12 @@ Toch doorgaan?
Bijbelteksten
-
+
Geen bijbelboek gevonden
-
+
Er kon geen bijbelboek met die naam gevonden worden. Controleer de spelling.
@@ -305,38 +344,48 @@ Toch doorgaan?
<strong>Bijbel Plugin</strong><br />De Bijbel plugin voorziet in de mogelijkheid bijbelteksten uit verschillende bronnen weer te geven tijdens de dienst.
+
+
+
+ &Upgrade oude bijbels
+
+
+
+
+ Upgrade de bijbel databases naar de meest recente indeling.
+
BiblesPlugin.BibleManager
-
+
Fouten in schriftverwijzingen
-
+
Online bijbels kunnen niet worden gebruikt
-
+
In online bijbels kunt u niet zoeken op tekst.
-
+
Geen zoekterm opgegeven.
Woorden met een spatie ertussen betekent zoeken naar alle woorden, Woorden met een komma ertussen betekent zoeken naar de afzonderlijke woorden.
-
+
Er zijn geen bijbels geïnstalleerd. Gebruik de Import assistent om een of meerdere bijbels te installeren.
-
+
-
+
Geen bijbels beschikbaar
@@ -461,189 +510,228 @@ Deze wijzigingen hebben geen betrekking op bijbelverzen die al in de liturgie zi
Geef een boek op.
+
+ BiblesPlugin.CSVBible
+
+
+
+ Importeren bijbelboeken... %s
+
+
+
+
+ Importing verses from <book name>...
+ Importeren bijbelverzen uit %s...
+
+
+
+
+ Importeren bijbelverzen... klaar.
+
+
BiblesPlugin.HTTPBible
-
+
Registreer Bijbel en laad de boeken...
-
+
Registreer de taal...
-
+
Importing <book name>...
Importeer "%s"...
+
+
+
+ Download fout
+
+
+
+
+ Er ging iets mis bij het downloaden van de bijbelverzen. Controleer uw internet verbinding (open bijv. een pagina in de internetbrowser). Als dit probleem zich blijft herhalen is er misschien sprake van een bug.
+
+
+
+
+ Verwerkingsfout
+
+
+
+
+ Er ging iets mis bij het uitpakken van de bijbelverzen. Als dit probleem zich blijft herhalen is er misschien sprake van een bug.
+
BiblesPlugin.ImportWizardForm
-
+
Bijbel Import Assistent
-
+
Deze Assistent helpt u bijbels van verschillende bestandsformaten te importeren. Om de Assistent te starten klikt op volgende.
-
+
Onlinebijbel
-
+
Locatie:
-
+
Crosswalk
-
+
BibleGateway
-
+
Bijbelvertaling:
-
+
Download opties
-
+
Server:
-
+
Gebruikersnaam:
-
+
Wachtwoord:
-
+
Proxy-Server (optioneel)
-
+
Licentiedetails
-
+
Geef aan welke licentievoorwaarden gelden voor deze bijbelvertaling.
-
+
Copyright:
-
+
Even geduld. De bijbelvertaling wordt geïmporteerd.
-
+
Er moet een bestand met beschikbare bijbelboeken opgegeven worden.
-
+
Er moet een bestand met bijbelverzen opgegeven worden.
-
+
Geef de naam van de bijbelvertaling op.
-
+
Deze bijbelvertaling bestaat reeds
-
+
Het importeren is mislukt.
-
+
Bijbeluitgave:
-
+
Copyright moet opgegeven worden. Bijbels in het publieke domein moeten als zodanig gemarkeerd worden.
-
+
Deze bijbel bestaat reeds. Geef een andere naam of verwijder eerst het bestaande exemplaar.
-
+
Rechten:
-
+
CSV bestand
-
+
Bibleserver.com
-
+
Bijbel bestand:
-
+
Bijbelboeken bestand:
-
+
Bijbelverzen bestand:
-
+
openlp.org 1.x bijbel bestanden
-
+
Registreer Bijbel...
-
+
Bijbel geregistreerd. Let op, de bijbelverzen worden gedownload
@@ -671,7 +759,7 @@ indien nodig en een internetverbinding is dus noodzakelijk.
BiblesPlugin.LanguageForm
-
+
Geef een taal op.
@@ -679,60 +767,80 @@ indien nodig en een internetverbinding is dus noodzakelijk.
BiblesPlugin.MediaItem
-
+
Snelzoeken
-
+
Vind:
-
+
Boek:
-
+
Hoofdstuk:
-
+
Vers:
-
+
Van:
-
+
Tot:
-
+
Zoek op tekst
-
+
Tweede:
-
+
Schriftverwijzing
-
+
Zoekresultaten wel / niet behouden.
+
+
+
+ Enkele en dubbele bijbelvers zoekresultaten kunnen niet gecombineerd worden. Resultaten wissen en opnieuw beginnen?
+
+
+
+
+ Bijbel niet geheel geladen.
+
+
+
+
+ Informatie
+
+
+
+
+ De tweede bijbelvertaling bevat niet alle verzen die in de eerste bijbelvertaling staan. Alleen de verzen die in beide vertalingen voorkomen worden getoond. %d verzen zijn niet opgenomen in de resultaten.
+
BiblesPlugin.Opensong
@@ -760,148 +868,181 @@ indien nodig en een internetverbinding is dus noodzakelijk.
BiblesPlugin.UpgradeWizardForm
-
+
Selecteer Backup map
-
+
Bijbel Upgrade Assistent
-
+
Deze Assistent helpt u bestaande bijbels op te waarderen van een eerdere indeling van OpenLP 2. Om de Assistent te starten klikt op volgende.
-
+
Selecteer Backup map
-
+
Selecteer een map om de backup van uw bijbel in op te slaan
-
+
Eerdere versies van OpenLP 2.0 kunnen de nieuwe bijbelbestanden niet lezen. De assistent maakt een backup van uw huidige bestanden zodat u eenvoudig de bijbels terug kunt zetten in de OpenLP data-map voor het geval u met een oude versie van OpenLP moet werken. Instructies hoe de oorspronkelijke bestanden te herstellen staan in de <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>(engelstalig).
-
+
Selecteer een map om de backup van uw bijbel in op te slaan.
-
+
Backup map:
-
+
Er hoeft geen Backup gemaakt te worden
-
+
Selecteer bijbels
-
+
Selecteer de bijbels om op te waarderen
-
+
- Bijbeluitgave:
+ Bijbeluitgave:
-
+
- Deze bijbel bestaat al. Verander de naam of deselecteer.
+ Deze bijbel bestaat al. Verander de naam of deselecteer.
-
+
Opwaarderen
-
+
Even geduld. De bijbels worden opgewaardeerd.
- Selecteer een map om de backup van uw bijbels in op te slaan.
+ Selecteer een map om de backup van uw bijbels in op te slaan.
-
+
+
+ De backup is mislukt.
+Om de bijbels te backuppen moet de map beschrijfbaar zijn. Als u schrijfrechten heeft voor de map en de fout komt nog steeds voor, rapporteer een bug.
+
+
+
- Geef de naam van de bijbelvertaling op.
+ Geef de naam van de bijbelvertaling op.
-
+
- Deze bijbelvertaling bestaat reeds
+ Deze bijbelvertaling bestaat reeds
-
+
- Deze bijbel bestaat reeds. Geef een andere naam of verwijder eerst het bestaande exemplaar of deselecteer.
+ Deze bijbel bestaat reeds. Geef een andere naam of verwijder eerst het bestaande exemplaar of deselecteer.
+
+
+
+
+ Begin opwaarderen bijbel(s)...
- Er zijn geen op te waarderen bijbels beschikbaar.
+ Er zijn geen op te waarderen bijbels beschikbaar.
-
+
Opwaarderen Bijbel %s van %s: "%s"
Faal
-
+
Opwaarderen Bijbel %s van %s: "%s"
Opwaarderen ...
-
+
Download fout
-
+
+
+ Om online bijbels op te waarderen is een internetverbinding nodig. Controleer uw internet verbinding (open bijv. een pagina in de internetbrowser). Als dit probleem zich blijft herhalen is er misschien sprake van een bug.
+
+
+
Opwaarderen Bijbel %s van %s: "%s"
Opwaarderen %s ...
-
+
+
+ Opwaarderen Bijbel %s van %s: "%s"
+Klaar
+
+
+
, %s mislukt
-
+
+
+ Opwaarderen Bijbel(s): %s gelukt%s
+Let op, de bijbelverzen worden gedownload
+indien nodig en een internetverbinding is dus noodzakelijk.
+
+
+
Opwaarderen Bijbel(s): %s gelukt%s
-
+
Opwaarderen mislukt.
-
+
De backup is mislukt.
@@ -910,30 +1051,50 @@ Om bijbels op te waarderen moet de map beschrijfbaar zijn..
- Begin opwaarderen bijbel...
+ Begin opwaarderen bijbel...
-
+
Om online bijbels op te waarderen is een internet verbinding noodzakelijk.
-
+
Opwaarderen Bijbel %s van %s: "%s"
Klaar
-
+
Opwaarderen Bijbel(s): %s gelukt%s
Let op, de bijbelverzen worden gedownload indien nodig en een internetverbinding is dus noodzakelijk.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
CustomPlugin
+
+
+
+ <strong>Custom plugin</strong><br />De custom plugin voorziet in mogelijkheden aangepaste tekst weer te geven op dezelfde manier als liederen. Deze plugin voorziet in meer mogelijkheden dan de Lied plugin.
+
@@ -1023,6 +1184,11 @@ Let op, de bijbelverzen worden gedownload indien nodig en een internetverbinding
&Titel:
+
+
+
+ Dia splitsen
+
@@ -1054,12 +1220,12 @@ Let op, de bijbelverzen worden gedownload indien nodig en een internetverbinding
Dia doormidden delen door een dia 'splitter' in te voegen.
-
+
Geef een titel op.
-
+
Minstens een dia invoegen
@@ -1068,18 +1234,95 @@ Let op, de bijbelverzen worden gedownload indien nodig en een internetverbinding
&Alles bewerken
+
+
+
+ Dia opdelen als de inhoud niet op een dia past.
+
Invoegen dia
+
+ CustomPlugin.MediaItem
+
+
+
+
+
+
+
+
+
+
+ CustomsPlugin
+
+
+
+ name singular
+ Sonderfolien
+
+
+
+
+ name plural
+ Aangepaste dia's
+
+
+
+
+ container title
+ Aangepaste dia
+
+
+
+
+ Aangepaste dia laden.
+
+
+
+
+ Aangepaste dia importeren.
+
+
+
+
+ Aangepaste dia toevoegen.
+
+
+
+
+ Geselecteerde dia bewerken.
+
+
+
+
+ Geselecteerde aangepaste dia verwijderen.
+
+
+
+
+ Bekijk voorbeeld aangepaste dia.
+
+
+
+
+ Bekijk aangepaste dia live.
+
+
+
+
+ Aangepaste dia aan liturgie toevoegen.
+
+
GeneralTab
- Algemeen
+ Algemeen
@@ -1107,6 +1350,41 @@ Let op, de bijbelverzen worden gedownload indien nodig en een internetverbinding
container title
Afbeeldingen
+
+
+
+ Afbeelding laden.
+
+
+
+
+ Afbeelding toevoegen.
+
+
+
+
+ Afbeelding bewerken.
+
+
+
+
+ Geselecteerde afbeeldingen wissen.
+
+
+
+
+ Geselecteerde afbeeldingen voorbeeld bekijken.
+
+
+
+
+ Geselecteerde afbeeldingen Live tonen.
+
+
+
+
+ Geselecteerde afbeeldingen aan liturgie toevoegen.
+
@@ -1154,42 +1432,47 @@ Let op, de bijbelverzen worden gedownload indien nodig en een internetverbinding
ImagePlugin.MediaItem
-
+
Selecteer afbeelding(en)
-
+
Selecteer een afbeelding om te verwijderen.
-
+
Selecteer een afbeelding om de achtergrond te vervangen.
-
+
Ontbrekende afbeelding(en)
-
+
De volgende afbeelding(en) ontbreken: %s
-
+
De volgende afbeelding(en) ontbreken: %s
De andere afbeeldingen alsnog toevoegen?
-
+
Achtergrond kan niet vervangen worden, omdat de afbeelding "%s" ontbreekt.
+
+
+
+
+
MediaPlugin
@@ -1216,6 +1499,41 @@ De andere afbeeldingen alsnog toevoegen?
container title
Media
+
+
+
+ Laad nieuw media bestand.
+
+
+
+
+ Voeg nieuwe media toe.
+
+
+
+
+ Bewerk geselecteerd media bestand.
+
+
+
+
+ Verwijder geselecteerd media bestand.
+
+
+
+
+ Toon voorbeeld van geselecteerd media bestand.
+
+
+
+
+ Toon geselecteerd media bestand Live.
+
+
+
+
+ Voeg geselecteerd media bestand aan liturgie toe.
+
@@ -1255,40 +1573,45 @@ De andere afbeeldingen alsnog toevoegen?
MediaPlugin.MediaItem
-
+
Secteer media bestand
-
+
Selecteer een media bestand om te verwijderen.
-
+
Ontbrekend media bestand
-
+
Media bestand %s bestaat niet meer.
-
+
Selecteer een media bestand om de achtergrond mee te vervangen.
-
+
Probleem met het vervangen van de achtergrond, omdat het bestand "%s" niet meer bestaat.
-
+
Video’s (%s);;Audio (%s);;%s (*)
+
+
+
+
+
MediaPlugin.MediaTab
@@ -1306,7 +1629,7 @@ De andere afbeeldingen alsnog toevoegen?
OpenLP
-
+
Afbeeldingsbestanden
@@ -1600,82 +1923,87 @@ Portions copyright © 2004-2011 %s
OpenLP.DisplayTagDialog
-
+
- Bewerk selectie
+ Bewerk selectie
-
+
- Omschrijving
+ Omschrijving
+
+
+
+
+ Tag
+
+
+
+
+ Start tag
-
- Tag
-
-
-
-
- Start tag
-
-
-
- Eind tag
+ Eind tag
-
+
- Tag Id
+ Tag Id
-
+
- Start HTML
+ Start HTML
-
+
- Eind HTML
+ Eind HTML
-
+
- Opslaan
+ Opslaan
OpenLP.DisplayTagTab
-
+
- Update Fout
+ Update Fout
- Tag "n" bestaat al.
+ Tag "n" bestaat al.
-
+
- Tag %s bestaat al.
+ Tag %s bestaat al.
- Nieuwe tag
+ Nieuwe tag
+
+
+
+
+ <Html_here>
- </and here>
+ </and here>
- <HTML here>
+ <HTML here>
@@ -1683,82 +2011,82 @@ Portions copyright © 2004-2011 %s
- Rood
+ Rood
- Zwart
+ Zwart
- Blauw
+ Blauw
- Geel
+ Geel
- Groen
+ Groen
- Roze
+ Roze
- Oranje
+ Oranje
- Paars
+ Paars
- Wit
+ Wit
- Superscript
+ Superscript
- Subscript
+ Subscript
- Paragraaf
+ Paragraaf
- Vet
+ Vet
- Cursief
+ Cursief
- Onderstreept
+ Onderstreept
- Breek af
+ Breek af
@@ -1929,12 +2257,12 @@ Schrijf in het Engels, omdat de meeste programmeurs geen Nederlands spreken.
Downloaden %s...
-
+
Download compleet. Klik op afrond om OpenLP te starten.
-
+
Geselecteerde plugins inschakelen...
@@ -1966,7 +2294,7 @@ Schrijf in het Engels, omdat de meeste programmeurs geen Nederlands spreken.
- Aangepaste tekst
+ Aangepaste tekst
@@ -2066,6 +2394,16 @@ Om deze assistent over te slaan, klik op klaar.
Stel standaardinstellingen in voor OpenLP.
+
+
+
+ Instellen en importeren
+
+
+
+
+ Even geduld terwijl OpenLP de gegevens importeert.
+
@@ -2087,25 +2425,209 @@ Om deze assistent over te slaan, klik op klaar.
Deze assistent helpt u bij het instellen van OpenLP voor het eerste gebruik. Klik op volgende om te beginnen.
-
+
Instellen en downloaden
-
+
Even geduld terwijl OpenLP ingesteld wordt en de voorbeeldgegevens worden gedownload.
-
+
Instellen
-
+
Klik op afronden om OpenLP te starten.
+
+
+
+ Aangepaste dia’s
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTagDialog
+
+
+
+
+
+
+
+
+ Bewerk selectie
+
+
+
+
+ Opslaan
+
+
+
+
+ Omschrijving
+
+
+
+
+ Tag
+
+
+
+
+ Start tag
+
+
+
+
+ Eind tag
+
+
+
+
+ Tag Id
+
+
+
+
+ Start HTML
+
+
+
+
+ Eind HTML
+
+
+
+ OpenLP.FormattingTagForm
+
+
+
+ Update Fout
+
+
+
+
+ Tag "n" bestaat al.
+
+
+
+
+ Nieuwe tag
+
+
+
+
+ <HTML here>
+
+
+
+
+ </and here>
+
+
+
+
+ Tag %s bestaat al.
+
+
+
+ OpenLP.FormattingTags
+
+
+
+ Rood
+
+
+
+
+ Zwart
+
+
+
+
+ Blauw
+
+
+
+
+ Geel
+
+
+
+
+ Groen
+
+
+
+
+ Roze
+
+
+
+
+ Oranje
+
+
+
+
+ Paars
+
+
+
+
+ Wit
+
+
+
+
+ Superscript
+
+
+
+
+ Subscript
+
+
+
+
+ Paragraaf
+
+
+
+
+ Vet
+
+
+
+
+ Cursief
+
+
+
+
+ Onderstreept
+
+
+
+
+ Breek af
+
OpenLP.GeneralTab
@@ -2251,7 +2773,7 @@ Om deze assistent over te slaan, klik op klaar.
OpenLP.MainDisplay
-
+
OpenLP Weergave
@@ -2259,307 +2781,307 @@ Om deze assistent over te slaan, klik op klaar.
OpenLP.MainWindow
-
+
&Bestand
-
+
&Importeren
-
+
&Exporteren
-
+
&Weergave
-
+
M&odus
-
+
&Hulpmiddelen
-
+
&Instellingen
-
+
Taa&l
-
+
&Help
-
+
Mediabeheer
-
+
Liturgie beheer
-
+
Thema beheer
-
+
&Nieuw
-
+
&Open
-
+
Open een bestaande liturgie.
-
+
Op&slaan
-
+
Deze liturgie opslaan.
-
+
Opslaan &als...
-
+
Liturgie opslaan als
-
+
Deze liturgie onder een andere naam opslaan.
-
+
&Afsluiten
-
+
OpenLP afsluiten
-
+
&Thema
-
+
&Instellingen...
-
+
&Media beheer
-
+
Media beheer wel / niet tonen
-
+
Media beheer wel / niet tonen.
-
+
&Thema beheer
-
+
Thema beheer wel / niet tonen
-
+
Thema beheer wel / niet tonen.
-
+
&Liturgie beheer
-
+
Liturgie beheer wel / niet tonen
-
+
Liturgie beheer wel / niet tonen.
-
+
&Voorbeeld
-
+
Voorbeeld wel / niet tonen
-
+
Voorbeeld wel / niet tonen.
-
+
&Live venster
-
+
Live venster wel / niet tonen
-
+
Live venster wel / niet tonen.
-
+
&Plugin Lijst
-
+
Lijst met plugins =uitbreidingen van OpenLP
-
+
Gebr&uikshandleiding
-
+
&Over OpenLP
-
+
Meer Informatie over OpenLP
-
+
&Online help
-
+
&Website
-
+
Gebruik systeem standaardtaal, indien mogelijk.
-
+
%s als taal in OpenLP gebruiken
-
+
Hulpprogramma &toevoegen...
-
+
Voeg een hulpprogramma toe aan de lijst.
-
+
&Standaard
-
+
Terug naar de standaard weergave modus.
-
+
&Setup
-
+
Weergave modus naar Setup.
-
+
&Live
-
+
Weergave modus naar Live.
-
+
Nieuwe OpenLP versie beschikbaar
-
+
OpenLP projectie op zwart
-
+
Projectie is uitgeschakeld: scherm staat op zwart
-
+
Standaardthema: %s
-
+
@@ -2574,55 +3096,113 @@ U kunt de laatste versie op http://openlp.org/ downloaden.
Nederlands
-
+
&Sneltoetsen instellen...
-
+
OpenLP afsluiten
-
+
OpenLP afsluiten?
-
+
+
+ Druk de huidige liturgie af.
+
+
+
Open &Data map...
-
+
Open de map waar liederen, bijbels en andere data staat.
-
+
- &Configureer Weergave Tags
+ &Configureer Weergave Tags
-
+
&Autodetecteer
-
+
Thema afbeeldingen opwaarderen
-
+
Voorbeeld afbeeldingen opwaarderen voor alle thema’s.
-
+
Druk de huidige liturgie af.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Clear List of recent files
+
+
+
+
+
+
+
OpenLP.MediaManagerItem
@@ -2632,57 +3212,85 @@ U kunt de laatste versie op http://openlp.org/ downloaden.
Niets geselecteerd
-
+
&Voeg selectie toe aan de liturgie
-
+
Selecteer een of meerdere onderdelen om voorbeeld te laten zien.
-
+
Selecteer een of meerdere onderdelen om Live te tonen.
-
+
Selecteer een of meerdere onderdelen.
-
+
Selecteer een liturgie om deze onderdelen aan toe te voegen.
-
+
Ongeldige Liturgie onderdeel
-
+
Selecteer een %s liturgie onderdeel.
-
+
+
+ Dubbele bestandsnaam %s.
+Deze bestandsnaam staat als in de lijst
+
+
+
Selecteer een of meerdere onderdelen om toe te voegen.
-
+
Niets gevonden
-
+
- Dubbele bestandsnaam %s.
+ Dubbele bestandsnaam %s.
Deze bestandsnaam staat al in de lijst
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.PluginForm
@@ -2730,12 +3338,12 @@ Deze bestandsnaam staat al in de lijst
OpenLP.PrintServiceDialog
-
+
Passend hele pagina
-
+
Passend pagina breedte
@@ -2743,70 +3351,90 @@ Deze bestandsnaam staat al in de lijst
OpenLP.PrintServiceForm
-
+
Opties
- Sluiten
+ Sluiten
-
+
Kopieer
-
+
Kopieer als HTML
-
+
Inzoomen
-
+
Uitzoomen
-
+
Werkelijke grootte
-
+
Overige opties
-
+
Inclusief dia tekst indien beschikbaar
-
+
Inclusief liturgie opmerkingen
-
+
Inclusief afspeellengte van media items
-
+
+
+ Orde van dienst afdruk
+
+
+
Voeg een pagina-einde toe voor elke tekst item
-
+
Liturgie blad
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ScreenList
@@ -2821,10 +3449,23 @@ Deze bestandsnaam staat al in de lijst
primair scherm
+
+ OpenLP.ServiceItem
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceItemEditForm
-
+
Liturgie onderdelen herschikken
@@ -2832,257 +3473,277 @@ Deze bestandsnaam staat al in de lijst
OpenLP.ServiceManager
-
+
Bovenaan plaa&tsen
-
+
Plaats dit onderdeel bovenaan.
-
+
Naar b&oven
-
+
Verplaats een plek naar boven.
-
+
Naar bene&den
-
+
Verplaats een plek naar beneden.
-
+
Onderaan &plaatsen
-
+
Plaats dit onderdeel onderaan.
-
+
Verwij&deren uit de liturgie
-
+
Verwijder dit onderdeel uit de liturgie.
-
+
&Voeg toe
-
+
&Voeg selectie toe
-
+
B&ewerk onderdeel
-
+
He&rschik onderdeel
-
+
Aa&ntekeningen
-
+
&Wijzig onderdeel thema
-
+
Geen geldig liturgie bestand.
Tekst codering is geen UTF-8.
-
+
Geen geldig liturgie bestand.
-
+
Ontbrekende weergave regelaar
-
+
Dit onderdeel kan niet weergegeven worden, omdat er een regelaar ontbreekt
-
+
Dit onderdeel kan niet weergegeven worden omdat de benodigde plugin ontbreekt of inactief is
-
+
Alles &uitklappen
-
+
Alle liturgie onderdelen uitklappen.
-
+
Alles &inklappen
-
+
Alle liturgie onderdelen inklappen.
-
+
Open bestand
-
+
OpenLP liturgie bestanden (*.osz)
-
+
Verplaatst de selectie naar boven.
-
+
Naar boven
-
+
Ga Live
-
+
Toon selectie Live.
-
+
Verplaatst de selectie naar beneden.
-
+
Gewijzigde liturgie
-
+
&Start Tijd
-
+
Toon &Voorbeeld
-
+
Toon &Live
-
+
De huidige liturgie is gewijzigd. Veranderingen opslaan?
-
+
Bestand kan niet worden geopend omdat het beschadigd is.
-
+
Leeg bestand
-
+
Deze liturgie bevat nog geen gegevens.
-
+
Corrupt bestand
-
+
Aangepaste liturgie kanttekeningen:
-
+
Aantekeningen:
-
+
Speeltijd:
-
+
Liturgie zonder naam
-
+
+
+ Dit bestand is beschadigd of geen OpenLP 2.0 liturgie bestand.
+
+
+
Laad een bestaande liturgie.
-
+
Deze liturgie opslaan.
-
+
Selecteer een thema voor de liturgie.
-
+
Dit bestand is beschadigd of geen OpenLP 2.0 liturgie bestand.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceNoteForm
-
+
Liturgische kanttekeningen
@@ -3100,7 +3761,7 @@ Tekst codering is geen UTF-8.
- Snelkoppelingen aanpassen
+ Snelkoppelingen aanpassen
@@ -3113,12 +3774,12 @@ Tekst codering is geen UTF-8.
snelkoppeling
-
+
Snelkoppelingen dupliceren
-
+
Deze snelkoppeling "%s" wordt al voor iets anders gebruikt. Kies een andere toetscombinatie.
@@ -3153,20 +3814,25 @@ Tekst codering is geen UTF-8.
Herstel de standaard sneltoets voor de actie.
-
+
Herstel standaard sneltoetsen
-
+
Weet u zeker dat u alle standaard sneltoetsen wilt herstellen?
+
+
+
+
+
OpenLP.SlideController
-
+
Verbergen
@@ -3176,27 +3842,27 @@ Tekst codering is geen UTF-8.
Ga naar
-
+
Zwart scherm
-
+
Zwart naar thema
-
+
Toon bureaublad
-
+
Vorige dia
-
+
Volgende dia
@@ -3216,29 +3882,29 @@ Tekst codering is geen UTF-8.
Onderdeel annuleren
-
+
Vorige.
-
+
Volgende.
-
+
Dia’s tonen
- Dia’s doorlopend tonen
+ Dia’s doorlopend tonen
- Dia’s tonen tot eind
+ Dia’s tonen tot eind
@@ -3269,17 +3935,17 @@ Tekst codering is geen UTF-8.
OpenLP.SpellTextEdit
-
+
Spelling suggesties
-
+
Opmaak tags
-
+
Taal:
@@ -3326,6 +3992,16 @@ Tekst codering is geen UTF-8.
Tijd validatie fout
+
+
+
+ Eind tijd is ingesteld tot na het eind van het media item
+
+
+
+
+ Start tijd is ingesteld tot na het eind van het media item
+
@@ -3373,192 +4049,198 @@ Tekst codering is geen UTF-8.
OpenLP.ThemeManager
-
+
Maak een nieuw thema.
-
+
Bewerk thema
-
+
Bewerk een thema.
-
+
Verwijder thema
-
+
Verwijder thema.
-
+
Importeer thema
-
+
Importeer thema.
-
+
Exporteer thema
-
+
Exporteer thema.
-
+
B&ewerk thema
-
+
Verwij&der thema
-
+
Instellen als al&gemene standaard
-
+
%s (standaard)
-
+
Selecteer een thema om te bewerken.
-
+
Het standaard thema kan niet worden verwijderd.
-
+
Selecteer een thema.
-
+
Thema opslaan - (%s)
-
+
Thema geëxporteerd
-
+
Exporteren thema is gelukt.
-
+
Exporteren thema is mislukt
-
+
Thema kan niet worden geëxporteerd als gevolg van een fout.
-
+
Selecteer te importeren thema bestand
-
+
Geen geldig thema bestand.
Tekst codering is geen UTF-8.
-
+
Geen geldig thema bestand.
-
+
Thema %s wordt gebruikt in de %s plugin.
-
+
&Kopieer thema
-
+
He&rnoem thema
-
+
&Exporteer thema
-
+
Selecteer een thema om te hernoemen.
-
+
Bevestig hernoemen
-
+
%s thema hernoemen?
-
+
Selecteer een thema om te verwijderen.
-
+
Bevestig verwijderen
-
+
%s thema verwijderen?
-
+
Validatie fout
-
+
Er bestaat al een thema met deze naam.
-
+
OpenLP Thema's (*.theme *.otz)
+
+
+
+ Copy of <theme name>
+
+
OpenLP.ThemeWizard
@@ -3802,6 +4484,16 @@ Tekst codering is geen UTF-8.
Bewerk thema - %s
+
+
+
+
+
+
+
+
+
+
OpenLP.ThemesTab
@@ -3845,31 +4537,36 @@ Tekst codering is geen UTF-8.
Gebruik het globale thema en negeer alle thema's van de liturgie of de afzonderlijke liederen.
+
+
+
+
+
OpenLP.Ui
-
+
Fout
-
+
Verwij&deren
-
+
Verwijder het geselecteerde item.
-
+
Verplaats selectie een plek naar boven.
-
+
Verplaats selectie een plek naar beneden.
@@ -3894,19 +4591,19 @@ Tekst codering is geen UTF-8.
Maak nieuwe liturgie.
-
+
&Bewerken
-
+
Importeren
- Lengte %s
+ Lengte %s
@@ -3934,42 +4631,57 @@ Tekst codering is geen UTF-8.
OpenLP 2.0
-
+
+
+ Open liturgie
+
+
+
Voorbeeld
-
+
Vervang achtergrond
-
+
+
+ Vervang Live achtergrond
+
+
+
Herstel achtergrond
-
+
+
+ Herstel Live achtergrond
+
+
+
Liturgie opslaan
-
+
Liturgie
-
+
Start %s
-
+
&Verticaal uitlijnen:
-
+
Boven
@@ -4004,23 +4716,23 @@ Tekst codering is geen UTF-8.
CCLI nummer:
-
+
Wis veld
-
+
Exporteren
-
+
Abbreviated font pointsize unit
pt
-
+
Afbeelding
@@ -4029,6 +4741,11 @@ Tekst codering is geen UTF-8.
Live achtergrond fout
+
+
+
+ Live Panel
+
@@ -4064,45 +4781,55 @@ Tekst codering is geen UTF-8.
openlp.org 1.x
-
+
+
+ Voorbeeld Panel
+
+
+
+
+ Liturgie afdrukken
+
+
+
The abbreviated unit for seconds
s
-
+
Opslaan && voorbeeld bekijken
-
+
Zoek
-
+
Selecteer een item om te verwijderen.
-
+
Selecteer iets om te bewerken.
-
+
Singular
Thema
-
+
Plural
Thema's
-
+
Versie
@@ -4168,12 +4895,12 @@ Tekst codering is geen UTF-8.
Selecteer minstens een %s bestand om te importeren.
-
+
Welkom bij de Bijbel Import Assistent
-
+
Welkom bij de lied export assistent
@@ -4230,38 +4957,38 @@ Tekst codering is geen UTF-8.
Onderwerpen
-
+
Doorlopend
-
+
Standaard
-
+
Weergave stijl:
-
+
Bestand
-
+
Help
-
+
The abbreviated unit for hours
h
-
+
Paginaformaat:
@@ -4282,37 +5009,37 @@ Tekst codering is geen UTF-8.
OpenLP is reeds gestart. Weet u zeker dat u wilt doorgaan?
-
+
Instellingen
-
+
Hulpmiddelen
-
+
Bijbelvers per dia
-
+
Bijbelvers per regel
-
+
Weergave
-
+
Dupliceer fout
-
+
Niet ondersteund bestandsformaat
@@ -4327,12 +5054,12 @@ Tekst codering is geen UTF-8.
XML syntax fout
-
+
Weergave modus
-
+
Welkom bij de Bijbel Opwaardeer Assistent
@@ -4342,37 +5069,62 @@ Tekst codering is geen UTF-8.
Open liturgie.
-
+
Liturgie afdrukken
-
+
Vervang Live achtergrond.
-
+
Herstel Live achtergrond.
-
+
&Splitsen
-
+
Dia opdelen als de inhoud niet op een dia past.
+
+
+
+
+
+
+
+
+ Dia’s doorlopend tonen
+
+
+
+
+ Dia’s tonen tot eind
+
+
+
+
+
+
+
+
+
+
+
OpenLP.displayTagDialog
-
+
- Configureer Weergave Tags
+ Configureer Weergave Tags
@@ -4400,6 +5152,31 @@ Tekst codering is geen UTF-8.
container title
Presentaties
+
+
+
+ Laad nieuwe presentatie.
+
+
+
+
+ Geselecteerde presentatie verwijderen.
+
+
+
+
+ Geef van geselecteerde presentatie voorbeeld weer.
+
+
+
+
+ Geselecteerde presentatie Live.
+
+
+
+
+ Voeg geselecteerde presentatie toe aan de liturgie.
+
@@ -4429,52 +5206,52 @@ Tekst codering is geen UTF-8.
PresentationPlugin.MediaItem
-
+
Selecteer presentatie(s)
-
+
automatisch
-
+
Presenteren met:
-
+
Er bestaat al een presentatie met die naam.
-
+
Bestand bestaat
-
+
Dit soort presentatie wordt niet ondersteund.
-
+
Presentaties (%s)
-
+
Ontbrekende presentatie
-
+
De presentatie %s bestaat niet meer.
-
+
De presentatie %s is niet compleet, herladen aub.
@@ -4526,12 +5303,12 @@ Tekst codering is geen UTF-8.
RemotePlugin.Mobile
-
+
OpenLP 2.0 Remote
-
+
OpenLP 2.0 Podium Weergave
@@ -4541,80 +5318,85 @@ Tekst codering is geen UTF-8.
Liturgie beheer
-
+
Dia regelaar
-
+
Waarschuwingen
-
+
Zoek
-
+
Terug
-
+
Vernieuwen
-
+
Leeg
-
+
Toon
-
+
Vorige
-
+
Volgende
-
+
Tekst
-
+
Toon waarschuwingen
-
+
Ga Live
- Voeg toe aan Liturgie
+ Voeg toe aan Liturgie
-
+
Niets gevonden
-
+
Opties
+
+
+
+
+
RemotePlugin.RemoteTab
@@ -4647,68 +5429,78 @@ Tekst codering is geen UTF-8.
SongUsagePlugin
-
+
&Lied gebruik bijhouden
-
+
Verwij&der gegevens liedgebruik
-
+
Verwijder alle gegevens over lied gebruik tot een bepaalde datum.
-
+
&Extraheer gegevens liedgebruik
-
+
Geneer rapportage liedgebruik.
-
+
Gegevens bijhouden aan|uit
-
+
Gegevens liedgebruik bijhouden aan of uit zetten.
-
+
<strong>Liedgebruik plugin</strong><br />Met deze plugin kunt u bijhouden welke liederen tijdens de vieringen gezongen worden.
-
+
name singular
Liedprotokollierung
-
+
name plural
Liedprotokollierung
-
+
container title
Liedgebruik
-
+
Liedgebruik
+
+
+
+
+
+
+
+
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4941,6 +5733,36 @@ Meestal voldoet de suggestie van OpenLP.
Exporteer liederen met de export assistent.
+
+
+
+ Voeg nieuw lied toe.
+
+
+
+
+ Bewerk geselecteerde lied.
+
+
+
+
+ Verwijder geselecteerde lied.
+
+
+
+
+ Toon voorbeeld geselecteerd lied.
+
+
+
+
+ Toon lied Live.
+
+
+
+
+ Voeg geselecteerde lied toe aan de liturgie.
+
@@ -5021,190 +5843,197 @@ Meestal voldoet de suggestie van OpenLP.
SongsPlugin.EasyWorshipSongImport
-
+
Beheerd door %s
+
+
+
+
+
SongsPlugin.EditSongForm
-
+
Lied bewerker
-
+
&Titel:
-
+
Lied&tekst:
-
+
&Alles bewerken
-
+
Titel && Liedtekst
-
+
Voeg toe &aan lied
-
+
Ve&rwijderen
-
+
Voeg toe &aan lied
-
+
V&erwijderen
-
+
Nieuw &Thema
-
+
Copyright
-
+
Commentaren
-
+
Thema, Copyright && Commentaren
-
+
Voeg auteur toe
-
+
Deze auteur bestaat nog niet, toevoegen?
-
+
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.
-
+
Voeg onderwerp toe
-
+
Dit onderwerp bestaat nog niet, toevoegen?
-
+
Geen geldig onderwerp geselecteerd. Kies een onderwerp uit de lijst of type een nieuw onderwerp en klik op "Nieuw onderwerp toevoegen".
-
+
Voeg boek toe
-
+
Dit liedboek bestaat nog niet, toevoegen?
-
+
Vul de titel van het lied in.
-
+
Vul minstens de tekst van één couplet in.
-
+
Waarschuwing
-
+
De volgorde van de coupletten klopt niet. Er is geen couplet dat overeenkomt met %s. Wel zijn %s beschikbaar.
-
+
U heeft %s nergens in de vers volgorde gebruikt. Weet u zeker dat u dit lied zo wilt opslaan?
-
+
Afwiss&elende titel:
-
+
&Vers volgorde:
-
+
&Beheer auteurs, onderwerpen, liedboeken
-
+
Auteurs, onderwerpen && liedboeken
-
+
Deze auteur staat al in de lijst.
-
+
Dit onderwerp staat al in de lijst.
-
+
Boek:
-
+
Nummer:
-
+
Iemand heeft dit lied geschreven.
-
+
Er moet toch een tekst zijn om te zingen.
@@ -5226,6 +6055,16 @@ Meestal voldoet de suggestie van OpenLP.
&Invoegen
+
+
+
+ &Splitsen
+
+
+
+
+ Dia opdelen als de inhoud niet op een dia past.
+
@@ -5235,82 +6074,82 @@ Meestal voldoet de suggestie van OpenLP.
SongsPlugin.ExportWizardForm
-
+
Lied Exporteer Assistent
-
+
Deze assistent helpt u uw liederen te exporteren naar het openen vrije OpenLyrics worship lied bestand formaat.
-
+
Selecteer liederen
-
+
Deselecteer alles
-
+
Selecteer alles
-
+
Selecteer map
-
+
Map:
-
+
Exporteren
-
+
Even wachten terwijl de liederen worden geëxporteerd.
-
+
Kies minstens een lied om te exporteren.
-
+
Niet opgegeven waar bestand moet worden bewaard
-
+
Start exporteren...
-
+
Selecteer de liederen die u wilt exporteren.
-
+
Geef aan waar het bestand moet worden opgeslagen.
-
+
Selecteer een doelmap
-
+
Selecteer een map waarin de liederen moeten worden bewaard.
@@ -5348,7 +6187,7 @@ Meestal voldoet de suggestie van OpenLP.
Even geduld tijdens het importeren.
-
+
Selecteer Documenten/Presentatie bestanden
@@ -5357,48 +6196,58 @@ Meestal voldoet de suggestie van OpenLP.
Algemeen Document/Presentatie
+
+
+
+ Songs of Fellowship import is uitgeschakeld omdat OpenLP OpenOffice.org niet kan vinden op deze computer.
+
+
+
+
+ Algemeen document/presentatie import is uitgeschakeld omdat OpenLP OpenOffice.org niet kan vinden op deze computer.
+
OpenLyrics import is nog niet gemaakt, maar we hebben het voornemen dit te doen. Hopelijk lukt dit in een volgende versie.
-
+
OpenLP 2.0 Databases
-
+
openlp.org v1.x Databases
-
+
Words Of Worship Lied bestanden
-
+
Songs Of Fellowship lied bestanden
-
+
SongBeamer bestanden
-
+
SongShow Plus lied bestanden
-
+
Selecteer minimaal een document of presentatie om te importeren.
-
+
Foilpresenter lied bestanden
@@ -5426,32 +6275,32 @@ Meestal voldoet de suggestie van OpenLP.
SongsPlugin.MediaItem
-
+
Titels
-
+
Liedtekst
- Wis lied(eren)?
+ Wis lied(eren)?
-
+
CCLI Licentie:
-
+
Gehele lied
-
+
Weet u zeker dat u dit %n lied wilt verwijderen?
@@ -5459,15 +6308,21 @@ Meestal voldoet de suggestie van OpenLP.
-
+
Beheer de lijst met auteurs, onderwerpen en liedboeken.
+
+
+
+ For song cloning
+
+
SongsPlugin.OpenLP1SongImport
-
+
Geen geldige openlp.org v1.x lied database.
@@ -5483,7 +6338,7 @@ Meestal voldoet de suggestie van OpenLP.
SongsPlugin.OpenLyricsExport
-
+
Exporteren "%s"...
@@ -5514,12 +6369,12 @@ Meestal voldoet de suggestie van OpenLP.
SongsPlugin.SongExportForm
-
+
Exporteren afgerond.
-
+
Liederen export is mislukt.
@@ -5527,27 +6382,32 @@ Meestal voldoet de suggestie van OpenLP.
SongsPlugin.SongImport
-
+
copyright
-
+
De volgende liederen konden niet worden geïmporteerd:
-
+
+
+ Kan OpenOffice.org of LibreOffice niet openen
+
+
+
Kan bestand niet openen
-
+
Bestand niet gevonden
-
+
Kan niet bij OpenOffice.org of LibreOffice komen
@@ -5555,7 +6415,7 @@ Meestal voldoet de suggestie van OpenLP.
SongsPlugin.SongImportForm
-
+
Lied import mislukt.
@@ -5757,7 +6617,7 @@ Meestal voldoet de suggestie van OpenLP.
- Thema’s
+ Thema’s
diff --git a/resources/i18n/pt_BR.ts b/resources/i18n/pt_BR.ts
index 1e5dc28ce..5351f34b6 100644
--- a/resources/i18n/pt_BR.ts
+++ b/resources/i18n/pt_BR.ts
@@ -1,29 +1,29 @@
-
+
AlertPlugin.AlertForm
- Você não entrou com um parâmetro para ser substituído.
+ Você não entrou com um parâmetro para ser substituído.
Deseja continuar mesmo assim?
- Nenhum Parâmetro Encontrado
+ Nenhum Parâmetro Encontrado
- Nenhum Marcador de Posição Encontrado
+ Nenhum Marcador de Posição Encontrado
- O texto de alerta não contém '<>'.
+ O texto de alerta não contém '<>'.
Deseja continuar mesmo assim?
@@ -42,7 +42,7 @@ Deseja continuar mesmo assim?
- <strong>Plugin de Alerta</strong><br />O plugin de alerta controla a exibição de alertas de berçário na tela de apresentação
+ <strong>Plugin de Alerta</strong><br />O plugin de alerta controla a exibição de alertas de berçário na tela de apresentação
@@ -62,6 +62,11 @@ Deseja continuar mesmo assim?
container title
Alertas
+
+
+
+
+
AlertsPlugin.AlertForm
@@ -110,6 +115,30 @@ Deseja continuar mesmo assim?
&Parâmetro:
+
+
+
+ Nenhum Parâmetro Encontrado
+
+
+
+
+ Você não entrou com um parâmetro para ser substituído.
+Deseja continuar mesmo assim?
+
+
+
+
+ Nenhum Marcador de Posição Encontrado
+
+
+
+
+ O texto de alerta não contém '<>'.
+Deseja continuar mesmo assim?
+
AlertsPlugin.AlertsManager
@@ -157,18 +186,18 @@ Deseja continuar mesmo assim?
- Importando livros... %s
+ Importando livros... %s
Importing verses from <book name>...
- Importando versículos de %s...
+ Importando versículos de %s...
- Importando versículos... concluído.
+ Importando versículos... concluído.
@@ -176,12 +205,17 @@ Deseja continuar mesmo assim?
- &Atualizar Bíblias antigas
+ &Atualizar Bíblias antigas
+
+
+
+
+ Atualizar o banco de dados de Bíblias para o formato atual
- Atualizar o banco de dados de Bíblias para o formato atual.
+ Atualizar o banco de dados de Bíblias para o formato atual.
@@ -189,22 +223,22 @@ Deseja continuar mesmo assim?
- Erro na Transferência
+ Erro na Transferência
- Erro de Interpretação
+ Erro de Interpretação
- Ocorreu um problema ao baixar os versículos selecionados. Verifique sua conexão com a Internet, e se este erro continuar ocorrendo, por favor considere relatar um bug.
+ Ocorreu um problema ao baixar os versículos selecionados. Verifique sua conexão com a Internet, e se este erro continuar ocorrendo, por favor considere relatar um bug.
- Ocorreu um problema extraindo os versículos selecionados. Se este erro continuar ocorrendo, por favor considere relatar um bug.
+ Ocorreu um problema extraindo os versículos selecionados. Se este erro continuar ocorrendo, por favor considere relatar um bug.
@@ -212,22 +246,27 @@ Deseja continuar mesmo assim?
- Bíblia não carregada completamente.
+ Bíblia não carregada completamente.
- Você não pode combinar um versículo simples e um duplo nos resultados das buscas. Você deseja deletar os resultados da sua busca e comecar uma nova?
+ Você não pode combinar um versículo simples e um duplo nos resultados das buscas. Você deseja deletar os resultados da sua busca e comecar uma nova?
- Informações
+ Informações
+
+
+
+
+ A Bíblia secundária não contém todos os versículos que estão na Bíblia principal. Somente versículos encontrados em ambas as Bíblias serão exibidas. %d versículos não foram inclusos nos resultados.
- A Bíblia secundária não contém todos os versículos que estão na Bíblia principal. Somente versículos encontrados em ambas as Bíblias serão exibidas. %d versículos não foram inclusos nos resultados.
+ A Bíblia secundária não contém todos os versículos que estão na Bíblia principal. Somente versículos encontrados em ambas as Bíblias serão exibidas. %d versículos não foram inclusos nos resultados.
@@ -256,12 +295,12 @@ Deseja continuar mesmo assim?
Bíblias
-
+
Nenhum Livro Encontrado
-
+
Nenhum livro correspondente foi encontrado nesta Bíblia. Verifique se você digitou o nome do livro corretamente.
@@ -305,38 +344,48 @@ Deseja continuar mesmo assim?
<strong>Plugin de Bíblia</strong><br />O plugin de Bíblia permite exibir versículos bíblicos de diferentes origens durante o culto.
+
+
+
+ &Atualizar Bíblias antigas
+
+
+
+
+ Atualizar o banco de dados de Bíblias para o formato atual.
+
BiblesPlugin.BibleManager
-
+
Erro de Referência na Escritura
-
+
Não é possível usar a Bíblia Online
-
+
A Pesquisa de Texto não está disponível para Bíblias Online.
-
+
Você não digitou uma palavra-chave de pesquisa.
Você pode separar diferentes palavras-chave com um espaço para procurar por todas as palavras-chave e pode separá-las com uma vírgula para pesquisar por alguma delas.
-
+
Não há Bíblias instaladas atualmente. Por favor, utilize o Assistente de Importação para instalar uma ou mais Bíblias.
-
+
-
+
Nenhum Bíblia Disponível
@@ -461,189 +510,228 @@ Mudanças não afetam os versículos que já estão no culto.
Você deve selecionar um livro.
+
+ BiblesPlugin.CSVBible
+
+
+
+ Importando livros... %s
+
+
+
+
+ Importing verses from <book name>...
+ Importando versículos de %s...
+
+
+
+
+ Importando versículos... concluído.
+
+
BiblesPlugin.HTTPBible
-
+
Registrando Bíblia e carregando livros...
-
+
Registrando Idioma...
-
+
Importing <book name>...
Importando %s...
+
+
+
+ Erro na Transferência
+
+
+
+
+ Ocorreu um problema ao baixar os versículos selecionados. Verifique sua conexão com a Internet, e se este erro continuar ocorrendo, por favor considere relatar um bug.
+
+
+
+
+ Erro de Interpretação
+
+
+
+
+ Ocorreu um problema extraindo os versículos selecionados. Se este erro continuar ocorrendo, por favor considere relatar um bug.
+
BiblesPlugin.ImportWizardForm
-
+
Assistente de Importação de Bíblia
-
+
Este assistente irá ajudá-lo a importar Bíblias de uma variedade de formatos. Clique no botão avançar abaixo para começar o processo selecionando o formato a ser importado.
-
+
Download da Internet
-
+
Localização:
-
+
Crosswalk
-
+
BibleGateway
-
+
Bíblia:
-
+
Opções de Transferência
-
+
Servidor:
-
+
Usuário:
-
+
Senha:
-
+
Servidor Proxy (Opcional)
-
+
Detalhes da Licença
-
+
Configurar detalhes de licença da Bíblia.
-
+
Nome da Versão:
-
+
Direito Autoral:
-
+
Por favor aguarde enquanto a sua Bíblia é importada.
-
+
Você deve especificar um arquivo com livros da Bíblia para usar na importação.
-
+
Você deve especificar um arquivo de versículos da Bíblia para importar.
-
+
Você deve especificar um nome de versão para a sua Bíblia.
-
+
Bíblia Existe
-
+
A sua Importação de Bíblia falhou.
-
+
Você precisa definir os direitos autorais da sua Bíblia. Traduções em Domínio Público devem ser marcadas como tal.
-
+
Esta Bíblia já existe. Pro favor, importe uma Bíblia diferente ou apague a existente primeiro.
-
+
Permissões:
-
+
Arquivo CSV
-
+
Bibleserver
-
+
Arquivo de Bíblia:
-
+
Arquivo de Livros:
-
+
Arquivo de Versículos:
-
+
Arquivos de Bíblia do openlp.org 1.x
-
+
Registrando Bíblia...
-
+
Bíblia registrada. Por favor, observe que os verísulos serão baixados de acordo
@@ -671,7 +759,7 @@ com o usu, portanto uma conexão com a internet é necessária.
BiblesPlugin.LanguageForm
-
+
Você deve escolher um idioma.
@@ -679,60 +767,80 @@ com o usu, portanto uma conexão com a internet é necessária.
BiblesPlugin.MediaItem
-
+
Rápido
-
+
Localizar:
-
+
Livro:
-
+
Capítulo:
-
+
Versículo:
-
+
De:
-
+
Até:
-
+
Pesquisar Texto
-
+
Segundo:
-
+
Referência da Escritura
-
+
Alternar entre manter ou limpar resultados anteriores.
+
+
+
+ Você não pode combinar um versículo simples e um duplo nos resultados das buscas. Você deseja deletar os resultados da sua busca e comecar uma nova?
+
+
+
+
+ Bíblia não carregada completamente.
+
+
+
+
+ Informações
+
+
+
+
+ A Bíblia secundária não contém todos os versículos que estão na Bíblia principal. Somente versículos encontrados em ambas as Bíblias serão exibidas. %d versículos não foram inclusos nos resultados.
+
BiblesPlugin.Opensong
@@ -760,148 +868,181 @@ com o usu, portanto uma conexão com a internet é necessária.
BiblesPlugin.UpgradeWizardForm
-
+
Selecione um Diretório para Cópia de Segurança
-
+
Assistente de Atualização de Bíblias
-
+
Este assistente irá ajudá-lo a atualizar suas Bíblias existentes a partir de uma versão anterior do OpenLP 2. Clique no botão avançar abaixo para começar o processo de atualização.
-
+
Selecione o Diretório para Cópia de Segurança
-
+
Por favor, selecione um diretório para a cópia de segurança das suas Bíblias
-
+
As versões anteriores do OpenLP 2.0 não conseguem usar as Bíblias atualizadas. Isto irá criar uma cópia de segurança das suas Bíblias atuais para que possa copiar os arquivos de voltar para o diretório de dados do OpenLP caso seja necessário voltar a uma versão anterior do OpenLP. Instruções de como recuperar os arquivos podem ser encontradas no nosso <a href="http://wiki.openlp.org/faq">Perguntas Frequentes</a>.
-
+
Por favor, selecione o local da cópia de segurança das suas Bíblias.
-
+
Diretório de Cópia de Segurança:
-
+
Não é necessário fazer uma cópia de segurança das minhas Bíblias
-
+
Selecione Bíblias
-
+
Por favor, selecione as Bíblias a atualizar
-
+
- Nome da versão:
+ Nome da versão:
-
+
- Esta Bíblia ainda existe. Por favor, mude o nome ou desmarque-a.
+ Esta Bíblia ainda existe. Por favor, mude o nome ou desmarque-a.
-
+
Atualizando
-
+
Por favor, aguarde enquanto suas Bíblias são atualizadas.
- Você deve especificar uma Pasta de Cópia de Segurança para suas Bíblias.
+ Você deve especificar uma Pasta de Cópia de Segurança para suas Bíblias.
-
+
+
+ A cópia de segurança não foi feita com sucesso.
+Para fazer uma cópia de segurança das suas Bíblias, necessita de permissões de escrita no diretório escolhido. Se você possui permissões de escrita e este erro persiste, por favor, reporte um bug.
+
+
+
- Você deve especificar um nome de versão para a sua Bíblia.
+ Você deve especificar um nome de versão para a sua Bíblia.
-
+
- Bíblia Existe
+ Bíblia Existe
-
+
- Esta Bíblia já existe. Por favor atualizar uma Bíblia diferente, apague o existente ou desmarque-a.
+ Esta Bíblia já existe. Por favor atualizar uma Bíblia diferente, apague o existente ou desmarque-a.
+
+
+
+
+ Iniciando atualização de Bíblia(s)...
- Não há Bíblias disponíveis para atualização.
+ Não há Bíblias disponíveis para atualização.
-
+
Atualizando Bíblia %s de %s: "%s"
Falhou
-
+
Atualizando Bíblia %s de %s: "%s"
Atualizando ...
-
+
Erro na Transferência
-
+
+
+ Para atualizar suas Bíblias Internet, é necessária uma conexão com a internet. Se você tiver uma conexão com a internet funcionando e persistir o erro, por favor, reporte um bug.
+
+
+
Atualizando Bíblia %s de %s: "%s"
Atualizando %s ...
-
+
+
+ Atualizando Bíblia %s de %s: "%s"
+Finalizado
+
+
+
. %s falhou
-
+
+
+ Atualizando Bíblia(s): %s com sucesso%s
+Observe, que versículos das Bíblias Internet serão transferidos
+sob demando então é necessária uma conexão com a internet.
+
+
+
Atualizando Bíblia(s): %s com sucesso%s
-
+
A atualização falhou.
-
+
A cópia de segurança não teve êxito.
@@ -910,30 +1051,50 @@ Para fazer uma cópia de segurança das suas Bíblias é necessário permissão
- Iniciando atualização de Bíblia...
+ Iniciando atualização de Bíblia...
-
+
Para atualizar suas Bíblias Internet é necessária uma conexão com a internet.
-
+
Atualizando Bíblia %s de %s: "%s"
Finalizado
-
+
Atualizando Bíblia(s): %s com sucesso%s
Observe, que versículos das Bíblias Internet serão transferidos sob demanda então é necessária uma conexão com a internet.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
CustomPlugin
+
+
+
+ <strong>Plugin de Personalizado</strong><br />O plugin de personalizado permite criar slides de texto que são apresentados da mesma maneira que as músicas. Este plugin permite mais liberdade do que o plugin de músicas.
+
@@ -1038,6 +1199,11 @@ Observe, que versículos das Bíblias Internet serão transferidos sob demanda e
Editar todos os slides de uma vez.
+
+
+
+ Dividir Slide
+
@@ -1054,12 +1220,12 @@ Observe, que versículos das Bíblias Internet serão transferidos sob demanda e
&Créditos:
-
+
Você deve digitar um título.
-
+
Você deve adicionar pelo menos um slide
@@ -1068,18 +1234,95 @@ Observe, que versículos das Bíblias Internet serão transferidos sob demanda e
&Editar Todos
+
+
+
+ Dividir o slide em dois somente se não couber na tela como um único slide.
+
Inserir Slide
+
+ CustomPlugin.MediaItem
+
+
+
+
+
+
+
+
+
+
+ CustomsPlugin
+
+
+
+ name singular
+ Customizado
+
+
+
+
+ name plural
+ Personalizados
+
+
+
+
+ container title
+ Personalizado
+
+
+
+
+ Carregar um Personalizado novo.
+
+
+
+
+ Importar um Personalizado.
+
+
+
+
+ Adicionar um Personalizado novo.
+
+
+
+
+ Editar o Personalizado selecionado.
+
+
+
+
+ Excluir o Personalizado selecionado.
+
+
+
+
+ Pré-visualizar o Personalizado selecionado.
+
+
+
+
+ Projetar o Personalizado selecionado.
+
+
+
+
+ Adicionar o Personalizado ao culto.
+
+
GeneralTab
- Geral
+ Geral
@@ -1107,6 +1350,41 @@ Observe, que versículos das Bíblias Internet serão transferidos sob demanda e
container title
Imagens
+
+
+
+ Carregar uma Imagem nova.
+
+
+
+
+ Adicionar uma Imagem nova.
+
+
+
+
+ Editar a Imagem selecionada.
+
+
+
+
+ Excluir a Imagem selecionada.
+
+
+
+
+ Pré-visualizar a Imagem selecionada.
+
+
+
+
+ Projetar a Imagem selecionada.
+
+
+
+
+ Adicionar a Imagem selecionada ao culto.
+
@@ -1154,42 +1432,47 @@ Observe, que versículos das Bíblias Internet serão transferidos sob demanda e
ImagePlugin.MediaItem
-
+
Selecionar Imagem(s)
-
+
Você precisa selecionar uma imagem para excluir.
-
+
Você precisa selecionar uma imagem para definir como plano de fundo.
-
+
Imagem(s) não encontrada(s)
-
+
A(s) seguinte(s) imagem(s) não existe(m) mais: %s
-
+
A(s) seguinte(s) imagem(s) não existe(m) mais: %s
Mesmo assim, deseja continuar adicionando as outras imagens?
-
+
Ocorreu um erro ao substituir o plano de fundo, o arquivo de imagem "%s" não existe.
+
+
+
+
+
MediaPlugin
@@ -1216,6 +1499,41 @@ Mesmo assim, deseja continuar adicionando as outras imagens?
container title
Mídia
+
+
+
+ Carregar uma Mídia nova.
+
+
+
+
+ Adicionar uma Mídia nova.
+
+
+
+
+ Editar a Mídia selecionada.
+
+
+
+
+ Excluir a Mídia selecionada.
+
+
+
+
+ Pré-visualizar a Mídia selecionada.
+
+
+
+
+ Projetar a Mídia selecionada.
+
+
+
+
+ Adicionar a Mídia selecionada ao culto.
+
@@ -1255,40 +1573,45 @@ Mesmo assim, deseja continuar adicionando as outras imagens?
MediaPlugin.MediaItem
-
+
Selecionar Mídia
-
+
Você deve selecionar um arquivo de mídia para apagar.
-
+
Arquivo de Mídia não encontrado
-
+
O arquivo %s não existe.
-
+
Você precisa selecionar um arquivo de mídia para substituir o plano de fundo.
-
+
Ocorreu um erro ao substituir o plano de fundo. O arquivo de mídia "%s" não existe.
-
+
Vídeos (%s);;Áudio (%s);;%s (*)
+
+
+
+
+
MediaPlugin.MediaTab
@@ -1306,7 +1629,7 @@ Mesmo assim, deseja continuar adicionando as outras imagens?
OpenLP
-
+
Arquivos de Imagem
@@ -1598,82 +1921,87 @@ Porções com direitos autorais © 2004-2011 %s
OpenLP.DisplayTagDialog
-
+
- Editar Seleção
+ Editar Seleção
-
+
- Descrição
+ Descrição
+
+
+
+
+ Etiqueta
+
+
+
+
+ Etiqueta Inicial
-
- Etiqueta
-
-
-
-
- Etiqueta Inicial
-
-
-
- Etiqueta Final
+ Etiqueta Final
-
+
- Id da Etiqueta
+ Id da Etiqueta
-
+
- Iniciar HTML
+ Iniciar HTML
-
+
- Finalizar HTML
+ Finalizar HTML
-
+
- Salvar
+ Salvar
OpenLP.DisplayTagTab
-
+
- Erro no Update
+ Erro no Update
- Etiqueta "n" já está definida.
+ Etiqueta "n" já está definida.
-
+
- Etiqueta %s já está definida.
+ Etiqueta %s já está definida.
- Novo Tag
+ Novo Tag
+
+
+
+
+ <Html_aqui>
- </e aqui>
+ </e aqui>
- <HTML aqui>
+ <HTML aqui>
@@ -1681,82 +2009,82 @@ Porções com direitos autorais © 2004-2011 %s
- Vermelho
+ Vermelho
- Preto
+ Preto
- Azul
+ Azul
- Amarelo
+ Amarelo
- Verde
+ Verde
- Rosa
+ Rosa
- Laranja
+ Laranja
- Púrpura
+ Púrpura
- Branco
+ Branco
- Sobrescrito
+ Sobrescrito
- Subscrito
+ Subscrito
- Parágrafo
+ Parágrafo
- Negrito
+ Negrito
- Itálico
+ Itálico
- Sublinhado
+ Sublinhado
- Quebra
+ Quebra
@@ -1927,12 +2255,12 @@ Agradecemos se for possível escrever seu relatório em inglês.
Transferindo %s...
-
+
Transferência finalizada. Clique no botão terminar para iniciar o OpenLP.
-
+
Habilitando os plugins selecionados...
@@ -1964,7 +2292,7 @@ Agradecemos se for possível escrever seu relatório em inglês.
- Texto Personalizado
+ Texto Personalizado
@@ -2064,6 +2392,16 @@ Para cancelar o assistente completamente, clique no botão finalizar.Set up default settings to be used by OpenLP.
Configure os ajustes padrões que serão utilizados pelo OpenLP.
+
+
+
+ Configurando e Importando
+
+
+
+
+ Por Favor aguarde enquanto o OpenLP é configurado e os seus dados importados.
+
@@ -2085,25 +2423,209 @@ Para cancelar o assistente completamente, clique no botão finalizar.Este assistente irá ajudá-lo na configuração do OpenLP para o uso inicial. Clique abaixo no botão avançar para começar.
-
+
Configurando e Transferindo
-
+
Por favor, aguarde enquanto o OpenLP é configurado e seus dados são transferidos.
-
+
Configurando
-
+
Clique o botão finalizar para iniciar o OpenLP.
+
+
+
+ Slides Personalizados
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTagDialog
+
+
+
+
+
+
+
+
+ Editar Seleção
+
+
+
+
+ Salvar
+
+
+
+
+ Descrição
+
+
+
+
+ Etiqueta
+
+
+
+
+ Etiqueta Inicial
+
+
+
+
+ Etiqueta Final
+
+
+
+
+ Id da Etiqueta
+
+
+
+
+ Iniciar HTML
+
+
+
+
+ Finalizar HTML
+
+
+
+ OpenLP.FormattingTagForm
+
+
+
+ Erro no Update
+
+
+
+
+ Etiqueta "n" já está definida.
+
+
+
+
+ Novo Tag
+
+
+
+
+ <HTML aqui>
+
+
+
+
+ </e aqui>
+
+
+
+
+ Etiqueta %s já está definida.
+
+
+
+ OpenLP.FormattingTags
+
+
+
+ Vermelho
+
+
+
+
+ Preto
+
+
+
+
+ Azul
+
+
+
+
+ Amarelo
+
+
+
+
+ Verde
+
+
+
+
+ Rosa
+
+
+
+
+ Laranja
+
+
+
+
+ Púrpura
+
+
+
+
+ Branco
+
+
+
+
+ Sobrescrito
+
+
+
+
+ Subscrito
+
+
+
+
+ Parágrafo
+
+
+
+
+ Negrito
+
+
+
+
+ Itálico
+
+
+
+
+ Sublinhado
+
+
+
+
+ Quebra
+
OpenLP.GeneralTab
@@ -2249,7 +2771,7 @@ Para cancelar o assistente completamente, clique no botão finalizar.
OpenLP.MainDisplay
-
+
Saída do OpenLP
@@ -2257,287 +2779,287 @@ Para cancelar o assistente completamente, clique no botão finalizar.
OpenLP.MainWindow
-
+
&Arquivo
-
+
&Importar
-
+
&Exportar
-
+
&Exibir
-
+
M&odo
-
+
&Ferramentas
-
+
&Configurações
-
+
&Idioma
-
+
Aj&uda
-
+
Gerenciador de Mídia
-
+
Gerenciador de Culto
-
+
Gerenciador de Tema
-
+
&Novo
-
+
&Abrir
-
+
Abrir um culto existente.
-
+
&Salvar
-
+
Salvar o culto atual no disco.
-
+
Salvar &Como...
-
+
Salvar Culto Como
-
+
Salvar o culto atual com um novo nome.
-
+
S&air
-
+
Fechar o OpenLP
-
+
&Tema
-
+
&Configurar o OpenLP...
-
+
&Gerenciador de Mídia
-
+
Alternar Gerenciador de Mídia
-
+
Alternar a visibilidade do gerenciador de mídia.
-
+
&Gerenciador de Tema
-
+
Alternar para Gerenciamento de Tema
-
+
Alternar a visibilidade do gerenciador de tema.
-
+
Gerenciador de &Culto
-
+
Alternar o Gerenciador de Culto
-
+
Alternar visibilidade do gerenciador de culto.
-
+
&Painel de Pré-Visualização
-
+
Alternar o Painel de Pré-Visualização
-
+
Alternar a visibilidade do painel de pré-visualização.
-
+
&Painel de Projeção
-
+
Alternar Painel da Projeção
-
+
Alternar a visibilidade do painel de projeção.
-
+
&Lista de Plugins
-
+
Listar os Plugins
-
+
&Guia do Usuário
-
+
&Sobre
-
+
Mais informações sobre o OpenLP
-
+
&Ajuda Online
-
+
&Web Site
-
+
Usar o idioma do sistema, caso disponível.
-
+
Definir o idioma da interface como %s
-
+
Adicionar &Ferramenta...
-
+
Adicionar um aplicativo à lista de ferramentas.
-
+
&Padrão
-
+
Reverter o modo de visualização ao padrão.
-
+
&Configuração
-
+
Configurar o modo de visualização para Configuração.
-
+
&Ao Vivo
-
+
Configurar o modo de visualização como Ao Vivo.
-
+
@@ -2546,22 +3068,22 @@ You can download the latest version from http://openlp.org/.
Voce pode baixar a última versão em http://openlp.org/.
-
+
Versão do OpenLP Atualizada
-
+
Tela Principal do OpenLP desativada
-
+
A Tela Principal foi desativada
-
+
Tema padrão: %s
@@ -2572,55 +3094,113 @@ Voce pode baixar a última versão em http://openlp.org/.
Português do Brasil
-
+
Configurar &Atalhos...
-
+
Fechar o OpenLP
-
+
Você tem certeza de que deseja fechar o OpenLP?
-
-
- &Configurar Etiquetas de Exibição
+
+
+ Imprimir a Ordem de Culto atual.
-
+
+
+ &Configurar Etiquetas de Exibição
+
+
+
Abrir Pasta de &Dados...
-
+
Abrir a pasta na qual músicas, bíblias e outros arquivos são armazenados.
-
+
&Auto detectar
-
+
Atualizar Imagens de Tema
-
+
Atualizar as imagens de pré-visualização de todos os temas.
-
+
Imprimir o culto atual.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Clear List of recent files
+
+
+
+
+
+
+
OpenLP.MediaManagerItem
@@ -2630,57 +3210,85 @@ Voce pode baixar a última versão em http://openlp.org/.
Nenhum Item Selecionado
-
+
&Adicionar ao Item de Ordem de Culto selecionado
-
+
Você deve selecionar um ou mais itens para pré-visualizar.
-
+
Você deve selecionar um ou mais itens para projetar.
-
+
Você deve selecionar um ou mais itens.
-
+
Você deve selecionar um item de culto existente ao qual adicionar.
-
+
Item de Culto inválido
-
+
Você deve selecionar um item de culto %s.
-
+
+
+ Nome de arquivo duplicado%s.
+O nome do arquivo já existe na lista
+
+
+
Você deve selecionar um ou mais itens para adicionar.
-
+
Nenhum Resultado de Busca
-
+
- Nome de arquivo duplicado %s.
+ Nome de arquivo duplicado %s.
Este nome de arquivo já está na lista
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.PluginForm
@@ -2728,12 +3336,12 @@ Este nome de arquivo já está na lista
OpenLP.PrintServiceDialog
-
+
Ajustar à Página
-
+
Ajustar à Largura
@@ -2741,70 +3349,90 @@ Este nome de arquivo já está na lista
OpenLP.PrintServiceForm
-
+
Opções
- Fechar
+ Fechar
-
+
Copiar
-
+
Copiar como HTML
-
+
Aumentar o Zoom
-
+
Diminuir o Zoom
-
+
Zoom Original
-
+
Outras Opções
-
+
Incluir texto do slide se disponível
-
+
Incluir notas do item de culto
-
+
Incluir duração dos itens de mídia
-
+
+
+ Folha de Ordem de Culto
+
+
+
Adicionar uma quebra de página antes de cada item de texto
-
+
Folha de Culto
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ScreenList
@@ -2819,10 +3447,23 @@ Este nome de arquivo já está na lista
primário
+
+ OpenLP.ServiceItem
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceItemEditForm
-
+
Reordenar Item de Culto
@@ -2830,257 +3471,277 @@ Este nome de arquivo já está na lista
OpenLP.ServiceManager
-
+
Mover para o &topo
-
+
Mover item para o topo do culto.
-
+
Mover para &cima
-
+
Mover item uma posição para cima no culto.
-
+
Mover para &baixo
-
+
Mover item uma posição para baixo no culto.
-
+
Mover para o &final
-
+
Mover item para o final do culto.
-
+
&Excluir do Culto
-
+
Excluir o item selecionado do culto.
-
+
&Adicionar um Novo Item
-
+
&Adicionar ao Item Selecionado
-
+
&Editar Item
-
+
&Reordenar Item
-
+
&Anotações
-
+
&Alterar Tema do Item
-
+
O arquivo não é um culto válida.
A codificação do conteúdo não é UTF-8.
-
+
Arquivo não é uma ordem de culto válida.
-
+
Faltando o Manipulador de Exibição
-
+
O seu item não pode ser exibido porque não existe um manipulador para exibí-lo
-
+
O item não pode ser exibido porque o plugin necessário para visualizá-lo está ausente ou está desativado
-
+
&Expandir todos
-
+
Expandir todos os itens do culto.
-
+
&Recolher todos
-
+
Recolher todos os itens do culto.
-
+
Abrir Arquivo
-
+
Arquivos de Culto do OpenLP (*.osz)
-
+
Move a seleção para baixo dentro da janela.
-
+
Mover para cima
-
+
Move a seleção para cima dentro da janela.
-
+
Projetar
-
+
Enviar o item selecionado para a Projeção.
-
+
Culto Modificado
-
+
&Horário Inicial
-
+
Exibir &Pré-visualização
-
+
Exibir &Projeção
-
+
O culto atual foi modificada. Você gostaria de salvar este culto?
-
+
Arquivo não pôde ser aberto porque está corrompido.
-
+
Arquivo vazio
-
+
Este arquivo de culto não contém dados.
-
+
Arquivo corrompido
-
+
Anotações de Culto Personalizados:
-
+
Observações:
-
+
Duração:
-
+
Culto Sem Nome
-
+
+
+ O arquivo está corrompido ou não é uma arquivo de culto OpenLP 2.0.
+
+
+
Carregar um culto existente.
-
+
Salvar este culto.
-
+
Selecionar um tema para o culto.
-
+
Este arquivo está corrompido ou não é um arquivo de culto do OpenLP 2.0.
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceNoteForm
-
+
Anotações do Item de Culto
@@ -3098,7 +3759,7 @@ A codificação do conteúdo não é UTF-8.
- Personalizar Atalhos
+ Personalizar Atalhos
@@ -3111,12 +3772,12 @@ A codificação do conteúdo não é UTF-8.
Atalho
-
+
Atalho Repetido
-
+
O atalho "%s" já está designado para outra ação, escolha um atalho diferente.
@@ -3151,20 +3812,25 @@ A codificação do conteúdo não é UTF-8.
Restaurar o atalho padrão desta ação.
-
+
Restaurar Atalhos Padrões
-
+
Deseja restaurar todos os atalhos ao seus padrões?
+
+
+
+
+
OpenLP.SlideController
-
+
Ocultar
@@ -3174,27 +3840,27 @@ A codificação do conteúdo não é UTF-8.
Ir Para
-
+
Apagar Tela
-
+
Apagar e deixar o Tema
-
+
Mostrar a Área de Trabalho
-
+
Slide Anterior
-
+
Slide Seguinte
@@ -3214,29 +3880,29 @@ A codificação do conteúdo não é UTF-8.
Escapar Item
-
+
Mover para o anterior.
-
+
Mover para o seguinte.
-
+
Exibir Slides
- Exibir Slides com Repetição
+ Exibir Slides com Repetição
- Exibir Slides até o Fim
+ Exibir Slides até o Fim
@@ -3267,17 +3933,17 @@ A codificação do conteúdo não é UTF-8.
OpenLP.SpellTextEdit
-
+
Sugestões Ortográficas
-
+
Tags de Formatação
-
+
Idioma:
@@ -3324,6 +3990,16 @@ A codificação do conteúdo não é UTF-8.
Erro de Validação de Tempo
+
+
+
+ O tempo final está ajustado para após o fim da mídia
+
+
+
+
+ O Tempo Inicial está após o Tempo Final da Mídia
+
@@ -3371,192 +4047,198 @@ A codificação do conteúdo não é UTF-8.
OpenLP.ThemeManager
-
+
Criar um novo tema.
-
+
Editar Tema
-
+
Editar um tema.
-
+
Excluir Tema
-
+
Excluir um tema.
-
+
Importar Tema
-
+
Importar um tema.
-
+
Exportar Tema
-
+
Exportar um tema.
-
+
&Editar Tema
-
+
&Apagar Tema
-
+
Definir como Padrão &Global
-
+
%s (padrão)
-
+
Você precisa selecionar um tema para editar.
-
+
Você não pode apagar o tema padrão.
-
+
Você não selecionou um tema.
-
+
Salvar Tema - (%s)
-
+
Tema Exportado
-
+
Seu tema foi exportado com sucesso.
-
+
Falha ao Exportar Tema
-
+
O tema não pôde ser exportado devido a um erro.
-
+
Selecionar Arquivo de Importação de Tema
-
+
O arquivo não é um tema válido.
A codificação do conteúdo não é UTF-8.
-
+
O arquivo não é um tema válido.
-
+
O tema %s é usado no plugin %s.
-
+
&Copiar Tema
-
+
&Renomear Tema
-
+
&Exportar Tema
-
+
Você precisa selecionar um tema para renomear.
-
+
Confirmar Renomeação
-
+
Renomear o tema %s?
-
+
Você precisa selecionar um tema para excluir.
-
+
Confirmar Exclusão
-
+
Apagar o tema %s?
-
+
Erro de Validação
-
+
Já existe um tema com este nome.
-
+
Temas do OpenLP (*.theme *.otz)
+
+
+
+ Copy of <theme name>
+
+
OpenLP.ThemeWizard
@@ -3800,6 +4482,16 @@ A codificação do conteúdo não é UTF-8.
Editar Tema - %s
+
+
+
+
+
+
+
+
+
+
OpenLP.ThemesTab
@@ -3843,31 +4535,36 @@ A codificação do conteúdo não é UTF-8.
Usar o tema global, ignorando qualquer tema associado ao culto ou às músicas.
+
+
+
+ Temas
+
OpenLP.Ui
-
+
Erro
-
+
&Excluir
-
+
Excluir o item selecionado.
-
+
Mover a seleção para cima em uma posição.
-
+
Mover a seleção para baixo em uma posição.
@@ -3917,40 +4614,40 @@ A codificação do conteúdo não é UTF-8.
Criar uma novo culto.
-
+
&Editar
-
+
Campo Vazio
-
+
Exportar
-
+
Abbreviated font pointsize unit
pt
-
+
Imagem
-
+
Importar
- Comprimento %s
+ Comprimento %s
@@ -3962,6 +4659,11 @@ A codificação do conteúdo não é UTF-8.
Erro no Fundo da Projeção
+
+
+
+ Painel de Projeção
+
@@ -4022,85 +4724,110 @@ A codificação do conteúdo não é UTF-8.
OpenLP 2.0
-
+
+
+ Abrir Culto
+
+
+
Pré-Visualização
-
+
+
+ Painel de Pré-Visualização
+
+
+
+
+ Imprimir Ordem de Culto
+
+
+
Substituir Plano de Fundo
-
+
+
+ Substituir Plano de Fundo da Projeção
+
+
+
Restabelecer o Plano de Fundo
-
+
+
+ Restabelecer o Plano de Fundo da Projeção
+
+
+
The abbreviated unit for seconds
s
-
+
Salvar && Pré-Visualizar
-
+
Pesquisar
-
+
Você precisa selecionar um item para excluir.
-
+
Você precisa selecionar um item para editar.
-
+
Salvar Culto
-
+
Culto
-
+
Início %s
-
+
Singular
Tema
-
+
Plural
Temas
-
+
Topo
-
+
Versão
-
+
Alinhamento &Vertical:
@@ -4166,12 +4893,12 @@ A codificação do conteúdo não é UTF-8.
Você precisa especificar pelo menos um arquivo %s para importar.
-
+
Bem Vindo ao Assistente de Importação de Bíblias
-
+
Bem Vindo ao Assistente de Exportação de Músicas
@@ -4228,38 +4955,38 @@ A codificação do conteúdo não é UTF-8.
Tópicos
-
+
Contínuo
-
+
Padrão
-
+
Estilo de Exibição:
-
+
Arquivo
-
+
Ajuda
-
+
The abbreviated unit for hours
h
-
+
Estilo do Layout:
@@ -4280,37 +5007,37 @@ A codificação do conteúdo não é UTF-8.
OpenLP já está sendo executado. Deseja continuar?
-
+
Configurações
-
+
Ferramentas
-
+
Versículos por Slide
-
+
Versículos por Linha
-
+
Visualizar
-
+
Erro de duplicidade
-
+
Arquivo Não Suportado
@@ -4325,12 +5052,12 @@ A codificação do conteúdo não é UTF-8.
Erro de sintaxe XML
-
+
Modo de Visualização
-
+
Bem-vindo ao Assistente de Atualização de Bíblias
@@ -4340,37 +5067,62 @@ A codificação do conteúdo não é UTF-8.
Abrir culto.
-
+
Imprimir Culto
-
+
Trocar fundo da projeção.
-
+
Reverter fundo da projeção.
-
+
&Dividir
-
+
Dividir um slide em dois somente se não couber na tela em um único slide.
+
+
+
+
+
+
+
+
+ Exibir Slides com Repetição
+
+
+
+
+ Exibir Slides até o Fim
+
+
+
+
+
+
+
+
+
+
+
OpenLP.displayTagDialog
-
+
- Configurar Etiquetas de Exibição
+ Configurar Etiquetas de Exibição
@@ -4398,6 +5150,31 @@ A codificação do conteúdo não é UTF-8.
container title
Apresentações
+
+
+
+ Carregar uma Apresentação nova.
+
+
+
+
+ Excluir a Apresentação selecionada.
+
+
+
+
+ Pré-visualizar a Apresentação selecionada.
+
+
+
+
+ Projetar a Apresentação selecionada.
+
+
+
+
+ Adicionar a Apresentação selecionada à ordem de culto.
+
@@ -4427,52 +5204,52 @@ A codificação do conteúdo não é UTF-8.
PresentationPlugin.MediaItem
-
+
Selecionar Apresentação(ões)
-
+
Automático
-
+
Apresentar usando:
-
+
O Arquivo já Existe
-
+
Já existe uma apresentação com este nome.
-
+
Este tipo de apresentação não é suportado.
-
+
Apresentações (%s)
-
+
Apresentação Não Encontrada
-
+
A Apresentação %s não existe mais.
-
+
A Apresentação %s está incompleta, por favor recarregue-a.
@@ -4524,12 +5301,12 @@ A codificação do conteúdo não é UTF-8.
RemotePlugin.Mobile
-
+
OpenLP 2.0 Remoto
-
+
OpenLP 2.0 Visão de Palco
@@ -4539,80 +5316,85 @@ A codificação do conteúdo não é UTF-8.
Gerenciador de Culto
-
+
Controlador de Slide
-
+
Alertas
-
+
Pesquisar
-
+
Voltar
-
+
Atualizar
-
+
Desativar
-
+
Exibir
-
+
Ant
-
+
Seg
-
+
Texto
-
+
Mostrar Alerta
-
+
Projetar
- Adicionar ao Culto
+ Adicionar ao Culto
-
+
Nenhum Resultado
-
+
Opções
+
+
+
+
+
RemotePlugin.RemoteTab
@@ -4645,68 +5427,78 @@ A codificação do conteúdo não é UTF-8.
SongUsagePlugin
-
+
&Registro de Uso de Músicas
-
+
&Excluir Dados de Registro
-
+
Excluir registros de uso até uma data específica.
-
+
&Extrair Dados de Registro
-
+
Gerar um relatório sobre o uso das músicas.
-
+
Alternar Registro
-
+
Alternar o registro de uso das músicas.
-
+
<strong>Plugin de Uso das Músicas</strong><br />Este plugin registra o uso das músicas nos cultos.
-
+
name singular
Registro das Músicas
-
+
name plural
Registro das Músicas
-
+
container title
Uso das Músicas
-
+
Uso das Músicas
+
+
+
+
+
+
+
+
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4939,6 +5731,36 @@ A codificação é responsável pela correta representação dos caracteres.Exports songs using the export wizard.
Exporta músicas utilizando o assistente de exportação.
+
+
+
+ Adicionar uma Música nova.
+
+
+
+
+ Editar a Música selecionada.
+
+
+
+
+ Excluir a Música selecionada.
+
+
+
+
+ Pré-visualizar a Música selecionada.
+
+
+
+
+ Projetar a Música selecionada.
+
+
+
+
+ Adicionar a Música selecionada ao culto.
+
@@ -5019,190 +5841,197 @@ A codificação é responsável pela correta representação dos caracteres.
SongsPlugin.EasyWorshipSongImport
-
+
Administrado por %s
+
+
+
+
+
SongsPlugin.EditSongForm
-
+
Editor de Músicas
-
+
&Título:
-
+
Título &Alternativo:
-
+
&Letra:
-
+
Ordem das &estrofes:
-
+
&Editar Todos
-
+
Título && Letra
-
+
&Adicionar à Música
-
+
&Remover
-
+
&Gerenciar Autores, Assuntos, Hinários
-
+
A&dicionar uma Música
-
+
R&emover
-
+
Hinário:
-
+
Número:
-
+
Autores, Assuntos && Hinários
-
+
Novo &Tema
-
+
Direitos Autorais
-
+
Comentários
-
+
Tema, Direitos Autorais && Comentários
-
+
Adicionar Autor
-
+
Este autor não existe, deseja adicioná-lo?
-
+
Este autor já está na lista.
-
+
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.
-
+
Adicionar Assunto
-
+
Este assunto não existe, deseja adicioná-lo?
-
+
Este assunto já está na lista.
-
+
Você não selecionou um assunto válido. Selecione um assunto da lista ou digite um novo assunto e clique em "Adicionar Assunto à Música" para adicioná-lo.
-
+
Você deve digitar um título para a música.
-
+
Você deve digitar ao menos um verso.
-
+
Aviso
-
+
A ordem das estrofes é inválida. Não há estrofe correspondente a %s. Valores válidos são %s.
-
+
Você não usou %s em nenhum lugar na ordem das estrofes. Deseja mesmo salvar a música assim?
-
+
Adicionar Hinário
-
+
Este hinário não existe, deseja adicioná-lo?
-
+
Você precisa ter um autor para esta música.
-
+
Você precisa digitar algum texto na estrofe.
@@ -5224,6 +6053,16 @@ A codificação é responsável pela correta representação dos caracteres.&Insert
&Inserir
+
+
+
+ &Dividir
+
+
+
+
+ Dividir um slide em dois somente se não couber na tela como um único slide.
+
@@ -5233,82 +6072,82 @@ A codificação é responsável pela correta representação dos caracteres.
SongsPlugin.ExportWizardForm
-
+
Assistente de Exportação de Músicas
-
+
Este assistente irá ajudá-lo a exportar as suas músicas para o formato de músicas de louvor aberto e gratuito OpenLyrics.
-
+
Selecionar Músicas
-
+
Marque as músicas que você deseja exportar.
-
+
Desmarcar Todas
-
+
Marcar Todas
-
+
Selecionar Diretório
-
+
Diretório:
-
+
Exportando
-
+
Por favor aguarde enquanto as suas músicas são exportadas.
-
+
Você precisa adicionar pelo menos uma Música para exportar.
-
+
Nenhum Localização para Salvar foi especificado
-
+
Iniciando a exportação...
-
+
Você precisa especificar um diretório.
-
+
Selecione a Pasta de Destino
-
+
Selecionar o diretório onde deseja salvar as músicas.
@@ -5316,7 +6155,7 @@ A codificação é responsável pela correta representação dos caracteres.
SongsPlugin.ImportWizardForm
-
+
Selecione Arquivos de Documentos/Apresentações
@@ -5350,6 +6189,16 @@ A codificação é responsável pela correta representação dos caracteres.Remove File(s)
Remover Arquivos(s)
+
+
+
+ O importador do Songs of Fellowship foi desabilitado porque o OpenOffice.org não foi encontrado no seu computador.
+
+
+
+
+ O importador de documento/apresentação foi desabilitado porque o OpenOffice.org não foi encontrado no seu computador.
+
@@ -5361,42 +6210,42 @@ A codificação é responsável pela correta representação dos caracteres.O importador para o formato OpenLyrics ainda não foi desenvolvido, mas como você pode ver, nós ainda pretendemos desenvolvê-lo. Possivelmente ele estará disponível na próxima versão.
-
+
Bancos de Dados do OpenLP 2.0
-
+
Bancos de Dados do openlp.org v1.x
-
+
Arquivos de Música do Words Of Worship
-
+
Você precisa especificar pelo menos um documento ou apresentação para importar.
-
+
Arquivos do Songs Of Fellowship
-
+
Arquivos do SongBeamer
-
+
Arquivos do SongShow Plus
-
+
Arquivos do Folipresenter
@@ -5424,32 +6273,32 @@ A codificação é responsável pela correta representação dos caracteres.
SongsPlugin.MediaItem
-
+
Títulos
-
+
Letras
- Excluir Música(s)?
+ Excluir Música(s)?
-
+
Licença CCLI:
-
+
Música Inteira
-
+
Tem certeza de que quer excluir a(s) %n música(s) selecionada(s)?
@@ -5457,15 +6306,21 @@ A codificação é responsável pela correta representação dos caracteres.
-
+
Gerencia a lista de autores, tópicos e hinários.
+
+
+
+ For song cloning
+
+
SongsPlugin.OpenLP1SongImport
-
+
Não é uma base de dados de músicas válida do openlp.org 1.x.
@@ -5481,7 +6336,7 @@ A codificação é responsável pela correta representação dos caracteres.
SongsPlugin.OpenLyricsExport
-
+
Exportando "%s"...
@@ -5512,12 +6367,12 @@ A codificação é responsável pela correta representação dos caracteres.
SongsPlugin.SongExportForm
-
+
Exportação finalizada.
-
+
A sua exportação de músicas falhou.
@@ -5525,27 +6380,32 @@ A codificação é responsável pela correta representação dos caracteres.
SongsPlugin.SongImport
-
+
copyright
-
+
As seguintes músicas não puderam ser importadas:
-
+
+
+ Não foi possível abrir OpenOffice.org ou LibreOffice
+
+
+
Não foi possível abrir o arquivo
-
+
Arquivo não encontrado
-
+
Não foi possível acessar OpenOffice ou LibreOffice
@@ -5553,7 +6413,7 @@ A codificação é responsável pela correta representação dos caracteres.
SongsPlugin.SongImportForm
-
+
Sua importação de música falhou.
@@ -5755,7 +6615,7 @@ A codificação é responsável pela correta representação dos caracteres.
- Temas
+ Temas
diff --git a/resources/i18n/ru.ts b/resources/i18n/ru.ts
index f9f7ed7eb..1f413dd87 100644
--- a/resources/i18n/ru.ts
+++ b/resources/i18n/ru.ts
@@ -1,29 +1,29 @@
-
+
AlertPlugin.AlertForm
- Вы не указали параметры для замены.
+ Вы не указали параметры для замены.
Все равно продолжить?
- Параметр не найден
+ Параметр не найден
- Заполнитель не найден
+ Заполнитель не найден
- Текст оповещения не содержит '<>.
+ Текст оповещения не содержит '<>.
Все равно продолжить?
@@ -42,7 +42,7 @@ Do you want to continue anyway?
- <strong>Плагин оповещений</strong><br />Плагин оповещений управляет отображением срочных сообщений на экране
+ <strong>Плагин оповещений</strong><br />Плагин оповещений управляет отображением срочных сообщений на экране
@@ -62,6 +62,11 @@ Do you want to continue anyway?
container title
Оповещения
+
+
+
+ <strong>Плагин оповещений</strong><br/>Плагин оповещений контролирует отображения срочной информации на экране.
+
AlertsPlugin.AlertForm
@@ -110,6 +115,30 @@ Do you want to continue anyway?
Ві не указали текста для вашего оповещения. Пожалуйста введите текст.
+
+
+
+ Параметр не найден
+
+
+
+
+ Вы не указали параметры для замены.
+Все равно продолжить?
+
+
+
+
+ Заполнитель не найден
+
+
+
+
+ Текст оповещения не содержит '<>'.
+Все равно продолжить?
+
AlertsPlugin.AlertsManager
@@ -157,31 +186,18 @@ Do you want to continue anyway?
- Импорт книг... %s
+ Импорт книг... %s
Importing verses from <book name>...
- Импорт стихов из %s...
+ Импорт стихов из %s...
- Импорт стихов... завершен.
-
-
-
- BiblePlugin
-
-
-
-
-
-
-
-
-
+ Импорт стихов... завершен.
@@ -189,22 +205,22 @@ Do you want to continue anyway?
- Ошибка загрузки
+ Ошибка загрузки
- Возникла проблема при загрузке секции стихов. Пожалуйста, проверьте параметры Интернет соединения. В случае если ошибка происходит при нормальном Интернет соединении, сообщите о ней на сайте разработчика в разделе "Ошибки".
+ Возникла проблема при загрузке секции стихов. Пожалуйста, проверьте параметры Интернет соединения. В случае если ошибка происходит при нормальном Интернет соединении, сообщите о ней на сайте разработчика в разделе "Ошибки".
- Обработка ошибки
+ Обработка ошибки
- Возникла проблема при распковкие раздела стихов. Если это ошибка будет повторяться, пожалуйста сообщите о ней.
+ Возникла проблема при распковкие раздела стихов. Если это ошибка будет повторяться, пожалуйста сообщите о ней.
@@ -212,22 +228,12 @@ Do you want to continue anyway?
- Библия загружена не полностью.
+ Библия загружена не полностью.
- Вы не можете комбинировать результат поиска для одной и двух Библий. Желаете удалить результаты поиска и начать новый поиск?
-
-
-
-
-
-
-
-
-
-
+ Вы не можете комбинировать результат поиска для одной и двух Библий. Желаете удалить результаты поиска и начать новый поиск?
@@ -256,87 +262,97 @@ Do you want to continue anyway?
Священное Писание
-
+
Книги не найдены
-
+
Не было найдено подходящей книги в этой Библии. Проверьте что вы правильно указали название книги.
-
+ Импортировать Библию.
-
+ Добавить Библию.
-
+ Изменить выбранную Библию.
-
+ Удалить выбранную Библию.
-
+ Просмотреть выбранную Библию.
-
+ Показать выбранную Библию на экране.
-
+ Добавить выбранную Библию к порядку служения.
-
+ <strong>Плагин Библии</strong><br />Плагин Библии обеспечивает возможность показывать отрывки Писания во время служения.
+
+
+
+
+ &Обновить старые Библии
+
+
+
+
+ Обновить формат базы данных для хранения Библии.
BiblesPlugin.BibleManager
-
+
- В настоящее время ни одна Библия не установлена. Пожалуйста, воспользуйтесь Мастером Импорта чтобы установить одну или более Библий.
+ В настоящее время ни одна Библия не установлена. Пожалуйста, воспользуйтесь Мастером Импорта чтобы установить одну Библию или более.
-
+
Ошибка ссылки на Писание
-
+
Веб-Библия не может быть использована
-
+
Текстовый поиск не доступен для Веб-Библий.
-
+
Вы не указали ключевое слово для поиска.
Вы можете разделить разичные ключевые слова пробелами чтобы осуществить поиск по фразе, а также можете использовать запятые, чтобы искать по каждому из указанных ключевых слов.
-
+
Книга Глава:Стих-Глава:Стих
-
+
Библии отсутствуют
@@ -365,48 +381,49 @@ Book Chapter:Verse-Chapter:Verse
-
+ Отображение стихов
-
+ Показывать только номера новых глав
-
+ Тема для отображения Библии
-
+ Без скобок
-
+ ( XXX )
-
+ { XXX }
-
+ [ XXX ]
-
+ Обратите внимание:
+Изменения не повлияют на стихи в порядке служения.
-
+ Показать альтернативный перевод
@@ -414,42 +431,42 @@ Changes do not affect verses already in the service.
-
+ Выберите название книги
-
+ Книге не было найдено внутренне соответствие. Пожалуйста, выберите соответствующее английское название из списка.
-
+ Текущее название:
-
+ Соответствующее имя:
-
+ Показать книги из
-
+ Ветхий Завет
-
+ Новый Завет
-
+ Апокрифы
@@ -457,195 +474,235 @@ Changes do not affect verses already in the service.
-
+ Вы должны выбрать книгу.
+
+
+
+ BiblesPlugin.CSVBible
+
+
+
+ Импорт книг... %s
+
+
+
+
+ Importing verses from <book name>...
+ Импорт стихов из %s...
+
+
+
+
+ Импорт стихов... завершен.
BiblesPlugin.HTTPBible
-
+
-
+ Регистрация Библии и загрузка книг...
-
+
-
+ Регистрация языка...
-
+
Importing <book name>...
-
+ Импорт %s...
+
+
+
+
+ Ошибка загрузки
+
+
+
+
+ Возникла проблема при загрузке секции стихов. Пожалуйста, проверьте параметры Интернет соединения, и случае если ошибка происходит при нормальном Интернет соединении, сообщите о ней на сайте разработчика в разделе Ошибки.
+
+
+
+
+ Ошибка обработки
+
+
+
+
+ Возникла проблема при распаковке раздела стихов. Если это ошибка будет повторяться, пожалуйста сообщите о ней.
BiblesPlugin.ImportWizardForm
-
+
-
+ Мастер импорта Библии
-
+
-
+ Этот мастер поможет вам импортировать Библию из различных форматов. Нажмите кнопку Далее чтобы начать процесс выбора формата и осуществить импорт из него.
-
+
-
+ Загрузка из Сети
-
+
Расположение:
-
+
-
+ Crosswalk
-
+
-
+ BibleGateway
-
+
-
+ Bibleserver
-
+
-
+ Библия:
-
+
-
+ Опции загрузки
-
+
-
+ Сервер:
-
+
-
+ Логин:
-
+
-
+ Пароль:
-
+
-
+ Прокси сервер (опционально)
-
+
-
+ Детали лицензии
-
+
-
+ Укажите детали лицензии на использовании Библии.
-
+
-
+ Название версии:
-
+
-
+ Авторские права:
-
+
-
+ Разрешения:
-
+
-
+ Дождитесь окончания импорта Библии.
-
+
-
+ Вам необходимо указать файл со списком книг Библии для импорта.
-
+
-
+ Вам необходимо указать файл с содержимым стихов Библии для импорта.
-
+
-
+ Вам необходимо указать название перевода Библии.
-
+
-
+ Вам необходимо указать авторские права Библии. Переводы Библии находящиеся в свободном доступе должны быть помечены как таковые.
-
+
-
+ Библия существует
-
+
-
+ Библия уже существует. Выполните импорт другой Библии или удалите существующую.
-
+
-
+ Файл CSV
-
+
-
+ Импорт Библии провалился.
-
+
-
+ Файл Библии:
-
+
-
+ Файл книг:
-
+
-
+ Файл стихов:
-
+
-
+ Файл Библии openlp.org 1.x
-
+
-
+ Регистрация Библии...
-
+
-
+ Регистрация Библии. Пожалуйста, помните о том, что стихи
+будут загружены по требованию и необходимо наличие доступа в сеть.
@@ -653,83 +710,103 @@ demand and thus an internet connection is required.
-
+ Выбор языка
-
+ OpenLP не удалось определить язык этого перевода Библии. Укажите язык перевод из списка.
-
+ Язык:
BiblesPlugin.LanguageForm
-
+
-
+ Вы должны выбрать язык.
BiblesPlugin.MediaItem
-
+
-
+ Быстрый
-
+
-
+ Альтернативный:
-
+
-
+ Поиск:
-
+
- Сборник:
+ Книга:
-
+
-
+ Глава:
-
+
-
+ Стих:
-
+
-
+ От:
-
+
-
+ До:
-
+
-
+ Поиск текста:
-
+
-
+ Ссылка на Писание
-
+
-
+ Переключать сохранения или очистки результатов.
+
+
+
+
+ Вы не можете комбинировать результат поиска для одной и двух Библий. Желаете удалить результаты поиска и начать новый поиск?
+
+
+
+
+ Библия загружена не полностью.
+
+
+
+
+ Информация
+
+
+
+
+ Альтернативный перевод Библии не содержит всех стихов, которые требует основной перевод. Будут показаны только те стихи, которые найдены в обеих вариантах перевод. %d стихов не будут включены в результаты.
@@ -738,7 +815,7 @@ demand and thus an internet connection is required.
Importing <book name> <chapter>...
-
+ Импортирую %s %s...
@@ -746,182 +823,188 @@ demand and thus an internet connection is required.
-
+ Определение кодировки (это может занять несколько минут)...
Importing <book name> <chapter>...
-
+ Импортирую %s %s...
BiblesPlugin.UpgradeWizardForm
-
+
-
+ Выберите папку для резервной копии
-
+
-
+ Мастер обновления Библии
-
+
-
+ Этот мастер поможет вам обновить существующие Библии с предыдущих версий OpenLP 2. Нажмите кнопку далее чтобы начать процесс обновления.
-
+
-
+ Выберите папку для резервной копии
-
+
-
+ Выберите папку для резервной копии ваших Библий
-
+
-
+ Предыдущий релиз OpenLP 2.0 не может использовать обновленные Библии. Мы создаем резервную копию ваших Библий для того, чтобы вы могли просто скопировать файлы данных в папку данных OpenLP если у вас возникнет необходимость вернуться на предыдущую версию OpenLP. Инструкции о том, как восстановить файлы могут быть найдены на сайте <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>.
-
+
-
+ Пожалуйста, укажите расположение резервной копии ваших Библий.
-
+
-
+ Директория резервной копии:
-
+
-
+ Выполнять резервное копирование Библий нет необходимости
-
+
-
+ Выберите Библии
-
+
-
+ Выберите Библии для обновления
+
+
+
+
+ Название версии:
-
-
-
-
-
-
+ Эта Библия все еще существует. Пожалуйста, измените имя или снимите с нее отметку.
-
+
-
+ Обновление
-
+
-
+ Пожалуйста, подождите пока выполнится обновление Библий.
-
-
-
-
-
-
+
-
+ Вы должны указать название версии Библии.
-
+
-
+ Библия существует
-
+
-
+ Библия уже существует. Пожалуйста, обновите другую Библию, удалите существующую, или отмените выбор текущей.
-
-
-
-
-
-
+
-
+ Обновление Библий %s из %s: "%s"
+Провалилось
-
+
-
+ Обновление Библий %s из %s: "%s"
+Обновление ...
-
+
Ошибка загрузки
-
+
-
+ Обновление Библий %s из %s: "%s"
+Обновление %s ...
-
+
-
+ , %s провалилось
-
+
-
+ Обновление Библии(ий): %s успешно%s
-
+
-
+ Обновление провалилось.
-
+
-
+ Не удалось создать резервную копию.
+Для создания резервной копии ваших Библий вы должны обладать правами записи в указанную директорию.
-
-
-
-
-
-
+
-
+ Для выполнения обновления сетевых Библий необходимо наличие интернет соединения.
-
+
-
+ Обновление Библий %s из %s: "%s"
+Завершено
-
+
-
+ Обновление Библии(й): %s успешно %s
+Пожалуйста, помните, что стихи сетевых Библий загружаются по требованию, поэтому необходимо наличие интернет соединения.
+
+
+
+
+ Необходимо указать директорию резервного копирования ваших Библий.
+
+
+
+
+ Начинаю обновление...
+
+
+
+
+ Нет Библий, которым необходимо обновление.
@@ -929,13 +1012,13 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
-
+ <strong>Плагин специальных слайдов</strong><br />Плагин специальных слайдов дает возможность создания специальных текстовых слайдов, который могут быть показаны подобно слайдам песен. Этот плагин дает больше свободы по сравнению с плагином песен.
name singular
-
+ Специальный слайд
@@ -947,47 +1030,47 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
container title
-
+ Специальные слайды
-
+ Загрузить новый специальный слайд.
-
+ Импортировать специальный слайд.
-
+ Добавить новый специальный слайд.
-
+ Изменить выбранный специальный слайд.
-
+ Удалить выбранный специальный слайд.
-
+ Просмотреть выбранный специальный слайд.
-
+ Показать выбранный специальный слайд на экран.
-
+ Добавить выбранный специальный слайд к порядку служения.
@@ -995,12 +1078,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
-
+ Отображение
-
+ Показывать подпись
@@ -1008,22 +1091,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
-
+ Редактор специальных слайдов
- &Название:
+ &Заголовок:
-
+ Добавить новый слайд вверх.
-
+ Изменить выбранный слайд.
@@ -1033,45 +1116,49 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
-
+ Редактировать все слайды сразу.
-
+ Те&ма:
-
+ &Подпись:
-
+
-
+ Необходимо ввести название:
-
+
-
+ Необходимо добавить как минимум один слайд
-
+ Разделить слайд, добавив к нему разделитель.
-
+ Вставить слайд
- GeneralTab
-
-
-
-
+ CustomPlugin.MediaItem
+
+
+
+
+ Вы уверены, что хотите удалить %n выбранный слайд?
+ Вы уверены, что хотите удалить %n выбранных слайда?
+ Вы уверены, что хотите удалить %n выбранных слайдов?
+
@@ -1102,37 +1189,37 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
-
+ Загрузить новое изображение.
-
+ Добавить новое изображение
-
+ Изменить выбранное изображение.
-
+ Удалить выбранное изображение.
-
+ Просмотреть выбранное изображение.
-
+ Отправить выбранное изображение на проектор.
-
+ Добавить выбранное изображение к служению.
@@ -1146,49 +1233,54 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
ImagePlugin.MediaItem
-
+
Выбрать Изображение(я)
-
+
Вы должны выбрать изображение для удаления.
-
+
- Отсутствующие Изображения
+ Отсутствует изображение(я)
-
+
Следующие изображения больше не существуют: %s
-
+
- Следующие изображения больше не существуют: %s
+ Следующих изображений больше не существуют: %s
Добавить остальные изображения?
-
+
- Вы должны выбрать изображения, которым следует заменить фон.
+ Вы должны выбрать изображение, которым следует заменить фон.
-
+
Возникла проблема при замене Фона проектора, файл "%s" больше не существует.
+
+
+
+
+
MediaPlugin
- <strong>Плагин Медиа</strong><br />Плагин Медиа обеспечивает проигрывание аудио и видео файлов.
+ <strong>Плагин Мультимедиа</strong><br />Плагин Мультимедиа обеспечивает проигрывание аудио и видео файлов.
@@ -1206,88 +1298,93 @@ Do you want to add the other images anyway?
container title
- Медиа
+ Мультимедиа
-
+ Загрузить новый объект мультимедиа.
-
+ Добавить новый объект мультимедиа.
-
+ Изменить выбранный объект мультимедиа.
-
+ Удалить выбранный мультимедиа объект.
-
+ Просмотреть выбранный объект мультимедиа.
-
+ Отправить выбранный объект мультимедиа на проектор.
-
+ Добавить выбранный объект к порядку служения.
MediaPlugin.MediaItem
-
+
- Выбрать медиафайл
+ Выбрать объект мультимедиа.
-
+
- Для замены фона вы должны выбрать видеофайл.
+ Для замены фона вы должны выбрать мультимедиа объект.
-
+
Возникла проблема замены фона, поскольку файл "%s" не найден.
-
+
- Отсутствует медиафайл
+ Отсутствует медиа-файл
-
+
Файл %s не существует.
-
+
- Вы должны выбрать медиафайл для удаления.
+ Вы должны выбрать медиа-файл для удаления.
-
+
Videos (%s);;Audio (%s);;%s (*)
+
+
+
+
+
MediaPlugin.MediaTab
- Отображение Медиа
+ Отображение Мультимедиа
@@ -1298,21 +1395,23 @@ Do you want to add the other images anyway?
OpenLP
-
+
Файлы изображений
-
+ Информация
-
+ Формат Библий был изменен.
+Вы должны обновить существующие Библии.
+Выполнить обновление прямо сейчас?
@@ -1320,7 +1419,7 @@ Should OpenLP upgrade now?
-
+ Разрешения
@@ -1330,22 +1429,22 @@ Should OpenLP upgrade now?
-
+ Вклад
- Билд %s
+ билд %s
-
+ Это программа является свободным программным обеспечением; вы можете свободно распространять ее и/или изменять в рамках GNU General Public License, которая опубликована Фондом бесплатного программного обеспечения, версия 2 этой лицензии.
-
+ Эта программа распространяется в надежде, что она будет полезна, но БЕЗ КАКИХ-ЛИБО ГАРАНТИЙ; даже без подразумеваемой гарантии ТОВАРНОЙ ПРИГОДНОСТИ или ПРИГОДНОСТИ ДЛЯ ОСОБЫХ НУЖД. Детали смотрите ниже.
@@ -1410,7 +1509,67 @@ Final Credit
on the cross, setting us free from sin. We
bring this software to you for free because
He has set us free.
-
+ Руководитель проекта
+%s
+
+Разработчики
+%s
+
+Спонсоры
+%s
+
+Тестировщики
+%s
+
+Файлы инсталяции
+%s
+
+Переводчики
+Afrikaans (af)
+%s
+German (de)
+%s
+English, United Kingdom (en_GB)
+%s
+English, South Africa (en_ZA)
+%s
+Estonian (et)
+%s
+French (fr)
+%s
+Hungarian (hu)
+%s
+Japanese (ja)
+%s
+Norwegian Bokmål (nb)
+%s
+Dutch (nl)
+%s
+Portuguese, Brazil (pt_BR)
+%s
+Русский (ru)
+%s
+
+Документация
+%s
+
+Продукт создан с использованием
+Python: http://www.python.org/
+Qt4: http://qt.nokia.com/
+PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro
+Oxygen Icons: http://oxygen-icons.org/
+
+Заключительные признательности
+"Ибо так возлюбил Бог мир, что отдал
+Сына Своего Единородного, дабы всякий
+верующий в Него, не погиб, но имел
+жизнь вечную.." -- Ин 3:16
+
+И последняя, но не менее важная признательность
+Богу Отцу, который послал Своего Сына на смерть
+на кресте, чтобы освободить нас от греха. Мы
+даем эту программу без платы потому, что
+Он освободил нас, не требуя платы.
@@ -1421,13 +1580,20 @@ OpenLP is free church presentation software, or lyrics projection software, used
Find out more about OpenLP: http://openlp.org/
OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider contributing by using the button below.
-
+ OpenLP <version><revision> - Свободно ПО для показа слов песен
+
+OpenLP это свободно ПО для церкви, используемое для показа песен, Библейских стихов, видео-роликов, изображений и даже презентаций (если установлены продукты Impress, PowerPoint или PowerPointViewer), с использованием компьютера и проектора.
+
+Узнайте больше про OpenLP: http://openlp.org/
+
+OpenLP написано и поддерживается добровольцами. Если вы хотите видеть больше свободного ПО, написанного христианами, пожалуйста, подумайте о том, чтобы поддержать нас, используя кнопку ниже.
-
+ Copyright © 2004-2011 %s
+Portions copyright © 2004-2011 %s
@@ -1435,47 +1601,47 @@ Portions copyright © 2004-2011 %s
-
+ Настройки интерфейса
-
+ Количество недавних файлов:
-
+ Запоминать активную вкладу при запуске
-
+ Использовать двойной щелчок для запуска на проектор
-
+ Разворачивать новый объект служения
-
+ Разрешить подтверждения при выходе
-
+ Курсор мыши
-
+ Прятать курсор мыши когда он над окном показа
-
+ Изображение по умолчанию
@@ -1485,118 +1651,118 @@ Portions copyright © 2004-2011 %s
-
+ Файл изображения:
-
+ Открыть файл
-
+ Просматривать объекты по клику в Менеджере мультимедиа
- Дополнительно
+ Расширенные настройки
-
+ Выберите цвет
-
+ Укажите файл для показа
-
+ Возврат к логотипу OpenLP
OpenLP.DisplayTagDialog
-
+
-
+ Редактор тегов
-
+
-
+ Описание
+
+
+
+
+ Тег
+
+
+
+
+ Начальный тег
-
-
-
-
-
-
-
-
-
-
-
+ Конечный тег
-
+
-
+ Дескриптор тега
-
+
-
+ Начальный тег HTML
-
+
-
+ Конечный тег HTML
-
+
-
+ Сохранить
OpenLP.DisplayTagTab
-
+
-
+ Ошибка обновления
-
+ Тег "n" уже определен.
-
+
-
+ Тег %s уже определен.
-
+ Новый тег
-
+ </и здесь>
-
+ <HTML сюда>
@@ -1604,82 +1770,82 @@ Portions copyright © 2004-2011 %s
-
+ Красный
-
+ Черный
-
+ Синий
-
+ Желтый
-
+ Зеленый
-
+ Розовый
-
+ Оранжевый
-
+ Пурпурный
-
+ Белый
-
+ Надстрочный
-
+ Подстрочный
-
+ Абзац
-
+ Жирный
-
+ Курсив
-
+ Подчеркнутый
-
+ Разрыв
@@ -1687,38 +1853,39 @@ Portions copyright © 2004-2011 %s
-
+ Произошла ошибка.
-
+ Ой! OpenLP столкнулся с ошибкой и не смог обработать ее. Текст ниже содержит информацию, которая может быть полезна разработчикам продукта, поэтому, пожалуйста, отправьте ее на bugs@openlp.org, добавив к этому письму детальное описание того, что вы делали в то время, когда возникла ошибка.
-
+ Послать e-mail
-
+ Сохранить в файл
-
+ Пожалуйста, опишите сценарий возникновения ошибки
+(Минимум 20 символов)
-
+ Добавить файл
-
+ Символы описания: %s
@@ -1756,8 +1923,8 @@ Version: %s
--- Library Versions ---
%s
- **OpenLP Bug Report**
-Version: %s
+ **Сообщение об ошибке OpenLP**
+Версия: %s
--- Details of the Exception. ---
@@ -1788,7 +1955,7 @@ Version: %s
%s
Please add the information that bug reports are favoured written in English.
- *OpenLP Bug Report*
+ *Сообщение об ошибке OpenLP*
Version: %s
--- Details of the Exception. ---
@@ -1809,17 +1976,17 @@ Version: %s
-
+ Имя нового файла:
-
+ Файл для копирования
-
+ Имя файла
@@ -1827,17 +1994,17 @@ Version: %s
-
+ Выбор перевода
-
+ Укажите перевод, который вы хотели бы использовать в OpenLP.
-
+ Перевод:
@@ -1845,48 +2012,43 @@ Version: %s
-
+ Загрузка %s...
-
+
-
+ Загрузка завершена. Нажмите кнопку Завершить для запуска OpenLP.
-
+
-
+ Разрешение выбранных плагинов...
-
+ Мастер первого запуска
-
+ Добро пожаловать в Мастер первого запуска
-
+ Активируйте необходимые Плагины
-
+ Выберите плагины, которые вы хотите использовать
Псалмы
-
-
-
-
-
@@ -1900,37 +2062,37 @@ Version: %s
-
+ Презентации
-
+ Мультимедиа (Видео и Аудио)
-
+ Удаленный доступ
-
+ Отслеживать использование песен
-
+ Разрешить оповещения
-
+ Отсутствует интернет соединение
-
+ Не удалось найти соединение с интернетом.
@@ -1939,215 +2101,403 @@ Version: %s
To re-run the First Time Wizard and import this sample data at a later stage, press the cancel button now, check your Internet connection, and restart OpenLP.
To cancel the First Time Wizard completely, press the finish button now.
-
+ Соединение с интернетом не было найдено. Для Мастера первого запуска необходимо наличие интернет-соединения чтобы загрузить образцы песен, Библию и темы.
+
+Чтобы перезапустить Мастер первого запуска и импортировать данные позже, нажмите кнопку Отмена, проверьте интернет-соединение и перезапустите OpenLP.
+
+Чтобы полностью отменить запуск Мастера первого запуска, нажмите кнопку Завершить.
-
+ Готовые сборники
-
+ Выберите и загрузите песни.
-
+ Библии
-
+ Выберите и загрузите Библии
-
+ Образцы тем
-
+ Выберите и загрузите темы.
-
+ Настройки по умолчанию
-
+ Установите настройки по умолчанию для использования в OpenLP.
-
+ Дисплей для показа по умолчанию:
-
+ Тема по умолчанию:
-
+ Запуск процесса конфигурирования...
-
+ Этот мастер поможет вам настроить OpenLP для первого использования. Чтобы приступить, нажмите кнопку Далее.
-
+
-
-
-
-
-
-
-
-
-
-
-
+ Настройка и загрузка
+
+ Пожалуйста, дождитесь пока OpenLP применит настройки и загрузит данные.
+
+
+
+
+ Настройка
+
+
+
+ Нажмите кнопку Завершить чтобы запустить OpenLP.
+
+
+
+
+ Специальные Слайды
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTagDialog
+
+
+
+
+
+
+
+
+ Редактор тегов
+
+
+
+
+ Сохранить
+
+
+
+
+ Описание
+
+
+
+
+ Тег
+
+
+
+
+ Начальный тег
+
+
+
+
+ Конечный тег
+
+
+
+
+ Дескриптор тега
+
+
+
+
+ Начальный тег HTML
+
+
+
+
+ Конечный тег HTML
+
+
+
+ OpenLP.FormattingTagForm
+
+
+
+ Ошибка обновления
+
+
+
+
+ Тег "n" уже определен.
+
+
+
+
+ Новый тег
+
+
+
+
+ <HTML сюда>
+
+
+
+
+ </и здесь>
+
+
+
+
+ Тег %s уже определен.
+
+
+
+ OpenLP.FormattingTags
+
+
+
+ Красный
+
+
+
+
+ Черный
+
+
+
+
+ Синий
+
+
+
+
+ Желтый
+
+
+
+
+ Зеленый
+
+
+
+
+ Розовый
+
+
+
+
+ Оранжевый
+
+
+
+
+ Пурпурный
+
+
+
+
+ Белый
+
+
+
+
+ Надстрочный
+
+
+
+
+ Подстрочный
+
+
+
+
+ Абзац
+
+
+
+
+ Жирный
+
+
+
+
+ Курсив
+
+
+
+
+ Подчеркнутый
+
+
+
+
+ Разрыв
+
OpenLP.GeneralTab
-
+ Общие
-
+ Мониторы
-
+ Выберите монитор для показа:
-
+ Выполнять на одном экране
-
+ Запуск приложения
-
+ Показывать предупреждение об очистке экрана
-
+ Автоматически загружать последнее служение
-
+ Показывать заставку
-
+ Проверять обновления OpenLP
-
+ Настройки приложения
-
+ Запрос сохранения перед созданием нового служения
-
+ Автоматически просматривать следующий объект в служении
-
+ сек
-
+ Детали CCLI
-
+ SongSelect логин:
-
+ SongSelect пароль:
-
+ Положение дисплея
-
+ Х
-
+ Y
-
+ Высота
-
+ Ширина
-
+ Сместить положение показа
-
+ Снимать блокировку дисплея при добавлении нового объекта
-
+ Разрешить слайдам циклический переход
-
+ Интервал показа:
@@ -2155,18 +2505,18 @@ To cancel the First Time Wizard completely, press the finish button now.
-
+ Язык
-
+ Перезагрузите OpenLP чтобы использовать новые языковые настройки.
OpenLP.MainDisplay
-
+
Дисплей OpenLP
@@ -2174,324 +2524,324 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainWindow
-
+
&Файл
-
+
&Импорт
-
+
&Экспорт
-
+
&Вид
-
+
Р&ежим
-
+
&Инструменты
-
+
&Настройки
-
+
&Язык
-
+
&Помощь
-
+
- Управление Материалами
+ Менеджер Мультимедиа
-
+
- Управление Служением
+ Менеджер служения
-
+
- Управление Темами
+ Менеджер Тем
-
+
&Новая
-
+
&Открыть
-
+
Открыть существующее служение.
-
+
&Сохранить
-
+
Сохранить текущее служение на диск.
-
+
Сохранить к&ак...
-
+
Сохранить служение как
-
+
Сохранить текущее служение под новым именем.
-
+
Вы&ход
-
+
Завершить работу OpenLP
-
+
Т&ема
-
+
Настройки и б&ыстрые клавиши...
-
+
&Настроить OpenLP...
-
+
Управление &Материалами
-
+
Свернуть Менеджер Медиа
-
+
- Свернуть видимость Менеджера Медиа.
+ Свернуть видимость менеджера мультимедиа.
-
+
Управление &темами
-
+
Свернуть Менеджер Тем
-
+
Свернуть видимость Менеджера Тем.
-
+
Управление &Служением
-
+
Свернуть Менеджер Служения
-
+
Свернуть видимость Менеджера Служения.
-
+
Пан&ель предпросмотра
-
+
Toggle Preview Panel
-
+
Toggle the visibility of the preview panel.
-
+
&Панель проектора
-
+
Toggle Live Panel
-
+
Toggle the visibility of the live panel.
-
+
&Список плагинов
-
+
Выводит список плагинов
-
+
&Руководство пользователя
-
+
&О программе
-
+
Больше информации про OpenLP
-
+
&Помощь онлайн
-
+
&Веб-сайт
-
+
Использовать системный язык, если доступно.
-
+
Изменить язык интерфеса на %s
-
+
Добавить &Инструмент...
-
+
Добавить приложение к списку инструментов
-
+
&По умолчанию
-
+
Установить вид в режим по умолчанию.
-
+
&Настройка
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -2502,40 +2852,88 @@ You can download the latest version from http://openlp.org/.
Английский
-
-
-
-
-
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Clear List of recent files
+
+
+
+
+
+
+
OpenLP.MediaManagerItem
@@ -2545,54 +2943,69 @@ You can download the latest version from http://openlp.org/.
Объекты не выбраны
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
@@ -2642,12 +3055,12 @@ This filename is already in the list
OpenLP.PrintServiceDialog
-
+
-
+
@@ -2655,70 +3068,80 @@ This filename is already in the list
OpenLP.PrintServiceForm
-
+
-
-
-
-
-
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ScreenList
@@ -2733,10 +3156,23 @@ This filename is already in the list
+
+ OpenLP.ServiceItem
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceItemEditForm
-
+
Изменить порядок служения
@@ -2744,256 +3180,271 @@ This filename is already in the list
OpenLP.ServiceManager
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+ Открыть файл
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceNoteForm
-
+
Заметки к элементам служения
@@ -3008,11 +3459,6 @@ The content encoding is not UTF-8.
OpenLP.ShortcutListDialog
-
-
-
-
-
@@ -3024,12 +3470,12 @@ The content encoding is not UTF-8.
-
+
-
+
@@ -3064,45 +3510,50 @@ The content encoding is not UTF-8.
-
+
-
+
+
+
+
+
+
OpenLP.SlideController
-
+
-
+
-
+
-
+
-
+
-
+
@@ -3127,30 +3578,20 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
-
-
-
-
-
-
-
-
-
@@ -3180,19 +3621,19 @@ The content encoding is not UTF-8.
OpenLP.SpellTextEdit
-
+
-
+
-
+
-
+ Язык:
@@ -3284,191 +3725,197 @@ The content encoding is not UTF-8.
OpenLP.ThemeManager
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+ Copy of <theme name>
+
+
OpenLP.ThemeWizard
@@ -3590,7 +4037,7 @@ The content encoding is not UTF-8.
-
+ Жирный
@@ -3712,6 +4159,16 @@ The content encoding is not UTF-8.
+
+
+
+
+
+
+
+
+
+
OpenLP.ThemesTab
@@ -3755,31 +4212,36 @@ The content encoding is not UTF-8.
+
+
+
+ Темы
+
OpenLP.Ui
-
+
Ошибка
-
+
У&далить
-
+
Удалить выбранный элемент.
-
+
Переместить выше.
-
+
Переместить ниже.
@@ -3829,40 +4291,40 @@ The content encoding is not UTF-8.
Создать новый порядок служения.
-
+
&Изменить
-
+
Пустое поле
-
+
Экспорт
-
+
Abbreviated font pointsize unit
пт
-
+
Изображение
-
+
Импорт
- Длина %s
+ Длина %s
@@ -3934,85 +4396,85 @@ The content encoding is not UTF-8.
OpenLP 2.0
-
+
Предпросмотр
-
+
Заменить Фон
-
+
Сбросить Фон
-
+
The abbreviated unit for seconds
сек
-
+
Сохранить и просмотреть
-
+
Поиск
-
+
Вы должны выбрать объект для удаления.
-
+
Вы должны выбрать объект для изменения.
-
+
Сохранить порядок служения
-
+
Служение
-
+
Начало %s
-
+
Singular
Тема
-
+
Plural
Темы
-
+
-
+
Версия
-
+
&Вертикальная привязка:
@@ -4078,12 +4540,12 @@ The content encoding is not UTF-8.
Вы должны указатть по крайней мере %s файл для импорта из него.
-
+
Добро пожаловать в Мастер импорта Библий
-
+
Добро пожаловать в Мастер экспорта песен
@@ -4140,38 +4602,38 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
-
+
The abbreviated unit for hours
-
+
@@ -4192,37 +4654,37 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -4237,12 +4699,12 @@ The content encoding is not UTF-8.
-
+
-
+
@@ -4252,36 +4714,53 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
-
-
- OpenLP.displayTagDialog
-
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
@@ -4302,13 +4781,13 @@ The content encoding is not UTF-8.
name plural
-
+ Презентации
container title
-
+ Презентации
@@ -4339,52 +4818,52 @@ The content encoding is not UTF-8.
PresentationPlugin.MediaItem
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -4436,12 +4915,12 @@ The content encoding is not UTF-8.
RemotePlugin.Mobile
-
+
-
+
@@ -4451,80 +4930,80 @@ The content encoding is not UTF-8.
Управление Служением
-
+
-
+
Оповещения
-
+
Поиск
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
-
-
-
-
-
+
-
+
+
+
+
+
+
RemotePlugin.RemoteTab
@@ -4557,68 +5036,78 @@ The content encoding is not UTF-8.
SongUsagePlugin
-
+
&Отслеживание использования песен
-
+
&Удалить данные отслеживания
-
+
Удалить данные использования песен до указанной даты.
-
+
&Извлечь данные использования
-
+
Отчет по использованию песен.
-
+
-
+
-
+
<strong>Плагин Использования песен</strong><br />Этот плагин отслеживает использование песен в служениях.
-
+
name singular
Использование песен
-
+
name plural
Использование песен
-
+
container title
Использование песен
-
+
+
+
+
+
+
+
+
+
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4930,190 +5419,197 @@ The encoding is responsible for the correct character representation.
SongsPlugin.EasyWorshipSongImport
-
+
Администрируется %s
+
+
+
+
+
SongsPlugin.EditSongForm
-
+
Редактор Песен
-
+
&Название:
-
+
До&полнительное название:
-
+
&Слова:
-
+
П&орядок куплтов:
-
+
Редактировать &все
-
+
Название и слова
-
+
Д&обавить к песне
-
+
Уда&лить
-
+
&Управление Авторами, Темами и Сборниками песен
-
+
Д&обавить к песне
-
+
Уда&лить
-
+
Сборник:
-
+
Номер:
-
+
Авторы, Темы и Сборники песен
-
+
Новая &Тема
-
+
Информация об авторских правах
-
+
Комментарии
-
+
Тема, информация об авторских правах и комментарии
-
+
Добавить Автора
-
+
Этот автор не существует. Хотите добавить его?
-
+
Такой автор уже присутсвует в списке.
-
+
Вы не выбрали подходящего автора. Выберите автора из списка, или введите нового автора и выберите "Добавить Автора к Песне", чтобы добавить нового автора.
-
+
Добавить Тему
-
+
Эта тема не существует. Хотите добавить её?
-
+
Такая тема уже присутсвует в списке.
-
+
Вы не выбрали подходящую тему. Выберите тему из списка, или введите новую тему и выберите "Добавить Тему к Песне", чтобы добавить новую тему.
-
+
Вы должны указать название песни.
-
+
Вы должны ввести по крайней мере один куплет.
-
+
Вы должны добавить автора к этой песне.
-
+
Порядок куплетов указан неверно. Нет куплета, который бы соответсвовал %s. Правильными записями являютеся %s.
-
+
Предупреждение
-
+
Вы не используете %s нигде в порядке куплетов. Вы уверены, что хотите сохранить песню в таком виде?
-
+
Добавить Книгу
-
+
Этот сборник песен не существует. Хотите добавить его?
-
+
Вы должны указать какой-то текст в этом куплете.
@@ -5144,82 +5640,82 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ExportWizardForm
-
+
Мастер экспорта песен
-
+
Этот мастер поможет вам экспортировать песни в открытый и свободный формат OpenLyrics.
-
+
Выберите песни
-
+
Выберите песни, который вы хотите экспортировать.
-
+
Сбросить все
-
+
Выбрать все
-
+
Выбрать словарь
-
+
Папка:
-
+
Экспортирую
-
+
Пожалуйста дождитесь пока экспорт песен будет завершен.
-
+
Вы должны добавить по крайней мере одну песню для экспорта.
-
+
Не выбрано место сохранения
-
+
Начинаю экспорт...
-
+
Вы должны указать папку.
-
+
Выберите целевую папку
-
+
@@ -5267,47 +5763,47 @@ The encoding is responsible for the correct character representation.
Дождитесь, пока песни будут импортированы.
-
+
База данных OpenLP 2.0
-
+
База данных openlp.org v1.x
-
+
-
+
Выберите файл документа или презентации
-
+
Вы должны указать по крайней мере один документ или презентацию, чтобы осуществить импорт из них.
-
+
Файлы песен Songs Of Fellowship
-
+
Файлы SongBeamer
-
+
Файлы SongShow Plus
-
+
Foilpresenter Song Files
@@ -5319,7 +5815,7 @@ The encoding is responsible for the correct character representation.
-
+ Сохранить в файл
@@ -5335,27 +5831,27 @@ The encoding is responsible for the correct character representation.
SongsPlugin.MediaItem
-
+
Всю песню
-
+
Название
-
+
Слова
- Удалить песню(и)?
+ Удалить песню(и)?
-
+
Вы уверены, что хотите удалить %n выбранную песню?
@@ -5364,20 +5860,26 @@ The encoding is responsible for the correct character representation.
-
+
Лицензия CCLI:
-
+
+
+
+
+ For song cloning
+
+
SongsPlugin.OpenLP1SongImport
-
+
@@ -5393,7 +5895,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.OpenLyricsExport
-
+
Экспортирую "%s"...
@@ -5424,12 +5926,12 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongExportForm
-
+
-
+
@@ -5437,27 +5939,27 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImport
-
+
-
+
-
+
-
+
-
+
@@ -5465,7 +5967,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImportForm
-
+
@@ -5667,7 +6169,7 @@ The encoding is responsible for the correct character representation.
- Темы
+ Темы
diff --git a/resources/i18n/sv.ts b/resources/i18n/sv.ts
index 0751661ee..3940470cb 100644
--- a/resources/i18n/sv.ts
+++ b/resources/i18n/sv.ts
@@ -1,29 +1,24 @@
-
+
AlertPlugin.AlertForm
- Du har inte angivit någon parameter som kan ersättas.
+ Du har inte angivit någon parameter som kan ersättas.
Vill du fortsätta ändå?
- Inga parametrar hittades
-
-
-
-
-
+ Inga parametrar hittades
- Larmmeddelandet innehåller inte '<>'.
+ Larmmeddelandet innehåller inte '<>'.
Vill du fortsätta ändå?
@@ -42,7 +37,7 @@ Vill du fortsätta ändå?
- <strong>Larmplugin</strong><br />Larmpluginen kontrollerar visningen av larmmeddelande på visningsskärmen
+ <strong>Larmplugin</strong><br />Larmpluginen kontrollerar visningen av larmmeddelande på visningsskärmen
@@ -62,6 +57,11 @@ Vill du fortsätta ändå?
container title
Larm
+
+
+
+
+
AlertsPlugin.AlertForm
@@ -110,6 +110,30 @@ Vill du fortsätta ändå?
&Parameter:
+
+
+
+ Inga parametrar hittades
+
+
+
+
+ Du har inte angivit någon parameter som kan ersättas.
+Vill du fortsätta ändå?
+
+
+
+
+
+
+
+
+
+ Larmmeddelandet innehåller inte '<>'.
+Vill du fortsätta ändå?
+
AlertsPlugin.AlertsManager
@@ -157,31 +181,18 @@ Vill du fortsätta ändå?
- Importerar böcker... %s
+ Importerar böcker... %s
Importing verses from <book name>...
- Importerar verser från %s...
+ Importerar verser från %s...
- Importerar verser... klart.
-
-
-
- BiblePlugin
-
-
-
-
-
-
-
-
-
+ Importerar verser... klart.
@@ -189,22 +200,22 @@ Vill du fortsätta ändå?
- Fel vid nerladdning
+ Fel vid nerladdning
- Fel vid analys
+ Fel vid analys
- Det var problem med nerladdningen av versurvalet. Kontrollera internetuppkopplingen och om problemet återkommer fundera på att rapportera det som en bugg.
+ Det var problem med nerladdningen av versurvalet. Kontrollera internetuppkopplingen och om problemet återkommer fundera på att rapportera det som en bugg.
- Det var ett problem att extrahera ditt vers-val. Om problemet uppstår igen, överväg att rapportera en bugg.
+ Det var ett problem att extrahera ditt vers-val. Om problemet uppstår igen, överväg att rapportera en bugg.
@@ -212,22 +223,12 @@ Vill du fortsätta ändå?
- Bibeln är inte helt laddad.
+ Bibeln är inte helt laddad.
- Du kan inte kombinera sökresultat från en bibel och två biblar. Vill du ta bort dina sökresultat och starta en ny sökning?
-
-
-
-
-
-
-
-
-
-
+ Du kan inte kombinera sökresultat från en bibel och två biblar. Vill du ta bort dina sökresultat och starta en ny sökning?
@@ -256,12 +257,12 @@ Vill du fortsätta ändå?
Biblar
-
+
Ingen bok hittades
-
+
Ingen bok hittades i vald bibel. Kontrollera stavningen på bokens namn.
@@ -305,38 +306,48 @@ Vill du fortsätta ändå?
+
+
+
+
+
+
+
+
+
+
BiblesPlugin.BibleManager
-
+
Felaktigt bibelställe
-
+
Bibel på webben kan inte användas
-
+
Textsökning är inte tillgänglig för bibel på webben.
-
+
Du angav inget sökord.
Du kan ange flera sökord avskilda med mellanslag för att söka på alla sökord och du kan avskilja sökorden med kommatecken för att söka efter ett av sökorden.
-
+
Det finns ingen bibel installerad. Använd guiden för bibelimport och installera en eller flera biblar.
-
+
-
+
Inga biblar tillgängliga.
@@ -454,189 +465,228 @@ Changes do not affect verses already in the service.
+
+ BiblesPlugin.CSVBible
+
+
+
+ Importerar böcker... %s
+
+
+
+
+ Importing verses from <book name>...
+ Importerar verser från %s...
+
+
+
+
+ Importerar verser... klart.
+
+
BiblesPlugin.HTTPBible
-
+
-
+
-
+
Importing <book name>...
+
+
+
+ Fel vid nerladdning
+
+
+
+
+ Det var problem med nerladdningen av versurvalet. Kontrollera internetuppkopplingen och om problemet återkommer fundera på att rapportera det som en bugg.
+
+
+
+
+ Fel vid analys
+
+
+
+
+ Det var ett problem att extrahera ditt vers-val. Om problemet uppstår igen, överväg att rapportera en bugg.
+
BiblesPlugin.ImportWizardForm
-
+
Guiden för bibelimport
-
+
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.
-
+
Nedladdning från internet
-
+
Placering:
-
+
Crosswalk
-
+
BibleGateway
-
+
Bibel:
-
+
Alternativ för nedladdning
-
+
Server:
-
+
Användarnamn:
-
+
Lösenord:
-
+
Proxyserver (Frivilligt)
-
+
Licensuppgifter
-
+
Skriv in bibelns licensuppgifter.
-
+
Versionsnamn:
-
+
Copyright:
-
+
Vänta medan din bibel importeras.
-
+
Du måste välja en fil med bibelböcker att använda i importen.
-
+
Du måste specificera en fil med bibelverser att importera.
-
+
Du måste ange ett versionsnamn för din bibel.
-
+
Bibeln finns redan
-
+
Din bibelimport misslyckades.
-
+
-
+
Denna Bibeln finns redan. Importera en annan Bibel eller radera den nuvarande.
-
+
Tillstånd:
-
+
CSV-fil
-
+
Bibelserver
-
+
Bibelfil:
-
+
Bokfil:
-
+
Versfil:
-
+
openlp.org 1.x bibelfiler
-
+
Registrerar bibel...
-
+
@@ -663,7 +713,7 @@ demand and thus an internet connection is required.
BiblesPlugin.LanguageForm
-
+
@@ -671,60 +721,80 @@ demand and thus an internet connection is required.
BiblesPlugin.MediaItem
-
+
Snabb
-
+
Hitta:
-
+
Bok:
-
+
Kapitel:
-
+
Vers:
-
+
Från:
-
+
Till:
-
+
Textsökning
-
+
Andra:
-
+
-
+
+
+
+
+ Du kan inte kombinera sökresultat från en bibel och två biblar. Vill du ta bort dina sökresultat och starta en ny sökning?
+
+
+
+
+ Bibeln är inte helt laddad.
+
+
+
+
+
+
+
+
+
+
+
BiblesPlugin.Opensong
@@ -752,171 +822,161 @@ demand and thus an internet connection is required.
BiblesPlugin.UpgradeWizardForm
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
- Versionsnamn:
+ Versionsnamn:
-
-
-
-
-
-
+
-
+
-
-
-
-
-
-
+
- Du måste ange ett versionsnamn för din bibel.
+ Du måste ange ett versionsnamn för din bibel.
-
+
- Bibeln finns redan
+ Bibeln finns redan
-
-
-
-
-
-
-
-
-
-
-
+
-
+
-
+
Fel vid nerladdning
-
+
-
+
-
+
-
+
-
+
-
-
-
-
-
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
CustomPlugin
@@ -1024,6 +1084,11 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
Redigera alla diabilder på en gång.
+
+
+
+ Dela diabilden
+
@@ -1040,12 +1105,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
-
+
Du måste ange en titel.
-
+
Du måste lägga till minst en diabild
@@ -1061,11 +1126,29 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
- GeneralTab
+ CustomPlugin.MediaItem
+
+
+
+
+
+
+
+
+
+
+ CustomsPlugin
-
-
-
+
+
+ name singular
+ Anpassad
+
+
+
+
+ container title
+ Anpassad
@@ -1093,6 +1176,31 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
container title
Bilder
+
+
+
+ Ladda en ny bild.
+
+
+
+
+ Lägg till en ny bild.
+
+
+
+
+ Redigera den valda bilden.
+
+
+
+
+ Radera den valda bilden.
+
+
+
+
+ Förhandsgranska den valda bilden.
+
@@ -1140,42 +1248,47 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
ImagePlugin.MediaItem
-
+
Välj bild(er)
-
+
Du måste välja en bild som skall tas bort.
-
+
Du måste välja en bild att ersätta bakgrundsbilden med.
-
+
Bild(er) saknas
-
+
Följande bild(er) finns inte längre: %s
-
+
Följande bild(er) finns inte längre: %s
Vill du lägga till dom andra bilderna ändå?
-
+
Det uppstod ett problem med att ersätta din bakgrund, bildfilen "%s" finns inte längre.
+
+
+
+
+
MediaPlugin
@@ -1241,40 +1354,45 @@ Vill du lägga till dom andra bilderna ändå?
MediaPlugin.MediaItem
-
+
Välj media
-
+
Du måste välja en mediafil för borttagning.
-
+
-
+
Filen %s finns inte längre.
-
+
-
+
-
+
+
+
+
+
+
MediaPlugin.MediaTab
@@ -1292,7 +1410,7 @@ Vill du lägga till dom andra bilderna ändå?
OpenLP
-
+
Bildfiler
@@ -1512,170 +1630,6 @@ Portions copyright © 2004-2011 %s
-
- OpenLP.DisplayTagDialog
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- OpenLP.DisplayTagTab
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- OpenLP.DisplayTags
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
OpenLP.ExceptionDialog
@@ -1815,12 +1769,12 @@ Version: %s
-
+
-
+
@@ -1849,11 +1803,6 @@ Version: %s
-
-
-
-
-
@@ -1969,25 +1918,209 @@ To cancel the First Time Wizard completely, press the finish button now.
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTagDialog
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTagForm
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTags
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.GeneralTab
@@ -2133,7 +2266,7 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainDisplay
-
+
@@ -2141,309 +2274,309 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainWindow
-
+
&Fil
-
+
&Importera
-
+
&Exportera
-
+
&Visa
-
+
&Läge
-
+
&Verktyg
-
+
&Inställningar
-
+
&Språk
-
+
&Hjälp
-
+
Mediahanterare
-
+
Planeringshanterare
-
+
Temahanterare
-
+
&Ny
-
+
&Öppna
-
+
Öppna en befintlig planering.
-
+
&Spara
-
+
Spara den aktuella planeringen till disk.
-
+
S¶ som...
-
+
Spara planering som
-
+
Spara den aktuella planeringen under ett nytt namn.
-
+
&Avsluta
-
+
Avsluta OpenLP
-
+
&Tema
-
+
&Konfigurera OpenLP...
-
+
&Mediahanterare
-
+
Växla mediahanterare
-
+
Växla synligheten för mediahanteraren.
-
+
&Temahanterare
-
+
Växla temahanteraren
-
+
Växla synligheten för temahanteraren.
-
+
&Planeringshanterare
-
+
Växla planeringshanterare
-
+
Växla synligheten för planeringshanteraren.
-
+
&Förhandsgranskningpanel
-
+
Växla förhandsgranskningspanel
-
+
Växla synligheten för förhandsgranskningspanelen.
-
+
-
+
-
+
-
+
&Pluginlista
-
+
Lista pluginen
-
+
&Användarguide
-
+
&Om
-
+
Mer information om OpenLP
-
+
&Hjälp online
-
+
&Webbsida
-
+
Använd systemspråket om möjligt.
-
+
Sätt användargränssnittets språk till %s
-
+
Lägg till &verktyg...
-
+
Lägg till en applikation i verktygslistan.
-
+
&Standard
-
+
-
+
-
+
-
+
&Live
-
+
-
+
-
+
OpenLP-versionen uppdaterad
-
+
OpenLPs huvuddisplay rensad
-
+
Huvuddisplayen har rensats
-
+
Standardtema: %s
@@ -2454,55 +2587,103 @@ You can download the latest version from http://openlp.org/.
Svenska
-
+
-
+
-
+
-
+
-
+
-
-
-
-
-
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Clear List of recent files
+
+
+
+
+
+
+
OpenLP.MediaManagerItem
@@ -2512,54 +2693,69 @@ You can download the latest version from http://openlp.org/.
Inget objekt valt
-
+
&Lägg till vald planeringsobjekt
-
+
Du måste välja ett eller flera objekt att förhandsgranska.
-
+
-
+
Du måste välja ett eller flera objekt.
-
+
Du måste välja en befintligt planeringsobjekt att lägga till till.
-
+
Felaktigt planeringsobjekt
-
+
Du måste välja ett %s planeringsobjekt.
-
+
-
+
-
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
@@ -2609,12 +2805,12 @@ This filename is already in the list
OpenLP.PrintServiceDialog
-
+
Passa sidan
-
+
Passa bredden
@@ -2622,70 +2818,85 @@ This filename is already in the list
OpenLP.PrintServiceForm
-
+
Alternativ
- Stäng
+ Stäng
-
+
Kopiera
-
+
Kopiera som HTML
-
+
Zooma in
-
+
Zooma ut
-
+
Zooma original
-
+
Andra alternativ
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ScreenList
@@ -2700,10 +2911,23 @@ This filename is already in the list
+
+ OpenLP.ServiceItem
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceItemEditForm
-
+
@@ -2711,256 +2935,271 @@ This filename is already in the list
OpenLP.ServiceManager
-
+
Flytta högst &upp
-
+
-
+
Flytta &upp
-
+
-
+
Flytta &ner
-
+
-
+
Flytta längst &ner
-
+
-
+
&Ta bort från planeringen
-
+
-
+
-
+
-
+
&Redigera objekt
-
+
-
+
&Anteckningar
-
+
&Byt objektets tema
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceNoteForm
-
+
Mötesanteckningar
@@ -2975,11 +3214,6 @@ The content encoding is not UTF-8.
OpenLP.ShortcutListDialog
-
-
-
-
-
@@ -2991,12 +3225,12 @@ The content encoding is not UTF-8.
-
+
-
+
@@ -3031,20 +3265,25 @@ The content encoding is not UTF-8.
-
+
-
+
+
+
+
+
+
OpenLP.SlideController
-
+
@@ -3054,27 +3293,27 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
@@ -3094,30 +3333,20 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
-
-
-
-
-
-
-
-
-
@@ -3147,17 +3376,17 @@ The content encoding is not UTF-8.
OpenLP.SpellTextEdit
-
+
-
+
-
+
@@ -3251,191 +3480,197 @@ The content encoding is not UTF-8.
OpenLP.ThemeManager
-
+
-
+
Redigera tema
-
+
-
+
Ta bort tema
-
+
-
+
Importera tema
-
+
-
+
Exportera tema
-
+
-
+
-
+
-
+
-
+
-
+
-
+
Du kan inte ta bort standardtemat.
-
+
Du har inte valt ett tema.
-
+
Spara tema - (%s)
-
+
-
+
-
+
-
+
-
+
Välj tema importfil
-
+
-
+
Filen är inte ett giltigt tema.
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+ Copy of <theme name>
+
+
OpenLP.ThemeWizard
@@ -3679,6 +3914,16 @@ The content encoding is not UTF-8.
+
+
+
+
+
+
+
+
+
+
OpenLP.ThemesTab
@@ -3722,31 +3967,36 @@ The content encoding is not UTF-8.
Använd det globala temat, ignorerar teman associerade med mötesplaneringen eller sångerna.
+
+
+
+
+
OpenLP.Ui
-
+
Fel
-
+
&Ta bort
-
+
-
+
-
+
@@ -3771,20 +4021,15 @@ The content encoding is not UTF-8.
Skapa en ny planering.
-
+
&Redigera
-
+
Importera
-
-
-
-
-
@@ -3811,42 +4056,47 @@ The content encoding is not UTF-8.
OpenLP 2.0
-
+
+
+ Öppna planering
+
+
+
Förhandsgranska
-
+
Ersätt bakgrund
-
+
-
+
Spara planering
-
+
Gudstjänst
-
+
-
+
-
+
Toppen
@@ -3881,23 +4131,23 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
Abbreviated font pointsize unit
-
+
Bild
@@ -3941,45 +4191,45 @@ The content encoding is not UTF-8.
openlp.org 1.x
-
+
The abbreviated unit for seconds
-
+
Spara && förhandsgranska
-
+
Sök
-
+
-
+
-
+
Singular
Tema
-
+
Plural
-
+
@@ -4045,12 +4295,12 @@ The content encoding is not UTF-8.
-
+
Välkommen till guiden för bibelimport
-
+
@@ -4107,38 +4357,38 @@ The content encoding is not UTF-8.
Ämnen
-
+
Kontinuerlig
-
+
-
+
Display stil:
-
+
-
+
-
+
The abbreviated unit for hours
-
+
Layout:
@@ -4159,37 +4409,37 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
Verser per sida
-
+
Verser per rad
-
+
-
+
-
+
@@ -4204,12 +4454,12 @@ The content encoding is not UTF-8.
-
+
-
+
@@ -4219,36 +4469,53 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
-
-
- OpenLP.displayTagDialog
-
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
@@ -4306,52 +4573,52 @@ The content encoding is not UTF-8.
PresentationPlugin.MediaItem
-
+
Välj presentation(er)
-
+
Automatisk
-
+
Presentera genom:
-
+
-
+
En presentation med det namnet finns redan.
-
+
-
+
-
+
-
+
-
+
@@ -4403,12 +4670,12 @@ The content encoding is not UTF-8.
RemotePlugin.Mobile
-
+
-
+
@@ -4418,80 +4685,80 @@ The content encoding is not UTF-8.
Planeringshanterare
-
+
-
+
Larm
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
-
-
-
-
-
+
-
+
Alternativ
+
+
+
+
+
RemotePlugin.RemoteTab
@@ -4524,68 +4791,78 @@ The content encoding is not UTF-8.
SongUsagePlugin
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
name singular
-
+
name plural
-
+
container title
-
+
+
+
+
+
+
+
+
+
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4893,190 +5170,197 @@ The encoding is responsible for the correct character representation.
SongsPlugin.EasyWorshipSongImport
-
+
+
+
+
+
+
SongsPlugin.EditSongForm
-
+
Sångredigerare
-
+
&Titel:
-
+
-
+
-
+
-
+
Red&igera alla
-
+
Titel && Sångtexter
-
+
&Lägg till i sång
-
+
&Ta bort
-
+
-
+
Lä&gg till i sång
-
+
Ta &bort
-
+
Bok:
-
+
Nummer:
-
+
-
+
Nytt &tema
-
+
Copyrightinformation
-
+
Kommentarer
-
+
Tema, copyrightinfo && kommentarer
-
+
Lägg till föfattare
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -5107,82 +5391,82 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ExportWizardForm
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -5190,7 +5474,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ImportWizardForm
-
+
@@ -5235,42 +5519,42 @@ The encoding is responsible for the correct character representation.
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -5298,32 +5582,27 @@ The encoding is responsible for the correct character representation.
SongsPlugin.MediaItem
-
+
Titlar
-
+
Sångtexter
-
-
-
-
-
-
+
-
+
-
+
@@ -5331,15 +5610,21 @@ The encoding is responsible for the correct character representation.
-
+
+
+
+
+ For song cloning
+
+
SongsPlugin.OpenLP1SongImport
-
+
@@ -5355,7 +5640,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.OpenLyricsExport
-
+
@@ -5386,12 +5671,12 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongExportForm
-
+
-
+
@@ -5399,27 +5684,27 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImport
-
+
copyright
-
+
-
+
-
+
-
+
@@ -5427,7 +5712,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImportForm
-
+
@@ -5624,12 +5909,4 @@ The encoding is responsible for the correct character representation.
Övrigt
-
- ThemeTab
-
-
-
-
-
-
diff --git a/resources/i18n/zh_CN.ts b/resources/i18n/zh_CN.ts
index 77bb39942..690dd8753 100644
--- a/resources/i18n/zh_CN.ts
+++ b/resources/i18n/zh_CN.ts
@@ -1,30 +1,5 @@
-
-
- AlertPlugin.AlertForm
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
+
AlertsPlugin
@@ -37,11 +12,6 @@ Do you want to continue anyway?
-
-
-
-
-
@@ -60,6 +30,11 @@ Do you want to continue anyway?
container title
+
+
+
+
+
AlertsPlugin.AlertForm
@@ -108,6 +83,28 @@ Do you want to continue anyway?
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
AlertsPlugin.AlertsManager
@@ -150,84 +147,6 @@ Do you want to continue anyway?
-
- BibleDB.Wizard
-
-
-
-
-
-
-
-
- Importing verses from <book name>...
-
-
-
-
-
-
-
-
-
- BiblePlugin
-
-
-
-
-
-
-
-
-
-
-
-
- BiblePlugin.HTTPBible
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- BiblePlugin.MediaItem
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
BiblesPlugin
@@ -254,12 +173,12 @@ Do you want to continue anyway?
-
+
-
+
@@ -303,37 +222,47 @@ Do you want to continue anyway?
+
+
+
+
+
+
+
+
+
+
BiblesPlugin.BibleManager
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -450,189 +379,228 @@ Changes do not affect verses already in the service.
+
+ BiblesPlugin.CSVBible
+
+
+
+
+
+
+
+
+ Importing verses from <book name>...
+
+
+
+
+
+
+
+
BiblesPlugin.HTTPBible
-
+
-
+
-
+
Importing <book name>...
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
BiblesPlugin.ImportWizardForm
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -659,7 +627,7 @@ demand and thus an internet connection is required.
BiblesPlugin.LanguageForm
-
+
@@ -667,60 +635,80 @@ demand and thus an internet connection is required.
BiblesPlugin.MediaItem
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
BiblesPlugin.Opensong
@@ -748,171 +736,146 @@ demand and thus an internet connection is required.
BiblesPlugin.UpgradeWizardForm
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
-
-
-
-
-
-
-
-
-
-
+
-
+
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
-
-
-
-
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
CustomPlugin
@@ -1036,12 +999,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
-
+
-
+
@@ -1057,11 +1020,13 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
- GeneralTab
-
-
-
-
+ CustomPlugin.MediaItem
+
+
+
+
+
+
@@ -1136,41 +1101,46 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I
ImagePlugin.MediaItem
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
MediaPlugin
@@ -1236,40 +1206,45 @@ Do you want to add the other images anyway?
MediaPlugin.MediaItem
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
MediaPlugin.MediaTab
@@ -1287,7 +1262,7 @@ Do you want to add the other images anyway?
OpenLP
-
+
@@ -1507,170 +1482,6 @@ Portions copyright © 2004-2011 %s
-
- OpenLP.DisplayTagDialog
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- OpenLP.DisplayTagTab
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- OpenLP.DisplayTags
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
OpenLP.ExceptionDialog
@@ -1810,12 +1621,12 @@ Version: %s
-
+
-
+
@@ -1844,11 +1655,6 @@ Version: %s
-
-
-
-
-
@@ -1964,25 +1770,209 @@ To cancel the First Time Wizard completely, press the finish button now.
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTagDialog
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTagForm
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ OpenLP.FormattingTags
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.GeneralTab
@@ -2128,7 +2118,7 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainDisplay
-
+
@@ -2136,309 +2126,309 @@ To cancel the First Time Wizard completely, press the finish button now.
OpenLP.MainWindow
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -2446,58 +2436,106 @@ You can download the latest version from http://openlp.org/.
Please add the name of your language here
-
+ 中国
-
+
-
+
-
+
-
-
-
-
-
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Clear List of recent files
+
+
+
+
+
+
+
OpenLP.MediaManagerItem
@@ -2507,54 +2545,69 @@ You can download the latest version from http://openlp.org/.
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
@@ -2604,12 +2657,12 @@ This filename is already in the list
OpenLP.PrintServiceDialog
-
+
-
+
@@ -2617,70 +2670,80 @@ This filename is already in the list
OpenLP.PrintServiceForm
-
+
-
-
-
-
-
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ScreenList
@@ -2695,10 +2758,23 @@ This filename is already in the list
+
+ OpenLP.ServiceItem
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceItemEditForm
-
+
@@ -2706,256 +2782,271 @@ This filename is already in the list
OpenLP.ServiceManager
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
OpenLP.ServiceNoteForm
-
+
@@ -2970,11 +3061,6 @@ The content encoding is not UTF-8.
OpenLP.ShortcutListDialog
-
-
-
-
-
@@ -2986,12 +3072,12 @@ The content encoding is not UTF-8.
-
+
-
+
@@ -3026,20 +3112,25 @@ The content encoding is not UTF-8.
-
+
-
+
+
+
+
+
+
OpenLP.SlideController
-
+
@@ -3049,27 +3140,27 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
@@ -3089,30 +3180,20 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
-
-
-
-
-
-
-
-
-
@@ -3142,17 +3223,17 @@ The content encoding is not UTF-8.
OpenLP.SpellTextEdit
-
+
-
+
-
+
@@ -3246,191 +3327,197 @@ The content encoding is not UTF-8.
OpenLP.ThemeManager
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
+
+
+
+ Copy of <theme name>
+
+
OpenLP.ThemeWizard
@@ -3674,6 +3761,16 @@ The content encoding is not UTF-8.
+
+
+
+
+
+
+
+
+
+
OpenLP.ThemesTab
@@ -3717,11 +3814,16 @@ The content encoding is not UTF-8.
+
+
+
+
+
OpenLP.Ui
-
+
@@ -3771,46 +3873,41 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
Abbreviated font pointsize unit
-
+
-
+
-
-
-
-
-
@@ -3881,100 +3978,100 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
The abbreviated unit for seconds
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
Singular
-
+
Plural
-
+
-
+
-
+
-
+
-
+
-
+
@@ -4040,12 +4137,12 @@ The content encoding is not UTF-8.
-
+
-
+
@@ -4102,38 +4199,38 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
-
+
The abbreviated unit for hours
-
+
@@ -4154,37 +4251,37 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -4199,12 +4296,12 @@ The content encoding is not UTF-8.
-
+
-
+
@@ -4214,36 +4311,53 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
-
-
- OpenLP.displayTagDialog
-
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
@@ -4301,52 +4415,52 @@ The content encoding is not UTF-8.
PresentationPlugin.MediaItem
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -4398,12 +4512,12 @@ The content encoding is not UTF-8.
RemotePlugin.Mobile
-
+
-
+
@@ -4413,80 +4527,80 @@ The content encoding is not UTF-8.
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
-
-
-
-
-
+
-
+
+
+
+
+
+
RemotePlugin.RemoteTab
@@ -4519,68 +4633,78 @@ The content encoding is not UTF-8.
SongUsagePlugin
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
name singular
-
+
name plural
-
+
container title
-
+
+
+
+
+
+
+
+
+
+
+
SongUsagePlugin.SongUsageDeleteForm
@@ -4888,190 +5012,197 @@ The encoding is responsible for the correct character representation.
SongsPlugin.EasyWorshipSongImport
-
+
+
+
+
+
+
SongsPlugin.EditSongForm
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -5102,82 +5233,82 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ExportWizardForm
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -5185,7 +5316,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.ImportWizardForm
-
+
@@ -5230,42 +5361,42 @@ The encoding is responsible for the correct character representation.
-
+
-
+
-
+
-
+
-
+
-
+
-
+
-
+
@@ -5293,47 +5424,48 @@ The encoding is responsible for the correct character representation.
SongsPlugin.MediaItem
-
+
-
+
-
-
-
-
-
-
+
-
+
-
+
-
+
+
+
+
+ For song cloning
+
+
SongsPlugin.OpenLP1SongImport
-
+
@@ -5349,7 +5481,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.OpenLyricsExport
-
+
@@ -5380,12 +5512,12 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongExportForm
-
+
-
+
@@ -5393,27 +5525,27 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImport
-
+
-
+
-
+
-
+
-
+
@@ -5421,7 +5553,7 @@ The encoding is responsible for the correct character representation.
SongsPlugin.SongImportForm
-
+
@@ -5618,12 +5750,4 @@ The encoding is responsible for the correct character representation.
-
- ThemeTab
-
-
-
-
-
-
diff --git a/scripts/check_dependencies.py b/scripts/check_dependencies.py
index 7048ceeab..5f2e4c148 100755
--- a/scripts/check_dependencies.py
+++ b/scripts/check_dependencies.py
@@ -46,14 +46,14 @@ VERS = {
'sqlalchemy': '0.5',
# pyenchant 1.6 required on Windows
'enchant': '1.6' if is_win else '1.3'
- }
+}
# pywin32
WIN32_MODULES = [
'win32com',
'win32ui',
'pywintypes',
- ]
+]
MODULES = [
'PyQt4',
@@ -72,7 +72,8 @@ MODULES = [
'enchant',
'BeautifulSoup',
'mako',
- ]
+ 'migrate',
+]
OPTIONAL_MODULES = [
diff --git a/scripts/translation_utils.py b/scripts/translation_utils.py
index db1788aba..935ef97e8 100755
--- a/scripts/translation_utils.py
+++ b/scripts/translation_utils.py
@@ -186,25 +186,6 @@ def update_export_at_pootle(source_filename):
page = urllib.urlopen(REVIEW_URL)
page.close()
-
-def download_file(source_filename, dest_filename):
- """
- Download a file and save it to disk.
-
- ``source_filename``
- The file to download.
-
- ``dest_filename``
- The new local file name.
- """
- print_verbose(u'Downloading from: %s' % (SERVER_URL + source_filename))
- page = urllib.urlopen(SERVER_URL + source_filename)
- content = page.read().decode('utf8')
- page.close()
- file = open(dest_filename, u'w')
- file.write(content.encode('utf8'))
- file.close()
-
def download_translations():
"""
This method downloads the translation files from the Pootle server.
@@ -219,7 +200,7 @@ def download_translations():
filename = os.path.join(os.path.abspath(u'..'), u'resources', u'i18n',
language_file)
print_verbose(u'Get Translation File: %s' % filename)
- download_file(language_file, filename)
+ urllib.urlretrieve(SERVER_URL + language_file, filename)
print_quiet(u' Done.')
def prepare_project():
@@ -304,7 +285,7 @@ def create_translation(language):
if not language.endswith(u'.ts'):
language += u'.ts'
filename = os.path.join(os.path.abspath(u'..'), u'resources', u'i18n', language)
- download_file(u'en.ts', filename)
+ urllib.urlretrieve(SERVER_URL + u'en.ts', filename)
print_quiet(u' ** Please Note **')
print_quiet(u' In order to get this file into OpenLP and onto the '
u'Pootle translation server you will need to subscribe to the '