##// END OF EJS Templates
pullrequests: drop unused status calculation introduced in 0b2214604c74
Mads Kiilerich -
r4052:a7b7526c default
parent child Browse files
Show More
@@ -1,558 +1,550 b''
1 # -*- coding: utf-8 -*-
1 # -*- coding: utf-8 -*-
2 """
2 """
3 rhodecode.controllers.pullrequests
3 rhodecode.controllers.pullrequests
4 ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
4 ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
5
5
6 pull requests controller for rhodecode for initializing pull requests
6 pull requests controller for rhodecode for initializing pull requests
7
7
8 :created_on: May 7, 2012
8 :created_on: May 7, 2012
9 :author: marcink
9 :author: marcink
10 :copyright: (C) 2010-2012 Marcin Kuzminski <marcin@python-works.com>
10 :copyright: (C) 2010-2012 Marcin Kuzminski <marcin@python-works.com>
11 :license: GPLv3, see COPYING for more details.
11 :license: GPLv3, see COPYING for more details.
12 """
12 """
13 # This program is free software: you can redistribute it and/or modify
13 # This program is free software: you can redistribute it and/or modify
14 # it under the terms of the GNU General Public License as published by
14 # it under the terms of the GNU General Public License as published by
15 # the Free Software Foundation, either version 3 of the License, or
15 # the Free Software Foundation, either version 3 of the License, or
16 # (at your option) any later version.
16 # (at your option) any later version.
17 #
17 #
18 # This program is distributed in the hope that it will be useful,
18 # This program is distributed in the hope that it will be useful,
19 # but WITHOUT ANY WARRANTY; without even the implied warranty of
19 # but WITHOUT ANY WARRANTY; without even the implied warranty of
20 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
20 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
21 # GNU General Public License for more details.
21 # GNU General Public License for more details.
22 #
22 #
23 # You should have received a copy of the GNU General Public License
23 # You should have received a copy of the GNU General Public License
24 # along with this program. If not, see <http://www.gnu.org/licenses/>.
24 # along with this program. If not, see <http://www.gnu.org/licenses/>.
25 import logging
25 import logging
26 import traceback
26 import traceback
27 import formencode
27 import formencode
28
28
29 from webob.exc import HTTPNotFound, HTTPForbidden
29 from webob.exc import HTTPNotFound, HTTPForbidden
30 from collections import defaultdict
30 from collections import defaultdict
31 from itertools import groupby
31 from itertools import groupby
32
32
33 from pylons import request, tmpl_context as c, url
33 from pylons import request, tmpl_context as c, url
34 from pylons.controllers.util import redirect
34 from pylons.controllers.util import redirect
35 from pylons.i18n.translation import _
35 from pylons.i18n.translation import _
36
36
37 from rhodecode.lib.compat import json
37 from rhodecode.lib.compat import json
38 from rhodecode.lib.base import BaseRepoController, render
38 from rhodecode.lib.base import BaseRepoController, render
39 from rhodecode.lib.auth import LoginRequired, HasRepoPermissionAnyDecorator,\
39 from rhodecode.lib.auth import LoginRequired, HasRepoPermissionAnyDecorator,\
40 NotAnonymous
40 NotAnonymous
41 from rhodecode.lib.helpers import Page
41 from rhodecode.lib.helpers import Page
42 from rhodecode.lib import helpers as h
42 from rhodecode.lib import helpers as h
43 from rhodecode.lib import diffs
43 from rhodecode.lib import diffs
44 from rhodecode.lib.utils import action_logger, jsonify
44 from rhodecode.lib.utils import action_logger, jsonify
45 from rhodecode.lib.vcs.utils import safe_str
45 from rhodecode.lib.vcs.utils import safe_str
46 from rhodecode.lib.vcs.exceptions import EmptyRepositoryError
46 from rhodecode.lib.vcs.exceptions import EmptyRepositoryError
47 from rhodecode.lib.diffs import LimitedDiffContainer
47 from rhodecode.lib.diffs import LimitedDiffContainer
48 from rhodecode.model.db import PullRequest, ChangesetStatus, ChangesetComment
48 from rhodecode.model.db import PullRequest, ChangesetStatus, ChangesetComment
49 from rhodecode.model.pull_request import PullRequestModel
49 from rhodecode.model.pull_request import PullRequestModel
50 from rhodecode.model.meta import Session
50 from rhodecode.model.meta import Session
51 from rhodecode.model.repo import RepoModel
51 from rhodecode.model.repo import RepoModel
52 from rhodecode.model.comment import ChangesetCommentsModel
52 from rhodecode.model.comment import ChangesetCommentsModel
53 from rhodecode.model.changeset_status import ChangesetStatusModel
53 from rhodecode.model.changeset_status import ChangesetStatusModel
54 from rhodecode.model.forms import PullRequestForm
54 from rhodecode.model.forms import PullRequestForm
55 from rhodecode.lib.utils2 import safe_int
55 from rhodecode.lib.utils2 import safe_int
56
56
57 log = logging.getLogger(__name__)
57 log = logging.getLogger(__name__)
58
58
59
59
60 class PullrequestsController(BaseRepoController):
60 class PullrequestsController(BaseRepoController):
61
61
62 def __before__(self):
62 def __before__(self):
63 super(PullrequestsController, self).__before__()
63 super(PullrequestsController, self).__before__()
64 repo_model = RepoModel()
64 repo_model = RepoModel()
65 c.users_array = repo_model.get_users_js()
65 c.users_array = repo_model.get_users_js()
66 c.users_groups_array = repo_model.get_users_groups_js()
66 c.users_groups_array = repo_model.get_users_groups_js()
67
67
68 def _get_repo_refs(self, repo, rev=None, branch=None, branch_rev=None):
68 def _get_repo_refs(self, repo, rev=None, branch=None, branch_rev=None):
69 """return a structure with repo's interesting changesets, suitable for
69 """return a structure with repo's interesting changesets, suitable for
70 the selectors in pullrequest.html
70 the selectors in pullrequest.html
71
71
72 rev: a revision that must be in the list somehow and selected by default
72 rev: a revision that must be in the list somehow and selected by default
73 branch: a branch that must be in the list and selected by default - even if closed
73 branch: a branch that must be in the list and selected by default - even if closed
74 branch_rev: a revision of which peers should be preferred and available."""
74 branch_rev: a revision of which peers should be preferred and available."""
75 # list named branches that has been merged to this named branch - it should probably merge back
75 # list named branches that has been merged to this named branch - it should probably merge back
76 peers = []
76 peers = []
77
77
78 if rev:
78 if rev:
79 rev = safe_str(rev)
79 rev = safe_str(rev)
80
80
81 if branch:
81 if branch:
82 branch = safe_str(branch)
82 branch = safe_str(branch)
83
83
84 if branch_rev:
84 if branch_rev:
85 branch_rev = safe_str(branch_rev)
85 branch_rev = safe_str(branch_rev)
86 # not restricting to merge() would also get branch point and be better
86 # not restricting to merge() would also get branch point and be better
87 # (especially because it would get the branch point) ... but is currently too expensive
87 # (especially because it would get the branch point) ... but is currently too expensive
88 otherbranches = {}
88 otherbranches = {}
89 for i in repo._repo.revs(
89 for i in repo._repo.revs(
90 "sort(parents(branch(id(%s)) and merge()) - branch(id(%s)))",
90 "sort(parents(branch(id(%s)) and merge()) - branch(id(%s)))",
91 branch_rev, branch_rev):
91 branch_rev, branch_rev):
92 cs = repo.get_changeset(i)
92 cs = repo.get_changeset(i)
93 otherbranches[cs.branch] = cs.raw_id
93 otherbranches[cs.branch] = cs.raw_id
94 for abranch, node in otherbranches.iteritems():
94 for abranch, node in otherbranches.iteritems():
95 selected = 'branch:%s:%s' % (abranch, node)
95 selected = 'branch:%s:%s' % (abranch, node)
96 peers.append((selected, abranch))
96 peers.append((selected, abranch))
97
97
98 selected = None
98 selected = None
99
99
100 branches = []
100 branches = []
101 for abranch, branchrev in repo.branches.iteritems():
101 for abranch, branchrev in repo.branches.iteritems():
102 n = 'branch:%s:%s' % (abranch, branchrev)
102 n = 'branch:%s:%s' % (abranch, branchrev)
103 branches.append((n, abranch))
103 branches.append((n, abranch))
104 if rev == branchrev:
104 if rev == branchrev:
105 selected = n
105 selected = n
106 if branch == abranch:
106 if branch == abranch:
107 selected = n
107 selected = n
108 branch = None
108 branch = None
109 if branch: # branch not in list - it is probably closed
109 if branch: # branch not in list - it is probably closed
110 revs = repo._repo.revs('max(branch(%s))', branch)
110 revs = repo._repo.revs('max(branch(%s))', branch)
111 if revs:
111 if revs:
112 cs = repo.get_changeset(revs[0])
112 cs = repo.get_changeset(revs[0])
113 selected = 'branch:%s:%s' % (branch, cs.raw_id)
113 selected = 'branch:%s:%s' % (branch, cs.raw_id)
114 branches.append((selected, branch))
114 branches.append((selected, branch))
115
115
116 bookmarks = []
116 bookmarks = []
117 for bookmark, bookmarkrev in repo.bookmarks.iteritems():
117 for bookmark, bookmarkrev in repo.bookmarks.iteritems():
118 n = 'book:%s:%s' % (bookmark, bookmarkrev)
118 n = 'book:%s:%s' % (bookmark, bookmarkrev)
119 bookmarks.append((n, bookmark))
119 bookmarks.append((n, bookmark))
120 if rev == bookmarkrev:
120 if rev == bookmarkrev:
121 selected = n
121 selected = n
122
122
123 tags = []
123 tags = []
124 for tag, tagrev in repo.tags.iteritems():
124 for tag, tagrev in repo.tags.iteritems():
125 n = 'tag:%s:%s' % (tag, tagrev)
125 n = 'tag:%s:%s' % (tag, tagrev)
126 tags.append((n, tag))
126 tags.append((n, tag))
127 if rev == tagrev and tag != 'tip': # tip is not a real tag - and its branch is better
127 if rev == tagrev and tag != 'tip': # tip is not a real tag - and its branch is better
128 selected = n
128 selected = n
129
129
130 # prio 1: rev was selected as existing entry above
130 # prio 1: rev was selected as existing entry above
131
131
132 # prio 2: create special entry for rev; rev _must_ be used
132 # prio 2: create special entry for rev; rev _must_ be used
133 specials = []
133 specials = []
134 if rev and selected is None:
134 if rev and selected is None:
135 selected = 'rev:%s:%s' % (rev, rev)
135 selected = 'rev:%s:%s' % (rev, rev)
136 specials = [(selected, '%s: %s' % (_("Changeset"), rev[:12]))]
136 specials = [(selected, '%s: %s' % (_("Changeset"), rev[:12]))]
137
137
138 # prio 3: most recent peer branch
138 # prio 3: most recent peer branch
139 if peers and not selected:
139 if peers and not selected:
140 selected = peers[0][0][0]
140 selected = peers[0][0][0]
141
141
142 # prio 4: tip revision
142 # prio 4: tip revision
143 if not selected:
143 if not selected:
144 selected = 'tag:tip:%s' % repo.tags['tip']
144 selected = 'tag:tip:%s' % repo.tags['tip']
145
145
146 groups = [(specials, _("Special")),
146 groups = [(specials, _("Special")),
147 (peers, _("Peer branches")),
147 (peers, _("Peer branches")),
148 (bookmarks, _("Bookmarks")),
148 (bookmarks, _("Bookmarks")),
149 (branches, _("Branches")),
149 (branches, _("Branches")),
150 (tags, _("Tags")),
150 (tags, _("Tags")),
151 ]
151 ]
152 return [g for g in groups if g[0]], selected
152 return [g for g in groups if g[0]], selected
153
153
154 def _get_is_allowed_change_status(self, pull_request):
154 def _get_is_allowed_change_status(self, pull_request):
155 owner = self.rhodecode_user.user_id == pull_request.user_id
155 owner = self.rhodecode_user.user_id == pull_request.user_id
156 reviewer = self.rhodecode_user.user_id in [x.user_id for x in
156 reviewer = self.rhodecode_user.user_id in [x.user_id for x in
157 pull_request.reviewers]
157 pull_request.reviewers]
158 return (self.rhodecode_user.admin or owner or reviewer)
158 return (self.rhodecode_user.admin or owner or reviewer)
159
159
160 def _load_compare_data(self, pull_request, enable_comments=True):
160 def _load_compare_data(self, pull_request, enable_comments=True):
161 """
161 """
162 Load context data needed for generating compare diff
162 Load context data needed for generating compare diff
163
163
164 :param pull_request:
164 :param pull_request:
165 """
165 """
166 org_repo = pull_request.org_repo
166 org_repo = pull_request.org_repo
167 (org_ref_type,
167 (org_ref_type,
168 org_ref_name,
168 org_ref_name,
169 org_ref_rev) = pull_request.org_ref.split(':')
169 org_ref_rev) = pull_request.org_ref.split(':')
170
170
171 other_repo = org_repo
171 other_repo = org_repo
172 (other_ref_type,
172 (other_ref_type,
173 other_ref_name,
173 other_ref_name,
174 other_ref_rev) = pull_request.other_ref.split(':')
174 other_ref_rev) = pull_request.other_ref.split(':')
175
175
176 # despite opening revisions for bookmarks/branches/tags, we always
176 # despite opening revisions for bookmarks/branches/tags, we always
177 # convert this to rev to prevent changes after bookmark or branch change
177 # convert this to rev to prevent changes after bookmark or branch change
178 org_ref = ('rev', org_ref_rev)
178 org_ref = ('rev', org_ref_rev)
179 other_ref = ('rev', other_ref_rev)
179 other_ref = ('rev', other_ref_rev)
180
180
181 c.org_repo = org_repo
181 c.org_repo = org_repo
182 c.other_repo = other_repo
182 c.other_repo = other_repo
183
183
184 c.fulldiff = fulldiff = request.GET.get('fulldiff')
184 c.fulldiff = fulldiff = request.GET.get('fulldiff')
185
185
186 c.cs_ranges = [org_repo.get_changeset(x) for x in pull_request.revisions]
186 c.cs_ranges = [org_repo.get_changeset(x) for x in pull_request.revisions]
187
187
188 c.statuses = org_repo.statuses([x.raw_id for x in c.cs_ranges])
188 c.statuses = org_repo.statuses([x.raw_id for x in c.cs_ranges])
189
189
190 c.org_ref = org_ref[1]
190 c.org_ref = org_ref[1]
191 c.org_ref_type = org_ref[0]
191 c.org_ref_type = org_ref[0]
192 c.other_ref = other_ref[1]
192 c.other_ref = other_ref[1]
193 c.other_ref_type = other_ref[0]
193 c.other_ref_type = other_ref[0]
194
194
195 diff_limit = self.cut_off_limit if not fulldiff else None
195 diff_limit = self.cut_off_limit if not fulldiff else None
196
196
197 # we swap org/other ref since we run a simple diff on one repo
197 # we swap org/other ref since we run a simple diff on one repo
198 log.debug('running diff between %s and %s in %s'
198 log.debug('running diff between %s and %s in %s'
199 % (other_ref, org_ref, org_repo.scm_instance.path))
199 % (other_ref, org_ref, org_repo.scm_instance.path))
200 txtdiff = org_repo.scm_instance.get_diff(rev1=safe_str(other_ref[1]), rev2=safe_str(org_ref[1]))
200 txtdiff = org_repo.scm_instance.get_diff(rev1=safe_str(other_ref[1]), rev2=safe_str(org_ref[1]))
201
201
202 diff_processor = diffs.DiffProcessor(txtdiff or '', format='gitdiff',
202 diff_processor = diffs.DiffProcessor(txtdiff or '', format='gitdiff',
203 diff_limit=diff_limit)
203 diff_limit=diff_limit)
204 _parsed = diff_processor.prepare()
204 _parsed = diff_processor.prepare()
205
205
206 c.limited_diff = False
206 c.limited_diff = False
207 if isinstance(_parsed, LimitedDiffContainer):
207 if isinstance(_parsed, LimitedDiffContainer):
208 c.limited_diff = True
208 c.limited_diff = True
209
209
210 c.files = []
210 c.files = []
211 c.changes = {}
211 c.changes = {}
212 c.lines_added = 0
212 c.lines_added = 0
213 c.lines_deleted = 0
213 c.lines_deleted = 0
214
214
215 for f in _parsed:
215 for f in _parsed:
216 st = f['stats']
216 st = f['stats']
217 c.lines_added += st['added']
217 c.lines_added += st['added']
218 c.lines_deleted += st['deleted']
218 c.lines_deleted += st['deleted']
219 fid = h.FID('', f['filename'])
219 fid = h.FID('', f['filename'])
220 c.files.append([fid, f['operation'], f['filename'], f['stats']])
220 c.files.append([fid, f['operation'], f['filename'], f['stats']])
221 htmldiff = diff_processor.as_html(enable_comments=enable_comments,
221 htmldiff = diff_processor.as_html(enable_comments=enable_comments,
222 parsed_lines=[f])
222 parsed_lines=[f])
223 c.changes[fid] = [f['operation'], f['filename'], htmldiff]
223 c.changes[fid] = [f['operation'], f['filename'], htmldiff]
224
224
225 @LoginRequired()
225 @LoginRequired()
226 @HasRepoPermissionAnyDecorator('repository.read', 'repository.write',
226 @HasRepoPermissionAnyDecorator('repository.read', 'repository.write',
227 'repository.admin')
227 'repository.admin')
228 def show_all(self, repo_name):
228 def show_all(self, repo_name):
229 c.from_ = request.GET.get('from_') or ''
229 c.from_ = request.GET.get('from_') or ''
230 c.closed = request.GET.get('closed') or ''
230 c.closed = request.GET.get('closed') or ''
231 c.pull_requests = PullRequestModel().get_all(repo_name, from_=c.from_, closed=c.closed)
231 c.pull_requests = PullRequestModel().get_all(repo_name, from_=c.from_, closed=c.closed)
232 c.repo_name = repo_name
232 c.repo_name = repo_name
233 p = safe_int(request.GET.get('page', 1), 1)
233 p = safe_int(request.GET.get('page', 1), 1)
234
234
235 c.pullrequests_pager = Page(c.pull_requests, page=p, items_per_page=10)
235 c.pullrequests_pager = Page(c.pull_requests, page=p, items_per_page=10)
236
236
237 c.pullrequest_data = render('/pullrequests/pullrequest_data.html')
237 c.pullrequest_data = render('/pullrequests/pullrequest_data.html')
238
238
239 if request.environ.get('HTTP_X_PARTIAL_XHR'):
239 if request.environ.get('HTTP_X_PARTIAL_XHR'):
240 return c.pullrequest_data
240 return c.pullrequest_data
241
241
242 return render('/pullrequests/pullrequest_show_all.html')
242 return render('/pullrequests/pullrequest_show_all.html')
243
243
244 @LoginRequired()
244 @LoginRequired()
245 @NotAnonymous()
245 @NotAnonymous()
246 @HasRepoPermissionAnyDecorator('repository.read', 'repository.write',
246 @HasRepoPermissionAnyDecorator('repository.read', 'repository.write',
247 'repository.admin')
247 'repository.admin')
248 def index(self):
248 def index(self):
249 org_repo = c.rhodecode_db_repo
249 org_repo = c.rhodecode_db_repo
250
250
251 if org_repo.scm_instance.alias != 'hg':
251 if org_repo.scm_instance.alias != 'hg':
252 log.error('Review not available for GIT REPOS')
252 log.error('Review not available for GIT REPOS')
253 raise HTTPNotFound
253 raise HTTPNotFound
254
254
255 try:
255 try:
256 org_repo.scm_instance.get_changeset()
256 org_repo.scm_instance.get_changeset()
257 except EmptyRepositoryError, e:
257 except EmptyRepositoryError, e:
258 h.flash(h.literal(_('There are no changesets yet')),
258 h.flash(h.literal(_('There are no changesets yet')),
259 category='warning')
259 category='warning')
260 redirect(url('summary_home', repo_name=org_repo.repo_name))
260 redirect(url('summary_home', repo_name=org_repo.repo_name))
261
261
262 org_rev = request.GET.get('rev_end')
262 org_rev = request.GET.get('rev_end')
263 # rev_start is not directly useful - its parent could however be used
263 # rev_start is not directly useful - its parent could however be used
264 # as default for other and thus give a simple compare view
264 # as default for other and thus give a simple compare view
265 #other_rev = request.POST.get('rev_start')
265 #other_rev = request.POST.get('rev_start')
266 branch = request.GET.get('branch')
266 branch = request.GET.get('branch')
267
267
268 c.org_repos = []
268 c.org_repos = []
269 c.org_repos.append((org_repo.repo_name, org_repo.repo_name))
269 c.org_repos.append((org_repo.repo_name, org_repo.repo_name))
270 c.default_org_repo = org_repo.repo_name
270 c.default_org_repo = org_repo.repo_name
271 c.org_refs, c.default_org_ref = self._get_repo_refs(org_repo.scm_instance, rev=org_rev, branch=branch)
271 c.org_refs, c.default_org_ref = self._get_repo_refs(org_repo.scm_instance, rev=org_rev, branch=branch)
272
272
273 c.other_repos = []
273 c.other_repos = []
274 other_repos_info = {}
274 other_repos_info = {}
275
275
276 def add_other_repo(repo, branch_rev=None):
276 def add_other_repo(repo, branch_rev=None):
277 if repo.repo_name in other_repos_info: # shouldn't happen
277 if repo.repo_name in other_repos_info: # shouldn't happen
278 return
278 return
279 c.other_repos.append((repo.repo_name, repo.repo_name))
279 c.other_repos.append((repo.repo_name, repo.repo_name))
280 other_refs, selected_other_ref = self._get_repo_refs(repo.scm_instance, branch_rev=branch_rev)
280 other_refs, selected_other_ref = self._get_repo_refs(repo.scm_instance, branch_rev=branch_rev)
281 other_repos_info[repo.repo_name] = {
281 other_repos_info[repo.repo_name] = {
282 'user': dict(user_id=repo.user.user_id,
282 'user': dict(user_id=repo.user.user_id,
283 username=repo.user.username,
283 username=repo.user.username,
284 firstname=repo.user.firstname,
284 firstname=repo.user.firstname,
285 lastname=repo.user.lastname,
285 lastname=repo.user.lastname,
286 gravatar_link=h.gravatar_url(repo.user.email, 14)),
286 gravatar_link=h.gravatar_url(repo.user.email, 14)),
287 'description': repo.description.split('\n', 1)[0],
287 'description': repo.description.split('\n', 1)[0],
288 'revs': h.select('other_ref', selected_other_ref, other_refs, class_='refs')
288 'revs': h.select('other_ref', selected_other_ref, other_refs, class_='refs')
289 }
289 }
290
290
291 # add org repo to other so we can open pull request against peer branches on itself
291 # add org repo to other so we can open pull request against peer branches on itself
292 add_other_repo(org_repo, branch_rev=org_rev)
292 add_other_repo(org_repo, branch_rev=org_rev)
293 c.default_other_repo = org_repo.repo_name
293 c.default_other_repo = org_repo.repo_name
294
294
295 # gather forks and add to this list ... even though it is rare to
295 # gather forks and add to this list ... even though it is rare to
296 # request forks to pull from their parent
296 # request forks to pull from their parent
297 for fork in org_repo.forks:
297 for fork in org_repo.forks:
298 add_other_repo(fork)
298 add_other_repo(fork)
299
299
300 # add parents of this fork also, but only if it's not empty
300 # add parents of this fork also, but only if it's not empty
301 if org_repo.parent and org_repo.parent.scm_instance.revisions:
301 if org_repo.parent and org_repo.parent.scm_instance.revisions:
302 add_other_repo(org_repo.parent)
302 add_other_repo(org_repo.parent)
303 c.default_other_repo = org_repo.parent.repo_name
303 c.default_other_repo = org_repo.parent.repo_name
304
304
305 c.default_other_repo_info = other_repos_info[c.default_other_repo]
305 c.default_other_repo_info = other_repos_info[c.default_other_repo]
306 c.other_repos_info = json.dumps(other_repos_info)
306 c.other_repos_info = json.dumps(other_repos_info)
307
307
308 return render('/pullrequests/pullrequest.html')
308 return render('/pullrequests/pullrequest.html')
309
309
310 @LoginRequired()
310 @LoginRequired()
311 @NotAnonymous()
311 @NotAnonymous()
312 @HasRepoPermissionAnyDecorator('repository.read', 'repository.write',
312 @HasRepoPermissionAnyDecorator('repository.read', 'repository.write',
313 'repository.admin')
313 'repository.admin')
314 def create(self, repo_name):
314 def create(self, repo_name):
315 repo = RepoModel()._get_repo(repo_name)
315 repo = RepoModel()._get_repo(repo_name)
316 try:
316 try:
317 _form = PullRequestForm(repo.repo_id)().to_python(request.POST)
317 _form = PullRequestForm(repo.repo_id)().to_python(request.POST)
318 except formencode.Invalid, errors:
318 except formencode.Invalid, errors:
319 log.error(traceback.format_exc())
319 log.error(traceback.format_exc())
320 if errors.error_dict.get('revisions'):
320 if errors.error_dict.get('revisions'):
321 msg = 'Revisions: %s' % errors.error_dict['revisions']
321 msg = 'Revisions: %s' % errors.error_dict['revisions']
322 elif errors.error_dict.get('pullrequest_title'):
322 elif errors.error_dict.get('pullrequest_title'):
323 msg = _('Pull request requires a title with min. 3 chars')
323 msg = _('Pull request requires a title with min. 3 chars')
324 else:
324 else:
325 msg = _('Error creating pull request')
325 msg = _('Error creating pull request')
326
326
327 h.flash(msg, 'error')
327 h.flash(msg, 'error')
328 return redirect(url('pullrequest_home', repo_name=repo_name))
328 return redirect(url('pullrequest_home', repo_name=repo_name))
329
329
330 org_repo = _form['org_repo']
330 org_repo = _form['org_repo']
331 org_ref = _form['org_ref'] # will end with merge_rev but have symbolic name
331 org_ref = _form['org_ref'] # will end with merge_rev but have symbolic name
332 other_repo = _form['other_repo']
332 other_repo = _form['other_repo']
333 other_ref = 'rev:ancestor:%s' % _form['ancestor_rev'] # could be calculated from other_ref ...
333 other_ref = 'rev:ancestor:%s' % _form['ancestor_rev'] # could be calculated from other_ref ...
334 revisions = [x for x in reversed(_form['revisions'])]
334 revisions = [x for x in reversed(_form['revisions'])]
335 reviewers = _form['review_members']
335 reviewers = _form['review_members']
336
336
337 title = _form['pullrequest_title']
337 title = _form['pullrequest_title']
338 description = _form['pullrequest_desc']
338 description = _form['pullrequest_desc']
339 try:
339 try:
340 pull_request = PullRequestModel().create(
340 pull_request = PullRequestModel().create(
341 self.rhodecode_user.user_id, org_repo, org_ref, other_repo,
341 self.rhodecode_user.user_id, org_repo, org_ref, other_repo,
342 other_ref, revisions, reviewers, title, description
342 other_ref, revisions, reviewers, title, description
343 )
343 )
344 Session().commit()
344 Session().commit()
345 h.flash(_('Successfully opened new pull request'),
345 h.flash(_('Successfully opened new pull request'),
346 category='success')
346 category='success')
347 except Exception:
347 except Exception:
348 h.flash(_('Error occurred during sending pull request'),
348 h.flash(_('Error occurred during sending pull request'),
349 category='error')
349 category='error')
350 log.error(traceback.format_exc())
350 log.error(traceback.format_exc())
351 return redirect(url('pullrequest_home', repo_name=repo_name))
351 return redirect(url('pullrequest_home', repo_name=repo_name))
352
352
353 return redirect(url('pullrequest_show', repo_name=other_repo,
353 return redirect(url('pullrequest_show', repo_name=other_repo,
354 pull_request_id=pull_request.pull_request_id))
354 pull_request_id=pull_request.pull_request_id))
355
355
356 @LoginRequired()
356 @LoginRequired()
357 @NotAnonymous()
357 @NotAnonymous()
358 @HasRepoPermissionAnyDecorator('repository.read', 'repository.write',
358 @HasRepoPermissionAnyDecorator('repository.read', 'repository.write',
359 'repository.admin')
359 'repository.admin')
360 @jsonify
360 @jsonify
361 def update(self, repo_name, pull_request_id):
361 def update(self, repo_name, pull_request_id):
362 pull_request = PullRequest.get_or_404(pull_request_id)
362 pull_request = PullRequest.get_or_404(pull_request_id)
363 if pull_request.is_closed():
363 if pull_request.is_closed():
364 raise HTTPForbidden()
364 raise HTTPForbidden()
365 #only owner or admin can update it
365 #only owner or admin can update it
366 owner = pull_request.author.user_id == c.rhodecode_user.user_id
366 owner = pull_request.author.user_id == c.rhodecode_user.user_id
367 if h.HasPermissionAny('hg.admin', 'repository.admin')() or owner:
367 if h.HasPermissionAny('hg.admin', 'repository.admin')() or owner:
368 reviewers_ids = map(int, filter(lambda v: v not in [None, ''],
368 reviewers_ids = map(int, filter(lambda v: v not in [None, ''],
369 request.POST.get('reviewers_ids', '').split(',')))
369 request.POST.get('reviewers_ids', '').split(',')))
370
370
371 PullRequestModel().update_reviewers(pull_request_id, reviewers_ids)
371 PullRequestModel().update_reviewers(pull_request_id, reviewers_ids)
372 Session().commit()
372 Session().commit()
373 return True
373 return True
374 raise HTTPForbidden()
374 raise HTTPForbidden()
375
375
376 @LoginRequired()
376 @LoginRequired()
377 @NotAnonymous()
377 @NotAnonymous()
378 @HasRepoPermissionAnyDecorator('repository.read', 'repository.write',
378 @HasRepoPermissionAnyDecorator('repository.read', 'repository.write',
379 'repository.admin')
379 'repository.admin')
380 @jsonify
380 @jsonify
381 def delete(self, repo_name, pull_request_id):
381 def delete(self, repo_name, pull_request_id):
382 pull_request = PullRequest.get_or_404(pull_request_id)
382 pull_request = PullRequest.get_or_404(pull_request_id)
383 #only owner can delete it !
383 #only owner can delete it !
384 if pull_request.author.user_id == c.rhodecode_user.user_id:
384 if pull_request.author.user_id == c.rhodecode_user.user_id:
385 PullRequestModel().delete(pull_request)
385 PullRequestModel().delete(pull_request)
386 Session().commit()
386 Session().commit()
387 h.flash(_('Successfully deleted pull request'),
387 h.flash(_('Successfully deleted pull request'),
388 category='success')
388 category='success')
389 return redirect(url('admin_settings_my_account', anchor='pullrequests'))
389 return redirect(url('admin_settings_my_account', anchor='pullrequests'))
390 raise HTTPForbidden()
390 raise HTTPForbidden()
391
391
392 @LoginRequired()
392 @LoginRequired()
393 @HasRepoPermissionAnyDecorator('repository.read', 'repository.write',
393 @HasRepoPermissionAnyDecorator('repository.read', 'repository.write',
394 'repository.admin')
394 'repository.admin')
395 def show(self, repo_name, pull_request_id):
395 def show(self, repo_name, pull_request_id):
396 repo_model = RepoModel()
396 repo_model = RepoModel()
397 c.users_array = repo_model.get_users_js()
397 c.users_array = repo_model.get_users_js()
398 c.users_groups_array = repo_model.get_users_groups_js()
398 c.users_groups_array = repo_model.get_users_groups_js()
399 c.pull_request = PullRequest.get_or_404(pull_request_id)
399 c.pull_request = PullRequest.get_or_404(pull_request_id)
400 c.allowed_to_change_status = self._get_is_allowed_change_status(c.pull_request)
400 c.allowed_to_change_status = self._get_is_allowed_change_status(c.pull_request)
401 cc_model = ChangesetCommentsModel()
401 cc_model = ChangesetCommentsModel()
402 cs_model = ChangesetStatusModel()
402 cs_model = ChangesetStatusModel()
403 _cs_statuses = cs_model.get_statuses(c.pull_request.org_repo,
403 _cs_statuses = cs_model.get_statuses(c.pull_request.org_repo,
404 pull_request=c.pull_request,
404 pull_request=c.pull_request,
405 with_revisions=True)
405 with_revisions=True)
406
406
407 cs_statuses = defaultdict(list)
407 cs_statuses = defaultdict(list)
408 for st in _cs_statuses:
408 for st in _cs_statuses:
409 cs_statuses[st.author.username] += [st]
409 cs_statuses[st.author.username] += [st]
410
410
411 c.pull_request_reviewers = []
411 c.pull_request_reviewers = []
412 c.pull_request_pending_reviewers = []
412 c.pull_request_pending_reviewers = []
413 for o in c.pull_request.reviewers:
413 for o in c.pull_request.reviewers:
414 st = cs_statuses.get(o.user.username, None)
414 st = cs_statuses.get(o.user.username, None)
415 if st:
415 if st:
416 sorter = lambda k: k.version
416 sorter = lambda k: k.version
417 st = [(x, list(y)[0])
417 st = [(x, list(y)[0])
418 for x, y in (groupby(sorted(st, key=sorter), sorter))]
418 for x, y in (groupby(sorted(st, key=sorter), sorter))]
419 else:
419 else:
420 c.pull_request_pending_reviewers.append(o.user)
420 c.pull_request_pending_reviewers.append(o.user)
421 c.pull_request_reviewers.append([o.user, st])
421 c.pull_request_reviewers.append([o.user, st])
422
422
423 # pull_requests repo_name we opened it against
423 # pull_requests repo_name we opened it against
424 # ie. other_repo must match
424 # ie. other_repo must match
425 if repo_name != c.pull_request.other_repo.repo_name:
425 if repo_name != c.pull_request.other_repo.repo_name:
426 raise HTTPNotFound
426 raise HTTPNotFound
427
427
428 # load compare data into template context
428 # load compare data into template context
429 enable_comments = not c.pull_request.is_closed()
429 enable_comments = not c.pull_request.is_closed()
430 self._load_compare_data(c.pull_request, enable_comments=enable_comments)
430 self._load_compare_data(c.pull_request, enable_comments=enable_comments)
431
431
432 # inline comments
432 # inline comments
433 c.inline_cnt = 0
433 c.inline_cnt = 0
434 c.inline_comments = cc_model.get_inline_comments(
434 c.inline_comments = cc_model.get_inline_comments(
435 c.rhodecode_db_repo.repo_id,
435 c.rhodecode_db_repo.repo_id,
436 pull_request=pull_request_id)
436 pull_request=pull_request_id)
437 # count inline comments
437 # count inline comments
438 for __, lines in c.inline_comments:
438 for __, lines in c.inline_comments:
439 for comments in lines.values():
439 for comments in lines.values():
440 c.inline_cnt += len(comments)
440 c.inline_cnt += len(comments)
441 # comments
441 # comments
442 c.comments = cc_model.get_comments(c.rhodecode_db_repo.repo_id,
442 c.comments = cc_model.get_comments(c.rhodecode_db_repo.repo_id,
443 pull_request=pull_request_id)
443 pull_request=pull_request_id)
444
444
445 try:
445 # changeset(pull-request) status calulation based on reviewers
446 cur_status = c.statuses[c.pull_request.revisions[0]][0]
446 c.current_changeset_status = cs_model.calculate_status(
447 except Exception:
447 c.pull_request_reviewers,
448 log.error(traceback.format_exc())
449 cur_status = 'undefined'
450 if c.pull_request.is_closed() and 0:
451 c.current_changeset_status = cur_status
452 else:
453 # changeset(pull-request) status calulation based on reviewers
454 c.current_changeset_status = cs_model.calculate_status(
455 c.pull_request_reviewers,
456 )
448 )
457 c.changeset_statuses = ChangesetStatus.STATUSES
449 c.changeset_statuses = ChangesetStatus.STATUSES
458
450
459 c.as_form = False
451 c.as_form = False
460 c.ancestor = None # there is one - but right here we don't know which
452 c.ancestor = None # there is one - but right here we don't know which
461 return render('/pullrequests/pullrequest_show.html')
453 return render('/pullrequests/pullrequest_show.html')
462
454
463 @LoginRequired()
455 @LoginRequired()
464 @NotAnonymous()
456 @NotAnonymous()
465 @HasRepoPermissionAnyDecorator('repository.read', 'repository.write',
457 @HasRepoPermissionAnyDecorator('repository.read', 'repository.write',
466 'repository.admin')
458 'repository.admin')
467 @jsonify
459 @jsonify
468 def comment(self, repo_name, pull_request_id):
460 def comment(self, repo_name, pull_request_id):
469 pull_request = PullRequest.get_or_404(pull_request_id)
461 pull_request = PullRequest.get_or_404(pull_request_id)
470 if pull_request.is_closed():
462 if pull_request.is_closed():
471 raise HTTPForbidden()
463 raise HTTPForbidden()
472
464
473 status = request.POST.get('changeset_status')
465 status = request.POST.get('changeset_status')
474 change_status = request.POST.get('change_changeset_status')
466 change_status = request.POST.get('change_changeset_status')
475 text = request.POST.get('text')
467 text = request.POST.get('text')
476 close_pr = request.POST.get('save_close')
468 close_pr = request.POST.get('save_close')
477
469
478 allowed_to_change_status = self._get_is_allowed_change_status(pull_request)
470 allowed_to_change_status = self._get_is_allowed_change_status(pull_request)
479 if status and change_status and allowed_to_change_status:
471 if status and change_status and allowed_to_change_status:
480 _def = (_('Status change -> %s')
472 _def = (_('Status change -> %s')
481 % ChangesetStatus.get_status_lbl(status))
473 % ChangesetStatus.get_status_lbl(status))
482 if close_pr:
474 if close_pr:
483 _def = _('Closing with') + ' ' + _def
475 _def = _('Closing with') + ' ' + _def
484 text = text or _def
476 text = text or _def
485 comm = ChangesetCommentsModel().create(
477 comm = ChangesetCommentsModel().create(
486 text=text,
478 text=text,
487 repo=c.rhodecode_db_repo.repo_id,
479 repo=c.rhodecode_db_repo.repo_id,
488 user=c.rhodecode_user.user_id,
480 user=c.rhodecode_user.user_id,
489 pull_request=pull_request_id,
481 pull_request=pull_request_id,
490 f_path=request.POST.get('f_path'),
482 f_path=request.POST.get('f_path'),
491 line_no=request.POST.get('line'),
483 line_no=request.POST.get('line'),
492 status_change=(ChangesetStatus.get_status_lbl(status)
484 status_change=(ChangesetStatus.get_status_lbl(status)
493 if status and change_status
485 if status and change_status
494 and allowed_to_change_status else None),
486 and allowed_to_change_status else None),
495 closing_pr=close_pr
487 closing_pr=close_pr
496 )
488 )
497
489
498 action_logger(self.rhodecode_user,
490 action_logger(self.rhodecode_user,
499 'user_commented_pull_request:%s' % pull_request_id,
491 'user_commented_pull_request:%s' % pull_request_id,
500 c.rhodecode_db_repo, self.ip_addr, self.sa)
492 c.rhodecode_db_repo, self.ip_addr, self.sa)
501
493
502 if allowed_to_change_status:
494 if allowed_to_change_status:
503 # get status if set !
495 # get status if set !
504 if status and change_status:
496 if status and change_status:
505 ChangesetStatusModel().set_status(
497 ChangesetStatusModel().set_status(
506 c.rhodecode_db_repo.repo_id,
498 c.rhodecode_db_repo.repo_id,
507 status,
499 status,
508 c.rhodecode_user.user_id,
500 c.rhodecode_user.user_id,
509 comm,
501 comm,
510 pull_request=pull_request_id
502 pull_request=pull_request_id
511 )
503 )
512
504
513 if close_pr:
505 if close_pr:
514 if status in ['rejected', 'approved']:
506 if status in ['rejected', 'approved']:
515 PullRequestModel().close_pull_request(pull_request_id)
507 PullRequestModel().close_pull_request(pull_request_id)
516 action_logger(self.rhodecode_user,
508 action_logger(self.rhodecode_user,
517 'user_closed_pull_request:%s' % pull_request_id,
509 'user_closed_pull_request:%s' % pull_request_id,
518 c.rhodecode_db_repo, self.ip_addr, self.sa)
510 c.rhodecode_db_repo, self.ip_addr, self.sa)
519 else:
511 else:
520 h.flash(_('Closing pull request on other statuses than '
512 h.flash(_('Closing pull request on other statuses than '
521 'rejected or approved forbidden'),
513 'rejected or approved forbidden'),
522 category='warning')
514 category='warning')
523
515
524 Session().commit()
516 Session().commit()
525
517
526 if not request.environ.get('HTTP_X_PARTIAL_XHR'):
518 if not request.environ.get('HTTP_X_PARTIAL_XHR'):
527 return redirect(h.url('pullrequest_show', repo_name=repo_name,
519 return redirect(h.url('pullrequest_show', repo_name=repo_name,
528 pull_request_id=pull_request_id))
520 pull_request_id=pull_request_id))
529
521
530 data = {
522 data = {
531 'target_id': h.safeid(h.safe_unicode(request.POST.get('f_path'))),
523 'target_id': h.safeid(h.safe_unicode(request.POST.get('f_path'))),
532 }
524 }
533 if comm:
525 if comm:
534 c.co = comm
526 c.co = comm
535 data.update(comm.get_dict())
527 data.update(comm.get_dict())
536 data.update({'rendered_text':
528 data.update({'rendered_text':
537 render('changeset/changeset_comment_block.html')})
529 render('changeset/changeset_comment_block.html')})
538
530
539 return data
531 return data
540
532
541 @LoginRequired()
533 @LoginRequired()
542 @NotAnonymous()
534 @NotAnonymous()
543 @HasRepoPermissionAnyDecorator('repository.read', 'repository.write',
535 @HasRepoPermissionAnyDecorator('repository.read', 'repository.write',
544 'repository.admin')
536 'repository.admin')
545 @jsonify
537 @jsonify
546 def delete_comment(self, repo_name, comment_id):
538 def delete_comment(self, repo_name, comment_id):
547 co = ChangesetComment.get(comment_id)
539 co = ChangesetComment.get(comment_id)
548 if co.pull_request.is_closed():
540 if co.pull_request.is_closed():
549 #don't allow deleting comments on closed pull request
541 #don't allow deleting comments on closed pull request
550 raise HTTPForbidden()
542 raise HTTPForbidden()
551
543
552 owner = co.author.user_id == c.rhodecode_user.user_id
544 owner = co.author.user_id == c.rhodecode_user.user_id
553 if h.HasPermissionAny('hg.admin', 'repository.admin')() or owner:
545 if h.HasPermissionAny('hg.admin', 'repository.admin')() or owner:
554 ChangesetCommentsModel().delete(comment=co)
546 ChangesetCommentsModel().delete(comment=co)
555 Session().commit()
547 Session().commit()
556 return True
548 return True
557 else:
549 else:
558 raise HTTPForbidden()
550 raise HTTPForbidden()
General Comments 0
You need to be logged in to leave comments. Login now