You signed in with another tab or window. Reload to refresh your session.You signed out in another tab or window. Reload to refresh your session.You switched accounts on another tab or window. Reload to refresh your session.Dismiss alert
According to the implementation the timestamp is always zero and can not be configured. It leads to the PPA uploading rejection due to "a time stamp too far in the past (e.g. control [Thu Jan 1 00:00:00 1970])".
The code that fixes the issue can be done as follows:
# Copyright 2015 The Bazel Authors. All rights reserved.## Licensed under the Apache License, Version 2.0 (the "License");# you may not use this file except in compliance with the License.# You may obtain a copy of the License at## http://www.apache.org/licenses/LICENSE-2.0## Unless required by applicable law or agreed to in writing, software# distributed under the License is distributed on an "AS IS" BASIS,# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.# See the License for the specific language governing permissions and# limitations under the License."""A simple cross-platform helper to create a debian package."""importargparsefromenumimportEnumimportgzipimporthashlibimportioimportosimportsysimporttarfileimporttextwrapimporttimeifsys.version_info< (3, 7):
fromcollectionsimportOrderedDictelse:
OrderedDict=dictfrompkg.privateimporthelpersMultiline=Enum('Multiline', ['NO', 'YES', 'YES_ADD_NEWLINE'])
# list of debian fields : (name, mandatory, is_multiline[, default])# see http://www.debian.org/doc/debian-policy/ch-controlfields.htmlDEBIAN_FIELDS= [
('Package', True, False),
('Version', True, False),
('Section', False, False, 'contrib/devel'),
('Priority', False, False, 'optional'),
('Architecture', False, False, 'all'),
('Depends', False, False, []),
('Recommends', False, False, []),
('Replaces', False, False, []),
('Suggests', False, False, []),
('Enhances', False, False, []),
('Conflicts', False, False, []),
('Breaks', False, False, []),
('Pre-Depends', False, False, []),
('Provides', False, False, []),
('Installed-Size', False, False),
('Maintainer', True, False),
('Description', True, True),
('Homepage', False, False),
('License', False, False),
('Built-Using', False, False, None),
('Distribution', False, False, 'unstable'),
('Urgency', False, False, 'medium'),
]
# size of chunks for copying package content to final .deb file# This is a wild guess, but I am not convinced of the value of doing much work# to tune it._COPY_CHUNK_SIZE=1024*32defAddControlFlags(parser):
"""Creates a flag for each of the control file fields."""forfieldinDEBIAN_FIELDS:
flag_name='--'+field[0].replace('-', '_').lower()
msg='The value for the %s content header entry.'%field[0]
required=field[1]
iflen(field) >3:
default=field[3]
ifisinstance(field[3], list):
parser.add_argument(flag_name, action='append', default=default,
required=required, help=msg)
else:
parser.add_argument(flag_name, default=default, required=required,
help=msg)
else:
parser.add_argument(flag_name, required=required, help=msg)
defConvertToFileLike(content, content_len, converter):
ifcontent_len<0:
content_len=len(content)
content=converter(content)
returncontent_len, contentdefAddArFileEntry(fileobj, filename,
content='', content_len=-1, timestamp=0,
owner_id=0, group_id=0, mode=0o644):
"""Add a AR file entry to fileobj."""# If we got the content as a string, turn it into a file like thing.ifisinstance(content, (str, bytes)):
content_len, content=ConvertToFileLike(content, content_len, io.BytesIO)
inputs= [
(filename+'/').ljust(16), # filename (SysV)str(timestamp).ljust(12), # timestampstr(owner_id).ljust(6), # owner idstr(group_id).ljust(6), # group idstr(oct(mode)).replace('0o', '0').ljust(8), # modestr(content_len).ljust(10), # size'\x60\x0a', # end of file entry
]
foriininputs:
fileobj.write(i.encode('ascii'))
size=0whileTrue:
data=content.read(_COPY_CHUNK_SIZE)
ifnotdata:
breaksize+=len(data)
fileobj.write(data)
ifsize%2!=0:
fileobj.write(b'\n') # 2-byte alignment paddingdefMakeDebianControlField(name: str, value: str, multiline:Multiline=Multiline.NO) ->str:
"""Add a field to a debian control file. https://www.debian.org/doc/debian-policy/ch-controlfields.html#syntax-of-control-files Args: name: Control field name value: Value for that """ifisinstance(value, bytes):
value=value.decode('utf-8')
ifisinstance(value, list):
value=u', '.join(value)
value=value.rstrip()
ifmultiline==Multiline.NO:
value=value.strip()
if'\n'invalue:
raiseValueError(
'\\n is not allowed in simple control fields (%s)'%value)
lines=value.split('\n')
i=0ifmultiline!=Multiline.YES_ADD_NEWLINE:
result=name+': '+lines[i].strip() +'\n'i=1else:
result=name+':\n'forlineinlines[i:]:
ifnotline.startswith(' '):
result+=' 'result+=lineresult+='\n'returnresultdefCreateDebControl(extrafiles=None, **kwargs):
"""Create the control.tar.gz file."""# create the control filecontrolfile=u''forvaluesinDEBIAN_FIELDS:
fieldname=values[0]
mandatory=values[1]
multiline=Multiline.YESifvalues[2] elseMultiline.NOkey=fieldname[0].lower() +fieldname[1:].replace('-', '')
ifmandatoryor (keyinkwargsandkwargs[key]):
controlfile+=MakeDebianControlField(fieldname, kwargs[key], multiline)
# Create the control.tar filetar=io.BytesIO()
withgzip.GzipFile('control.tar.gz', mode='w', fileobj=tar, mtime=0) asgz:
withtarfile.open('control.tar.gz', mode='w', fileobj=gz,
format=tarfile.GNU_FORMAT) asf:
tarinfo=tarfile.TarInfo('./control')
control_file_data=controlfile.encode('utf-8')
tarinfo.size=len(control_file_data)
f.addfile(tarinfo, fileobj=io.BytesIO(control_file_data))
ifextrafiles:
forname, (data, mode) inextrafiles.items():
tarinfo=tarfile.TarInfo('./'+name)
data_encoded=data.encode('utf-8')
tarinfo.size=len(data_encoded)
tarinfo.mode=modef.addfile(tarinfo, fileobj=io.BytesIO(data_encoded))
control=tar.getvalue()
tar.close()
returncontroldefCreateDeb(output,
data,
preinst=None,
postinst=None,
prerm=None,
postrm=None,
config=None,
templates=None,
triggers=None,
conffiles=None,
changelog=None,
timestamp=0,
**kwargs):
"""Create a full debian package."""extrafiles=OrderedDict()
ifpreinst:
extrafiles['preinst'] = (preinst, 0o755)
ifpostinst:
extrafiles['postinst'] = (postinst, 0o755)
ifprerm:
extrafiles['prerm'] = (prerm, 0o755)
ifpostrm:
extrafiles['postrm'] = (postrm, 0o755)
ifconfig:
extrafiles['config'] = (config, 0o755)
iftemplates:
extrafiles['templates'] = (templates, 0o644)
iftriggers:
extrafiles['triggers'] = (triggers, 0o644)
ifconffiles:
extrafiles['conffiles'] = ('\n'.join(conffiles) +'\n', 0o644)
ifchangelog:
extrafiles['changelog'] = (changelog, 0o644)
control=CreateDebControl(extrafiles=extrafiles, **kwargs)
# Write the final AR archive (the deb package)withopen(output, 'wb') asf:
f.write(b'!<arch>\n') # Magic AR headerAddArFileEntry(f, 'debian-binary', b'2.0\n', timestamp=timestamp)
AddArFileEntry(f, 'control.tar.gz', control, timestamp=timestamp)
# Tries to preserve the extension nameext=os.path.basename(data).split('.')[-2:]
iflen(ext) <2:
ext='tar'elifext[1] =='tgz':
ext='tar.gz'elifext[1] =='tar.bzip2':
ext='tar.bz2'else:
ext='.'.join(ext)
ifextnotin ['tar.bz2', 'tar.gz', 'tar.xz', 'tar.lzma', 'tar.zst']:
ext='tar'data_size=os.stat(data).st_sizewithopen(data, 'rb') asdatafile:
AddArFileEntry(f, 'data.'+ext, datafile, content_len=data_size, timestamp=timestamp)
defGetChecksumsFromFile(filename, hash_fns=None):
"""Computes MD5 and/or other checksums of a file. Args: filename: Name of the file. hash_fns: Mapping of hash functions. Default is {'md5': hashlib.md5} Returns: Mapping of hash names to hexdigest strings. { <hashname>: <hexdigest>, ... } """hash_fns=hash_fnsor {'md5': hashlib.md5}
checksums= {k: fn() for (k, fn) inhash_fns.items()}
withopen(filename, 'rb') asfile_handle:
whileTrue:
buf=file_handle.read(1048576) # 1 MiBifnotbuf:
breakforhashfninchecksums.values():
hashfn.update(buf)
return {k: fn.hexdigest() for (k, fn) inchecksums.items()}
defCreateChanges(output,
deb_file,
architecture,
description,
maintainer,
package,
version,
section,
priority,
distribution,
urgency,
timestamp=0):
"""Create the changes file."""checksums=GetChecksumsFromFile(deb_file, {'md5': hashlib.md5,
'sha1': hashlib.sha1,
'sha256': hashlib.sha256})
debsize=str(os.path.getsize(deb_file))
deb_basename=os.path.basename(deb_file)
changesdata=u''.join([
MakeDebianControlField('Format', '1.8'),
MakeDebianControlField('Date', time.asctime(time.localtime(timestamp))),
MakeDebianControlField('Source', package),
MakeDebianControlField('Binary', package),
MakeDebianControlField('Architecture', architecture),
MakeDebianControlField('Version', version),
MakeDebianControlField('Distribution', distribution),
MakeDebianControlField('Urgency', urgency),
MakeDebianControlField('Maintainer', maintainer),
MakeDebianControlField('Changed-By', maintainer),
# The description in the changes file is strangeMakeDebianControlField('Description', (
'%s - %s\n') % (
package, description.split('\n')[0]),
multiline=Multiline.YES_ADD_NEWLINE),
MakeDebianControlField('Changes', (
'%s (%s) %s; urgency=%s''\n Changes are tracked in revision control.') % (
package, version, distribution, urgency),
multiline=Multiline.YES_ADD_NEWLINE),
MakeDebianControlField(
'Files', ' '.join(
[checksums['md5'], debsize, section, priority, deb_basename]),
multiline=Multiline.YES_ADD_NEWLINE),
MakeDebianControlField(
'Checksums-Sha1',
' '.join([checksums['sha1'], debsize, deb_basename]),
multiline=Multiline.YES_ADD_NEWLINE),
MakeDebianControlField(
'Checksums-Sha256',
' '.join([checksums['sha256'], debsize, deb_basename]),
multiline=Multiline.YES_ADD_NEWLINE)
])
withopen(output, 'wb') aschanges_fh:
changes_fh.write(changesdata.encode('utf-8'))
defGetFlagValues(flagvalues):
ifflagvalues:
return [helpers.GetFlagValue(f, False) forfinflagvalues]
else:
returnNonedefmain():
parser=argparse.ArgumentParser(
description='Helper for building deb packages')
parser.add_argument('--output', required=True,
help='The output file, mandatory')
parser.add_argument('--changes', required=True,
help='The changes output file, mandatory.')
parser.add_argument('--data', required=True,
help='Path to the data tarball, mandatory')
parser.add_argument(
'--preinst',
help='The preinst script (prefix with @ to provide a path).')
parser.add_argument(
'--postinst',
help='The postinst script (prefix with @ to provide a path).')
parser.add_argument(
'--prerm',
help='The prerm script (prefix with @ to provide a path).')
parser.add_argument(
'--postrm',
help='The postrm script (prefix with @ to provide a path).')
parser.add_argument(
'--config',
help='The config script (prefix with @ to provide a path).')
parser.add_argument(
'--templates',
help='The templates file (prefix with @ to provide a path).')
parser.add_argument(
'--triggers',
help='The triggers file (prefix with @ to provide a path).')
# see# https://www.debian.org/doc/manuals/debian-faq/ch-pkg_basics.en.html#s-conffileparser.add_argument(
'--conffile', action='append',
help='List of conffiles (prefix item with @ to provide a path)')
parser.add_argument(
'--changelog',
help='The changelog file (prefix item with @ to provide a path).')
AddControlFlags(parser)
options=parser.parse_args()
timestamp=int(time.time())
CreateDeb(
options.output,
options.data,
preinst=helpers.GetFlagValue(options.preinst, False),
postinst=helpers.GetFlagValue(options.postinst, False),
prerm=helpers.GetFlagValue(options.prerm, False),
postrm=helpers.GetFlagValue(options.postrm, False),
config=helpers.GetFlagValue(options.config, False),
templates=helpers.GetFlagValue(options.templates, False),
triggers=helpers.GetFlagValue(options.triggers, False),
conffiles=GetFlagValues(options.conffile),
changelog=helpers.GetFlagValue(options.changelog, False),
package=options.package,
version=helpers.GetFlagValue(options.version),
description=helpers.GetFlagValue(options.description),
maintainer=helpers.GetFlagValue(options.maintainer),
section=options.section,
architecture=helpers.GetFlagValue(options.architecture),
depends=GetFlagValues(options.depends),
suggests=options.suggests,
enhances=options.enhances,
preDepends=options.pre_depends,
recommends=options.recommends,
replaces=options.replaces,
provides=options.provides,
homepage=helpers.GetFlagValue(options.homepage),
license=helpers.GetFlagValue(options.license),
builtUsing=helpers.GetFlagValue(options.built_using),
priority=options.priority,
conflicts=options.conflicts,
breaks=options.breaks,
installedSize=helpers.GetFlagValue(options.installed_size),
timestamp=timestamp)
CreateChanges(
output=options.changes,
deb_file=options.output,
architecture=options.architecture,
description=helpers.GetFlagValue(options.description),
maintainer=helpers.GetFlagValue(options.maintainer), package=options.package,
version=helpers.GetFlagValue(options.version), section=options.section,
priority=options.priority, distribution=options.distribution,
urgency=options.urgency,
timestamp=timestamp)
if__name__=='__main__':
main()
The text was updated successfully, but these errors were encountered:
The rules_pkg version: 0.9.1
It produces the deb file timestamped at 0.
The root cause is trivial and located here:
rules_pkg/pkg/private/deb/make_deb.py
Line 104 in 6a44f01
rules_pkg/pkg/private/deb/make_deb.py
Line 96 in 6a44f01
According to the implementation the timestamp is always zero and can not be configured. It leads to the PPA uploading rejection due to "a time stamp too far in the past (e.g. control [Thu Jan 1 00:00:00 1970])".
The code that fixes the issue can be done as follows:
The text was updated successfully, but these errors were encountered: