/brz/remove-bazaar

To get this branch, use:
bzr branch http://gegoxaren.bato24.eu/bzr/brz/remove-bazaar

« back to all changes in this revision

Viewing changes to breezy/plugins/launchpad/lp_api_lite.py

  • Committer: Jelmer Vernooij
  • Date: 2019-06-02 02:35:46 UTC
  • mfrom: (7309 work)
  • mto: This revision was merged to the branch mainline in revision 7319.
  • Revision ID: jelmer@jelmer.uk-20190602023546-lqco868tnv26d8ow
merge trunk.

Show diffs side-by-side

added added

removed removed

Lines of Context:
1
 
# Copyright (C) 2011 Canonical Ltd
2
 
#
3
 
# This program is free software; you can redistribute it and/or modify
4
 
# it under the terms of the GNU General Public License as published by
5
 
# the Free Software Foundation; either version 2 of the License, or
6
 
# (at your option) any later version.
7
 
#
8
 
# This program is distributed in the hope that it will be useful,
9
 
# but WITHOUT ANY WARRANTY; without even the implied warranty of
10
 
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
11
 
# GNU General Public License for more details.
12
 
#
13
 
# You should have received a copy of the GNU General Public License
14
 
# along with this program; if not, write to the Free Software
15
 
# Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA
16
 
 
17
 
"""Tools for dealing with the Launchpad API without using launchpadlib.
18
 
 
19
 
The api itself is a RESTful interface, so we can make HTTP queries directly.
20
 
loading launchpadlib itself has a fairly high overhead (just calling
21
 
Launchpad.login_anonymously() takes a 500ms once the WADL is cached, and 5+s to
22
 
get the WADL.
23
 
"""
24
 
 
25
 
from __future__ import absolute_import
26
 
 
27
 
try:
28
 
    # Use simplejson if available, much faster, and can be easily installed in
29
 
    # older versions of python
30
 
    import simplejson as json
31
 
except ImportError:
32
 
    # Is present since python 2.6
33
 
    try:
34
 
        import json
35
 
    except ImportError:
36
 
        json = None
37
 
 
38
 
import time
39
 
try:
40
 
    from urllib.parse import urlencode
41
 
except ImportError:  # python < 3
42
 
    from urllib import urlencode
43
 
try:
44
 
    import urllib.request as urllib2
45
 
except ImportError:  # python < 3
46
 
    import urllib2
47
 
 
48
 
from ... import (
49
 
    revision,
50
 
    trace,
51
 
    )
52
 
 
53
 
 
54
 
class LatestPublication(object):
55
 
    """Encapsulate how to find the latest publication for a given project."""
56
 
 
57
 
    LP_API_ROOT = 'https://api.launchpad.net/1.0'
58
 
 
59
 
    def __init__(self, archive, series, project):
60
 
        self._archive = archive
61
 
        self._project = project
62
 
        self._setup_series_and_pocket(series)
63
 
 
64
 
    def _setup_series_and_pocket(self, series):
65
 
        """Parse the 'series' info into a series and a pocket.
66
 
 
67
 
        eg::
68
 
            _setup_series_and_pocket('natty-proposed')
69
 
            => _series == 'natty'
70
 
               _pocket == 'Proposed'
71
 
        """
72
 
        self._series = series
73
 
        self._pocket = None
74
 
        if self._series is not None and '-' in self._series:
75
 
            self._series, self._pocket = self._series.split('-', 1)
76
 
            self._pocket = self._pocket.title()
77
 
        else:
78
 
            self._pocket = 'Release'
79
 
 
80
 
    def _archive_URL(self):
81
 
        """Return the Launchpad 'Archive' URL that we will query.
82
 
        This is everything in the URL except the query parameters.
83
 
        """
84
 
        return '%s/%s/+archive/primary' % (self.LP_API_ROOT, self._archive)
85
 
 
86
 
    def _publication_status(self):
87
 
        """Handle the 'status' field.
88
 
        It seems that Launchpad tracks all 'debian' packages as 'Pending', while
89
 
        for 'ubuntu' we care about the 'Published' packages.
90
 
        """
91
 
        if self._archive == 'debian':
92
 
            # Launchpad only tracks debian packages as "Pending", it doesn't mark
93
 
            # them Published
94
 
            return 'Pending'
95
 
        return 'Published'
96
 
 
97
 
    def _query_params(self):
98
 
        """Get the parameters defining our query.
99
 
        This defines the actions we are making against the archive.
100
 
        :return: A dict of query parameters.
101
 
        """
102
 
        params = {'ws.op': 'getPublishedSources',
103
 
                  'exact_match': 'true',
104
 
                  # If we need to use "" shouldn't we quote the project somehow?
105
 
                  'source_name': '"%s"' % (self._project,),
106
 
                  'status': self._publication_status(),
107
 
                  # We only need the latest one, the results seem to be properly
108
 
                  # most-recent-debian-version sorted
109
 
                  'ws.size': '1',
110
 
        }
111
 
        if self._series is not None:
112
 
            params['distro_series'] = '/%s/%s' % (self._archive, self._series)
113
 
        if self._pocket is not None:
114
 
            params['pocket'] = self._pocket
115
 
        return params
116
 
 
117
 
    def _query_URL(self):
118
 
        """Create the full URL that we need to query, including parameters."""
119
 
        params = self._query_params()
120
 
        # We sort to give deterministic results for testing
121
 
        encoded = urlencode(sorted(params.items()))
122
 
        return '%s?%s' % (self._archive_URL(), encoded)
123
 
 
124
 
    def _get_lp_info(self):
125
 
        """Place an actual HTTP query against the Launchpad service."""
126
 
        if json is None:
127
 
            return None
128
 
        query_URL = self._query_URL()
129
 
        try:
130
 
            req = urllib2.Request(query_URL)
131
 
            response = urllib2.urlopen(req)
132
 
            json_info = response.read()
133
 
        # TODO: We haven't tested the HTTPError
134
 
        except (urllib2.URLError, urllib2.HTTPError) as e:
135
 
            trace.mutter('failed to place query to %r' % (query_URL,))
136
 
            trace.log_exception_quietly()
137
 
            return None
138
 
        return json_info
139
 
 
140
 
    def _parse_json_info(self, json_info):
141
 
        """Parse the json response from Launchpad into objects."""
142
 
        if json is None:
143
 
            return None
144
 
        try:
145
 
            return json.loads(json_info)
146
 
        except Exception:
147
 
            trace.mutter('Failed to parse json info: %r' % (json_info,))
148
 
            trace.log_exception_quietly()
149
 
            return None
150
 
 
151
 
    def get_latest_version(self):
152
 
        """Get the latest published version for the given package."""
153
 
        json_info = self._get_lp_info()
154
 
        if json_info is None:
155
 
            return None
156
 
        info = self._parse_json_info(json_info)
157
 
        if info is None:
158
 
            return None
159
 
        try:
160
 
            entries = info['entries']
161
 
            if len(entries) == 0:
162
 
                return None
163
 
            return entries[0]['source_package_version']
164
 
        except KeyError:
165
 
            trace.log_exception_quietly()
166
 
            return None
167
 
 
168
 
    def place(self):
169
 
        """Text-form for what location this represents.
170
 
 
171
 
        Example::
172
 
            ubuntu, natty => Ubuntu Natty
173
 
            ubuntu, natty-proposed => Ubuntu Natty Proposed
174
 
        :return: A string representing the location we are checking.
175
 
        """
176
 
        place = self._archive
177
 
        if self._series is not None:
178
 
            place = '%s %s' % (place, self._series)
179
 
        if self._pocket is not None and self._pocket != 'Release':
180
 
            place = '%s %s' % (place, self._pocket)
181
 
        return place.title()
182
 
 
183
 
 
184
 
def get_latest_publication(archive, series, project):
185
 
    """Get the most recent publication for a given project.
186
 
 
187
 
    :param archive: Either 'ubuntu' or 'debian'
188
 
    :param series: Something like 'natty', 'sid', etc. Can be set as None. Can
189
 
        also include a pocket such as 'natty-proposed'.
190
 
    :param project: Something like 'bzr'
191
 
    :return: A version string indicating the most-recent version published in
192
 
        Launchpad. Might return None if there is an error.
193
 
    """
194
 
    lp = LatestPublication(archive, series, project)
195
 
    return lp.get_latest_version()
196
 
 
197
 
 
198
 
def get_most_recent_tag(tag_dict, the_branch):
199
 
    """Get the most recent revision that has been tagged."""
200
 
    # Note: this assumes that a given rev won't get tagged multiple times. But
201
 
    #       it should be valid for the package importer branches that we care
202
 
    #       about
203
 
    reverse_dict = dict((rev, tag) for tag, rev in tag_dict.items())
204
 
    with the_branch.lock_read():
205
 
        last_rev = the_branch.last_revision()
206
 
        graph = the_branch.repository.get_graph()
207
 
        stop_revisions = (None, revision.NULL_REVISION)
208
 
        for rev_id in graph.iter_lefthand_ancestry(last_rev, stop_revisions):
209
 
            if rev_id in reverse_dict:
210
 
                return reverse_dict[rev_id]
211
 
 
212
 
 
213
 
def _get_newest_versions(the_branch, latest_pub):
214
 
    """Get information about how 'fresh' this packaging branch is.
215
 
 
216
 
    :param the_branch: The Branch to check
217
 
    :param latest_pub: The LatestPublication used to check most recent
218
 
        published version.
219
 
    :return: (latest_ver, branch_latest_ver)
220
 
    """
221
 
    t = time.time()
222
 
    latest_ver = latest_pub.get_latest_version()
223
 
    t_latest_ver = time.time() - t
224
 
    trace.mutter('LatestPublication.get_latest_version took: %.3fs'
225
 
                 % (t_latest_ver,))
226
 
    if latest_ver is None:
227
 
        return None, None
228
 
    t = time.time()
229
 
    tags = the_branch.tags.get_tag_dict()
230
 
    t_tag_dict = time.time() - t
231
 
    trace.mutter('LatestPublication.get_tag_dict took: %.3fs' % (t_tag_dict,))
232
 
    if latest_ver in tags:
233
 
        # branch might have a newer tag, but we don't really care
234
 
        return latest_ver, latest_ver
235
 
    else:
236
 
        best_tag = get_most_recent_tag(tags, the_branch)
237
 
        return latest_ver, best_tag
238
 
 
239
 
 
240
 
def _report_freshness(latest_ver, branch_latest_ver, place, verbosity,
241
 
                      report_func):
242
 
    """Report if the branch is up-to-date."""
243
 
    if latest_ver is None:
244
 
        if verbosity == 'all':
245
 
            report_func('Most recent %s version: MISSING' % (place,))
246
 
        elif verbosity == 'short':
247
 
            report_func('%s is MISSING a version' % (place,))
248
 
        return
249
 
    elif latest_ver == branch_latest_ver:
250
 
        if verbosity == 'minimal':
251
 
            return
252
 
        elif verbosity == 'short':
253
 
            report_func('%s is CURRENT in %s' % (latest_ver, place))
254
 
        else:
255
 
            report_func('Most recent %s version: %s\n'
256
 
                       'Packaging branch status: CURRENT'
257
 
                       % (place, latest_ver))
258
 
    else:
259
 
        if verbosity in ('minimal', 'short'):
260
 
            if branch_latest_ver is None:
261
 
                branch_latest_ver = 'Branch'
262
 
            report_func('%s is OUT-OF-DATE, %s has %s'
263
 
                        % (branch_latest_ver, place, latest_ver))
264
 
        else:
265
 
            report_func('Most recent %s version: %s\n'
266
 
                        'Packaging branch version: %s\n'
267
 
                        'Packaging branch status: OUT-OF-DATE'
268
 
                        % (place, latest_ver, branch_latest_ver))
269
 
 
270
 
 
271
 
def report_freshness(the_branch, verbosity, latest_pub):
272
 
    """Report to the user how up-to-date the packaging branch is.
273
 
 
274
 
    :param the_branch: A Branch object
275
 
    :param verbosity: Can be one of:
276
 
        off: Do not print anything, and skip all checks.
277
 
        all: Print all information that we have in a verbose manner, this
278
 
             includes misses, etc.
279
 
        short: Print information, but only one-line summaries
280
 
        minimal: Only print a one-line summary when the package branch is
281
 
                 out-of-date
282
 
    :param latest_pub: A LatestPublication instance
283
 
    """
284
 
    if verbosity == 'off':
285
 
        return
286
 
    if verbosity is None:
287
 
        verbosity = 'all'
288
 
    latest_ver, branch_ver = _get_newest_versions(the_branch, latest_pub)
289
 
    place = latest_pub.place()
290
 
    _report_freshness(latest_ver, branch_ver, place, verbosity,
291
 
                      trace.note)