1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133
|
#!/usr/bin/env python3
import glob
import os
from distutils.command.build_py import build_py
from distutils.core import setup
from subprocess import PIPE, Popen
APP_ICON_SIZES = (16, 24, 32, 64, 128, 256)
SI_ICON_SIZES = (16, 24, 32)
def get_version():
"""
Returns current package version using git-describe or examining
path. If both methods fails, returns 'unknown'.
"""
try:
p = Popen(['git', 'describe', '--tags', '--match', 'v*'], stdout=PIPE)
version = p.communicate()[0].strip("\n\r \t")
if p.returncode != 0:
raise Exception("git-describe failed")
return version
except:
pass
# Git-describe method failed, try to guess from working directory name
path = os.getcwd().split(os.path.sep)
version = 'unknown'
while len(path):
# Find path component that matches 'syncthing-gui-vX.Y.Z'
if path[-1].startswith("syncthing-gui-") or path[-1].startswith("syncthing-gtk-"):
version = path[-1].split("-")[-1]
if not version.startswith("v"):
version = "v%s" % (version,)
break
path = path[0:-1]
return version
class BuildPyEx(build_py):
""" Little extension to install command; Allows --nostdownloader argument """
user_options = build_py.user_options + [
# Note to self: use
# # ./setup.py build_py --nostdownloader install
# to enable this option
#
('nostdownloader', None,
'prevents installing StDownloader module; disables autoupdate capability'),
('nofinddaemon', None, 'prevents installing FindDaemonDialog module; always uses only default path to syncthig binary'),
]
def run(self):
build_py.run(self)
def initialize_options(self):
build_py.initialize_options(self)
self.nostdownloader = False
self.nofinddaemon = False
@staticmethod
def _remove_module(modules, to_remove):
for i in modules:
if i[1] == to_remove:
modules.remove(i)
return
def find_package_modules(self, package, package_dir):
rv = build_py.find_package_modules(self, package, package_dir)
if self.nostdownloader:
BuildPyEx._remove_module(rv, "stdownloader")
if self.nofinddaemon:
BuildPyEx._remove_module(rv, "finddaemondialog")
return rv
def find_mos(parent, lst=[]):
for f in os.listdir(parent):
fp = os.path.join(parent, f)
if os.path.isdir(fp):
find_mos(fp, lst)
elif fp.endswith(".mo"):
lst += [fp]
return lst
if __name__ == "__main__":
data_files = [
('share/syncthing-gtk', glob.glob("ui/*.ui")),
('share/syncthing-gtk', glob.glob("scripts/syncthing-plugin-*.py")),
('share/syncthing-gtk/icons', [
"icons/%s.svg" % x for x in (
'add_node', 'add_repo', 'address',
'announce', 'clock', 'compress', 'cpu', 'dl_rate',
'eye', 'folder', 'global', 'home', 'ignore', 'lock',
'ram', 'shared', 'show_id', 'show_id', 'sync', 'thumb_up',
'up_rate', 'version', 'rescan'
)] + [
"icons/%s.png" % x for x in (
'restart', 'settings', 'shutdown', "st-gtk-logo"
)]),
('share/man/man1', glob.glob("doc/*")),
('share/icons/hicolor/64x64/emblems', glob.glob("icons/emblem-*.png")),
('share/pixmaps', ["icons/syncthing-gtk.png"]),
('share/applications', ['syncthing-gtk.desktop']),
('share/metainfo', ['me.kozec.syncthingtk.appdata.xml']),
] + [
(
'share/icons/hicolor/%sx%s/apps' % (size, size),
glob.glob("icons/%sx%s/apps/*" % (size, size))
) for size in APP_ICON_SIZES
] + [
(
'share/icons/hicolor/%sx%s/status' % (size, size),
glob.glob("icons/%sx%s/status/*" % (size, size))
) for size in SI_ICON_SIZES
] + [
("share/" + os.path.split(x)[0], (x,)) for x in find_mos("locale/")
]
setup(
name='syncthing-gtk',
version='0.9.4.4.post20221205',
description='GTK3 GUI for Syncthing',
url='https://github.com/syncthing/syncthing-gtk',
packages=['syncthing_gtk'],
install_requires=(
'python-dateutil',
'bcrypt',
),
data_files=data_files,
scripts=["scripts/syncthing-gtk"],
cmdclass={'build_py': BuildPyEx},
)
|