Autor Tópico: Quod Libet parou de iniciar.  (Lida 1413 vezes)

Offline Xiloscient

  • Usuário Ubuntu
  • *
  • Mensagens: 66
    • Ver perfil
Quod Libet parou de iniciar.
« Online: 18 de Julho de 2010, 04:23 »
Olá,

Utilizo o Quod Libet como player de música principal, pois gosto muito da sua organização de biblioeca e a forma que posso customizar as janelas com as informações que eu quero, enfim, mas agora tenho um prolblema, após o notebook ter reiniciado por ter acabado a bateria eu não consegui mais fazer o Quod Libet funcionar, clico no ícone, acontece a animação mas ele não inicia.
Já tentei instalar e desinstalar, desinstalar, reiniciar, instalar e afins.

É isso, espero que possam me ajudar.
Abraços.

Offline Xiloscient

  • Usuário Ubuntu
  • *
  • Mensagens: 66
    • Ver perfil
Re: Quod Libet parou de iniciar.
« Resposta #1 Online: 19 de Julho de 2010, 10:08 »
Alguém sabe se posso limpar os registros dele e só dele?
O que sobra quando eu desinstalo ele? Alguma coisa que dá para remover manualmente?
Será que o 'erro' continua em algum arquivo que não some com a desinstalação?

Abraços.

Offline Xiloscient

  • Usuário Ubuntu
  • *
  • Mensagens: 66
    • Ver perfil
Re: Quod Libet parou de iniciar.
« Resposta #2 Online: 19 de Julho de 2010, 21:27 »
Acho que tive um avanço, descobri que o problema era no arquivo '_library.sy' que encontra-se no caminho "/usr/lib/pymodules/python2.6/quodlibet/library/".
Deletei esse arquivo, desinstalei tudo, removi tudo do quodlibet, e mesmo assim ele não funciona pois aparece que não possui o arquivo library.sy.
Vou colocar aqui o erro que aparece no terminal e depois coloco o que está escrito dentro do arquivo library que dá erro.

Erro no terminal:
Citar
peres@peres-laptop:~$ quodlibet
Initializing audio backend (gstbe)
Initializing main library (~/.quodlibet/songs)
Traceback (most recent call last):
  File "/usr/bin/quodlibet", line 285, in <module>
    main()
  File "/usr/bin/quodlibet", line 38, in main
    library=const.LIBRARY,
  File "/usr/lib/pymodules/python2.6/quodlibet/__init__.py", line 160, in init
    import quodlibet.library
  File "/usr/lib/pymodules/python2.6/quodlibet/__init__.py", line 117, in import_ql
    try: return old_import(module, *args, **kwargs)
  File "/usr/lib/pymodules/python2.6/quodlibet/library/__init__.py", line 19, in <module>
    from quodlibet.library.songs import SongFileLibrary, SongLibrary, SongLibrarian
  File "/usr/lib/pymodules/python2.6/quodlibet/__init__.py", line 117, in import_ql
    try: return old_import(module, *args, **kwargs)
  File "/usr/lib/pymodules/python2.6/quodlibet/library/songs.py", line 21, in <module>
    from quodlibet.library._library import Library, Librarian
  File "/usr/lib/pymodules/python2.6/quodlibet/__init__.py", line 117, in import_ql
    try: return old_import(module, *args, **kwargs)
ImportError: No module named _library



Arquivo .sy com que dá erro:
Citar
# Copyright 2006 Joe Wreschnig
#
# This program is free software; you can redistribute it and/or modify
# it under the terms of the GNU General Public License version 2 as
# published by the Free Software Foundation
#
# $Id: _library.py 10d61c26a166 2009/06/29 03:33:13 $

"""Base library classes.

These classes are the most basic library classes. As such they are the
least useful but most content-agnostic.
"""

import cPickle as pickle
import itertools
import os
import shutil
import traceback

import gobject
import gtk

# Windows doesn't have fcntl, just don't lock for now
try:
    import fcntl
except ImportError:
    fcntl = None

class Library(gtk.Object):
    """A Library contains useful objects.

    The only required method these objects support is a .key
    attribute, but specific types of libraries may require more
    advanced interfaces.
    """

    SIG_PYOBJECT = (gobject.SIGNAL_RUN_LAST, gobject.TYPE_NONE, (object,))
    __gsignals__ = {
        'changed': SIG_PYOBJECT,
        'removed': SIG_PYOBJECT,
        'added': SIG_PYOBJECT,
        }
    del(SIG_PYOBJECT)

    librarian = None
    dirty = False
    filename = None

    def __init__(self, name=None):
        super(Library, self).__init__()
        self._contents = {}
        self._masked = {}
        for key in ['get', 'keys', 'values', 'items', 'iterkeys',
                    'itervalues', 'iteritems', 'has_key']:
            setattr(self, key, getattr(self._contents, key))
        if self.librarian is not None and name is not None:
            self.librarian.register(self, name)

    def add(self, items):
        """Add items. This causes an 'added' signal.

        Return the list of items actually added, filtering out items
        already in the library.
        """
        items = filter(lambda item: item not in self, items)
        if not items:
            return
        print_d("Adding %d items." % len(items), self)
        for item in items:
            print_d("Adding %r." % item.key, self)
            self._contents[item.key] = item
        self.dirty = True
        self.emit('added', items)
        return items

    def remove(self, items):
        """Remove items. This causes a 'removed' signal."""
        if not items:
            return
        print_d("Removing %d items." % len(items), self)
        for item in items:
            print_d("Removing %r." % item.key, self)
            del(self._contents[item.key])
        self.dirty = True
        self.emit('removed', items)

    def changed(self, items):
        """Alert other users that these items have changed.

        This causes a 'changed' signal. If a librarian is available
        this function will call its changed method instead, and all
        libraries that librarian manages may fire a 'changed' signal.

        The item list may be filtered to those items actually in the
        library. If a librarian is available, it will handle the
        filtering instead. That means if this method is delegated to
        the librarian, this library's changed signal may not fire, but
        another's might.
        """
        if not items:
            return
        if self.librarian and self in self.librarian.libraries.itervalues():
            print_d("Changing %d items via librarian." % len(items), self)
            self.librarian.changed(items)
        else:
            items = filter(self.__contains__, items)
            if not items:
                return
            print_d("Changing %d items directly." % len(items), self)
            self._changed(items)

    def _changed(self, items):
        # Called by the changed method and Librarians.
        if not items:
            return
        print_d("Changing %d items." % len(items), self)
        self.dirty = True
        self.emit('changed', items)

    def __iter__(self):
        """Iterate over the items in the library."""
        return self._contents.itervalues()

    def __len__(self):
        """The number of items in the library."""
        return len(self._contents)

    def __getitem__(self, key):
        """Find a item given its key."""
        return self._contents[key]

    def __contains__(self, item):
        """Check if a key or item is in the library."""
        try: return item in self._contents or item.key in self._contents
        except AttributeError: return False

    def load(self, filename, skip=False):
        """Load a library from a file, containing a picked list.

        Loading does not cause added, changed, or removed signals.
        """
        self.filename = filename
        print_d("Loading contents of %r." % filename, self)
        try:
            if os.path.exists(filename):
                fileobj = file(filename, "rb")
                try: items = pickle.load(fileobj)
                except (pickle.PickleError, EnvironmentError, ImportError):
                    traceback.print_exc()
                    try: shutil.copy(filename, filename + ".not-valid")
                    except EnvironmentError:
                        traceback.print_exc()
                    items = []
                fileobj.close()
            else: return
        except EnvironmentError:
            return

        if skip:
            for item in filter(skip, items):
                self._contents[item.key] = item
        else:
            map(self._load, items)
        print_d("Done loading contents of %r." % filename, self)

    def _load(self, item):
        """Load a item. Return (changed, removed)."""
        # Subclases should override this if they want to check
        # item validity; see FileLibrary.
        print_d("Loading %r." % item.key, self)
        self.dirty = True
        self._contents[item.key] = item

    def save(self, filename=None):
        """Save the library to the given filename."""
        if filename is None:
            filename = self.filename
        print_d("Saving contents to %r." % filename, self)
        if not os.path.isdir(os.path.dirname(filename)):
            os.makedirs(os.path.dirname(filename))
        fileobj = file(filename + ".tmp", "wb")
        if fcntl is not None:
            fcntl.flock(fileobj.fileno(), fcntl.LOCK_EX)
        items = self.values()
        for masked in self._masked.values():
            items.extend(masked.values())
        # Item keys are often based on filenames, in which case
        # sorting takes advantage of the filesystem cache when we
        # reload/rescan the files.
        items.sort(key=lambda item: item.key)
        pickle.dump(items, fileobj, pickle.HIGHEST_PROTOCOL)
        os.rename(filename + ".tmp", filename)
        fileobj.close()
        self.dirty = False
        print_d("Done saving contents to %r." % filename, self)

class Librarian(gtk.Object):
    """The librarian is a nice interface to all active libraries.

    Librarians are a kind of meta-library. When any of their
    registered libraries fire a signal, they fire the same
    signal. Likewise, they provide various methods equivalent to the
    ones found in libraries that group the results of the real
    libraries.

    Attributes:
    libraries -- a dict mapping library names to libraries
    """

    SIG_PYOBJECT = (gobject.SIGNAL_RUN_LAST, gobject.TYPE_NONE, (object,))
    __gsignals__ = {
        'changed': SIG_PYOBJECT,
        'removed': SIG_PYOBJECT,
        'added': SIG_PYOBJECT,
        }

    def __init__(self):
        super(Librarian, self).__init__()
        self.libraries = {}
        self.__signals = {}

    def register(self, library, name):
        """Register a library with this librarian."""
        if name in self.libraries or name in self.__signals:
            raise ValueError("library %r is already active" % name)

        added_sig = library.connect('added', self.__added)
        removed_sig = library.connect('removed', self.__removed)
        changed_sig = library.connect('changed', self.__changed)
        library.connect('destroy', self.__unregister, name)
        self.libraries[name] = library
        self.__signals[library] = [added_sig, removed_sig, changed_sig]

    def __unregister(self, library, name):
        # This function, unlike register, should be private.
        # Libraries get unregistered at the discretion of the
        # librarian, not the libraries.
        del(self.libraries[name])
        del(self.__signals[library])

    # FIXME: We can be smarter about this -- queue a list of items
    # and fire the signal after a short wait, to take advantage of
    # a case where many libraries fire a signal at the same time (or
    # one fires a signal often).

    def __changed(self, library, items):
        self.emit('changed', items)

    def __added(self, library, items):
        self.emit('added', items)

    def __removed(self, library, items):
        self.emit('removed', items)

    def changed(self, items):
        """Triage the items and inform their real libraries."""
        for library in self.libraries.itervalues():
            in_library = filter(library.__contains__, items)
            if in_library:
                library._changed(in_library)

    def __getitem__(self, key):
        """Find a item given its key."""
        for library in self.libraries.itervalues():
            try: return library[key]
            except KeyError: pass
        else: raise KeyError, key

    def get(self, key, default=None):
        try: return self[key]
        except KeyError: return default

    def remove(self, items):
        """Remove items from all libraries."""
        for library in self.libraries.itervalues():
            library.remove(filter(library.__contains__, items))

    def __contains__(self, item):
        """Check if a key or item is in the library."""
        for library in self.libraries.itervalues():
            if item in library:
                return True
        else: return False

    def __iter__(self):
        """Iterate over all items in all libraries."""
        return itertools.chain(*self.libraries.itervalues())

    def move(self, items, from_, to):
        """Move items from one library to another.

        This causes 'removed' signals on the from library, and 'added'
        signals on the 'to' library, but will not cause any signals
        to be emitted via this librarian.
        """
        try:
            from_.handler_block(self.__signals[from_][1])
            to.handler_block(self.__signals[to][0])
            from_.remove(items)
            to.add(items)
        finally:
            from_.handler_unblock(self.__signals[from_][1])
            to.handler_unblock(self.__signals[to][0])
           



Espero que possam ajudar.



Offline Xiloscient

  • Usuário Ubuntu
  • *
  • Mensagens: 66
    • Ver perfil
Re: Quod Libet parou de iniciar.
« Resposta #3 Online: 20 de Julho de 2010, 09:52 »
Alguém usa o QuodLibet?
Se sim, tem como mandar o arquivo "_library.py" que encontra-se na pasta "/usr/lib/pymodules/python2.6/quodlibet/library".

Agradeço.
Abraços.