/usr/lib/python2.7/dist-packages/ricky/utils.py is in python-ricky 0.1-1.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
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 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 | # This isn't perfect, but it'll do.
from debian import deb822
import tempfile
import subprocess
import shutil
from contextlib import contextmanager
import os
import shlex
try:
import configparser
except ImportError:
import ConfigParser as configparser
import datetime as dt
import email.utils
import tarfile
import hashlib
import time
import os
@contextmanager
def tdir():
fp = tempfile.mkdtemp()
try:
yield fp
finally:
shutil.rmtree(fp)
@contextmanager
def cd(where):
ncwd = os.getcwd()
try:
yield os.chdir(where)
finally:
os.chdir(ncwd)
def run_command(command, stdin=None):
if not isinstance(command, list):
command = shlex.split(command)
try:
pipe = subprocess.Popen(command, shell=False,
stdin=subprocess.PIPE,
stdout=subprocess.PIPE,
stderr=subprocess.PIPE)
except OSError:
return (None, None, -1)
kwargs = {}
if stdin:
kwargs['input'] = stdin.read()
(output, stderr) = pipe.communicate(**kwargs)
output, stderr = (c.decode('utf-8',
errors='ignore') for c in (output, stderr))
return (output, stderr, pipe.returncode)
def pool_path(source):
pfix = ''
if source.startswith('lib'):
pfix += source[:4]
else:
pfix += source[0]
pfix += "/" + source
return pfix
def run(cmd):
out, err, ret = run_command(cmd)
if ret != 0:
print(out, err)
raise Exception("Command " + cmd + " failed")
return out, err
def fetch_and_upload(dist, source, version, **kwargs):
from ricky import DEFAULT_MIRROR
confFile = "/etc/ricky.ini"
config = configparser.ConfigParser()
if not os.path.isfile(confFile):
raise Exception("Could not find " + confFile)
config.read([confFile])
gpg = config.get('config', 'signing-key')
target = config.get('config', 'dput-target')
eversion = version
if ":" in eversion:
epoch, eversion = version.rsplit(":", 1)
if "incoming.debian.org" == DEFAULT_MIRROR:
DSC_URL = (
"http://{mirror}/{source}_{version}.dsc".format(
source=source,
version=eversion,
mirror=DEFAULT_MIRROR,
))
else:
path = pool_path(source)
DSC_URL = (
"http://{mirror}/debian/pool/main/"
"{path}/{source}_{version}.dsc".format(
path=path,
source=source,
version=eversion,
mirror=DEFAULT_MIRROR,
))
with tdir() as pth:
with cd(pth):
out, err = run(['dget', '-u', DSC_URL])
dsc = os.path.basename(DSC_URL)
changes = write_changes(dsc, dist, **kwargs)
out, err = run(['debsign', '-k%s' % (gpg), changes])
out, err = run(['dput', target, changes])
def file_info(path):
for algo, name in [
('md5', 'Files'),
('sha1', 'Checksums-Sha1'),
('sha256', 'Checksums-Sha256')
]:
m = getattr(hashlib, algo)()
buf = open(path, 'rb').read()
m.update(buf)
hhash = m.hexdigest()
fsize = len(buf)
yield (algo, name, hhash, fsize, path)
def write_changes(fname, dist, **kwargs):
changes = forge_changes_file(fname, dist, **kwargs)
version = changes['Version']
eversion = version
if ":" in eversion:
epoch, eversion = version.rsplit(":", 1)
path = '{source}_{version}_source.changes'.format(
source=changes['Source'],
version=eversion,
)
changes.dump(fd=open(path, 'wb'))
return path
def forge_changes_file(fname, dist, **kwargs):
dsc = deb822.Dsc(open(fname, 'r'))
changes = deb822.Changes()
changes['Format'] = '1.8'
changes['Date'] = email.utils.formatdate(
time.mktime(dt.datetime.utcnow().timetuple()), usegmt=True
)
for key in [
'Source', 'Version', 'Maintainer',
'Checksums-Sha1', 'Checksums-Sha256', 'Files'
]:
changes[key] = dsc[key]
for algo, key, h, s, f in file_info(fname):
if algo == 'md5':
algo = 'md5sum'
entry = deb822.Deb822Dict()
entry[algo] = h
entry['size'] = s
entry['name'] = f
changes[key].append(entry)
for entry in changes['Files']:
entry['section'] = 'not-implemented'
entry['priority'] = 'not-implemented'
changes['Distribution'] = dist
changes['Urgency'] = 'low'
changes['Changed-By'] = 'Archive Rebuilder <paultag@debian.org>'
changes['Architecture'] = 'source'
changes['Binary'] = 'not implemented either'
changes['Description'] = """This feature is not implemented.
This is a pretty damn hard to deal with right now. I might write this
later."""
changes['Changes'] = """
{source} ({version}) {dist}; urgency={urgency}
.
* This is a fake ChangeLog entry used by ricky to force a rebuild
on debuild.me.""".format(
source=changes['Source'],
version=changes['Version'],
urgency=changes['Urgency'],
dist=dist,
)
for k, v in kwargs.items():
changes[k] = v
return changes
|