 a3ac4a90f8
			
		
	
	a3ac4a90f8
	
	
	
		
			
			If we run the tools (create-directories or check-all-candidacies) under python3 they'll fail with silly errors (like[1]). This is because we have a number of assumptions they we'll be running under python2 like: - pickle.protocol: we done specify one so if we write a pickle file from python3 we can't read it in python2. - urllib and urlparse: those modules change paths in python 2 or 3 so use the six helpers to get the bits we want. - Explicitly write files in binary format - Various str vs bytes issues - dict().keys() returns dict_keys under python3 explictly cast that to list() After addressing these issues we can run the tools under either python2 or python3. To make this easy to check create explicit ven2 and venv3 test environments, leaving all other testenvs to use the system default. [1] http://paste.openstack.org/show/593823/ Change-Id: I20334a52500847c810b486c9c8b108e75a5d6303
		
			
				
	
	
		
			203 lines
		
	
	
		
			6.2 KiB
		
	
	
	
		
			Python
		
	
	
	
	
	
			
		
		
	
	
			203 lines
		
	
	
		
			6.2 KiB
		
	
	
	
		
			Python
		
	
	
	
	
	
| # 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.
 | |
| 
 | |
| from __future__ import absolute_import
 | |
| from __future__ import print_function
 | |
| from __future__ import unicode_literals
 | |
| 
 | |
| import datetime
 | |
| import json
 | |
| import os
 | |
| import pickle
 | |
| import pytz
 | |
| import re
 | |
| import requests
 | |
| import six
 | |
| import subprocess
 | |
| import time
 | |
| import yaml
 | |
| 
 | |
| from six.moves.urllib.parse import quote_plus
 | |
| from six.moves.urllib.request import urlopen
 | |
| 
 | |
| from openstack_election import config
 | |
| 
 | |
| 
 | |
| # Library constants
 | |
| CANDIDATE_PATH = 'candidates'
 | |
| GERRIT_BASE = 'https://review.openstack.org'
 | |
| ELECTION_REPO = 'openstack/election'
 | |
| CGIT_URL = 'https://git.openstack.org/cgit'
 | |
| PROJECTS_URL = ('%s/openstack/governance/plain/reference/projects.yaml' %
 | |
|                 (CGIT_URL))
 | |
| 
 | |
| conf = config.load_conf()
 | |
| exceptions = None
 | |
| 
 | |
| 
 | |
| # Generic functions
 | |
| def load_exceptions():
 | |
|     global exceptions
 | |
|     exceptions = {}
 | |
|     for e in open("exceptions.txt").readlines():
 | |
|         if e[0] == "#" or ":" not in e:
 | |
|             continue
 | |
|         exceptions[e.split(':')[0]] = " ".join(e.split(':')[1:])[:-1].strip()
 | |
| 
 | |
| 
 | |
| def get_event(event_name):
 | |
|     for e in conf['timeline']:
 | |
|         if e['name'] == event_name:
 | |
|             d = datetime.datetime.strptime(e['date'], "%Y-%m-%dT%H:%M")
 | |
|             return d.replace(tzinfo=pytz.utc)
 | |
|     raise ValueError("Couldn't find event_name %s" % event_name)
 | |
| 
 | |
| 
 | |
| # Gerrit functions
 | |
| def gerrit_datetime(dt):
 | |
|     return dt.strftime('%Y-%m-%d %H:%M:%S %z')
 | |
| 
 | |
| 
 | |
| def gerrit_query(url):
 | |
|     r = requests.get(url)
 | |
|     if r.status_code == 200:
 | |
|         data = json.loads(r.text[4:])
 | |
|     else:
 | |
|         data = []
 | |
|     return data
 | |
| 
 | |
| 
 | |
| def get_email(filepath):
 | |
|     cmd = ["git", "log", "--follow", "--format=%aE", filepath]
 | |
|     git = subprocess.Popen(cmd, stdout=subprocess.PIPE)
 | |
|     return git.stdout.readlines()[-1][:-1]
 | |
| 
 | |
| 
 | |
| def get_fullname(filepath):
 | |
|     # Check if filepath is an exception
 | |
|     if exceptions is None:
 | |
|         load_exceptions()
 | |
|     if filepath in exceptions:
 | |
|         return exceptions[filepath]
 | |
| 
 | |
|     # Otherwise query gerrit using git log email
 | |
|     email = get_email(filepath)
 | |
|     url = '%s/accounts/%s' % (GERRIT_BASE, email)
 | |
|     fullname = gerrit_query(url)['name']
 | |
| 
 | |
|     # Remove parenthesis content
 | |
|     fullname = re.sub(r"\([^)]*\)", "", fullname)
 | |
|     # Strip double space and trailing spaces
 | |
|     fullname = re.sub(r"  ", " ", fullname).strip()
 | |
| 
 | |
|     # Make sure first letter of first and last component are upper-case
 | |
|     s = fullname.split()
 | |
|     fullname = (
 | |
|         [s[0][0].upper() + s[0][1:]] +
 | |
|         s[1:-1] +
 | |
|         [s[-1][0].upper() + s[-1][1:]]
 | |
|     )
 | |
|     return u" ".join(fullname)
 | |
| 
 | |
| 
 | |
| def get_reviews(query):
 | |
|     opts = ['CURRENT_REVISION', 'CURRENT_FILES', 'DETAILED_ACCOUNTS']
 | |
|     opts_str = '&o=%s' % ('&o='.join(opts))
 | |
|     url = ('%s/changes/?q=%s%s' %
 | |
|            (GERRIT_BASE, quote_plus(query, safe='/:=><^.*'), opts_str))
 | |
|     return gerrit_query(url)
 | |
| 
 | |
| 
 | |
| def candidate_files(review):
 | |
|     return list(filter(lambda x: x.startswith(CANDIDATE_PATH),
 | |
|                        list(review['revisions'].values())[0]['files'].keys()))
 | |
| 
 | |
| 
 | |
| # Governance functions
 | |
| def check_atc_date(atc):
 | |
|     if 'expires-in' not in atc:
 | |
|         return False
 | |
|     expires_in = datetime.datetime.strptime(atc['expires-in'], '%B %Y')
 | |
|     expires_in = expires_in.replace(tzinfo=pytz.utc)
 | |
|     return conf['timeframe']['end'] < expires_in
 | |
| 
 | |
| 
 | |
| def get_projects(tag=None):
 | |
|     url = PROJECTS_URL
 | |
|     cache_file = '.projects.pkl'
 | |
| 
 | |
|     if tag:
 | |
|         url += '?%s' % tag
 | |
|         cache_file = '.projects.%s.pkl' % tag
 | |
| 
 | |
|     # Refresh the cache if it's not there or if it's older than a week
 | |
|     if (not os.path.isfile(cache_file) or
 | |
|             os.stat(cache_file).st_size < 100 or
 | |
|             os.stat(cache_file).st_mtime + (7*24*3600) < time.time()):
 | |
|         print("[+] Updating %s" % (cache_file))
 | |
|         data = yaml.safe_load(urlopen(url).read())
 | |
|         pickle.dump(data, open(cache_file, "wb"), protocol=2)
 | |
| 
 | |
|     return pickle.load(open(cache_file, "rb"))
 | |
| 
 | |
| 
 | |
| # Election functions
 | |
| def name2dir(name):
 | |
|     """Convert project name to directory name: only [a-zA-Z_] in camelcase"""
 | |
|     name = name.replace(' ', '_').replace('-', '_')
 | |
|     return "_".join(map(lambda x: x[0].upper()+x[1:], name.split('_')))
 | |
| 
 | |
| 
 | |
| def dir2name(name, projects):
 | |
|     """Convert directory name to original project name"""
 | |
|     name = name.replace('_', '').lower()
 | |
|     for project_name in projects:
 | |
|         pname = project_name.lower().replace(' ', '').replace('-', '').lower()
 | |
|         if name == pname:
 | |
|             return project_name
 | |
|     raise ValueError(('%s does not match any project' % (name)))
 | |
| 
 | |
| 
 | |
| def build_candidates_list(election=conf['release']):
 | |
|     election_path = os.path.join(CANDIDATE_PATH, election)
 | |
|     if os.path.exists(election_path):
 | |
|         project_list = os.listdir(election_path)
 | |
|     else:
 | |
|         project_list = []
 | |
|     project_list.sort()
 | |
|     candidates_lists = {}
 | |
|     for project in project_list:
 | |
|         project_prefix = os.path.join(CANDIDATE_PATH, election, project)
 | |
|         file_list = filter(
 | |
|             lambda x: x.endswith(".txt"),
 | |
|             os.listdir(project_prefix),
 | |
|         )
 | |
|         candidates_list = []
 | |
|         for candidate_file in file_list:
 | |
|             filepath = os.path.join(project_prefix, candidate_file)
 | |
|             candidates_list.append(
 | |
|                 {
 | |
|                     'url': ('%s/%s/plain/%s' %
 | |
|                             (CGIT_URL, ELECTION_REPO,
 | |
|                              quote_plus(filepath, safe='/'))),
 | |
|                     'ircname': candidate_file[:-4].replace('`', r'\`'),
 | |
|                     'email': get_email(filepath),
 | |
|                     'fullname': get_fullname(filepath)
 | |
|                 })
 | |
| 
 | |
|         candidates_list.sort(key=lambda x: x['fullname'])
 | |
|         candidates_lists[project] = candidates_list
 | |
| 
 | |
|     return {'election': election,
 | |
|             'projects': project_list,
 | |
|             'candidates': candidates_lists}
 |