Show More
The requested changes are too big and content was truncated. Show full diff
@@ -1,129 +1,129 b'' | |||||
1 | # -*- coding: utf-8 -*- |
|
1 | # -*- coding: utf-8 -*- | |
2 |
|
2 | |||
3 | # Copyright (C) 2010-2017 RhodeCode GmbH |
|
3 | # Copyright (C) 2010-2017 RhodeCode GmbH | |
4 | # |
|
4 | # | |
5 | # This program is free software: you can redistribute it and/or modify |
|
5 | # This program is free software: you can redistribute it and/or modify | |
6 | # it under the terms of the GNU Affero General Public License, version 3 |
|
6 | # it under the terms of the GNU Affero General Public License, version 3 | |
7 | # (only), as published by the Free Software Foundation. |
|
7 | # (only), as published by the Free Software Foundation. | |
8 | # |
|
8 | # | |
9 | # This program is distributed in the hope that it will be useful, |
|
9 | # This program is distributed in the hope that it will be useful, | |
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of |
|
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of | |
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the |
|
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |
12 | # GNU General Public License for more details. |
|
12 | # GNU General Public License for more details. | |
13 | # |
|
13 | # | |
14 | # You should have received a copy of the GNU Affero General Public License |
|
14 | # You should have received a copy of the GNU Affero General Public License | |
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. |
|
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. | |
16 | # |
|
16 | # | |
17 | # This program is dual-licensed. If you wish to learn more about the |
|
17 | # This program is dual-licensed. If you wish to learn more about the | |
18 | # RhodeCode Enterprise Edition, including its added features, Support services, |
|
18 | # RhodeCode Enterprise Edition, including its added features, Support services, | |
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ |
|
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |
20 |
|
20 | |||
21 |
|
21 | |||
22 | import pytest |
|
22 | import pytest | |
23 |
|
23 | |||
24 | from rhodecode.model.repo import RepoModel |
|
24 | from rhodecode.model.repo import RepoModel | |
25 | from rhodecode.api.tests.utils import ( |
|
25 | from rhodecode.api.tests.utils import ( | |
26 | build_data, api_call, assert_ok, assert_error, jsonify) |
|
26 | build_data, api_call, assert_ok, assert_error, jsonify) | |
27 | from rhodecode.model.db import User |
|
27 | from rhodecode.model.db import User | |
28 |
|
28 | |||
29 |
|
29 | |||
30 | @pytest.mark.usefixtures("testuser_api", "app") |
|
30 | @pytest.mark.usefixtures("testuser_api", "app") | |
31 | class TestGetRepos(object): |
|
31 | class TestGetRepos(object): | |
32 | def test_api_get_repos(self): |
|
32 | def test_api_get_repos(self): | |
33 | id_, params = build_data(self.apikey, 'get_repos') |
|
33 | id_, params = build_data(self.apikey, 'get_repos') | |
34 | response = api_call(self.app, params) |
|
34 | response = api_call(self.app, params) | |
35 |
|
35 | |||
36 | result = [] |
|
36 | result = [] | |
37 | for repo in RepoModel().get_all(): |
|
37 | for repo in RepoModel().get_all(): | |
38 | result.append(repo.get_api_data(include_secrets=True)) |
|
38 | result.append(repo.get_api_data(include_secrets=True)) | |
39 | ret = jsonify(result) |
|
39 | ret = jsonify(result) | |
40 |
|
40 | |||
41 | expected = ret |
|
41 | expected = ret | |
42 | assert_ok(id_, expected, given=response.body) |
|
42 | assert_ok(id_, expected, given=response.body) | |
43 |
|
43 | |||
44 | def test_api_get_repos_only_toplevel(self, user_util): |
|
44 | def test_api_get_repos_only_toplevel(self, user_util): | |
45 | repo_group = user_util.create_repo_group(auto_cleanup=True) |
|
45 | repo_group = user_util.create_repo_group(auto_cleanup=True) | |
46 | user_util.create_repo(parent=repo_group) |
|
46 | user_util.create_repo(parent=repo_group) | |
47 |
|
47 | |||
48 | id_, params = build_data(self.apikey, 'get_repos', traverse=0) |
|
48 | id_, params = build_data(self.apikey, 'get_repos', traverse=0) | |
49 | response = api_call(self.app, params) |
|
49 | response = api_call(self.app, params) | |
50 |
|
50 | |||
51 | result = [] |
|
51 | result = [] | |
52 | for repo in RepoModel().get_repos_for_root(root=None): |
|
52 | for repo in RepoModel().get_repos_for_root(root=None): | |
53 | result.append(repo.get_api_data(include_secrets=True)) |
|
53 | result.append(repo.get_api_data(include_secrets=True)) | |
54 | expected = jsonify(result) |
|
54 | expected = jsonify(result) | |
55 |
|
55 | |||
56 | assert_ok(id_, expected, given=response.body) |
|
56 | assert_ok(id_, expected, given=response.body) | |
57 |
|
57 | |||
58 | def test_api_get_repos_with_wrong_root(self): |
|
58 | def test_api_get_repos_with_wrong_root(self): | |
59 | id_, params = build_data(self.apikey, 'get_repos', root='abracadabra') |
|
59 | id_, params = build_data(self.apikey, 'get_repos', root='abracadabra') | |
60 | response = api_call(self.app, params) |
|
60 | response = api_call(self.app, params) | |
61 |
|
61 | |||
62 | expected = 'Root repository group `abracadabra` does not exist' |
|
62 | expected = 'Root repository group `abracadabra` does not exist' | |
63 | assert_error(id_, expected, given=response.body) |
|
63 | assert_error(id_, expected, given=response.body) | |
64 |
|
64 | |||
65 | def test_api_get_repos_with_root(self, user_util): |
|
65 | def test_api_get_repos_with_root(self, user_util): | |
66 | repo_group = user_util.create_repo_group(auto_cleanup=True) |
|
66 | repo_group = user_util.create_repo_group(auto_cleanup=True) | |
67 | repo_group_name = repo_group.group_name |
|
67 | repo_group_name = repo_group.group_name | |
68 |
|
68 | |||
69 | user_util.create_repo(parent=repo_group) |
|
69 | user_util.create_repo(parent=repo_group) | |
70 | user_util.create_repo(parent=repo_group) |
|
70 | user_util.create_repo(parent=repo_group) | |
71 |
|
71 | |||
72 | # nested, should not show up |
|
72 | # nested, should not show up | |
73 | user_util._test_name = '{}/'.format(repo_group_name) |
|
73 | user_util._test_name = '{}/'.format(repo_group_name) | |
74 | sub_repo_group = user_util.create_repo_group(auto_cleanup=True) |
|
74 | sub_repo_group = user_util.create_repo_group(auto_cleanup=True) | |
75 | user_util.create_repo(parent=sub_repo_group) |
|
75 | user_util.create_repo(parent=sub_repo_group) | |
76 |
|
76 | |||
77 | id_, params = build_data(self.apikey, 'get_repos', |
|
77 | id_, params = build_data(self.apikey, 'get_repos', | |
78 | root=repo_group_name, traverse=0) |
|
78 | root=repo_group_name, traverse=0) | |
79 | response = api_call(self.app, params) |
|
79 | response = api_call(self.app, params) | |
80 |
|
80 | |||
81 | result = [] |
|
81 | result = [] | |
82 | for repo in RepoModel().get_repos_for_root(repo_group): |
|
82 | for repo in RepoModel().get_repos_for_root(repo_group): | |
83 | result.append(repo.get_api_data(include_secrets=True)) |
|
83 | result.append(repo.get_api_data(include_secrets=True)) | |
84 |
|
84 | |||
85 | assert len(result) == 2 |
|
85 | assert len(result) == 2 | |
86 | expected = jsonify(result) |
|
86 | expected = jsonify(result) | |
87 | assert_ok(id_, expected, given=response.body) |
|
87 | assert_ok(id_, expected, given=response.body) | |
88 |
|
88 | |||
89 | def test_api_get_repos_with_root_and_traverse(self, user_util): |
|
89 | def test_api_get_repos_with_root_and_traverse(self, user_util): | |
90 | repo_group = user_util.create_repo_group(auto_cleanup=True) |
|
90 | repo_group = user_util.create_repo_group(auto_cleanup=True) | |
91 | repo_group_name = repo_group.group_name |
|
91 | repo_group_name = repo_group.group_name | |
92 |
|
92 | |||
93 | user_util.create_repo(parent=repo_group) |
|
93 | user_util.create_repo(parent=repo_group) | |
94 | user_util.create_repo(parent=repo_group) |
|
94 | user_util.create_repo(parent=repo_group) | |
95 |
|
95 | |||
96 | # nested, should not show up |
|
96 | # nested, should not show up | |
97 | user_util._test_name = '{}/'.format(repo_group_name) |
|
97 | user_util._test_name = '{}/'.format(repo_group_name) | |
98 | sub_repo_group = user_util.create_repo_group(auto_cleanup=True) |
|
98 | sub_repo_group = user_util.create_repo_group(auto_cleanup=True) | |
99 | user_util.create_repo(parent=sub_repo_group) |
|
99 | user_util.create_repo(parent=sub_repo_group) | |
100 |
|
100 | |||
101 | id_, params = build_data(self.apikey, 'get_repos', |
|
101 | id_, params = build_data(self.apikey, 'get_repos', | |
102 | root=repo_group_name, traverse=1) |
|
102 | root=repo_group_name, traverse=1) | |
103 | response = api_call(self.app, params) |
|
103 | response = api_call(self.app, params) | |
104 |
|
104 | |||
105 | result = [] |
|
105 | result = [] | |
106 | for repo in RepoModel().get_repos_for_root( |
|
106 | for repo in RepoModel().get_repos_for_root( | |
107 | repo_group_name, traverse=True): |
|
107 | repo_group_name, traverse=True): | |
108 | result.append(repo.get_api_data(include_secrets=True)) |
|
108 | result.append(repo.get_api_data(include_secrets=True)) | |
109 |
|
109 | |||
110 | assert len(result) == 3 |
|
110 | assert len(result) == 3 | |
111 | expected = jsonify(result) |
|
111 | expected = jsonify(result) | |
112 | assert_ok(id_, expected, given=response.body) |
|
112 | assert_ok(id_, expected, given=response.body) | |
113 |
|
113 | |||
114 | def test_api_get_repos_non_admin(self): |
|
114 | def test_api_get_repos_non_admin(self): | |
115 | id_, params = build_data(self.apikey_regular, 'get_repos') |
|
115 | id_, params = build_data(self.apikey_regular, 'get_repos') | |
116 | response = api_call(self.app, params) |
|
116 | response = api_call(self.app, params) | |
117 |
|
117 | |||
118 | user = User.get_by_username(self.TEST_USER_LOGIN) |
|
118 | user = User.get_by_username(self.TEST_USER_LOGIN) | |
119 | allowed_repos = user.AuthUser.permissions['repositories'] |
|
119 | allowed_repos = user.AuthUser().permissions['repositories'] | |
120 |
|
120 | |||
121 | result = [] |
|
121 | result = [] | |
122 | for repo in RepoModel().get_all(): |
|
122 | for repo in RepoModel().get_all(): | |
123 | perm = allowed_repos[repo.repo_name] |
|
123 | perm = allowed_repos[repo.repo_name] | |
124 | if perm in ['repository.read', 'repository.write', 'repository.admin']: |
|
124 | if perm in ['repository.read', 'repository.write', 'repository.admin']: | |
125 | result.append(repo.get_api_data()) |
|
125 | result.append(repo.get_api_data()) | |
126 | ret = jsonify(result) |
|
126 | ret = jsonify(result) | |
127 |
|
127 | |||
128 | expected = ret |
|
128 | expected = ret | |
129 | assert_ok(id_, expected, given=response.body) |
|
129 | assert_ok(id_, expected, given=response.body) |
@@ -1,369 +1,369 b'' | |||||
1 | # -*- coding: utf-8 -*- |
|
1 | # -*- coding: utf-8 -*- | |
2 |
|
2 | |||
3 | # Copyright (C) 2016-2017 RhodeCode GmbH |
|
3 | # Copyright (C) 2016-2017 RhodeCode GmbH | |
4 | # |
|
4 | # | |
5 | # This program is free software: you can redistribute it and/or modify |
|
5 | # This program is free software: you can redistribute it and/or modify | |
6 | # it under the terms of the GNU Affero General Public License, version 3 |
|
6 | # it under the terms of the GNU Affero General Public License, version 3 | |
7 | # (only), as published by the Free Software Foundation. |
|
7 | # (only), as published by the Free Software Foundation. | |
8 | # |
|
8 | # | |
9 | # This program is distributed in the hope that it will be useful, |
|
9 | # This program is distributed in the hope that it will be useful, | |
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of |
|
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of | |
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the |
|
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |
12 | # GNU General Public License for more details. |
|
12 | # GNU General Public License for more details. | |
13 | # |
|
13 | # | |
14 | # You should have received a copy of the GNU Affero General Public License |
|
14 | # You should have received a copy of the GNU Affero General Public License | |
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. |
|
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. | |
16 | # |
|
16 | # | |
17 | # This program is dual-licensed. If you wish to learn more about the |
|
17 | # This program is dual-licensed. If you wish to learn more about the | |
18 | # RhodeCode Enterprise Edition, including its added features, Support services, |
|
18 | # RhodeCode Enterprise Edition, including its added features, Support services, | |
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ |
|
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |
20 |
|
20 | |||
21 | import re |
|
21 | import re | |
22 | import logging |
|
22 | import logging | |
23 | import formencode |
|
23 | import formencode | |
24 | from pyramid.interfaces import IRoutesMapper |
|
24 | from pyramid.interfaces import IRoutesMapper | |
25 |
|
25 | |||
26 | from pyramid.view import view_config |
|
26 | from pyramid.view import view_config | |
27 | from pyramid.httpexceptions import HTTPFound |
|
27 | from pyramid.httpexceptions import HTTPFound | |
28 | from pyramid.renderers import render |
|
28 | from pyramid.renderers import render | |
29 | from pyramid.response import Response |
|
29 | from pyramid.response import Response | |
30 |
|
30 | |||
31 | from rhodecode.apps._base import BaseAppView |
|
31 | from rhodecode.apps._base import BaseAppView | |
32 |
|
32 | |||
33 | from rhodecode.lib import helpers as h |
|
33 | from rhodecode.lib import helpers as h | |
34 | from rhodecode.lib.auth import ( |
|
34 | from rhodecode.lib.auth import ( | |
35 | LoginRequired, HasPermissionAllDecorator, CSRFRequired) |
|
35 | LoginRequired, HasPermissionAllDecorator, CSRFRequired) | |
36 | from rhodecode.lib.utils2 import aslist |
|
36 | from rhodecode.lib.utils2 import aslist | |
37 | from rhodecode.model.db import User, UserIpMap |
|
37 | from rhodecode.model.db import User, UserIpMap | |
38 | from rhodecode.model.forms import ( |
|
38 | from rhodecode.model.forms import ( | |
39 | ApplicationPermissionsForm, ObjectPermissionsForm, UserPermissionsForm) |
|
39 | ApplicationPermissionsForm, ObjectPermissionsForm, UserPermissionsForm) | |
40 | from rhodecode.model.meta import Session |
|
40 | from rhodecode.model.meta import Session | |
41 | from rhodecode.model.permission import PermissionModel |
|
41 | from rhodecode.model.permission import PermissionModel | |
42 | from rhodecode.model.settings import SettingsModel |
|
42 | from rhodecode.model.settings import SettingsModel | |
43 |
|
43 | |||
44 |
|
44 | |||
45 | log = logging.getLogger(__name__) |
|
45 | log = logging.getLogger(__name__) | |
46 |
|
46 | |||
47 |
|
47 | |||
48 | class AdminPermissionsView(BaseAppView): |
|
48 | class AdminPermissionsView(BaseAppView): | |
49 | def load_default_context(self): |
|
49 | def load_default_context(self): | |
50 | c = self._get_local_tmpl_context() |
|
50 | c = self._get_local_tmpl_context() | |
51 |
|
51 | |||
52 | self._register_global_c(c) |
|
52 | self._register_global_c(c) | |
53 | PermissionModel().set_global_permission_choices( |
|
53 | PermissionModel().set_global_permission_choices( | |
54 | c, gettext_translator=self.request.translate) |
|
54 | c, gettext_translator=self.request.translate) | |
55 | return c |
|
55 | return c | |
56 |
|
56 | |||
57 | @LoginRequired() |
|
57 | @LoginRequired() | |
58 | @HasPermissionAllDecorator('hg.admin') |
|
58 | @HasPermissionAllDecorator('hg.admin') | |
59 | @view_config( |
|
59 | @view_config( | |
60 | route_name='admin_permissions_application', request_method='GET', |
|
60 | route_name='admin_permissions_application', request_method='GET', | |
61 | renderer='rhodecode:templates/admin/permissions/permissions.mako') |
|
61 | renderer='rhodecode:templates/admin/permissions/permissions.mako') | |
62 | def permissions_application(self): |
|
62 | def permissions_application(self): | |
63 | c = self.load_default_context() |
|
63 | c = self.load_default_context() | |
64 | c.active = 'application' |
|
64 | c.active = 'application' | |
65 |
|
65 | |||
66 | c.user = User.get_default_user(refresh=True) |
|
66 | c.user = User.get_default_user(refresh=True) | |
67 |
|
67 | |||
68 | app_settings = SettingsModel().get_all_settings() |
|
68 | app_settings = SettingsModel().get_all_settings() | |
69 | defaults = { |
|
69 | defaults = { | |
70 | 'anonymous': c.user.active, |
|
70 | 'anonymous': c.user.active, | |
71 | 'default_register_message': app_settings.get( |
|
71 | 'default_register_message': app_settings.get( | |
72 | 'rhodecode_register_message') |
|
72 | 'rhodecode_register_message') | |
73 | } |
|
73 | } | |
74 | defaults.update(c.user.get_default_perms()) |
|
74 | defaults.update(c.user.get_default_perms()) | |
75 |
|
75 | |||
76 | data = render('rhodecode:templates/admin/permissions/permissions.mako', |
|
76 | data = render('rhodecode:templates/admin/permissions/permissions.mako', | |
77 | self._get_template_context(c), self.request) |
|
77 | self._get_template_context(c), self.request) | |
78 | html = formencode.htmlfill.render( |
|
78 | html = formencode.htmlfill.render( | |
79 | data, |
|
79 | data, | |
80 | defaults=defaults, |
|
80 | defaults=defaults, | |
81 | encoding="UTF-8", |
|
81 | encoding="UTF-8", | |
82 | force_defaults=False |
|
82 | force_defaults=False | |
83 | ) |
|
83 | ) | |
84 | return Response(html) |
|
84 | return Response(html) | |
85 |
|
85 | |||
86 | @LoginRequired() |
|
86 | @LoginRequired() | |
87 | @HasPermissionAllDecorator('hg.admin') |
|
87 | @HasPermissionAllDecorator('hg.admin') | |
88 | @CSRFRequired() |
|
88 | @CSRFRequired() | |
89 | @view_config( |
|
89 | @view_config( | |
90 | route_name='admin_permissions_application_update', request_method='POST', |
|
90 | route_name='admin_permissions_application_update', request_method='POST', | |
91 | renderer='rhodecode:templates/admin/permissions/permissions.mako') |
|
91 | renderer='rhodecode:templates/admin/permissions/permissions.mako') | |
92 | def permissions_application_update(self): |
|
92 | def permissions_application_update(self): | |
93 | _ = self.request.translate |
|
93 | _ = self.request.translate | |
94 | c = self.load_default_context() |
|
94 | c = self.load_default_context() | |
95 | c.active = 'application' |
|
95 | c.active = 'application' | |
96 |
|
96 | |||
97 | _form = ApplicationPermissionsForm( |
|
97 | _form = ApplicationPermissionsForm( | |
98 | [x[0] for x in c.register_choices], |
|
98 | [x[0] for x in c.register_choices], | |
99 | [x[0] for x in c.password_reset_choices], |
|
99 | [x[0] for x in c.password_reset_choices], | |
100 | [x[0] for x in c.extern_activate_choices])() |
|
100 | [x[0] for x in c.extern_activate_choices])() | |
101 |
|
101 | |||
102 | try: |
|
102 | try: | |
103 | form_result = _form.to_python(dict(self.request.POST)) |
|
103 | form_result = _form.to_python(dict(self.request.POST)) | |
104 | form_result.update({'perm_user_name': User.DEFAULT_USER}) |
|
104 | form_result.update({'perm_user_name': User.DEFAULT_USER}) | |
105 | PermissionModel().update_application_permissions(form_result) |
|
105 | PermissionModel().update_application_permissions(form_result) | |
106 |
|
106 | |||
107 | settings = [ |
|
107 | settings = [ | |
108 | ('register_message', 'default_register_message'), |
|
108 | ('register_message', 'default_register_message'), | |
109 | ] |
|
109 | ] | |
110 | for setting, form_key in settings: |
|
110 | for setting, form_key in settings: | |
111 | sett = SettingsModel().create_or_update_setting( |
|
111 | sett = SettingsModel().create_or_update_setting( | |
112 | setting, form_result[form_key]) |
|
112 | setting, form_result[form_key]) | |
113 | Session().add(sett) |
|
113 | Session().add(sett) | |
114 |
|
114 | |||
115 | Session().commit() |
|
115 | Session().commit() | |
116 | h.flash(_('Application permissions updated successfully'), |
|
116 | h.flash(_('Application permissions updated successfully'), | |
117 | category='success') |
|
117 | category='success') | |
118 |
|
118 | |||
119 | except formencode.Invalid as errors: |
|
119 | except formencode.Invalid as errors: | |
120 | defaults = errors.value |
|
120 | defaults = errors.value | |
121 |
|
121 | |||
122 | data = render( |
|
122 | data = render( | |
123 | 'rhodecode:templates/admin/permissions/permissions.mako', |
|
123 | 'rhodecode:templates/admin/permissions/permissions.mako', | |
124 | self._get_template_context(c), self.request) |
|
124 | self._get_template_context(c), self.request) | |
125 | html = formencode.htmlfill.render( |
|
125 | html = formencode.htmlfill.render( | |
126 | data, |
|
126 | data, | |
127 | defaults=defaults, |
|
127 | defaults=defaults, | |
128 | errors=errors.error_dict or {}, |
|
128 | errors=errors.error_dict or {}, | |
129 | prefix_error=False, |
|
129 | prefix_error=False, | |
130 | encoding="UTF-8", |
|
130 | encoding="UTF-8", | |
131 | force_defaults=False |
|
131 | force_defaults=False | |
132 | ) |
|
132 | ) | |
133 | return Response(html) |
|
133 | return Response(html) | |
134 |
|
134 | |||
135 | except Exception: |
|
135 | except Exception: | |
136 | log.exception("Exception during update of permissions") |
|
136 | log.exception("Exception during update of permissions") | |
137 | h.flash(_('Error occurred during update of permissions'), |
|
137 | h.flash(_('Error occurred during update of permissions'), | |
138 | category='error') |
|
138 | category='error') | |
139 |
|
139 | |||
140 | raise HTTPFound(h.route_path('admin_permissions_application')) |
|
140 | raise HTTPFound(h.route_path('admin_permissions_application')) | |
141 |
|
141 | |||
142 | @LoginRequired() |
|
142 | @LoginRequired() | |
143 | @HasPermissionAllDecorator('hg.admin') |
|
143 | @HasPermissionAllDecorator('hg.admin') | |
144 | @view_config( |
|
144 | @view_config( | |
145 | route_name='admin_permissions_object', request_method='GET', |
|
145 | route_name='admin_permissions_object', request_method='GET', | |
146 | renderer='rhodecode:templates/admin/permissions/permissions.mako') |
|
146 | renderer='rhodecode:templates/admin/permissions/permissions.mako') | |
147 | def permissions_objects(self): |
|
147 | def permissions_objects(self): | |
148 | c = self.load_default_context() |
|
148 | c = self.load_default_context() | |
149 | c.active = 'objects' |
|
149 | c.active = 'objects' | |
150 |
|
150 | |||
151 | c.user = User.get_default_user(refresh=True) |
|
151 | c.user = User.get_default_user(refresh=True) | |
152 | defaults = {} |
|
152 | defaults = {} | |
153 | defaults.update(c.user.get_default_perms()) |
|
153 | defaults.update(c.user.get_default_perms()) | |
154 |
|
154 | |||
155 | data = render( |
|
155 | data = render( | |
156 | 'rhodecode:templates/admin/permissions/permissions.mako', |
|
156 | 'rhodecode:templates/admin/permissions/permissions.mako', | |
157 | self._get_template_context(c), self.request) |
|
157 | self._get_template_context(c), self.request) | |
158 | html = formencode.htmlfill.render( |
|
158 | html = formencode.htmlfill.render( | |
159 | data, |
|
159 | data, | |
160 | defaults=defaults, |
|
160 | defaults=defaults, | |
161 | encoding="UTF-8", |
|
161 | encoding="UTF-8", | |
162 | force_defaults=False |
|
162 | force_defaults=False | |
163 | ) |
|
163 | ) | |
164 | return Response(html) |
|
164 | return Response(html) | |
165 |
|
165 | |||
166 | @LoginRequired() |
|
166 | @LoginRequired() | |
167 | @HasPermissionAllDecorator('hg.admin') |
|
167 | @HasPermissionAllDecorator('hg.admin') | |
168 | @CSRFRequired() |
|
168 | @CSRFRequired() | |
169 | @view_config( |
|
169 | @view_config( | |
170 | route_name='admin_permissions_object_update', request_method='POST', |
|
170 | route_name='admin_permissions_object_update', request_method='POST', | |
171 | renderer='rhodecode:templates/admin/permissions/permissions.mako') |
|
171 | renderer='rhodecode:templates/admin/permissions/permissions.mako') | |
172 | def permissions_objects_update(self): |
|
172 | def permissions_objects_update(self): | |
173 | _ = self.request.translate |
|
173 | _ = self.request.translate | |
174 | c = self.load_default_context() |
|
174 | c = self.load_default_context() | |
175 | c.active = 'objects' |
|
175 | c.active = 'objects' | |
176 |
|
176 | |||
177 | _form = ObjectPermissionsForm( |
|
177 | _form = ObjectPermissionsForm( | |
178 | [x[0] for x in c.repo_perms_choices], |
|
178 | [x[0] for x in c.repo_perms_choices], | |
179 | [x[0] for x in c.group_perms_choices], |
|
179 | [x[0] for x in c.group_perms_choices], | |
180 | [x[0] for x in c.user_group_perms_choices])() |
|
180 | [x[0] for x in c.user_group_perms_choices])() | |
181 |
|
181 | |||
182 | try: |
|
182 | try: | |
183 | form_result = _form.to_python(dict(self.request.POST)) |
|
183 | form_result = _form.to_python(dict(self.request.POST)) | |
184 | form_result.update({'perm_user_name': User.DEFAULT_USER}) |
|
184 | form_result.update({'perm_user_name': User.DEFAULT_USER}) | |
185 | PermissionModel().update_object_permissions(form_result) |
|
185 | PermissionModel().update_object_permissions(form_result) | |
186 |
|
186 | |||
187 | Session().commit() |
|
187 | Session().commit() | |
188 | h.flash(_('Object permissions updated successfully'), |
|
188 | h.flash(_('Object permissions updated successfully'), | |
189 | category='success') |
|
189 | category='success') | |
190 |
|
190 | |||
191 | except formencode.Invalid as errors: |
|
191 | except formencode.Invalid as errors: | |
192 | defaults = errors.value |
|
192 | defaults = errors.value | |
193 |
|
193 | |||
194 | data = render( |
|
194 | data = render( | |
195 | 'rhodecode:templates/admin/permissions/permissions.mako', |
|
195 | 'rhodecode:templates/admin/permissions/permissions.mako', | |
196 | self._get_template_context(c), self.request) |
|
196 | self._get_template_context(c), self.request) | |
197 | html = formencode.htmlfill.render( |
|
197 | html = formencode.htmlfill.render( | |
198 | data, |
|
198 | data, | |
199 | defaults=defaults, |
|
199 | defaults=defaults, | |
200 | errors=errors.error_dict or {}, |
|
200 | errors=errors.error_dict or {}, | |
201 | prefix_error=False, |
|
201 | prefix_error=False, | |
202 | encoding="UTF-8", |
|
202 | encoding="UTF-8", | |
203 | force_defaults=False |
|
203 | force_defaults=False | |
204 | ) |
|
204 | ) | |
205 | return Response(html) |
|
205 | return Response(html) | |
206 | except Exception: |
|
206 | except Exception: | |
207 | log.exception("Exception during update of permissions") |
|
207 | log.exception("Exception during update of permissions") | |
208 | h.flash(_('Error occurred during update of permissions'), |
|
208 | h.flash(_('Error occurred during update of permissions'), | |
209 | category='error') |
|
209 | category='error') | |
210 |
|
210 | |||
211 | raise HTTPFound(h.route_path('admin_permissions_object')) |
|
211 | raise HTTPFound(h.route_path('admin_permissions_object')) | |
212 |
|
212 | |||
213 | @LoginRequired() |
|
213 | @LoginRequired() | |
214 | @HasPermissionAllDecorator('hg.admin') |
|
214 | @HasPermissionAllDecorator('hg.admin') | |
215 | @view_config( |
|
215 | @view_config( | |
216 | route_name='admin_permissions_global', request_method='GET', |
|
216 | route_name='admin_permissions_global', request_method='GET', | |
217 | renderer='rhodecode:templates/admin/permissions/permissions.mako') |
|
217 | renderer='rhodecode:templates/admin/permissions/permissions.mako') | |
218 | def permissions_global(self): |
|
218 | def permissions_global(self): | |
219 | c = self.load_default_context() |
|
219 | c = self.load_default_context() | |
220 | c.active = 'global' |
|
220 | c.active = 'global' | |
221 |
|
221 | |||
222 | c.user = User.get_default_user(refresh=True) |
|
222 | c.user = User.get_default_user(refresh=True) | |
223 | defaults = {} |
|
223 | defaults = {} | |
224 | defaults.update(c.user.get_default_perms()) |
|
224 | defaults.update(c.user.get_default_perms()) | |
225 |
|
225 | |||
226 | data = render( |
|
226 | data = render( | |
227 | 'rhodecode:templates/admin/permissions/permissions.mako', |
|
227 | 'rhodecode:templates/admin/permissions/permissions.mako', | |
228 | self._get_template_context(c), self.request) |
|
228 | self._get_template_context(c), self.request) | |
229 | html = formencode.htmlfill.render( |
|
229 | html = formencode.htmlfill.render( | |
230 | data, |
|
230 | data, | |
231 | defaults=defaults, |
|
231 | defaults=defaults, | |
232 | encoding="UTF-8", |
|
232 | encoding="UTF-8", | |
233 | force_defaults=False |
|
233 | force_defaults=False | |
234 | ) |
|
234 | ) | |
235 | return Response(html) |
|
235 | return Response(html) | |
236 |
|
236 | |||
237 | @LoginRequired() |
|
237 | @LoginRequired() | |
238 | @HasPermissionAllDecorator('hg.admin') |
|
238 | @HasPermissionAllDecorator('hg.admin') | |
239 | @CSRFRequired() |
|
239 | @CSRFRequired() | |
240 | @view_config( |
|
240 | @view_config( | |
241 | route_name='admin_permissions_global_update', request_method='POST', |
|
241 | route_name='admin_permissions_global_update', request_method='POST', | |
242 | renderer='rhodecode:templates/admin/permissions/permissions.mako') |
|
242 | renderer='rhodecode:templates/admin/permissions/permissions.mako') | |
243 | def permissions_global_update(self): |
|
243 | def permissions_global_update(self): | |
244 | _ = self.request.translate |
|
244 | _ = self.request.translate | |
245 | c = self.load_default_context() |
|
245 | c = self.load_default_context() | |
246 | c.active = 'global' |
|
246 | c.active = 'global' | |
247 |
|
247 | |||
248 | _form = UserPermissionsForm( |
|
248 | _form = UserPermissionsForm( | |
249 | [x[0] for x in c.repo_create_choices], |
|
249 | [x[0] for x in c.repo_create_choices], | |
250 | [x[0] for x in c.repo_create_on_write_choices], |
|
250 | [x[0] for x in c.repo_create_on_write_choices], | |
251 | [x[0] for x in c.repo_group_create_choices], |
|
251 | [x[0] for x in c.repo_group_create_choices], | |
252 | [x[0] for x in c.user_group_create_choices], |
|
252 | [x[0] for x in c.user_group_create_choices], | |
253 | [x[0] for x in c.fork_choices], |
|
253 | [x[0] for x in c.fork_choices], | |
254 | [x[0] for x in c.inherit_default_permission_choices])() |
|
254 | [x[0] for x in c.inherit_default_permission_choices])() | |
255 |
|
255 | |||
256 | try: |
|
256 | try: | |
257 | form_result = _form.to_python(dict(self.request.POST)) |
|
257 | form_result = _form.to_python(dict(self.request.POST)) | |
258 | form_result.update({'perm_user_name': User.DEFAULT_USER}) |
|
258 | form_result.update({'perm_user_name': User.DEFAULT_USER}) | |
259 | PermissionModel().update_user_permissions(form_result) |
|
259 | PermissionModel().update_user_permissions(form_result) | |
260 |
|
260 | |||
261 | Session().commit() |
|
261 | Session().commit() | |
262 | h.flash(_('Global permissions updated successfully'), |
|
262 | h.flash(_('Global permissions updated successfully'), | |
263 | category='success') |
|
263 | category='success') | |
264 |
|
264 | |||
265 | except formencode.Invalid as errors: |
|
265 | except formencode.Invalid as errors: | |
266 | defaults = errors.value |
|
266 | defaults = errors.value | |
267 |
|
267 | |||
268 | data = render( |
|
268 | data = render( | |
269 | 'rhodecode:templates/admin/permissions/permissions.mako', |
|
269 | 'rhodecode:templates/admin/permissions/permissions.mako', | |
270 | self._get_template_context(c), self.request) |
|
270 | self._get_template_context(c), self.request) | |
271 | html = formencode.htmlfill.render( |
|
271 | html = formencode.htmlfill.render( | |
272 | data, |
|
272 | data, | |
273 | defaults=defaults, |
|
273 | defaults=defaults, | |
274 | errors=errors.error_dict or {}, |
|
274 | errors=errors.error_dict or {}, | |
275 | prefix_error=False, |
|
275 | prefix_error=False, | |
276 | encoding="UTF-8", |
|
276 | encoding="UTF-8", | |
277 | force_defaults=False |
|
277 | force_defaults=False | |
278 | ) |
|
278 | ) | |
279 | return Response(html) |
|
279 | return Response(html) | |
280 | except Exception: |
|
280 | except Exception: | |
281 | log.exception("Exception during update of permissions") |
|
281 | log.exception("Exception during update of permissions") | |
282 | h.flash(_('Error occurred during update of permissions'), |
|
282 | h.flash(_('Error occurred during update of permissions'), | |
283 | category='error') |
|
283 | category='error') | |
284 |
|
284 | |||
285 | raise HTTPFound(h.route_path('admin_permissions_global')) |
|
285 | raise HTTPFound(h.route_path('admin_permissions_global')) | |
286 |
|
286 | |||
287 | @LoginRequired() |
|
287 | @LoginRequired() | |
288 | @HasPermissionAllDecorator('hg.admin') |
|
288 | @HasPermissionAllDecorator('hg.admin') | |
289 | @view_config( |
|
289 | @view_config( | |
290 | route_name='admin_permissions_ips', request_method='GET', |
|
290 | route_name='admin_permissions_ips', request_method='GET', | |
291 | renderer='rhodecode:templates/admin/permissions/permissions.mako') |
|
291 | renderer='rhodecode:templates/admin/permissions/permissions.mako') | |
292 | def permissions_ips(self): |
|
292 | def permissions_ips(self): | |
293 | c = self.load_default_context() |
|
293 | c = self.load_default_context() | |
294 | c.active = 'ips' |
|
294 | c.active = 'ips' | |
295 |
|
295 | |||
296 | c.user = User.get_default_user(refresh=True) |
|
296 | c.user = User.get_default_user(refresh=True) | |
297 | c.user_ip_map = ( |
|
297 | c.user_ip_map = ( | |
298 | UserIpMap.query().filter(UserIpMap.user == c.user).all()) |
|
298 | UserIpMap.query().filter(UserIpMap.user == c.user).all()) | |
299 |
|
299 | |||
300 | return self._get_template_context(c) |
|
300 | return self._get_template_context(c) | |
301 |
|
301 | |||
302 | @LoginRequired() |
|
302 | @LoginRequired() | |
303 | @HasPermissionAllDecorator('hg.admin') |
|
303 | @HasPermissionAllDecorator('hg.admin') | |
304 | @view_config( |
|
304 | @view_config( | |
305 | route_name='admin_permissions_overview', request_method='GET', |
|
305 | route_name='admin_permissions_overview', request_method='GET', | |
306 | renderer='rhodecode:templates/admin/permissions/permissions.mako') |
|
306 | renderer='rhodecode:templates/admin/permissions/permissions.mako') | |
307 | def permissions_overview(self): |
|
307 | def permissions_overview(self): | |
308 | c = self.load_default_context() |
|
308 | c = self.load_default_context() | |
309 | c.active = 'perms' |
|
309 | c.active = 'perms' | |
310 |
|
310 | |||
311 | c.user = User.get_default_user(refresh=True) |
|
311 | c.user = User.get_default_user(refresh=True) | |
312 | c.perm_user = c.user.AuthUser |
|
312 | c.perm_user = c.user.AuthUser() | |
313 | return self._get_template_context(c) |
|
313 | return self._get_template_context(c) | |
314 |
|
314 | |||
315 | @LoginRequired() |
|
315 | @LoginRequired() | |
316 | @HasPermissionAllDecorator('hg.admin') |
|
316 | @HasPermissionAllDecorator('hg.admin') | |
317 | @view_config( |
|
317 | @view_config( | |
318 | route_name='admin_permissions_auth_token_access', request_method='GET', |
|
318 | route_name='admin_permissions_auth_token_access', request_method='GET', | |
319 | renderer='rhodecode:templates/admin/permissions/permissions.mako') |
|
319 | renderer='rhodecode:templates/admin/permissions/permissions.mako') | |
320 | def auth_token_access(self): |
|
320 | def auth_token_access(self): | |
321 | from rhodecode import CONFIG |
|
321 | from rhodecode import CONFIG | |
322 |
|
322 | |||
323 | c = self.load_default_context() |
|
323 | c = self.load_default_context() | |
324 | c.active = 'auth_token_access' |
|
324 | c.active = 'auth_token_access' | |
325 |
|
325 | |||
326 | c.user = User.get_default_user(refresh=True) |
|
326 | c.user = User.get_default_user(refresh=True) | |
327 | c.perm_user = c.user.AuthUser |
|
327 | c.perm_user = c.user.AuthUser() | |
328 |
|
328 | |||
329 | mapper = self.request.registry.queryUtility(IRoutesMapper) |
|
329 | mapper = self.request.registry.queryUtility(IRoutesMapper) | |
330 | c.view_data = [] |
|
330 | c.view_data = [] | |
331 |
|
331 | |||
332 | _argument_prog = re.compile('\{(.*?)\}|:\((.*)\)') |
|
332 | _argument_prog = re.compile('\{(.*?)\}|:\((.*)\)') | |
333 | introspector = self.request.registry.introspector |
|
333 | introspector = self.request.registry.introspector | |
334 |
|
334 | |||
335 | view_intr = {} |
|
335 | view_intr = {} | |
336 | for view_data in introspector.get_category('views'): |
|
336 | for view_data in introspector.get_category('views'): | |
337 | intr = view_data['introspectable'] |
|
337 | intr = view_data['introspectable'] | |
338 |
|
338 | |||
339 | if 'route_name' in intr and intr['attr']: |
|
339 | if 'route_name' in intr and intr['attr']: | |
340 | view_intr[intr['route_name']] = '{}:{}'.format( |
|
340 | view_intr[intr['route_name']] = '{}:{}'.format( | |
341 | str(intr['derived_callable'].func_name), intr['attr'] |
|
341 | str(intr['derived_callable'].func_name), intr['attr'] | |
342 | ) |
|
342 | ) | |
343 |
|
343 | |||
344 | c.whitelist_key = 'api_access_controllers_whitelist' |
|
344 | c.whitelist_key = 'api_access_controllers_whitelist' | |
345 | c.whitelist_file = CONFIG.get('__file__') |
|
345 | c.whitelist_file = CONFIG.get('__file__') | |
346 | whitelist_views = aslist( |
|
346 | whitelist_views = aslist( | |
347 | CONFIG.get(c.whitelist_key), sep=',') |
|
347 | CONFIG.get(c.whitelist_key), sep=',') | |
348 |
|
348 | |||
349 | for route_info in mapper.get_routes(): |
|
349 | for route_info in mapper.get_routes(): | |
350 | if not route_info.name.startswith('__'): |
|
350 | if not route_info.name.startswith('__'): | |
351 | routepath = route_info.pattern |
|
351 | routepath = route_info.pattern | |
352 |
|
352 | |||
353 | def replace(matchobj): |
|
353 | def replace(matchobj): | |
354 | if matchobj.group(1): |
|
354 | if matchobj.group(1): | |
355 | return "{%s}" % matchobj.group(1).split(':')[0] |
|
355 | return "{%s}" % matchobj.group(1).split(':')[0] | |
356 | else: |
|
356 | else: | |
357 | return "{%s}" % matchobj.group(2) |
|
357 | return "{%s}" % matchobj.group(2) | |
358 |
|
358 | |||
359 | routepath = _argument_prog.sub(replace, routepath) |
|
359 | routepath = _argument_prog.sub(replace, routepath) | |
360 |
|
360 | |||
361 | if not routepath.startswith('/'): |
|
361 | if not routepath.startswith('/'): | |
362 | routepath = '/' + routepath |
|
362 | routepath = '/' + routepath | |
363 |
|
363 | |||
364 | view_fqn = view_intr.get(route_info.name, 'NOT AVAILABLE') |
|
364 | view_fqn = view_intr.get(route_info.name, 'NOT AVAILABLE') | |
365 | active = view_fqn in whitelist_views |
|
365 | active = view_fqn in whitelist_views | |
366 | c.view_data.append((route_info.name, view_fqn, routepath, active)) |
|
366 | c.view_data.append((route_info.name, view_fqn, routepath, active)) | |
367 |
|
367 | |||
368 | c.whitelist_views = whitelist_views |
|
368 | c.whitelist_views = whitelist_views | |
369 | return self._get_template_context(c) |
|
369 | return self._get_template_context(c) |
@@ -1,133 +1,133 b'' | |||||
1 | # -*- coding: utf-8 -*- |
|
1 | # -*- coding: utf-8 -*- | |
2 |
|
2 | |||
3 | # Copyright (C) 2016-2017 RhodeCode GmbH |
|
3 | # Copyright (C) 2016-2017 RhodeCode GmbH | |
4 | # |
|
4 | # | |
5 | # This program is free software: you can redistribute it and/or modify |
|
5 | # This program is free software: you can redistribute it and/or modify | |
6 | # it under the terms of the GNU Affero General Public License, version 3 |
|
6 | # it under the terms of the GNU Affero General Public License, version 3 | |
7 | # (only), as published by the Free Software Foundation. |
|
7 | # (only), as published by the Free Software Foundation. | |
8 | # |
|
8 | # | |
9 | # This program is distributed in the hope that it will be useful, |
|
9 | # This program is distributed in the hope that it will be useful, | |
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of |
|
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of | |
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the |
|
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |
12 | # GNU General Public License for more details. |
|
12 | # GNU General Public License for more details. | |
13 | # |
|
13 | # | |
14 | # You should have received a copy of the GNU Affero General Public License |
|
14 | # You should have received a copy of the GNU Affero General Public License | |
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. |
|
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. | |
16 | # |
|
16 | # | |
17 | # This program is dual-licensed. If you wish to learn more about the |
|
17 | # This program is dual-licensed. If you wish to learn more about the | |
18 | # RhodeCode Enterprise Edition, including its added features, Support services, |
|
18 | # RhodeCode Enterprise Edition, including its added features, Support services, | |
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ |
|
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |
20 |
|
20 | |||
21 |
|
21 | |||
22 | import mock |
|
22 | import mock | |
23 | import pytest |
|
23 | import pytest | |
24 |
|
24 | |||
25 | from rhodecode.apps.login.views import LoginView, CaptchaData |
|
25 | from rhodecode.apps.login.views import LoginView, CaptchaData | |
26 | from rhodecode.config.routing import ADMIN_PREFIX |
|
26 | from rhodecode.config.routing import ADMIN_PREFIX | |
27 | from rhodecode.lib.utils2 import AttributeDict |
|
27 | from rhodecode.lib.utils2 import AttributeDict | |
28 | from rhodecode.model.settings import SettingsModel |
|
28 | from rhodecode.model.settings import SettingsModel | |
29 | from rhodecode.tests.utils import AssertResponse |
|
29 | from rhodecode.tests.utils import AssertResponse | |
30 |
|
30 | |||
31 |
|
31 | |||
32 | class RhodeCodeSetting(object): |
|
32 | class RhodeCodeSetting(object): | |
33 | def __init__(self, name, value): |
|
33 | def __init__(self, name, value): | |
34 | self.name = name |
|
34 | self.name = name | |
35 | self.value = value |
|
35 | self.value = value | |
36 |
|
36 | |||
37 | def __enter__(self): |
|
37 | def __enter__(self): | |
38 | from rhodecode.model.settings import SettingsModel |
|
38 | from rhodecode.model.settings import SettingsModel | |
39 | model = SettingsModel() |
|
39 | model = SettingsModel() | |
40 | self.old_setting = model.get_setting_by_name(self.name) |
|
40 | self.old_setting = model.get_setting_by_name(self.name) | |
41 | model.create_or_update_setting(name=self.name, val=self.value) |
|
41 | model.create_or_update_setting(name=self.name, val=self.value) | |
42 | return self |
|
42 | return self | |
43 |
|
43 | |||
44 | def __exit__(self, exc_type, exc_val, exc_tb): |
|
44 | def __exit__(self, exc_type, exc_val, exc_tb): | |
45 | model = SettingsModel() |
|
45 | model = SettingsModel() | |
46 | if self.old_setting: |
|
46 | if self.old_setting: | |
47 | model.create_or_update_setting( |
|
47 | model.create_or_update_setting( | |
48 | name=self.name, val=self.old_setting.app_settings_value) |
|
48 | name=self.name, val=self.old_setting.app_settings_value) | |
49 | else: |
|
49 | else: | |
50 | model.create_or_update_setting(name=self.name) |
|
50 | model.create_or_update_setting(name=self.name) | |
51 |
|
51 | |||
52 |
|
52 | |||
53 | class TestRegisterCaptcha(object): |
|
53 | class TestRegisterCaptcha(object): | |
54 |
|
54 | |||
55 | @pytest.mark.parametrize('private_key, public_key, expected', [ |
|
55 | @pytest.mark.parametrize('private_key, public_key, expected', [ | |
56 | ('', '', CaptchaData(False, '', '')), |
|
56 | ('', '', CaptchaData(False, '', '')), | |
57 | ('', 'pubkey', CaptchaData(False, '', 'pubkey')), |
|
57 | ('', 'pubkey', CaptchaData(False, '', 'pubkey')), | |
58 | ('privkey', '', CaptchaData(True, 'privkey', '')), |
|
58 | ('privkey', '', CaptchaData(True, 'privkey', '')), | |
59 | ('privkey', 'pubkey', CaptchaData(True, 'privkey', 'pubkey')), |
|
59 | ('privkey', 'pubkey', CaptchaData(True, 'privkey', 'pubkey')), | |
60 | ]) |
|
60 | ]) | |
61 | def test_get_captcha_data(self, private_key, public_key, expected, db, |
|
61 | def test_get_captcha_data(self, private_key, public_key, expected, db, | |
62 | request_stub, user_util): |
|
62 | request_stub, user_util): | |
63 | request_stub.user = user_util.create_user().AuthUser |
|
63 | request_stub.user = user_util.create_user().AuthUser() | |
64 | request_stub.matched_route = AttributeDict({'name': 'login'}) |
|
64 | request_stub.matched_route = AttributeDict({'name': 'login'}) | |
65 | login_view = LoginView(mock.Mock(), request_stub) |
|
65 | login_view = LoginView(mock.Mock(), request_stub) | |
66 |
|
66 | |||
67 | with RhodeCodeSetting('captcha_private_key', private_key): |
|
67 | with RhodeCodeSetting('captcha_private_key', private_key): | |
68 | with RhodeCodeSetting('captcha_public_key', public_key): |
|
68 | with RhodeCodeSetting('captcha_public_key', public_key): | |
69 | captcha = login_view._get_captcha_data() |
|
69 | captcha = login_view._get_captcha_data() | |
70 | assert captcha == expected |
|
70 | assert captcha == expected | |
71 |
|
71 | |||
72 | @pytest.mark.parametrize('active', [False, True]) |
|
72 | @pytest.mark.parametrize('active', [False, True]) | |
73 | @mock.patch.object(LoginView, '_get_captcha_data') |
|
73 | @mock.patch.object(LoginView, '_get_captcha_data') | |
74 | def test_private_key_does_not_leak_to_html( |
|
74 | def test_private_key_does_not_leak_to_html( | |
75 | self, m_get_captcha_data, active, app): |
|
75 | self, m_get_captcha_data, active, app): | |
76 | captcha = CaptchaData( |
|
76 | captcha = CaptchaData( | |
77 | active=active, private_key='PRIVATE_KEY', public_key='PUBLIC_KEY') |
|
77 | active=active, private_key='PRIVATE_KEY', public_key='PUBLIC_KEY') | |
78 | m_get_captcha_data.return_value = captcha |
|
78 | m_get_captcha_data.return_value = captcha | |
79 |
|
79 | |||
80 | response = app.get(ADMIN_PREFIX + '/register') |
|
80 | response = app.get(ADMIN_PREFIX + '/register') | |
81 | assert 'PRIVATE_KEY' not in response |
|
81 | assert 'PRIVATE_KEY' not in response | |
82 |
|
82 | |||
83 | @pytest.mark.parametrize('active', [False, True]) |
|
83 | @pytest.mark.parametrize('active', [False, True]) | |
84 | @mock.patch.object(LoginView, '_get_captcha_data') |
|
84 | @mock.patch.object(LoginView, '_get_captcha_data') | |
85 | def test_register_view_renders_captcha( |
|
85 | def test_register_view_renders_captcha( | |
86 | self, m_get_captcha_data, active, app): |
|
86 | self, m_get_captcha_data, active, app): | |
87 | captcha = CaptchaData( |
|
87 | captcha = CaptchaData( | |
88 | active=active, private_key='PRIVATE_KEY', public_key='PUBLIC_KEY') |
|
88 | active=active, private_key='PRIVATE_KEY', public_key='PUBLIC_KEY') | |
89 | m_get_captcha_data.return_value = captcha |
|
89 | m_get_captcha_data.return_value = captcha | |
90 |
|
90 | |||
91 | response = app.get(ADMIN_PREFIX + '/register') |
|
91 | response = app.get(ADMIN_PREFIX + '/register') | |
92 |
|
92 | |||
93 | assertr = AssertResponse(response) |
|
93 | assertr = AssertResponse(response) | |
94 | if active: |
|
94 | if active: | |
95 | assertr.one_element_exists('#recaptcha_field') |
|
95 | assertr.one_element_exists('#recaptcha_field') | |
96 | else: |
|
96 | else: | |
97 | assertr.no_element_exists('#recaptcha_field') |
|
97 | assertr.no_element_exists('#recaptcha_field') | |
98 |
|
98 | |||
99 | @pytest.mark.parametrize('valid', [False, True]) |
|
99 | @pytest.mark.parametrize('valid', [False, True]) | |
100 | @mock.patch('rhodecode.apps.login.views.submit') |
|
100 | @mock.patch('rhodecode.apps.login.views.submit') | |
101 | @mock.patch.object(LoginView, '_get_captcha_data') |
|
101 | @mock.patch.object(LoginView, '_get_captcha_data') | |
102 | def test_register_with_active_captcha( |
|
102 | def test_register_with_active_captcha( | |
103 | self, m_get_captcha_data, m_submit, valid, app, csrf_token): |
|
103 | self, m_get_captcha_data, m_submit, valid, app, csrf_token): | |
104 | captcha = CaptchaData( |
|
104 | captcha = CaptchaData( | |
105 | active=True, private_key='PRIVATE_KEY', public_key='PUBLIC_KEY') |
|
105 | active=True, private_key='PRIVATE_KEY', public_key='PUBLIC_KEY') | |
106 | m_get_captcha_data.return_value = captcha |
|
106 | m_get_captcha_data.return_value = captcha | |
107 | m_response = mock.Mock() |
|
107 | m_response = mock.Mock() | |
108 | m_response.is_valid = valid |
|
108 | m_response.is_valid = valid | |
109 | m_submit.return_value = m_response |
|
109 | m_submit.return_value = m_response | |
110 |
|
110 | |||
111 | params = { |
|
111 | params = { | |
112 | 'csrf_token': csrf_token, |
|
112 | 'csrf_token': csrf_token, | |
113 | 'email': 'pytest@example.com', |
|
113 | 'email': 'pytest@example.com', | |
114 | 'firstname': 'pytest-firstname', |
|
114 | 'firstname': 'pytest-firstname', | |
115 | 'lastname': 'pytest-lastname', |
|
115 | 'lastname': 'pytest-lastname', | |
116 | 'password': 'secret', |
|
116 | 'password': 'secret', | |
117 | 'password_confirmation': 'secret', |
|
117 | 'password_confirmation': 'secret', | |
118 | 'username': 'pytest', |
|
118 | 'username': 'pytest', | |
119 | } |
|
119 | } | |
120 | response = app.post(ADMIN_PREFIX + '/register', params=params) |
|
120 | response = app.post(ADMIN_PREFIX + '/register', params=params) | |
121 |
|
121 | |||
122 | if valid: |
|
122 | if valid: | |
123 | # If we provided a valid captcha input we expect a successful |
|
123 | # If we provided a valid captcha input we expect a successful | |
124 | # registration and redirect to the login page. |
|
124 | # registration and redirect to the login page. | |
125 | assert response.status_int == 302 |
|
125 | assert response.status_int == 302 | |
126 | assert 'location' in response.headers |
|
126 | assert 'location' in response.headers | |
127 | assert ADMIN_PREFIX + '/login' in response.headers['location'] |
|
127 | assert ADMIN_PREFIX + '/login' in response.headers['location'] | |
128 | else: |
|
128 | else: | |
129 | # If captche input is invalid we expect to stay on the registration |
|
129 | # If captche input is invalid we expect to stay on the registration | |
130 | # page with an error message displayed. |
|
130 | # page with an error message displayed. | |
131 | assertr = AssertResponse(response) |
|
131 | assertr = AssertResponse(response) | |
132 | assert response.status_int == 200 |
|
132 | assert response.status_int == 200 | |
133 | assertr.one_element_exists('#recaptcha_field ~ span.error-message') |
|
133 | assertr.one_element_exists('#recaptcha_field ~ span.error-message') |
@@ -1,425 +1,425 b'' | |||||
1 | # -*- coding: utf-8 -*- |
|
1 | # -*- coding: utf-8 -*- | |
2 |
|
2 | |||
3 | # Copyright (C) 2016-2017 RhodeCode GmbH |
|
3 | # Copyright (C) 2016-2017 RhodeCode GmbH | |
4 | # |
|
4 | # | |
5 | # This program is free software: you can redistribute it and/or modify |
|
5 | # This program is free software: you can redistribute it and/or modify | |
6 | # it under the terms of the GNU Affero General Public License, version 3 |
|
6 | # it under the terms of the GNU Affero General Public License, version 3 | |
7 | # (only), as published by the Free Software Foundation. |
|
7 | # (only), as published by the Free Software Foundation. | |
8 | # |
|
8 | # | |
9 | # This program is distributed in the hope that it will be useful, |
|
9 | # This program is distributed in the hope that it will be useful, | |
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of |
|
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of | |
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the |
|
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |
12 | # GNU General Public License for more details. |
|
12 | # GNU General Public License for more details. | |
13 | # |
|
13 | # | |
14 | # You should have received a copy of the GNU Affero General Public License |
|
14 | # You should have received a copy of the GNU Affero General Public License | |
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. |
|
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. | |
16 | # |
|
16 | # | |
17 | # This program is dual-licensed. If you wish to learn more about the |
|
17 | # This program is dual-licensed. If you wish to learn more about the | |
18 | # RhodeCode Enterprise Edition, including its added features, Support services, |
|
18 | # RhodeCode Enterprise Edition, including its added features, Support services, | |
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ |
|
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |
20 |
|
20 | |||
21 | import time |
|
21 | import time | |
22 | import collections |
|
22 | import collections | |
23 | import datetime |
|
23 | import datetime | |
24 | import formencode |
|
24 | import formencode | |
25 | import logging |
|
25 | import logging | |
26 | import urlparse |
|
26 | import urlparse | |
27 |
|
27 | |||
28 | from pyramid.httpexceptions import HTTPFound |
|
28 | from pyramid.httpexceptions import HTTPFound | |
29 | from pyramid.view import view_config |
|
29 | from pyramid.view import view_config | |
30 | from recaptcha.client.captcha import submit |
|
30 | from recaptcha.client.captcha import submit | |
31 |
|
31 | |||
32 | from rhodecode.apps._base import BaseAppView |
|
32 | from rhodecode.apps._base import BaseAppView | |
33 | from rhodecode.authentication.base import authenticate, HTTP_TYPE |
|
33 | from rhodecode.authentication.base import authenticate, HTTP_TYPE | |
34 | from rhodecode.events import UserRegistered |
|
34 | from rhodecode.events import UserRegistered | |
35 | from rhodecode.lib import helpers as h |
|
35 | from rhodecode.lib import helpers as h | |
36 | from rhodecode.lib import audit_logger |
|
36 | from rhodecode.lib import audit_logger | |
37 | from rhodecode.lib.auth import ( |
|
37 | from rhodecode.lib.auth import ( | |
38 | AuthUser, HasPermissionAnyDecorator, CSRFRequired) |
|
38 | AuthUser, HasPermissionAnyDecorator, CSRFRequired) | |
39 | from rhodecode.lib.base import get_ip_addr |
|
39 | from rhodecode.lib.base import get_ip_addr | |
40 | from rhodecode.lib.exceptions import UserCreationError |
|
40 | from rhodecode.lib.exceptions import UserCreationError | |
41 | from rhodecode.lib.utils2 import safe_str |
|
41 | from rhodecode.lib.utils2 import safe_str | |
42 | from rhodecode.model.db import User, UserApiKeys |
|
42 | from rhodecode.model.db import User, UserApiKeys | |
43 | from rhodecode.model.forms import LoginForm, RegisterForm, PasswordResetForm |
|
43 | from rhodecode.model.forms import LoginForm, RegisterForm, PasswordResetForm | |
44 | from rhodecode.model.meta import Session |
|
44 | from rhodecode.model.meta import Session | |
45 | from rhodecode.model.auth_token import AuthTokenModel |
|
45 | from rhodecode.model.auth_token import AuthTokenModel | |
46 | from rhodecode.model.settings import SettingsModel |
|
46 | from rhodecode.model.settings import SettingsModel | |
47 | from rhodecode.model.user import UserModel |
|
47 | from rhodecode.model.user import UserModel | |
48 | from rhodecode.translation import _ |
|
48 | from rhodecode.translation import _ | |
49 |
|
49 | |||
50 |
|
50 | |||
51 | log = logging.getLogger(__name__) |
|
51 | log = logging.getLogger(__name__) | |
52 |
|
52 | |||
53 | CaptchaData = collections.namedtuple( |
|
53 | CaptchaData = collections.namedtuple( | |
54 | 'CaptchaData', 'active, private_key, public_key') |
|
54 | 'CaptchaData', 'active, private_key, public_key') | |
55 |
|
55 | |||
56 |
|
56 | |||
57 | def _store_user_in_session(session, username, remember=False): |
|
57 | def _store_user_in_session(session, username, remember=False): | |
58 | user = User.get_by_username(username, case_insensitive=True) |
|
58 | user = User.get_by_username(username, case_insensitive=True) | |
59 | auth_user = AuthUser(user.user_id) |
|
59 | auth_user = AuthUser(user.user_id) | |
60 | auth_user.set_authenticated() |
|
60 | auth_user.set_authenticated() | |
61 | cs = auth_user.get_cookie_store() |
|
61 | cs = auth_user.get_cookie_store() | |
62 | session['rhodecode_user'] = cs |
|
62 | session['rhodecode_user'] = cs | |
63 | user.update_lastlogin() |
|
63 | user.update_lastlogin() | |
64 | Session().commit() |
|
64 | Session().commit() | |
65 |
|
65 | |||
66 | # If they want to be remembered, update the cookie |
|
66 | # If they want to be remembered, update the cookie | |
67 | if remember: |
|
67 | if remember: | |
68 | _year = (datetime.datetime.now() + |
|
68 | _year = (datetime.datetime.now() + | |
69 | datetime.timedelta(seconds=60 * 60 * 24 * 365)) |
|
69 | datetime.timedelta(seconds=60 * 60 * 24 * 365)) | |
70 | session._set_cookie_expires(_year) |
|
70 | session._set_cookie_expires(_year) | |
71 |
|
71 | |||
72 | session.save() |
|
72 | session.save() | |
73 |
|
73 | |||
74 | safe_cs = cs.copy() |
|
74 | safe_cs = cs.copy() | |
75 | safe_cs['password'] = '****' |
|
75 | safe_cs['password'] = '****' | |
76 | log.info('user %s is now authenticated and stored in ' |
|
76 | log.info('user %s is now authenticated and stored in ' | |
77 | 'session, session attrs %s', username, safe_cs) |
|
77 | 'session, session attrs %s', username, safe_cs) | |
78 |
|
78 | |||
79 | # dumps session attrs back to cookie |
|
79 | # dumps session attrs back to cookie | |
80 | session._update_cookie_out() |
|
80 | session._update_cookie_out() | |
81 | # we set new cookie |
|
81 | # we set new cookie | |
82 | headers = None |
|
82 | headers = None | |
83 | if session.request['set_cookie']: |
|
83 | if session.request['set_cookie']: | |
84 | # send set-cookie headers back to response to update cookie |
|
84 | # send set-cookie headers back to response to update cookie | |
85 | headers = [('Set-Cookie', session.request['cookie_out'])] |
|
85 | headers = [('Set-Cookie', session.request['cookie_out'])] | |
86 | return headers |
|
86 | return headers | |
87 |
|
87 | |||
88 |
|
88 | |||
89 | def get_came_from(request): |
|
89 | def get_came_from(request): | |
90 | came_from = safe_str(request.GET.get('came_from', '')) |
|
90 | came_from = safe_str(request.GET.get('came_from', '')) | |
91 | parsed = urlparse.urlparse(came_from) |
|
91 | parsed = urlparse.urlparse(came_from) | |
92 | allowed_schemes = ['http', 'https'] |
|
92 | allowed_schemes = ['http', 'https'] | |
93 | default_came_from = h.route_path('home') |
|
93 | default_came_from = h.route_path('home') | |
94 | if parsed.scheme and parsed.scheme not in allowed_schemes: |
|
94 | if parsed.scheme and parsed.scheme not in allowed_schemes: | |
95 | log.error('Suspicious URL scheme detected %s for url %s' % |
|
95 | log.error('Suspicious URL scheme detected %s for url %s' % | |
96 | (parsed.scheme, parsed)) |
|
96 | (parsed.scheme, parsed)) | |
97 | came_from = default_came_from |
|
97 | came_from = default_came_from | |
98 | elif parsed.netloc and request.host != parsed.netloc: |
|
98 | elif parsed.netloc and request.host != parsed.netloc: | |
99 | log.error('Suspicious NETLOC detected %s for url %s server url ' |
|
99 | log.error('Suspicious NETLOC detected %s for url %s server url ' | |
100 | 'is: %s' % (parsed.netloc, parsed, request.host)) |
|
100 | 'is: %s' % (parsed.netloc, parsed, request.host)) | |
101 | came_from = default_came_from |
|
101 | came_from = default_came_from | |
102 | elif any(bad_str in parsed.path for bad_str in ('\r', '\n')): |
|
102 | elif any(bad_str in parsed.path for bad_str in ('\r', '\n')): | |
103 | log.error('Header injection detected `%s` for url %s server url ' % |
|
103 | log.error('Header injection detected `%s` for url %s server url ' % | |
104 | (parsed.path, parsed)) |
|
104 | (parsed.path, parsed)) | |
105 | came_from = default_came_from |
|
105 | came_from = default_came_from | |
106 |
|
106 | |||
107 | return came_from or default_came_from |
|
107 | return came_from or default_came_from | |
108 |
|
108 | |||
109 |
|
109 | |||
110 | class LoginView(BaseAppView): |
|
110 | class LoginView(BaseAppView): | |
111 |
|
111 | |||
112 | def load_default_context(self): |
|
112 | def load_default_context(self): | |
113 | c = self._get_local_tmpl_context() |
|
113 | c = self._get_local_tmpl_context() | |
114 | c.came_from = get_came_from(self.request) |
|
114 | c.came_from = get_came_from(self.request) | |
115 | self._register_global_c(c) |
|
115 | self._register_global_c(c) | |
116 | return c |
|
116 | return c | |
117 |
|
117 | |||
118 | def _get_captcha_data(self): |
|
118 | def _get_captcha_data(self): | |
119 | settings = SettingsModel().get_all_settings() |
|
119 | settings = SettingsModel().get_all_settings() | |
120 | private_key = settings.get('rhodecode_captcha_private_key') |
|
120 | private_key = settings.get('rhodecode_captcha_private_key') | |
121 | public_key = settings.get('rhodecode_captcha_public_key') |
|
121 | public_key = settings.get('rhodecode_captcha_public_key') | |
122 | active = bool(private_key) |
|
122 | active = bool(private_key) | |
123 | return CaptchaData( |
|
123 | return CaptchaData( | |
124 | active=active, private_key=private_key, public_key=public_key) |
|
124 | active=active, private_key=private_key, public_key=public_key) | |
125 |
|
125 | |||
126 | @view_config( |
|
126 | @view_config( | |
127 | route_name='login', request_method='GET', |
|
127 | route_name='login', request_method='GET', | |
128 | renderer='rhodecode:templates/login.mako') |
|
128 | renderer='rhodecode:templates/login.mako') | |
129 | def login(self): |
|
129 | def login(self): | |
130 | c = self.load_default_context() |
|
130 | c = self.load_default_context() | |
131 | auth_user = self._rhodecode_user |
|
131 | auth_user = self._rhodecode_user | |
132 |
|
132 | |||
133 | # redirect if already logged in |
|
133 | # redirect if already logged in | |
134 | if (auth_user.is_authenticated and |
|
134 | if (auth_user.is_authenticated and | |
135 | not auth_user.is_default and auth_user.ip_allowed): |
|
135 | not auth_user.is_default and auth_user.ip_allowed): | |
136 | raise HTTPFound(c.came_from) |
|
136 | raise HTTPFound(c.came_from) | |
137 |
|
137 | |||
138 | # check if we use headers plugin, and try to login using it. |
|
138 | # check if we use headers plugin, and try to login using it. | |
139 | try: |
|
139 | try: | |
140 | log.debug('Running PRE-AUTH for headers based authentication') |
|
140 | log.debug('Running PRE-AUTH for headers based authentication') | |
141 | auth_info = authenticate( |
|
141 | auth_info = authenticate( | |
142 | '', '', self.request.environ, HTTP_TYPE, skip_missing=True) |
|
142 | '', '', self.request.environ, HTTP_TYPE, skip_missing=True) | |
143 | if auth_info: |
|
143 | if auth_info: | |
144 | headers = _store_user_in_session( |
|
144 | headers = _store_user_in_session( | |
145 | self.session, auth_info.get('username')) |
|
145 | self.session, auth_info.get('username')) | |
146 | raise HTTPFound(c.came_from, headers=headers) |
|
146 | raise HTTPFound(c.came_from, headers=headers) | |
147 | except UserCreationError as e: |
|
147 | except UserCreationError as e: | |
148 | log.error(e) |
|
148 | log.error(e) | |
149 | self.session.flash(e, queue='error') |
|
149 | self.session.flash(e, queue='error') | |
150 |
|
150 | |||
151 | return self._get_template_context(c) |
|
151 | return self._get_template_context(c) | |
152 |
|
152 | |||
153 | @view_config( |
|
153 | @view_config( | |
154 | route_name='login', request_method='POST', |
|
154 | route_name='login', request_method='POST', | |
155 | renderer='rhodecode:templates/login.mako') |
|
155 | renderer='rhodecode:templates/login.mako') | |
156 | def login_post(self): |
|
156 | def login_post(self): | |
157 | c = self.load_default_context() |
|
157 | c = self.load_default_context() | |
158 |
|
158 | |||
159 | login_form = LoginForm()() |
|
159 | login_form = LoginForm()() | |
160 |
|
160 | |||
161 | try: |
|
161 | try: | |
162 | self.session.invalidate() |
|
162 | self.session.invalidate() | |
163 | form_result = login_form.to_python(self.request.params) |
|
163 | form_result = login_form.to_python(self.request.params) | |
164 | # form checks for username/password, now we're authenticated |
|
164 | # form checks for username/password, now we're authenticated | |
165 | headers = _store_user_in_session( |
|
165 | headers = _store_user_in_session( | |
166 | self.session, |
|
166 | self.session, | |
167 | username=form_result['username'], |
|
167 | username=form_result['username'], | |
168 | remember=form_result['remember']) |
|
168 | remember=form_result['remember']) | |
169 | log.debug('Redirecting to "%s" after login.', c.came_from) |
|
169 | log.debug('Redirecting to "%s" after login.', c.came_from) | |
170 |
|
170 | |||
171 | audit_user = audit_logger.UserWrap( |
|
171 | audit_user = audit_logger.UserWrap( | |
172 | username=self.request.params.get('username'), |
|
172 | username=self.request.params.get('username'), | |
173 | ip_addr=self.request.remote_addr) |
|
173 | ip_addr=self.request.remote_addr) | |
174 | action_data = {'user_agent': self.request.user_agent} |
|
174 | action_data = {'user_agent': self.request.user_agent} | |
175 | audit_logger.store_web( |
|
175 | audit_logger.store_web( | |
176 | 'user.login.success', action_data=action_data, |
|
176 | 'user.login.success', action_data=action_data, | |
177 | user=audit_user, commit=True) |
|
177 | user=audit_user, commit=True) | |
178 |
|
178 | |||
179 | raise HTTPFound(c.came_from, headers=headers) |
|
179 | raise HTTPFound(c.came_from, headers=headers) | |
180 | except formencode.Invalid as errors: |
|
180 | except formencode.Invalid as errors: | |
181 | defaults = errors.value |
|
181 | defaults = errors.value | |
182 | # remove password from filling in form again |
|
182 | # remove password from filling in form again | |
183 | defaults.pop('password', None) |
|
183 | defaults.pop('password', None) | |
184 | render_ctx = self._get_template_context(c) |
|
184 | render_ctx = self._get_template_context(c) | |
185 | render_ctx.update({ |
|
185 | render_ctx.update({ | |
186 | 'errors': errors.error_dict, |
|
186 | 'errors': errors.error_dict, | |
187 | 'defaults': defaults, |
|
187 | 'defaults': defaults, | |
188 | }) |
|
188 | }) | |
189 |
|
189 | |||
190 | audit_user = audit_logger.UserWrap( |
|
190 | audit_user = audit_logger.UserWrap( | |
191 | username=self.request.params.get('username'), |
|
191 | username=self.request.params.get('username'), | |
192 | ip_addr=self.request.remote_addr) |
|
192 | ip_addr=self.request.remote_addr) | |
193 | action_data = {'user_agent': self.request.user_agent} |
|
193 | action_data = {'user_agent': self.request.user_agent} | |
194 | audit_logger.store_web( |
|
194 | audit_logger.store_web( | |
195 | 'user.login.failure', action_data=action_data, |
|
195 | 'user.login.failure', action_data=action_data, | |
196 | user=audit_user, commit=True) |
|
196 | user=audit_user, commit=True) | |
197 | return render_ctx |
|
197 | return render_ctx | |
198 |
|
198 | |||
199 | except UserCreationError as e: |
|
199 | except UserCreationError as e: | |
200 | # headers auth or other auth functions that create users on |
|
200 | # headers auth or other auth functions that create users on | |
201 | # the fly can throw this exception signaling that there's issue |
|
201 | # the fly can throw this exception signaling that there's issue | |
202 | # with user creation, explanation should be provided in |
|
202 | # with user creation, explanation should be provided in | |
203 | # Exception itself |
|
203 | # Exception itself | |
204 | self.session.flash(e, queue='error') |
|
204 | self.session.flash(e, queue='error') | |
205 | return self._get_template_context(c) |
|
205 | return self._get_template_context(c) | |
206 |
|
206 | |||
207 | @CSRFRequired() |
|
207 | @CSRFRequired() | |
208 | @view_config(route_name='logout', request_method='POST') |
|
208 | @view_config(route_name='logout', request_method='POST') | |
209 | def logout(self): |
|
209 | def logout(self): | |
210 | auth_user = self._rhodecode_user |
|
210 | auth_user = self._rhodecode_user | |
211 | log.info('Deleting session for user: `%s`', auth_user) |
|
211 | log.info('Deleting session for user: `%s`', auth_user) | |
212 |
|
212 | |||
213 | action_data = {'user_agent': self.request.user_agent} |
|
213 | action_data = {'user_agent': self.request.user_agent} | |
214 | audit_logger.store_web( |
|
214 | audit_logger.store_web( | |
215 | 'user.logout', action_data=action_data, |
|
215 | 'user.logout', action_data=action_data, | |
216 | user=auth_user, commit=True) |
|
216 | user=auth_user, commit=True) | |
217 | self.session.delete() |
|
217 | self.session.delete() | |
218 | return HTTPFound(h.route_path('home')) |
|
218 | return HTTPFound(h.route_path('home')) | |
219 |
|
219 | |||
220 | @HasPermissionAnyDecorator( |
|
220 | @HasPermissionAnyDecorator( | |
221 | 'hg.admin', 'hg.register.auto_activate', 'hg.register.manual_activate') |
|
221 | 'hg.admin', 'hg.register.auto_activate', 'hg.register.manual_activate') | |
222 | @view_config( |
|
222 | @view_config( | |
223 | route_name='register', request_method='GET', |
|
223 | route_name='register', request_method='GET', | |
224 | renderer='rhodecode:templates/register.mako',) |
|
224 | renderer='rhodecode:templates/register.mako',) | |
225 | def register(self, defaults=None, errors=None): |
|
225 | def register(self, defaults=None, errors=None): | |
226 | c = self.load_default_context() |
|
226 | c = self.load_default_context() | |
227 | defaults = defaults or {} |
|
227 | defaults = defaults or {} | |
228 | errors = errors or {} |
|
228 | errors = errors or {} | |
229 |
|
229 | |||
230 | settings = SettingsModel().get_all_settings() |
|
230 | settings = SettingsModel().get_all_settings() | |
231 | register_message = settings.get('rhodecode_register_message') or '' |
|
231 | register_message = settings.get('rhodecode_register_message') or '' | |
232 | captcha = self._get_captcha_data() |
|
232 | captcha = self._get_captcha_data() | |
233 | auto_active = 'hg.register.auto_activate' in User.get_default_user()\ |
|
233 | auto_active = 'hg.register.auto_activate' in User.get_default_user()\ | |
234 | .AuthUser.permissions['global'] |
|
234 | .AuthUser().permissions['global'] | |
235 |
|
235 | |||
236 | render_ctx = self._get_template_context(c) |
|
236 | render_ctx = self._get_template_context(c) | |
237 | render_ctx.update({ |
|
237 | render_ctx.update({ | |
238 | 'defaults': defaults, |
|
238 | 'defaults': defaults, | |
239 | 'errors': errors, |
|
239 | 'errors': errors, | |
240 | 'auto_active': auto_active, |
|
240 | 'auto_active': auto_active, | |
241 | 'captcha_active': captcha.active, |
|
241 | 'captcha_active': captcha.active, | |
242 | 'captcha_public_key': captcha.public_key, |
|
242 | 'captcha_public_key': captcha.public_key, | |
243 | 'register_message': register_message, |
|
243 | 'register_message': register_message, | |
244 | }) |
|
244 | }) | |
245 | return render_ctx |
|
245 | return render_ctx | |
246 |
|
246 | |||
247 | @HasPermissionAnyDecorator( |
|
247 | @HasPermissionAnyDecorator( | |
248 | 'hg.admin', 'hg.register.auto_activate', 'hg.register.manual_activate') |
|
248 | 'hg.admin', 'hg.register.auto_activate', 'hg.register.manual_activate') | |
249 | @view_config( |
|
249 | @view_config( | |
250 | route_name='register', request_method='POST', |
|
250 | route_name='register', request_method='POST', | |
251 | renderer='rhodecode:templates/register.mako') |
|
251 | renderer='rhodecode:templates/register.mako') | |
252 | def register_post(self): |
|
252 | def register_post(self): | |
253 | captcha = self._get_captcha_data() |
|
253 | captcha = self._get_captcha_data() | |
254 | auto_active = 'hg.register.auto_activate' in User.get_default_user()\ |
|
254 | auto_active = 'hg.register.auto_activate' in User.get_default_user()\ | |
255 | .AuthUser.permissions['global'] |
|
255 | .AuthUser().permissions['global'] | |
256 |
|
256 | |||
257 | register_form = RegisterForm()() |
|
257 | register_form = RegisterForm()() | |
258 | try: |
|
258 | try: | |
259 | form_result = register_form.to_python(self.request.params) |
|
259 | form_result = register_form.to_python(self.request.params) | |
260 | form_result['active'] = auto_active |
|
260 | form_result['active'] = auto_active | |
261 |
|
261 | |||
262 | if captcha.active: |
|
262 | if captcha.active: | |
263 | response = submit( |
|
263 | response = submit( | |
264 | self.request.params.get('recaptcha_challenge_field'), |
|
264 | self.request.params.get('recaptcha_challenge_field'), | |
265 | self.request.params.get('recaptcha_response_field'), |
|
265 | self.request.params.get('recaptcha_response_field'), | |
266 | private_key=captcha.private_key, |
|
266 | private_key=captcha.private_key, | |
267 | remoteip=get_ip_addr(self.request.environ)) |
|
267 | remoteip=get_ip_addr(self.request.environ)) | |
268 | if not response.is_valid: |
|
268 | if not response.is_valid: | |
269 | _value = form_result |
|
269 | _value = form_result | |
270 | _msg = _('Bad captcha') |
|
270 | _msg = _('Bad captcha') | |
271 | error_dict = {'recaptcha_field': _msg} |
|
271 | error_dict = {'recaptcha_field': _msg} | |
272 | raise formencode.Invalid(_msg, _value, None, |
|
272 | raise formencode.Invalid(_msg, _value, None, | |
273 | error_dict=error_dict) |
|
273 | error_dict=error_dict) | |
274 |
|
274 | |||
275 | new_user = UserModel().create_registration(form_result) |
|
275 | new_user = UserModel().create_registration(form_result) | |
276 | event = UserRegistered(user=new_user, session=self.session) |
|
276 | event = UserRegistered(user=new_user, session=self.session) | |
277 | self.request.registry.notify(event) |
|
277 | self.request.registry.notify(event) | |
278 | self.session.flash( |
|
278 | self.session.flash( | |
279 | _('You have successfully registered with RhodeCode'), |
|
279 | _('You have successfully registered with RhodeCode'), | |
280 | queue='success') |
|
280 | queue='success') | |
281 | Session().commit() |
|
281 | Session().commit() | |
282 |
|
282 | |||
283 | redirect_ro = self.request.route_path('login') |
|
283 | redirect_ro = self.request.route_path('login') | |
284 | raise HTTPFound(redirect_ro) |
|
284 | raise HTTPFound(redirect_ro) | |
285 |
|
285 | |||
286 | except formencode.Invalid as errors: |
|
286 | except formencode.Invalid as errors: | |
287 | errors.value.pop('password', None) |
|
287 | errors.value.pop('password', None) | |
288 | errors.value.pop('password_confirmation', None) |
|
288 | errors.value.pop('password_confirmation', None) | |
289 | return self.register( |
|
289 | return self.register( | |
290 | defaults=errors.value, errors=errors.error_dict) |
|
290 | defaults=errors.value, errors=errors.error_dict) | |
291 |
|
291 | |||
292 | except UserCreationError as e: |
|
292 | except UserCreationError as e: | |
293 | # container auth or other auth functions that create users on |
|
293 | # container auth or other auth functions that create users on | |
294 | # the fly can throw this exception signaling that there's issue |
|
294 | # the fly can throw this exception signaling that there's issue | |
295 | # with user creation, explanation should be provided in |
|
295 | # with user creation, explanation should be provided in | |
296 | # Exception itself |
|
296 | # Exception itself | |
297 | self.session.flash(e, queue='error') |
|
297 | self.session.flash(e, queue='error') | |
298 | return self.register() |
|
298 | return self.register() | |
299 |
|
299 | |||
300 | @view_config( |
|
300 | @view_config( | |
301 | route_name='reset_password', request_method=('GET', 'POST'), |
|
301 | route_name='reset_password', request_method=('GET', 'POST'), | |
302 | renderer='rhodecode:templates/password_reset.mako') |
|
302 | renderer='rhodecode:templates/password_reset.mako') | |
303 | def password_reset(self): |
|
303 | def password_reset(self): | |
304 | captcha = self._get_captcha_data() |
|
304 | captcha = self._get_captcha_data() | |
305 |
|
305 | |||
306 | render_ctx = { |
|
306 | render_ctx = { | |
307 | 'captcha_active': captcha.active, |
|
307 | 'captcha_active': captcha.active, | |
308 | 'captcha_public_key': captcha.public_key, |
|
308 | 'captcha_public_key': captcha.public_key, | |
309 | 'defaults': {}, |
|
309 | 'defaults': {}, | |
310 | 'errors': {}, |
|
310 | 'errors': {}, | |
311 | } |
|
311 | } | |
312 |
|
312 | |||
313 | # always send implicit message to prevent from discovery of |
|
313 | # always send implicit message to prevent from discovery of | |
314 | # matching emails |
|
314 | # matching emails | |
315 | msg = _('If such email exists, a password reset link was sent to it.') |
|
315 | msg = _('If such email exists, a password reset link was sent to it.') | |
316 |
|
316 | |||
317 | if self.request.POST: |
|
317 | if self.request.POST: | |
318 | if h.HasPermissionAny('hg.password_reset.disabled')(): |
|
318 | if h.HasPermissionAny('hg.password_reset.disabled')(): | |
319 | _email = self.request.POST.get('email', '') |
|
319 | _email = self.request.POST.get('email', '') | |
320 | log.error('Failed attempt to reset password for `%s`.', _email) |
|
320 | log.error('Failed attempt to reset password for `%s`.', _email) | |
321 | self.session.flash(_('Password reset has been disabled.'), |
|
321 | self.session.flash(_('Password reset has been disabled.'), | |
322 | queue='error') |
|
322 | queue='error') | |
323 | return HTTPFound(self.request.route_path('reset_password')) |
|
323 | return HTTPFound(self.request.route_path('reset_password')) | |
324 |
|
324 | |||
325 | password_reset_form = PasswordResetForm()() |
|
325 | password_reset_form = PasswordResetForm()() | |
326 | try: |
|
326 | try: | |
327 | form_result = password_reset_form.to_python( |
|
327 | form_result = password_reset_form.to_python( | |
328 | self.request.params) |
|
328 | self.request.params) | |
329 | user_email = form_result['email'] |
|
329 | user_email = form_result['email'] | |
330 |
|
330 | |||
331 | if captcha.active: |
|
331 | if captcha.active: | |
332 | response = submit( |
|
332 | response = submit( | |
333 | self.request.params.get('recaptcha_challenge_field'), |
|
333 | self.request.params.get('recaptcha_challenge_field'), | |
334 | self.request.params.get('recaptcha_response_field'), |
|
334 | self.request.params.get('recaptcha_response_field'), | |
335 | private_key=captcha.private_key, |
|
335 | private_key=captcha.private_key, | |
336 | remoteip=get_ip_addr(self.request.environ)) |
|
336 | remoteip=get_ip_addr(self.request.environ)) | |
337 | if not response.is_valid: |
|
337 | if not response.is_valid: | |
338 | _value = form_result |
|
338 | _value = form_result | |
339 | _msg = _('Bad captcha') |
|
339 | _msg = _('Bad captcha') | |
340 | error_dict = {'recaptcha_field': _msg} |
|
340 | error_dict = {'recaptcha_field': _msg} | |
341 | raise formencode.Invalid( |
|
341 | raise formencode.Invalid( | |
342 | _msg, _value, None, error_dict=error_dict) |
|
342 | _msg, _value, None, error_dict=error_dict) | |
343 |
|
343 | |||
344 | # Generate reset URL and send mail. |
|
344 | # Generate reset URL and send mail. | |
345 | user = User.get_by_email(user_email) |
|
345 | user = User.get_by_email(user_email) | |
346 |
|
346 | |||
347 | # generate password reset token that expires in 10minutes |
|
347 | # generate password reset token that expires in 10minutes | |
348 | desc = 'Generated token for password reset from {}'.format( |
|
348 | desc = 'Generated token for password reset from {}'.format( | |
349 | datetime.datetime.now().isoformat()) |
|
349 | datetime.datetime.now().isoformat()) | |
350 | reset_token = AuthTokenModel().create( |
|
350 | reset_token = AuthTokenModel().create( | |
351 | user, lifetime=10, |
|
351 | user, lifetime=10, | |
352 | description=desc, |
|
352 | description=desc, | |
353 | role=UserApiKeys.ROLE_PASSWORD_RESET) |
|
353 | role=UserApiKeys.ROLE_PASSWORD_RESET) | |
354 | Session().commit() |
|
354 | Session().commit() | |
355 |
|
355 | |||
356 | log.debug('Successfully created password recovery token') |
|
356 | log.debug('Successfully created password recovery token') | |
357 | password_reset_url = self.request.route_url( |
|
357 | password_reset_url = self.request.route_url( | |
358 | 'reset_password_confirmation', |
|
358 | 'reset_password_confirmation', | |
359 | _query={'key': reset_token.api_key}) |
|
359 | _query={'key': reset_token.api_key}) | |
360 | UserModel().reset_password_link( |
|
360 | UserModel().reset_password_link( | |
361 | form_result, password_reset_url) |
|
361 | form_result, password_reset_url) | |
362 | # Display success message and redirect. |
|
362 | # Display success message and redirect. | |
363 | self.session.flash(msg, queue='success') |
|
363 | self.session.flash(msg, queue='success') | |
364 |
|
364 | |||
365 | action_data = {'email': user_email, |
|
365 | action_data = {'email': user_email, | |
366 | 'user_agent': self.request.user_agent} |
|
366 | 'user_agent': self.request.user_agent} | |
367 | audit_logger.store_web( |
|
367 | audit_logger.store_web( | |
368 | 'user.password.reset_request', action_data=action_data, |
|
368 | 'user.password.reset_request', action_data=action_data, | |
369 | user=self._rhodecode_user, commit=True) |
|
369 | user=self._rhodecode_user, commit=True) | |
370 | return HTTPFound(self.request.route_path('reset_password')) |
|
370 | return HTTPFound(self.request.route_path('reset_password')) | |
371 |
|
371 | |||
372 | except formencode.Invalid as errors: |
|
372 | except formencode.Invalid as errors: | |
373 | render_ctx.update({ |
|
373 | render_ctx.update({ | |
374 | 'defaults': errors.value, |
|
374 | 'defaults': errors.value, | |
375 | 'errors': errors.error_dict, |
|
375 | 'errors': errors.error_dict, | |
376 | }) |
|
376 | }) | |
377 | if not self.request.params.get('email'): |
|
377 | if not self.request.params.get('email'): | |
378 | # case of empty email, we want to report that |
|
378 | # case of empty email, we want to report that | |
379 | return render_ctx |
|
379 | return render_ctx | |
380 |
|
380 | |||
381 | if 'recaptcha_field' in errors.error_dict: |
|
381 | if 'recaptcha_field' in errors.error_dict: | |
382 | # case of failed captcha |
|
382 | # case of failed captcha | |
383 | return render_ctx |
|
383 | return render_ctx | |
384 |
|
384 | |||
385 | log.debug('faking response on invalid password reset') |
|
385 | log.debug('faking response on invalid password reset') | |
386 | # make this take 2s, to prevent brute forcing. |
|
386 | # make this take 2s, to prevent brute forcing. | |
387 | time.sleep(2) |
|
387 | time.sleep(2) | |
388 | self.session.flash(msg, queue='success') |
|
388 | self.session.flash(msg, queue='success') | |
389 | return HTTPFound(self.request.route_path('reset_password')) |
|
389 | return HTTPFound(self.request.route_path('reset_password')) | |
390 |
|
390 | |||
391 | return render_ctx |
|
391 | return render_ctx | |
392 |
|
392 | |||
393 | @view_config(route_name='reset_password_confirmation', |
|
393 | @view_config(route_name='reset_password_confirmation', | |
394 | request_method='GET') |
|
394 | request_method='GET') | |
395 | def password_reset_confirmation(self): |
|
395 | def password_reset_confirmation(self): | |
396 |
|
396 | |||
397 | if self.request.GET and self.request.GET.get('key'): |
|
397 | if self.request.GET and self.request.GET.get('key'): | |
398 | # make this take 2s, to prevent brute forcing. |
|
398 | # make this take 2s, to prevent brute forcing. | |
399 | time.sleep(2) |
|
399 | time.sleep(2) | |
400 |
|
400 | |||
401 | token = AuthTokenModel().get_auth_token( |
|
401 | token = AuthTokenModel().get_auth_token( | |
402 | self.request.GET.get('key')) |
|
402 | self.request.GET.get('key')) | |
403 |
|
403 | |||
404 | # verify token is the correct role |
|
404 | # verify token is the correct role | |
405 | if token is None or token.role != UserApiKeys.ROLE_PASSWORD_RESET: |
|
405 | if token is None or token.role != UserApiKeys.ROLE_PASSWORD_RESET: | |
406 | log.debug('Got token with role:%s expected is %s', |
|
406 | log.debug('Got token with role:%s expected is %s', | |
407 | getattr(token, 'role', 'EMPTY_TOKEN'), |
|
407 | getattr(token, 'role', 'EMPTY_TOKEN'), | |
408 | UserApiKeys.ROLE_PASSWORD_RESET) |
|
408 | UserApiKeys.ROLE_PASSWORD_RESET) | |
409 | self.session.flash( |
|
409 | self.session.flash( | |
410 | _('Given reset token is invalid'), queue='error') |
|
410 | _('Given reset token is invalid'), queue='error') | |
411 | return HTTPFound(self.request.route_path('reset_password')) |
|
411 | return HTTPFound(self.request.route_path('reset_password')) | |
412 |
|
412 | |||
413 | try: |
|
413 | try: | |
414 | owner = token.user |
|
414 | owner = token.user | |
415 | data = {'email': owner.email, 'token': token.api_key} |
|
415 | data = {'email': owner.email, 'token': token.api_key} | |
416 | UserModel().reset_password(data) |
|
416 | UserModel().reset_password(data) | |
417 | self.session.flash( |
|
417 | self.session.flash( | |
418 | _('Your password reset was successful, ' |
|
418 | _('Your password reset was successful, ' | |
419 | 'a new password has been sent to your email'), |
|
419 | 'a new password has been sent to your email'), | |
420 | queue='success') |
|
420 | queue='success') | |
421 | except Exception as e: |
|
421 | except Exception as e: | |
422 | log.error(e) |
|
422 | log.error(e) | |
423 | return HTTPFound(self.request.route_path('reset_password')) |
|
423 | return HTTPFound(self.request.route_path('reset_password')) | |
424 |
|
424 | |||
425 | return HTTPFound(self.request.route_path('login')) |
|
425 | return HTTPFound(self.request.route_path('login')) |
@@ -1,523 +1,523 b'' | |||||
1 | # -*- coding: utf-8 -*- |
|
1 | # -*- coding: utf-8 -*- | |
2 |
|
2 | |||
3 | # Copyright (C) 2010-2017 RhodeCode GmbH |
|
3 | # Copyright (C) 2010-2017 RhodeCode GmbH | |
4 | # |
|
4 | # | |
5 | # This program is free software: you can redistribute it and/or modify |
|
5 | # This program is free software: you can redistribute it and/or modify | |
6 | # it under the terms of the GNU Affero General Public License, version 3 |
|
6 | # it under the terms of the GNU Affero General Public License, version 3 | |
7 | # (only), as published by the Free Software Foundation. |
|
7 | # (only), as published by the Free Software Foundation. | |
8 | # |
|
8 | # | |
9 | # This program is distributed in the hope that it will be useful, |
|
9 | # This program is distributed in the hope that it will be useful, | |
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of |
|
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of | |
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the |
|
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |
12 | # GNU General Public License for more details. |
|
12 | # GNU General Public License for more details. | |
13 | # |
|
13 | # | |
14 | # You should have received a copy of the GNU Affero General Public License |
|
14 | # You should have received a copy of the GNU Affero General Public License | |
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. |
|
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. | |
16 | # |
|
16 | # | |
17 | # This program is dual-licensed. If you wish to learn more about the |
|
17 | # This program is dual-licensed. If you wish to learn more about the | |
18 | # RhodeCode Enterprise Edition, including its added features, Support services, |
|
18 | # RhodeCode Enterprise Edition, including its added features, Support services, | |
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ |
|
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |
20 |
|
20 | |||
21 | import re |
|
21 | import re | |
22 |
|
22 | |||
23 | import mock |
|
23 | import mock | |
24 | import pytest |
|
24 | import pytest | |
25 |
|
25 | |||
26 | from rhodecode.apps.repository.views.repo_summary import RepoSummaryView |
|
26 | from rhodecode.apps.repository.views.repo_summary import RepoSummaryView | |
27 | from rhodecode.lib import helpers as h |
|
27 | from rhodecode.lib import helpers as h | |
28 | from rhodecode.lib.compat import OrderedDict |
|
28 | from rhodecode.lib.compat import OrderedDict | |
29 | from rhodecode.lib.utils2 import AttributeDict, safe_str |
|
29 | from rhodecode.lib.utils2 import AttributeDict, safe_str | |
30 | from rhodecode.lib.vcs.exceptions import RepositoryRequirementError |
|
30 | from rhodecode.lib.vcs.exceptions import RepositoryRequirementError | |
31 | from rhodecode.model.db import Repository |
|
31 | from rhodecode.model.db import Repository | |
32 | from rhodecode.model.meta import Session |
|
32 | from rhodecode.model.meta import Session | |
33 | from rhodecode.model.repo import RepoModel |
|
33 | from rhodecode.model.repo import RepoModel | |
34 | from rhodecode.model.scm import ScmModel |
|
34 | from rhodecode.model.scm import ScmModel | |
35 | from rhodecode.tests import assert_session_flash |
|
35 | from rhodecode.tests import assert_session_flash | |
36 | from rhodecode.tests.fixture import Fixture |
|
36 | from rhodecode.tests.fixture import Fixture | |
37 | from rhodecode.tests.utils import AssertResponse, repo_on_filesystem |
|
37 | from rhodecode.tests.utils import AssertResponse, repo_on_filesystem | |
38 |
|
38 | |||
39 |
|
39 | |||
40 | fixture = Fixture() |
|
40 | fixture = Fixture() | |
41 |
|
41 | |||
42 |
|
42 | |||
43 | def route_path(name, params=None, **kwargs): |
|
43 | def route_path(name, params=None, **kwargs): | |
44 | import urllib |
|
44 | import urllib | |
45 |
|
45 | |||
46 | base_url = { |
|
46 | base_url = { | |
47 | 'repo_summary': '/{repo_name}', |
|
47 | 'repo_summary': '/{repo_name}', | |
48 | 'repo_stats': '/{repo_name}/repo_stats/{commit_id}', |
|
48 | 'repo_stats': '/{repo_name}/repo_stats/{commit_id}', | |
49 | 'repo_refs_data': '/{repo_name}/refs-data', |
|
49 | 'repo_refs_data': '/{repo_name}/refs-data', | |
50 | 'repo_refs_changelog_data': '/{repo_name}/refs-data-changelog', |
|
50 | 'repo_refs_changelog_data': '/{repo_name}/refs-data-changelog', | |
51 | 'repo_creating_check': '/{repo_name}/repo_creating_check', |
|
51 | 'repo_creating_check': '/{repo_name}/repo_creating_check', | |
52 | }[name].format(**kwargs) |
|
52 | }[name].format(**kwargs) | |
53 |
|
53 | |||
54 | if params: |
|
54 | if params: | |
55 | base_url = '{}?{}'.format(base_url, urllib.urlencode(params)) |
|
55 | base_url = '{}?{}'.format(base_url, urllib.urlencode(params)) | |
56 | return base_url |
|
56 | return base_url | |
57 |
|
57 | |||
58 |
|
58 | |||
59 | @pytest.mark.usefixtures('app') |
|
59 | @pytest.mark.usefixtures('app') | |
60 | class TestSummaryView(object): |
|
60 | class TestSummaryView(object): | |
61 | def test_index(self, autologin_user, backend, http_host_only_stub): |
|
61 | def test_index(self, autologin_user, backend, http_host_only_stub): | |
62 | repo_id = backend.repo.repo_id |
|
62 | repo_id = backend.repo.repo_id | |
63 | repo_name = backend.repo_name |
|
63 | repo_name = backend.repo_name | |
64 | with mock.patch('rhodecode.lib.helpers.is_svn_without_proxy', |
|
64 | with mock.patch('rhodecode.lib.helpers.is_svn_without_proxy', | |
65 | return_value=False): |
|
65 | return_value=False): | |
66 | response = self.app.get( |
|
66 | response = self.app.get( | |
67 | route_path('repo_summary', repo_name=repo_name)) |
|
67 | route_path('repo_summary', repo_name=repo_name)) | |
68 |
|
68 | |||
69 | # repo type |
|
69 | # repo type | |
70 | response.mustcontain( |
|
70 | response.mustcontain( | |
71 | '<i class="icon-%s">' % (backend.alias, ) |
|
71 | '<i class="icon-%s">' % (backend.alias, ) | |
72 | ) |
|
72 | ) | |
73 | # public/private |
|
73 | # public/private | |
74 | response.mustcontain( |
|
74 | response.mustcontain( | |
75 | """<i class="icon-unlock-alt">""" |
|
75 | """<i class="icon-unlock-alt">""" | |
76 | ) |
|
76 | ) | |
77 |
|
77 | |||
78 | # clone url... |
|
78 | # clone url... | |
79 | response.mustcontain( |
|
79 | response.mustcontain( | |
80 | 'id="clone_url" readonly="readonly"' |
|
80 | 'id="clone_url" readonly="readonly"' | |
81 | ' value="http://test_admin@%s/%s"' % (http_host_only_stub, repo_name, )) |
|
81 | ' value="http://test_admin@%s/%s"' % (http_host_only_stub, repo_name, )) | |
82 | response.mustcontain( |
|
82 | response.mustcontain( | |
83 | 'id="clone_url_id" readonly="readonly"' |
|
83 | 'id="clone_url_id" readonly="readonly"' | |
84 | ' value="http://test_admin@%s/_%s"' % (http_host_only_stub, repo_id, )) |
|
84 | ' value="http://test_admin@%s/_%s"' % (http_host_only_stub, repo_id, )) | |
85 |
|
85 | |||
86 | def test_index_svn_without_proxy( |
|
86 | def test_index_svn_without_proxy( | |
87 | self, autologin_user, backend_svn, http_host_only_stub): |
|
87 | self, autologin_user, backend_svn, http_host_only_stub): | |
88 | repo_id = backend_svn.repo.repo_id |
|
88 | repo_id = backend_svn.repo.repo_id | |
89 | repo_name = backend_svn.repo_name |
|
89 | repo_name = backend_svn.repo_name | |
90 | response = self.app.get(route_path('repo_summary', repo_name=repo_name)) |
|
90 | response = self.app.get(route_path('repo_summary', repo_name=repo_name)) | |
91 | # clone url... |
|
91 | # clone url... | |
92 | response.mustcontain( |
|
92 | response.mustcontain( | |
93 | 'id="clone_url" disabled' |
|
93 | 'id="clone_url" disabled' | |
94 | ' value="http://test_admin@%s/%s"' % (http_host_only_stub, repo_name, )) |
|
94 | ' value="http://test_admin@%s/%s"' % (http_host_only_stub, repo_name, )) | |
95 | response.mustcontain( |
|
95 | response.mustcontain( | |
96 | 'id="clone_url_id" disabled' |
|
96 | 'id="clone_url_id" disabled' | |
97 | ' value="http://test_admin@%s/_%s"' % (http_host_only_stub, repo_id, )) |
|
97 | ' value="http://test_admin@%s/_%s"' % (http_host_only_stub, repo_id, )) | |
98 |
|
98 | |||
99 | def test_index_with_trailing_slash( |
|
99 | def test_index_with_trailing_slash( | |
100 | self, autologin_user, backend, http_host_only_stub): |
|
100 | self, autologin_user, backend, http_host_only_stub): | |
101 |
|
101 | |||
102 | repo_id = backend.repo.repo_id |
|
102 | repo_id = backend.repo.repo_id | |
103 | repo_name = backend.repo_name |
|
103 | repo_name = backend.repo_name | |
104 | with mock.patch('rhodecode.lib.helpers.is_svn_without_proxy', |
|
104 | with mock.patch('rhodecode.lib.helpers.is_svn_without_proxy', | |
105 | return_value=False): |
|
105 | return_value=False): | |
106 | response = self.app.get( |
|
106 | response = self.app.get( | |
107 | route_path('repo_summary', repo_name=repo_name) + '/', |
|
107 | route_path('repo_summary', repo_name=repo_name) + '/', | |
108 | status=200) |
|
108 | status=200) | |
109 |
|
109 | |||
110 | # clone url... |
|
110 | # clone url... | |
111 | response.mustcontain( |
|
111 | response.mustcontain( | |
112 | 'id="clone_url" readonly="readonly"' |
|
112 | 'id="clone_url" readonly="readonly"' | |
113 | ' value="http://test_admin@%s/%s"' % (http_host_only_stub, repo_name, )) |
|
113 | ' value="http://test_admin@%s/%s"' % (http_host_only_stub, repo_name, )) | |
114 | response.mustcontain( |
|
114 | response.mustcontain( | |
115 | 'id="clone_url_id" readonly="readonly"' |
|
115 | 'id="clone_url_id" readonly="readonly"' | |
116 | ' value="http://test_admin@%s/_%s"' % (http_host_only_stub, repo_id, )) |
|
116 | ' value="http://test_admin@%s/_%s"' % (http_host_only_stub, repo_id, )) | |
117 |
|
117 | |||
118 | def test_index_by_id(self, autologin_user, backend): |
|
118 | def test_index_by_id(self, autologin_user, backend): | |
119 | repo_id = backend.repo.repo_id |
|
119 | repo_id = backend.repo.repo_id | |
120 | response = self.app.get( |
|
120 | response = self.app.get( | |
121 | route_path('repo_summary', repo_name='_%s' % (repo_id,))) |
|
121 | route_path('repo_summary', repo_name='_%s' % (repo_id,))) | |
122 |
|
122 | |||
123 | # repo type |
|
123 | # repo type | |
124 | response.mustcontain( |
|
124 | response.mustcontain( | |
125 | '<i class="icon-%s">' % (backend.alias, ) |
|
125 | '<i class="icon-%s">' % (backend.alias, ) | |
126 | ) |
|
126 | ) | |
127 | # public/private |
|
127 | # public/private | |
128 | response.mustcontain( |
|
128 | response.mustcontain( | |
129 | """<i class="icon-unlock-alt">""" |
|
129 | """<i class="icon-unlock-alt">""" | |
130 | ) |
|
130 | ) | |
131 |
|
131 | |||
132 | def test_index_by_repo_having_id_path_in_name_hg(self, autologin_user): |
|
132 | def test_index_by_repo_having_id_path_in_name_hg(self, autologin_user): | |
133 | fixture.create_repo(name='repo_1') |
|
133 | fixture.create_repo(name='repo_1') | |
134 | response = self.app.get(route_path('repo_summary', repo_name='repo_1')) |
|
134 | response = self.app.get(route_path('repo_summary', repo_name='repo_1')) | |
135 |
|
135 | |||
136 | try: |
|
136 | try: | |
137 | response.mustcontain("repo_1") |
|
137 | response.mustcontain("repo_1") | |
138 | finally: |
|
138 | finally: | |
139 | RepoModel().delete(Repository.get_by_repo_name('repo_1')) |
|
139 | RepoModel().delete(Repository.get_by_repo_name('repo_1')) | |
140 | Session().commit() |
|
140 | Session().commit() | |
141 |
|
141 | |||
142 | def test_index_with_anonymous_access_disabled( |
|
142 | def test_index_with_anonymous_access_disabled( | |
143 | self, backend, disable_anonymous_user): |
|
143 | self, backend, disable_anonymous_user): | |
144 | response = self.app.get( |
|
144 | response = self.app.get( | |
145 | route_path('repo_summary', repo_name=backend.repo_name), status=302) |
|
145 | route_path('repo_summary', repo_name=backend.repo_name), status=302) | |
146 | assert 'login' in response.location |
|
146 | assert 'login' in response.location | |
147 |
|
147 | |||
148 | def _enable_stats(self, repo): |
|
148 | def _enable_stats(self, repo): | |
149 | r = Repository.get_by_repo_name(repo) |
|
149 | r = Repository.get_by_repo_name(repo) | |
150 | r.enable_statistics = True |
|
150 | r.enable_statistics = True | |
151 | Session().add(r) |
|
151 | Session().add(r) | |
152 | Session().commit() |
|
152 | Session().commit() | |
153 |
|
153 | |||
154 | expected_trending = { |
|
154 | expected_trending = { | |
155 | 'hg': { |
|
155 | 'hg': { | |
156 | "py": {"count": 68, "desc": ["Python"]}, |
|
156 | "py": {"count": 68, "desc": ["Python"]}, | |
157 | "rst": {"count": 16, "desc": ["Rst"]}, |
|
157 | "rst": {"count": 16, "desc": ["Rst"]}, | |
158 | "css": {"count": 2, "desc": ["Css"]}, |
|
158 | "css": {"count": 2, "desc": ["Css"]}, | |
159 | "sh": {"count": 2, "desc": ["Bash"]}, |
|
159 | "sh": {"count": 2, "desc": ["Bash"]}, | |
160 | "bat": {"count": 1, "desc": ["Batch"]}, |
|
160 | "bat": {"count": 1, "desc": ["Batch"]}, | |
161 | "cfg": {"count": 1, "desc": ["Ini"]}, |
|
161 | "cfg": {"count": 1, "desc": ["Ini"]}, | |
162 | "html": {"count": 1, "desc": ["EvoqueHtml", "Html"]}, |
|
162 | "html": {"count": 1, "desc": ["EvoqueHtml", "Html"]}, | |
163 | "ini": {"count": 1, "desc": ["Ini"]}, |
|
163 | "ini": {"count": 1, "desc": ["Ini"]}, | |
164 | "js": {"count": 1, "desc": ["Javascript"]}, |
|
164 | "js": {"count": 1, "desc": ["Javascript"]}, | |
165 | "makefile": {"count": 1, "desc": ["Makefile", "Makefile"]} |
|
165 | "makefile": {"count": 1, "desc": ["Makefile", "Makefile"]} | |
166 | }, |
|
166 | }, | |
167 | 'git': { |
|
167 | 'git': { | |
168 | "py": {"count": 68, "desc": ["Python"]}, |
|
168 | "py": {"count": 68, "desc": ["Python"]}, | |
169 | "rst": {"count": 16, "desc": ["Rst"]}, |
|
169 | "rst": {"count": 16, "desc": ["Rst"]}, | |
170 | "css": {"count": 2, "desc": ["Css"]}, |
|
170 | "css": {"count": 2, "desc": ["Css"]}, | |
171 | "sh": {"count": 2, "desc": ["Bash"]}, |
|
171 | "sh": {"count": 2, "desc": ["Bash"]}, | |
172 | "bat": {"count": 1, "desc": ["Batch"]}, |
|
172 | "bat": {"count": 1, "desc": ["Batch"]}, | |
173 | "cfg": {"count": 1, "desc": ["Ini"]}, |
|
173 | "cfg": {"count": 1, "desc": ["Ini"]}, | |
174 | "html": {"count": 1, "desc": ["EvoqueHtml", "Html"]}, |
|
174 | "html": {"count": 1, "desc": ["EvoqueHtml", "Html"]}, | |
175 | "ini": {"count": 1, "desc": ["Ini"]}, |
|
175 | "ini": {"count": 1, "desc": ["Ini"]}, | |
176 | "js": {"count": 1, "desc": ["Javascript"]}, |
|
176 | "js": {"count": 1, "desc": ["Javascript"]}, | |
177 | "makefile": {"count": 1, "desc": ["Makefile", "Makefile"]} |
|
177 | "makefile": {"count": 1, "desc": ["Makefile", "Makefile"]} | |
178 | }, |
|
178 | }, | |
179 | 'svn': { |
|
179 | 'svn': { | |
180 | "py": {"count": 75, "desc": ["Python"]}, |
|
180 | "py": {"count": 75, "desc": ["Python"]}, | |
181 | "rst": {"count": 16, "desc": ["Rst"]}, |
|
181 | "rst": {"count": 16, "desc": ["Rst"]}, | |
182 | "html": {"count": 11, "desc": ["EvoqueHtml", "Html"]}, |
|
182 | "html": {"count": 11, "desc": ["EvoqueHtml", "Html"]}, | |
183 | "css": {"count": 2, "desc": ["Css"]}, |
|
183 | "css": {"count": 2, "desc": ["Css"]}, | |
184 | "bat": {"count": 1, "desc": ["Batch"]}, |
|
184 | "bat": {"count": 1, "desc": ["Batch"]}, | |
185 | "cfg": {"count": 1, "desc": ["Ini"]}, |
|
185 | "cfg": {"count": 1, "desc": ["Ini"]}, | |
186 | "ini": {"count": 1, "desc": ["Ini"]}, |
|
186 | "ini": {"count": 1, "desc": ["Ini"]}, | |
187 | "js": {"count": 1, "desc": ["Javascript"]}, |
|
187 | "js": {"count": 1, "desc": ["Javascript"]}, | |
188 | "makefile": {"count": 1, "desc": ["Makefile", "Makefile"]}, |
|
188 | "makefile": {"count": 1, "desc": ["Makefile", "Makefile"]}, | |
189 | "sh": {"count": 1, "desc": ["Bash"]} |
|
189 | "sh": {"count": 1, "desc": ["Bash"]} | |
190 | }, |
|
190 | }, | |
191 | } |
|
191 | } | |
192 |
|
192 | |||
193 | def test_repo_stats(self, autologin_user, backend, xhr_header): |
|
193 | def test_repo_stats(self, autologin_user, backend, xhr_header): | |
194 | response = self.app.get( |
|
194 | response = self.app.get( | |
195 | route_path( |
|
195 | route_path( | |
196 | 'repo_stats', repo_name=backend.repo_name, commit_id='tip'), |
|
196 | 'repo_stats', repo_name=backend.repo_name, commit_id='tip'), | |
197 | extra_environ=xhr_header, |
|
197 | extra_environ=xhr_header, | |
198 | status=200) |
|
198 | status=200) | |
199 | assert re.match(r'6[\d\.]+ KiB', response.json['size']) |
|
199 | assert re.match(r'6[\d\.]+ KiB', response.json['size']) | |
200 |
|
200 | |||
201 | def test_repo_stats_code_stats_enabled(self, autologin_user, backend, xhr_header): |
|
201 | def test_repo_stats_code_stats_enabled(self, autologin_user, backend, xhr_header): | |
202 | repo_name = backend.repo_name |
|
202 | repo_name = backend.repo_name | |
203 |
|
203 | |||
204 | # codes stats |
|
204 | # codes stats | |
205 | self._enable_stats(repo_name) |
|
205 | self._enable_stats(repo_name) | |
206 | ScmModel().mark_for_invalidation(repo_name) |
|
206 | ScmModel().mark_for_invalidation(repo_name) | |
207 |
|
207 | |||
208 | response = self.app.get( |
|
208 | response = self.app.get( | |
209 | route_path( |
|
209 | route_path( | |
210 | 'repo_stats', repo_name=backend.repo_name, commit_id='tip'), |
|
210 | 'repo_stats', repo_name=backend.repo_name, commit_id='tip'), | |
211 | extra_environ=xhr_header, |
|
211 | extra_environ=xhr_header, | |
212 | status=200) |
|
212 | status=200) | |
213 |
|
213 | |||
214 | expected_data = self.expected_trending[backend.alias] |
|
214 | expected_data = self.expected_trending[backend.alias] | |
215 | returned_stats = response.json['code_stats'] |
|
215 | returned_stats = response.json['code_stats'] | |
216 | for k, v in expected_data.items(): |
|
216 | for k, v in expected_data.items(): | |
217 | assert v == returned_stats[k] |
|
217 | assert v == returned_stats[k] | |
218 |
|
218 | |||
219 | def test_repo_refs_data(self, backend): |
|
219 | def test_repo_refs_data(self, backend): | |
220 | response = self.app.get( |
|
220 | response = self.app.get( | |
221 | route_path('repo_refs_data', repo_name=backend.repo_name), |
|
221 | route_path('repo_refs_data', repo_name=backend.repo_name), | |
222 | status=200) |
|
222 | status=200) | |
223 |
|
223 | |||
224 | # Ensure that there is the correct amount of items in the result |
|
224 | # Ensure that there is the correct amount of items in the result | |
225 | repo = backend.repo.scm_instance() |
|
225 | repo = backend.repo.scm_instance() | |
226 | data = response.json['results'] |
|
226 | data = response.json['results'] | |
227 | items = sum(len(section['children']) for section in data) |
|
227 | items = sum(len(section['children']) for section in data) | |
228 | repo_refs = len(repo.branches) + len(repo.tags) + len(repo.bookmarks) |
|
228 | repo_refs = len(repo.branches) + len(repo.tags) + len(repo.bookmarks) | |
229 | assert items == repo_refs |
|
229 | assert items == repo_refs | |
230 |
|
230 | |||
231 | def test_index_shows_missing_requirements_message( |
|
231 | def test_index_shows_missing_requirements_message( | |
232 | self, backend, autologin_user): |
|
232 | self, backend, autologin_user): | |
233 | repo_name = backend.repo_name |
|
233 | repo_name = backend.repo_name | |
234 | scm_patcher = mock.patch.object( |
|
234 | scm_patcher = mock.patch.object( | |
235 | Repository, 'scm_instance', side_effect=RepositoryRequirementError) |
|
235 | Repository, 'scm_instance', side_effect=RepositoryRequirementError) | |
236 |
|
236 | |||
237 | with scm_patcher: |
|
237 | with scm_patcher: | |
238 | response = self.app.get(route_path('repo_summary', repo_name=repo_name)) |
|
238 | response = self.app.get(route_path('repo_summary', repo_name=repo_name)) | |
239 | assert_response = AssertResponse(response) |
|
239 | assert_response = AssertResponse(response) | |
240 | assert_response.element_contains( |
|
240 | assert_response.element_contains( | |
241 | '.main .alert-warning strong', 'Missing requirements') |
|
241 | '.main .alert-warning strong', 'Missing requirements') | |
242 | assert_response.element_contains( |
|
242 | assert_response.element_contains( | |
243 | '.main .alert-warning', |
|
243 | '.main .alert-warning', | |
244 | 'Commits cannot be displayed, because this repository ' |
|
244 | 'Commits cannot be displayed, because this repository ' | |
245 | 'uses one or more extensions, which was not enabled.') |
|
245 | 'uses one or more extensions, which was not enabled.') | |
246 |
|
246 | |||
247 | def test_missing_requirements_page_does_not_contains_switch_to( |
|
247 | def test_missing_requirements_page_does_not_contains_switch_to( | |
248 | self, autologin_user, backend): |
|
248 | self, autologin_user, backend): | |
249 | repo_name = backend.repo_name |
|
249 | repo_name = backend.repo_name | |
250 | scm_patcher = mock.patch.object( |
|
250 | scm_patcher = mock.patch.object( | |
251 | Repository, 'scm_instance', side_effect=RepositoryRequirementError) |
|
251 | Repository, 'scm_instance', side_effect=RepositoryRequirementError) | |
252 |
|
252 | |||
253 | with scm_patcher: |
|
253 | with scm_patcher: | |
254 | response = self.app.get(route_path('repo_summary', repo_name=repo_name)) |
|
254 | response = self.app.get(route_path('repo_summary', repo_name=repo_name)) | |
255 | response.mustcontain(no='Switch To') |
|
255 | response.mustcontain(no='Switch To') | |
256 |
|
256 | |||
257 |
|
257 | |||
258 | @pytest.mark.usefixtures('app') |
|
258 | @pytest.mark.usefixtures('app') | |
259 | class TestRepoLocation(object): |
|
259 | class TestRepoLocation(object): | |
260 |
|
260 | |||
261 | @pytest.mark.parametrize("suffix", [u'', u'Δ ΔΕ'], ids=['', 'non-ascii']) |
|
261 | @pytest.mark.parametrize("suffix", [u'', u'Δ ΔΕ'], ids=['', 'non-ascii']) | |
262 | def test_missing_filesystem_repo( |
|
262 | def test_missing_filesystem_repo( | |
263 | self, autologin_user, backend, suffix, csrf_token): |
|
263 | self, autologin_user, backend, suffix, csrf_token): | |
264 | repo = backend.create_repo(name_suffix=suffix) |
|
264 | repo = backend.create_repo(name_suffix=suffix) | |
265 | repo_name = repo.repo_name |
|
265 | repo_name = repo.repo_name | |
266 |
|
266 | |||
267 | # delete from file system |
|
267 | # delete from file system | |
268 | RepoModel()._delete_filesystem_repo(repo) |
|
268 | RepoModel()._delete_filesystem_repo(repo) | |
269 |
|
269 | |||
270 | # test if the repo is still in the database |
|
270 | # test if the repo is still in the database | |
271 | new_repo = RepoModel().get_by_repo_name(repo_name) |
|
271 | new_repo = RepoModel().get_by_repo_name(repo_name) | |
272 | assert new_repo.repo_name == repo_name |
|
272 | assert new_repo.repo_name == repo_name | |
273 |
|
273 | |||
274 | # check if repo is not in the filesystem |
|
274 | # check if repo is not in the filesystem | |
275 | assert not repo_on_filesystem(repo_name) |
|
275 | assert not repo_on_filesystem(repo_name) | |
276 |
|
276 | |||
277 | response = self.app.get( |
|
277 | response = self.app.get( | |
278 | route_path('repo_summary', repo_name=safe_str(repo_name)), status=302) |
|
278 | route_path('repo_summary', repo_name=safe_str(repo_name)), status=302) | |
279 |
|
279 | |||
280 | msg = 'The repository `%s` cannot be loaded in filesystem. ' \ |
|
280 | msg = 'The repository `%s` cannot be loaded in filesystem. ' \ | |
281 | 'Please check if it exist, or is not damaged.' % repo_name |
|
281 | 'Please check if it exist, or is not damaged.' % repo_name | |
282 | assert_session_flash(response, msg) |
|
282 | assert_session_flash(response, msg) | |
283 |
|
283 | |||
284 | @pytest.mark.parametrize("suffix", [u'', u'Δ ΔΕ'], ids=['', 'non-ascii']) |
|
284 | @pytest.mark.parametrize("suffix", [u'', u'Δ ΔΕ'], ids=['', 'non-ascii']) | |
285 | def test_missing_filesystem_repo_on_repo_check( |
|
285 | def test_missing_filesystem_repo_on_repo_check( | |
286 | self, autologin_user, backend, suffix, csrf_token): |
|
286 | self, autologin_user, backend, suffix, csrf_token): | |
287 | repo = backend.create_repo(name_suffix=suffix) |
|
287 | repo = backend.create_repo(name_suffix=suffix) | |
288 | repo_name = repo.repo_name |
|
288 | repo_name = repo.repo_name | |
289 |
|
289 | |||
290 | # delete from file system |
|
290 | # delete from file system | |
291 | RepoModel()._delete_filesystem_repo(repo) |
|
291 | RepoModel()._delete_filesystem_repo(repo) | |
292 |
|
292 | |||
293 | # test if the repo is still in the database |
|
293 | # test if the repo is still in the database | |
294 | new_repo = RepoModel().get_by_repo_name(repo_name) |
|
294 | new_repo = RepoModel().get_by_repo_name(repo_name) | |
295 | assert new_repo.repo_name == repo_name |
|
295 | assert new_repo.repo_name == repo_name | |
296 |
|
296 | |||
297 | # check if repo is not in the filesystem |
|
297 | # check if repo is not in the filesystem | |
298 | assert not repo_on_filesystem(repo_name) |
|
298 | assert not repo_on_filesystem(repo_name) | |
299 |
|
299 | |||
300 | # flush the session |
|
300 | # flush the session | |
301 | self.app.get( |
|
301 | self.app.get( | |
302 | route_path('repo_summary', repo_name=safe_str(repo_name)), |
|
302 | route_path('repo_summary', repo_name=safe_str(repo_name)), | |
303 | status=302) |
|
303 | status=302) | |
304 |
|
304 | |||
305 | response = self.app.get( |
|
305 | response = self.app.get( | |
306 | route_path('repo_creating_check', repo_name=safe_str(repo_name)), |
|
306 | route_path('repo_creating_check', repo_name=safe_str(repo_name)), | |
307 | status=200) |
|
307 | status=200) | |
308 | msg = 'The repository `%s` cannot be loaded in filesystem. ' \ |
|
308 | msg = 'The repository `%s` cannot be loaded in filesystem. ' \ | |
309 | 'Please check if it exist, or is not damaged.' % repo_name |
|
309 | 'Please check if it exist, or is not damaged.' % repo_name | |
310 | assert_session_flash(response, msg ) |
|
310 | assert_session_flash(response, msg ) | |
311 |
|
311 | |||
312 |
|
312 | |||
313 | @pytest.fixture() |
|
313 | @pytest.fixture() | |
314 | def summary_view(context_stub, request_stub, user_util): |
|
314 | def summary_view(context_stub, request_stub, user_util): | |
315 | """ |
|
315 | """ | |
316 | Bootstrap view to test the view functions |
|
316 | Bootstrap view to test the view functions | |
317 | """ |
|
317 | """ | |
318 | request_stub.matched_route = AttributeDict(name='test_view') |
|
318 | request_stub.matched_route = AttributeDict(name='test_view') | |
319 |
|
319 | |||
320 | request_stub.user = user_util.create_user().AuthUser |
|
320 | request_stub.user = user_util.create_user().AuthUser() | |
321 | request_stub.db_repo = user_util.create_repo() |
|
321 | request_stub.db_repo = user_util.create_repo() | |
322 |
|
322 | |||
323 | view = RepoSummaryView(context=context_stub, request=request_stub) |
|
323 | view = RepoSummaryView(context=context_stub, request=request_stub) | |
324 | return view |
|
324 | return view | |
325 |
|
325 | |||
326 |
|
326 | |||
327 | @pytest.mark.usefixtures('app') |
|
327 | @pytest.mark.usefixtures('app') | |
328 | class TestCreateReferenceData(object): |
|
328 | class TestCreateReferenceData(object): | |
329 |
|
329 | |||
330 | @pytest.fixture |
|
330 | @pytest.fixture | |
331 | def example_refs(self): |
|
331 | def example_refs(self): | |
332 | section_1_refs = OrderedDict((('a', 'a_id'), ('b', 'b_id'))) |
|
332 | section_1_refs = OrderedDict((('a', 'a_id'), ('b', 'b_id'))) | |
333 | example_refs = [ |
|
333 | example_refs = [ | |
334 | ('section_1', section_1_refs, 't1'), |
|
334 | ('section_1', section_1_refs, 't1'), | |
335 | ('section_2', {'c': 'c_id'}, 't2'), |
|
335 | ('section_2', {'c': 'c_id'}, 't2'), | |
336 | ] |
|
336 | ] | |
337 | return example_refs |
|
337 | return example_refs | |
338 |
|
338 | |||
339 | def test_generates_refs_based_on_commit_ids(self, example_refs, summary_view): |
|
339 | def test_generates_refs_based_on_commit_ids(self, example_refs, summary_view): | |
340 | repo = mock.Mock() |
|
340 | repo = mock.Mock() | |
341 | repo.name = 'test-repo' |
|
341 | repo.name = 'test-repo' | |
342 | repo.alias = 'git' |
|
342 | repo.alias = 'git' | |
343 | full_repo_name = 'pytest-repo-group/' + repo.name |
|
343 | full_repo_name = 'pytest-repo-group/' + repo.name | |
344 |
|
344 | |||
345 | result = summary_view._create_reference_data( |
|
345 | result = summary_view._create_reference_data( | |
346 | repo, full_repo_name, example_refs) |
|
346 | repo, full_repo_name, example_refs) | |
347 |
|
347 | |||
348 | expected_files_url = '/{}/files/'.format(full_repo_name) |
|
348 | expected_files_url = '/{}/files/'.format(full_repo_name) | |
349 | expected_result = [ |
|
349 | expected_result = [ | |
350 | { |
|
350 | { | |
351 | 'children': [ |
|
351 | 'children': [ | |
352 | { |
|
352 | { | |
353 | 'id': 'a', 'raw_id': 'a_id', 'text': 'a', 'type': 't1', |
|
353 | 'id': 'a', 'raw_id': 'a_id', 'text': 'a', 'type': 't1', | |
354 | 'files_url': expected_files_url + 'a/?at=a', |
|
354 | 'files_url': expected_files_url + 'a/?at=a', | |
355 | }, |
|
355 | }, | |
356 | { |
|
356 | { | |
357 | 'id': 'b', 'raw_id': 'b_id', 'text': 'b', 'type': 't1', |
|
357 | 'id': 'b', 'raw_id': 'b_id', 'text': 'b', 'type': 't1', | |
358 | 'files_url': expected_files_url + 'b/?at=b', |
|
358 | 'files_url': expected_files_url + 'b/?at=b', | |
359 | } |
|
359 | } | |
360 | ], |
|
360 | ], | |
361 | 'text': 'section_1' |
|
361 | 'text': 'section_1' | |
362 | }, |
|
362 | }, | |
363 | { |
|
363 | { | |
364 | 'children': [ |
|
364 | 'children': [ | |
365 | { |
|
365 | { | |
366 | 'id': 'c', 'raw_id': 'c_id', 'text': 'c', 'type': 't2', |
|
366 | 'id': 'c', 'raw_id': 'c_id', 'text': 'c', 'type': 't2', | |
367 | 'files_url': expected_files_url + 'c/?at=c', |
|
367 | 'files_url': expected_files_url + 'c/?at=c', | |
368 | } |
|
368 | } | |
369 | ], |
|
369 | ], | |
370 | 'text': 'section_2' |
|
370 | 'text': 'section_2' | |
371 | }] |
|
371 | }] | |
372 | assert result == expected_result |
|
372 | assert result == expected_result | |
373 |
|
373 | |||
374 | def test_generates_refs_with_path_for_svn(self, example_refs, summary_view): |
|
374 | def test_generates_refs_with_path_for_svn(self, example_refs, summary_view): | |
375 | repo = mock.Mock() |
|
375 | repo = mock.Mock() | |
376 | repo.name = 'test-repo' |
|
376 | repo.name = 'test-repo' | |
377 | repo.alias = 'svn' |
|
377 | repo.alias = 'svn' | |
378 | full_repo_name = 'pytest-repo-group/' + repo.name |
|
378 | full_repo_name = 'pytest-repo-group/' + repo.name | |
379 |
|
379 | |||
380 | result = summary_view._create_reference_data( |
|
380 | result = summary_view._create_reference_data( | |
381 | repo, full_repo_name, example_refs) |
|
381 | repo, full_repo_name, example_refs) | |
382 |
|
382 | |||
383 | expected_files_url = '/{}/files/'.format(full_repo_name) |
|
383 | expected_files_url = '/{}/files/'.format(full_repo_name) | |
384 | expected_result = [ |
|
384 | expected_result = [ | |
385 | { |
|
385 | { | |
386 | 'children': [ |
|
386 | 'children': [ | |
387 | { |
|
387 | { | |
388 | 'id': 'a@a_id', 'raw_id': 'a_id', |
|
388 | 'id': 'a@a_id', 'raw_id': 'a_id', | |
389 | 'text': 'a', 'type': 't1', |
|
389 | 'text': 'a', 'type': 't1', | |
390 | 'files_url': expected_files_url + 'a_id/a?at=a', |
|
390 | 'files_url': expected_files_url + 'a_id/a?at=a', | |
391 | }, |
|
391 | }, | |
392 | { |
|
392 | { | |
393 | 'id': 'b@b_id', 'raw_id': 'b_id', |
|
393 | 'id': 'b@b_id', 'raw_id': 'b_id', | |
394 | 'text': 'b', 'type': 't1', |
|
394 | 'text': 'b', 'type': 't1', | |
395 | 'files_url': expected_files_url + 'b_id/b?at=b', |
|
395 | 'files_url': expected_files_url + 'b_id/b?at=b', | |
396 | } |
|
396 | } | |
397 | ], |
|
397 | ], | |
398 | 'text': 'section_1' |
|
398 | 'text': 'section_1' | |
399 | }, |
|
399 | }, | |
400 | { |
|
400 | { | |
401 | 'children': [ |
|
401 | 'children': [ | |
402 | { |
|
402 | { | |
403 | 'id': 'c@c_id', 'raw_id': 'c_id', |
|
403 | 'id': 'c@c_id', 'raw_id': 'c_id', | |
404 | 'text': 'c', 'type': 't2', |
|
404 | 'text': 'c', 'type': 't2', | |
405 | 'files_url': expected_files_url + 'c_id/c?at=c', |
|
405 | 'files_url': expected_files_url + 'c_id/c?at=c', | |
406 | } |
|
406 | } | |
407 | ], |
|
407 | ], | |
408 | 'text': 'section_2' |
|
408 | 'text': 'section_2' | |
409 | } |
|
409 | } | |
410 | ] |
|
410 | ] | |
411 | assert result == expected_result |
|
411 | assert result == expected_result | |
412 |
|
412 | |||
413 |
|
413 | |||
414 | class TestCreateFilesUrl(object): |
|
414 | class TestCreateFilesUrl(object): | |
415 |
|
415 | |||
416 | def test_creates_non_svn_url(self, app, summary_view): |
|
416 | def test_creates_non_svn_url(self, app, summary_view): | |
417 | repo = mock.Mock() |
|
417 | repo = mock.Mock() | |
418 | repo.name = 'abcde' |
|
418 | repo.name = 'abcde' | |
419 | full_repo_name = 'test-repo-group/' + repo.name |
|
419 | full_repo_name = 'test-repo-group/' + repo.name | |
420 | ref_name = 'branch1' |
|
420 | ref_name = 'branch1' | |
421 | raw_id = 'deadbeef0123456789' |
|
421 | raw_id = 'deadbeef0123456789' | |
422 | is_svn = False |
|
422 | is_svn = False | |
423 |
|
423 | |||
424 | with mock.patch('rhodecode.lib.helpers.route_path') as url_mock: |
|
424 | with mock.patch('rhodecode.lib.helpers.route_path') as url_mock: | |
425 | result = summary_view._create_files_url( |
|
425 | result = summary_view._create_files_url( | |
426 | repo, full_repo_name, ref_name, raw_id, is_svn) |
|
426 | repo, full_repo_name, ref_name, raw_id, is_svn) | |
427 | url_mock.assert_called_once_with( |
|
427 | url_mock.assert_called_once_with( | |
428 | 'repo_files', repo_name=full_repo_name, commit_id=ref_name, |
|
428 | 'repo_files', repo_name=full_repo_name, commit_id=ref_name, | |
429 | f_path='', _query=dict(at=ref_name)) |
|
429 | f_path='', _query=dict(at=ref_name)) | |
430 | assert result == url_mock.return_value |
|
430 | assert result == url_mock.return_value | |
431 |
|
431 | |||
432 | def test_creates_svn_url(self, app, summary_view): |
|
432 | def test_creates_svn_url(self, app, summary_view): | |
433 | repo = mock.Mock() |
|
433 | repo = mock.Mock() | |
434 | repo.name = 'abcde' |
|
434 | repo.name = 'abcde' | |
435 | full_repo_name = 'test-repo-group/' + repo.name |
|
435 | full_repo_name = 'test-repo-group/' + repo.name | |
436 | ref_name = 'branch1' |
|
436 | ref_name = 'branch1' | |
437 | raw_id = 'deadbeef0123456789' |
|
437 | raw_id = 'deadbeef0123456789' | |
438 | is_svn = True |
|
438 | is_svn = True | |
439 |
|
439 | |||
440 | with mock.patch('rhodecode.lib.helpers.route_path') as url_mock: |
|
440 | with mock.patch('rhodecode.lib.helpers.route_path') as url_mock: | |
441 | result = summary_view._create_files_url( |
|
441 | result = summary_view._create_files_url( | |
442 | repo, full_repo_name, ref_name, raw_id, is_svn) |
|
442 | repo, full_repo_name, ref_name, raw_id, is_svn) | |
443 | url_mock.assert_called_once_with( |
|
443 | url_mock.assert_called_once_with( | |
444 | 'repo_files', repo_name=full_repo_name, f_path=ref_name, |
|
444 | 'repo_files', repo_name=full_repo_name, f_path=ref_name, | |
445 | commit_id=raw_id, _query=dict(at=ref_name)) |
|
445 | commit_id=raw_id, _query=dict(at=ref_name)) | |
446 | assert result == url_mock.return_value |
|
446 | assert result == url_mock.return_value | |
447 |
|
447 | |||
448 | def test_name_has_slashes(self, app, summary_view): |
|
448 | def test_name_has_slashes(self, app, summary_view): | |
449 | repo = mock.Mock() |
|
449 | repo = mock.Mock() | |
450 | repo.name = 'abcde' |
|
450 | repo.name = 'abcde' | |
451 | full_repo_name = 'test-repo-group/' + repo.name |
|
451 | full_repo_name = 'test-repo-group/' + repo.name | |
452 | ref_name = 'branch1/branch2' |
|
452 | ref_name = 'branch1/branch2' | |
453 | raw_id = 'deadbeef0123456789' |
|
453 | raw_id = 'deadbeef0123456789' | |
454 | is_svn = False |
|
454 | is_svn = False | |
455 |
|
455 | |||
456 | with mock.patch('rhodecode.lib.helpers.route_path') as url_mock: |
|
456 | with mock.patch('rhodecode.lib.helpers.route_path') as url_mock: | |
457 | result = summary_view._create_files_url( |
|
457 | result = summary_view._create_files_url( | |
458 | repo, full_repo_name, ref_name, raw_id, is_svn) |
|
458 | repo, full_repo_name, ref_name, raw_id, is_svn) | |
459 | url_mock.assert_called_once_with( |
|
459 | url_mock.assert_called_once_with( | |
460 | 'repo_files', repo_name=full_repo_name, commit_id=raw_id, |
|
460 | 'repo_files', repo_name=full_repo_name, commit_id=raw_id, | |
461 | f_path='', _query=dict(at=ref_name)) |
|
461 | f_path='', _query=dict(at=ref_name)) | |
462 | assert result == url_mock.return_value |
|
462 | assert result == url_mock.return_value | |
463 |
|
463 | |||
464 |
|
464 | |||
465 | class TestReferenceItems(object): |
|
465 | class TestReferenceItems(object): | |
466 | repo = mock.Mock() |
|
466 | repo = mock.Mock() | |
467 | repo.name = 'pytest-repo' |
|
467 | repo.name = 'pytest-repo' | |
468 | repo_full_name = 'pytest-repo-group/' + repo.name |
|
468 | repo_full_name = 'pytest-repo-group/' + repo.name | |
469 | ref_type = 'branch' |
|
469 | ref_type = 'branch' | |
470 | fake_url = '/abcde/' |
|
470 | fake_url = '/abcde/' | |
471 |
|
471 | |||
472 | @staticmethod |
|
472 | @staticmethod | |
473 | def _format_function(name, id_): |
|
473 | def _format_function(name, id_): | |
474 | return 'format_function_{}_{}'.format(name, id_) |
|
474 | return 'format_function_{}_{}'.format(name, id_) | |
475 |
|
475 | |||
476 | def test_creates_required_amount_of_items(self, summary_view): |
|
476 | def test_creates_required_amount_of_items(self, summary_view): | |
477 | amount = 100 |
|
477 | amount = 100 | |
478 | refs = { |
|
478 | refs = { | |
479 | 'ref{}'.format(i): '{0:040d}'.format(i) |
|
479 | 'ref{}'.format(i): '{0:040d}'.format(i) | |
480 | for i in range(amount) |
|
480 | for i in range(amount) | |
481 | } |
|
481 | } | |
482 |
|
482 | |||
483 | url_patcher = mock.patch.object(summary_view, '_create_files_url') |
|
483 | url_patcher = mock.patch.object(summary_view, '_create_files_url') | |
484 | svn_patcher = mock.patch('rhodecode.lib.helpers.is_svn', |
|
484 | svn_patcher = mock.patch('rhodecode.lib.helpers.is_svn', | |
485 | return_value=False) |
|
485 | return_value=False) | |
486 |
|
486 | |||
487 | with url_patcher as url_mock, svn_patcher: |
|
487 | with url_patcher as url_mock, svn_patcher: | |
488 | result = summary_view._create_reference_items( |
|
488 | result = summary_view._create_reference_items( | |
489 | self.repo, self.repo_full_name, refs, self.ref_type, |
|
489 | self.repo, self.repo_full_name, refs, self.ref_type, | |
490 | self._format_function) |
|
490 | self._format_function) | |
491 | assert len(result) == amount |
|
491 | assert len(result) == amount | |
492 | assert url_mock.call_count == amount |
|
492 | assert url_mock.call_count == amount | |
493 |
|
493 | |||
494 | def test_single_item_details(self, summary_view): |
|
494 | def test_single_item_details(self, summary_view): | |
495 | ref_name = 'ref1' |
|
495 | ref_name = 'ref1' | |
496 | ref_id = 'deadbeef' |
|
496 | ref_id = 'deadbeef' | |
497 | refs = { |
|
497 | refs = { | |
498 | ref_name: ref_id |
|
498 | ref_name: ref_id | |
499 | } |
|
499 | } | |
500 |
|
500 | |||
501 | svn_patcher = mock.patch('rhodecode.lib.helpers.is_svn', |
|
501 | svn_patcher = mock.patch('rhodecode.lib.helpers.is_svn', | |
502 | return_value=False) |
|
502 | return_value=False) | |
503 |
|
503 | |||
504 | url_patcher = mock.patch.object( |
|
504 | url_patcher = mock.patch.object( | |
505 | summary_view, '_create_files_url', return_value=self.fake_url) |
|
505 | summary_view, '_create_files_url', return_value=self.fake_url) | |
506 |
|
506 | |||
507 | with url_patcher as url_mock, svn_patcher: |
|
507 | with url_patcher as url_mock, svn_patcher: | |
508 | result = summary_view._create_reference_items( |
|
508 | result = summary_view._create_reference_items( | |
509 | self.repo, self.repo_full_name, refs, self.ref_type, |
|
509 | self.repo, self.repo_full_name, refs, self.ref_type, | |
510 | self._format_function) |
|
510 | self._format_function) | |
511 |
|
511 | |||
512 | url_mock.assert_called_once_with( |
|
512 | url_mock.assert_called_once_with( | |
513 | self.repo, self.repo_full_name, ref_name, ref_id, False) |
|
513 | self.repo, self.repo_full_name, ref_name, ref_id, False) | |
514 | expected_result = [ |
|
514 | expected_result = [ | |
515 | { |
|
515 | { | |
516 | 'text': ref_name, |
|
516 | 'text': ref_name, | |
517 | 'id': self._format_function(ref_name, ref_id), |
|
517 | 'id': self._format_function(ref_name, ref_id), | |
518 | 'raw_id': ref_id, |
|
518 | 'raw_id': ref_id, | |
519 | 'type': self.ref_type, |
|
519 | 'type': self.ref_type, | |
520 | 'files_url': self.fake_url |
|
520 | 'files_url': self.fake_url | |
521 | } |
|
521 | } | |
522 | ] |
|
522 | ] | |
523 | assert result == expected_result |
|
523 | assert result == expected_result |
@@ -1,284 +1,284 b'' | |||||
1 | # -*- coding: utf-8 -*- |
|
1 | # -*- coding: utf-8 -*- | |
2 |
|
2 | |||
3 | # Copyright (C) 2012-2017 RhodeCode GmbH |
|
3 | # Copyright (C) 2012-2017 RhodeCode GmbH | |
4 | # |
|
4 | # | |
5 | # This program is free software: you can redistribute it and/or modify |
|
5 | # This program is free software: you can redistribute it and/or modify | |
6 | # it under the terms of the GNU Affero General Public License, version 3 |
|
6 | # it under the terms of the GNU Affero General Public License, version 3 | |
7 | # (only), as published by the Free Software Foundation. |
|
7 | # (only), as published by the Free Software Foundation. | |
8 | # |
|
8 | # | |
9 | # This program is distributed in the hope that it will be useful, |
|
9 | # This program is distributed in the hope that it will be useful, | |
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of |
|
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of | |
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the |
|
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |
12 | # GNU General Public License for more details. |
|
12 | # GNU General Public License for more details. | |
13 | # |
|
13 | # | |
14 | # You should have received a copy of the GNU Affero General Public License |
|
14 | # You should have received a copy of the GNU Affero General Public License | |
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. |
|
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. | |
16 | # |
|
16 | # | |
17 | # This program is dual-licensed. If you wish to learn more about the |
|
17 | # This program is dual-licensed. If you wish to learn more about the | |
18 | # RhodeCode Enterprise Edition, including its added features, Support services, |
|
18 | # RhodeCode Enterprise Edition, including its added features, Support services, | |
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ |
|
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |
20 |
|
20 | |||
21 | """ |
|
21 | """ | |
22 | RhodeCode authentication plugin for Atlassian CROWD |
|
22 | RhodeCode authentication plugin for Atlassian CROWD | |
23 | """ |
|
23 | """ | |
24 |
|
24 | |||
25 |
|
25 | |||
26 | import colander |
|
26 | import colander | |
27 | import base64 |
|
27 | import base64 | |
28 | import logging |
|
28 | import logging | |
29 | import urllib2 |
|
29 | import urllib2 | |
30 |
|
30 | |||
31 | from rhodecode.translation import _ |
|
31 | from rhodecode.translation import _ | |
32 | from rhodecode.authentication.base import ( |
|
32 | from rhodecode.authentication.base import ( | |
33 | RhodeCodeExternalAuthPlugin, hybrid_property) |
|
33 | RhodeCodeExternalAuthPlugin, hybrid_property) | |
34 | from rhodecode.authentication.schema import AuthnPluginSettingsSchemaBase |
|
34 | from rhodecode.authentication.schema import AuthnPluginSettingsSchemaBase | |
35 | from rhodecode.authentication.routes import AuthnPluginResourceBase |
|
35 | from rhodecode.authentication.routes import AuthnPluginResourceBase | |
36 | from rhodecode.lib.colander_utils import strip_whitespace |
|
36 | from rhodecode.lib.colander_utils import strip_whitespace | |
37 | from rhodecode.lib.ext_json import json, formatted_json |
|
37 | from rhodecode.lib.ext_json import json, formatted_json | |
38 | from rhodecode.model.db import User |
|
38 | from rhodecode.model.db import User | |
39 |
|
39 | |||
40 | log = logging.getLogger(__name__) |
|
40 | log = logging.getLogger(__name__) | |
41 |
|
41 | |||
42 |
|
42 | |||
43 | def plugin_factory(plugin_id, *args, **kwds): |
|
43 | def plugin_factory(plugin_id, *args, **kwds): | |
44 | """ |
|
44 | """ | |
45 | Factory function that is called during plugin discovery. |
|
45 | Factory function that is called during plugin discovery. | |
46 | It returns the plugin instance. |
|
46 | It returns the plugin instance. | |
47 | """ |
|
47 | """ | |
48 | plugin = RhodeCodeAuthPlugin(plugin_id) |
|
48 | plugin = RhodeCodeAuthPlugin(plugin_id) | |
49 | return plugin |
|
49 | return plugin | |
50 |
|
50 | |||
51 |
|
51 | |||
52 | class CrowdAuthnResource(AuthnPluginResourceBase): |
|
52 | class CrowdAuthnResource(AuthnPluginResourceBase): | |
53 | pass |
|
53 | pass | |
54 |
|
54 | |||
55 |
|
55 | |||
56 | class CrowdSettingsSchema(AuthnPluginSettingsSchemaBase): |
|
56 | class CrowdSettingsSchema(AuthnPluginSettingsSchemaBase): | |
57 | host = colander.SchemaNode( |
|
57 | host = colander.SchemaNode( | |
58 | colander.String(), |
|
58 | colander.String(), | |
59 | default='127.0.0.1', |
|
59 | default='127.0.0.1', | |
60 | description=_('The FQDN or IP of the Atlassian CROWD Server'), |
|
60 | description=_('The FQDN or IP of the Atlassian CROWD Server'), | |
61 | preparer=strip_whitespace, |
|
61 | preparer=strip_whitespace, | |
62 | title=_('Host'), |
|
62 | title=_('Host'), | |
63 | widget='string') |
|
63 | widget='string') | |
64 | port = colander.SchemaNode( |
|
64 | port = colander.SchemaNode( | |
65 | colander.Int(), |
|
65 | colander.Int(), | |
66 | default=8095, |
|
66 | default=8095, | |
67 | description=_('The Port in use by the Atlassian CROWD Server'), |
|
67 | description=_('The Port in use by the Atlassian CROWD Server'), | |
68 | preparer=strip_whitespace, |
|
68 | preparer=strip_whitespace, | |
69 | title=_('Port'), |
|
69 | title=_('Port'), | |
70 | validator=colander.Range(min=0, max=65536), |
|
70 | validator=colander.Range(min=0, max=65536), | |
71 | widget='int') |
|
71 | widget='int') | |
72 | app_name = colander.SchemaNode( |
|
72 | app_name = colander.SchemaNode( | |
73 | colander.String(), |
|
73 | colander.String(), | |
74 | default='', |
|
74 | default='', | |
75 | description=_('The Application Name to authenticate to CROWD'), |
|
75 | description=_('The Application Name to authenticate to CROWD'), | |
76 | preparer=strip_whitespace, |
|
76 | preparer=strip_whitespace, | |
77 | title=_('Application Name'), |
|
77 | title=_('Application Name'), | |
78 | widget='string') |
|
78 | widget='string') | |
79 | app_password = colander.SchemaNode( |
|
79 | app_password = colander.SchemaNode( | |
80 | colander.String(), |
|
80 | colander.String(), | |
81 | default='', |
|
81 | default='', | |
82 | description=_('The password to authenticate to CROWD'), |
|
82 | description=_('The password to authenticate to CROWD'), | |
83 | preparer=strip_whitespace, |
|
83 | preparer=strip_whitespace, | |
84 | title=_('Application Password'), |
|
84 | title=_('Application Password'), | |
85 | widget='password') |
|
85 | widget='password') | |
86 | admin_groups = colander.SchemaNode( |
|
86 | admin_groups = colander.SchemaNode( | |
87 | colander.String(), |
|
87 | colander.String(), | |
88 | default='', |
|
88 | default='', | |
89 | description=_('A comma separated list of group names that identify ' |
|
89 | description=_('A comma separated list of group names that identify ' | |
90 | 'users as RhodeCode Administrators'), |
|
90 | 'users as RhodeCode Administrators'), | |
91 | missing='', |
|
91 | missing='', | |
92 | preparer=strip_whitespace, |
|
92 | preparer=strip_whitespace, | |
93 | title=_('Admin Groups'), |
|
93 | title=_('Admin Groups'), | |
94 | widget='string') |
|
94 | widget='string') | |
95 |
|
95 | |||
96 |
|
96 | |||
97 | class CrowdServer(object): |
|
97 | class CrowdServer(object): | |
98 | def __init__(self, *args, **kwargs): |
|
98 | def __init__(self, *args, **kwargs): | |
99 | """ |
|
99 | """ | |
100 | Create a new CrowdServer object that points to IP/Address 'host', |
|
100 | Create a new CrowdServer object that points to IP/Address 'host', | |
101 | on the given port, and using the given method (https/http). user and |
|
101 | on the given port, and using the given method (https/http). user and | |
102 | passwd can be set here or with set_credentials. If unspecified, |
|
102 | passwd can be set here or with set_credentials. If unspecified, | |
103 | "version" defaults to "latest". |
|
103 | "version" defaults to "latest". | |
104 |
|
104 | |||
105 | example:: |
|
105 | example:: | |
106 |
|
106 | |||
107 | cserver = CrowdServer(host="127.0.0.1", |
|
107 | cserver = CrowdServer(host="127.0.0.1", | |
108 | port="8095", |
|
108 | port="8095", | |
109 | user="some_app", |
|
109 | user="some_app", | |
110 | passwd="some_passwd", |
|
110 | passwd="some_passwd", | |
111 | version="1") |
|
111 | version="1") | |
112 | """ |
|
112 | """ | |
113 | if not "port" in kwargs: |
|
113 | if not "port" in kwargs: | |
114 | kwargs["port"] = "8095" |
|
114 | kwargs["port"] = "8095" | |
115 | self._logger = kwargs.get("logger", logging.getLogger(__name__)) |
|
115 | self._logger = kwargs.get("logger", logging.getLogger(__name__)) | |
116 | self._uri = "%s://%s:%s/crowd" % (kwargs.get("method", "http"), |
|
116 | self._uri = "%s://%s:%s/crowd" % (kwargs.get("method", "http"), | |
117 | kwargs.get("host", "127.0.0.1"), |
|
117 | kwargs.get("host", "127.0.0.1"), | |
118 | kwargs.get("port", "8095")) |
|
118 | kwargs.get("port", "8095")) | |
119 | self.set_credentials(kwargs.get("user", ""), |
|
119 | self.set_credentials(kwargs.get("user", ""), | |
120 | kwargs.get("passwd", "")) |
|
120 | kwargs.get("passwd", "")) | |
121 | self._version = kwargs.get("version", "latest") |
|
121 | self._version = kwargs.get("version", "latest") | |
122 | self._url_list = None |
|
122 | self._url_list = None | |
123 | self._appname = "crowd" |
|
123 | self._appname = "crowd" | |
124 |
|
124 | |||
125 | def set_credentials(self, user, passwd): |
|
125 | def set_credentials(self, user, passwd): | |
126 | self.user = user |
|
126 | self.user = user | |
127 | self.passwd = passwd |
|
127 | self.passwd = passwd | |
128 | self._make_opener() |
|
128 | self._make_opener() | |
129 |
|
129 | |||
130 | def _make_opener(self): |
|
130 | def _make_opener(self): | |
131 | mgr = urllib2.HTTPPasswordMgrWithDefaultRealm() |
|
131 | mgr = urllib2.HTTPPasswordMgrWithDefaultRealm() | |
132 | mgr.add_password(None, self._uri, self.user, self.passwd) |
|
132 | mgr.add_password(None, self._uri, self.user, self.passwd) | |
133 | handler = urllib2.HTTPBasicAuthHandler(mgr) |
|
133 | handler = urllib2.HTTPBasicAuthHandler(mgr) | |
134 | self.opener = urllib2.build_opener(handler) |
|
134 | self.opener = urllib2.build_opener(handler) | |
135 |
|
135 | |||
136 | def _request(self, url, body=None, headers=None, |
|
136 | def _request(self, url, body=None, headers=None, | |
137 | method=None, noformat=False, |
|
137 | method=None, noformat=False, | |
138 | empty_response_ok=False): |
|
138 | empty_response_ok=False): | |
139 | _headers = {"Content-type": "application/json", |
|
139 | _headers = {"Content-type": "application/json", | |
140 | "Accept": "application/json"} |
|
140 | "Accept": "application/json"} | |
141 | if self.user and self.passwd: |
|
141 | if self.user and self.passwd: | |
142 | authstring = base64.b64encode("%s:%s" % (self.user, self.passwd)) |
|
142 | authstring = base64.b64encode("%s:%s" % (self.user, self.passwd)) | |
143 | _headers["Authorization"] = "Basic %s" % authstring |
|
143 | _headers["Authorization"] = "Basic %s" % authstring | |
144 | if headers: |
|
144 | if headers: | |
145 | _headers.update(headers) |
|
145 | _headers.update(headers) | |
146 | log.debug("Sent crowd: \n%s" |
|
146 | log.debug("Sent crowd: \n%s" | |
147 | % (formatted_json({"url": url, "body": body, |
|
147 | % (formatted_json({"url": url, "body": body, | |
148 | "headers": _headers}))) |
|
148 | "headers": _headers}))) | |
149 | request = urllib2.Request(url, body, _headers) |
|
149 | request = urllib2.Request(url, body, _headers) | |
150 | if method: |
|
150 | if method: | |
151 | request.get_method = lambda: method |
|
151 | request.get_method = lambda: method | |
152 |
|
152 | |||
153 | global msg |
|
153 | global msg | |
154 | msg = "" |
|
154 | msg = "" | |
155 | try: |
|
155 | try: | |
156 | rdoc = self.opener.open(request) |
|
156 | rdoc = self.opener.open(request) | |
157 | msg = "".join(rdoc.readlines()) |
|
157 | msg = "".join(rdoc.readlines()) | |
158 | if not msg and empty_response_ok: |
|
158 | if not msg and empty_response_ok: | |
159 | rval = {} |
|
159 | rval = {} | |
160 | rval["status"] = True |
|
160 | rval["status"] = True | |
161 | rval["error"] = "Response body was empty" |
|
161 | rval["error"] = "Response body was empty" | |
162 | elif not noformat: |
|
162 | elif not noformat: | |
163 | rval = json.loads(msg) |
|
163 | rval = json.loads(msg) | |
164 | rval["status"] = True |
|
164 | rval["status"] = True | |
165 | else: |
|
165 | else: | |
166 | rval = "".join(rdoc.readlines()) |
|
166 | rval = "".join(rdoc.readlines()) | |
167 | except Exception as e: |
|
167 | except Exception as e: | |
168 | if not noformat: |
|
168 | if not noformat: | |
169 | rval = {"status": False, |
|
169 | rval = {"status": False, | |
170 | "body": body, |
|
170 | "body": body, | |
171 | "error": str(e) + "\n" + msg} |
|
171 | "error": str(e) + "\n" + msg} | |
172 | else: |
|
172 | else: | |
173 | rval = None |
|
173 | rval = None | |
174 | return rval |
|
174 | return rval | |
175 |
|
175 | |||
176 | def user_auth(self, username, password): |
|
176 | def user_auth(self, username, password): | |
177 | """Authenticate a user against crowd. Returns brief information about |
|
177 | """Authenticate a user against crowd. Returns brief information about | |
178 | the user.""" |
|
178 | the user.""" | |
179 | url = ("%s/rest/usermanagement/%s/authentication?username=%s" |
|
179 | url = ("%s/rest/usermanagement/%s/authentication?username=%s" | |
180 | % (self._uri, self._version, username)) |
|
180 | % (self._uri, self._version, username)) | |
181 | body = json.dumps({"value": password}) |
|
181 | body = json.dumps({"value": password}) | |
182 | return self._request(url, body) |
|
182 | return self._request(url, body) | |
183 |
|
183 | |||
184 | def user_groups(self, username): |
|
184 | def user_groups(self, username): | |
185 | """Retrieve a list of groups to which this user belongs.""" |
|
185 | """Retrieve a list of groups to which this user belongs.""" | |
186 | url = ("%s/rest/usermanagement/%s/user/group/nested?username=%s" |
|
186 | url = ("%s/rest/usermanagement/%s/user/group/nested?username=%s" | |
187 | % (self._uri, self._version, username)) |
|
187 | % (self._uri, self._version, username)) | |
188 | return self._request(url) |
|
188 | return self._request(url) | |
189 |
|
189 | |||
190 |
|
190 | |||
191 | class RhodeCodeAuthPlugin(RhodeCodeExternalAuthPlugin): |
|
191 | class RhodeCodeAuthPlugin(RhodeCodeExternalAuthPlugin): | |
192 | _settings_unsafe_keys = ['app_password'] |
|
192 | _settings_unsafe_keys = ['app_password'] | |
193 |
|
193 | |||
194 | def includeme(self, config): |
|
194 | def includeme(self, config): | |
195 | config.add_authn_plugin(self) |
|
195 | config.add_authn_plugin(self) | |
196 | config.add_authn_resource(self.get_id(), CrowdAuthnResource(self)) |
|
196 | config.add_authn_resource(self.get_id(), CrowdAuthnResource(self)) | |
197 | config.add_view( |
|
197 | config.add_view( | |
198 | 'rhodecode.authentication.views.AuthnPluginViewBase', |
|
198 | 'rhodecode.authentication.views.AuthnPluginViewBase', | |
199 | attr='settings_get', |
|
199 | attr='settings_get', | |
200 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', |
|
200 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', | |
201 | request_method='GET', |
|
201 | request_method='GET', | |
202 | route_name='auth_home', |
|
202 | route_name='auth_home', | |
203 | context=CrowdAuthnResource) |
|
203 | context=CrowdAuthnResource) | |
204 | config.add_view( |
|
204 | config.add_view( | |
205 | 'rhodecode.authentication.views.AuthnPluginViewBase', |
|
205 | 'rhodecode.authentication.views.AuthnPluginViewBase', | |
206 | attr='settings_post', |
|
206 | attr='settings_post', | |
207 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', |
|
207 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', | |
208 | request_method='POST', |
|
208 | request_method='POST', | |
209 | route_name='auth_home', |
|
209 | route_name='auth_home', | |
210 | context=CrowdAuthnResource) |
|
210 | context=CrowdAuthnResource) | |
211 |
|
211 | |||
212 | def get_settings_schema(self): |
|
212 | def get_settings_schema(self): | |
213 | return CrowdSettingsSchema() |
|
213 | return CrowdSettingsSchema() | |
214 |
|
214 | |||
215 | def get_display_name(self): |
|
215 | def get_display_name(self): | |
216 | return _('CROWD') |
|
216 | return _('CROWD') | |
217 |
|
217 | |||
218 | @hybrid_property |
|
218 | @hybrid_property | |
219 | def name(self): |
|
219 | def name(self): | |
220 | return "crowd" |
|
220 | return "crowd" | |
221 |
|
221 | |||
222 | def use_fake_password(self): |
|
222 | def use_fake_password(self): | |
223 | return True |
|
223 | return True | |
224 |
|
224 | |||
225 | def user_activation_state(self): |
|
225 | def user_activation_state(self): | |
226 | def_user_perms = User.get_default_user().AuthUser.permissions['global'] |
|
226 | def_user_perms = User.get_default_user().AuthUser().permissions['global'] | |
227 | return 'hg.extern_activate.auto' in def_user_perms |
|
227 | return 'hg.extern_activate.auto' in def_user_perms | |
228 |
|
228 | |||
229 | def auth(self, userobj, username, password, settings, **kwargs): |
|
229 | def auth(self, userobj, username, password, settings, **kwargs): | |
230 | """ |
|
230 | """ | |
231 | Given a user object (which may be null), username, a plaintext password, |
|
231 | Given a user object (which may be null), username, a plaintext password, | |
232 | and a settings object (containing all the keys needed as listed in settings()), |
|
232 | and a settings object (containing all the keys needed as listed in settings()), | |
233 | authenticate this user's login attempt. |
|
233 | authenticate this user's login attempt. | |
234 |
|
234 | |||
235 | Return None on failure. On success, return a dictionary of the form: |
|
235 | Return None on failure. On success, return a dictionary of the form: | |
236 |
|
236 | |||
237 | see: RhodeCodeAuthPluginBase.auth_func_attrs |
|
237 | see: RhodeCodeAuthPluginBase.auth_func_attrs | |
238 | This is later validated for correctness |
|
238 | This is later validated for correctness | |
239 | """ |
|
239 | """ | |
240 | if not username or not password: |
|
240 | if not username or not password: | |
241 | log.debug('Empty username or password skipping...') |
|
241 | log.debug('Empty username or password skipping...') | |
242 | return None |
|
242 | return None | |
243 |
|
243 | |||
244 | log.debug("Crowd settings: \n%s" % (formatted_json(settings))) |
|
244 | log.debug("Crowd settings: \n%s" % (formatted_json(settings))) | |
245 | server = CrowdServer(**settings) |
|
245 | server = CrowdServer(**settings) | |
246 | server.set_credentials(settings["app_name"], settings["app_password"]) |
|
246 | server.set_credentials(settings["app_name"], settings["app_password"]) | |
247 | crowd_user = server.user_auth(username, password) |
|
247 | crowd_user = server.user_auth(username, password) | |
248 | log.debug("Crowd returned: \n%s" % (formatted_json(crowd_user))) |
|
248 | log.debug("Crowd returned: \n%s" % (formatted_json(crowd_user))) | |
249 | if not crowd_user["status"]: |
|
249 | if not crowd_user["status"]: | |
250 | return None |
|
250 | return None | |
251 |
|
251 | |||
252 | res = server.user_groups(crowd_user["name"]) |
|
252 | res = server.user_groups(crowd_user["name"]) | |
253 | log.debug("Crowd groups: \n%s" % (formatted_json(res))) |
|
253 | log.debug("Crowd groups: \n%s" % (formatted_json(res))) | |
254 | crowd_user["groups"] = [x["name"] for x in res["groups"]] |
|
254 | crowd_user["groups"] = [x["name"] for x in res["groups"]] | |
255 |
|
255 | |||
256 | # old attrs fetched from RhodeCode database |
|
256 | # old attrs fetched from RhodeCode database | |
257 | admin = getattr(userobj, 'admin', False) |
|
257 | admin = getattr(userobj, 'admin', False) | |
258 | active = getattr(userobj, 'active', True) |
|
258 | active = getattr(userobj, 'active', True) | |
259 | email = getattr(userobj, 'email', '') |
|
259 | email = getattr(userobj, 'email', '') | |
260 | username = getattr(userobj, 'username', username) |
|
260 | username = getattr(userobj, 'username', username) | |
261 | firstname = getattr(userobj, 'firstname', '') |
|
261 | firstname = getattr(userobj, 'firstname', '') | |
262 | lastname = getattr(userobj, 'lastname', '') |
|
262 | lastname = getattr(userobj, 'lastname', '') | |
263 | extern_type = getattr(userobj, 'extern_type', '') |
|
263 | extern_type = getattr(userobj, 'extern_type', '') | |
264 |
|
264 | |||
265 | user_attrs = { |
|
265 | user_attrs = { | |
266 | 'username': username, |
|
266 | 'username': username, | |
267 | 'firstname': crowd_user["first-name"] or firstname, |
|
267 | 'firstname': crowd_user["first-name"] or firstname, | |
268 | 'lastname': crowd_user["last-name"] or lastname, |
|
268 | 'lastname': crowd_user["last-name"] or lastname, | |
269 | 'groups': crowd_user["groups"], |
|
269 | 'groups': crowd_user["groups"], | |
270 | 'email': crowd_user["email"] or email, |
|
270 | 'email': crowd_user["email"] or email, | |
271 | 'admin': admin, |
|
271 | 'admin': admin, | |
272 | 'active': active, |
|
272 | 'active': active, | |
273 | 'active_from_extern': crowd_user.get('active'), |
|
273 | 'active_from_extern': crowd_user.get('active'), | |
274 | 'extern_name': crowd_user["name"], |
|
274 | 'extern_name': crowd_user["name"], | |
275 | 'extern_type': extern_type, |
|
275 | 'extern_type': extern_type, | |
276 | } |
|
276 | } | |
277 |
|
277 | |||
278 | # set an admin if we're in admin_groups of crowd |
|
278 | # set an admin if we're in admin_groups of crowd | |
279 | for group in settings["admin_groups"]: |
|
279 | for group in settings["admin_groups"]: | |
280 | if group in user_attrs["groups"]: |
|
280 | if group in user_attrs["groups"]: | |
281 | user_attrs["admin"] = True |
|
281 | user_attrs["admin"] = True | |
282 | log.debug("Final crowd user object: \n%s" % (formatted_json(user_attrs))) |
|
282 | log.debug("Final crowd user object: \n%s" % (formatted_json(user_attrs))) | |
283 | log.info('user %s authenticated correctly' % user_attrs['username']) |
|
283 | log.info('user %s authenticated correctly' % user_attrs['username']) | |
284 | return user_attrs |
|
284 | return user_attrs |
@@ -1,224 +1,224 b'' | |||||
1 | # -*- coding: utf-8 -*- |
|
1 | # -*- coding: utf-8 -*- | |
2 |
|
2 | |||
3 | # Copyright (C) 2012-2017 RhodeCode GmbH |
|
3 | # Copyright (C) 2012-2017 RhodeCode GmbH | |
4 | # |
|
4 | # | |
5 | # This program is free software: you can redistribute it and/or modify |
|
5 | # This program is free software: you can redistribute it and/or modify | |
6 | # it under the terms of the GNU Affero General Public License, version 3 |
|
6 | # it under the terms of the GNU Affero General Public License, version 3 | |
7 | # (only), as published by the Free Software Foundation. |
|
7 | # (only), as published by the Free Software Foundation. | |
8 | # |
|
8 | # | |
9 | # This program is distributed in the hope that it will be useful, |
|
9 | # This program is distributed in the hope that it will be useful, | |
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of |
|
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of | |
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the |
|
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |
12 | # GNU General Public License for more details. |
|
12 | # GNU General Public License for more details. | |
13 | # |
|
13 | # | |
14 | # You should have received a copy of the GNU Affero General Public License |
|
14 | # You should have received a copy of the GNU Affero General Public License | |
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. |
|
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. | |
16 | # |
|
16 | # | |
17 | # This program is dual-licensed. If you wish to learn more about the |
|
17 | # This program is dual-licensed. If you wish to learn more about the | |
18 | # RhodeCode Enterprise Edition, including its added features, Support services, |
|
18 | # RhodeCode Enterprise Edition, including its added features, Support services, | |
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ |
|
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |
20 |
|
20 | |||
21 | import colander |
|
21 | import colander | |
22 | import logging |
|
22 | import logging | |
23 |
|
23 | |||
24 | from rhodecode.translation import _ |
|
24 | from rhodecode.translation import _ | |
25 | from rhodecode.authentication.base import ( |
|
25 | from rhodecode.authentication.base import ( | |
26 | RhodeCodeExternalAuthPlugin, hybrid_property) |
|
26 | RhodeCodeExternalAuthPlugin, hybrid_property) | |
27 | from rhodecode.authentication.schema import AuthnPluginSettingsSchemaBase |
|
27 | from rhodecode.authentication.schema import AuthnPluginSettingsSchemaBase | |
28 | from rhodecode.authentication.routes import AuthnPluginResourceBase |
|
28 | from rhodecode.authentication.routes import AuthnPluginResourceBase | |
29 | from rhodecode.lib.colander_utils import strip_whitespace |
|
29 | from rhodecode.lib.colander_utils import strip_whitespace | |
30 | from rhodecode.lib.utils2 import str2bool, safe_unicode |
|
30 | from rhodecode.lib.utils2 import str2bool, safe_unicode | |
31 | from rhodecode.model.db import User |
|
31 | from rhodecode.model.db import User | |
32 |
|
32 | |||
33 |
|
33 | |||
34 | log = logging.getLogger(__name__) |
|
34 | log = logging.getLogger(__name__) | |
35 |
|
35 | |||
36 |
|
36 | |||
37 | def plugin_factory(plugin_id, *args, **kwds): |
|
37 | def plugin_factory(plugin_id, *args, **kwds): | |
38 | """ |
|
38 | """ | |
39 | Factory function that is called during plugin discovery. |
|
39 | Factory function that is called during plugin discovery. | |
40 | It returns the plugin instance. |
|
40 | It returns the plugin instance. | |
41 | """ |
|
41 | """ | |
42 | plugin = RhodeCodeAuthPlugin(plugin_id) |
|
42 | plugin = RhodeCodeAuthPlugin(plugin_id) | |
43 | return plugin |
|
43 | return plugin | |
44 |
|
44 | |||
45 |
|
45 | |||
46 | class HeadersAuthnResource(AuthnPluginResourceBase): |
|
46 | class HeadersAuthnResource(AuthnPluginResourceBase): | |
47 | pass |
|
47 | pass | |
48 |
|
48 | |||
49 |
|
49 | |||
50 | class HeadersSettingsSchema(AuthnPluginSettingsSchemaBase): |
|
50 | class HeadersSettingsSchema(AuthnPluginSettingsSchemaBase): | |
51 | header = colander.SchemaNode( |
|
51 | header = colander.SchemaNode( | |
52 | colander.String(), |
|
52 | colander.String(), | |
53 | default='REMOTE_USER', |
|
53 | default='REMOTE_USER', | |
54 | description=_('Header to extract the user from'), |
|
54 | description=_('Header to extract the user from'), | |
55 | preparer=strip_whitespace, |
|
55 | preparer=strip_whitespace, | |
56 | title=_('Header'), |
|
56 | title=_('Header'), | |
57 | widget='string') |
|
57 | widget='string') | |
58 | fallback_header = colander.SchemaNode( |
|
58 | fallback_header = colander.SchemaNode( | |
59 | colander.String(), |
|
59 | colander.String(), | |
60 | default='HTTP_X_FORWARDED_USER', |
|
60 | default='HTTP_X_FORWARDED_USER', | |
61 | description=_('Header to extract the user from when main one fails'), |
|
61 | description=_('Header to extract the user from when main one fails'), | |
62 | preparer=strip_whitespace, |
|
62 | preparer=strip_whitespace, | |
63 | title=_('Fallback header'), |
|
63 | title=_('Fallback header'), | |
64 | widget='string') |
|
64 | widget='string') | |
65 | clean_username = colander.SchemaNode( |
|
65 | clean_username = colander.SchemaNode( | |
66 | colander.Boolean(), |
|
66 | colander.Boolean(), | |
67 | default=True, |
|
67 | default=True, | |
68 | description=_('Perform cleaning of user, if passed user has @ in ' |
|
68 | description=_('Perform cleaning of user, if passed user has @ in ' | |
69 | 'username then first part before @ is taken. ' |
|
69 | 'username then first part before @ is taken. ' | |
70 | 'If there\'s \\ in the username only the part after ' |
|
70 | 'If there\'s \\ in the username only the part after ' | |
71 | ' \\ is taken'), |
|
71 | ' \\ is taken'), | |
72 | missing=False, |
|
72 | missing=False, | |
73 | title=_('Clean username'), |
|
73 | title=_('Clean username'), | |
74 | widget='bool') |
|
74 | widget='bool') | |
75 |
|
75 | |||
76 |
|
76 | |||
77 | class RhodeCodeAuthPlugin(RhodeCodeExternalAuthPlugin): |
|
77 | class RhodeCodeAuthPlugin(RhodeCodeExternalAuthPlugin): | |
78 |
|
78 | |||
79 | def includeme(self, config): |
|
79 | def includeme(self, config): | |
80 | config.add_authn_plugin(self) |
|
80 | config.add_authn_plugin(self) | |
81 | config.add_authn_resource(self.get_id(), HeadersAuthnResource(self)) |
|
81 | config.add_authn_resource(self.get_id(), HeadersAuthnResource(self)) | |
82 | config.add_view( |
|
82 | config.add_view( | |
83 | 'rhodecode.authentication.views.AuthnPluginViewBase', |
|
83 | 'rhodecode.authentication.views.AuthnPluginViewBase', | |
84 | attr='settings_get', |
|
84 | attr='settings_get', | |
85 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', |
|
85 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', | |
86 | request_method='GET', |
|
86 | request_method='GET', | |
87 | route_name='auth_home', |
|
87 | route_name='auth_home', | |
88 | context=HeadersAuthnResource) |
|
88 | context=HeadersAuthnResource) | |
89 | config.add_view( |
|
89 | config.add_view( | |
90 | 'rhodecode.authentication.views.AuthnPluginViewBase', |
|
90 | 'rhodecode.authentication.views.AuthnPluginViewBase', | |
91 | attr='settings_post', |
|
91 | attr='settings_post', | |
92 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', |
|
92 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', | |
93 | request_method='POST', |
|
93 | request_method='POST', | |
94 | route_name='auth_home', |
|
94 | route_name='auth_home', | |
95 | context=HeadersAuthnResource) |
|
95 | context=HeadersAuthnResource) | |
96 |
|
96 | |||
97 | def get_display_name(self): |
|
97 | def get_display_name(self): | |
98 | return _('Headers') |
|
98 | return _('Headers') | |
99 |
|
99 | |||
100 | def get_settings_schema(self): |
|
100 | def get_settings_schema(self): | |
101 | return HeadersSettingsSchema() |
|
101 | return HeadersSettingsSchema() | |
102 |
|
102 | |||
103 | @hybrid_property |
|
103 | @hybrid_property | |
104 | def name(self): |
|
104 | def name(self): | |
105 | return 'headers' |
|
105 | return 'headers' | |
106 |
|
106 | |||
107 | @property |
|
107 | @property | |
108 | def is_headers_auth(self): |
|
108 | def is_headers_auth(self): | |
109 | return True |
|
109 | return True | |
110 |
|
110 | |||
111 | def use_fake_password(self): |
|
111 | def use_fake_password(self): | |
112 | return True |
|
112 | return True | |
113 |
|
113 | |||
114 | def user_activation_state(self): |
|
114 | def user_activation_state(self): | |
115 | def_user_perms = User.get_default_user().AuthUser.permissions['global'] |
|
115 | def_user_perms = User.get_default_user().AuthUser().permissions['global'] | |
116 | return 'hg.extern_activate.auto' in def_user_perms |
|
116 | return 'hg.extern_activate.auto' in def_user_perms | |
117 |
|
117 | |||
118 | def _clean_username(self, username): |
|
118 | def _clean_username(self, username): | |
119 | # Removing realm and domain from username |
|
119 | # Removing realm and domain from username | |
120 | username = username.split('@')[0] |
|
120 | username = username.split('@')[0] | |
121 | username = username.rsplit('\\')[-1] |
|
121 | username = username.rsplit('\\')[-1] | |
122 | return username |
|
122 | return username | |
123 |
|
123 | |||
124 | def _get_username(self, environ, settings): |
|
124 | def _get_username(self, environ, settings): | |
125 | username = None |
|
125 | username = None | |
126 | environ = environ or {} |
|
126 | environ = environ or {} | |
127 | if not environ: |
|
127 | if not environ: | |
128 | log.debug('got empty environ: %s' % environ) |
|
128 | log.debug('got empty environ: %s' % environ) | |
129 |
|
129 | |||
130 | settings = settings or {} |
|
130 | settings = settings or {} | |
131 | if settings.get('header'): |
|
131 | if settings.get('header'): | |
132 | header = settings.get('header') |
|
132 | header = settings.get('header') | |
133 | username = environ.get(header) |
|
133 | username = environ.get(header) | |
134 | log.debug('extracted %s:%s' % (header, username)) |
|
134 | log.debug('extracted %s:%s' % (header, username)) | |
135 |
|
135 | |||
136 | # fallback mode |
|
136 | # fallback mode | |
137 | if not username and settings.get('fallback_header'): |
|
137 | if not username and settings.get('fallback_header'): | |
138 | header = settings.get('fallback_header') |
|
138 | header = settings.get('fallback_header') | |
139 | username = environ.get(header) |
|
139 | username = environ.get(header) | |
140 | log.debug('extracted %s:%s' % (header, username)) |
|
140 | log.debug('extracted %s:%s' % (header, username)) | |
141 |
|
141 | |||
142 | if username and str2bool(settings.get('clean_username')): |
|
142 | if username and str2bool(settings.get('clean_username')): | |
143 | log.debug('Received username `%s` from headers' % username) |
|
143 | log.debug('Received username `%s` from headers' % username) | |
144 | username = self._clean_username(username) |
|
144 | username = self._clean_username(username) | |
145 | log.debug('New cleanup user is:%s' % username) |
|
145 | log.debug('New cleanup user is:%s' % username) | |
146 | return username |
|
146 | return username | |
147 |
|
147 | |||
148 | def get_user(self, username=None, **kwargs): |
|
148 | def get_user(self, username=None, **kwargs): | |
149 | """ |
|
149 | """ | |
150 | Helper method for user fetching in plugins, by default it's using |
|
150 | Helper method for user fetching in plugins, by default it's using | |
151 | simple fetch by username, but this method can be custimized in plugins |
|
151 | simple fetch by username, but this method can be custimized in plugins | |
152 | eg. headers auth plugin to fetch user by environ params |
|
152 | eg. headers auth plugin to fetch user by environ params | |
153 | :param username: username if given to fetch |
|
153 | :param username: username if given to fetch | |
154 | :param kwargs: extra arguments needed for user fetching. |
|
154 | :param kwargs: extra arguments needed for user fetching. | |
155 | """ |
|
155 | """ | |
156 | environ = kwargs.get('environ') or {} |
|
156 | environ = kwargs.get('environ') or {} | |
157 | settings = kwargs.get('settings') or {} |
|
157 | settings = kwargs.get('settings') or {} | |
158 | username = self._get_username(environ, settings) |
|
158 | username = self._get_username(environ, settings) | |
159 | # we got the username, so use default method now |
|
159 | # we got the username, so use default method now | |
160 | return super(RhodeCodeAuthPlugin, self).get_user(username) |
|
160 | return super(RhodeCodeAuthPlugin, self).get_user(username) | |
161 |
|
161 | |||
162 | def auth(self, userobj, username, password, settings, **kwargs): |
|
162 | def auth(self, userobj, username, password, settings, **kwargs): | |
163 | """ |
|
163 | """ | |
164 | Get's the headers_auth username (or email). It tries to get username |
|
164 | Get's the headers_auth username (or email). It tries to get username | |
165 | from REMOTE_USER if this plugin is enabled, if that fails |
|
165 | from REMOTE_USER if this plugin is enabled, if that fails | |
166 | it tries to get username from HTTP_X_FORWARDED_USER if fallback header |
|
166 | it tries to get username from HTTP_X_FORWARDED_USER if fallback header | |
167 | is set. clean_username extracts the username from this data if it's |
|
167 | is set. clean_username extracts the username from this data if it's | |
168 | having @ in it. |
|
168 | having @ in it. | |
169 | Return None on failure. On success, return a dictionary of the form: |
|
169 | Return None on failure. On success, return a dictionary of the form: | |
170 |
|
170 | |||
171 | see: RhodeCodeAuthPluginBase.auth_func_attrs |
|
171 | see: RhodeCodeAuthPluginBase.auth_func_attrs | |
172 |
|
172 | |||
173 | :param userobj: |
|
173 | :param userobj: | |
174 | :param username: |
|
174 | :param username: | |
175 | :param password: |
|
175 | :param password: | |
176 | :param settings: |
|
176 | :param settings: | |
177 | :param kwargs: |
|
177 | :param kwargs: | |
178 | """ |
|
178 | """ | |
179 | environ = kwargs.get('environ') |
|
179 | environ = kwargs.get('environ') | |
180 | if not environ: |
|
180 | if not environ: | |
181 | log.debug('Empty environ data skipping...') |
|
181 | log.debug('Empty environ data skipping...') | |
182 | return None |
|
182 | return None | |
183 |
|
183 | |||
184 | if not userobj: |
|
184 | if not userobj: | |
185 | userobj = self.get_user('', environ=environ, settings=settings) |
|
185 | userobj = self.get_user('', environ=environ, settings=settings) | |
186 |
|
186 | |||
187 | # we don't care passed username/password for headers auth plugins. |
|
187 | # we don't care passed username/password for headers auth plugins. | |
188 | # only way to log in is using environ |
|
188 | # only way to log in is using environ | |
189 | username = None |
|
189 | username = None | |
190 | if userobj: |
|
190 | if userobj: | |
191 | username = getattr(userobj, 'username') |
|
191 | username = getattr(userobj, 'username') | |
192 |
|
192 | |||
193 | if not username: |
|
193 | if not username: | |
194 | # we don't have any objects in DB user doesn't exist extract |
|
194 | # we don't have any objects in DB user doesn't exist extract | |
195 | # username from environ based on the settings |
|
195 | # username from environ based on the settings | |
196 | username = self._get_username(environ, settings) |
|
196 | username = self._get_username(environ, settings) | |
197 |
|
197 | |||
198 | # if cannot fetch username, it's a no-go for this plugin to proceed |
|
198 | # if cannot fetch username, it's a no-go for this plugin to proceed | |
199 | if not username: |
|
199 | if not username: | |
200 | return None |
|
200 | return None | |
201 |
|
201 | |||
202 | # old attrs fetched from RhodeCode database |
|
202 | # old attrs fetched from RhodeCode database | |
203 | admin = getattr(userobj, 'admin', False) |
|
203 | admin = getattr(userobj, 'admin', False) | |
204 | active = getattr(userobj, 'active', True) |
|
204 | active = getattr(userobj, 'active', True) | |
205 | email = getattr(userobj, 'email', '') |
|
205 | email = getattr(userobj, 'email', '') | |
206 | firstname = getattr(userobj, 'firstname', '') |
|
206 | firstname = getattr(userobj, 'firstname', '') | |
207 | lastname = getattr(userobj, 'lastname', '') |
|
207 | lastname = getattr(userobj, 'lastname', '') | |
208 | extern_type = getattr(userobj, 'extern_type', '') |
|
208 | extern_type = getattr(userobj, 'extern_type', '') | |
209 |
|
209 | |||
210 | user_attrs = { |
|
210 | user_attrs = { | |
211 | 'username': username, |
|
211 | 'username': username, | |
212 | 'firstname': safe_unicode(firstname or username), |
|
212 | 'firstname': safe_unicode(firstname or username), | |
213 | 'lastname': safe_unicode(lastname or ''), |
|
213 | 'lastname': safe_unicode(lastname or ''), | |
214 | 'groups': [], |
|
214 | 'groups': [], | |
215 | 'email': email or '', |
|
215 | 'email': email or '', | |
216 | 'admin': admin or False, |
|
216 | 'admin': admin or False, | |
217 | 'active': active, |
|
217 | 'active': active, | |
218 | 'active_from_extern': True, |
|
218 | 'active_from_extern': True, | |
219 | 'extern_name': username, |
|
219 | 'extern_name': username, | |
220 | 'extern_type': extern_type, |
|
220 | 'extern_type': extern_type, | |
221 | } |
|
221 | } | |
222 |
|
222 | |||
223 | log.info('user `%s` authenticated correctly' % user_attrs['username']) |
|
223 | log.info('user `%s` authenticated correctly' % user_attrs['username']) | |
224 | return user_attrs |
|
224 | return user_attrs |
@@ -1,166 +1,166 b'' | |||||
1 | # -*- coding: utf-8 -*- |
|
1 | # -*- coding: utf-8 -*- | |
2 |
|
2 | |||
3 | # Copyright (C) 2012-2017 RhodeCode GmbH |
|
3 | # Copyright (C) 2012-2017 RhodeCode GmbH | |
4 | # |
|
4 | # | |
5 | # This program is free software: you can redistribute it and/or modify |
|
5 | # This program is free software: you can redistribute it and/or modify | |
6 | # it under the terms of the GNU Affero General Public License, version 3 |
|
6 | # it under the terms of the GNU Affero General Public License, version 3 | |
7 | # (only), as published by the Free Software Foundation. |
|
7 | # (only), as published by the Free Software Foundation. | |
8 | # |
|
8 | # | |
9 | # This program is distributed in the hope that it will be useful, |
|
9 | # This program is distributed in the hope that it will be useful, | |
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of |
|
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of | |
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the |
|
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |
12 | # GNU General Public License for more details. |
|
12 | # GNU General Public License for more details. | |
13 | # |
|
13 | # | |
14 | # You should have received a copy of the GNU Affero General Public License |
|
14 | # You should have received a copy of the GNU Affero General Public License | |
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. |
|
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. | |
16 | # |
|
16 | # | |
17 | # This program is dual-licensed. If you wish to learn more about the |
|
17 | # This program is dual-licensed. If you wish to learn more about the | |
18 | # RhodeCode Enterprise Edition, including its added features, Support services, |
|
18 | # RhodeCode Enterprise Edition, including its added features, Support services, | |
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ |
|
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |
20 |
|
20 | |||
21 | """ |
|
21 | """ | |
22 | RhodeCode authentication plugin for Jasig CAS |
|
22 | RhodeCode authentication plugin for Jasig CAS | |
23 | http://www.jasig.org/cas |
|
23 | http://www.jasig.org/cas | |
24 | """ |
|
24 | """ | |
25 |
|
25 | |||
26 |
|
26 | |||
27 | import colander |
|
27 | import colander | |
28 | import logging |
|
28 | import logging | |
29 | import rhodecode |
|
29 | import rhodecode | |
30 | import urllib |
|
30 | import urllib | |
31 | import urllib2 |
|
31 | import urllib2 | |
32 |
|
32 | |||
33 | from rhodecode.translation import _ |
|
33 | from rhodecode.translation import _ | |
34 | from rhodecode.authentication.base import ( |
|
34 | from rhodecode.authentication.base import ( | |
35 | RhodeCodeExternalAuthPlugin, hybrid_property) |
|
35 | RhodeCodeExternalAuthPlugin, hybrid_property) | |
36 | from rhodecode.authentication.schema import AuthnPluginSettingsSchemaBase |
|
36 | from rhodecode.authentication.schema import AuthnPluginSettingsSchemaBase | |
37 | from rhodecode.authentication.routes import AuthnPluginResourceBase |
|
37 | from rhodecode.authentication.routes import AuthnPluginResourceBase | |
38 | from rhodecode.lib.colander_utils import strip_whitespace |
|
38 | from rhodecode.lib.colander_utils import strip_whitespace | |
39 | from rhodecode.lib.utils2 import safe_unicode |
|
39 | from rhodecode.lib.utils2 import safe_unicode | |
40 | from rhodecode.model.db import User |
|
40 | from rhodecode.model.db import User | |
41 |
|
41 | |||
42 | log = logging.getLogger(__name__) |
|
42 | log = logging.getLogger(__name__) | |
43 |
|
43 | |||
44 |
|
44 | |||
45 | def plugin_factory(plugin_id, *args, **kwds): |
|
45 | def plugin_factory(plugin_id, *args, **kwds): | |
46 | """ |
|
46 | """ | |
47 | Factory function that is called during plugin discovery. |
|
47 | Factory function that is called during plugin discovery. | |
48 | It returns the plugin instance. |
|
48 | It returns the plugin instance. | |
49 | """ |
|
49 | """ | |
50 | plugin = RhodeCodeAuthPlugin(plugin_id) |
|
50 | plugin = RhodeCodeAuthPlugin(plugin_id) | |
51 | return plugin |
|
51 | return plugin | |
52 |
|
52 | |||
53 |
|
53 | |||
54 | class JasigCasAuthnResource(AuthnPluginResourceBase): |
|
54 | class JasigCasAuthnResource(AuthnPluginResourceBase): | |
55 | pass |
|
55 | pass | |
56 |
|
56 | |||
57 |
|
57 | |||
58 | class JasigCasSettingsSchema(AuthnPluginSettingsSchemaBase): |
|
58 | class JasigCasSettingsSchema(AuthnPluginSettingsSchemaBase): | |
59 | service_url = colander.SchemaNode( |
|
59 | service_url = colander.SchemaNode( | |
60 | colander.String(), |
|
60 | colander.String(), | |
61 | default='https://domain.com/cas/v1/tickets', |
|
61 | default='https://domain.com/cas/v1/tickets', | |
62 | description=_('The url of the Jasig CAS REST service'), |
|
62 | description=_('The url of the Jasig CAS REST service'), | |
63 | preparer=strip_whitespace, |
|
63 | preparer=strip_whitespace, | |
64 | title=_('URL'), |
|
64 | title=_('URL'), | |
65 | widget='string') |
|
65 | widget='string') | |
66 |
|
66 | |||
67 |
|
67 | |||
68 | class RhodeCodeAuthPlugin(RhodeCodeExternalAuthPlugin): |
|
68 | class RhodeCodeAuthPlugin(RhodeCodeExternalAuthPlugin): | |
69 |
|
69 | |||
70 | def includeme(self, config): |
|
70 | def includeme(self, config): | |
71 | config.add_authn_plugin(self) |
|
71 | config.add_authn_plugin(self) | |
72 | config.add_authn_resource(self.get_id(), JasigCasAuthnResource(self)) |
|
72 | config.add_authn_resource(self.get_id(), JasigCasAuthnResource(self)) | |
73 | config.add_view( |
|
73 | config.add_view( | |
74 | 'rhodecode.authentication.views.AuthnPluginViewBase', |
|
74 | 'rhodecode.authentication.views.AuthnPluginViewBase', | |
75 | attr='settings_get', |
|
75 | attr='settings_get', | |
76 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', |
|
76 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', | |
77 | request_method='GET', |
|
77 | request_method='GET', | |
78 | route_name='auth_home', |
|
78 | route_name='auth_home', | |
79 | context=JasigCasAuthnResource) |
|
79 | context=JasigCasAuthnResource) | |
80 | config.add_view( |
|
80 | config.add_view( | |
81 | 'rhodecode.authentication.views.AuthnPluginViewBase', |
|
81 | 'rhodecode.authentication.views.AuthnPluginViewBase', | |
82 | attr='settings_post', |
|
82 | attr='settings_post', | |
83 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', |
|
83 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', | |
84 | request_method='POST', |
|
84 | request_method='POST', | |
85 | route_name='auth_home', |
|
85 | route_name='auth_home', | |
86 | context=JasigCasAuthnResource) |
|
86 | context=JasigCasAuthnResource) | |
87 |
|
87 | |||
88 | def get_settings_schema(self): |
|
88 | def get_settings_schema(self): | |
89 | return JasigCasSettingsSchema() |
|
89 | return JasigCasSettingsSchema() | |
90 |
|
90 | |||
91 | def get_display_name(self): |
|
91 | def get_display_name(self): | |
92 | return _('Jasig-CAS') |
|
92 | return _('Jasig-CAS') | |
93 |
|
93 | |||
94 | @hybrid_property |
|
94 | @hybrid_property | |
95 | def name(self): |
|
95 | def name(self): | |
96 | return "jasig-cas" |
|
96 | return "jasig-cas" | |
97 |
|
97 | |||
98 | @property |
|
98 | @property | |
99 | def is_headers_auth(self): |
|
99 | def is_headers_auth(self): | |
100 | return True |
|
100 | return True | |
101 |
|
101 | |||
102 | def use_fake_password(self): |
|
102 | def use_fake_password(self): | |
103 | return True |
|
103 | return True | |
104 |
|
104 | |||
105 | def user_activation_state(self): |
|
105 | def user_activation_state(self): | |
106 | def_user_perms = User.get_default_user().AuthUser.permissions['global'] |
|
106 | def_user_perms = User.get_default_user().AuthUser().permissions['global'] | |
107 | return 'hg.extern_activate.auto' in def_user_perms |
|
107 | return 'hg.extern_activate.auto' in def_user_perms | |
108 |
|
108 | |||
109 | def auth(self, userobj, username, password, settings, **kwargs): |
|
109 | def auth(self, userobj, username, password, settings, **kwargs): | |
110 | """ |
|
110 | """ | |
111 | Given a user object (which may be null), username, a plaintext password, |
|
111 | Given a user object (which may be null), username, a plaintext password, | |
112 | and a settings object (containing all the keys needed as listed in settings()), |
|
112 | and a settings object (containing all the keys needed as listed in settings()), | |
113 | authenticate this user's login attempt. |
|
113 | authenticate this user's login attempt. | |
114 |
|
114 | |||
115 | Return None on failure. On success, return a dictionary of the form: |
|
115 | Return None on failure. On success, return a dictionary of the form: | |
116 |
|
116 | |||
117 | see: RhodeCodeAuthPluginBase.auth_func_attrs |
|
117 | see: RhodeCodeAuthPluginBase.auth_func_attrs | |
118 | This is later validated for correctness |
|
118 | This is later validated for correctness | |
119 | """ |
|
119 | """ | |
120 | if not username or not password: |
|
120 | if not username or not password: | |
121 | log.debug('Empty username or password skipping...') |
|
121 | log.debug('Empty username or password skipping...') | |
122 | return None |
|
122 | return None | |
123 |
|
123 | |||
124 | log.debug("Jasig CAS settings: %s", settings) |
|
124 | log.debug("Jasig CAS settings: %s", settings) | |
125 | params = urllib.urlencode({'username': username, 'password': password}) |
|
125 | params = urllib.urlencode({'username': username, 'password': password}) | |
126 | headers = {"Content-type": "application/x-www-form-urlencoded", |
|
126 | headers = {"Content-type": "application/x-www-form-urlencoded", | |
127 | "Accept": "text/plain", |
|
127 | "Accept": "text/plain", | |
128 | "User-Agent": "RhodeCode-auth-%s" % rhodecode.__version__} |
|
128 | "User-Agent": "RhodeCode-auth-%s" % rhodecode.__version__} | |
129 | url = settings["service_url"] |
|
129 | url = settings["service_url"] | |
130 |
|
130 | |||
131 | log.debug("Sent Jasig CAS: \n%s", |
|
131 | log.debug("Sent Jasig CAS: \n%s", | |
132 | {"url": url, "body": params, "headers": headers}) |
|
132 | {"url": url, "body": params, "headers": headers}) | |
133 | request = urllib2.Request(url, params, headers) |
|
133 | request = urllib2.Request(url, params, headers) | |
134 | try: |
|
134 | try: | |
135 | response = urllib2.urlopen(request) |
|
135 | response = urllib2.urlopen(request) | |
136 | except urllib2.HTTPError as e: |
|
136 | except urllib2.HTTPError as e: | |
137 | log.debug("HTTPError when requesting Jasig CAS (status code: %d)" % e.code) |
|
137 | log.debug("HTTPError when requesting Jasig CAS (status code: %d)" % e.code) | |
138 | return None |
|
138 | return None | |
139 | except urllib2.URLError as e: |
|
139 | except urllib2.URLError as e: | |
140 | log.debug("URLError when requesting Jasig CAS url: %s " % url) |
|
140 | log.debug("URLError when requesting Jasig CAS url: %s " % url) | |
141 | return None |
|
141 | return None | |
142 |
|
142 | |||
143 | # old attrs fetched from RhodeCode database |
|
143 | # old attrs fetched from RhodeCode database | |
144 | admin = getattr(userobj, 'admin', False) |
|
144 | admin = getattr(userobj, 'admin', False) | |
145 | active = getattr(userobj, 'active', True) |
|
145 | active = getattr(userobj, 'active', True) | |
146 | email = getattr(userobj, 'email', '') |
|
146 | email = getattr(userobj, 'email', '') | |
147 | username = getattr(userobj, 'username', username) |
|
147 | username = getattr(userobj, 'username', username) | |
148 | firstname = getattr(userobj, 'firstname', '') |
|
148 | firstname = getattr(userobj, 'firstname', '') | |
149 | lastname = getattr(userobj, 'lastname', '') |
|
149 | lastname = getattr(userobj, 'lastname', '') | |
150 | extern_type = getattr(userobj, 'extern_type', '') |
|
150 | extern_type = getattr(userobj, 'extern_type', '') | |
151 |
|
151 | |||
152 | user_attrs = { |
|
152 | user_attrs = { | |
153 | 'username': username, |
|
153 | 'username': username, | |
154 | 'firstname': safe_unicode(firstname or username), |
|
154 | 'firstname': safe_unicode(firstname or username), | |
155 | 'lastname': safe_unicode(lastname or ''), |
|
155 | 'lastname': safe_unicode(lastname or ''), | |
156 | 'groups': [], |
|
156 | 'groups': [], | |
157 | 'email': email or '', |
|
157 | 'email': email or '', | |
158 | 'admin': admin or False, |
|
158 | 'admin': admin or False, | |
159 | 'active': active, |
|
159 | 'active': active, | |
160 | 'active_from_extern': True, |
|
160 | 'active_from_extern': True, | |
161 | 'extern_name': username, |
|
161 | 'extern_name': username, | |
162 | 'extern_type': extern_type, |
|
162 | 'extern_type': extern_type, | |
163 | } |
|
163 | } | |
164 |
|
164 | |||
165 | log.info('user %s authenticated correctly' % user_attrs['username']) |
|
165 | log.info('user %s authenticated correctly' % user_attrs['username']) | |
166 | return user_attrs |
|
166 | return user_attrs |
@@ -1,480 +1,480 b'' | |||||
1 | # -*- coding: utf-8 -*- |
|
1 | # -*- coding: utf-8 -*- | |
2 |
|
2 | |||
3 | # Copyright (C) 2010-2017 RhodeCode GmbH |
|
3 | # Copyright (C) 2010-2017 RhodeCode GmbH | |
4 | # |
|
4 | # | |
5 | # This program is free software: you can redistribute it and/or modify |
|
5 | # This program is free software: you can redistribute it and/or modify | |
6 | # it under the terms of the GNU Affero General Public License, version 3 |
|
6 | # it under the terms of the GNU Affero General Public License, version 3 | |
7 | # (only), as published by the Free Software Foundation. |
|
7 | # (only), as published by the Free Software Foundation. | |
8 | # |
|
8 | # | |
9 | # This program is distributed in the hope that it will be useful, |
|
9 | # This program is distributed in the hope that it will be useful, | |
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of |
|
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of | |
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the |
|
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |
12 | # GNU General Public License for more details. |
|
12 | # GNU General Public License for more details. | |
13 | # |
|
13 | # | |
14 | # You should have received a copy of the GNU Affero General Public License |
|
14 | # You should have received a copy of the GNU Affero General Public License | |
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. |
|
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. | |
16 | # |
|
16 | # | |
17 | # This program is dual-licensed. If you wish to learn more about the |
|
17 | # This program is dual-licensed. If you wish to learn more about the | |
18 | # RhodeCode Enterprise Edition, including its added features, Support services, |
|
18 | # RhodeCode Enterprise Edition, including its added features, Support services, | |
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ |
|
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |
20 |
|
20 | |||
21 | """ |
|
21 | """ | |
22 | RhodeCode authentication plugin for LDAP |
|
22 | RhodeCode authentication plugin for LDAP | |
23 | """ |
|
23 | """ | |
24 |
|
24 | |||
25 |
|
25 | |||
26 | import colander |
|
26 | import colander | |
27 | import logging |
|
27 | import logging | |
28 | import traceback |
|
28 | import traceback | |
29 |
|
29 | |||
30 | from rhodecode.translation import _ |
|
30 | from rhodecode.translation import _ | |
31 | from rhodecode.authentication.base import ( |
|
31 | from rhodecode.authentication.base import ( | |
32 | RhodeCodeExternalAuthPlugin, chop_at, hybrid_property) |
|
32 | RhodeCodeExternalAuthPlugin, chop_at, hybrid_property) | |
33 | from rhodecode.authentication.schema import AuthnPluginSettingsSchemaBase |
|
33 | from rhodecode.authentication.schema import AuthnPluginSettingsSchemaBase | |
34 | from rhodecode.authentication.routes import AuthnPluginResourceBase |
|
34 | from rhodecode.authentication.routes import AuthnPluginResourceBase | |
35 | from rhodecode.lib.colander_utils import strip_whitespace |
|
35 | from rhodecode.lib.colander_utils import strip_whitespace | |
36 | from rhodecode.lib.exceptions import ( |
|
36 | from rhodecode.lib.exceptions import ( | |
37 | LdapConnectionError, LdapUsernameError, LdapPasswordError, LdapImportError |
|
37 | LdapConnectionError, LdapUsernameError, LdapPasswordError, LdapImportError | |
38 | ) |
|
38 | ) | |
39 | from rhodecode.lib.utils2 import safe_unicode, safe_str |
|
39 | from rhodecode.lib.utils2 import safe_unicode, safe_str | |
40 | from rhodecode.model.db import User |
|
40 | from rhodecode.model.db import User | |
41 | from rhodecode.model.validators import Missing |
|
41 | from rhodecode.model.validators import Missing | |
42 |
|
42 | |||
43 | log = logging.getLogger(__name__) |
|
43 | log = logging.getLogger(__name__) | |
44 |
|
44 | |||
45 | try: |
|
45 | try: | |
46 | import ldap |
|
46 | import ldap | |
47 | except ImportError: |
|
47 | except ImportError: | |
48 | # means that python-ldap is not installed, we use Missing object to mark |
|
48 | # means that python-ldap is not installed, we use Missing object to mark | |
49 | # ldap lib is Missing |
|
49 | # ldap lib is Missing | |
50 | ldap = Missing |
|
50 | ldap = Missing | |
51 |
|
51 | |||
52 |
|
52 | |||
53 | def plugin_factory(plugin_id, *args, **kwds): |
|
53 | def plugin_factory(plugin_id, *args, **kwds): | |
54 | """ |
|
54 | """ | |
55 | Factory function that is called during plugin discovery. |
|
55 | Factory function that is called during plugin discovery. | |
56 | It returns the plugin instance. |
|
56 | It returns the plugin instance. | |
57 | """ |
|
57 | """ | |
58 | plugin = RhodeCodeAuthPlugin(plugin_id) |
|
58 | plugin = RhodeCodeAuthPlugin(plugin_id) | |
59 | return plugin |
|
59 | return plugin | |
60 |
|
60 | |||
61 |
|
61 | |||
62 | class LdapAuthnResource(AuthnPluginResourceBase): |
|
62 | class LdapAuthnResource(AuthnPluginResourceBase): | |
63 | pass |
|
63 | pass | |
64 |
|
64 | |||
65 |
|
65 | |||
66 | class LdapSettingsSchema(AuthnPluginSettingsSchemaBase): |
|
66 | class LdapSettingsSchema(AuthnPluginSettingsSchemaBase): | |
67 | tls_kind_choices = ['PLAIN', 'LDAPS', 'START_TLS'] |
|
67 | tls_kind_choices = ['PLAIN', 'LDAPS', 'START_TLS'] | |
68 | tls_reqcert_choices = ['NEVER', 'ALLOW', 'TRY', 'DEMAND', 'HARD'] |
|
68 | tls_reqcert_choices = ['NEVER', 'ALLOW', 'TRY', 'DEMAND', 'HARD'] | |
69 | search_scope_choices = ['BASE', 'ONELEVEL', 'SUBTREE'] |
|
69 | search_scope_choices = ['BASE', 'ONELEVEL', 'SUBTREE'] | |
70 |
|
70 | |||
71 | host = colander.SchemaNode( |
|
71 | host = colander.SchemaNode( | |
72 | colander.String(), |
|
72 | colander.String(), | |
73 | default='', |
|
73 | default='', | |
74 | description=_('Host[s] of the LDAP Server \n' |
|
74 | description=_('Host[s] of the LDAP Server \n' | |
75 | '(e.g., 192.168.2.154, or ldap-server.domain.com.\n ' |
|
75 | '(e.g., 192.168.2.154, or ldap-server.domain.com.\n ' | |
76 | 'Multiple servers can be specified using commas'), |
|
76 | 'Multiple servers can be specified using commas'), | |
77 | preparer=strip_whitespace, |
|
77 | preparer=strip_whitespace, | |
78 | title=_('LDAP Host'), |
|
78 | title=_('LDAP Host'), | |
79 | widget='string') |
|
79 | widget='string') | |
80 | port = colander.SchemaNode( |
|
80 | port = colander.SchemaNode( | |
81 | colander.Int(), |
|
81 | colander.Int(), | |
82 | default=389, |
|
82 | default=389, | |
83 | description=_('Custom port that the LDAP server is listening on. ' |
|
83 | description=_('Custom port that the LDAP server is listening on. ' | |
84 | 'Default value is: 389'), |
|
84 | 'Default value is: 389'), | |
85 | preparer=strip_whitespace, |
|
85 | preparer=strip_whitespace, | |
86 | title=_('Port'), |
|
86 | title=_('Port'), | |
87 | validator=colander.Range(min=0, max=65536), |
|
87 | validator=colander.Range(min=0, max=65536), | |
88 | widget='int') |
|
88 | widget='int') | |
89 | dn_user = colander.SchemaNode( |
|
89 | dn_user = colander.SchemaNode( | |
90 | colander.String(), |
|
90 | colander.String(), | |
91 | default='', |
|
91 | default='', | |
92 | description=_('Optional user DN/account to connect to LDAP if authentication is required. \n' |
|
92 | description=_('Optional user DN/account to connect to LDAP if authentication is required. \n' | |
93 | 'e.g., cn=admin,dc=mydomain,dc=com, or ' |
|
93 | 'e.g., cn=admin,dc=mydomain,dc=com, or ' | |
94 | 'uid=root,cn=users,dc=mydomain,dc=com, or admin@mydomain.com'), |
|
94 | 'uid=root,cn=users,dc=mydomain,dc=com, or admin@mydomain.com'), | |
95 | missing='', |
|
95 | missing='', | |
96 | preparer=strip_whitespace, |
|
96 | preparer=strip_whitespace, | |
97 | title=_('Account'), |
|
97 | title=_('Account'), | |
98 | widget='string') |
|
98 | widget='string') | |
99 | dn_pass = colander.SchemaNode( |
|
99 | dn_pass = colander.SchemaNode( | |
100 | colander.String(), |
|
100 | colander.String(), | |
101 | default='', |
|
101 | default='', | |
102 | description=_('Password to authenticate for given user DN.'), |
|
102 | description=_('Password to authenticate for given user DN.'), | |
103 | missing='', |
|
103 | missing='', | |
104 | preparer=strip_whitespace, |
|
104 | preparer=strip_whitespace, | |
105 | title=_('Password'), |
|
105 | title=_('Password'), | |
106 | widget='password') |
|
106 | widget='password') | |
107 | tls_kind = colander.SchemaNode( |
|
107 | tls_kind = colander.SchemaNode( | |
108 | colander.String(), |
|
108 | colander.String(), | |
109 | default=tls_kind_choices[0], |
|
109 | default=tls_kind_choices[0], | |
110 | description=_('TLS Type'), |
|
110 | description=_('TLS Type'), | |
111 | title=_('Connection Security'), |
|
111 | title=_('Connection Security'), | |
112 | validator=colander.OneOf(tls_kind_choices), |
|
112 | validator=colander.OneOf(tls_kind_choices), | |
113 | widget='select') |
|
113 | widget='select') | |
114 | tls_reqcert = colander.SchemaNode( |
|
114 | tls_reqcert = colander.SchemaNode( | |
115 | colander.String(), |
|
115 | colander.String(), | |
116 | default=tls_reqcert_choices[0], |
|
116 | default=tls_reqcert_choices[0], | |
117 | description=_('Require Cert over TLS?. Self-signed and custom ' |
|
117 | description=_('Require Cert over TLS?. Self-signed and custom ' | |
118 | 'certificates can be used when\n `RhodeCode Certificate` ' |
|
118 | 'certificates can be used when\n `RhodeCode Certificate` ' | |
119 | 'found in admin > settings > system info page is extended.'), |
|
119 | 'found in admin > settings > system info page is extended.'), | |
120 | title=_('Certificate Checks'), |
|
120 | title=_('Certificate Checks'), | |
121 | validator=colander.OneOf(tls_reqcert_choices), |
|
121 | validator=colander.OneOf(tls_reqcert_choices), | |
122 | widget='select') |
|
122 | widget='select') | |
123 | base_dn = colander.SchemaNode( |
|
123 | base_dn = colander.SchemaNode( | |
124 | colander.String(), |
|
124 | colander.String(), | |
125 | default='', |
|
125 | default='', | |
126 | description=_('Base DN to search. Dynamic bind is supported. Add `$login` marker ' |
|
126 | description=_('Base DN to search. Dynamic bind is supported. Add `$login` marker ' | |
127 | 'in it to be replaced with current user credentials \n' |
|
127 | 'in it to be replaced with current user credentials \n' | |
128 | '(e.g., dc=mydomain,dc=com, or ou=Users,dc=mydomain,dc=com)'), |
|
128 | '(e.g., dc=mydomain,dc=com, or ou=Users,dc=mydomain,dc=com)'), | |
129 | missing='', |
|
129 | missing='', | |
130 | preparer=strip_whitespace, |
|
130 | preparer=strip_whitespace, | |
131 | title=_('Base DN'), |
|
131 | title=_('Base DN'), | |
132 | widget='string') |
|
132 | widget='string') | |
133 | filter = colander.SchemaNode( |
|
133 | filter = colander.SchemaNode( | |
134 | colander.String(), |
|
134 | colander.String(), | |
135 | default='', |
|
135 | default='', | |
136 | description=_('Filter to narrow results \n' |
|
136 | description=_('Filter to narrow results \n' | |
137 | '(e.g., (&(objectCategory=Person)(objectClass=user)), or \n' |
|
137 | '(e.g., (&(objectCategory=Person)(objectClass=user)), or \n' | |
138 | '(memberof=cn=rc-login,ou=groups,ou=company,dc=mydomain,dc=com)))'), |
|
138 | '(memberof=cn=rc-login,ou=groups,ou=company,dc=mydomain,dc=com)))'), | |
139 | missing='', |
|
139 | missing='', | |
140 | preparer=strip_whitespace, |
|
140 | preparer=strip_whitespace, | |
141 | title=_('LDAP Search Filter'), |
|
141 | title=_('LDAP Search Filter'), | |
142 | widget='string') |
|
142 | widget='string') | |
143 |
|
143 | |||
144 | search_scope = colander.SchemaNode( |
|
144 | search_scope = colander.SchemaNode( | |
145 | colander.String(), |
|
145 | colander.String(), | |
146 | default=search_scope_choices[2], |
|
146 | default=search_scope_choices[2], | |
147 | description=_('How deep to search LDAP. If unsure set to SUBTREE'), |
|
147 | description=_('How deep to search LDAP. If unsure set to SUBTREE'), | |
148 | title=_('LDAP Search Scope'), |
|
148 | title=_('LDAP Search Scope'), | |
149 | validator=colander.OneOf(search_scope_choices), |
|
149 | validator=colander.OneOf(search_scope_choices), | |
150 | widget='select') |
|
150 | widget='select') | |
151 | attr_login = colander.SchemaNode( |
|
151 | attr_login = colander.SchemaNode( | |
152 | colander.String(), |
|
152 | colander.String(), | |
153 | default='uid', |
|
153 | default='uid', | |
154 | description=_('LDAP Attribute to map to user name (e.g., uid, or sAMAccountName)'), |
|
154 | description=_('LDAP Attribute to map to user name (e.g., uid, or sAMAccountName)'), | |
155 | preparer=strip_whitespace, |
|
155 | preparer=strip_whitespace, | |
156 | title=_('Login Attribute'), |
|
156 | title=_('Login Attribute'), | |
157 | missing_msg=_('The LDAP Login attribute of the CN must be specified'), |
|
157 | missing_msg=_('The LDAP Login attribute of the CN must be specified'), | |
158 | widget='string') |
|
158 | widget='string') | |
159 | attr_firstname = colander.SchemaNode( |
|
159 | attr_firstname = colander.SchemaNode( | |
160 | colander.String(), |
|
160 | colander.String(), | |
161 | default='', |
|
161 | default='', | |
162 | description=_('LDAP Attribute to map to first name (e.g., givenName)'), |
|
162 | description=_('LDAP Attribute to map to first name (e.g., givenName)'), | |
163 | missing='', |
|
163 | missing='', | |
164 | preparer=strip_whitespace, |
|
164 | preparer=strip_whitespace, | |
165 | title=_('First Name Attribute'), |
|
165 | title=_('First Name Attribute'), | |
166 | widget='string') |
|
166 | widget='string') | |
167 | attr_lastname = colander.SchemaNode( |
|
167 | attr_lastname = colander.SchemaNode( | |
168 | colander.String(), |
|
168 | colander.String(), | |
169 | default='', |
|
169 | default='', | |
170 | description=_('LDAP Attribute to map to last name (e.g., sn)'), |
|
170 | description=_('LDAP Attribute to map to last name (e.g., sn)'), | |
171 | missing='', |
|
171 | missing='', | |
172 | preparer=strip_whitespace, |
|
172 | preparer=strip_whitespace, | |
173 | title=_('Last Name Attribute'), |
|
173 | title=_('Last Name Attribute'), | |
174 | widget='string') |
|
174 | widget='string') | |
175 | attr_email = colander.SchemaNode( |
|
175 | attr_email = colander.SchemaNode( | |
176 | colander.String(), |
|
176 | colander.String(), | |
177 | default='', |
|
177 | default='', | |
178 | description=_('LDAP Attribute to map to email address (e.g., mail).\n' |
|
178 | description=_('LDAP Attribute to map to email address (e.g., mail).\n' | |
179 | 'Emails are a crucial part of RhodeCode. \n' |
|
179 | 'Emails are a crucial part of RhodeCode. \n' | |
180 | 'If possible add a valid email attribute to ldap users.'), |
|
180 | 'If possible add a valid email attribute to ldap users.'), | |
181 | missing='', |
|
181 | missing='', | |
182 | preparer=strip_whitespace, |
|
182 | preparer=strip_whitespace, | |
183 | title=_('Email Attribute'), |
|
183 | title=_('Email Attribute'), | |
184 | widget='string') |
|
184 | widget='string') | |
185 |
|
185 | |||
186 |
|
186 | |||
187 | class AuthLdap(object): |
|
187 | class AuthLdap(object): | |
188 |
|
188 | |||
189 | def _build_servers(self): |
|
189 | def _build_servers(self): | |
190 | return ', '.join( |
|
190 | return ', '.join( | |
191 | ["{}://{}:{}".format( |
|
191 | ["{}://{}:{}".format( | |
192 | self.ldap_server_type, host.strip(), self.LDAP_SERVER_PORT) |
|
192 | self.ldap_server_type, host.strip(), self.LDAP_SERVER_PORT) | |
193 | for host in self.SERVER_ADDRESSES]) |
|
193 | for host in self.SERVER_ADDRESSES]) | |
194 |
|
194 | |||
195 | def __init__(self, server, base_dn, port=389, bind_dn='', bind_pass='', |
|
195 | def __init__(self, server, base_dn, port=389, bind_dn='', bind_pass='', | |
196 | tls_kind='PLAIN', tls_reqcert='DEMAND', ldap_version=3, |
|
196 | tls_kind='PLAIN', tls_reqcert='DEMAND', ldap_version=3, | |
197 | search_scope='SUBTREE', attr_login='uid', |
|
197 | search_scope='SUBTREE', attr_login='uid', | |
198 | ldap_filter=None): |
|
198 | ldap_filter=None): | |
199 | if ldap == Missing: |
|
199 | if ldap == Missing: | |
200 | raise LdapImportError("Missing or incompatible ldap library") |
|
200 | raise LdapImportError("Missing or incompatible ldap library") | |
201 |
|
201 | |||
202 | self.debug = False |
|
202 | self.debug = False | |
203 | self.ldap_version = ldap_version |
|
203 | self.ldap_version = ldap_version | |
204 | self.ldap_server_type = 'ldap' |
|
204 | self.ldap_server_type = 'ldap' | |
205 |
|
205 | |||
206 | self.TLS_KIND = tls_kind |
|
206 | self.TLS_KIND = tls_kind | |
207 |
|
207 | |||
208 | if self.TLS_KIND == 'LDAPS': |
|
208 | if self.TLS_KIND == 'LDAPS': | |
209 | port = port or 689 |
|
209 | port = port or 689 | |
210 | self.ldap_server_type += 's' |
|
210 | self.ldap_server_type += 's' | |
211 |
|
211 | |||
212 | OPT_X_TLS_DEMAND = 2 |
|
212 | OPT_X_TLS_DEMAND = 2 | |
213 | self.TLS_REQCERT = getattr(ldap, 'OPT_X_TLS_%s' % tls_reqcert, |
|
213 | self.TLS_REQCERT = getattr(ldap, 'OPT_X_TLS_%s' % tls_reqcert, | |
214 | OPT_X_TLS_DEMAND) |
|
214 | OPT_X_TLS_DEMAND) | |
215 | # split server into list |
|
215 | # split server into list | |
216 | self.SERVER_ADDRESSES = server.split(',') |
|
216 | self.SERVER_ADDRESSES = server.split(',') | |
217 | self.LDAP_SERVER_PORT = port |
|
217 | self.LDAP_SERVER_PORT = port | |
218 |
|
218 | |||
219 | # USE FOR READ ONLY BIND TO LDAP SERVER |
|
219 | # USE FOR READ ONLY BIND TO LDAP SERVER | |
220 | self.attr_login = attr_login |
|
220 | self.attr_login = attr_login | |
221 |
|
221 | |||
222 | self.LDAP_BIND_DN = safe_str(bind_dn) |
|
222 | self.LDAP_BIND_DN = safe_str(bind_dn) | |
223 | self.LDAP_BIND_PASS = safe_str(bind_pass) |
|
223 | self.LDAP_BIND_PASS = safe_str(bind_pass) | |
224 | self.LDAP_SERVER = self._build_servers() |
|
224 | self.LDAP_SERVER = self._build_servers() | |
225 | self.SEARCH_SCOPE = getattr(ldap, 'SCOPE_%s' % search_scope) |
|
225 | self.SEARCH_SCOPE = getattr(ldap, 'SCOPE_%s' % search_scope) | |
226 | self.BASE_DN = safe_str(base_dn) |
|
226 | self.BASE_DN = safe_str(base_dn) | |
227 | self.LDAP_FILTER = safe_str(ldap_filter) |
|
227 | self.LDAP_FILTER = safe_str(ldap_filter) | |
228 |
|
228 | |||
229 | def _get_ldap_server(self): |
|
229 | def _get_ldap_server(self): | |
230 | if self.debug: |
|
230 | if self.debug: | |
231 | ldap.set_option(ldap.OPT_DEBUG_LEVEL, 255) |
|
231 | ldap.set_option(ldap.OPT_DEBUG_LEVEL, 255) | |
232 | if hasattr(ldap, 'OPT_X_TLS_CACERTDIR'): |
|
232 | if hasattr(ldap, 'OPT_X_TLS_CACERTDIR'): | |
233 | ldap.set_option(ldap.OPT_X_TLS_CACERTDIR, |
|
233 | ldap.set_option(ldap.OPT_X_TLS_CACERTDIR, | |
234 | '/etc/openldap/cacerts') |
|
234 | '/etc/openldap/cacerts') | |
235 | ldap.set_option(ldap.OPT_REFERRALS, ldap.OPT_OFF) |
|
235 | ldap.set_option(ldap.OPT_REFERRALS, ldap.OPT_OFF) | |
236 | ldap.set_option(ldap.OPT_RESTART, ldap.OPT_ON) |
|
236 | ldap.set_option(ldap.OPT_RESTART, ldap.OPT_ON) | |
237 | ldap.set_option(ldap.OPT_TIMEOUT, 20) |
|
237 | ldap.set_option(ldap.OPT_TIMEOUT, 20) | |
238 | ldap.set_option(ldap.OPT_NETWORK_TIMEOUT, 10) |
|
238 | ldap.set_option(ldap.OPT_NETWORK_TIMEOUT, 10) | |
239 | ldap.set_option(ldap.OPT_TIMELIMIT, 15) |
|
239 | ldap.set_option(ldap.OPT_TIMELIMIT, 15) | |
240 | if self.TLS_KIND != 'PLAIN': |
|
240 | if self.TLS_KIND != 'PLAIN': | |
241 | ldap.set_option(ldap.OPT_X_TLS_REQUIRE_CERT, self.TLS_REQCERT) |
|
241 | ldap.set_option(ldap.OPT_X_TLS_REQUIRE_CERT, self.TLS_REQCERT) | |
242 | server = ldap.initialize(self.LDAP_SERVER) |
|
242 | server = ldap.initialize(self.LDAP_SERVER) | |
243 | if self.ldap_version == 2: |
|
243 | if self.ldap_version == 2: | |
244 | server.protocol = ldap.VERSION2 |
|
244 | server.protocol = ldap.VERSION2 | |
245 | else: |
|
245 | else: | |
246 | server.protocol = ldap.VERSION3 |
|
246 | server.protocol = ldap.VERSION3 | |
247 |
|
247 | |||
248 | if self.TLS_KIND == 'START_TLS': |
|
248 | if self.TLS_KIND == 'START_TLS': | |
249 | server.start_tls_s() |
|
249 | server.start_tls_s() | |
250 |
|
250 | |||
251 | if self.LDAP_BIND_DN and self.LDAP_BIND_PASS: |
|
251 | if self.LDAP_BIND_DN and self.LDAP_BIND_PASS: | |
252 | log.debug('Trying simple_bind with password and given login DN: %s', |
|
252 | log.debug('Trying simple_bind with password and given login DN: %s', | |
253 | self.LDAP_BIND_DN) |
|
253 | self.LDAP_BIND_DN) | |
254 | server.simple_bind_s(self.LDAP_BIND_DN, self.LDAP_BIND_PASS) |
|
254 | server.simple_bind_s(self.LDAP_BIND_DN, self.LDAP_BIND_PASS) | |
255 |
|
255 | |||
256 | return server |
|
256 | return server | |
257 |
|
257 | |||
258 | def get_uid(self, username): |
|
258 | def get_uid(self, username): | |
259 | uid = username |
|
259 | uid = username | |
260 | for server_addr in self.SERVER_ADDRESSES: |
|
260 | for server_addr in self.SERVER_ADDRESSES: | |
261 | uid = chop_at(username, "@%s" % server_addr) |
|
261 | uid = chop_at(username, "@%s" % server_addr) | |
262 | return uid |
|
262 | return uid | |
263 |
|
263 | |||
264 | def fetch_attrs_from_simple_bind(self, server, dn, username, password): |
|
264 | def fetch_attrs_from_simple_bind(self, server, dn, username, password): | |
265 | try: |
|
265 | try: | |
266 | log.debug('Trying simple bind with %s', dn) |
|
266 | log.debug('Trying simple bind with %s', dn) | |
267 | server.simple_bind_s(dn, safe_str(password)) |
|
267 | server.simple_bind_s(dn, safe_str(password)) | |
268 | user = server.search_ext_s( |
|
268 | user = server.search_ext_s( | |
269 | dn, ldap.SCOPE_BASE, '(objectClass=*)', )[0] |
|
269 | dn, ldap.SCOPE_BASE, '(objectClass=*)', )[0] | |
270 | _, attrs = user |
|
270 | _, attrs = user | |
271 | return attrs |
|
271 | return attrs | |
272 |
|
272 | |||
273 | except ldap.INVALID_CREDENTIALS: |
|
273 | except ldap.INVALID_CREDENTIALS: | |
274 | log.debug( |
|
274 | log.debug( | |
275 | "LDAP rejected password for user '%s': %s, org_exc:", |
|
275 | "LDAP rejected password for user '%s': %s, org_exc:", | |
276 | username, dn, exc_info=True) |
|
276 | username, dn, exc_info=True) | |
277 |
|
277 | |||
278 | def authenticate_ldap(self, username, password): |
|
278 | def authenticate_ldap(self, username, password): | |
279 | """ |
|
279 | """ | |
280 | Authenticate a user via LDAP and return his/her LDAP properties. |
|
280 | Authenticate a user via LDAP and return his/her LDAP properties. | |
281 |
|
281 | |||
282 | Raises AuthenticationError if the credentials are rejected, or |
|
282 | Raises AuthenticationError if the credentials are rejected, or | |
283 | EnvironmentError if the LDAP server can't be reached. |
|
283 | EnvironmentError if the LDAP server can't be reached. | |
284 |
|
284 | |||
285 | :param username: username |
|
285 | :param username: username | |
286 | :param password: password |
|
286 | :param password: password | |
287 | """ |
|
287 | """ | |
288 |
|
288 | |||
289 | uid = self.get_uid(username) |
|
289 | uid = self.get_uid(username) | |
290 |
|
290 | |||
291 | if not password: |
|
291 | if not password: | |
292 | msg = "Authenticating user %s with blank password not allowed" |
|
292 | msg = "Authenticating user %s with blank password not allowed" | |
293 | log.warning(msg, username) |
|
293 | log.warning(msg, username) | |
294 | raise LdapPasswordError(msg) |
|
294 | raise LdapPasswordError(msg) | |
295 | if "," in username: |
|
295 | if "," in username: | |
296 | raise LdapUsernameError( |
|
296 | raise LdapUsernameError( | |
297 | "invalid character `,` in username: `{}`".format(username)) |
|
297 | "invalid character `,` in username: `{}`".format(username)) | |
298 | try: |
|
298 | try: | |
299 | server = self._get_ldap_server() |
|
299 | server = self._get_ldap_server() | |
300 | filter_ = '(&%s(%s=%s))' % ( |
|
300 | filter_ = '(&%s(%s=%s))' % ( | |
301 | self.LDAP_FILTER, self.attr_login, username) |
|
301 | self.LDAP_FILTER, self.attr_login, username) | |
302 | log.debug("Authenticating %r filter %s at %s", self.BASE_DN, |
|
302 | log.debug("Authenticating %r filter %s at %s", self.BASE_DN, | |
303 | filter_, self.LDAP_SERVER) |
|
303 | filter_, self.LDAP_SERVER) | |
304 | lobjects = server.search_ext_s( |
|
304 | lobjects = server.search_ext_s( | |
305 | self.BASE_DN, self.SEARCH_SCOPE, filter_) |
|
305 | self.BASE_DN, self.SEARCH_SCOPE, filter_) | |
306 |
|
306 | |||
307 | if not lobjects: |
|
307 | if not lobjects: | |
308 | log.debug("No matching LDAP objects for authentication " |
|
308 | log.debug("No matching LDAP objects for authentication " | |
309 | "of UID:'%s' username:(%s)", uid, username) |
|
309 | "of UID:'%s' username:(%s)", uid, username) | |
310 | raise ldap.NO_SUCH_OBJECT() |
|
310 | raise ldap.NO_SUCH_OBJECT() | |
311 |
|
311 | |||
312 | log.debug('Found matching ldap object, trying to authenticate') |
|
312 | log.debug('Found matching ldap object, trying to authenticate') | |
313 | for (dn, _attrs) in lobjects: |
|
313 | for (dn, _attrs) in lobjects: | |
314 | if dn is None: |
|
314 | if dn is None: | |
315 | continue |
|
315 | continue | |
316 |
|
316 | |||
317 | user_attrs = self.fetch_attrs_from_simple_bind( |
|
317 | user_attrs = self.fetch_attrs_from_simple_bind( | |
318 | server, dn, username, password) |
|
318 | server, dn, username, password) | |
319 | if user_attrs: |
|
319 | if user_attrs: | |
320 | break |
|
320 | break | |
321 |
|
321 | |||
322 | else: |
|
322 | else: | |
323 | raise LdapPasswordError( |
|
323 | raise LdapPasswordError( | |
324 | 'Failed to authenticate user `{}`' |
|
324 | 'Failed to authenticate user `{}`' | |
325 | 'with given password'.format(username)) |
|
325 | 'with given password'.format(username)) | |
326 |
|
326 | |||
327 | except ldap.NO_SUCH_OBJECT: |
|
327 | except ldap.NO_SUCH_OBJECT: | |
328 | log.debug("LDAP says no such user '%s' (%s), org_exc:", |
|
328 | log.debug("LDAP says no such user '%s' (%s), org_exc:", | |
329 | uid, username, exc_info=True) |
|
329 | uid, username, exc_info=True) | |
330 | raise LdapUsernameError('Unable to find user') |
|
330 | raise LdapUsernameError('Unable to find user') | |
331 | except ldap.SERVER_DOWN: |
|
331 | except ldap.SERVER_DOWN: | |
332 | org_exc = traceback.format_exc() |
|
332 | org_exc = traceback.format_exc() | |
333 | raise LdapConnectionError( |
|
333 | raise LdapConnectionError( | |
334 | "LDAP can't access authentication " |
|
334 | "LDAP can't access authentication " | |
335 | "server, org_exc:%s" % org_exc) |
|
335 | "server, org_exc:%s" % org_exc) | |
336 |
|
336 | |||
337 | return dn, user_attrs |
|
337 | return dn, user_attrs | |
338 |
|
338 | |||
339 |
|
339 | |||
340 | class RhodeCodeAuthPlugin(RhodeCodeExternalAuthPlugin): |
|
340 | class RhodeCodeAuthPlugin(RhodeCodeExternalAuthPlugin): | |
341 | # used to define dynamic binding in the |
|
341 | # used to define dynamic binding in the | |
342 | DYNAMIC_BIND_VAR = '$login' |
|
342 | DYNAMIC_BIND_VAR = '$login' | |
343 | _settings_unsafe_keys = ['dn_pass'] |
|
343 | _settings_unsafe_keys = ['dn_pass'] | |
344 |
|
344 | |||
345 | def includeme(self, config): |
|
345 | def includeme(self, config): | |
346 | config.add_authn_plugin(self) |
|
346 | config.add_authn_plugin(self) | |
347 | config.add_authn_resource(self.get_id(), LdapAuthnResource(self)) |
|
347 | config.add_authn_resource(self.get_id(), LdapAuthnResource(self)) | |
348 | config.add_view( |
|
348 | config.add_view( | |
349 | 'rhodecode.authentication.views.AuthnPluginViewBase', |
|
349 | 'rhodecode.authentication.views.AuthnPluginViewBase', | |
350 | attr='settings_get', |
|
350 | attr='settings_get', | |
351 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', |
|
351 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', | |
352 | request_method='GET', |
|
352 | request_method='GET', | |
353 | route_name='auth_home', |
|
353 | route_name='auth_home', | |
354 | context=LdapAuthnResource) |
|
354 | context=LdapAuthnResource) | |
355 | config.add_view( |
|
355 | config.add_view( | |
356 | 'rhodecode.authentication.views.AuthnPluginViewBase', |
|
356 | 'rhodecode.authentication.views.AuthnPluginViewBase', | |
357 | attr='settings_post', |
|
357 | attr='settings_post', | |
358 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', |
|
358 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', | |
359 | request_method='POST', |
|
359 | request_method='POST', | |
360 | route_name='auth_home', |
|
360 | route_name='auth_home', | |
361 | context=LdapAuthnResource) |
|
361 | context=LdapAuthnResource) | |
362 |
|
362 | |||
363 | def get_settings_schema(self): |
|
363 | def get_settings_schema(self): | |
364 | return LdapSettingsSchema() |
|
364 | return LdapSettingsSchema() | |
365 |
|
365 | |||
366 | def get_display_name(self): |
|
366 | def get_display_name(self): | |
367 | return _('LDAP') |
|
367 | return _('LDAP') | |
368 |
|
368 | |||
369 | @hybrid_property |
|
369 | @hybrid_property | |
370 | def name(self): |
|
370 | def name(self): | |
371 | return "ldap" |
|
371 | return "ldap" | |
372 |
|
372 | |||
373 | def use_fake_password(self): |
|
373 | def use_fake_password(self): | |
374 | return True |
|
374 | return True | |
375 |
|
375 | |||
376 | def user_activation_state(self): |
|
376 | def user_activation_state(self): | |
377 | def_user_perms = User.get_default_user().AuthUser.permissions['global'] |
|
377 | def_user_perms = User.get_default_user().AuthUser().permissions['global'] | |
378 | return 'hg.extern_activate.auto' in def_user_perms |
|
378 | return 'hg.extern_activate.auto' in def_user_perms | |
379 |
|
379 | |||
380 | def try_dynamic_binding(self, username, password, current_args): |
|
380 | def try_dynamic_binding(self, username, password, current_args): | |
381 | """ |
|
381 | """ | |
382 | Detects marker inside our original bind, and uses dynamic auth if |
|
382 | Detects marker inside our original bind, and uses dynamic auth if | |
383 | present |
|
383 | present | |
384 | """ |
|
384 | """ | |
385 |
|
385 | |||
386 | org_bind = current_args['bind_dn'] |
|
386 | org_bind = current_args['bind_dn'] | |
387 | passwd = current_args['bind_pass'] |
|
387 | passwd = current_args['bind_pass'] | |
388 |
|
388 | |||
389 | def has_bind_marker(username): |
|
389 | def has_bind_marker(username): | |
390 | if self.DYNAMIC_BIND_VAR in username: |
|
390 | if self.DYNAMIC_BIND_VAR in username: | |
391 | return True |
|
391 | return True | |
392 |
|
392 | |||
393 | # we only passed in user with "special" variable |
|
393 | # we only passed in user with "special" variable | |
394 | if org_bind and has_bind_marker(org_bind) and not passwd: |
|
394 | if org_bind and has_bind_marker(org_bind) and not passwd: | |
395 | log.debug('Using dynamic user/password binding for ldap ' |
|
395 | log.debug('Using dynamic user/password binding for ldap ' | |
396 | 'authentication. Replacing `%s` with username', |
|
396 | 'authentication. Replacing `%s` with username', | |
397 | self.DYNAMIC_BIND_VAR) |
|
397 | self.DYNAMIC_BIND_VAR) | |
398 | current_args['bind_dn'] = org_bind.replace( |
|
398 | current_args['bind_dn'] = org_bind.replace( | |
399 | self.DYNAMIC_BIND_VAR, username) |
|
399 | self.DYNAMIC_BIND_VAR, username) | |
400 | current_args['bind_pass'] = password |
|
400 | current_args['bind_pass'] = password | |
401 |
|
401 | |||
402 | return current_args |
|
402 | return current_args | |
403 |
|
403 | |||
404 | def auth(self, userobj, username, password, settings, **kwargs): |
|
404 | def auth(self, userobj, username, password, settings, **kwargs): | |
405 | """ |
|
405 | """ | |
406 | Given a user object (which may be null), username, a plaintext password, |
|
406 | Given a user object (which may be null), username, a plaintext password, | |
407 | and a settings object (containing all the keys needed as listed in |
|
407 | and a settings object (containing all the keys needed as listed in | |
408 | settings()), authenticate this user's login attempt. |
|
408 | settings()), authenticate this user's login attempt. | |
409 |
|
409 | |||
410 | Return None on failure. On success, return a dictionary of the form: |
|
410 | Return None on failure. On success, return a dictionary of the form: | |
411 |
|
411 | |||
412 | see: RhodeCodeAuthPluginBase.auth_func_attrs |
|
412 | see: RhodeCodeAuthPluginBase.auth_func_attrs | |
413 | This is later validated for correctness |
|
413 | This is later validated for correctness | |
414 | """ |
|
414 | """ | |
415 |
|
415 | |||
416 | if not username or not password: |
|
416 | if not username or not password: | |
417 | log.debug('Empty username or password skipping...') |
|
417 | log.debug('Empty username or password skipping...') | |
418 | return None |
|
418 | return None | |
419 |
|
419 | |||
420 | ldap_args = { |
|
420 | ldap_args = { | |
421 | 'server': settings.get('host', ''), |
|
421 | 'server': settings.get('host', ''), | |
422 | 'base_dn': settings.get('base_dn', ''), |
|
422 | 'base_dn': settings.get('base_dn', ''), | |
423 | 'port': settings.get('port'), |
|
423 | 'port': settings.get('port'), | |
424 | 'bind_dn': settings.get('dn_user'), |
|
424 | 'bind_dn': settings.get('dn_user'), | |
425 | 'bind_pass': settings.get('dn_pass'), |
|
425 | 'bind_pass': settings.get('dn_pass'), | |
426 | 'tls_kind': settings.get('tls_kind'), |
|
426 | 'tls_kind': settings.get('tls_kind'), | |
427 | 'tls_reqcert': settings.get('tls_reqcert'), |
|
427 | 'tls_reqcert': settings.get('tls_reqcert'), | |
428 | 'search_scope': settings.get('search_scope'), |
|
428 | 'search_scope': settings.get('search_scope'), | |
429 | 'attr_login': settings.get('attr_login'), |
|
429 | 'attr_login': settings.get('attr_login'), | |
430 | 'ldap_version': 3, |
|
430 | 'ldap_version': 3, | |
431 | 'ldap_filter': settings.get('filter'), |
|
431 | 'ldap_filter': settings.get('filter'), | |
432 | } |
|
432 | } | |
433 |
|
433 | |||
434 | ldap_attrs = self.try_dynamic_binding(username, password, ldap_args) |
|
434 | ldap_attrs = self.try_dynamic_binding(username, password, ldap_args) | |
435 |
|
435 | |||
436 | log.debug('Checking for ldap authentication.') |
|
436 | log.debug('Checking for ldap authentication.') | |
437 |
|
437 | |||
438 | try: |
|
438 | try: | |
439 | aldap = AuthLdap(**ldap_args) |
|
439 | aldap = AuthLdap(**ldap_args) | |
440 | (user_dn, ldap_attrs) = aldap.authenticate_ldap(username, password) |
|
440 | (user_dn, ldap_attrs) = aldap.authenticate_ldap(username, password) | |
441 | log.debug('Got ldap DN response %s', user_dn) |
|
441 | log.debug('Got ldap DN response %s', user_dn) | |
442 |
|
442 | |||
443 | def get_ldap_attr(k): |
|
443 | def get_ldap_attr(k): | |
444 | return ldap_attrs.get(settings.get(k), [''])[0] |
|
444 | return ldap_attrs.get(settings.get(k), [''])[0] | |
445 |
|
445 | |||
446 | # old attrs fetched from RhodeCode database |
|
446 | # old attrs fetched from RhodeCode database | |
447 | admin = getattr(userobj, 'admin', False) |
|
447 | admin = getattr(userobj, 'admin', False) | |
448 | active = getattr(userobj, 'active', True) |
|
448 | active = getattr(userobj, 'active', True) | |
449 | email = getattr(userobj, 'email', '') |
|
449 | email = getattr(userobj, 'email', '') | |
450 | username = getattr(userobj, 'username', username) |
|
450 | username = getattr(userobj, 'username', username) | |
451 | firstname = getattr(userobj, 'firstname', '') |
|
451 | firstname = getattr(userobj, 'firstname', '') | |
452 | lastname = getattr(userobj, 'lastname', '') |
|
452 | lastname = getattr(userobj, 'lastname', '') | |
453 | extern_type = getattr(userobj, 'extern_type', '') |
|
453 | extern_type = getattr(userobj, 'extern_type', '') | |
454 |
|
454 | |||
455 | groups = [] |
|
455 | groups = [] | |
456 | user_attrs = { |
|
456 | user_attrs = { | |
457 | 'username': username, |
|
457 | 'username': username, | |
458 | 'firstname': safe_unicode( |
|
458 | 'firstname': safe_unicode( | |
459 | get_ldap_attr('attr_firstname') or firstname), |
|
459 | get_ldap_attr('attr_firstname') or firstname), | |
460 | 'lastname': safe_unicode( |
|
460 | 'lastname': safe_unicode( | |
461 | get_ldap_attr('attr_lastname') or lastname), |
|
461 | get_ldap_attr('attr_lastname') or lastname), | |
462 | 'groups': groups, |
|
462 | 'groups': groups, | |
463 | 'email': get_ldap_attr('attr_email') or email, |
|
463 | 'email': get_ldap_attr('attr_email') or email, | |
464 | 'admin': admin, |
|
464 | 'admin': admin, | |
465 | 'active': active, |
|
465 | 'active': active, | |
466 | 'active_from_extern': None, |
|
466 | 'active_from_extern': None, | |
467 | 'extern_name': user_dn, |
|
467 | 'extern_name': user_dn, | |
468 | 'extern_type': extern_type, |
|
468 | 'extern_type': extern_type, | |
469 | } |
|
469 | } | |
470 | log.debug('ldap user: %s', user_attrs) |
|
470 | log.debug('ldap user: %s', user_attrs) | |
471 | log.info('user %s authenticated correctly', user_attrs['username']) |
|
471 | log.info('user %s authenticated correctly', user_attrs['username']) | |
472 |
|
472 | |||
473 | return user_attrs |
|
473 | return user_attrs | |
474 |
|
474 | |||
475 | except (LdapUsernameError, LdapPasswordError, LdapImportError): |
|
475 | except (LdapUsernameError, LdapPasswordError, LdapImportError): | |
476 | log.exception("LDAP related exception") |
|
476 | log.exception("LDAP related exception") | |
477 | return None |
|
477 | return None | |
478 | except (Exception,): |
|
478 | except (Exception,): | |
479 | log.exception("Other exception") |
|
479 | log.exception("Other exception") | |
480 | return None |
|
480 | return None |
@@ -1,142 +1,142 b'' | |||||
1 | # -*- coding: utf-8 -*- |
|
1 | # -*- coding: utf-8 -*- | |
2 |
|
2 | |||
3 | # Copyright (C) 2012-2017 RhodeCode GmbH |
|
3 | # Copyright (C) 2012-2017 RhodeCode GmbH | |
4 | # |
|
4 | # | |
5 | # This program is free software: you can redistribute it and/or modify |
|
5 | # This program is free software: you can redistribute it and/or modify | |
6 | # it under the terms of the GNU Affero General Public License, version 3 |
|
6 | # it under the terms of the GNU Affero General Public License, version 3 | |
7 | # (only), as published by the Free Software Foundation. |
|
7 | # (only), as published by the Free Software Foundation. | |
8 | # |
|
8 | # | |
9 | # This program is distributed in the hope that it will be useful, |
|
9 | # This program is distributed in the hope that it will be useful, | |
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of |
|
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of | |
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the |
|
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |
12 | # GNU General Public License for more details. |
|
12 | # GNU General Public License for more details. | |
13 | # |
|
13 | # | |
14 | # You should have received a copy of the GNU Affero General Public License |
|
14 | # You should have received a copy of the GNU Affero General Public License | |
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. |
|
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. | |
16 | # |
|
16 | # | |
17 | # This program is dual-licensed. If you wish to learn more about the |
|
17 | # This program is dual-licensed. If you wish to learn more about the | |
18 | # RhodeCode Enterprise Edition, including its added features, Support services, |
|
18 | # RhodeCode Enterprise Edition, including its added features, Support services, | |
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ |
|
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |
20 |
|
20 | |||
21 | """ |
|
21 | """ | |
22 | RhodeCode authentication plugin for built in internal auth |
|
22 | RhodeCode authentication plugin for built in internal auth | |
23 | """ |
|
23 | """ | |
24 |
|
24 | |||
25 | import logging |
|
25 | import logging | |
26 |
|
26 | |||
27 | from pylons.i18n.translation import lazy_ugettext as _ |
|
27 | from pylons.i18n.translation import lazy_ugettext as _ | |
28 |
|
28 | |||
29 | from rhodecode.authentication.base import RhodeCodeAuthPluginBase, hybrid_property |
|
29 | from rhodecode.authentication.base import RhodeCodeAuthPluginBase, hybrid_property | |
30 | from rhodecode.authentication.routes import AuthnPluginResourceBase |
|
30 | from rhodecode.authentication.routes import AuthnPluginResourceBase | |
31 | from rhodecode.lib.utils2 import safe_str |
|
31 | from rhodecode.lib.utils2 import safe_str | |
32 | from rhodecode.model.db import User |
|
32 | from rhodecode.model.db import User | |
33 |
|
33 | |||
34 | log = logging.getLogger(__name__) |
|
34 | log = logging.getLogger(__name__) | |
35 |
|
35 | |||
36 |
|
36 | |||
37 | def plugin_factory(plugin_id, *args, **kwds): |
|
37 | def plugin_factory(plugin_id, *args, **kwds): | |
38 | plugin = RhodeCodeAuthPlugin(plugin_id) |
|
38 | plugin = RhodeCodeAuthPlugin(plugin_id) | |
39 | return plugin |
|
39 | return plugin | |
40 |
|
40 | |||
41 |
|
41 | |||
42 | class RhodecodeAuthnResource(AuthnPluginResourceBase): |
|
42 | class RhodecodeAuthnResource(AuthnPluginResourceBase): | |
43 | pass |
|
43 | pass | |
44 |
|
44 | |||
45 |
|
45 | |||
46 | class RhodeCodeAuthPlugin(RhodeCodeAuthPluginBase): |
|
46 | class RhodeCodeAuthPlugin(RhodeCodeAuthPluginBase): | |
47 |
|
47 | |||
48 | def includeme(self, config): |
|
48 | def includeme(self, config): | |
49 | config.add_authn_plugin(self) |
|
49 | config.add_authn_plugin(self) | |
50 | config.add_authn_resource(self.get_id(), RhodecodeAuthnResource(self)) |
|
50 | config.add_authn_resource(self.get_id(), RhodecodeAuthnResource(self)) | |
51 | config.add_view( |
|
51 | config.add_view( | |
52 | 'rhodecode.authentication.views.AuthnPluginViewBase', |
|
52 | 'rhodecode.authentication.views.AuthnPluginViewBase', | |
53 | attr='settings_get', |
|
53 | attr='settings_get', | |
54 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', |
|
54 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', | |
55 | request_method='GET', |
|
55 | request_method='GET', | |
56 | route_name='auth_home', |
|
56 | route_name='auth_home', | |
57 | context=RhodecodeAuthnResource) |
|
57 | context=RhodecodeAuthnResource) | |
58 | config.add_view( |
|
58 | config.add_view( | |
59 | 'rhodecode.authentication.views.AuthnPluginViewBase', |
|
59 | 'rhodecode.authentication.views.AuthnPluginViewBase', | |
60 | attr='settings_post', |
|
60 | attr='settings_post', | |
61 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', |
|
61 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', | |
62 | request_method='POST', |
|
62 | request_method='POST', | |
63 | route_name='auth_home', |
|
63 | route_name='auth_home', | |
64 | context=RhodecodeAuthnResource) |
|
64 | context=RhodecodeAuthnResource) | |
65 |
|
65 | |||
66 | def get_display_name(self): |
|
66 | def get_display_name(self): | |
67 | return _('Rhodecode') |
|
67 | return _('Rhodecode') | |
68 |
|
68 | |||
69 | @hybrid_property |
|
69 | @hybrid_property | |
70 | def name(self): |
|
70 | def name(self): | |
71 | return "rhodecode" |
|
71 | return "rhodecode" | |
72 |
|
72 | |||
73 | def user_activation_state(self): |
|
73 | def user_activation_state(self): | |
74 | def_user_perms = User.get_default_user().AuthUser.permissions['global'] |
|
74 | def_user_perms = User.get_default_user().AuthUser().permissions['global'] | |
75 | return 'hg.register.auto_activate' in def_user_perms |
|
75 | return 'hg.register.auto_activate' in def_user_perms | |
76 |
|
76 | |||
77 | def allows_authentication_from( |
|
77 | def allows_authentication_from( | |
78 | self, user, allows_non_existing_user=True, |
|
78 | self, user, allows_non_existing_user=True, | |
79 | allowed_auth_plugins=None, allowed_auth_sources=None): |
|
79 | allowed_auth_plugins=None, allowed_auth_sources=None): | |
80 | """ |
|
80 | """ | |
81 | Custom method for this auth that doesn't accept non existing users. |
|
81 | Custom method for this auth that doesn't accept non existing users. | |
82 | We know that user exists in our database. |
|
82 | We know that user exists in our database. | |
83 | """ |
|
83 | """ | |
84 | allows_non_existing_user = False |
|
84 | allows_non_existing_user = False | |
85 | return super(RhodeCodeAuthPlugin, self).allows_authentication_from( |
|
85 | return super(RhodeCodeAuthPlugin, self).allows_authentication_from( | |
86 | user, allows_non_existing_user=allows_non_existing_user) |
|
86 | user, allows_non_existing_user=allows_non_existing_user) | |
87 |
|
87 | |||
88 | def auth(self, userobj, username, password, settings, **kwargs): |
|
88 | def auth(self, userobj, username, password, settings, **kwargs): | |
89 | if not userobj: |
|
89 | if not userobj: | |
90 | log.debug('userobj was:%s skipping' % (userobj, )) |
|
90 | log.debug('userobj was:%s skipping' % (userobj, )) | |
91 | return None |
|
91 | return None | |
92 | if userobj.extern_type != self.name: |
|
92 | if userobj.extern_type != self.name: | |
93 | log.warning( |
|
93 | log.warning( | |
94 | "userobj:%s extern_type mismatch got:`%s` expected:`%s`" % |
|
94 | "userobj:%s extern_type mismatch got:`%s` expected:`%s`" % | |
95 | (userobj, userobj.extern_type, self.name)) |
|
95 | (userobj, userobj.extern_type, self.name)) | |
96 | return None |
|
96 | return None | |
97 |
|
97 | |||
98 | user_attrs = { |
|
98 | user_attrs = { | |
99 | "username": userobj.username, |
|
99 | "username": userobj.username, | |
100 | "firstname": userobj.firstname, |
|
100 | "firstname": userobj.firstname, | |
101 | "lastname": userobj.lastname, |
|
101 | "lastname": userobj.lastname, | |
102 | "groups": [], |
|
102 | "groups": [], | |
103 | "email": userobj.email, |
|
103 | "email": userobj.email, | |
104 | "admin": userobj.admin, |
|
104 | "admin": userobj.admin, | |
105 | "active": userobj.active, |
|
105 | "active": userobj.active, | |
106 | "active_from_extern": userobj.active, |
|
106 | "active_from_extern": userobj.active, | |
107 | "extern_name": userobj.user_id, |
|
107 | "extern_name": userobj.user_id, | |
108 | "extern_type": userobj.extern_type, |
|
108 | "extern_type": userobj.extern_type, | |
109 | } |
|
109 | } | |
110 |
|
110 | |||
111 | log.debug("User attributes:%s" % (user_attrs, )) |
|
111 | log.debug("User attributes:%s" % (user_attrs, )) | |
112 | if userobj.active: |
|
112 | if userobj.active: | |
113 | from rhodecode.lib import auth |
|
113 | from rhodecode.lib import auth | |
114 | crypto_backend = auth.crypto_backend() |
|
114 | crypto_backend = auth.crypto_backend() | |
115 | password_encoded = safe_str(password) |
|
115 | password_encoded = safe_str(password) | |
116 | password_match, new_hash = crypto_backend.hash_check_with_upgrade( |
|
116 | password_match, new_hash = crypto_backend.hash_check_with_upgrade( | |
117 | password_encoded, userobj.password) |
|
117 | password_encoded, userobj.password) | |
118 |
|
118 | |||
119 | if password_match and new_hash: |
|
119 | if password_match and new_hash: | |
120 | log.debug('user %s properly authenticated, but ' |
|
120 | log.debug('user %s properly authenticated, but ' | |
121 | 'requires hash change to bcrypt', userobj) |
|
121 | 'requires hash change to bcrypt', userobj) | |
122 | # if password match, and we use OLD deprecated hash, |
|
122 | # if password match, and we use OLD deprecated hash, | |
123 | # we should migrate this user hash password to the new hash |
|
123 | # we should migrate this user hash password to the new hash | |
124 | # we store the new returned by hash_check_with_upgrade function |
|
124 | # we store the new returned by hash_check_with_upgrade function | |
125 | user_attrs['_hash_migrate'] = new_hash |
|
125 | user_attrs['_hash_migrate'] = new_hash | |
126 |
|
126 | |||
127 | if userobj.username == User.DEFAULT_USER and userobj.active: |
|
127 | if userobj.username == User.DEFAULT_USER and userobj.active: | |
128 | log.info( |
|
128 | log.info( | |
129 | 'user %s authenticated correctly as anonymous user', userobj) |
|
129 | 'user %s authenticated correctly as anonymous user', userobj) | |
130 | return user_attrs |
|
130 | return user_attrs | |
131 |
|
131 | |||
132 | elif userobj.username == username and password_match: |
|
132 | elif userobj.username == username and password_match: | |
133 | log.info('user %s authenticated correctly', userobj) |
|
133 | log.info('user %s authenticated correctly', userobj) | |
134 | return user_attrs |
|
134 | return user_attrs | |
135 | log.info("user %s had a bad password when " |
|
135 | log.info("user %s had a bad password when " | |
136 | "authenticating on this plugin", userobj) |
|
136 | "authenticating on this plugin", userobj) | |
137 | return None |
|
137 | return None | |
138 | else: |
|
138 | else: | |
139 | log.warning( |
|
139 | log.warning( | |
140 | 'user `%s` failed to authenticate via %s, reason: account not ' |
|
140 | 'user `%s` failed to authenticate via %s, reason: account not ' | |
141 | 'active.', username, self.name) |
|
141 | 'active.', username, self.name) | |
142 | return None |
|
142 | return None |
@@ -1,146 +1,146 b'' | |||||
1 | # -*- coding: utf-8 -*- |
|
1 | # -*- coding: utf-8 -*- | |
2 |
|
2 | |||
3 | # Copyright (C) 2016-2017 RhodeCode GmbH |
|
3 | # Copyright (C) 2016-2017 RhodeCode GmbH | |
4 | # |
|
4 | # | |
5 | # This program is free software: you can redistribute it and/or modify |
|
5 | # This program is free software: you can redistribute it and/or modify | |
6 | # it under the terms of the GNU Affero General Public License, version 3 |
|
6 | # it under the terms of the GNU Affero General Public License, version 3 | |
7 | # (only), as published by the Free Software Foundation. |
|
7 | # (only), as published by the Free Software Foundation. | |
8 | # |
|
8 | # | |
9 | # This program is distributed in the hope that it will be useful, |
|
9 | # This program is distributed in the hope that it will be useful, | |
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of |
|
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of | |
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the |
|
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |
12 | # GNU General Public License for more details. |
|
12 | # GNU General Public License for more details. | |
13 | # |
|
13 | # | |
14 | # You should have received a copy of the GNU Affero General Public License |
|
14 | # You should have received a copy of the GNU Affero General Public License | |
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. |
|
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. | |
16 | # |
|
16 | # | |
17 | # This program is dual-licensed. If you wish to learn more about the |
|
17 | # This program is dual-licensed. If you wish to learn more about the | |
18 | # RhodeCode Enterprise Edition, including its added features, Support services, |
|
18 | # RhodeCode Enterprise Edition, including its added features, Support services, | |
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ |
|
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |
20 |
|
20 | |||
21 | """ |
|
21 | """ | |
22 | RhodeCode authentication token plugin for built in internal auth |
|
22 | RhodeCode authentication token plugin for built in internal auth | |
23 | """ |
|
23 | """ | |
24 |
|
24 | |||
25 | import logging |
|
25 | import logging | |
26 |
|
26 | |||
27 | from rhodecode.translation import _ |
|
27 | from rhodecode.translation import _ | |
28 | from rhodecode.authentication.base import ( |
|
28 | from rhodecode.authentication.base import ( | |
29 | RhodeCodeAuthPluginBase, VCS_TYPE, hybrid_property) |
|
29 | RhodeCodeAuthPluginBase, VCS_TYPE, hybrid_property) | |
30 | from rhodecode.authentication.routes import AuthnPluginResourceBase |
|
30 | from rhodecode.authentication.routes import AuthnPluginResourceBase | |
31 | from rhodecode.model.db import User, UserApiKeys, Repository |
|
31 | from rhodecode.model.db import User, UserApiKeys, Repository | |
32 |
|
32 | |||
33 |
|
33 | |||
34 | log = logging.getLogger(__name__) |
|
34 | log = logging.getLogger(__name__) | |
35 |
|
35 | |||
36 |
|
36 | |||
37 | def plugin_factory(plugin_id, *args, **kwds): |
|
37 | def plugin_factory(plugin_id, *args, **kwds): | |
38 | plugin = RhodeCodeAuthPlugin(plugin_id) |
|
38 | plugin = RhodeCodeAuthPlugin(plugin_id) | |
39 | return plugin |
|
39 | return plugin | |
40 |
|
40 | |||
41 |
|
41 | |||
42 | class RhodecodeAuthnResource(AuthnPluginResourceBase): |
|
42 | class RhodecodeAuthnResource(AuthnPluginResourceBase): | |
43 | pass |
|
43 | pass | |
44 |
|
44 | |||
45 |
|
45 | |||
46 | class RhodeCodeAuthPlugin(RhodeCodeAuthPluginBase): |
|
46 | class RhodeCodeAuthPlugin(RhodeCodeAuthPluginBase): | |
47 | """ |
|
47 | """ | |
48 | Enables usage of authentication tokens for vcs operations. |
|
48 | Enables usage of authentication tokens for vcs operations. | |
49 | """ |
|
49 | """ | |
50 |
|
50 | |||
51 | def includeme(self, config): |
|
51 | def includeme(self, config): | |
52 | config.add_authn_plugin(self) |
|
52 | config.add_authn_plugin(self) | |
53 | config.add_authn_resource(self.get_id(), RhodecodeAuthnResource(self)) |
|
53 | config.add_authn_resource(self.get_id(), RhodecodeAuthnResource(self)) | |
54 | config.add_view( |
|
54 | config.add_view( | |
55 | 'rhodecode.authentication.views.AuthnPluginViewBase', |
|
55 | 'rhodecode.authentication.views.AuthnPluginViewBase', | |
56 | attr='settings_get', |
|
56 | attr='settings_get', | |
57 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', |
|
57 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', | |
58 | request_method='GET', |
|
58 | request_method='GET', | |
59 | route_name='auth_home', |
|
59 | route_name='auth_home', | |
60 | context=RhodecodeAuthnResource) |
|
60 | context=RhodecodeAuthnResource) | |
61 | config.add_view( |
|
61 | config.add_view( | |
62 | 'rhodecode.authentication.views.AuthnPluginViewBase', |
|
62 | 'rhodecode.authentication.views.AuthnPluginViewBase', | |
63 | attr='settings_post', |
|
63 | attr='settings_post', | |
64 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', |
|
64 | renderer='rhodecode:templates/admin/auth/plugin_settings.mako', | |
65 | request_method='POST', |
|
65 | request_method='POST', | |
66 | route_name='auth_home', |
|
66 | route_name='auth_home', | |
67 | context=RhodecodeAuthnResource) |
|
67 | context=RhodecodeAuthnResource) | |
68 |
|
68 | |||
69 | def get_display_name(self): |
|
69 | def get_display_name(self): | |
70 | return _('Rhodecode Token Auth') |
|
70 | return _('Rhodecode Token Auth') | |
71 |
|
71 | |||
72 | @hybrid_property |
|
72 | @hybrid_property | |
73 | def name(self): |
|
73 | def name(self): | |
74 | return "authtoken" |
|
74 | return "authtoken" | |
75 |
|
75 | |||
76 | def user_activation_state(self): |
|
76 | def user_activation_state(self): | |
77 | def_user_perms = User.get_default_user().AuthUser.permissions['global'] |
|
77 | def_user_perms = User.get_default_user().AuthUser().permissions['global'] | |
78 | return 'hg.register.auto_activate' in def_user_perms |
|
78 | return 'hg.register.auto_activate' in def_user_perms | |
79 |
|
79 | |||
80 | def allows_authentication_from( |
|
80 | def allows_authentication_from( | |
81 | self, user, allows_non_existing_user=True, |
|
81 | self, user, allows_non_existing_user=True, | |
82 | allowed_auth_plugins=None, allowed_auth_sources=None): |
|
82 | allowed_auth_plugins=None, allowed_auth_sources=None): | |
83 | """ |
|
83 | """ | |
84 | Custom method for this auth that doesn't accept empty users. And also |
|
84 | Custom method for this auth that doesn't accept empty users. And also | |
85 | allows users from all other active plugins to use it and also |
|
85 | allows users from all other active plugins to use it and also | |
86 | authenticate against it. But only via vcs mode |
|
86 | authenticate against it. But only via vcs mode | |
87 | """ |
|
87 | """ | |
88 | from rhodecode.authentication.base import get_authn_registry |
|
88 | from rhodecode.authentication.base import get_authn_registry | |
89 | authn_registry = get_authn_registry() |
|
89 | authn_registry = get_authn_registry() | |
90 |
|
90 | |||
91 | active_plugins = set( |
|
91 | active_plugins = set( | |
92 | [x.name for x in authn_registry.get_plugins_for_authentication()]) |
|
92 | [x.name for x in authn_registry.get_plugins_for_authentication()]) | |
93 | active_plugins.discard(self.name) |
|
93 | active_plugins.discard(self.name) | |
94 |
|
94 | |||
95 | allowed_auth_plugins = [self.name] + list(active_plugins) |
|
95 | allowed_auth_plugins = [self.name] + list(active_plugins) | |
96 | # only for vcs operations |
|
96 | # only for vcs operations | |
97 | allowed_auth_sources = [VCS_TYPE] |
|
97 | allowed_auth_sources = [VCS_TYPE] | |
98 |
|
98 | |||
99 | return super(RhodeCodeAuthPlugin, self).allows_authentication_from( |
|
99 | return super(RhodeCodeAuthPlugin, self).allows_authentication_from( | |
100 | user, allows_non_existing_user=False, |
|
100 | user, allows_non_existing_user=False, | |
101 | allowed_auth_plugins=allowed_auth_plugins, |
|
101 | allowed_auth_plugins=allowed_auth_plugins, | |
102 | allowed_auth_sources=allowed_auth_sources) |
|
102 | allowed_auth_sources=allowed_auth_sources) | |
103 |
|
103 | |||
104 | def auth(self, userobj, username, password, settings, **kwargs): |
|
104 | def auth(self, userobj, username, password, settings, **kwargs): | |
105 | if not userobj: |
|
105 | if not userobj: | |
106 | log.debug('userobj was:%s skipping' % (userobj, )) |
|
106 | log.debug('userobj was:%s skipping' % (userobj, )) | |
107 | return None |
|
107 | return None | |
108 |
|
108 | |||
109 | user_attrs = { |
|
109 | user_attrs = { | |
110 | "username": userobj.username, |
|
110 | "username": userobj.username, | |
111 | "firstname": userobj.firstname, |
|
111 | "firstname": userobj.firstname, | |
112 | "lastname": userobj.lastname, |
|
112 | "lastname": userobj.lastname, | |
113 | "groups": [], |
|
113 | "groups": [], | |
114 | "email": userobj.email, |
|
114 | "email": userobj.email, | |
115 | "admin": userobj.admin, |
|
115 | "admin": userobj.admin, | |
116 | "active": userobj.active, |
|
116 | "active": userobj.active, | |
117 | "active_from_extern": userobj.active, |
|
117 | "active_from_extern": userobj.active, | |
118 | "extern_name": userobj.user_id, |
|
118 | "extern_name": userobj.user_id, | |
119 | "extern_type": userobj.extern_type, |
|
119 | "extern_type": userobj.extern_type, | |
120 | } |
|
120 | } | |
121 |
|
121 | |||
122 | log.debug('Authenticating user with args %s', user_attrs) |
|
122 | log.debug('Authenticating user with args %s', user_attrs) | |
123 | if userobj.active: |
|
123 | if userobj.active: | |
124 | # calling context repo for token scopes |
|
124 | # calling context repo for token scopes | |
125 | scope_repo_id = None |
|
125 | scope_repo_id = None | |
126 | if self.acl_repo_name: |
|
126 | if self.acl_repo_name: | |
127 | repo = Repository.get_by_repo_name(self.acl_repo_name) |
|
127 | repo = Repository.get_by_repo_name(self.acl_repo_name) | |
128 | scope_repo_id = repo.repo_id if repo else None |
|
128 | scope_repo_id = repo.repo_id if repo else None | |
129 |
|
129 | |||
130 | token_match = userobj.authenticate_by_token( |
|
130 | token_match = userobj.authenticate_by_token( | |
131 | password, roles=[UserApiKeys.ROLE_VCS], |
|
131 | password, roles=[UserApiKeys.ROLE_VCS], | |
132 | scope_repo_id=scope_repo_id) |
|
132 | scope_repo_id=scope_repo_id) | |
133 |
|
133 | |||
134 | if userobj.username == username and token_match: |
|
134 | if userobj.username == username and token_match: | |
135 | log.info( |
|
135 | log.info( | |
136 | 'user `%s` successfully authenticated via %s', |
|
136 | 'user `%s` successfully authenticated via %s', | |
137 | user_attrs['username'], self.name) |
|
137 | user_attrs['username'], self.name) | |
138 | return user_attrs |
|
138 | return user_attrs | |
139 | log.error( |
|
139 | log.error( | |
140 | 'user `%s` failed to authenticate via %s, reason: bad or ' |
|
140 | 'user `%s` failed to authenticate via %s, reason: bad or ' | |
141 | 'inactive token.', username, self.name) |
|
141 | 'inactive token.', username, self.name) | |
142 | else: |
|
142 | else: | |
143 | log.warning( |
|
143 | log.warning( | |
144 | 'user `%s` failed to authenticate via %s, reason: account not ' |
|
144 | 'user `%s` failed to authenticate via %s, reason: account not ' | |
145 | 'active.', username, self.name) |
|
145 | 'active.', username, self.name) | |
146 | return None |
|
146 | return None |
1 | NO CONTENT: modified file |
|
NO CONTENT: modified file | ||
The requested commit or file is too big and content was truncated. Show full diff |
@@ -1,109 +1,109 b'' | |||||
1 | # -*- coding: utf-8 -*- |
|
1 | # -*- coding: utf-8 -*- | |
2 |
|
2 | |||
3 | # Copyright (C) 2010-2017 RhodeCode GmbH |
|
3 | # Copyright (C) 2010-2017 RhodeCode GmbH | |
4 | # |
|
4 | # | |
5 | # This program is free software: you can redistribute it and/or modify |
|
5 | # This program is free software: you can redistribute it and/or modify | |
6 | # it under the terms of the GNU Affero General Public License, version 3 |
|
6 | # it under the terms of the GNU Affero General Public License, version 3 | |
7 | # (only), as published by the Free Software Foundation. |
|
7 | # (only), as published by the Free Software Foundation. | |
8 | # |
|
8 | # | |
9 | # This program is distributed in the hope that it will be useful, |
|
9 | # This program is distributed in the hope that it will be useful, | |
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of |
|
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of | |
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the |
|
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |
12 | # GNU General Public License for more details. |
|
12 | # GNU General Public License for more details. | |
13 | # |
|
13 | # | |
14 | # You should have received a copy of the GNU Affero General Public License |
|
14 | # You should have received a copy of the GNU Affero General Public License | |
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. |
|
15 | # along with this program. If not, see <http://www.gnu.org/licenses/>. | |
16 | # |
|
16 | # | |
17 | # This program is dual-licensed. If you wish to learn more about the |
|
17 | # This program is dual-licensed. If you wish to learn more about the | |
18 | # RhodeCode Enterprise Edition, including its added features, Support services, |
|
18 | # RhodeCode Enterprise Edition, including its added features, Support services, | |
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ |
|
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |
20 |
|
20 | |||
21 | """ |
|
21 | """ | |
22 | External module for testing plugins |
|
22 | External module for testing plugins | |
23 |
|
23 | |||
24 | rhodecode.tests.auth_external_test |
|
24 | rhodecode.tests.auth_external_test | |
25 |
|
25 | |||
26 | """ |
|
26 | """ | |
27 | import logging |
|
27 | import logging | |
28 | import traceback |
|
28 | import traceback | |
29 |
|
29 | |||
30 | from rhodecode.authentication.base import ( |
|
30 | from rhodecode.authentication.base import ( | |
31 | RhodeCodeExternalAuthPlugin, hybrid_property) |
|
31 | RhodeCodeExternalAuthPlugin, hybrid_property) | |
32 | from rhodecode.model.db import User |
|
32 | from rhodecode.model.db import User | |
33 | from rhodecode.lib.ext_json import formatted_json |
|
33 | from rhodecode.lib.ext_json import formatted_json | |
34 |
|
34 | |||
35 | log = logging.getLogger(__name__) |
|
35 | log = logging.getLogger(__name__) | |
36 |
|
36 | |||
37 |
|
37 | |||
38 | class RhodeCodeAuthPlugin(RhodeCodeExternalAuthPlugin): |
|
38 | class RhodeCodeAuthPlugin(RhodeCodeExternalAuthPlugin): | |
39 | def __init__(self): |
|
39 | def __init__(self): | |
40 | self._logger = logging.getLogger(__name__) |
|
40 | self._logger = logging.getLogger(__name__) | |
41 |
|
41 | |||
42 | @hybrid_property |
|
42 | @hybrid_property | |
43 | def allows_creating_users(self): |
|
43 | def allows_creating_users(self): | |
44 | return True |
|
44 | return True | |
45 |
|
45 | |||
46 | @hybrid_property |
|
46 | @hybrid_property | |
47 | def name(self): |
|
47 | def name(self): | |
48 | return "external_test" |
|
48 | return "external_test" | |
49 |
|
49 | |||
50 | def settings(self): |
|
50 | def settings(self): | |
51 | settings = [ |
|
51 | settings = [ | |
52 | ] |
|
52 | ] | |
53 | return settings |
|
53 | return settings | |
54 |
|
54 | |||
55 | def use_fake_password(self): |
|
55 | def use_fake_password(self): | |
56 | return True |
|
56 | return True | |
57 |
|
57 | |||
58 | def user_activation_state(self): |
|
58 | def user_activation_state(self): | |
59 | def_user_perms = User.get_default_user().AuthUser.permissions['global'] |
|
59 | def_user_perms = User.get_default_user().AuthUser().permissions['global'] | |
60 | return 'hg.extern_activate.auto' in def_user_perms |
|
60 | return 'hg.extern_activate.auto' in def_user_perms | |
61 |
|
61 | |||
62 | def auth(self, userobj, username, password, settings, **kwargs): |
|
62 | def auth(self, userobj, username, password, settings, **kwargs): | |
63 | """ |
|
63 | """ | |
64 | Given a user object (which may be null), username, a plaintext password, |
|
64 | Given a user object (which may be null), username, a plaintext password, | |
65 | and a settings object (containing all the keys needed as listed in settings()), |
|
65 | and a settings object (containing all the keys needed as listed in settings()), | |
66 | authenticate this user's login attempt. |
|
66 | authenticate this user's login attempt. | |
67 |
|
67 | |||
68 | Return None on failure. On success, return a dictionary of the form: |
|
68 | Return None on failure. On success, return a dictionary of the form: | |
69 |
|
69 | |||
70 | see: RhodeCodeAuthPluginBase.auth_func_attrs |
|
70 | see: RhodeCodeAuthPluginBase.auth_func_attrs | |
71 | This is later validated for correctness |
|
71 | This is later validated for correctness | |
72 | """ |
|
72 | """ | |
73 |
|
73 | |||
74 | if not username or not password: |
|
74 | if not username or not password: | |
75 | log.debug('Empty username or password skipping...') |
|
75 | log.debug('Empty username or password skipping...') | |
76 | return None |
|
76 | return None | |
77 |
|
77 | |||
78 | try: |
|
78 | try: | |
79 | user_dn = username |
|
79 | user_dn = username | |
80 |
|
80 | |||
81 | # # old attrs fetched from RhodeCode database |
|
81 | # # old attrs fetched from RhodeCode database | |
82 | admin = getattr(userobj, 'admin', False) |
|
82 | admin = getattr(userobj, 'admin', False) | |
83 | active = getattr(userobj, 'active', True) |
|
83 | active = getattr(userobj, 'active', True) | |
84 | email = getattr(userobj, 'email', '') |
|
84 | email = getattr(userobj, 'email', '') | |
85 | firstname = getattr(userobj, 'firstname', '') |
|
85 | firstname = getattr(userobj, 'firstname', '') | |
86 | lastname = getattr(userobj, 'lastname', '') |
|
86 | lastname = getattr(userobj, 'lastname', '') | |
87 | extern_type = getattr(userobj, 'extern_type', '') |
|
87 | extern_type = getattr(userobj, 'extern_type', '') | |
88 | # |
|
88 | # | |
89 | user_attrs = { |
|
89 | user_attrs = { | |
90 | 'username': username, |
|
90 | 'username': username, | |
91 | 'firstname': firstname, |
|
91 | 'firstname': firstname, | |
92 | 'lastname': lastname, |
|
92 | 'lastname': lastname, | |
93 | 'groups': [], |
|
93 | 'groups': [], | |
94 | 'email': '%s@rhodecode.com' % username, |
|
94 | 'email': '%s@rhodecode.com' % username, | |
95 | 'admin': admin, |
|
95 | 'admin': admin, | |
96 | 'active': active, |
|
96 | 'active': active, | |
97 | "active_from_extern": None, |
|
97 | "active_from_extern": None, | |
98 | 'extern_name': user_dn, |
|
98 | 'extern_name': user_dn, | |
99 | 'extern_type': extern_type, |
|
99 | 'extern_type': extern_type, | |
100 | } |
|
100 | } | |
101 |
|
101 | |||
102 | log.debug('EXTERNAL user: \n%s' % formatted_json(user_attrs)) |
|
102 | log.debug('EXTERNAL user: \n%s' % formatted_json(user_attrs)) | |
103 | log.info('user %s authenticated correctly' % user_attrs['username']) |
|
103 | log.info('user %s authenticated correctly' % user_attrs['username']) | |
104 |
|
104 | |||
105 | return user_attrs |
|
105 | return user_attrs | |
106 |
|
106 | |||
107 | except (Exception,): |
|
107 | except (Exception,): | |
108 | log.error(traceback.format_exc()) |
|
108 | log.error(traceback.format_exc()) | |
109 | return None |
|
109 | return None |
General Comments 0
You need to be logged in to leave comments.
Login now