追加で利用できるサムネラはありますか、またどのようにインストールしますか?


9

質問

UbuntuのファイルマネージャーはNautilus、ファイルプレビューを幅広くサポートしています。これらのサムネイルは、サムネイル作成者と呼ばれるヘルパープログラムによって処理されます。

Ubuntuにプリインストールされているサムネラの数は限られているため、一部のエキゾチックなファイルタイプはデフォルトではレンダリングされません。

このような場合、プレビューをアクティブにするために追加でどのサムネラをインストールできますか?


関連するQ&A

Nautilusにサムネイルを事前に生成するように指示するにはどうすればよいですか?


コミュニティWikiの回答を編集して、このリストに自由に貢献してください。その場合は、このメタディスカッションのガイドラインに従い、既存のパターンを使用して回答の一貫性を維持してください。

回答:


11

一般的なインストール手順


リポジトリとPPAのサムネイラー

多数のサムネラがあらかじめパッケージ化されており、ソフトウェアセンターまたはコマンドラインから簡単にインストールできます。これらのサムネイルは追加の設定を必要とせず、nautilusを再起動した直後に機能するはずです。あなたはそれを行うことができます:

nautilus -q 

PPAから何かをインストールする前に、次のQ&Aを読むことを検討してください。

PPAとは何ですか、またどのように使用しますか?

システムにPPAを安全に追加できますか。また、注意が必要な「レッドフラグ」は何ですか。

Ubuntu 11.04以降のカスタムサムネイルスクリプト

リポジトリで利用できないカスタムサムネイルは手動でインストールする必要があります。これらは、それらをインストールするために実行する必要がある手順です。

スクリプトに依存関係がリストされているかどうかを確認します。その場合は、最初にインストールしてください。

スクリプトをダウンロードし、Nautilus経由chmod a+x filethumbnailerまたはNautilus経由で実行可能にします

今後のすべてのサムネラ用にファイルシステム内のフォルダを指定し、スクリプトをそこに移動します。例:

mkdir $HOME/.scripts/thumbnailers && mv filethumbnailer $HOME/.scripts/thumbnailers

次に、スクリプトをNautilusに登録する必要があります。これを行うには、サムネイル一覧エントリをで作成し/usr/share/thumbnailersます。エントリが命名体系従うべきである(ここではお好みの表現ですが):foo.thumbnailerfoofile

gksudo gedit /usr/share/thumbnailers/file.thumbnailer

サムネラの仕様はこのスキームに従います。

[Thumbnailer Entry]
Exec=$HOME/.scripts/thumbnailers/file.thumbnailer %i %o %s
MimeType=application/file;

ExecあなたのthumbnailerのスクリプトへのエントリポイントながらMimeTypeフィールドには、関連するMIMEタイプを指定します。可能な変数は次のとおりです。

%i Input file path
%u Input file URI
%o Output file path
%s Thumbnail size (vertical)

仕様と変数はスクリプトごとに異なります。それぞれのテキストボックスの内容をコピーしてファイルに貼り付け、保存するだけです。

nautilus(nautilus -q)を再起動した後、サムネラが稼働しているはずです。

Ubuntu 11.04以下のカスタムサムネイルスクリプト

Ubuntuの以前のバージョンでは、サムネイルの関連付けをGConfに依存しています。詳細については、こちらをご覧ください。


出典

https://live.gnome.org/ThumbnailerSpec

https://bugzilla.redhat.com/show_bug.cgi?id=636819#c29

https://bugs.launchpad.net/ubuntu/+source/gnome-exe-thumbnailer/+bug/752578

http://ubuntuforums.org/showthread.php?t=1881360



ファイルタイプ別のサムネイル


CHMファイル

概観

説明:このスクリプトを使用すると、nautilusファイルマネージャでchmファイルのサムネイルを取得できます。スクリプトは、chmファイルのホームページから最大の画像を使用してサムネイルを生成します。通常、これは表紙の画像になります。

作成者:monraaf(http://ubuntuforums.org/showthread.php?t=1159569

依存関係sudo apt-get install python-beautifulsoup python-chm imagemagick

Thumbnailerエントリ

[Thumbnailer Entry]
Exec=$HOME/.scripts/thumbnailers/chmthumbnailer %i %o %s
MimeType=application/vnd.ms-htmlhelp;application/x-chm;

脚本

#!/usr/bin/env python

import sys, os
from chm import chm
from BeautifulSoup import BeautifulSoup

class ChmThumbNailer(object):
    def __init__(self):
        self.chm = chm.CHMFile()

    def thumbnail(self, ifile, ofile, sz):

        if self.chm.LoadCHM(ifile) == 0:
            return 1

        bestname    = None
        bestsize    = 0
        base        = self.chm.home.rpartition('/')[0] + '/'
        size, data  = self.getfile(self.chm.home)

        if size > 0:
            if self.chm.home.endswith(('jpg','gif','bmp')):
                self.write(ofile, sz, data)
            else:
                soup = BeautifulSoup(data)
                imgs = soup.findAll('img')
                for img in imgs:
                    name = base + img.get("src","")
                    size, data = self.getfile(name)
                    if size > bestsize:
                        bestsize = size
                        bestname = name
                if bestname != None:
                    size, data = self.getfile(bestname)
                    if size > 0:
                        self.write(ofile, sz, data)
        self.chm.CloseCHM()

    def write(self, ofile, sz, data):
        fd = os.popen('convert - -resize %sx%s "%s"' % (sz, sz, ofile), "w")
        fd.write(data)
        fd.close()

    def getfile(self,name):
        (ret, ui) = self.chm.ResolveObject(name)
        if ret == 1:
            return (0, '')
        return self.chm.RetrieveObject(ui)

if len(sys.argv) > 3:
    chm = ChmThumbNailer()
    chm.thumbnail(sys.argv[1], sys.argv[2], sys.argv[3])

EPUBファイル

概観

説明:epub-thumbnailerは、epubファイル内のカバーを見つけてサムネイルを作成する単純なスクリプトです。

作成者:マリアーノシモーネ(https://github.com/marianosimone/epub-thumbnailer

依存関係:リストされていない、すぐに正常に動作した

サムネイラーエントリ

[Thumbnailer Entry]
Exec=$HOME/.scripts/thumbnailers/epubthumbnailer %i %o %s
MimeType=application/epub+zip;

脚本

#!/usr/bin/python

#  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, either version 3 of the License, or
#  (at your option) any later version.
#
#  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, see <http://www.gnu.org/licenses/>.

# Author: Mariano Simone (marianosimone@gmail.com)
# Version: 1.0
# Name: epub-thumbnailer
# Description: An implementation of a cover thumbnailer for epub files
# Installation: see README

import zipfile
import sys
import Image
import os
import re
from xml.dom import minidom
from StringIO import StringIO

def get_cover_from_manifest(epub):
    img_ext_regex = re.compile("^.*\.(jpg|jpeg|png)$")

    # open the main container
    container = epub.open("META-INF/container.xml")
    container_root = minidom.parseString(container.read())

    # locate the rootfile
    elem = container_root.getElementsByTagName("rootfile")[0]
    rootfile_path = elem.getAttribute("full-path")

    # open the rootfile
    rootfile = epub.open(rootfile_path)
    rootfile_root = minidom.parseString(rootfile.read())

    # find the manifest element
    manifest = rootfile_root.getElementsByTagName("manifest")[0]
    for item in manifest.getElementsByTagName("item"):
        item_id = item.getAttribute("id")
        item_href = item.getAttribute("href")
        if "cover" in item_id and img_ext_regex.match(item_href.lower()):
            cover_path = os.path.join(os.path.dirname(rootfile_path), 
                                      item_href)
            return cover_path

    return None

def get_cover_by_filename(epub):
    cover_regex = re.compile(".*cover.*\.(jpg|jpeg|png)")

    for fileinfo in epub.filelist:
        if cover_regex.match(os.path.basename(fileinfo.filename).lower()):
            return fileinfo.filename

    return None

def extract_cover(cover_path):
    if cover_path:
        cover = epub.open(cover_path)
        im = Image.open(StringIO(cover.read()))
        im.thumbnail((size, size), Image.ANTIALIAS)
        im.save(output_file, "PNG")
        return True
    return False

# Which file are we working with?
input_file = sys.argv[1]
# Where do does the file have to be saved?
output_file = sys.argv[2]
# Required size?
size = int(sys.argv[3])

# An epub is just a zip
epub = zipfile.ZipFile(input_file, "r")

extraction_strategies = [get_cover_from_manifest, get_cover_by_filename]

for strategy in extraction_strategies:
    try:
        cover_path = strategy(epub)
        if extract_cover(cover_path):
            exit(0)
    except Exception as ex:
        print "Error getting cover using %s: " % strategy.__name__, ex

exit(1)

EXEファイル

概観

説明:gnome-exe-thumbnailerは、Windows .exeファイルに埋め込まれたアイコンと一般的な「ワインプログラム」アイコンに基づいたアイコンを提供するGnomeのサムネラーです。プログラムに通常の実行権限がある場合、標準の埋め込みアイコンが表示されます。このサムネラは、.jar、.py、および同様の実行可能プログラムのサムネイルアイコンも提供します。

可用性:公式リポジトリ

取り付け

sudo apt-get install gnome-exe-thumbnailer

ODP / ODS / ODTおよびその他のLibreOfficeおよびOpen Officeファイル

概観

説明: ooo-thumbnailerは、Nautilusがドキュメント、スプレッドシート、プレゼンテーション、および図面のサムネイルを作成するために使用できるLibreOffice、OpenOffice.org、およびMicrosoft Officeのドキュメントサムネイルです。

可用性:開発者のPPA(Ubuntu 12.04以降のLibreOfficeと互換性のある最新バージョン)

取り付け

sudo add-apt-repository ppa:flimm/ooo-thumbnailer && apt-get update && apt-get install ooo-thumbnailer

何についての.xpm画像?私は、彼らが「標準」とした仮定pngjpgおよびbmp、しかし、ノーチラスは彼らのためにプレビューを生成しません。
MestreLion 2013

Nautilus 3.4でXPM画像ファイルが適切
Glutanimate

1
気にしないでください。/* XPM */ヘッダーの前にコメントが付いているファイルは、うまくeog表示されても処理できないことがわかりました
MestreLion

私はあなたがファイルのmimetypeを見つけることができると思いますfile -i FILE
Wilf

1

ICNSファイル(Mac OSXアイコン)

概観

Nautilusは、いくつかのバグのためにMac OSXアイコンのサムネイルを生成しませんが、サポートが組み込まれていGdkPixbufます。

脚本

これは、.icnsファイルのサムネイルを生成するための基本的なスクリプトです。より堅牢なバージョンはhttps://github.com/MestreLion/icns-thumbnailerにあります

#!/usr/bin/env python
import sys
from gi.repository import GdkPixbuf
inputname, outputname, size = sys.argv[1:]
pixbuf = GdkPixbuf.Pixbuf.new_from_file(inputname)
scaled = GdkPixbuf.Pixbuf.scale_simple(pixbuf, int(size), int(size),
                                       GdkPixbuf.InterpType.BILINEAR)
scaled.savev(outputname, 'png', [], [])

インストール

.thumbnailerNautilus のファイルと共に、インストールスクリプトはicns-thumbnailerプロジェクトリポジトリで入手できます。

弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.