openlp/openlp/core/lib/__init__.py

399 lines
14 KiB
Python
Raw Normal View History

2010-09-10 19:47:33 +00:00
# -*- coding: utf-8 -*-
# vim: autoindent shiftwidth=4 expandtab textwidth=80 tabstop=4 softtabstop=4
###############################################################################
# OpenLP - Open Source Lyrics Projection #
# --------------------------------------------------------------------------- #
2011-12-27 10:33:55 +00:00
# Copyright (c) 2008-2012 Raoul Snyman #
# Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan #
# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, #
2012-10-21 13:16:22 +00:00
# Meinert Jordan, Armin Köhler, Eric Ludin, Edwin Lunando, Brian T. Meyer, #
# Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias Põldaru, #
# Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, #
# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Dave Warnock, #
# Erode Woldsund #
2010-09-10 19:47:33 +00:00
# --------------------------------------------------------------------------- #
# This program is 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:`lib` module contains most of the components and libraries that make
OpenLP work.
"""
import logging
2012-04-12 14:16:12 +00:00
import os
2010-09-10 19:47:33 +00:00
2012-02-17 18:51:01 +00:00
from PyQt4 import QtCore, QtGui, Qt
2010-09-10 19:47:33 +00:00
log = logging.getLogger(__name__)
2012-07-01 18:41:59 +00:00
class ImageSource(object):
"""
This enumeration class represents different image sources. An image sources
2012-07-01 19:41:12 +00:00
states where an image is used. This enumeration class is need in the context
of the :class:~openlp.core.lib.imagemanager`.
``ImagePlugin``
This states that an image is being used by the image plugin.
``Theme``
This says, that the image is used by a theme.
2012-07-01 18:41:59 +00:00
"""
ImagePlugin = 1
Theme = 2
class MediaType(object):
"""
An enumeration class for types of media.
"""
Audio = 1
Video = 2
class SlideLimits(object):
"""
Provides an enumeration for behaviour of OpenLP at the end limits of each
service item when pressing the up/down arrow keys
"""
End = 1
Wrap = 2
Next = 3
class ServiceItemAction(object):
"""
Provides an enumeration for the required action moving between service
items by left/right arrow keys
"""
Previous = 1
PreviousLastSlide = 2
Next = 3
2012-04-22 19:50:18 +00:00
def translate(context, text, comment=None,
encoding=QtCore.QCoreApplication.CodecForTr, n=-1,
translate=QtCore.QCoreApplication.translate):
2010-09-10 19:47:33 +00:00
"""
A special shortcut method to wrap around the Qt4 translation functions.
This abstracts the translation procedure so that we can change it if at a
later date if necessary, without having to redo the whole of OpenLP.
``context``
The translation context, used to give each string a context or a
namespace.
``text``
The text to put into the translation tables for translation.
``comment``
An identifying string for when the same text is used in different roles
within the same context.
"""
return translate(context, text, comment, encoding, n)
2010-09-10 19:47:33 +00:00
2012-04-22 19:50:18 +00:00
2010-09-10 19:47:33 +00:00
def get_text_file_string(text_file):
"""
2011-02-25 17:05:01 +00:00
Open a file and return its content as unicode string. If the supplied file
name is not a file then the function returns False. If there is an error
2010-09-10 19:47:33 +00:00
loading the file or the content can't be decoded then the function will
return None.
``textfile``
The name of the file.
"""
if not os.path.isfile(text_file):
return False
file_handle = None
content_string = None
try:
file_handle = open(text_file, u'r')
if not file_handle.read(3) == '\xEF\xBB\xBF':
# no BOM was found
file_handle.seek(0)
2010-09-10 19:47:33 +00:00
content = file_handle.read()
content_string = content.decode(u'utf-8')
except (IOError, UnicodeError):
log.exception(u'Failed to open text file %s' % text_file)
finally:
if file_handle:
file_handle.close()
return content_string
2012-04-22 19:50:18 +00:00
2010-09-10 19:47:33 +00:00
def str_to_bool(stringvalue):
"""
Convert a string version of a boolean into a real boolean.
``stringvalue``
The string value to examine and convert to a boolean type.
"""
if isinstance(stringvalue, bool):
return stringvalue
return unicode(stringvalue).strip().lower() in (u'true', u'yes', u'y')
2012-04-22 19:50:18 +00:00
2010-09-10 19:47:33 +00:00
def build_icon(icon):
"""
Build a QIcon instance from an existing QIcon, a resource location, or a
physical file location. If the icon is a QIcon instance, that icon is
simply returned. If not, it builds a QIcon instance from the resource or
file name.
``icon``
The icon to build. This can be a QIcon, a resource string in the form
``:/resource/file.png``, or a file location like ``/path/to/file.png``.
"""
button_icon = QtGui.QIcon()
if isinstance(icon, QtGui.QIcon):
button_icon = icon
elif isinstance(icon, basestring):
if icon.startswith(u':/'):
button_icon.addPixmap(QtGui.QPixmap(icon), QtGui.QIcon.Normal,
QtGui.QIcon.Off)
else:
button_icon.addPixmap(QtGui.QPixmap.fromImage(QtGui.QImage(icon)),
QtGui.QIcon.Normal, QtGui.QIcon.Off)
elif isinstance(icon, QtGui.QImage):
button_icon.addPixmap(QtGui.QPixmap.fromImage(icon),
QtGui.QIcon.Normal, QtGui.QIcon.Off)
return button_icon
2012-04-22 19:50:18 +00:00
2010-09-10 19:47:33 +00:00
def image_to_byte(image):
"""
Resize an image to fit on the current screen for the web and returns
it as a byte stream.
``image``
The image to converted.
"""
2010-10-15 15:33:06 +00:00
log.debug(u'image_to_byte - start')
2010-09-10 19:47:33 +00:00
byte_array = QtCore.QByteArray()
# use buffer to store pixmap into byteArray
buffie = QtCore.QBuffer(byte_array)
buffie.open(QtCore.QIODevice.WriteOnly)
2010-10-15 15:33:06 +00:00
image.save(buffie, "PNG")
log.debug(u'image_to_byte - end')
2010-09-10 19:47:33 +00:00
# convert to base64 encoding so does not get missed!
return byte_array.toBase64()
2012-04-22 19:50:18 +00:00
2011-06-12 15:59:46 +00:00
def create_thumb(image_path, thumb_path, return_icon=True, size=None):
2011-06-12 15:17:01 +00:00
"""
Create a thumbnail from the given image path and depending on
``return_icon`` it returns an icon from this thumb.
``image_path``
The image file to create the icon from.
``thumb_path``
The filename to save the thumbnail to.
``return_icon``
States if an icon should be build and returned from the thumb. Defaults
to ``True``.
2011-06-12 15:59:46 +00:00
``size``
2011-06-25 13:23:49 +00:00
Allows to state a own size to use. Defaults to ``None``, which means
that a default height of 88 is used.
2011-06-12 15:17:01 +00:00
"""
ext = os.path.splitext(thumb_path)[1].lower()
reader = QtGui.QImageReader(image_path)
2011-06-12 15:59:46 +00:00
if size is None:
ratio = float(reader.size().width()) / float(reader.size().height())
reader.setScaledSize(QtCore.QSize(int(ratio * 88), 88))
else:
reader.setScaledSize(size)
2011-06-12 15:17:01 +00:00
thumb = reader.read()
thumb.save(thumb_path, ext[1:])
if not return_icon:
return
if os.path.exists(thumb_path):
return build_icon(unicode(thumb_path))
# Fallback for files with animation support.
return build_icon(unicode(image_path))
2012-04-22 19:50:18 +00:00
2011-06-12 15:59:46 +00:00
def validate_thumb(file_path, thumb_path):
2011-06-12 15:17:01 +00:00
"""
2011-06-12 15:59:46 +00:00
Validates whether an file's thumb still exists and if is up to date.
2011-06-12 15:17:01 +00:00
**Note**, you must **not** call this function, before checking the
2011-06-12 15:59:46 +00:00
existence of the file.
2011-06-12 15:17:01 +00:00
2011-06-12 15:59:46 +00:00
``file_path``
2011-06-20 19:56:01 +00:00
The path to the file. The file **must** exist!
2011-06-12 15:17:01 +00:00
``thumb_path``
The path to the thumb.
"""
if not os.path.exists(thumb_path):
2011-06-12 15:17:01 +00:00
return False
image_date = os.stat(file_path).st_mtime
thumb_date = os.stat(thumb_path).st_mtime
2011-06-12 15:17:01 +00:00
return image_date <= thumb_date
2012-04-22 19:50:18 +00:00
def resize_image(image_path, width, height, background=u'#000000'):
2010-09-10 19:47:33 +00:00
"""
Resize an image to fit on the current screen.
2011-06-07 07:30:50 +00:00
``image_path``
The path to the image to resize.
2010-09-10 19:47:33 +00:00
``width``
The new image width.
``height``
The new image height.
2011-03-10 19:17:05 +00:00
``background``
2011-10-01 07:28:45 +00:00
The background colour. Defaults to black.
DO NOT REMOVE THE DEFAULT BACKGROUND VALUE!
2010-09-10 19:47:33 +00:00
"""
2010-10-15 15:33:06 +00:00
log.debug(u'resize_image - start')
2011-06-09 10:41:02 +00:00
reader = QtGui.QImageReader(image_path)
2011-06-07 07:30:50 +00:00
# The image's ratio.
image_ratio = float(reader.size().width()) / float(reader.size().height())
resize_ratio = float(width) / float(height)
# Figure out the size we want to resize the image to (keep aspect ratio).
if image_ratio == resize_ratio:
size = QtCore.QSize(width, height)
elif image_ratio < resize_ratio:
# Use the image's height as reference for the new size.
size = QtCore.QSize(image_ratio * height, height)
2010-10-15 15:33:06 +00:00
else:
2011-06-07 07:30:50 +00:00
# Use the image's width as reference for the new size.
size = QtCore.QSize(width, 1 / (image_ratio / width))
reader.setScaledSize(size)
preview = reader.read()
if image_ratio == resize_ratio:
# We neither need to centre the image nor add "bars" to the image.
return preview
2012-07-01 18:45:14 +00:00
real_width = preview.width()
real_height = preview.height()
2010-09-10 19:47:33 +00:00
# and move it to the centre of the preview space
new_image = QtGui.QImage(width, height,
QtGui.QImage.Format_ARGB32_Premultiplied)
painter = QtGui.QPainter(new_image)
painter.fillRect(new_image.rect(), QtGui.QColor(background))
2012-07-01 18:45:14 +00:00
painter.drawImage(
(width - real_width) / 2, (height - real_height) / 2, preview)
2010-09-10 19:47:33 +00:00
return new_image
2012-04-22 19:50:18 +00:00
2010-09-10 19:47:33 +00:00
def check_item_selected(list_widget, message):
"""
Check if a list item is selected so an action may be performed on it
``list_widget``
The list to check for selected items
``message``
The message to give the user if no item is selected
"""
if not list_widget.selectedIndexes():
QtGui.QMessageBox.information(list_widget.parent(),
translate('OpenLP.MediaManagerItem', 'No Items Selected'), message)
return False
return True
2012-04-22 19:50:18 +00:00
2010-09-10 19:47:33 +00:00
def clean_tags(text):
"""
Remove Tags from text for display
"""
text = text.replace(u'<br>', u'\n')
2011-05-24 15:06:38 +00:00
text = text.replace(u'{br}', u'\n')
2011-01-15 11:56:40 +00:00
text = text.replace(u'&nbsp;', u' ')
for tag in FormattingTags.get_html_tags():
2010-09-10 19:47:33 +00:00
text = text.replace(tag[u'start tag'], u'')
text = text.replace(tag[u'end tag'], u'')
return text
2012-04-22 19:50:18 +00:00
2010-09-10 19:47:33 +00:00
def expand_tags(text):
"""
Expand tags HTML for display
"""
for tag in FormattingTags.get_html_tags():
2010-09-10 19:47:33 +00:00
text = text.replace(tag[u'start tag'], tag[u'start html'])
text = text.replace(tag[u'end tag'], tag[u'end html'])
return text
2012-04-22 19:50:18 +00:00
2011-01-09 08:17:17 +00:00
def check_directory_exists(dir):
2011-01-01 17:23:24 +00:00
"""
Check a theme directory exists and if not create it
``dir``
Theme directory to make sure exists
"""
2011-01-28 18:41:37 +00:00
log.debug(u'check_directory_exists %s' % dir)
2011-03-25 18:45:39 +00:00
try:
if not os.path.exists(dir):
os.makedirs(dir)
except IOError:
pass
2011-01-01 17:23:24 +00:00
2012-04-22 19:50:18 +00:00
2012-02-16 20:36:35 +00:00
def create_separated_list(stringlist):
"""
Returns a string that represents a join of a list of strings with a
localized separator. This function corresponds to
2012-02-16 20:36:35 +00:00
QLocale::createSeparatedList which was introduced in Qt 4.8 and implements
the algorithm from http://www.unicode.org/reports/tr35/#ListPatterns
``stringlist``
List of unicode strings
"""
if Qt.PYQT_VERSION_STR >= u'4.9' and Qt.qVersion() >= u'4.8':
2012-02-25 18:31:02 +00:00
return unicode(QtCore.QLocale().createSeparatedList(stringlist))
2012-02-16 20:36:35 +00:00
if not stringlist:
return u''
elif len(stringlist) == 1:
return stringlist[0]
elif len(stringlist) == 2:
return unicode(translate('OpenLP.core.lib', '%1 and %2',
'Locale list separator: 2 items').arg(stringlist[0], stringlist[1]))
else:
merged = unicode(translate('OpenLP.core.lib', '%1, and %2',
u'Locale list separator: end').arg(stringlist[-2], stringlist[-1]))
for index in reversed(range(1, len(stringlist) - 2)):
merged = unicode(translate('OpenLP.core.lib', '%1, %2',
u'Locale list separator: middle').arg(stringlist[index], merged))
return unicode(translate('OpenLP.core.lib', '%1, %2',
u'Locale list separator: start').arg(stringlist[0], merged))
2012-04-22 19:50:18 +00:00
2010-09-10 19:47:33 +00:00
from eventreceiver import Receiver
2011-02-10 19:05:35 +00:00
from listwidgetwithdnd import ListWidgetWithDnD
from formattingtags import FormattingTags
from spelltextedit import SpellTextEdit
2010-09-10 19:47:33 +00:00
from settingsmanager import SettingsManager
2010-09-27 18:15:55 +00:00
from plugin import PluginStatus, StringContent, Plugin
2010-09-10 19:47:33 +00:00
from pluginmanager import PluginManager
from settingstab import SettingsTab
2011-08-28 17:45:13 +00:00
from serviceitem import ServiceItem, ServiceItemType, ItemCapabilities
2010-09-10 19:47:33 +00:00
from htmlbuilder import build_html, build_lyrics_format_css, \
build_lyrics_outline_css
from toolbar import OpenLPToolbar
from dockwidget import OpenLPDockWidget
2011-05-05 11:51:47 +00:00
from imagemanager import ImageManager
2011-03-28 18:12:46 +00:00
from renderer import Renderer
2010-09-10 19:47:33 +00:00
from mediamanageritem import MediaManagerItem
2011-04-03 14:20:55 +00:00
from openlp.core.utils.actions import ActionList