Bug 1166464 - Bump version after shipping release builds r=jlund npotb DONTBUILD

This commit is contained in:
Rail Aliiev 2016-02-01 13:24:53 -05:00
Родитель 44826ce463
Коммит ff1ab4a8e8
7 изменённых файлов: 378 добавлений и 149 удалений

Просмотреть файл

@ -0,0 +1,14 @@
config = {
"log_name": "bump_beta",
"version_files": [{"file": "browser/config/version_display.txt"}],
"repo": {
"repo": "https://hg.mozilla.org/releases/mozilla-beta",
"revision": "default",
"dest": "mozilla-beta",
"vcs": "hg",
},
"push_dest": "ssh://hg.mozilla.org/releases/mozilla-beta",
"ignore_no_changes": True,
"ssh_user": "ffxbld",
"ssh_key": "~/.ssh/ffxbld_rsa",
}

Просмотреть файл

@ -0,0 +1,14 @@
config = {
"log_name": "bump_date",
"version_files": [{"file": "browser/config/version_display.txt"}],
"repo": {
"repo": "https://hg.mozilla.org/projects/date",
"revision": "default",
"dest": "date",
"vcs": "hg",
},
"push_dest": "ssh://hg.mozilla.org/projects/date",
"ignore_no_changes": True,
"ssh_user": "ffxbld",
"ssh_key": "~/.ssh/ffxbld_rsa",
}

Просмотреть файл

@ -0,0 +1,19 @@
config = {
"log_name": "bump_esr38",
"version_files": [
{"file": "browser/config/version.txt"},
# TODO: enable this for esr45
# {"file": "browser/config/version_display.txt"},
{"file": "config/milestone.txt"},
],
"repo": {
"repo": "https://hg.mozilla.org/releases/mozilla-esr38",
"revision": "default",
"dest": "mozilla-esr38",
"vcs": "hg",
},
"push_dest": "ssh://hg.mozilla.org/releases/mozilla-esr38",
"ignore_no_changes": True,
"ssh_user": "ffxbld",
"ssh_key": "~/.ssh/ffxbld_rsa",
}

Просмотреть файл

@ -0,0 +1,18 @@
config = {
"log_name": "bump_release",
"version_files": [
{"file": "browser/config/version.txt"},
{"file": "browser/config/version_display.txt"},
{"file": "config/milestone.txt"},
],
"repo": {
"repo": "https://hg.mozilla.org/releases/mozilla-release",
"revision": "default",
"dest": "mozilla-release",
"vcs": "hg",
},
"push_dest": "ssh://hg.mozilla.org/releases/mozilla-release",
"ignore_no_changes": True,
"ssh_user": "ffxbld",
"ssh_key": "~/.ssh/ffxbld_rsa",
}

Просмотреть файл

@ -0,0 +1,139 @@
import os
from mozharness.base.errors import HgErrorList
from mozharness.base.log import FATAL, INFO
from mozharness.base.vcs.mercurial import MercurialVCS
class GeckoMigrationMixin(object):
def get_version(self, repo_root,
version_file="browser/config/version.txt"):
version_path = os.path.join(repo_root, version_file)
contents = self.read_from_file(version_path, error_level=FATAL)
lines = [l for l in contents.splitlines() if l and
not l.startswith("#")]
return lines[-1].split(".")
def replace(self, file_name, from_, to_):
""" Replace text in a file.
"""
text = self.read_from_file(file_name, error_level=FATAL)
new_text = text.replace(from_, to_)
if text == new_text:
self.fatal("Cannot replace '%s' to '%s' in '%s'" %
(from_, to_, file_name))
self.write_to_file(file_name, new_text, error_level=FATAL)
def query_hg_revision(self, path):
""" Avoid making 'pull' a required action every run, by being able
to fall back to figuring out the revision from the cloned repo
"""
m = MercurialVCS(log_obj=self.log_obj, config=self.config)
revision = m.get_revision_from_path(path)
return revision
def hg_commit(self, cwd, message, user=None, ignore_no_changes=False):
""" Commit changes to hg.
"""
cmd = self.query_exe('hg', return_type='list') + [
'commit', '-m', message]
if user:
cmd.extend(['-u', user])
success_codes = [0]
if ignore_no_changes:
success_codes.append(1)
self.run_command(
cmd, cwd=cwd, error_list=HgErrorList,
halt_on_failure=True,
success_codes=success_codes
)
return self.query_hg_revision(cwd)
def clean_repos(self):
""" We may end up with contaminated local repos at some point, but
we don't want to have to clobber and reclone from scratch every
time.
This is an attempt to clean up the local repos without needing a
clobber.
"""
dirs = self.query_abs_dirs()
hg = self.query_exe("hg", return_type="list")
hg_repos = self.query_gecko_repos()
hg_strip_error_list = [{
'substr': r'''abort: empty revision set''', 'level': INFO,
'explanation': "Nothing to clean up; we're good!",
}] + HgErrorList
for repo_config in hg_repos:
repo_name = repo_config["dest"]
repo_path = os.path.join(dirs['abs_work_dir'], repo_name)
if os.path.exists(repo_path):
# hg up -C to discard uncommitted changes
self.run_command(
hg + ["up", "-C", "-r", repo_config['revision']],
cwd=repo_path,
error_list=HgErrorList,
halt_on_failure=True,
)
# discard unpushed commits
status = self.retry(
self.run_command,
args=(hg + ["--config", "extensions.mq=", "strip",
"--no-backup", "outgoing()"], ),
kwargs={
'cwd': repo_path,
'error_list': hg_strip_error_list,
'return_type': 'num_errors',
'success_codes': (0, 255),
},
)
if status not in [0, 255]:
self.fatal("Issues stripping outgoing revisions!")
# 2nd hg up -C to make sure we're not on a stranded head
# which can happen when reverting debugsetparents
self.run_command(
hg + ["up", "-C", "-r", repo_config['revision']],
cwd=repo_path,
error_list=HgErrorList,
halt_on_failure=True,
)
def commit_changes(self):
""" Do the commit.
"""
hg = self.query_exe("hg", return_type="list")
for cwd in self.query_commit_dirs():
self.run_command(hg + ["diff"], cwd=cwd)
self.hg_commit(
cwd, user=self.config['hg_user'],
message=self.query_commit_message(),
ignore_no_changes=self.config.get("ignore_no_changes", False)
)
self.info("Now verify |hg out| and |hg out --patch| if you're paranoid, and --push")
def push(self):
"""
"""
error_message = """Push failed! If there was a push race, try rerunning
the script (--clean-repos --pull --migrate). The second run will be faster."""
hg = self.query_exe("hg", return_type="list")
for cwd in self.query_push_dirs():
if not cwd:
self.warning("Skipping %s" % cwd)
continue
push_cmd = hg + ['push'] + self.query_push_args(cwd)
if self.config.get("push_dest"):
push_cmd.append(self.config["push_dest"])
status = self.run_command(
push_cmd,
cwd=cwd,
error_list=HgErrorList,
success_codes=[0, 1],
)
if status == 1:
self.warning("No changes for %s!" % cwd)
elif status:
self.fatal(error_message)

Просмотреть файл

@ -16,21 +16,21 @@ and
http://hg.mozilla.org/build/tools/file/084bc4e2fc76/release/merge_helper.py http://hg.mozilla.org/build/tools/file/084bc4e2fc76/release/merge_helper.py
""" """
from getpass import getpass
import os import os
import pprint import pprint
import subprocess import subprocess
import sys import sys
from getpass import getpass
sys.path.insert(1, os.path.dirname(os.path.dirname(sys.path[0]))) sys.path.insert(1, os.path.dirname(os.path.dirname(sys.path[0])))
from mozharness.base.errors import HgErrorList from mozharness.base.errors import HgErrorList
from mozharness.base.log import INFO, FATAL
from mozharness.base.python import VirtualenvMixin, virtualenv_config_options from mozharness.base.python import VirtualenvMixin, virtualenv_config_options
from mozharness.base.vcs.vcsbase import MercurialScript from mozharness.base.vcs.vcsbase import MercurialScript
from mozharness.base.vcs.mercurial import MercurialVCS
from mozharness.mozilla.selfserve import SelfServeMixin from mozharness.mozilla.selfserve import SelfServeMixin
from mozharness.mozilla.updates.balrog import BalrogMixin from mozharness.mozilla.updates.balrog import BalrogMixin
from mozharness.mozilla.buildbot import BuildbotMixin
from mozharness.mozilla.merge import GeckoMigrationMixin
VALID_MIGRATION_BEHAVIORS = ( VALID_MIGRATION_BEHAVIORS = (
"beta_to_release", "aurora_to_beta", "central_to_aurora", "release_to_esr", "beta_to_release", "aurora_to_beta", "central_to_aurora", "release_to_esr",
@ -39,7 +39,8 @@ VALID_MIGRATION_BEHAVIORS = (
# GeckoMigration {{{1 # GeckoMigration {{{1
class GeckoMigration(MercurialScript, BalrogMixin, VirtualenvMixin, SelfServeMixin): class GeckoMigration(MercurialScript, BalrogMixin, VirtualenvMixin,
SelfServeMixin, BuildbotMixin, GeckoMigrationMixin):
config_options = [ config_options = [
[['--hg-user', ], { [['--hg-user', ], {
"action": "store", "action": "store",
@ -160,13 +161,26 @@ class GeckoMigration(MercurialScript, BalrogMixin, VirtualenvMixin, SelfServeMix
self.info(pprint.pformat(self.gecko_repos)) self.info(pprint.pformat(self.gecko_repos))
return self.gecko_repos return self.gecko_repos
def query_hg_revision(self, path): def query_commit_dirs(self):
""" Avoid making 'pull' a required action every run, by being able dirs = self.query_abs_dirs()
to fall back to figuring out the revision from the cloned repo commit_dirs = [dirs['abs_to_dir']]
""" if self.config['migration_behavior'] == 'central_to_aurora':
m = MercurialVCS(log_obj=self.log_obj, config=self.config) commit_dirs.append(dirs['abs_from_dir'])
revision = m.get_revision_from_path(path) return commit_dirs
return revision
def query_commit_message(self):
return "Update configs. IGNORE BROKEN CHANGESETS CLOSED TREE NO BUG a=release ba=release"
def query_push_dirs(self):
dirs = self.query_abs_dirs()
return dirs.get('abs_from_dir'), dirs.get('abs_to_dir')
def query_push_args(self, cwd):
if cwd == self.query_abs_dirs()['abs_to_dir'] and \
self.config['migration_behavior'] == 'beta_to_release':
return ['--new-branch']
else:
return []
def query_from_revision(self): def query_from_revision(self):
""" Shortcut to get the revision for the from repo """ Shortcut to get the revision for the from repo
@ -180,11 +194,6 @@ class GeckoMigration(MercurialScript, BalrogMixin, VirtualenvMixin, SelfServeMix
dirs = self.query_abs_dirs() dirs = self.query_abs_dirs()
return self.query_hg_revision(dirs['abs_to_dir']) return self.query_hg_revision(dirs['abs_to_dir'])
def get_fx_version(self, path):
version_path = os.path.join(path, "browser", "config", "version.txt")
contents = self.read_from_file(version_path, error_level=FATAL)
return contents.split(".")
def hg_tag(self, cwd, tags, user=None, message=None, revision=None, def hg_tag(self, cwd, tags, user=None, message=None, revision=None,
force=None, halt_on_failure=True): force=None, halt_on_failure=True):
if isinstance(tags, basestring): if isinstance(tags, basestring):
@ -210,23 +219,6 @@ class GeckoMigration(MercurialScript, BalrogMixin, VirtualenvMixin, SelfServeMix
error_list=HgErrorList error_list=HgErrorList
) )
def hg_commit(self, cwd, message, user=None, ignore_no_changes=False):
""" Commit changes to hg.
"""
cmd = self.query_exe('hg', return_type='list') + [
'commit', '-m', message]
if user:
cmd.extend(['-u', user])
success_codes = [0]
if ignore_no_changes:
success_codes.append(1)
self.run_command(
cmd, cwd=cwd, error_list=HgErrorList,
halt_on_failure=True,
success_codes=success_codes
)
return self.query_hg_revision(cwd)
def hg_merge_via_debugsetparents(self, cwd, old_head, new_head, def hg_merge_via_debugsetparents(self, cwd, old_head, new_head,
preserve_tags=True, user=None): preserve_tags=True, user=None):
""" Merge 2 heads avoiding non-fastforward commits """ Merge 2 heads avoiding non-fastforward commits
@ -290,16 +282,6 @@ class GeckoMigration(MercurialScript, BalrogMixin, VirtualenvMixin, SelfServeMix
else: else:
self.info(".hgtags file is identical, no need to commit") self.info(".hgtags file is identical, no need to commit")
def replace(self, file_name, from_, to_):
""" Replace text in a file.
"""
text = self.read_from_file(file_name, error_level=FATAL)
new_text = text.replace(from_, to_)
if text == new_text:
self.fatal("Cannot replace '%s' to '%s' in '%s'" %
(from_, to_, file_name))
self.write_to_file(file_name, new_text, error_level=FATAL)
def remove_locales(self, file_name, locales): def remove_locales(self, file_name, locales):
""" Remove locales from shipped-locales (m-r only) """ Remove locales from shipped-locales (m-r only)
""" """
@ -369,11 +351,11 @@ class GeckoMigration(MercurialScript, BalrogMixin, VirtualenvMixin, SelfServeMix
error_list=HgErrorList, error_list=HgErrorList,
halt_on_failure=True, halt_on_failure=True,
) )
next_ma_version = self.get_fx_version(dirs['abs_to_dir'])[0] next_ma_version = self.get_version(dirs['abs_to_dir'])[0]
self.bump_version(dirs['abs_to_dir'], next_ma_version, next_ma_version, "a1", "a2") self.bump_version(dirs['abs_to_dir'], next_ma_version, next_ma_version, "a1", "a2")
self.apply_replacements() self.apply_replacements()
# bump m-c version # bump m-c version
curr_mc_version = self.get_fx_version(dirs['abs_from_dir'])[0] curr_mc_version = self.get_version(dirs['abs_from_dir'])[0]
next_mc_version = str(int(curr_mc_version) + 1) next_mc_version = str(int(curr_mc_version) + 1)
self.bump_version( self.bump_version(
dirs['abs_from_dir'], curr_mc_version, next_mc_version, "a1", "a1", dirs['abs_from_dir'], curr_mc_version, next_mc_version, "a1", "a1",
@ -392,7 +374,7 @@ class GeckoMigration(MercurialScript, BalrogMixin, VirtualenvMixin, SelfServeMix
staging beta user repo migrations. staging beta user repo migrations.
""" """
dirs = self.query_abs_dirs() dirs = self.query_abs_dirs()
mb_version = self.get_fx_version(dirs['abs_to_dir'])[0] mb_version = self.get_version(dirs['abs_to_dir'])[0]
self.bump_version(dirs['abs_to_dir'], mb_version, mb_version, "a2", "") self.bump_version(dirs['abs_to_dir'], mb_version, mb_version, "a2", "")
self.apply_replacements() self.apply_replacements()
self.touch_clobber_file(dirs['abs_to_dir']) self.touch_clobber_file(dirs['abs_to_dir'])
@ -473,12 +455,13 @@ class GeckoMigration(MercurialScript, BalrogMixin, VirtualenvMixin, SelfServeMix
halt_on_failure=True, halt_on_failure=True,
) )
# Actions {{{1
def bump_second_digit(self, *args, **kwargs): def bump_second_digit(self, *args, **kwargs):
"""Bump second digit. """Bump second digit.
ESR need only the second digit bumped as a part of merge day.""" ESR need only the second digit bumped as a part of merge day."""
dirs = self.query_abs_dirs() dirs = self.query_abs_dirs()
version = self.get_fx_version(dirs['abs_to_dir']) version = self.get_version(dirs['abs_to_dir'])
curr_version = ".".join(version) curr_version = ".".join(version)
next_version = list(version) next_version = list(version)
# bump the second digit # bump the second digit
@ -492,56 +475,6 @@ class GeckoMigration(MercurialScript, BalrogMixin, VirtualenvMixin, SelfServeMix
curr_version, next_version + f["suffix"]) curr_version, next_version + f["suffix"])
self.touch_clobber_file(dirs['abs_to_dir']) self.touch_clobber_file(dirs['abs_to_dir'])
# Actions {{{1
def clean_repos(self):
""" We may end up with contaminated local repos at some point, but
we don't want to have to clobber and reclone from scratch every
time.
This is an attempt to clean up the local repos without needing a
clobber.
"""
dirs = self.query_abs_dirs()
hg = self.query_exe("hg", return_type="list")
hg_repos = self.query_gecko_repos()
hg_strip_error_list = [{
'substr': r'''abort: empty revision set''', 'level': INFO,
'explanation': "Nothing to clean up; we're good!",
}] + HgErrorList
for repo_config in hg_repos:
repo_name = repo_config["dest"]
repo_path = os.path.join(dirs['abs_work_dir'], repo_name)
if os.path.exists(repo_path):
# hg up -C to discard uncommitted changes
self.run_command(
hg + ["up", "-C", "-r", repo_config['revision']],
cwd=repo_path,
error_list=HgErrorList,
halt_on_failure=True,
)
# discard unpushed commits
status = self.retry(
self.run_command,
args=(hg + ["--config", "extensions.mq=", "strip",
"--no-backup", "outgoing()"], ),
kwargs={
'cwd': repo_path,
'error_list': hg_strip_error_list,
'return_type': 'num_errors',
'success_codes': (0, 255),
},
)
if status not in [0, 255]:
self.fatal("Issues stripping outgoing revisions!")
# 2nd hg up -C to make sure we're not on a stranded head
# which can happen when reverting debugsetparents
self.run_command(
hg + ["up", "-C", "-r", repo_config['revision']],
cwd=repo_path,
error_list=HgErrorList,
halt_on_failure=True,
)
def pull(self): def pull(self):
""" Pull tools first, then use hgtool for the gecko repos """ Pull tools first, then use hgtool for the gecko repos
""" """
@ -560,8 +493,8 @@ class GeckoMigration(MercurialScript, BalrogMixin, VirtualenvMixin, SelfServeMix
""" Perform the migration. """ Perform the migration.
""" """
dirs = self.query_abs_dirs() dirs = self.query_abs_dirs()
from_fx_major_version = self.get_fx_version(dirs['abs_from_dir'])[0] from_fx_major_version = self.get_version(dirs['abs_from_dir'])[0]
to_fx_major_version = self.get_fx_version(dirs['abs_to_dir'])[0] to_fx_major_version = self.get_version(dirs['abs_to_dir'])[0]
base_from_rev = self.query_from_revision() base_from_rev = self.query_from_revision()
base_to_rev = self.query_to_revision() base_to_rev = self.query_to_revision()
base_tag = self.config['base_tag'] % {'major_version': from_fx_major_version} base_tag = self.config['base_tag'] % {'major_version': from_fx_major_version}
@ -599,54 +532,6 @@ class GeckoMigration(MercurialScript, BalrogMixin, VirtualenvMixin, SelfServeMix
getattr(self, self.config['migration_behavior'])(end_tag=end_tag) getattr(self, self.config['migration_behavior'])(end_tag=end_tag)
self.info("Verify the diff, and apply any manual changes, such as disabling features, and --commit-changes") self.info("Verify the diff, and apply any manual changes, such as disabling features, and --commit-changes")
def commit_changes(self):
""" Do the commit.
"""
hg = self.query_exe("hg", return_type="list")
dirs = self.query_abs_dirs()
commit_dirs = [dirs['abs_to_dir']]
if self.config['migration_behavior'] == 'central_to_aurora':
commit_dirs.append(dirs['abs_from_dir'])
for cwd in commit_dirs:
self.run_command(hg + ["diff"], cwd=cwd)
self.hg_commit(
cwd, user=self.config['hg_user'],
message="Update configs. IGNORE BROKEN CHANGESETS CLOSED TREE NO BUG a=release ba=release"
)
self.info("Now verify |hg out| and |hg out --patch| if you're paranoid, and --push")
def push(self):
"""
"""
error_message = """Push failed! If there was a push race, try rerunning
the script (--clean-repos --pull --migrate). The second run will be faster."""
dirs = self.query_abs_dirs()
hg = self.query_exe("hg", return_type="list")
for cwd in (dirs.get('abs_from_dir'), dirs.get('abs_to_dir')):
if not cwd:
self.warning("Skipping %s" % cwd)
continue
push_cmd = hg + ['push']
if cwd == dirs['abs_to_dir'] and self.config['migration_behavior'] == 'beta_to_release':
push_cmd.append('--new-branch')
status = self.run_command(
push_cmd,
cwd=cwd,
error_list=HgErrorList,
success_codes=[0, 1],
)
if status == 1:
self.warning("No changes for %s!" % cwd)
elif status:
if cwd == dirs['abs_from_dir'] and self.config['migration_behavior'] == 'central_to_aurora':
message = """m-c push failed!
You may be able to fix by |hg rebase| and rerunning --push if successful.
If not, try rerunning the script (--clean-repos --pull --migrate).
The second run will be faster."""
else:
message = error_message
self.fatal(message)
def trigger_builders(self): def trigger_builders(self):
"""Triggers builders that should be run directly after a merge. """Triggers builders that should be run directly after a merge.
There are two different types of things we trigger: There are two different types of things we trigger:
@ -675,5 +560,4 @@ The second run will be faster."""
# __main__ {{{1 # __main__ {{{1
if __name__ == '__main__': if __name__ == '__main__':
gecko_migration = GeckoMigration() GeckoMigration().run_and_exit()
gecko_migration.run_and_exit()

Просмотреть файл

@ -0,0 +1,141 @@
#!/usr/bin/env python
# lint_ignore=E501
# ***** BEGIN LICENSE BLOCK *****
# This Source Code Form is subject to the terms of the Mozilla Public
# License, v. 2.0. If a copy of the MPL was not distributed with this file,
# You can obtain one at http://mozilla.org/MPL/2.0/.
# ***** END LICENSE BLOCK *****
""" postrelease_version_bump.py
A script to increase in-tree version number after shipping a release.
"""
import os
import sys
sys.path.insert(1, os.path.dirname(os.path.dirname(sys.path[0])))
from mozharness.base.vcs.vcsbase import MercurialScript
from mozharness.mozilla.buildbot import BuildbotMixin
from mozharness.mozilla.merge import GeckoMigrationMixin
# PostReleaseVersionBump {{{1
class PostReleaseVersionBump(MercurialScript, BuildbotMixin,
GeckoMigrationMixin):
config_options = [
[['--hg-user', ], {
"action": "store",
"dest": "hg_user",
"type": "string",
"default": "ffxbld <release@mozilla.com>",
"help": "Specify what user to use to commit to hg.",
}],
[['--next-version', ], {
"action": "store",
"dest": "next_version",
"type": "string",
"help": "Next version used in version bump",
}],
[['--ssh-user', ], {
"action": "store",
"dest": "ssh_user",
"type": "string",
"help": "SSH username with hg.mozilla.org permissions",
}],
[['--ssh-key', ], {
"action": "store",
"dest": "ssh_key",
"type": "string",
"help": "Path to SSH key.",
}],
]
def __init__(self, require_config_file=True):
super(PostReleaseVersionBump, self).__init__(
config_options=self.config_options,
all_actions=[
'clobber',
'clean-repos',
'pull',
'bump_postrelease',
'commit-changes',
'push',
],
default_actions=[
'clean-repos',
'pull',
'bump_postrelease',
'commit-changes',
'push',
],
config={
'buildbot_json_path': 'buildprops.json',
},
require_config_file=require_config_file
)
def _pre_config_lock(self, rw_config):
super(PostReleaseVersionBump, self)._pre_config_lock(rw_config)
# override properties from buildbot properties here as defined by
# taskcluster properties
self.read_buildbot_config()
if not self.buildbot_config:
self.warning("Skipping buildbot properties overrides")
else:
next_version = self.buildbot_config["properties"].get("next_version")
if next_version:
if self.config.get("next_version"):
self.warning("Overriding next_version %s by %s" %
(self.config["next_version"], next_version))
self.config["next_version"] = next_version
if not self.config.get("next_version"):
self.fatal("Next version has to be set. Use --next-version or "
"pass `next_version' via buildbot properties.")
def query_abs_dirs(self):
""" Allow for abs_from_dir and abs_to_dir
"""
if self.abs_dirs:
return self.abs_dirs
self.abs_dirs = super(PostReleaseVersionBump, self).query_abs_dirs()
self.abs_dirs["abs_gecko_dir"] = os.path.join(
self.abs_dirs['abs_work_dir'], self.config["repo"]["dest"])
return self.abs_dirs
def query_gecko_repos(self):
"""Build a list of repos to clone."""
return [self.config["repo"]]
def query_commit_dirs(self):
return [self.query_abs_dirs()["abs_gecko_dir"]]
def query_commit_message(self):
return "Automatic version bump. CLOSED TREE NO BUG a=release"
def query_push_dirs(self):
return self.query_commit_dirs()
def query_push_args(self, cwd):
# cwd is not used here
hg_ssh_opts = "ssh -l {user} -i {key}".format(
user=self.config["ssh_user"],
key=os.path.expanduser(self.config["ssh_key"])
)
return ["-e", hg_ssh_opts]
def pull(self):
super(PostReleaseVersionBump, self).pull(
repos=self.query_gecko_repos())
def bump_postrelease(self, *args, **kwargs):
"""Bump version"""
dirs = self.query_abs_dirs()
for f in self.config["version_files"]:
curr_version = ".".join(
self.get_version(dirs['abs_gecko_dir'], f["file"]))
self.replace(os.path.join(dirs['abs_gecko_dir'], f["file"]),
curr_version, self.config["next_version"])
# __main__ {{{1
if __name__ == '__main__':
PostReleaseVersionBump().run_and_exit()