Show More
@@ -0,0 +1,52 b'' | |||||
|
1 | # -*- coding: utf-8 -*- | |||
|
2 | ||||
|
3 | # Copyright (C) 2012-2016 RhodeCode GmbH | |||
|
4 | # | |||
|
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 | |||
|
7 | # (only), as published by the Free Software Foundation. | |||
|
8 | # | |||
|
9 | # This program is distributed in the hope that it will be useful, | |||
|
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of | |||
|
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |||
|
12 | # GNU General Public License for more details. | |||
|
13 | # | |||
|
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/>. | |||
|
16 | # | |||
|
17 | # This program is dual-licensed. If you wish to learn more about the | |||
|
18 | # RhodeCode Enterprise Edition, including its added features, Support services, | |||
|
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |||
|
20 | ||||
|
21 | import logging | |||
|
22 | from rhodecode.integrations.registry import IntegrationTypeRegistry | |||
|
23 | from rhodecode.integrations.types import slack | |||
|
24 | ||||
|
25 | log = logging.getLogger(__name__) | |||
|
26 | ||||
|
27 | ||||
|
28 | # TODO: dan: This is currently global until we figure out what to do about | |||
|
29 | # VCS's not having a pyramid context - move it to pyramid app configuration | |||
|
30 | # includeme level later to allow per instance integration setup | |||
|
31 | integration_type_registry = IntegrationTypeRegistry() | |||
|
32 | integration_type_registry.register_integration_type(slack.SlackIntegrationType) | |||
|
33 | ||||
|
34 | def integrations_event_handler(event): | |||
|
35 | """ | |||
|
36 | Takes an event and passes it to all enabled integrations | |||
|
37 | """ | |||
|
38 | from rhodecode.model.integration import IntegrationModel | |||
|
39 | ||||
|
40 | integration_model = IntegrationModel() | |||
|
41 | integrations = integration_model.get_for_event(event) | |||
|
42 | for integration in integrations: | |||
|
43 | try: | |||
|
44 | integration_model.send_event(integration, event) | |||
|
45 | except Exception: | |||
|
46 | log.exception( | |||
|
47 | 'failure occured when sending event %s to integration %s' % ( | |||
|
48 | event, integration)) | |||
|
49 | ||||
|
50 | ||||
|
51 | def includeme(config): | |||
|
52 | config.include('rhodecode.integrations.routes') |
@@ -0,0 +1,37 b'' | |||||
|
1 | # -*- coding: utf-8 -*- | |||
|
2 | # Copyright (C) 2012-2016 RhodeCode GmbH | |||
|
3 | # | |||
|
4 | # This program is free software: you can redistribute it and/or modify | |||
|
5 | # it under the terms of the GNU Affero General Public License, version 3 | |||
|
6 | # (only), as published by the Free Software Foundation. | |||
|
7 | # | |||
|
8 | # This program is distributed in the hope that it will be useful, | |||
|
9 | # but WITHOUT ANY WARRANTY; without even the implied warranty of | |||
|
10 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |||
|
11 | # GNU General Public License for more details. | |||
|
12 | # | |||
|
13 | # You should have received a copy of the GNU Affero General Public License | |||
|
14 | # along with this program. If not, see <http://www.gnu.org/licenses/>. | |||
|
15 | # | |||
|
16 | # This program is dual-licensed. If you wish to learn more about the | |||
|
17 | # RhodeCode Enterprise Edition, including its added features, Support services, | |||
|
18 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |||
|
19 | ||||
|
20 | import logging | |||
|
21 | ||||
|
22 | log = logging.getLogger() | |||
|
23 | ||||
|
24 | ||||
|
25 | class IntegrationTypeRegistry(dict): | |||
|
26 | """ | |||
|
27 | Registry Class to hold IntegrationTypes | |||
|
28 | """ | |||
|
29 | def register_integration_type(self, IntegrationType): | |||
|
30 | key = IntegrationType.key | |||
|
31 | if key in self: | |||
|
32 | log.warning( | |||
|
33 | 'Overriding existing integration type %s (%s) with %s' % ( | |||
|
34 | self[key], key, IntegrationType)) | |||
|
35 | ||||
|
36 | self[key] = IntegrationType | |||
|
37 |
@@ -0,0 +1,133 b'' | |||||
|
1 | # -*- coding: utf-8 -*- | |||
|
2 | ||||
|
3 | # Copyright (C) 2012-2016 RhodeCode GmbH | |||
|
4 | # | |||
|
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 | |||
|
7 | # (only), as published by the Free Software Foundation. | |||
|
8 | # | |||
|
9 | # This program is distributed in the hope that it will be useful, | |||
|
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of | |||
|
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |||
|
12 | # GNU General Public License for more details. | |||
|
13 | # | |||
|
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/>. | |||
|
16 | # | |||
|
17 | # This program is dual-licensed. If you wish to learn more about the | |||
|
18 | # RhodeCode Enterprise Edition, including its added features, Support services, | |||
|
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |||
|
20 | ||||
|
21 | import logging | |||
|
22 | ||||
|
23 | from rhodecode.model.db import Repository, Integration | |||
|
24 | from rhodecode.config.routing import ( | |||
|
25 | ADMIN_PREFIX, add_route_requirements, URL_NAME_REQUIREMENTS) | |||
|
26 | from rhodecode.integrations import integration_type_registry | |||
|
27 | ||||
|
28 | log = logging.getLogger(__name__) | |||
|
29 | ||||
|
30 | ||||
|
31 | def includeme(config): | |||
|
32 | config.add_route('global_integrations_home', | |||
|
33 | ADMIN_PREFIX + '/integrations') | |||
|
34 | config.add_route('global_integrations_list', | |||
|
35 | ADMIN_PREFIX + '/integrations/{integration}') | |||
|
36 | for route_name in ['global_integrations_home', 'global_integrations_list']: | |||
|
37 | config.add_view('rhodecode.integrations.views.GlobalIntegrationsView', | |||
|
38 | attr='index', | |||
|
39 | renderer='rhodecode:templates/admin/integrations/list.html', | |||
|
40 | request_method='GET', | |||
|
41 | route_name=route_name) | |||
|
42 | ||||
|
43 | config.add_route('global_integrations_create', | |||
|
44 | ADMIN_PREFIX + '/integrations/{integration}/new', | |||
|
45 | custom_predicates=(valid_integration,)) | |||
|
46 | config.add_route('global_integrations_edit', | |||
|
47 | ADMIN_PREFIX + '/integrations/{integration}/{integration_id}', | |||
|
48 | custom_predicates=(valid_integration,)) | |||
|
49 | for route_name in ['global_integrations_create', 'global_integrations_edit']: | |||
|
50 | config.add_view('rhodecode.integrations.views.GlobalIntegrationsView', | |||
|
51 | attr='settings_get', | |||
|
52 | renderer='rhodecode:templates/admin/integrations/edit.html', | |||
|
53 | request_method='GET', | |||
|
54 | route_name=route_name) | |||
|
55 | config.add_view('rhodecode.integrations.views.GlobalIntegrationsView', | |||
|
56 | attr='settings_post', | |||
|
57 | renderer='rhodecode:templates/admin/integrations/edit.html', | |||
|
58 | request_method='POST', | |||
|
59 | route_name=route_name) | |||
|
60 | ||||
|
61 | config.add_route('repo_integrations_home', | |||
|
62 | add_route_requirements( | |||
|
63 | '{repo_name}/settings/integrations', | |||
|
64 | URL_NAME_REQUIREMENTS | |||
|
65 | ), | |||
|
66 | custom_predicates=(valid_repo,)) | |||
|
67 | config.add_route('repo_integrations_list', | |||
|
68 | add_route_requirements( | |||
|
69 | '{repo_name}/settings/integrations/{integration}', | |||
|
70 | URL_NAME_REQUIREMENTS | |||
|
71 | ), | |||
|
72 | custom_predicates=(valid_repo, valid_integration)) | |||
|
73 | for route_name in ['repo_integrations_home', 'repo_integrations_list']: | |||
|
74 | config.add_view('rhodecode.integrations.views.RepoIntegrationsView', | |||
|
75 | attr='index', | |||
|
76 | request_method='GET', | |||
|
77 | route_name=route_name) | |||
|
78 | ||||
|
79 | config.add_route('repo_integrations_create', | |||
|
80 | add_route_requirements( | |||
|
81 | '{repo_name}/settings/integrations/{integration}/new', | |||
|
82 | URL_NAME_REQUIREMENTS | |||
|
83 | ), | |||
|
84 | custom_predicates=(valid_repo, valid_integration)) | |||
|
85 | config.add_route('repo_integrations_edit', | |||
|
86 | add_route_requirements( | |||
|
87 | '{repo_name}/settings/integrations/{integration}/{integration_id}', | |||
|
88 | URL_NAME_REQUIREMENTS | |||
|
89 | ), | |||
|
90 | custom_predicates=(valid_repo, valid_integration)) | |||
|
91 | for route_name in ['repo_integrations_edit', 'repo_integrations_create']: | |||
|
92 | config.add_view('rhodecode.integrations.views.RepoIntegrationsView', | |||
|
93 | attr='settings_get', | |||
|
94 | renderer='rhodecode:templates/admin/integrations/edit.html', | |||
|
95 | request_method='GET', | |||
|
96 | route_name=route_name) | |||
|
97 | config.add_view('rhodecode.integrations.views.RepoIntegrationsView', | |||
|
98 | attr='settings_post', | |||
|
99 | renderer='rhodecode:templates/admin/integrations/edit.html', | |||
|
100 | request_method='POST', | |||
|
101 | route_name=route_name) | |||
|
102 | ||||
|
103 | ||||
|
104 | def valid_repo(info, request): | |||
|
105 | repo = Repository.get_by_repo_name(info['match']['repo_name']) | |||
|
106 | if repo: | |||
|
107 | return True | |||
|
108 | ||||
|
109 | ||||
|
110 | def valid_integration(info, request): | |||
|
111 | integration_type = info['match']['integration'] | |||
|
112 | integration_id = info['match'].get('integration_id') | |||
|
113 | repo_name = info['match'].get('repo_name') | |||
|
114 | ||||
|
115 | if integration_type not in integration_type_registry: | |||
|
116 | return False | |||
|
117 | ||||
|
118 | repo = None | |||
|
119 | if repo_name: | |||
|
120 | repo = Repository.get_by_repo_name(info['match']['repo_name']) | |||
|
121 | if not repo: | |||
|
122 | return False | |||
|
123 | ||||
|
124 | if integration_id: | |||
|
125 | integration = Integration.get(integration_id) | |||
|
126 | if not integration: | |||
|
127 | return False | |||
|
128 | if integration.integration_type != integration_type: | |||
|
129 | return False | |||
|
130 | if repo and repo.repo_id != integration.repo_id: | |||
|
131 | return False | |||
|
132 | ||||
|
133 | return True |
@@ -0,0 +1,48 b'' | |||||
|
1 | # -*- coding: utf-8 -*- | |||
|
2 | ||||
|
3 | # Copyright (C) 2012-2016 RhodeCode GmbH | |||
|
4 | # | |||
|
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 | |||
|
7 | # (only), as published by the Free Software Foundation. | |||
|
8 | # | |||
|
9 | # This program is distributed in the hope that it will be useful, | |||
|
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of | |||
|
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |||
|
12 | # GNU General Public License for more details. | |||
|
13 | # | |||
|
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/>. | |||
|
16 | # | |||
|
17 | # This program is dual-licensed. If you wish to learn more about the | |||
|
18 | # RhodeCode Enterprise Edition, including its added features, Support services, | |||
|
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |||
|
20 | ||||
|
21 | import colander | |||
|
22 | ||||
|
23 | from rhodecode.translation import lazy_ugettext | |||
|
24 | ||||
|
25 | ||||
|
26 | class IntegrationSettingsSchemaBase(colander.MappingSchema): | |||
|
27 | """ | |||
|
28 | This base schema is intended for use in integrations. | |||
|
29 | It adds a few default settings (e.g., "enabled"), so that integration | |||
|
30 | authors don't have to maintain a bunch of boilerplate. | |||
|
31 | """ | |||
|
32 | enabled = colander.SchemaNode( | |||
|
33 | colander.Bool(), | |||
|
34 | default=True, | |||
|
35 | description=lazy_ugettext('Enable or disable this integration.'), | |||
|
36 | missing=False, | |||
|
37 | title=lazy_ugettext('Enabled'), | |||
|
38 | widget='bool', | |||
|
39 | ) | |||
|
40 | ||||
|
41 | name = colander.SchemaNode( | |||
|
42 | colander.String(), | |||
|
43 | description=lazy_ugettext('Short name for this integration.'), | |||
|
44 | missing=colander.required, | |||
|
45 | title=lazy_ugettext('Integration name'), | |||
|
46 | widget='string', | |||
|
47 | ) | |||
|
48 |
@@ -0,0 +1,19 b'' | |||||
|
1 | # -*- coding: utf-8 -*- | |||
|
2 | ||||
|
3 | # Copyright (C) 2012-2016 RhodeCode GmbH | |||
|
4 | # | |||
|
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 | |||
|
7 | # (only), as published by the Free Software Foundation. | |||
|
8 | # | |||
|
9 | # This program is distributed in the hope that it will be useful, | |||
|
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of | |||
|
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |||
|
12 | # GNU General Public License for more details. | |||
|
13 | # | |||
|
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/>. | |||
|
16 | # | |||
|
17 | # This program is dual-licensed. If you wish to learn more about the | |||
|
18 | # RhodeCode Enterprise Edition, including its added features, Support services, | |||
|
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ |
@@ -0,0 +1,43 b'' | |||||
|
1 | # -*- coding: utf-8 -*- | |||
|
2 | ||||
|
3 | # Copyright (C) 2012-2016 RhodeCode GmbH | |||
|
4 | # | |||
|
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 | |||
|
7 | # (only), as published by the Free Software Foundation. | |||
|
8 | # | |||
|
9 | # This program is distributed in the hope that it will be useful, | |||
|
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of | |||
|
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |||
|
12 | # GNU General Public License for more details. | |||
|
13 | # | |||
|
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/>. | |||
|
16 | # | |||
|
17 | # This program is dual-licensed. If you wish to learn more about the | |||
|
18 | # RhodeCode Enterprise Edition, including its added features, Support services, | |||
|
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |||
|
20 | ||||
|
21 | from rhodecode.integrations.schema import IntegrationSettingsSchemaBase | |||
|
22 | ||||
|
23 | ||||
|
24 | class IntegrationTypeBase(object): | |||
|
25 | """ Base class for IntegrationType plugins """ | |||
|
26 | ||||
|
27 | def __init__(self, settings): | |||
|
28 | """ | |||
|
29 | :param settings: dict of settings to be used for the integration | |||
|
30 | """ | |||
|
31 | self.settings = settings | |||
|
32 | ||||
|
33 | ||||
|
34 | @classmethod | |||
|
35 | def settings_schema(cls): | |||
|
36 | """ | |||
|
37 | A colander schema of settings for the integration type | |||
|
38 | ||||
|
39 | Subclasses can return their own schema but should always | |||
|
40 | inherit from IntegrationSettingsSchemaBase | |||
|
41 | """ | |||
|
42 | return IntegrationSettingsSchemaBase() | |||
|
43 |
@@ -0,0 +1,199 b'' | |||||
|
1 | # -*- coding: utf-8 -*- | |||
|
2 | ||||
|
3 | # Copyright (C) 2012-2016 RhodeCode GmbH | |||
|
4 | # | |||
|
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 | |||
|
7 | # (only), as published by the Free Software Foundation. | |||
|
8 | # | |||
|
9 | # This program is distributed in the hope that it will be useful, | |||
|
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of | |||
|
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |||
|
12 | # GNU General Public License for more details. | |||
|
13 | # | |||
|
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/>. | |||
|
16 | # | |||
|
17 | # This program is dual-licensed. If you wish to learn more about the | |||
|
18 | # RhodeCode Enterprise Edition, including its added features, Support services, | |||
|
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |||
|
20 | ||||
|
21 | from __future__ import unicode_literals | |||
|
22 | ||||
|
23 | import re | |||
|
24 | import logging | |||
|
25 | import requests | |||
|
26 | import colander | |||
|
27 | from celery.task import task | |||
|
28 | from mako.template import Template | |||
|
29 | ||||
|
30 | from rhodecode import events | |||
|
31 | from rhodecode.translation import lazy_ugettext | |||
|
32 | from rhodecode.lib import helpers as h | |||
|
33 | from rhodecode.lib.celerylib import run_task | |||
|
34 | from rhodecode.lib.colander_utils import strip_whitespace | |||
|
35 | from rhodecode.integrations.types.base import IntegrationTypeBase | |||
|
36 | from rhodecode.integrations.schema import IntegrationSettingsSchemaBase | |||
|
37 | ||||
|
38 | log = logging.getLogger() | |||
|
39 | ||||
|
40 | ||||
|
41 | class SlackSettingsSchema(IntegrationSettingsSchemaBase): | |||
|
42 | service = colander.SchemaNode( | |||
|
43 | colander.String(), | |||
|
44 | title=lazy_ugettext('Slack service URL'), | |||
|
45 | description=h.literal(lazy_ugettext( | |||
|
46 | 'This can be setup at the ' | |||
|
47 | '<a href="https://my.slack.com/services/new/incoming-webhook/">' | |||
|
48 | 'slack app manager</a>')), | |||
|
49 | default='', | |||
|
50 | placeholder='https://hooks.slack.com/services/...', | |||
|
51 | preparer=strip_whitespace, | |||
|
52 | validator=colander.url, | |||
|
53 | widget='string' | |||
|
54 | ) | |||
|
55 | username = colander.SchemaNode( | |||
|
56 | colander.String(), | |||
|
57 | title=lazy_ugettext('Username'), | |||
|
58 | description=lazy_ugettext('Username to show notifications coming from.'), | |||
|
59 | missing='Rhodecode', | |||
|
60 | preparer=strip_whitespace, | |||
|
61 | widget='string', | |||
|
62 | placeholder='Rhodecode' | |||
|
63 | ) | |||
|
64 | channel = colander.SchemaNode( | |||
|
65 | colander.String(), | |||
|
66 | title=lazy_ugettext('Channel'), | |||
|
67 | description=lazy_ugettext('Channel to send notifications to.'), | |||
|
68 | missing='', | |||
|
69 | preparer=strip_whitespace, | |||
|
70 | widget='string', | |||
|
71 | placeholder='#general' | |||
|
72 | ) | |||
|
73 | icon_emoji = colander.SchemaNode( | |||
|
74 | colander.String(), | |||
|
75 | title=lazy_ugettext('Emoji'), | |||
|
76 | description=lazy_ugettext('Emoji to use eg. :studio_microphone:'), | |||
|
77 | missing='', | |||
|
78 | preparer=strip_whitespace, | |||
|
79 | widget='string', | |||
|
80 | placeholder=':studio_microphone:' | |||
|
81 | ) | |||
|
82 | ||||
|
83 | ||||
|
84 | repo_push_template = Template(r''' | |||
|
85 | *${data['actor']['username']}* pushed to \ | |||
|
86 | %if data['push']['branches']: | |||
|
87 | ${len(data['push']['branches']) > 1 and 'branches' or 'branch'} \ | |||
|
88 | ${', '.join('<%s|%s>' % (branch['url'], branch['name']) for branch in data['push']['branches'])} \ | |||
|
89 | %else: | |||
|
90 | unknown branch \ | |||
|
91 | %endif | |||
|
92 | in <${data['repo']['url']}|${data['repo']['repo_name']}> | |||
|
93 | >>> | |||
|
94 | %for commit in data['push']['commits']: | |||
|
95 | <${commit['url']}|${commit['short_id']}> - ${commit['message_html']|html_to_slack_links} | |||
|
96 | %endfor | |||
|
97 | ''') | |||
|
98 | ||||
|
99 | ||||
|
100 | class SlackIntegrationType(IntegrationTypeBase): | |||
|
101 | key = 'slack' | |||
|
102 | display_name = lazy_ugettext('Slack') | |||
|
103 | SettingsSchema = SlackSettingsSchema | |||
|
104 | valid_events = [ | |||
|
105 | events.PullRequestCloseEvent, | |||
|
106 | events.PullRequestMergeEvent, | |||
|
107 | events.PullRequestUpdateEvent, | |||
|
108 | events.PullRequestReviewEvent, | |||
|
109 | events.PullRequestCreateEvent, | |||
|
110 | events.RepoPushEvent, | |||
|
111 | events.RepoCreateEvent, | |||
|
112 | ] | |||
|
113 | ||||
|
114 | def send_event(self, event): | |||
|
115 | if event.__class__ not in self.valid_events: | |||
|
116 | log.debug('event not valid: %r' % event) | |||
|
117 | return | |||
|
118 | ||||
|
119 | if event.name not in self.settings['events']: | |||
|
120 | log.debug('event ignored: %r' % event) | |||
|
121 | return | |||
|
122 | ||||
|
123 | data = event.as_dict() | |||
|
124 | ||||
|
125 | text = '*%s* caused a *%s* event' % ( | |||
|
126 | data['actor']['username'], event.name) | |||
|
127 | ||||
|
128 | if isinstance(event, events.PullRequestEvent): | |||
|
129 | text = self.format_pull_request_event(event, data) | |||
|
130 | elif isinstance(event, events.RepoPushEvent): | |||
|
131 | text = self.format_repo_push_event(data) | |||
|
132 | elif isinstance(event, events.RepoCreateEvent): | |||
|
133 | text = self.format_repo_create_event(data) | |||
|
134 | else: | |||
|
135 | log.error('unhandled event type: %r' % event) | |||
|
136 | ||||
|
137 | run_task(post_text_to_slack, self.settings, text) | |||
|
138 | ||||
|
139 | @classmethod | |||
|
140 | def settings_schema(cls): | |||
|
141 | schema = SlackSettingsSchema() | |||
|
142 | schema.add(colander.SchemaNode( | |||
|
143 | colander.Set(), | |||
|
144 | widget='checkbox_list', | |||
|
145 | choices=sorted([e.name for e in cls.valid_events]), | |||
|
146 | description="Events activated for this integration", | |||
|
147 | default=[e.name for e in cls.valid_events], | |||
|
148 | name='events' | |||
|
149 | )) | |||
|
150 | return schema | |||
|
151 | ||||
|
152 | def format_pull_request_event(self, event, data): | |||
|
153 | action = { | |||
|
154 | events.PullRequestCloseEvent: 'closed', | |||
|
155 | events.PullRequestMergeEvent: 'merged', | |||
|
156 | events.PullRequestUpdateEvent: 'updated', | |||
|
157 | events.PullRequestReviewEvent: 'reviewed', | |||
|
158 | events.PullRequestCreateEvent: 'created', | |||
|
159 | }.get(event.__class__, '<unknown action>') | |||
|
160 | ||||
|
161 | return ('Pull request <{url}|#{number}> ({title}) ' | |||
|
162 | '{action} by {user}').format( | |||
|
163 | user=data['actor']['username'], | |||
|
164 | number=data['pullrequest']['pull_request_id'], | |||
|
165 | url=data['pullrequest']['url'], | |||
|
166 | title=data['pullrequest']['title'], | |||
|
167 | action=action | |||
|
168 | ) | |||
|
169 | ||||
|
170 | def format_repo_push_event(self, data): | |||
|
171 | result = repo_push_template.render( | |||
|
172 | data=data, | |||
|
173 | html_to_slack_links=html_to_slack_links, | |||
|
174 | ) | |||
|
175 | return result | |||
|
176 | ||||
|
177 | def format_repo_create_msg(self, data): | |||
|
178 | return '<{}|{}> ({}) repository created by *{}*'.format( | |||
|
179 | data['repo']['url'], | |||
|
180 | data['repo']['repo_name'], | |||
|
181 | data['repo']['repo_type'], | |||
|
182 | data['actor']['username'], | |||
|
183 | ) | |||
|
184 | ||||
|
185 | ||||
|
186 | def html_to_slack_links(message): | |||
|
187 | return re.compile(r'<a .*?href=["\'](.+?)".*?>(.+?)</a>').sub( | |||
|
188 | r'<\1|\2>', message) | |||
|
189 | ||||
|
190 | ||||
|
191 | @task(ignore_result=True) | |||
|
192 | def post_text_to_slack(settings, text): | |||
|
193 | resp = requests.post(settings['service'], json={ | |||
|
194 | "channel": settings.get('channel', ''), | |||
|
195 | "username": settings.get('username', 'Rhodecode'), | |||
|
196 | "text": text, | |||
|
197 | "icon_emoji": settings.get('icon_emoji', ':studio_microphone:') | |||
|
198 | }) | |||
|
199 | resp.raise_for_status() # raise exception on a failed request |
@@ -0,0 +1,257 b'' | |||||
|
1 | # -*- coding: utf-8 -*- | |||
|
2 | ||||
|
3 | # Copyright (C) 2012-2016 RhodeCode GmbH | |||
|
4 | # | |||
|
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 | |||
|
7 | # (only), as published by the Free Software Foundation. | |||
|
8 | # | |||
|
9 | # This program is distributed in the hope that it will be useful, | |||
|
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of | |||
|
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |||
|
12 | # GNU General Public License for more details. | |||
|
13 | # | |||
|
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/>. | |||
|
16 | # | |||
|
17 | # This program is dual-licensed. If you wish to learn more about the | |||
|
18 | # RhodeCode Enterprise Edition, including its added features, Support services, | |||
|
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |||
|
20 | ||||
|
21 | import colander | |||
|
22 | import logging | |||
|
23 | import pylons | |||
|
24 | ||||
|
25 | from pyramid.httpexceptions import HTTPFound, HTTPForbidden | |||
|
26 | from pyramid.renderers import render | |||
|
27 | from pyramid.response import Response | |||
|
28 | ||||
|
29 | from rhodecode.lib import auth | |||
|
30 | from rhodecode.lib.auth import LoginRequired, HasPermissionAllDecorator | |||
|
31 | from rhodecode.model.db import Repository, Session, Integration | |||
|
32 | from rhodecode.model.scm import ScmModel | |||
|
33 | from rhodecode.model.integration import IntegrationModel | |||
|
34 | from rhodecode.admin.navigation import navigation_list | |||
|
35 | from rhodecode.translation import _ | |||
|
36 | from rhodecode.integrations import integration_type_registry | |||
|
37 | ||||
|
38 | log = logging.getLogger(__name__) | |||
|
39 | ||||
|
40 | ||||
|
41 | class IntegrationSettingsViewBase(object): | |||
|
42 | """ Base Integration settings view used by both repo / global settings """ | |||
|
43 | ||||
|
44 | def __init__(self, context, request): | |||
|
45 | self.context = context | |||
|
46 | self.request = request | |||
|
47 | self._load_general_context() | |||
|
48 | ||||
|
49 | if not self.perm_check(request.user): | |||
|
50 | raise HTTPForbidden() | |||
|
51 | ||||
|
52 | def _load_general_context(self): | |||
|
53 | """ | |||
|
54 | This avoids boilerplate for repo/global+list/edit+views/templates | |||
|
55 | by doing all possible contexts at the same time however it should | |||
|
56 | be split up into separate functions once more "contexts" exist | |||
|
57 | """ | |||
|
58 | ||||
|
59 | self.IntegrationType = None | |||
|
60 | self.repo = None | |||
|
61 | self.integration = None | |||
|
62 | self.integrations = {} | |||
|
63 | ||||
|
64 | request = self.request | |||
|
65 | ||||
|
66 | if 'repo_name' in request.matchdict: # we're in a repo context | |||
|
67 | repo_name = request.matchdict['repo_name'] | |||
|
68 | self.repo = Repository.get_by_repo_name(repo_name) | |||
|
69 | ||||
|
70 | if 'integration' in request.matchdict: # we're in integration context | |||
|
71 | integration_type = request.matchdict['integration'] | |||
|
72 | self.IntegrationType = integration_type_registry[integration_type] | |||
|
73 | ||||
|
74 | if 'integration_id' in request.matchdict: # single integration context | |||
|
75 | integration_id = request.matchdict['integration_id'] | |||
|
76 | self.integration = Integration.get(integration_id) | |||
|
77 | else: # list integrations context | |||
|
78 | for integration in IntegrationModel().get_integrations(self.repo): | |||
|
79 | self.integrations.setdefault(integration.integration_type, [] | |||
|
80 | ).append(integration) | |||
|
81 | ||||
|
82 | self.settings = self.integration and self.integration.settings or {} | |||
|
83 | ||||
|
84 | def _template_c_context(self): | |||
|
85 | # TODO: dan: this is a stopgap in order to inherit from current pylons | |||
|
86 | # based admin/repo settings templates - this should be removed entirely | |||
|
87 | # after port to pyramid | |||
|
88 | ||||
|
89 | c = pylons.tmpl_context | |||
|
90 | c.active = 'integrations' | |||
|
91 | c.rhodecode_user = self.request.user | |||
|
92 | c.repo = self.repo | |||
|
93 | c.repo_name = self.repo and self.repo.repo_name or None | |||
|
94 | if self.repo: | |||
|
95 | c.repo_info = self.repo | |||
|
96 | c.rhodecode_db_repo = self.repo | |||
|
97 | c.repository_pull_requests = ScmModel().get_pull_requests(self.repo) | |||
|
98 | else: | |||
|
99 | c.navlist = navigation_list(self.request) | |||
|
100 | ||||
|
101 | return c | |||
|
102 | ||||
|
103 | def _form_schema(self): | |||
|
104 | return self.IntegrationType.settings_schema() | |||
|
105 | ||||
|
106 | def settings_get(self, defaults=None, errors=None): | |||
|
107 | """ | |||
|
108 | View that displays the plugin settings as a form. | |||
|
109 | """ | |||
|
110 | defaults = defaults or {} | |||
|
111 | errors = errors or {} | |||
|
112 | ||||
|
113 | schema = self._form_schema() | |||
|
114 | ||||
|
115 | if not defaults: | |||
|
116 | if self.integration: | |||
|
117 | defaults['enabled'] = self.integration.enabled | |||
|
118 | defaults['name'] = self.integration.name | |||
|
119 | else: | |||
|
120 | if self.repo: | |||
|
121 | scope = self.repo.repo_name | |||
|
122 | else: | |||
|
123 | scope = _('Global') | |||
|
124 | ||||
|
125 | defaults['name'] = '{} {} integration'.format(scope, | |||
|
126 | self.IntegrationType.display_name) | |||
|
127 | defaults['enabled'] = True | |||
|
128 | ||||
|
129 | for node in schema: | |||
|
130 | setting = self.settings.get(node.name) | |||
|
131 | if setting is not None: | |||
|
132 | defaults.setdefault(node.name, setting) | |||
|
133 | else: | |||
|
134 | if node.default: | |||
|
135 | defaults.setdefault(node.name, node.default) | |||
|
136 | ||||
|
137 | template_context = { | |||
|
138 | 'defaults': defaults, | |||
|
139 | 'errors': errors, | |||
|
140 | 'schema': schema, | |||
|
141 | 'current_IntegrationType': self.IntegrationType, | |||
|
142 | 'integration': self.integration, | |||
|
143 | 'settings': self.settings, | |||
|
144 | 'resource': self.context, | |||
|
145 | 'c': self._template_c_context(), | |||
|
146 | } | |||
|
147 | ||||
|
148 | return template_context | |||
|
149 | ||||
|
150 | @auth.CSRFRequired() | |||
|
151 | def settings_post(self): | |||
|
152 | """ | |||
|
153 | View that validates and stores the plugin settings. | |||
|
154 | """ | |||
|
155 | if self.request.params.get('delete'): | |||
|
156 | Session().delete(self.integration) | |||
|
157 | Session().commit() | |||
|
158 | self.request.session.flash( | |||
|
159 | _('Integration {integration_name} deleted successfully.').format( | |||
|
160 | integration_name=self.integration.name), | |||
|
161 | queue='success') | |||
|
162 | if self.repo: | |||
|
163 | redirect_to = self.request.route_url( | |||
|
164 | 'repo_integrations_home', repo_name=self.repo.repo_name) | |||
|
165 | else: | |||
|
166 | redirect_to = self.request.route_url('global_integrations_home') | |||
|
167 | raise HTTPFound(redirect_to) | |||
|
168 | ||||
|
169 | schema = self._form_schema() | |||
|
170 | ||||
|
171 | params = {} | |||
|
172 | for node in schema.children: | |||
|
173 | if type(node.typ) in (colander.Set, colander.List): | |||
|
174 | val = self.request.params.getall(node.name) | |||
|
175 | else: | |||
|
176 | val = self.request.params.get(node.name) | |||
|
177 | if val: | |||
|
178 | params[node.name] = val | |||
|
179 | ||||
|
180 | try: | |||
|
181 | valid_data = schema.deserialize(params) | |||
|
182 | except colander.Invalid, e: | |||
|
183 | # Display error message and display form again. | |||
|
184 | self.request.session.flash( | |||
|
185 | _('Errors exist when saving plugin settings. ' | |||
|
186 | 'Please check the form inputs.'), | |||
|
187 | queue='error') | |||
|
188 | return self.settings_get(errors=e.asdict(), defaults=params) | |||
|
189 | ||||
|
190 | if not self.integration: | |||
|
191 | self.integration = Integration( | |||
|
192 | integration_type=self.IntegrationType.key) | |||
|
193 | if self.repo: | |||
|
194 | self.integration.repo = self.repo | |||
|
195 | Session.add(self.integration) | |||
|
196 | ||||
|
197 | self.integration.enabled = valid_data.pop('enabled', False) | |||
|
198 | self.integration.name = valid_data.pop('name') | |||
|
199 | self.integration.settings = valid_data | |||
|
200 | ||||
|
201 | Session.commit() | |||
|
202 | ||||
|
203 | # Display success message and redirect. | |||
|
204 | self.request.session.flash( | |||
|
205 | _('Integration {integration_name} updated successfully.').format( | |||
|
206 | integration_name=self.IntegrationType.display_name, | |||
|
207 | queue='success')) | |||
|
208 | if self.repo: | |||
|
209 | redirect_to = self.request.route_url( | |||
|
210 | 'repo_integrations_edit', repo_name=self.repo.repo_name, | |||
|
211 | integration=self.integration.integration_type, | |||
|
212 | integration_id=self.integration.integration_id) | |||
|
213 | else: | |||
|
214 | redirect_to = self.request.route_url( | |||
|
215 | 'global_integrations_edit', | |||
|
216 | integration=self.integration.integration_type, | |||
|
217 | integration_id=self.integration.integration_id) | |||
|
218 | ||||
|
219 | return HTTPFound(redirect_to) | |||
|
220 | ||||
|
221 | def index(self): | |||
|
222 | current_integrations = self.integrations | |||
|
223 | if self.IntegrationType: | |||
|
224 | current_integrations = { | |||
|
225 | self.IntegrationType.key: self.integrations.get( | |||
|
226 | self.IntegrationType.key, []) | |||
|
227 | } | |||
|
228 | ||||
|
229 | template_context = { | |||
|
230 | 'current_IntegrationType': self.IntegrationType, | |||
|
231 | 'current_integrations': current_integrations, | |||
|
232 | 'current_integration': 'none', | |||
|
233 | 'available_integrations': integration_type_registry, | |||
|
234 | 'c': self._template_c_context() | |||
|
235 | } | |||
|
236 | ||||
|
237 | if self.repo: | |||
|
238 | html = render('rhodecode:templates/admin/integrations/list.html', | |||
|
239 | template_context, | |||
|
240 | request=self.request) | |||
|
241 | else: | |||
|
242 | html = render('rhodecode:templates/admin/integrations/list.html', | |||
|
243 | template_context, | |||
|
244 | request=self.request) | |||
|
245 | ||||
|
246 | return Response(html) | |||
|
247 | ||||
|
248 | ||||
|
249 | class GlobalIntegrationsView(IntegrationSettingsViewBase): | |||
|
250 | def perm_check(self, user): | |||
|
251 | return auth.HasPermissionAll('hg.admin').check_permissions(user=user) | |||
|
252 | ||||
|
253 | ||||
|
254 | class RepoIntegrationsView(IntegrationSettingsViewBase): | |||
|
255 | def perm_check(self, user): | |||
|
256 | return auth.HasRepoPermissionAll('repository.admin' | |||
|
257 | )(repo_name=self.repo.repo_name, user=user) |
This diff has been collapsed as it changes many lines, (3516 lines changed) Show them Hide them | |||||
@@ -0,0 +1,3516 b'' | |||||
|
1 | # -*- coding: utf-8 -*- | |||
|
2 | ||||
|
3 | # Copyright (C) 2010-2016 RhodeCode GmbH | |||
|
4 | # | |||
|
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 | |||
|
7 | # (only), as published by the Free Software Foundation. | |||
|
8 | # | |||
|
9 | # This program is distributed in the hope that it will be useful, | |||
|
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of | |||
|
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |||
|
12 | # GNU General Public License for more details. | |||
|
13 | # | |||
|
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/>. | |||
|
16 | # | |||
|
17 | # This program is dual-licensed. If you wish to learn more about the | |||
|
18 | # RhodeCode Enterprise Edition, including its added features, Support services, | |||
|
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |||
|
20 | ||||
|
21 | """ | |||
|
22 | Database Models for RhodeCode Enterprise | |||
|
23 | """ | |||
|
24 | ||||
|
25 | import os | |||
|
26 | import sys | |||
|
27 | import time | |||
|
28 | import hashlib | |||
|
29 | import logging | |||
|
30 | import datetime | |||
|
31 | import warnings | |||
|
32 | import ipaddress | |||
|
33 | import functools | |||
|
34 | import traceback | |||
|
35 | import collections | |||
|
36 | ||||
|
37 | ||||
|
38 | from sqlalchemy import * | |||
|
39 | from sqlalchemy.exc import IntegrityError | |||
|
40 | from sqlalchemy.ext.declarative import declared_attr | |||
|
41 | from sqlalchemy.ext.hybrid import hybrid_property | |||
|
42 | from sqlalchemy.orm import ( | |||
|
43 | relationship, joinedload, class_mapper, validates, aliased) | |||
|
44 | from sqlalchemy.sql.expression import true | |||
|
45 | from beaker.cache import cache_region, region_invalidate | |||
|
46 | from webob.exc import HTTPNotFound | |||
|
47 | from zope.cachedescriptors.property import Lazy as LazyProperty | |||
|
48 | ||||
|
49 | from pylons import url | |||
|
50 | from pylons.i18n.translation import lazy_ugettext as _ | |||
|
51 | ||||
|
52 | from rhodecode.lib.vcs import get_backend | |||
|
53 | from rhodecode.lib.vcs.utils.helpers import get_scm | |||
|
54 | from rhodecode.lib.vcs.exceptions import VCSError | |||
|
55 | from rhodecode.lib.vcs.backends.base import ( | |||
|
56 | EmptyCommit, Reference, MergeFailureReason) | |||
|
57 | from rhodecode.lib.utils2 import ( | |||
|
58 | str2bool, safe_str, get_commit_safe, safe_unicode, remove_prefix, md5_safe, | |||
|
59 | time_to_datetime, aslist, Optional, safe_int, get_clone_url, AttributeDict) | |||
|
60 | from rhodecode.lib.ext_json import json | |||
|
61 | from rhodecode.lib.caching_query import FromCache | |||
|
62 | from rhodecode.lib.encrypt import AESCipher | |||
|
63 | ||||
|
64 | from rhodecode.model.meta import Base, Session | |||
|
65 | ||||
|
66 | URL_SEP = '/' | |||
|
67 | log = logging.getLogger(__name__) | |||
|
68 | ||||
|
69 | # ============================================================================= | |||
|
70 | # BASE CLASSES | |||
|
71 | # ============================================================================= | |||
|
72 | ||||
|
73 | # this is propagated from .ini file rhodecode.encrypted_values.secret or | |||
|
74 | # beaker.session.secret if first is not set. | |||
|
75 | # and initialized at environment.py | |||
|
76 | ENCRYPTION_KEY = None | |||
|
77 | ||||
|
78 | # used to sort permissions by types, '#' used here is not allowed to be in | |||
|
79 | # usernames, and it's very early in sorted string.printable table. | |||
|
80 | PERMISSION_TYPE_SORT = { | |||
|
81 | 'admin': '####', | |||
|
82 | 'write': '###', | |||
|
83 | 'read': '##', | |||
|
84 | 'none': '#', | |||
|
85 | } | |||
|
86 | ||||
|
87 | ||||
|
88 | def display_sort(obj): | |||
|
89 | """ | |||
|
90 | Sort function used to sort permissions in .permissions() function of | |||
|
91 | Repository, RepoGroup, UserGroup. Also it put the default user in front | |||
|
92 | of all other resources | |||
|
93 | """ | |||
|
94 | ||||
|
95 | if obj.username == User.DEFAULT_USER: | |||
|
96 | return '#####' | |||
|
97 | prefix = PERMISSION_TYPE_SORT.get(obj.permission.split('.')[-1], '') | |||
|
98 | return prefix + obj.username | |||
|
99 | ||||
|
100 | ||||
|
101 | def _hash_key(k): | |||
|
102 | return md5_safe(k) | |||
|
103 | ||||
|
104 | ||||
|
105 | class EncryptedTextValue(TypeDecorator): | |||
|
106 | """ | |||
|
107 | Special column for encrypted long text data, use like:: | |||
|
108 | ||||
|
109 | value = Column("encrypted_value", EncryptedValue(), nullable=False) | |||
|
110 | ||||
|
111 | This column is intelligent so if value is in unencrypted form it return | |||
|
112 | unencrypted form, but on save it always encrypts | |||
|
113 | """ | |||
|
114 | impl = Text | |||
|
115 | ||||
|
116 | def process_bind_param(self, value, dialect): | |||
|
117 | if not value: | |||
|
118 | return value | |||
|
119 | if value.startswith('enc$aes$') or value.startswith('enc$aes_hmac$'): | |||
|
120 | # protect against double encrypting if someone manually starts | |||
|
121 | # doing | |||
|
122 | raise ValueError('value needs to be in unencrypted format, ie. ' | |||
|
123 | 'not starting with enc$aes') | |||
|
124 | return 'enc$aes_hmac$%s' % AESCipher( | |||
|
125 | ENCRYPTION_KEY, hmac=True).encrypt(value) | |||
|
126 | ||||
|
127 | def process_result_value(self, value, dialect): | |||
|
128 | import rhodecode | |||
|
129 | ||||
|
130 | if not value: | |||
|
131 | return value | |||
|
132 | ||||
|
133 | parts = value.split('$', 3) | |||
|
134 | if not len(parts) == 3: | |||
|
135 | # probably not encrypted values | |||
|
136 | return value | |||
|
137 | else: | |||
|
138 | if parts[0] != 'enc': | |||
|
139 | # parts ok but without our header ? | |||
|
140 | return value | |||
|
141 | enc_strict_mode = str2bool(rhodecode.CONFIG.get( | |||
|
142 | 'rhodecode.encrypted_values.strict') or True) | |||
|
143 | # at that stage we know it's our encryption | |||
|
144 | if parts[1] == 'aes': | |||
|
145 | decrypted_data = AESCipher(ENCRYPTION_KEY).decrypt(parts[2]) | |||
|
146 | elif parts[1] == 'aes_hmac': | |||
|
147 | decrypted_data = AESCipher( | |||
|
148 | ENCRYPTION_KEY, hmac=True, | |||
|
149 | strict_verification=enc_strict_mode).decrypt(parts[2]) | |||
|
150 | else: | |||
|
151 | raise ValueError( | |||
|
152 | 'Encryption type part is wrong, must be `aes` ' | |||
|
153 | 'or `aes_hmac`, got `%s` instead' % (parts[1])) | |||
|
154 | return decrypted_data | |||
|
155 | ||||
|
156 | ||||
|
157 | class BaseModel(object): | |||
|
158 | """ | |||
|
159 | Base Model for all classes | |||
|
160 | """ | |||
|
161 | ||||
|
162 | @classmethod | |||
|
163 | def _get_keys(cls): | |||
|
164 | """return column names for this model """ | |||
|
165 | return class_mapper(cls).c.keys() | |||
|
166 | ||||
|
167 | def get_dict(self): | |||
|
168 | """ | |||
|
169 | return dict with keys and values corresponding | |||
|
170 | to this model data """ | |||
|
171 | ||||
|
172 | d = {} | |||
|
173 | for k in self._get_keys(): | |||
|
174 | d[k] = getattr(self, k) | |||
|
175 | ||||
|
176 | # also use __json__() if present to get additional fields | |||
|
177 | _json_attr = getattr(self, '__json__', None) | |||
|
178 | if _json_attr: | |||
|
179 | # update with attributes from __json__ | |||
|
180 | if callable(_json_attr): | |||
|
181 | _json_attr = _json_attr() | |||
|
182 | for k, val in _json_attr.iteritems(): | |||
|
183 | d[k] = val | |||
|
184 | return d | |||
|
185 | ||||
|
186 | def get_appstruct(self): | |||
|
187 | """return list with keys and values tuples corresponding | |||
|
188 | to this model data """ | |||
|
189 | ||||
|
190 | l = [] | |||
|
191 | for k in self._get_keys(): | |||
|
192 | l.append((k, getattr(self, k),)) | |||
|
193 | return l | |||
|
194 | ||||
|
195 | def populate_obj(self, populate_dict): | |||
|
196 | """populate model with data from given populate_dict""" | |||
|
197 | ||||
|
198 | for k in self._get_keys(): | |||
|
199 | if k in populate_dict: | |||
|
200 | setattr(self, k, populate_dict[k]) | |||
|
201 | ||||
|
202 | @classmethod | |||
|
203 | def query(cls): | |||
|
204 | return Session().query(cls) | |||
|
205 | ||||
|
206 | @classmethod | |||
|
207 | def get(cls, id_): | |||
|
208 | if id_: | |||
|
209 | return cls.query().get(id_) | |||
|
210 | ||||
|
211 | @classmethod | |||
|
212 | def get_or_404(cls, id_): | |||
|
213 | try: | |||
|
214 | id_ = int(id_) | |||
|
215 | except (TypeError, ValueError): | |||
|
216 | raise HTTPNotFound | |||
|
217 | ||||
|
218 | res = cls.query().get(id_) | |||
|
219 | if not res: | |||
|
220 | raise HTTPNotFound | |||
|
221 | return res | |||
|
222 | ||||
|
223 | @classmethod | |||
|
224 | def getAll(cls): | |||
|
225 | # deprecated and left for backward compatibility | |||
|
226 | return cls.get_all() | |||
|
227 | ||||
|
228 | @classmethod | |||
|
229 | def get_all(cls): | |||
|
230 | return cls.query().all() | |||
|
231 | ||||
|
232 | @classmethod | |||
|
233 | def delete(cls, id_): | |||
|
234 | obj = cls.query().get(id_) | |||
|
235 | Session().delete(obj) | |||
|
236 | ||||
|
237 | @classmethod | |||
|
238 | def identity_cache(cls, session, attr_name, value): | |||
|
239 | exist_in_session = [] | |||
|
240 | for (item_cls, pkey), instance in session.identity_map.items(): | |||
|
241 | if cls == item_cls and getattr(instance, attr_name) == value: | |||
|
242 | exist_in_session.append(instance) | |||
|
243 | if exist_in_session: | |||
|
244 | if len(exist_in_session) == 1: | |||
|
245 | return exist_in_session[0] | |||
|
246 | log.exception( | |||
|
247 | 'multiple objects with attr %s and ' | |||
|
248 | 'value %s found with same name: %r', | |||
|
249 | attr_name, value, exist_in_session) | |||
|
250 | ||||
|
251 | def __repr__(self): | |||
|
252 | if hasattr(self, '__unicode__'): | |||
|
253 | # python repr needs to return str | |||
|
254 | try: | |||
|
255 | return safe_str(self.__unicode__()) | |||
|
256 | except UnicodeDecodeError: | |||
|
257 | pass | |||
|
258 | return '<DB:%s>' % (self.__class__.__name__) | |||
|
259 | ||||
|
260 | ||||
|
261 | class RhodeCodeSetting(Base, BaseModel): | |||
|
262 | __tablename__ = 'rhodecode_settings' | |||
|
263 | __table_args__ = ( | |||
|
264 | UniqueConstraint('app_settings_name'), | |||
|
265 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
266 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True} | |||
|
267 | ) | |||
|
268 | ||||
|
269 | SETTINGS_TYPES = { | |||
|
270 | 'str': safe_str, | |||
|
271 | 'int': safe_int, | |||
|
272 | 'unicode': safe_unicode, | |||
|
273 | 'bool': str2bool, | |||
|
274 | 'list': functools.partial(aslist, sep=',') | |||
|
275 | } | |||
|
276 | DEFAULT_UPDATE_URL = 'https://rhodecode.com/api/v1/info/versions' | |||
|
277 | GLOBAL_CONF_KEY = 'app_settings' | |||
|
278 | ||||
|
279 | app_settings_id = Column("app_settings_id", Integer(), nullable=False, unique=True, default=None, primary_key=True) | |||
|
280 | app_settings_name = Column("app_settings_name", String(255), nullable=True, unique=None, default=None) | |||
|
281 | _app_settings_value = Column("app_settings_value", String(4096), nullable=True, unique=None, default=None) | |||
|
282 | _app_settings_type = Column("app_settings_type", String(255), nullable=True, unique=None, default=None) | |||
|
283 | ||||
|
284 | def __init__(self, key='', val='', type='unicode'): | |||
|
285 | self.app_settings_name = key | |||
|
286 | self.app_settings_type = type | |||
|
287 | self.app_settings_value = val | |||
|
288 | ||||
|
289 | @validates('_app_settings_value') | |||
|
290 | def validate_settings_value(self, key, val): | |||
|
291 | assert type(val) == unicode | |||
|
292 | return val | |||
|
293 | ||||
|
294 | @hybrid_property | |||
|
295 | def app_settings_value(self): | |||
|
296 | v = self._app_settings_value | |||
|
297 | _type = self.app_settings_type | |||
|
298 | if _type: | |||
|
299 | _type = self.app_settings_type.split('.')[0] | |||
|
300 | # decode the encrypted value | |||
|
301 | if 'encrypted' in self.app_settings_type: | |||
|
302 | cipher = EncryptedTextValue() | |||
|
303 | v = safe_unicode(cipher.process_result_value(v, None)) | |||
|
304 | ||||
|
305 | converter = self.SETTINGS_TYPES.get(_type) or \ | |||
|
306 | self.SETTINGS_TYPES['unicode'] | |||
|
307 | return converter(v) | |||
|
308 | ||||
|
309 | @app_settings_value.setter | |||
|
310 | def app_settings_value(self, val): | |||
|
311 | """ | |||
|
312 | Setter that will always make sure we use unicode in app_settings_value | |||
|
313 | ||||
|
314 | :param val: | |||
|
315 | """ | |||
|
316 | val = safe_unicode(val) | |||
|
317 | # encode the encrypted value | |||
|
318 | if 'encrypted' in self.app_settings_type: | |||
|
319 | cipher = EncryptedTextValue() | |||
|
320 | val = safe_unicode(cipher.process_bind_param(val, None)) | |||
|
321 | self._app_settings_value = val | |||
|
322 | ||||
|
323 | @hybrid_property | |||
|
324 | def app_settings_type(self): | |||
|
325 | return self._app_settings_type | |||
|
326 | ||||
|
327 | @app_settings_type.setter | |||
|
328 | def app_settings_type(self, val): | |||
|
329 | if val.split('.')[0] not in self.SETTINGS_TYPES: | |||
|
330 | raise Exception('type must be one of %s got %s' | |||
|
331 | % (self.SETTINGS_TYPES.keys(), val)) | |||
|
332 | self._app_settings_type = val | |||
|
333 | ||||
|
334 | def __unicode__(self): | |||
|
335 | return u"<%s('%s:%s[%s]')>" % ( | |||
|
336 | self.__class__.__name__, | |||
|
337 | self.app_settings_name, self.app_settings_value, | |||
|
338 | self.app_settings_type | |||
|
339 | ) | |||
|
340 | ||||
|
341 | ||||
|
342 | class RhodeCodeUi(Base, BaseModel): | |||
|
343 | __tablename__ = 'rhodecode_ui' | |||
|
344 | __table_args__ = ( | |||
|
345 | UniqueConstraint('ui_key'), | |||
|
346 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
347 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True} | |||
|
348 | ) | |||
|
349 | ||||
|
350 | HOOK_REPO_SIZE = 'changegroup.repo_size' | |||
|
351 | # HG | |||
|
352 | HOOK_PRE_PULL = 'preoutgoing.pre_pull' | |||
|
353 | HOOK_PULL = 'outgoing.pull_logger' | |||
|
354 | HOOK_PRE_PUSH = 'prechangegroup.pre_push' | |||
|
355 | HOOK_PUSH = 'changegroup.push_logger' | |||
|
356 | ||||
|
357 | # TODO: johbo: Unify way how hooks are configured for git and hg, | |||
|
358 | # git part is currently hardcoded. | |||
|
359 | ||||
|
360 | # SVN PATTERNS | |||
|
361 | SVN_BRANCH_ID = 'vcs_svn_branch' | |||
|
362 | SVN_TAG_ID = 'vcs_svn_tag' | |||
|
363 | ||||
|
364 | ui_id = Column( | |||
|
365 | "ui_id", Integer(), nullable=False, unique=True, default=None, | |||
|
366 | primary_key=True) | |||
|
367 | ui_section = Column( | |||
|
368 | "ui_section", String(255), nullable=True, unique=None, default=None) | |||
|
369 | ui_key = Column( | |||
|
370 | "ui_key", String(255), nullable=True, unique=None, default=None) | |||
|
371 | ui_value = Column( | |||
|
372 | "ui_value", String(255), nullable=True, unique=None, default=None) | |||
|
373 | ui_active = Column( | |||
|
374 | "ui_active", Boolean(), nullable=True, unique=None, default=True) | |||
|
375 | ||||
|
376 | def __repr__(self): | |||
|
377 | return '<%s[%s]%s=>%s]>' % (self.__class__.__name__, self.ui_section, | |||
|
378 | self.ui_key, self.ui_value) | |||
|
379 | ||||
|
380 | ||||
|
381 | class RepoRhodeCodeSetting(Base, BaseModel): | |||
|
382 | __tablename__ = 'repo_rhodecode_settings' | |||
|
383 | __table_args__ = ( | |||
|
384 | UniqueConstraint( | |||
|
385 | 'app_settings_name', 'repository_id', | |||
|
386 | name='uq_repo_rhodecode_setting_name_repo_id'), | |||
|
387 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
388 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True} | |||
|
389 | ) | |||
|
390 | ||||
|
391 | repository_id = Column( | |||
|
392 | "repository_id", Integer(), ForeignKey('repositories.repo_id'), | |||
|
393 | nullable=False) | |||
|
394 | app_settings_id = Column( | |||
|
395 | "app_settings_id", Integer(), nullable=False, unique=True, | |||
|
396 | default=None, primary_key=True) | |||
|
397 | app_settings_name = Column( | |||
|
398 | "app_settings_name", String(255), nullable=True, unique=None, | |||
|
399 | default=None) | |||
|
400 | _app_settings_value = Column( | |||
|
401 | "app_settings_value", String(4096), nullable=True, unique=None, | |||
|
402 | default=None) | |||
|
403 | _app_settings_type = Column( | |||
|
404 | "app_settings_type", String(255), nullable=True, unique=None, | |||
|
405 | default=None) | |||
|
406 | ||||
|
407 | repository = relationship('Repository') | |||
|
408 | ||||
|
409 | def __init__(self, repository_id, key='', val='', type='unicode'): | |||
|
410 | self.repository_id = repository_id | |||
|
411 | self.app_settings_name = key | |||
|
412 | self.app_settings_type = type | |||
|
413 | self.app_settings_value = val | |||
|
414 | ||||
|
415 | @validates('_app_settings_value') | |||
|
416 | def validate_settings_value(self, key, val): | |||
|
417 | assert type(val) == unicode | |||
|
418 | return val | |||
|
419 | ||||
|
420 | @hybrid_property | |||
|
421 | def app_settings_value(self): | |||
|
422 | v = self._app_settings_value | |||
|
423 | type_ = self.app_settings_type | |||
|
424 | SETTINGS_TYPES = RhodeCodeSetting.SETTINGS_TYPES | |||
|
425 | converter = SETTINGS_TYPES.get(type_) or SETTINGS_TYPES['unicode'] | |||
|
426 | return converter(v) | |||
|
427 | ||||
|
428 | @app_settings_value.setter | |||
|
429 | def app_settings_value(self, val): | |||
|
430 | """ | |||
|
431 | Setter that will always make sure we use unicode in app_settings_value | |||
|
432 | ||||
|
433 | :param val: | |||
|
434 | """ | |||
|
435 | self._app_settings_value = safe_unicode(val) | |||
|
436 | ||||
|
437 | @hybrid_property | |||
|
438 | def app_settings_type(self): | |||
|
439 | return self._app_settings_type | |||
|
440 | ||||
|
441 | @app_settings_type.setter | |||
|
442 | def app_settings_type(self, val): | |||
|
443 | SETTINGS_TYPES = RhodeCodeSetting.SETTINGS_TYPES | |||
|
444 | if val not in SETTINGS_TYPES: | |||
|
445 | raise Exception('type must be one of %s got %s' | |||
|
446 | % (SETTINGS_TYPES.keys(), val)) | |||
|
447 | self._app_settings_type = val | |||
|
448 | ||||
|
449 | def __unicode__(self): | |||
|
450 | return u"<%s('%s:%s:%s[%s]')>" % ( | |||
|
451 | self.__class__.__name__, self.repository.repo_name, | |||
|
452 | self.app_settings_name, self.app_settings_value, | |||
|
453 | self.app_settings_type | |||
|
454 | ) | |||
|
455 | ||||
|
456 | ||||
|
457 | class RepoRhodeCodeUi(Base, BaseModel): | |||
|
458 | __tablename__ = 'repo_rhodecode_ui' | |||
|
459 | __table_args__ = ( | |||
|
460 | UniqueConstraint( | |||
|
461 | 'repository_id', 'ui_section', 'ui_key', | |||
|
462 | name='uq_repo_rhodecode_ui_repository_id_section_key'), | |||
|
463 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
464 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True} | |||
|
465 | ) | |||
|
466 | ||||
|
467 | repository_id = Column( | |||
|
468 | "repository_id", Integer(), ForeignKey('repositories.repo_id'), | |||
|
469 | nullable=False) | |||
|
470 | ui_id = Column( | |||
|
471 | "ui_id", Integer(), nullable=False, unique=True, default=None, | |||
|
472 | primary_key=True) | |||
|
473 | ui_section = Column( | |||
|
474 | "ui_section", String(255), nullable=True, unique=None, default=None) | |||
|
475 | ui_key = Column( | |||
|
476 | "ui_key", String(255), nullable=True, unique=None, default=None) | |||
|
477 | ui_value = Column( | |||
|
478 | "ui_value", String(255), nullable=True, unique=None, default=None) | |||
|
479 | ui_active = Column( | |||
|
480 | "ui_active", Boolean(), nullable=True, unique=None, default=True) | |||
|
481 | ||||
|
482 | repository = relationship('Repository') | |||
|
483 | ||||
|
484 | def __repr__(self): | |||
|
485 | return '<%s[%s:%s]%s=>%s]>' % ( | |||
|
486 | self.__class__.__name__, self.repository.repo_name, | |||
|
487 | self.ui_section, self.ui_key, self.ui_value) | |||
|
488 | ||||
|
489 | ||||
|
490 | class User(Base, BaseModel): | |||
|
491 | __tablename__ = 'users' | |||
|
492 | __table_args__ = ( | |||
|
493 | UniqueConstraint('username'), UniqueConstraint('email'), | |||
|
494 | Index('u_username_idx', 'username'), | |||
|
495 | Index('u_email_idx', 'email'), | |||
|
496 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
497 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True} | |||
|
498 | ) | |||
|
499 | DEFAULT_USER = 'default' | |||
|
500 | DEFAULT_USER_EMAIL = 'anonymous@rhodecode.org' | |||
|
501 | DEFAULT_GRAVATAR_URL = 'https://secure.gravatar.com/avatar/{md5email}?d=identicon&s={size}' | |||
|
502 | ||||
|
503 | user_id = Column("user_id", Integer(), nullable=False, unique=True, default=None, primary_key=True) | |||
|
504 | username = Column("username", String(255), nullable=True, unique=None, default=None) | |||
|
505 | password = Column("password", String(255), nullable=True, unique=None, default=None) | |||
|
506 | active = Column("active", Boolean(), nullable=True, unique=None, default=True) | |||
|
507 | admin = Column("admin", Boolean(), nullable=True, unique=None, default=False) | |||
|
508 | name = Column("firstname", String(255), nullable=True, unique=None, default=None) | |||
|
509 | lastname = Column("lastname", String(255), nullable=True, unique=None, default=None) | |||
|
510 | _email = Column("email", String(255), nullable=True, unique=None, default=None) | |||
|
511 | last_login = Column("last_login", DateTime(timezone=False), nullable=True, unique=None, default=None) | |||
|
512 | extern_type = Column("extern_type", String(255), nullable=True, unique=None, default=None) | |||
|
513 | extern_name = Column("extern_name", String(255), nullable=True, unique=None, default=None) | |||
|
514 | api_key = Column("api_key", String(255), nullable=True, unique=None, default=None) | |||
|
515 | inherit_default_permissions = Column("inherit_default_permissions", Boolean(), nullable=False, unique=None, default=True) | |||
|
516 | created_on = Column('created_on', DateTime(timezone=False), nullable=False, default=datetime.datetime.now) | |||
|
517 | _user_data = Column("user_data", LargeBinary(), nullable=True) # JSON data | |||
|
518 | ||||
|
519 | user_log = relationship('UserLog') | |||
|
520 | user_perms = relationship('UserToPerm', primaryjoin="User.user_id==UserToPerm.user_id", cascade='all') | |||
|
521 | ||||
|
522 | repositories = relationship('Repository') | |||
|
523 | repository_groups = relationship('RepoGroup') | |||
|
524 | user_groups = relationship('UserGroup') | |||
|
525 | ||||
|
526 | user_followers = relationship('UserFollowing', primaryjoin='UserFollowing.follows_user_id==User.user_id', cascade='all') | |||
|
527 | followings = relationship('UserFollowing', primaryjoin='UserFollowing.user_id==User.user_id', cascade='all') | |||
|
528 | ||||
|
529 | repo_to_perm = relationship('UserRepoToPerm', primaryjoin='UserRepoToPerm.user_id==User.user_id', cascade='all') | |||
|
530 | repo_group_to_perm = relationship('UserRepoGroupToPerm', primaryjoin='UserRepoGroupToPerm.user_id==User.user_id', cascade='all') | |||
|
531 | user_group_to_perm = relationship('UserUserGroupToPerm', primaryjoin='UserUserGroupToPerm.user_id==User.user_id', cascade='all') | |||
|
532 | ||||
|
533 | group_member = relationship('UserGroupMember', cascade='all') | |||
|
534 | ||||
|
535 | notifications = relationship('UserNotification', cascade='all') | |||
|
536 | # notifications assigned to this user | |||
|
537 | user_created_notifications = relationship('Notification', cascade='all') | |||
|
538 | # comments created by this user | |||
|
539 | user_comments = relationship('ChangesetComment', cascade='all') | |||
|
540 | # user profile extra info | |||
|
541 | user_emails = relationship('UserEmailMap', cascade='all') | |||
|
542 | user_ip_map = relationship('UserIpMap', cascade='all') | |||
|
543 | user_auth_tokens = relationship('UserApiKeys', cascade='all') | |||
|
544 | # gists | |||
|
545 | user_gists = relationship('Gist', cascade='all') | |||
|
546 | # user pull requests | |||
|
547 | user_pull_requests = relationship('PullRequest', cascade='all') | |||
|
548 | # external identities | |||
|
549 | extenal_identities = relationship( | |||
|
550 | 'ExternalIdentity', | |||
|
551 | primaryjoin="User.user_id==ExternalIdentity.local_user_id", | |||
|
552 | cascade='all') | |||
|
553 | ||||
|
554 | def __unicode__(self): | |||
|
555 | return u"<%s('id:%s:%s')>" % (self.__class__.__name__, | |||
|
556 | self.user_id, self.username) | |||
|
557 | ||||
|
558 | @hybrid_property | |||
|
559 | def email(self): | |||
|
560 | return self._email | |||
|
561 | ||||
|
562 | @email.setter | |||
|
563 | def email(self, val): | |||
|
564 | self._email = val.lower() if val else None | |||
|
565 | ||||
|
566 | @property | |||
|
567 | def firstname(self): | |||
|
568 | # alias for future | |||
|
569 | return self.name | |||
|
570 | ||||
|
571 | @property | |||
|
572 | def emails(self): | |||
|
573 | other = UserEmailMap.query().filter(UserEmailMap.user==self).all() | |||
|
574 | return [self.email] + [x.email for x in other] | |||
|
575 | ||||
|
576 | @property | |||
|
577 | def auth_tokens(self): | |||
|
578 | return [self.api_key] + [x.api_key for x in self.extra_auth_tokens] | |||
|
579 | ||||
|
580 | @property | |||
|
581 | def extra_auth_tokens(self): | |||
|
582 | return UserApiKeys.query().filter(UserApiKeys.user == self).all() | |||
|
583 | ||||
|
584 | @property | |||
|
585 | def feed_token(self): | |||
|
586 | feed_tokens = UserApiKeys.query()\ | |||
|
587 | .filter(UserApiKeys.user == self)\ | |||
|
588 | .filter(UserApiKeys.role == UserApiKeys.ROLE_FEED)\ | |||
|
589 | .all() | |||
|
590 | if feed_tokens: | |||
|
591 | return feed_tokens[0].api_key | |||
|
592 | else: | |||
|
593 | # use the main token so we don't end up with nothing... | |||
|
594 | return self.api_key | |||
|
595 | ||||
|
596 | @classmethod | |||
|
597 | def extra_valid_auth_tokens(cls, user, role=None): | |||
|
598 | tokens = UserApiKeys.query().filter(UserApiKeys.user == user)\ | |||
|
599 | .filter(or_(UserApiKeys.expires == -1, | |||
|
600 | UserApiKeys.expires >= time.time())) | |||
|
601 | if role: | |||
|
602 | tokens = tokens.filter(or_(UserApiKeys.role == role, | |||
|
603 | UserApiKeys.role == UserApiKeys.ROLE_ALL)) | |||
|
604 | return tokens.all() | |||
|
605 | ||||
|
606 | @property | |||
|
607 | def ip_addresses(self): | |||
|
608 | ret = UserIpMap.query().filter(UserIpMap.user == self).all() | |||
|
609 | return [x.ip_addr for x in ret] | |||
|
610 | ||||
|
611 | @property | |||
|
612 | def username_and_name(self): | |||
|
613 | return '%s (%s %s)' % (self.username, self.firstname, self.lastname) | |||
|
614 | ||||
|
615 | @property | |||
|
616 | def username_or_name_or_email(self): | |||
|
617 | full_name = self.full_name if self.full_name is not ' ' else None | |||
|
618 | return self.username or full_name or self.email | |||
|
619 | ||||
|
620 | @property | |||
|
621 | def full_name(self): | |||
|
622 | return '%s %s' % (self.firstname, self.lastname) | |||
|
623 | ||||
|
624 | @property | |||
|
625 | def full_name_or_username(self): | |||
|
626 | return ('%s %s' % (self.firstname, self.lastname) | |||
|
627 | if (self.firstname and self.lastname) else self.username) | |||
|
628 | ||||
|
629 | @property | |||
|
630 | def full_contact(self): | |||
|
631 | return '%s %s <%s>' % (self.firstname, self.lastname, self.email) | |||
|
632 | ||||
|
633 | @property | |||
|
634 | def short_contact(self): | |||
|
635 | return '%s %s' % (self.firstname, self.lastname) | |||
|
636 | ||||
|
637 | @property | |||
|
638 | def is_admin(self): | |||
|
639 | return self.admin | |||
|
640 | ||||
|
641 | @property | |||
|
642 | def AuthUser(self): | |||
|
643 | """ | |||
|
644 | Returns instance of AuthUser for this user | |||
|
645 | """ | |||
|
646 | from rhodecode.lib.auth import AuthUser | |||
|
647 | return AuthUser(user_id=self.user_id, api_key=self.api_key, | |||
|
648 | username=self.username) | |||
|
649 | ||||
|
650 | @hybrid_property | |||
|
651 | def user_data(self): | |||
|
652 | if not self._user_data: | |||
|
653 | return {} | |||
|
654 | ||||
|
655 | try: | |||
|
656 | return json.loads(self._user_data) | |||
|
657 | except TypeError: | |||
|
658 | return {} | |||
|
659 | ||||
|
660 | @user_data.setter | |||
|
661 | def user_data(self, val): | |||
|
662 | if not isinstance(val, dict): | |||
|
663 | raise Exception('user_data must be dict, got %s' % type(val)) | |||
|
664 | try: | |||
|
665 | self._user_data = json.dumps(val) | |||
|
666 | except Exception: | |||
|
667 | log.error(traceback.format_exc()) | |||
|
668 | ||||
|
669 | @classmethod | |||
|
670 | def get_by_username(cls, username, case_insensitive=False, | |||
|
671 | cache=False, identity_cache=False): | |||
|
672 | session = Session() | |||
|
673 | ||||
|
674 | if case_insensitive: | |||
|
675 | q = cls.query().filter( | |||
|
676 | func.lower(cls.username) == func.lower(username)) | |||
|
677 | else: | |||
|
678 | q = cls.query().filter(cls.username == username) | |||
|
679 | ||||
|
680 | if cache: | |||
|
681 | if identity_cache: | |||
|
682 | val = cls.identity_cache(session, 'username', username) | |||
|
683 | if val: | |||
|
684 | return val | |||
|
685 | else: | |||
|
686 | q = q.options( | |||
|
687 | FromCache("sql_cache_short", | |||
|
688 | "get_user_by_name_%s" % _hash_key(username))) | |||
|
689 | ||||
|
690 | return q.scalar() | |||
|
691 | ||||
|
692 | @classmethod | |||
|
693 | def get_by_auth_token(cls, auth_token, cache=False, fallback=True): | |||
|
694 | q = cls.query().filter(cls.api_key == auth_token) | |||
|
695 | ||||
|
696 | if cache: | |||
|
697 | q = q.options(FromCache("sql_cache_short", | |||
|
698 | "get_auth_token_%s" % auth_token)) | |||
|
699 | res = q.scalar() | |||
|
700 | ||||
|
701 | if fallback and not res: | |||
|
702 | #fallback to additional keys | |||
|
703 | _res = UserApiKeys.query()\ | |||
|
704 | .filter(UserApiKeys.api_key == auth_token)\ | |||
|
705 | .filter(or_(UserApiKeys.expires == -1, | |||
|
706 | UserApiKeys.expires >= time.time()))\ | |||
|
707 | .first() | |||
|
708 | if _res: | |||
|
709 | res = _res.user | |||
|
710 | return res | |||
|
711 | ||||
|
712 | @classmethod | |||
|
713 | def get_by_email(cls, email, case_insensitive=False, cache=False): | |||
|
714 | ||||
|
715 | if case_insensitive: | |||
|
716 | q = cls.query().filter(func.lower(cls.email) == func.lower(email)) | |||
|
717 | ||||
|
718 | else: | |||
|
719 | q = cls.query().filter(cls.email == email) | |||
|
720 | ||||
|
721 | if cache: | |||
|
722 | q = q.options(FromCache("sql_cache_short", | |||
|
723 | "get_email_key_%s" % email)) | |||
|
724 | ||||
|
725 | ret = q.scalar() | |||
|
726 | if ret is None: | |||
|
727 | q = UserEmailMap.query() | |||
|
728 | # try fetching in alternate email map | |||
|
729 | if case_insensitive: | |||
|
730 | q = q.filter(func.lower(UserEmailMap.email) == func.lower(email)) | |||
|
731 | else: | |||
|
732 | q = q.filter(UserEmailMap.email == email) | |||
|
733 | q = q.options(joinedload(UserEmailMap.user)) | |||
|
734 | if cache: | |||
|
735 | q = q.options(FromCache("sql_cache_short", | |||
|
736 | "get_email_map_key_%s" % email)) | |||
|
737 | ret = getattr(q.scalar(), 'user', None) | |||
|
738 | ||||
|
739 | return ret | |||
|
740 | ||||
|
741 | @classmethod | |||
|
742 | def get_from_cs_author(cls, author): | |||
|
743 | """ | |||
|
744 | Tries to get User objects out of commit author string | |||
|
745 | ||||
|
746 | :param author: | |||
|
747 | """ | |||
|
748 | from rhodecode.lib.helpers import email, author_name | |||
|
749 | # Valid email in the attribute passed, see if they're in the system | |||
|
750 | _email = email(author) | |||
|
751 | if _email: | |||
|
752 | user = cls.get_by_email(_email, case_insensitive=True) | |||
|
753 | if user: | |||
|
754 | return user | |||
|
755 | # Maybe we can match by username? | |||
|
756 | _author = author_name(author) | |||
|
757 | user = cls.get_by_username(_author, case_insensitive=True) | |||
|
758 | if user: | |||
|
759 | return user | |||
|
760 | ||||
|
761 | def update_userdata(self, **kwargs): | |||
|
762 | usr = self | |||
|
763 | old = usr.user_data | |||
|
764 | old.update(**kwargs) | |||
|
765 | usr.user_data = old | |||
|
766 | Session().add(usr) | |||
|
767 | log.debug('updated userdata with ', kwargs) | |||
|
768 | ||||
|
769 | def update_lastlogin(self): | |||
|
770 | """Update user lastlogin""" | |||
|
771 | self.last_login = datetime.datetime.now() | |||
|
772 | Session().add(self) | |||
|
773 | log.debug('updated user %s lastlogin', self.username) | |||
|
774 | ||||
|
775 | def update_lastactivity(self): | |||
|
776 | """Update user lastactivity""" | |||
|
777 | usr = self | |||
|
778 | old = usr.user_data | |||
|
779 | old.update({'last_activity': time.time()}) | |||
|
780 | usr.user_data = old | |||
|
781 | Session().add(usr) | |||
|
782 | log.debug('updated user %s lastactivity', usr.username) | |||
|
783 | ||||
|
784 | def update_password(self, new_password, change_api_key=False): | |||
|
785 | from rhodecode.lib.auth import get_crypt_password,generate_auth_token | |||
|
786 | ||||
|
787 | self.password = get_crypt_password(new_password) | |||
|
788 | if change_api_key: | |||
|
789 | self.api_key = generate_auth_token(self.username) | |||
|
790 | Session().add(self) | |||
|
791 | ||||
|
792 | @classmethod | |||
|
793 | def get_first_super_admin(cls): | |||
|
794 | user = User.query().filter(User.admin == true()).first() | |||
|
795 | if user is None: | |||
|
796 | raise Exception('FATAL: Missing administrative account!') | |||
|
797 | return user | |||
|
798 | ||||
|
799 | @classmethod | |||
|
800 | def get_all_super_admins(cls): | |||
|
801 | """ | |||
|
802 | Returns all admin accounts sorted by username | |||
|
803 | """ | |||
|
804 | return User.query().filter(User.admin == true())\ | |||
|
805 | .order_by(User.username.asc()).all() | |||
|
806 | ||||
|
807 | @classmethod | |||
|
808 | def get_default_user(cls, cache=False): | |||
|
809 | user = User.get_by_username(User.DEFAULT_USER, cache=cache) | |||
|
810 | if user is None: | |||
|
811 | raise Exception('FATAL: Missing default account!') | |||
|
812 | return user | |||
|
813 | ||||
|
814 | def _get_default_perms(self, user, suffix=''): | |||
|
815 | from rhodecode.model.permission import PermissionModel | |||
|
816 | return PermissionModel().get_default_perms(user.user_perms, suffix) | |||
|
817 | ||||
|
818 | def get_default_perms(self, suffix=''): | |||
|
819 | return self._get_default_perms(self, suffix) | |||
|
820 | ||||
|
821 | def get_api_data(self, include_secrets=False, details='full'): | |||
|
822 | """ | |||
|
823 | Common function for generating user related data for API | |||
|
824 | ||||
|
825 | :param include_secrets: By default secrets in the API data will be replaced | |||
|
826 | by a placeholder value to prevent exposing this data by accident. In case | |||
|
827 | this data shall be exposed, set this flag to ``True``. | |||
|
828 | ||||
|
829 | :param details: details can be 'basic|full' basic gives only a subset of | |||
|
830 | the available user information that includes user_id, name and emails. | |||
|
831 | """ | |||
|
832 | user = self | |||
|
833 | user_data = self.user_data | |||
|
834 | data = { | |||
|
835 | 'user_id': user.user_id, | |||
|
836 | 'username': user.username, | |||
|
837 | 'firstname': user.name, | |||
|
838 | 'lastname': user.lastname, | |||
|
839 | 'email': user.email, | |||
|
840 | 'emails': user.emails, | |||
|
841 | } | |||
|
842 | if details == 'basic': | |||
|
843 | return data | |||
|
844 | ||||
|
845 | api_key_length = 40 | |||
|
846 | api_key_replacement = '*' * api_key_length | |||
|
847 | ||||
|
848 | extras = { | |||
|
849 | 'api_key': api_key_replacement, | |||
|
850 | 'api_keys': [api_key_replacement], | |||
|
851 | 'active': user.active, | |||
|
852 | 'admin': user.admin, | |||
|
853 | 'extern_type': user.extern_type, | |||
|
854 | 'extern_name': user.extern_name, | |||
|
855 | 'last_login': user.last_login, | |||
|
856 | 'ip_addresses': user.ip_addresses, | |||
|
857 | 'language': user_data.get('language') | |||
|
858 | } | |||
|
859 | data.update(extras) | |||
|
860 | ||||
|
861 | if include_secrets: | |||
|
862 | data['api_key'] = user.api_key | |||
|
863 | data['api_keys'] = user.auth_tokens | |||
|
864 | return data | |||
|
865 | ||||
|
866 | def __json__(self): | |||
|
867 | data = { | |||
|
868 | 'full_name': self.full_name, | |||
|
869 | 'full_name_or_username': self.full_name_or_username, | |||
|
870 | 'short_contact': self.short_contact, | |||
|
871 | 'full_contact': self.full_contact, | |||
|
872 | } | |||
|
873 | data.update(self.get_api_data()) | |||
|
874 | return data | |||
|
875 | ||||
|
876 | ||||
|
877 | class UserApiKeys(Base, BaseModel): | |||
|
878 | __tablename__ = 'user_api_keys' | |||
|
879 | __table_args__ = ( | |||
|
880 | Index('uak_api_key_idx', 'api_key'), | |||
|
881 | Index('uak_api_key_expires_idx', 'api_key', 'expires'), | |||
|
882 | UniqueConstraint('api_key'), | |||
|
883 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
884 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True} | |||
|
885 | ) | |||
|
886 | __mapper_args__ = {} | |||
|
887 | ||||
|
888 | # ApiKey role | |||
|
889 | ROLE_ALL = 'token_role_all' | |||
|
890 | ROLE_HTTP = 'token_role_http' | |||
|
891 | ROLE_VCS = 'token_role_vcs' | |||
|
892 | ROLE_API = 'token_role_api' | |||
|
893 | ROLE_FEED = 'token_role_feed' | |||
|
894 | ROLES = [ROLE_ALL, ROLE_HTTP, ROLE_VCS, ROLE_API, ROLE_FEED] | |||
|
895 | ||||
|
896 | user_api_key_id = Column("user_api_key_id", Integer(), nullable=False, unique=True, default=None, primary_key=True) | |||
|
897 | user_id = Column("user_id", Integer(), ForeignKey('users.user_id'), nullable=True, unique=None, default=None) | |||
|
898 | api_key = Column("api_key", String(255), nullable=False, unique=True) | |||
|
899 | description = Column('description', UnicodeText().with_variant(UnicodeText(1024), 'mysql')) | |||
|
900 | expires = Column('expires', Float(53), nullable=False) | |||
|
901 | role = Column('role', String(255), nullable=True) | |||
|
902 | created_on = Column('created_on', DateTime(timezone=False), nullable=False, default=datetime.datetime.now) | |||
|
903 | ||||
|
904 | user = relationship('User', lazy='joined') | |||
|
905 | ||||
|
906 | @classmethod | |||
|
907 | def _get_role_name(cls, role): | |||
|
908 | return { | |||
|
909 | cls.ROLE_ALL: _('all'), | |||
|
910 | cls.ROLE_HTTP: _('http/web interface'), | |||
|
911 | cls.ROLE_VCS: _('vcs (git/hg protocol)'), | |||
|
912 | cls.ROLE_API: _('api calls'), | |||
|
913 | cls.ROLE_FEED: _('feed access'), | |||
|
914 | }.get(role, role) | |||
|
915 | ||||
|
916 | @property | |||
|
917 | def expired(self): | |||
|
918 | if self.expires == -1: | |||
|
919 | return False | |||
|
920 | return time.time() > self.expires | |||
|
921 | ||||
|
922 | @property | |||
|
923 | def role_humanized(self): | |||
|
924 | return self._get_role_name(self.role) | |||
|
925 | ||||
|
926 | ||||
|
927 | class UserEmailMap(Base, BaseModel): | |||
|
928 | __tablename__ = 'user_email_map' | |||
|
929 | __table_args__ = ( | |||
|
930 | Index('uem_email_idx', 'email'), | |||
|
931 | UniqueConstraint('email'), | |||
|
932 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
933 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True} | |||
|
934 | ) | |||
|
935 | __mapper_args__ = {} | |||
|
936 | ||||
|
937 | email_id = Column("email_id", Integer(), nullable=False, unique=True, default=None, primary_key=True) | |||
|
938 | user_id = Column("user_id", Integer(), ForeignKey('users.user_id'), nullable=True, unique=None, default=None) | |||
|
939 | _email = Column("email", String(255), nullable=True, unique=False, default=None) | |||
|
940 | user = relationship('User', lazy='joined') | |||
|
941 | ||||
|
942 | @validates('_email') | |||
|
943 | def validate_email(self, key, email): | |||
|
944 | # check if this email is not main one | |||
|
945 | main_email = Session().query(User).filter(User.email == email).scalar() | |||
|
946 | if main_email is not None: | |||
|
947 | raise AttributeError('email %s is present is user table' % email) | |||
|
948 | return email | |||
|
949 | ||||
|
950 | @hybrid_property | |||
|
951 | def email(self): | |||
|
952 | return self._email | |||
|
953 | ||||
|
954 | @email.setter | |||
|
955 | def email(self, val): | |||
|
956 | self._email = val.lower() if val else None | |||
|
957 | ||||
|
958 | ||||
|
959 | class UserIpMap(Base, BaseModel): | |||
|
960 | __tablename__ = 'user_ip_map' | |||
|
961 | __table_args__ = ( | |||
|
962 | UniqueConstraint('user_id', 'ip_addr'), | |||
|
963 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
964 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True} | |||
|
965 | ) | |||
|
966 | __mapper_args__ = {} | |||
|
967 | ||||
|
968 | ip_id = Column("ip_id", Integer(), nullable=False, unique=True, default=None, primary_key=True) | |||
|
969 | user_id = Column("user_id", Integer(), ForeignKey('users.user_id'), nullable=True, unique=None, default=None) | |||
|
970 | ip_addr = Column("ip_addr", String(255), nullable=True, unique=False, default=None) | |||
|
971 | active = Column("active", Boolean(), nullable=True, unique=None, default=True) | |||
|
972 | description = Column("description", String(10000), nullable=True, unique=None, default=None) | |||
|
973 | user = relationship('User', lazy='joined') | |||
|
974 | ||||
|
975 | @classmethod | |||
|
976 | def _get_ip_range(cls, ip_addr): | |||
|
977 | net = ipaddress.ip_network(ip_addr, strict=False) | |||
|
978 | return [str(net.network_address), str(net.broadcast_address)] | |||
|
979 | ||||
|
980 | def __json__(self): | |||
|
981 | return { | |||
|
982 | 'ip_addr': self.ip_addr, | |||
|
983 | 'ip_range': self._get_ip_range(self.ip_addr), | |||
|
984 | } | |||
|
985 | ||||
|
986 | def __unicode__(self): | |||
|
987 | return u"<%s('user_id:%s=>%s')>" % (self.__class__.__name__, | |||
|
988 | self.user_id, self.ip_addr) | |||
|
989 | ||||
|
990 | class UserLog(Base, BaseModel): | |||
|
991 | __tablename__ = 'user_logs' | |||
|
992 | __table_args__ = ( | |||
|
993 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
994 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True}, | |||
|
995 | ) | |||
|
996 | user_log_id = Column("user_log_id", Integer(), nullable=False, unique=True, default=None, primary_key=True) | |||
|
997 | user_id = Column("user_id", Integer(), ForeignKey('users.user_id'), nullable=True, unique=None, default=None) | |||
|
998 | username = Column("username", String(255), nullable=True, unique=None, default=None) | |||
|
999 | repository_id = Column("repository_id", Integer(), ForeignKey('repositories.repo_id'), nullable=True) | |||
|
1000 | repository_name = Column("repository_name", String(255), nullable=True, unique=None, default=None) | |||
|
1001 | user_ip = Column("user_ip", String(255), nullable=True, unique=None, default=None) | |||
|
1002 | action = Column("action", Text().with_variant(Text(1200000), 'mysql'), nullable=True, unique=None, default=None) | |||
|
1003 | action_date = Column("action_date", DateTime(timezone=False), nullable=True, unique=None, default=None) | |||
|
1004 | ||||
|
1005 | def __unicode__(self): | |||
|
1006 | return u"<%s('id:%s:%s')>" % (self.__class__.__name__, | |||
|
1007 | self.repository_name, | |||
|
1008 | self.action) | |||
|
1009 | ||||
|
1010 | @property | |||
|
1011 | def action_as_day(self): | |||
|
1012 | return datetime.date(*self.action_date.timetuple()[:3]) | |||
|
1013 | ||||
|
1014 | user = relationship('User') | |||
|
1015 | repository = relationship('Repository', cascade='') | |||
|
1016 | ||||
|
1017 | ||||
|
1018 | class UserGroup(Base, BaseModel): | |||
|
1019 | __tablename__ = 'users_groups' | |||
|
1020 | __table_args__ = ( | |||
|
1021 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
1022 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True}, | |||
|
1023 | ) | |||
|
1024 | ||||
|
1025 | users_group_id = Column("users_group_id", Integer(), nullable=False, unique=True, default=None, primary_key=True) | |||
|
1026 | users_group_name = Column("users_group_name", String(255), nullable=False, unique=True, default=None) | |||
|
1027 | user_group_description = Column("user_group_description", String(10000), nullable=True, unique=None, default=None) | |||
|
1028 | users_group_active = Column("users_group_active", Boolean(), nullable=True, unique=None, default=None) | |||
|
1029 | inherit_default_permissions = Column("users_group_inherit_default_permissions", Boolean(), nullable=False, unique=None, default=True) | |||
|
1030 | user_id = Column("user_id", Integer(), ForeignKey('users.user_id'), nullable=False, unique=False, default=None) | |||
|
1031 | created_on = Column('created_on', DateTime(timezone=False), nullable=False, default=datetime.datetime.now) | |||
|
1032 | _group_data = Column("group_data", LargeBinary(), nullable=True) # JSON data | |||
|
1033 | ||||
|
1034 | members = relationship('UserGroupMember', cascade="all, delete, delete-orphan", lazy="joined") | |||
|
1035 | users_group_to_perm = relationship('UserGroupToPerm', cascade='all') | |||
|
1036 | users_group_repo_to_perm = relationship('UserGroupRepoToPerm', cascade='all') | |||
|
1037 | users_group_repo_group_to_perm = relationship('UserGroupRepoGroupToPerm', cascade='all') | |||
|
1038 | user_user_group_to_perm = relationship('UserUserGroupToPerm', cascade='all') | |||
|
1039 | user_group_user_group_to_perm = relationship('UserGroupUserGroupToPerm ', primaryjoin="UserGroupUserGroupToPerm.target_user_group_id==UserGroup.users_group_id", cascade='all') | |||
|
1040 | ||||
|
1041 | user = relationship('User') | |||
|
1042 | ||||
|
1043 | @hybrid_property | |||
|
1044 | def group_data(self): | |||
|
1045 | if not self._group_data: | |||
|
1046 | return {} | |||
|
1047 | ||||
|
1048 | try: | |||
|
1049 | return json.loads(self._group_data) | |||
|
1050 | except TypeError: | |||
|
1051 | return {} | |||
|
1052 | ||||
|
1053 | @group_data.setter | |||
|
1054 | def group_data(self, val): | |||
|
1055 | try: | |||
|
1056 | self._group_data = json.dumps(val) | |||
|
1057 | except Exception: | |||
|
1058 | log.error(traceback.format_exc()) | |||
|
1059 | ||||
|
1060 | def __unicode__(self): | |||
|
1061 | return u"<%s('id:%s:%s')>" % (self.__class__.__name__, | |||
|
1062 | self.users_group_id, | |||
|
1063 | self.users_group_name) | |||
|
1064 | ||||
|
1065 | @classmethod | |||
|
1066 | def get_by_group_name(cls, group_name, cache=False, | |||
|
1067 | case_insensitive=False): | |||
|
1068 | if case_insensitive: | |||
|
1069 | q = cls.query().filter(func.lower(cls.users_group_name) == | |||
|
1070 | func.lower(group_name)) | |||
|
1071 | ||||
|
1072 | else: | |||
|
1073 | q = cls.query().filter(cls.users_group_name == group_name) | |||
|
1074 | if cache: | |||
|
1075 | q = q.options(FromCache( | |||
|
1076 | "sql_cache_short", | |||
|
1077 | "get_group_%s" % _hash_key(group_name))) | |||
|
1078 | return q.scalar() | |||
|
1079 | ||||
|
1080 | @classmethod | |||
|
1081 | def get(cls, user_group_id, cache=False): | |||
|
1082 | user_group = cls.query() | |||
|
1083 | if cache: | |||
|
1084 | user_group = user_group.options(FromCache("sql_cache_short", | |||
|
1085 | "get_users_group_%s" % user_group_id)) | |||
|
1086 | return user_group.get(user_group_id) | |||
|
1087 | ||||
|
1088 | def permissions(self, with_admins=True, with_owner=True): | |||
|
1089 | q = UserUserGroupToPerm.query().filter(UserUserGroupToPerm.user_group == self) | |||
|
1090 | q = q.options(joinedload(UserUserGroupToPerm.user_group), | |||
|
1091 | joinedload(UserUserGroupToPerm.user), | |||
|
1092 | joinedload(UserUserGroupToPerm.permission),) | |||
|
1093 | ||||
|
1094 | # get owners and admins and permissions. We do a trick of re-writing | |||
|
1095 | # objects from sqlalchemy to named-tuples due to sqlalchemy session | |||
|
1096 | # has a global reference and changing one object propagates to all | |||
|
1097 | # others. This means if admin is also an owner admin_row that change | |||
|
1098 | # would propagate to both objects | |||
|
1099 | perm_rows = [] | |||
|
1100 | for _usr in q.all(): | |||
|
1101 | usr = AttributeDict(_usr.user.get_dict()) | |||
|
1102 | usr.permission = _usr.permission.permission_name | |||
|
1103 | perm_rows.append(usr) | |||
|
1104 | ||||
|
1105 | # filter the perm rows by 'default' first and then sort them by | |||
|
1106 | # admin,write,read,none permissions sorted again alphabetically in | |||
|
1107 | # each group | |||
|
1108 | perm_rows = sorted(perm_rows, key=display_sort) | |||
|
1109 | ||||
|
1110 | _admin_perm = 'usergroup.admin' | |||
|
1111 | owner_row = [] | |||
|
1112 | if with_owner: | |||
|
1113 | usr = AttributeDict(self.user.get_dict()) | |||
|
1114 | usr.owner_row = True | |||
|
1115 | usr.permission = _admin_perm | |||
|
1116 | owner_row.append(usr) | |||
|
1117 | ||||
|
1118 | super_admin_rows = [] | |||
|
1119 | if with_admins: | |||
|
1120 | for usr in User.get_all_super_admins(): | |||
|
1121 | # if this admin is also owner, don't double the record | |||
|
1122 | if usr.user_id == owner_row[0].user_id: | |||
|
1123 | owner_row[0].admin_row = True | |||
|
1124 | else: | |||
|
1125 | usr = AttributeDict(usr.get_dict()) | |||
|
1126 | usr.admin_row = True | |||
|
1127 | usr.permission = _admin_perm | |||
|
1128 | super_admin_rows.append(usr) | |||
|
1129 | ||||
|
1130 | return super_admin_rows + owner_row + perm_rows | |||
|
1131 | ||||
|
1132 | def permission_user_groups(self): | |||
|
1133 | q = UserGroupUserGroupToPerm.query().filter(UserGroupUserGroupToPerm.target_user_group == self) | |||
|
1134 | q = q.options(joinedload(UserGroupUserGroupToPerm.user_group), | |||
|
1135 | joinedload(UserGroupUserGroupToPerm.target_user_group), | |||
|
1136 | joinedload(UserGroupUserGroupToPerm.permission),) | |||
|
1137 | ||||
|
1138 | perm_rows = [] | |||
|
1139 | for _user_group in q.all(): | |||
|
1140 | usr = AttributeDict(_user_group.user_group.get_dict()) | |||
|
1141 | usr.permission = _user_group.permission.permission_name | |||
|
1142 | perm_rows.append(usr) | |||
|
1143 | ||||
|
1144 | return perm_rows | |||
|
1145 | ||||
|
1146 | def _get_default_perms(self, user_group, suffix=''): | |||
|
1147 | from rhodecode.model.permission import PermissionModel | |||
|
1148 | return PermissionModel().get_default_perms(user_group.users_group_to_perm, suffix) | |||
|
1149 | ||||
|
1150 | def get_default_perms(self, suffix=''): | |||
|
1151 | return self._get_default_perms(self, suffix) | |||
|
1152 | ||||
|
1153 | def get_api_data(self, with_group_members=True, include_secrets=False): | |||
|
1154 | """ | |||
|
1155 | :param include_secrets: See :meth:`User.get_api_data`, this parameter is | |||
|
1156 | basically forwarded. | |||
|
1157 | ||||
|
1158 | """ | |||
|
1159 | user_group = self | |||
|
1160 | ||||
|
1161 | data = { | |||
|
1162 | 'users_group_id': user_group.users_group_id, | |||
|
1163 | 'group_name': user_group.users_group_name, | |||
|
1164 | 'group_description': user_group.user_group_description, | |||
|
1165 | 'active': user_group.users_group_active, | |||
|
1166 | 'owner': user_group.user.username, | |||
|
1167 | } | |||
|
1168 | if with_group_members: | |||
|
1169 | users = [] | |||
|
1170 | for user in user_group.members: | |||
|
1171 | user = user.user | |||
|
1172 | users.append(user.get_api_data(include_secrets=include_secrets)) | |||
|
1173 | data['users'] = users | |||
|
1174 | ||||
|
1175 | return data | |||
|
1176 | ||||
|
1177 | ||||
|
1178 | class UserGroupMember(Base, BaseModel): | |||
|
1179 | __tablename__ = 'users_groups_members' | |||
|
1180 | __table_args__ = ( | |||
|
1181 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
1182 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True}, | |||
|
1183 | ) | |||
|
1184 | ||||
|
1185 | users_group_member_id = Column("users_group_member_id", Integer(), nullable=False, unique=True, default=None, primary_key=True) | |||
|
1186 | users_group_id = Column("users_group_id", Integer(), ForeignKey('users_groups.users_group_id'), nullable=False, unique=None, default=None) | |||
|
1187 | user_id = Column("user_id", Integer(), ForeignKey('users.user_id'), nullable=False, unique=None, default=None) | |||
|
1188 | ||||
|
1189 | user = relationship('User', lazy='joined') | |||
|
1190 | users_group = relationship('UserGroup') | |||
|
1191 | ||||
|
1192 | def __init__(self, gr_id='', u_id=''): | |||
|
1193 | self.users_group_id = gr_id | |||
|
1194 | self.user_id = u_id | |||
|
1195 | ||||
|
1196 | ||||
|
1197 | class RepositoryField(Base, BaseModel): | |||
|
1198 | __tablename__ = 'repositories_fields' | |||
|
1199 | __table_args__ = ( | |||
|
1200 | UniqueConstraint('repository_id', 'field_key'), # no-multi field | |||
|
1201 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
1202 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True}, | |||
|
1203 | ) | |||
|
1204 | PREFIX = 'ex_' # prefix used in form to not conflict with already existing fields | |||
|
1205 | ||||
|
1206 | repo_field_id = Column("repo_field_id", Integer(), nullable=False, unique=True, default=None, primary_key=True) | |||
|
1207 | repository_id = Column("repository_id", Integer(), ForeignKey('repositories.repo_id'), nullable=False, unique=None, default=None) | |||
|
1208 | field_key = Column("field_key", String(250)) | |||
|
1209 | field_label = Column("field_label", String(1024), nullable=False) | |||
|
1210 | field_value = Column("field_value", String(10000), nullable=False) | |||
|
1211 | field_desc = Column("field_desc", String(1024), nullable=False) | |||
|
1212 | field_type = Column("field_type", String(255), nullable=False, unique=None) | |||
|
1213 | created_on = Column('created_on', DateTime(timezone=False), nullable=False, default=datetime.datetime.now) | |||
|
1214 | ||||
|
1215 | repository = relationship('Repository') | |||
|
1216 | ||||
|
1217 | @property | |||
|
1218 | def field_key_prefixed(self): | |||
|
1219 | return 'ex_%s' % self.field_key | |||
|
1220 | ||||
|
1221 | @classmethod | |||
|
1222 | def un_prefix_key(cls, key): | |||
|
1223 | if key.startswith(cls.PREFIX): | |||
|
1224 | return key[len(cls.PREFIX):] | |||
|
1225 | return key | |||
|
1226 | ||||
|
1227 | @classmethod | |||
|
1228 | def get_by_key_name(cls, key, repo): | |||
|
1229 | row = cls.query()\ | |||
|
1230 | .filter(cls.repository == repo)\ | |||
|
1231 | .filter(cls.field_key == key).scalar() | |||
|
1232 | return row | |||
|
1233 | ||||
|
1234 | ||||
|
1235 | class Repository(Base, BaseModel): | |||
|
1236 | __tablename__ = 'repositories' | |||
|
1237 | __table_args__ = ( | |||
|
1238 | Index('r_repo_name_idx', 'repo_name', mysql_length=255), | |||
|
1239 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
1240 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True}, | |||
|
1241 | ) | |||
|
1242 | DEFAULT_CLONE_URI = '{scheme}://{user}@{netloc}/{repo}' | |||
|
1243 | DEFAULT_CLONE_URI_ID = '{scheme}://{user}@{netloc}/_{repoid}' | |||
|
1244 | ||||
|
1245 | STATE_CREATED = 'repo_state_created' | |||
|
1246 | STATE_PENDING = 'repo_state_pending' | |||
|
1247 | STATE_ERROR = 'repo_state_error' | |||
|
1248 | ||||
|
1249 | LOCK_AUTOMATIC = 'lock_auto' | |||
|
1250 | LOCK_API = 'lock_api' | |||
|
1251 | LOCK_WEB = 'lock_web' | |||
|
1252 | LOCK_PULL = 'lock_pull' | |||
|
1253 | ||||
|
1254 | NAME_SEP = URL_SEP | |||
|
1255 | ||||
|
1256 | repo_id = Column( | |||
|
1257 | "repo_id", Integer(), nullable=False, unique=True, default=None, | |||
|
1258 | primary_key=True) | |||
|
1259 | _repo_name = Column( | |||
|
1260 | "repo_name", Text(), nullable=False, default=None) | |||
|
1261 | _repo_name_hash = Column( | |||
|
1262 | "repo_name_hash", String(255), nullable=False, unique=True) | |||
|
1263 | repo_state = Column("repo_state", String(255), nullable=True) | |||
|
1264 | ||||
|
1265 | clone_uri = Column( | |||
|
1266 | "clone_uri", EncryptedTextValue(), nullable=True, unique=False, | |||
|
1267 | default=None) | |||
|
1268 | repo_type = Column( | |||
|
1269 | "repo_type", String(255), nullable=False, unique=False, default=None) | |||
|
1270 | user_id = Column( | |||
|
1271 | "user_id", Integer(), ForeignKey('users.user_id'), nullable=False, | |||
|
1272 | unique=False, default=None) | |||
|
1273 | private = Column( | |||
|
1274 | "private", Boolean(), nullable=True, unique=None, default=None) | |||
|
1275 | enable_statistics = Column( | |||
|
1276 | "statistics", Boolean(), nullable=True, unique=None, default=True) | |||
|
1277 | enable_downloads = Column( | |||
|
1278 | "downloads", Boolean(), nullable=True, unique=None, default=True) | |||
|
1279 | description = Column( | |||
|
1280 | "description", String(10000), nullable=True, unique=None, default=None) | |||
|
1281 | created_on = Column( | |||
|
1282 | 'created_on', DateTime(timezone=False), nullable=True, unique=None, | |||
|
1283 | default=datetime.datetime.now) | |||
|
1284 | updated_on = Column( | |||
|
1285 | 'updated_on', DateTime(timezone=False), nullable=True, unique=None, | |||
|
1286 | default=datetime.datetime.now) | |||
|
1287 | _landing_revision = Column( | |||
|
1288 | "landing_revision", String(255), nullable=False, unique=False, | |||
|
1289 | default=None) | |||
|
1290 | enable_locking = Column( | |||
|
1291 | "enable_locking", Boolean(), nullable=False, unique=None, | |||
|
1292 | default=False) | |||
|
1293 | _locked = Column( | |||
|
1294 | "locked", String(255), nullable=True, unique=False, default=None) | |||
|
1295 | _changeset_cache = Column( | |||
|
1296 | "changeset_cache", LargeBinary(), nullable=True) # JSON data | |||
|
1297 | ||||
|
1298 | fork_id = Column( | |||
|
1299 | "fork_id", Integer(), ForeignKey('repositories.repo_id'), | |||
|
1300 | nullable=True, unique=False, default=None) | |||
|
1301 | group_id = Column( | |||
|
1302 | "group_id", Integer(), ForeignKey('groups.group_id'), nullable=True, | |||
|
1303 | unique=False, default=None) | |||
|
1304 | ||||
|
1305 | user = relationship('User', lazy='joined') | |||
|
1306 | fork = relationship('Repository', remote_side=repo_id, lazy='joined') | |||
|
1307 | group = relationship('RepoGroup', lazy='joined') | |||
|
1308 | repo_to_perm = relationship( | |||
|
1309 | 'UserRepoToPerm', cascade='all', | |||
|
1310 | order_by='UserRepoToPerm.repo_to_perm_id') | |||
|
1311 | users_group_to_perm = relationship('UserGroupRepoToPerm', cascade='all') | |||
|
1312 | stats = relationship('Statistics', cascade='all', uselist=False) | |||
|
1313 | ||||
|
1314 | followers = relationship( | |||
|
1315 | 'UserFollowing', | |||
|
1316 | primaryjoin='UserFollowing.follows_repo_id==Repository.repo_id', | |||
|
1317 | cascade='all') | |||
|
1318 | extra_fields = relationship( | |||
|
1319 | 'RepositoryField', cascade="all, delete, delete-orphan") | |||
|
1320 | logs = relationship('UserLog') | |||
|
1321 | comments = relationship( | |||
|
1322 | 'ChangesetComment', cascade="all, delete, delete-orphan") | |||
|
1323 | pull_requests_source = relationship( | |||
|
1324 | 'PullRequest', | |||
|
1325 | primaryjoin='PullRequest.source_repo_id==Repository.repo_id', | |||
|
1326 | cascade="all, delete, delete-orphan") | |||
|
1327 | pull_requests_target = relationship( | |||
|
1328 | 'PullRequest', | |||
|
1329 | primaryjoin='PullRequest.target_repo_id==Repository.repo_id', | |||
|
1330 | cascade="all, delete, delete-orphan") | |||
|
1331 | ui = relationship('RepoRhodeCodeUi', cascade="all") | |||
|
1332 | settings = relationship('RepoRhodeCodeSetting', cascade="all") | |||
|
1333 | ||||
|
1334 | def __unicode__(self): | |||
|
1335 | return u"<%s('%s:%s')>" % (self.__class__.__name__, self.repo_id, | |||
|
1336 | safe_unicode(self.repo_name)) | |||
|
1337 | ||||
|
1338 | @hybrid_property | |||
|
1339 | def landing_rev(self): | |||
|
1340 | # always should return [rev_type, rev] | |||
|
1341 | if self._landing_revision: | |||
|
1342 | _rev_info = self._landing_revision.split(':') | |||
|
1343 | if len(_rev_info) < 2: | |||
|
1344 | _rev_info.insert(0, 'rev') | |||
|
1345 | return [_rev_info[0], _rev_info[1]] | |||
|
1346 | return [None, None] | |||
|
1347 | ||||
|
1348 | @landing_rev.setter | |||
|
1349 | def landing_rev(self, val): | |||
|
1350 | if ':' not in val: | |||
|
1351 | raise ValueError('value must be delimited with `:` and consist ' | |||
|
1352 | 'of <rev_type>:<rev>, got %s instead' % val) | |||
|
1353 | self._landing_revision = val | |||
|
1354 | ||||
|
1355 | @hybrid_property | |||
|
1356 | def locked(self): | |||
|
1357 | if self._locked: | |||
|
1358 | user_id, timelocked, reason = self._locked.split(':') | |||
|
1359 | lock_values = int(user_id), timelocked, reason | |||
|
1360 | else: | |||
|
1361 | lock_values = [None, None, None] | |||
|
1362 | return lock_values | |||
|
1363 | ||||
|
1364 | @locked.setter | |||
|
1365 | def locked(self, val): | |||
|
1366 | if val and isinstance(val, (list, tuple)): | |||
|
1367 | self._locked = ':'.join(map(str, val)) | |||
|
1368 | else: | |||
|
1369 | self._locked = None | |||
|
1370 | ||||
|
1371 | @hybrid_property | |||
|
1372 | def changeset_cache(self): | |||
|
1373 | from rhodecode.lib.vcs.backends.base import EmptyCommit | |||
|
1374 | dummy = EmptyCommit().__json__() | |||
|
1375 | if not self._changeset_cache: | |||
|
1376 | return dummy | |||
|
1377 | try: | |||
|
1378 | return json.loads(self._changeset_cache) | |||
|
1379 | except TypeError: | |||
|
1380 | return dummy | |||
|
1381 | except Exception: | |||
|
1382 | log.error(traceback.format_exc()) | |||
|
1383 | return dummy | |||
|
1384 | ||||
|
1385 | @changeset_cache.setter | |||
|
1386 | def changeset_cache(self, val): | |||
|
1387 | try: | |||
|
1388 | self._changeset_cache = json.dumps(val) | |||
|
1389 | except Exception: | |||
|
1390 | log.error(traceback.format_exc()) | |||
|
1391 | ||||
|
1392 | @hybrid_property | |||
|
1393 | def repo_name(self): | |||
|
1394 | return self._repo_name | |||
|
1395 | ||||
|
1396 | @repo_name.setter | |||
|
1397 | def repo_name(self, value): | |||
|
1398 | self._repo_name = value | |||
|
1399 | self._repo_name_hash = hashlib.sha1(safe_str(value)).hexdigest() | |||
|
1400 | ||||
|
1401 | @classmethod | |||
|
1402 | def normalize_repo_name(cls, repo_name): | |||
|
1403 | """ | |||
|
1404 | Normalizes os specific repo_name to the format internally stored inside | |||
|
1405 | database using URL_SEP | |||
|
1406 | ||||
|
1407 | :param cls: | |||
|
1408 | :param repo_name: | |||
|
1409 | """ | |||
|
1410 | return cls.NAME_SEP.join(repo_name.split(os.sep)) | |||
|
1411 | ||||
|
1412 | @classmethod | |||
|
1413 | def get_by_repo_name(cls, repo_name, cache=False, identity_cache=False): | |||
|
1414 | session = Session() | |||
|
1415 | q = session.query(cls).filter(cls.repo_name == repo_name) | |||
|
1416 | ||||
|
1417 | if cache: | |||
|
1418 | if identity_cache: | |||
|
1419 | val = cls.identity_cache(session, 'repo_name', repo_name) | |||
|
1420 | if val: | |||
|
1421 | return val | |||
|
1422 | else: | |||
|
1423 | q = q.options( | |||
|
1424 | FromCache("sql_cache_short", | |||
|
1425 | "get_repo_by_name_%s" % _hash_key(repo_name))) | |||
|
1426 | ||||
|
1427 | return q.scalar() | |||
|
1428 | ||||
|
1429 | @classmethod | |||
|
1430 | def get_by_full_path(cls, repo_full_path): | |||
|
1431 | repo_name = repo_full_path.split(cls.base_path(), 1)[-1] | |||
|
1432 | repo_name = cls.normalize_repo_name(repo_name) | |||
|
1433 | return cls.get_by_repo_name(repo_name.strip(URL_SEP)) | |||
|
1434 | ||||
|
1435 | @classmethod | |||
|
1436 | def get_repo_forks(cls, repo_id): | |||
|
1437 | return cls.query().filter(Repository.fork_id == repo_id) | |||
|
1438 | ||||
|
1439 | @classmethod | |||
|
1440 | def base_path(cls): | |||
|
1441 | """ | |||
|
1442 | Returns base path when all repos are stored | |||
|
1443 | ||||
|
1444 | :param cls: | |||
|
1445 | """ | |||
|
1446 | q = Session().query(RhodeCodeUi)\ | |||
|
1447 | .filter(RhodeCodeUi.ui_key == cls.NAME_SEP) | |||
|
1448 | q = q.options(FromCache("sql_cache_short", "repository_repo_path")) | |||
|
1449 | return q.one().ui_value | |||
|
1450 | ||||
|
1451 | @classmethod | |||
|
1452 | def is_valid(cls, repo_name): | |||
|
1453 | """ | |||
|
1454 | returns True if given repo name is a valid filesystem repository | |||
|
1455 | ||||
|
1456 | :param cls: | |||
|
1457 | :param repo_name: | |||
|
1458 | """ | |||
|
1459 | from rhodecode.lib.utils import is_valid_repo | |||
|
1460 | ||||
|
1461 | return is_valid_repo(repo_name, cls.base_path()) | |||
|
1462 | ||||
|
1463 | @classmethod | |||
|
1464 | def get_all_repos(cls, user_id=Optional(None), group_id=Optional(None), | |||
|
1465 | case_insensitive=True): | |||
|
1466 | q = Repository.query() | |||
|
1467 | ||||
|
1468 | if not isinstance(user_id, Optional): | |||
|
1469 | q = q.filter(Repository.user_id == user_id) | |||
|
1470 | ||||
|
1471 | if not isinstance(group_id, Optional): | |||
|
1472 | q = q.filter(Repository.group_id == group_id) | |||
|
1473 | ||||
|
1474 | if case_insensitive: | |||
|
1475 | q = q.order_by(func.lower(Repository.repo_name)) | |||
|
1476 | else: | |||
|
1477 | q = q.order_by(Repository.repo_name) | |||
|
1478 | return q.all() | |||
|
1479 | ||||
|
1480 | @property | |||
|
1481 | def forks(self): | |||
|
1482 | """ | |||
|
1483 | Return forks of this repo | |||
|
1484 | """ | |||
|
1485 | return Repository.get_repo_forks(self.repo_id) | |||
|
1486 | ||||
|
1487 | @property | |||
|
1488 | def parent(self): | |||
|
1489 | """ | |||
|
1490 | Returns fork parent | |||
|
1491 | """ | |||
|
1492 | return self.fork | |||
|
1493 | ||||
|
1494 | @property | |||
|
1495 | def just_name(self): | |||
|
1496 | return self.repo_name.split(self.NAME_SEP)[-1] | |||
|
1497 | ||||
|
1498 | @property | |||
|
1499 | def groups_with_parents(self): | |||
|
1500 | groups = [] | |||
|
1501 | if self.group is None: | |||
|
1502 | return groups | |||
|
1503 | ||||
|
1504 | cur_gr = self.group | |||
|
1505 | groups.insert(0, cur_gr) | |||
|
1506 | while 1: | |||
|
1507 | gr = getattr(cur_gr, 'parent_group', None) | |||
|
1508 | cur_gr = cur_gr.parent_group | |||
|
1509 | if gr is None: | |||
|
1510 | break | |||
|
1511 | groups.insert(0, gr) | |||
|
1512 | ||||
|
1513 | return groups | |||
|
1514 | ||||
|
1515 | @property | |||
|
1516 | def groups_and_repo(self): | |||
|
1517 | return self.groups_with_parents, self | |||
|
1518 | ||||
|
1519 | @LazyProperty | |||
|
1520 | def repo_path(self): | |||
|
1521 | """ | |||
|
1522 | Returns base full path for that repository means where it actually | |||
|
1523 | exists on a filesystem | |||
|
1524 | """ | |||
|
1525 | q = Session().query(RhodeCodeUi).filter( | |||
|
1526 | RhodeCodeUi.ui_key == self.NAME_SEP) | |||
|
1527 | q = q.options(FromCache("sql_cache_short", "repository_repo_path")) | |||
|
1528 | return q.one().ui_value | |||
|
1529 | ||||
|
1530 | @property | |||
|
1531 | def repo_full_path(self): | |||
|
1532 | p = [self.repo_path] | |||
|
1533 | # we need to split the name by / since this is how we store the | |||
|
1534 | # names in the database, but that eventually needs to be converted | |||
|
1535 | # into a valid system path | |||
|
1536 | p += self.repo_name.split(self.NAME_SEP) | |||
|
1537 | return os.path.join(*map(safe_unicode, p)) | |||
|
1538 | ||||
|
1539 | @property | |||
|
1540 | def cache_keys(self): | |||
|
1541 | """ | |||
|
1542 | Returns associated cache keys for that repo | |||
|
1543 | """ | |||
|
1544 | return CacheKey.query()\ | |||
|
1545 | .filter(CacheKey.cache_args == self.repo_name)\ | |||
|
1546 | .order_by(CacheKey.cache_key)\ | |||
|
1547 | .all() | |||
|
1548 | ||||
|
1549 | def get_new_name(self, repo_name): | |||
|
1550 | """ | |||
|
1551 | returns new full repository name based on assigned group and new new | |||
|
1552 | ||||
|
1553 | :param group_name: | |||
|
1554 | """ | |||
|
1555 | path_prefix = self.group.full_path_splitted if self.group else [] | |||
|
1556 | return self.NAME_SEP.join(path_prefix + [repo_name]) | |||
|
1557 | ||||
|
1558 | @property | |||
|
1559 | def _config(self): | |||
|
1560 | """ | |||
|
1561 | Returns db based config object. | |||
|
1562 | """ | |||
|
1563 | from rhodecode.lib.utils import make_db_config | |||
|
1564 | return make_db_config(clear_session=False, repo=self) | |||
|
1565 | ||||
|
1566 | def permissions(self, with_admins=True, with_owner=True): | |||
|
1567 | q = UserRepoToPerm.query().filter(UserRepoToPerm.repository == self) | |||
|
1568 | q = q.options(joinedload(UserRepoToPerm.repository), | |||
|
1569 | joinedload(UserRepoToPerm.user), | |||
|
1570 | joinedload(UserRepoToPerm.permission),) | |||
|
1571 | ||||
|
1572 | # get owners and admins and permissions. We do a trick of re-writing | |||
|
1573 | # objects from sqlalchemy to named-tuples due to sqlalchemy session | |||
|
1574 | # has a global reference and changing one object propagates to all | |||
|
1575 | # others. This means if admin is also an owner admin_row that change | |||
|
1576 | # would propagate to both objects | |||
|
1577 | perm_rows = [] | |||
|
1578 | for _usr in q.all(): | |||
|
1579 | usr = AttributeDict(_usr.user.get_dict()) | |||
|
1580 | usr.permission = _usr.permission.permission_name | |||
|
1581 | perm_rows.append(usr) | |||
|
1582 | ||||
|
1583 | # filter the perm rows by 'default' first and then sort them by | |||
|
1584 | # admin,write,read,none permissions sorted again alphabetically in | |||
|
1585 | # each group | |||
|
1586 | perm_rows = sorted(perm_rows, key=display_sort) | |||
|
1587 | ||||
|
1588 | _admin_perm = 'repository.admin' | |||
|
1589 | owner_row = [] | |||
|
1590 | if with_owner: | |||
|
1591 | usr = AttributeDict(self.user.get_dict()) | |||
|
1592 | usr.owner_row = True | |||
|
1593 | usr.permission = _admin_perm | |||
|
1594 | owner_row.append(usr) | |||
|
1595 | ||||
|
1596 | super_admin_rows = [] | |||
|
1597 | if with_admins: | |||
|
1598 | for usr in User.get_all_super_admins(): | |||
|
1599 | # if this admin is also owner, don't double the record | |||
|
1600 | if usr.user_id == owner_row[0].user_id: | |||
|
1601 | owner_row[0].admin_row = True | |||
|
1602 | else: | |||
|
1603 | usr = AttributeDict(usr.get_dict()) | |||
|
1604 | usr.admin_row = True | |||
|
1605 | usr.permission = _admin_perm | |||
|
1606 | super_admin_rows.append(usr) | |||
|
1607 | ||||
|
1608 | return super_admin_rows + owner_row + perm_rows | |||
|
1609 | ||||
|
1610 | def permission_user_groups(self): | |||
|
1611 | q = UserGroupRepoToPerm.query().filter( | |||
|
1612 | UserGroupRepoToPerm.repository == self) | |||
|
1613 | q = q.options(joinedload(UserGroupRepoToPerm.repository), | |||
|
1614 | joinedload(UserGroupRepoToPerm.users_group), | |||
|
1615 | joinedload(UserGroupRepoToPerm.permission),) | |||
|
1616 | ||||
|
1617 | perm_rows = [] | |||
|
1618 | for _user_group in q.all(): | |||
|
1619 | usr = AttributeDict(_user_group.users_group.get_dict()) | |||
|
1620 | usr.permission = _user_group.permission.permission_name | |||
|
1621 | perm_rows.append(usr) | |||
|
1622 | ||||
|
1623 | return perm_rows | |||
|
1624 | ||||
|
1625 | def get_api_data(self, include_secrets=False): | |||
|
1626 | """ | |||
|
1627 | Common function for generating repo api data | |||
|
1628 | ||||
|
1629 | :param include_secrets: See :meth:`User.get_api_data`. | |||
|
1630 | ||||
|
1631 | """ | |||
|
1632 | # TODO: mikhail: Here there is an anti-pattern, we probably need to | |||
|
1633 | # move this methods on models level. | |||
|
1634 | from rhodecode.model.settings import SettingsModel | |||
|
1635 | ||||
|
1636 | repo = self | |||
|
1637 | _user_id, _time, _reason = self.locked | |||
|
1638 | ||||
|
1639 | data = { | |||
|
1640 | 'repo_id': repo.repo_id, | |||
|
1641 | 'repo_name': repo.repo_name, | |||
|
1642 | 'repo_type': repo.repo_type, | |||
|
1643 | 'clone_uri': repo.clone_uri or '', | |||
|
1644 | 'url': url('summary_home', repo_name=self.repo_name, qualified=True), | |||
|
1645 | 'private': repo.private, | |||
|
1646 | 'created_on': repo.created_on, | |||
|
1647 | 'description': repo.description, | |||
|
1648 | 'landing_rev': repo.landing_rev, | |||
|
1649 | 'owner': repo.user.username, | |||
|
1650 | 'fork_of': repo.fork.repo_name if repo.fork else None, | |||
|
1651 | 'enable_statistics': repo.enable_statistics, | |||
|
1652 | 'enable_locking': repo.enable_locking, | |||
|
1653 | 'enable_downloads': repo.enable_downloads, | |||
|
1654 | 'last_changeset': repo.changeset_cache, | |||
|
1655 | 'locked_by': User.get(_user_id).get_api_data( | |||
|
1656 | include_secrets=include_secrets) if _user_id else None, | |||
|
1657 | 'locked_date': time_to_datetime(_time) if _time else None, | |||
|
1658 | 'lock_reason': _reason if _reason else None, | |||
|
1659 | } | |||
|
1660 | ||||
|
1661 | # TODO: mikhail: should be per-repo settings here | |||
|
1662 | rc_config = SettingsModel().get_all_settings() | |||
|
1663 | repository_fields = str2bool( | |||
|
1664 | rc_config.get('rhodecode_repository_fields')) | |||
|
1665 | if repository_fields: | |||
|
1666 | for f in self.extra_fields: | |||
|
1667 | data[f.field_key_prefixed] = f.field_value | |||
|
1668 | ||||
|
1669 | return data | |||
|
1670 | ||||
|
1671 | @classmethod | |||
|
1672 | def lock(cls, repo, user_id, lock_time=None, lock_reason=None): | |||
|
1673 | if not lock_time: | |||
|
1674 | lock_time = time.time() | |||
|
1675 | if not lock_reason: | |||
|
1676 | lock_reason = cls.LOCK_AUTOMATIC | |||
|
1677 | repo.locked = [user_id, lock_time, lock_reason] | |||
|
1678 | Session().add(repo) | |||
|
1679 | Session().commit() | |||
|
1680 | ||||
|
1681 | @classmethod | |||
|
1682 | def unlock(cls, repo): | |||
|
1683 | repo.locked = None | |||
|
1684 | Session().add(repo) | |||
|
1685 | Session().commit() | |||
|
1686 | ||||
|
1687 | @classmethod | |||
|
1688 | def getlock(cls, repo): | |||
|
1689 | return repo.locked | |||
|
1690 | ||||
|
1691 | def is_user_lock(self, user_id): | |||
|
1692 | if self.lock[0]: | |||
|
1693 | lock_user_id = safe_int(self.lock[0]) | |||
|
1694 | user_id = safe_int(user_id) | |||
|
1695 | # both are ints, and they are equal | |||
|
1696 | return all([lock_user_id, user_id]) and lock_user_id == user_id | |||
|
1697 | ||||
|
1698 | return False | |||
|
1699 | ||||
|
1700 | def get_locking_state(self, action, user_id, only_when_enabled=True): | |||
|
1701 | """ | |||
|
1702 | Checks locking on this repository, if locking is enabled and lock is | |||
|
1703 | present returns a tuple of make_lock, locked, locked_by. | |||
|
1704 | make_lock can have 3 states None (do nothing) True, make lock | |||
|
1705 | False release lock, This value is later propagated to hooks, which | |||
|
1706 | do the locking. Think about this as signals passed to hooks what to do. | |||
|
1707 | ||||
|
1708 | """ | |||
|
1709 | # TODO: johbo: This is part of the business logic and should be moved | |||
|
1710 | # into the RepositoryModel. | |||
|
1711 | ||||
|
1712 | if action not in ('push', 'pull'): | |||
|
1713 | raise ValueError("Invalid action value: %s" % repr(action)) | |||
|
1714 | ||||
|
1715 | # defines if locked error should be thrown to user | |||
|
1716 | currently_locked = False | |||
|
1717 | # defines if new lock should be made, tri-state | |||
|
1718 | make_lock = None | |||
|
1719 | repo = self | |||
|
1720 | user = User.get(user_id) | |||
|
1721 | ||||
|
1722 | lock_info = repo.locked | |||
|
1723 | ||||
|
1724 | if repo and (repo.enable_locking or not only_when_enabled): | |||
|
1725 | if action == 'push': | |||
|
1726 | # check if it's already locked !, if it is compare users | |||
|
1727 | locked_by_user_id = lock_info[0] | |||
|
1728 | if user.user_id == locked_by_user_id: | |||
|
1729 | log.debug( | |||
|
1730 | 'Got `push` action from user %s, now unlocking', user) | |||
|
1731 | # unlock if we have push from user who locked | |||
|
1732 | make_lock = False | |||
|
1733 | else: | |||
|
1734 | # we're not the same user who locked, ban with | |||
|
1735 | # code defined in settings (default is 423 HTTP Locked) ! | |||
|
1736 | log.debug('Repo %s is currently locked by %s', repo, user) | |||
|
1737 | currently_locked = True | |||
|
1738 | elif action == 'pull': | |||
|
1739 | # [0] user [1] date | |||
|
1740 | if lock_info[0] and lock_info[1]: | |||
|
1741 | log.debug('Repo %s is currently locked by %s', repo, user) | |||
|
1742 | currently_locked = True | |||
|
1743 | else: | |||
|
1744 | log.debug('Setting lock on repo %s by %s', repo, user) | |||
|
1745 | make_lock = True | |||
|
1746 | ||||
|
1747 | else: | |||
|
1748 | log.debug('Repository %s do not have locking enabled', repo) | |||
|
1749 | ||||
|
1750 | log.debug('FINAL locking values make_lock:%s,locked:%s,locked_by:%s', | |||
|
1751 | make_lock, currently_locked, lock_info) | |||
|
1752 | ||||
|
1753 | from rhodecode.lib.auth import HasRepoPermissionAny | |||
|
1754 | perm_check = HasRepoPermissionAny('repository.write', 'repository.admin') | |||
|
1755 | if make_lock and not perm_check(repo_name=repo.repo_name, user=user): | |||
|
1756 | # if we don't have at least write permission we cannot make a lock | |||
|
1757 | log.debug('lock state reset back to FALSE due to lack ' | |||
|
1758 | 'of at least read permission') | |||
|
1759 | make_lock = False | |||
|
1760 | ||||
|
1761 | return make_lock, currently_locked, lock_info | |||
|
1762 | ||||
|
1763 | @property | |||
|
1764 | def last_db_change(self): | |||
|
1765 | return self.updated_on | |||
|
1766 | ||||
|
1767 | @property | |||
|
1768 | def clone_uri_hidden(self): | |||
|
1769 | clone_uri = self.clone_uri | |||
|
1770 | if clone_uri: | |||
|
1771 | import urlobject | |||
|
1772 | url_obj = urlobject.URLObject(clone_uri) | |||
|
1773 | if url_obj.password: | |||
|
1774 | clone_uri = url_obj.with_password('*****') | |||
|
1775 | return clone_uri | |||
|
1776 | ||||
|
1777 | def clone_url(self, **override): | |||
|
1778 | qualified_home_url = url('home', qualified=True) | |||
|
1779 | ||||
|
1780 | uri_tmpl = None | |||
|
1781 | if 'with_id' in override: | |||
|
1782 | uri_tmpl = self.DEFAULT_CLONE_URI_ID | |||
|
1783 | del override['with_id'] | |||
|
1784 | ||||
|
1785 | if 'uri_tmpl' in override: | |||
|
1786 | uri_tmpl = override['uri_tmpl'] | |||
|
1787 | del override['uri_tmpl'] | |||
|
1788 | ||||
|
1789 | # we didn't override our tmpl from **overrides | |||
|
1790 | if not uri_tmpl: | |||
|
1791 | uri_tmpl = self.DEFAULT_CLONE_URI | |||
|
1792 | try: | |||
|
1793 | from pylons import tmpl_context as c | |||
|
1794 | uri_tmpl = c.clone_uri_tmpl | |||
|
1795 | except Exception: | |||
|
1796 | # in any case if we call this outside of request context, | |||
|
1797 | # ie, not having tmpl_context set up | |||
|
1798 | pass | |||
|
1799 | ||||
|
1800 | return get_clone_url(uri_tmpl=uri_tmpl, | |||
|
1801 | qualifed_home_url=qualified_home_url, | |||
|
1802 | repo_name=self.repo_name, | |||
|
1803 | repo_id=self.repo_id, **override) | |||
|
1804 | ||||
|
1805 | def set_state(self, state): | |||
|
1806 | self.repo_state = state | |||
|
1807 | Session().add(self) | |||
|
1808 | #========================================================================== | |||
|
1809 | # SCM PROPERTIES | |||
|
1810 | #========================================================================== | |||
|
1811 | ||||
|
1812 | def get_commit(self, commit_id=None, commit_idx=None, pre_load=None): | |||
|
1813 | return get_commit_safe( | |||
|
1814 | self.scm_instance(), commit_id, commit_idx, pre_load=pre_load) | |||
|
1815 | ||||
|
1816 | def get_changeset(self, rev=None, pre_load=None): | |||
|
1817 | warnings.warn("Use get_commit", DeprecationWarning) | |||
|
1818 | commit_id = None | |||
|
1819 | commit_idx = None | |||
|
1820 | if isinstance(rev, basestring): | |||
|
1821 | commit_id = rev | |||
|
1822 | else: | |||
|
1823 | commit_idx = rev | |||
|
1824 | return self.get_commit(commit_id=commit_id, commit_idx=commit_idx, | |||
|
1825 | pre_load=pre_load) | |||
|
1826 | ||||
|
1827 | def get_landing_commit(self): | |||
|
1828 | """ | |||
|
1829 | Returns landing commit, or if that doesn't exist returns the tip | |||
|
1830 | """ | |||
|
1831 | _rev_type, _rev = self.landing_rev | |||
|
1832 | commit = self.get_commit(_rev) | |||
|
1833 | if isinstance(commit, EmptyCommit): | |||
|
1834 | return self.get_commit() | |||
|
1835 | return commit | |||
|
1836 | ||||
|
1837 | def update_commit_cache(self, cs_cache=None, config=None): | |||
|
1838 | """ | |||
|
1839 | Update cache of last changeset for repository, keys should be:: | |||
|
1840 | ||||
|
1841 | short_id | |||
|
1842 | raw_id | |||
|
1843 | revision | |||
|
1844 | parents | |||
|
1845 | message | |||
|
1846 | date | |||
|
1847 | author | |||
|
1848 | ||||
|
1849 | :param cs_cache: | |||
|
1850 | """ | |||
|
1851 | from rhodecode.lib.vcs.backends.base import BaseChangeset | |||
|
1852 | if cs_cache is None: | |||
|
1853 | # use no-cache version here | |||
|
1854 | scm_repo = self.scm_instance(cache=False, config=config) | |||
|
1855 | if scm_repo: | |||
|
1856 | cs_cache = scm_repo.get_commit( | |||
|
1857 | pre_load=["author", "date", "message", "parents"]) | |||
|
1858 | else: | |||
|
1859 | cs_cache = EmptyCommit() | |||
|
1860 | ||||
|
1861 | if isinstance(cs_cache, BaseChangeset): | |||
|
1862 | cs_cache = cs_cache.__json__() | |||
|
1863 | ||||
|
1864 | def is_outdated(new_cs_cache): | |||
|
1865 | if (new_cs_cache['raw_id'] != self.changeset_cache['raw_id'] or | |||
|
1866 | new_cs_cache['revision'] != self.changeset_cache['revision']): | |||
|
1867 | return True | |||
|
1868 | return False | |||
|
1869 | ||||
|
1870 | # check if we have maybe already latest cached revision | |||
|
1871 | if is_outdated(cs_cache) or not self.changeset_cache: | |||
|
1872 | _default = datetime.datetime.fromtimestamp(0) | |||
|
1873 | last_change = cs_cache.get('date') or _default | |||
|
1874 | log.debug('updated repo %s with new cs cache %s', | |||
|
1875 | self.repo_name, cs_cache) | |||
|
1876 | self.updated_on = last_change | |||
|
1877 | self.changeset_cache = cs_cache | |||
|
1878 | Session().add(self) | |||
|
1879 | Session().commit() | |||
|
1880 | else: | |||
|
1881 | log.debug('Skipping update_commit_cache for repo:`%s` ' | |||
|
1882 | 'commit already with latest changes', self.repo_name) | |||
|
1883 | ||||
|
1884 | @property | |||
|
1885 | def tip(self): | |||
|
1886 | return self.get_commit('tip') | |||
|
1887 | ||||
|
1888 | @property | |||
|
1889 | def author(self): | |||
|
1890 | return self.tip.author | |||
|
1891 | ||||
|
1892 | @property | |||
|
1893 | def last_change(self): | |||
|
1894 | return self.scm_instance().last_change | |||
|
1895 | ||||
|
1896 | def get_comments(self, revisions=None): | |||
|
1897 | """ | |||
|
1898 | Returns comments for this repository grouped by revisions | |||
|
1899 | ||||
|
1900 | :param revisions: filter query by revisions only | |||
|
1901 | """ | |||
|
1902 | cmts = ChangesetComment.query()\ | |||
|
1903 | .filter(ChangesetComment.repo == self) | |||
|
1904 | if revisions: | |||
|
1905 | cmts = cmts.filter(ChangesetComment.revision.in_(revisions)) | |||
|
1906 | grouped = collections.defaultdict(list) | |||
|
1907 | for cmt in cmts.all(): | |||
|
1908 | grouped[cmt.revision].append(cmt) | |||
|
1909 | return grouped | |||
|
1910 | ||||
|
1911 | def statuses(self, revisions=None): | |||
|
1912 | """ | |||
|
1913 | Returns statuses for this repository | |||
|
1914 | ||||
|
1915 | :param revisions: list of revisions to get statuses for | |||
|
1916 | """ | |||
|
1917 | statuses = ChangesetStatus.query()\ | |||
|
1918 | .filter(ChangesetStatus.repo == self)\ | |||
|
1919 | .filter(ChangesetStatus.version == 0) | |||
|
1920 | ||||
|
1921 | if revisions: | |||
|
1922 | # Try doing the filtering in chunks to avoid hitting limits | |||
|
1923 | size = 500 | |||
|
1924 | status_results = [] | |||
|
1925 | for chunk in xrange(0, len(revisions), size): | |||
|
1926 | status_results += statuses.filter( | |||
|
1927 | ChangesetStatus.revision.in_( | |||
|
1928 | revisions[chunk: chunk+size]) | |||
|
1929 | ).all() | |||
|
1930 | else: | |||
|
1931 | status_results = statuses.all() | |||
|
1932 | ||||
|
1933 | grouped = {} | |||
|
1934 | ||||
|
1935 | # maybe we have open new pullrequest without a status? | |||
|
1936 | stat = ChangesetStatus.STATUS_UNDER_REVIEW | |||
|
1937 | status_lbl = ChangesetStatus.get_status_lbl(stat) | |||
|
1938 | for pr in PullRequest.query().filter(PullRequest.source_repo == self).all(): | |||
|
1939 | for rev in pr.revisions: | |||
|
1940 | pr_id = pr.pull_request_id | |||
|
1941 | pr_repo = pr.target_repo.repo_name | |||
|
1942 | grouped[rev] = [stat, status_lbl, pr_id, pr_repo] | |||
|
1943 | ||||
|
1944 | for stat in status_results: | |||
|
1945 | pr_id = pr_repo = None | |||
|
1946 | if stat.pull_request: | |||
|
1947 | pr_id = stat.pull_request.pull_request_id | |||
|
1948 | pr_repo = stat.pull_request.target_repo.repo_name | |||
|
1949 | grouped[stat.revision] = [str(stat.status), stat.status_lbl, | |||
|
1950 | pr_id, pr_repo] | |||
|
1951 | return grouped | |||
|
1952 | ||||
|
1953 | # ========================================================================== | |||
|
1954 | # SCM CACHE INSTANCE | |||
|
1955 | # ========================================================================== | |||
|
1956 | ||||
|
1957 | def scm_instance(self, **kwargs): | |||
|
1958 | import rhodecode | |||
|
1959 | ||||
|
1960 | # Passing a config will not hit the cache currently only used | |||
|
1961 | # for repo2dbmapper | |||
|
1962 | config = kwargs.pop('config', None) | |||
|
1963 | cache = kwargs.pop('cache', None) | |||
|
1964 | full_cache = str2bool(rhodecode.CONFIG.get('vcs_full_cache')) | |||
|
1965 | # if cache is NOT defined use default global, else we have a full | |||
|
1966 | # control over cache behaviour | |||
|
1967 | if cache is None and full_cache and not config: | |||
|
1968 | return self._get_instance_cached() | |||
|
1969 | return self._get_instance(cache=bool(cache), config=config) | |||
|
1970 | ||||
|
1971 | def _get_instance_cached(self): | |||
|
1972 | @cache_region('long_term') | |||
|
1973 | def _get_repo(cache_key): | |||
|
1974 | return self._get_instance() | |||
|
1975 | ||||
|
1976 | invalidator_context = CacheKey.repo_context_cache( | |||
|
1977 | _get_repo, self.repo_name, None) | |||
|
1978 | ||||
|
1979 | with invalidator_context as context: | |||
|
1980 | context.invalidate() | |||
|
1981 | repo = context.compute() | |||
|
1982 | ||||
|
1983 | return repo | |||
|
1984 | ||||
|
1985 | def _get_instance(self, cache=True, config=None): | |||
|
1986 | repo_full_path = self.repo_full_path | |||
|
1987 | try: | |||
|
1988 | vcs_alias = get_scm(repo_full_path)[0] | |||
|
1989 | log.debug( | |||
|
1990 | 'Creating instance of %s repository from %s', | |||
|
1991 | vcs_alias, repo_full_path) | |||
|
1992 | backend = get_backend(vcs_alias) | |||
|
1993 | except VCSError: | |||
|
1994 | log.exception( | |||
|
1995 | 'Perhaps this repository is in db and not in ' | |||
|
1996 | 'filesystem run rescan repositories with ' | |||
|
1997 | '"destroy old data" option from admin panel') | |||
|
1998 | return | |||
|
1999 | ||||
|
2000 | config = config or self._config | |||
|
2001 | custom_wire = { | |||
|
2002 | 'cache': cache # controls the vcs.remote cache | |||
|
2003 | } | |||
|
2004 | repo = backend( | |||
|
2005 | safe_str(repo_full_path), config=config, create=False, | |||
|
2006 | with_wire=custom_wire) | |||
|
2007 | ||||
|
2008 | return repo | |||
|
2009 | ||||
|
2010 | def __json__(self): | |||
|
2011 | return {'landing_rev': self.landing_rev} | |||
|
2012 | ||||
|
2013 | def get_dict(self): | |||
|
2014 | ||||
|
2015 | # Since we transformed `repo_name` to a hybrid property, we need to | |||
|
2016 | # keep compatibility with the code which uses `repo_name` field. | |||
|
2017 | ||||
|
2018 | result = super(Repository, self).get_dict() | |||
|
2019 | result['repo_name'] = result.pop('_repo_name', None) | |||
|
2020 | return result | |||
|
2021 | ||||
|
2022 | ||||
|
2023 | class RepoGroup(Base, BaseModel): | |||
|
2024 | __tablename__ = 'groups' | |||
|
2025 | __table_args__ = ( | |||
|
2026 | UniqueConstraint('group_name', 'group_parent_id'), | |||
|
2027 | CheckConstraint('group_id != group_parent_id'), | |||
|
2028 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
2029 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True}, | |||
|
2030 | ) | |||
|
2031 | __mapper_args__ = {'order_by': 'group_name'} | |||
|
2032 | ||||
|
2033 | CHOICES_SEPARATOR = '/' # used to generate select2 choices for nested groups | |||
|
2034 | ||||
|
2035 | group_id = Column("group_id", Integer(), nullable=False, unique=True, default=None, primary_key=True) | |||
|
2036 | group_name = Column("group_name", String(255), nullable=False, unique=True, default=None) | |||
|
2037 | group_parent_id = Column("group_parent_id", Integer(), ForeignKey('groups.group_id'), nullable=True, unique=None, default=None) | |||
|
2038 | group_description = Column("group_description", String(10000), nullable=True, unique=None, default=None) | |||
|
2039 | enable_locking = Column("enable_locking", Boolean(), nullable=False, unique=None, default=False) | |||
|
2040 | user_id = Column("user_id", Integer(), ForeignKey('users.user_id'), nullable=False, unique=False, default=None) | |||
|
2041 | created_on = Column('created_on', DateTime(timezone=False), nullable=False, default=datetime.datetime.now) | |||
|
2042 | ||||
|
2043 | repo_group_to_perm = relationship('UserRepoGroupToPerm', cascade='all', order_by='UserRepoGroupToPerm.group_to_perm_id') | |||
|
2044 | users_group_to_perm = relationship('UserGroupRepoGroupToPerm', cascade='all') | |||
|
2045 | parent_group = relationship('RepoGroup', remote_side=group_id) | |||
|
2046 | user = relationship('User') | |||
|
2047 | ||||
|
2048 | def __init__(self, group_name='', parent_group=None): | |||
|
2049 | self.group_name = group_name | |||
|
2050 | self.parent_group = parent_group | |||
|
2051 | ||||
|
2052 | def __unicode__(self): | |||
|
2053 | return u"<%s('id:%s:%s')>" % (self.__class__.__name__, self.group_id, | |||
|
2054 | self.group_name) | |||
|
2055 | ||||
|
2056 | @classmethod | |||
|
2057 | def _generate_choice(cls, repo_group): | |||
|
2058 | from webhelpers.html import literal as _literal | |||
|
2059 | _name = lambda k: _literal(cls.CHOICES_SEPARATOR.join(k)) | |||
|
2060 | return repo_group.group_id, _name(repo_group.full_path_splitted) | |||
|
2061 | ||||
|
2062 | @classmethod | |||
|
2063 | def groups_choices(cls, groups=None, show_empty_group=True): | |||
|
2064 | if not groups: | |||
|
2065 | groups = cls.query().all() | |||
|
2066 | ||||
|
2067 | repo_groups = [] | |||
|
2068 | if show_empty_group: | |||
|
2069 | repo_groups = [('-1', u'-- %s --' % _('No parent'))] | |||
|
2070 | ||||
|
2071 | repo_groups.extend([cls._generate_choice(x) for x in groups]) | |||
|
2072 | ||||
|
2073 | repo_groups = sorted( | |||
|
2074 | repo_groups, key=lambda t: t[1].split(cls.CHOICES_SEPARATOR)[0]) | |||
|
2075 | return repo_groups | |||
|
2076 | ||||
|
2077 | @classmethod | |||
|
2078 | def url_sep(cls): | |||
|
2079 | return URL_SEP | |||
|
2080 | ||||
|
2081 | @classmethod | |||
|
2082 | def get_by_group_name(cls, group_name, cache=False, case_insensitive=False): | |||
|
2083 | if case_insensitive: | |||
|
2084 | gr = cls.query().filter(func.lower(cls.group_name) | |||
|
2085 | == func.lower(group_name)) | |||
|
2086 | else: | |||
|
2087 | gr = cls.query().filter(cls.group_name == group_name) | |||
|
2088 | if cache: | |||
|
2089 | gr = gr.options(FromCache( | |||
|
2090 | "sql_cache_short", | |||
|
2091 | "get_group_%s" % _hash_key(group_name))) | |||
|
2092 | return gr.scalar() | |||
|
2093 | ||||
|
2094 | @classmethod | |||
|
2095 | def get_all_repo_groups(cls, user_id=Optional(None), group_id=Optional(None), | |||
|
2096 | case_insensitive=True): | |||
|
2097 | q = RepoGroup.query() | |||
|
2098 | ||||
|
2099 | if not isinstance(user_id, Optional): | |||
|
2100 | q = q.filter(RepoGroup.user_id == user_id) | |||
|
2101 | ||||
|
2102 | if not isinstance(group_id, Optional): | |||
|
2103 | q = q.filter(RepoGroup.group_parent_id == group_id) | |||
|
2104 | ||||
|
2105 | if case_insensitive: | |||
|
2106 | q = q.order_by(func.lower(RepoGroup.group_name)) | |||
|
2107 | else: | |||
|
2108 | q = q.order_by(RepoGroup.group_name) | |||
|
2109 | return q.all() | |||
|
2110 | ||||
|
2111 | @property | |||
|
2112 | def parents(self): | |||
|
2113 | parents_recursion_limit = 10 | |||
|
2114 | groups = [] | |||
|
2115 | if self.parent_group is None: | |||
|
2116 | return groups | |||
|
2117 | cur_gr = self.parent_group | |||
|
2118 | groups.insert(0, cur_gr) | |||
|
2119 | cnt = 0 | |||
|
2120 | while 1: | |||
|
2121 | cnt += 1 | |||
|
2122 | gr = getattr(cur_gr, 'parent_group', None) | |||
|
2123 | cur_gr = cur_gr.parent_group | |||
|
2124 | if gr is None: | |||
|
2125 | break | |||
|
2126 | if cnt == parents_recursion_limit: | |||
|
2127 | # this will prevent accidental infinit loops | |||
|
2128 | log.error(('more than %s parents found for group %s, stopping ' | |||
|
2129 | 'recursive parent fetching' % (parents_recursion_limit, self))) | |||
|
2130 | break | |||
|
2131 | ||||
|
2132 | groups.insert(0, gr) | |||
|
2133 | return groups | |||
|
2134 | ||||
|
2135 | @property | |||
|
2136 | def children(self): | |||
|
2137 | return RepoGroup.query().filter(RepoGroup.parent_group == self) | |||
|
2138 | ||||
|
2139 | @property | |||
|
2140 | def name(self): | |||
|
2141 | return self.group_name.split(RepoGroup.url_sep())[-1] | |||
|
2142 | ||||
|
2143 | @property | |||
|
2144 | def full_path(self): | |||
|
2145 | return self.group_name | |||
|
2146 | ||||
|
2147 | @property | |||
|
2148 | def full_path_splitted(self): | |||
|
2149 | return self.group_name.split(RepoGroup.url_sep()) | |||
|
2150 | ||||
|
2151 | @property | |||
|
2152 | def repositories(self): | |||
|
2153 | return Repository.query()\ | |||
|
2154 | .filter(Repository.group == self)\ | |||
|
2155 | .order_by(Repository.repo_name) | |||
|
2156 | ||||
|
2157 | @property | |||
|
2158 | def repositories_recursive_count(self): | |||
|
2159 | cnt = self.repositories.count() | |||
|
2160 | ||||
|
2161 | def children_count(group): | |||
|
2162 | cnt = 0 | |||
|
2163 | for child in group.children: | |||
|
2164 | cnt += child.repositories.count() | |||
|
2165 | cnt += children_count(child) | |||
|
2166 | return cnt | |||
|
2167 | ||||
|
2168 | return cnt + children_count(self) | |||
|
2169 | ||||
|
2170 | def _recursive_objects(self, include_repos=True): | |||
|
2171 | all_ = [] | |||
|
2172 | ||||
|
2173 | def _get_members(root_gr): | |||
|
2174 | if include_repos: | |||
|
2175 | for r in root_gr.repositories: | |||
|
2176 | all_.append(r) | |||
|
2177 | childs = root_gr.children.all() | |||
|
2178 | if childs: | |||
|
2179 | for gr in childs: | |||
|
2180 | all_.append(gr) | |||
|
2181 | _get_members(gr) | |||
|
2182 | ||||
|
2183 | _get_members(self) | |||
|
2184 | return [self] + all_ | |||
|
2185 | ||||
|
2186 | def recursive_groups_and_repos(self): | |||
|
2187 | """ | |||
|
2188 | Recursive return all groups, with repositories in those groups | |||
|
2189 | """ | |||
|
2190 | return self._recursive_objects() | |||
|
2191 | ||||
|
2192 | def recursive_groups(self): | |||
|
2193 | """ | |||
|
2194 | Returns all children groups for this group including children of children | |||
|
2195 | """ | |||
|
2196 | return self._recursive_objects(include_repos=False) | |||
|
2197 | ||||
|
2198 | def get_new_name(self, group_name): | |||
|
2199 | """ | |||
|
2200 | returns new full group name based on parent and new name | |||
|
2201 | ||||
|
2202 | :param group_name: | |||
|
2203 | """ | |||
|
2204 | path_prefix = (self.parent_group.full_path_splitted if | |||
|
2205 | self.parent_group else []) | |||
|
2206 | return RepoGroup.url_sep().join(path_prefix + [group_name]) | |||
|
2207 | ||||
|
2208 | def permissions(self, with_admins=True, with_owner=True): | |||
|
2209 | q = UserRepoGroupToPerm.query().filter(UserRepoGroupToPerm.group == self) | |||
|
2210 | q = q.options(joinedload(UserRepoGroupToPerm.group), | |||
|
2211 | joinedload(UserRepoGroupToPerm.user), | |||
|
2212 | joinedload(UserRepoGroupToPerm.permission),) | |||
|
2213 | ||||
|
2214 | # get owners and admins and permissions. We do a trick of re-writing | |||
|
2215 | # objects from sqlalchemy to named-tuples due to sqlalchemy session | |||
|
2216 | # has a global reference and changing one object propagates to all | |||
|
2217 | # others. This means if admin is also an owner admin_row that change | |||
|
2218 | # would propagate to both objects | |||
|
2219 | perm_rows = [] | |||
|
2220 | for _usr in q.all(): | |||
|
2221 | usr = AttributeDict(_usr.user.get_dict()) | |||
|
2222 | usr.permission = _usr.permission.permission_name | |||
|
2223 | perm_rows.append(usr) | |||
|
2224 | ||||
|
2225 | # filter the perm rows by 'default' first and then sort them by | |||
|
2226 | # admin,write,read,none permissions sorted again alphabetically in | |||
|
2227 | # each group | |||
|
2228 | perm_rows = sorted(perm_rows, key=display_sort) | |||
|
2229 | ||||
|
2230 | _admin_perm = 'group.admin' | |||
|
2231 | owner_row = [] | |||
|
2232 | if with_owner: | |||
|
2233 | usr = AttributeDict(self.user.get_dict()) | |||
|
2234 | usr.owner_row = True | |||
|
2235 | usr.permission = _admin_perm | |||
|
2236 | owner_row.append(usr) | |||
|
2237 | ||||
|
2238 | super_admin_rows = [] | |||
|
2239 | if with_admins: | |||
|
2240 | for usr in User.get_all_super_admins(): | |||
|
2241 | # if this admin is also owner, don't double the record | |||
|
2242 | if usr.user_id == owner_row[0].user_id: | |||
|
2243 | owner_row[0].admin_row = True | |||
|
2244 | else: | |||
|
2245 | usr = AttributeDict(usr.get_dict()) | |||
|
2246 | usr.admin_row = True | |||
|
2247 | usr.permission = _admin_perm | |||
|
2248 | super_admin_rows.append(usr) | |||
|
2249 | ||||
|
2250 | return super_admin_rows + owner_row + perm_rows | |||
|
2251 | ||||
|
2252 | def permission_user_groups(self): | |||
|
2253 | q = UserGroupRepoGroupToPerm.query().filter(UserGroupRepoGroupToPerm.group == self) | |||
|
2254 | q = q.options(joinedload(UserGroupRepoGroupToPerm.group), | |||
|
2255 | joinedload(UserGroupRepoGroupToPerm.users_group), | |||
|
2256 | joinedload(UserGroupRepoGroupToPerm.permission),) | |||
|
2257 | ||||
|
2258 | perm_rows = [] | |||
|
2259 | for _user_group in q.all(): | |||
|
2260 | usr = AttributeDict(_user_group.users_group.get_dict()) | |||
|
2261 | usr.permission = _user_group.permission.permission_name | |||
|
2262 | perm_rows.append(usr) | |||
|
2263 | ||||
|
2264 | return perm_rows | |||
|
2265 | ||||
|
2266 | def get_api_data(self): | |||
|
2267 | """ | |||
|
2268 | Common function for generating api data | |||
|
2269 | ||||
|
2270 | """ | |||
|
2271 | group = self | |||
|
2272 | data = { | |||
|
2273 | 'group_id': group.group_id, | |||
|
2274 | 'group_name': group.group_name, | |||
|
2275 | 'group_description': group.group_description, | |||
|
2276 | 'parent_group': group.parent_group.group_name if group.parent_group else None, | |||
|
2277 | 'repositories': [x.repo_name for x in group.repositories], | |||
|
2278 | 'owner': group.user.username, | |||
|
2279 | } | |||
|
2280 | return data | |||
|
2281 | ||||
|
2282 | ||||
|
2283 | class Permission(Base, BaseModel): | |||
|
2284 | __tablename__ = 'permissions' | |||
|
2285 | __table_args__ = ( | |||
|
2286 | Index('p_perm_name_idx', 'permission_name'), | |||
|
2287 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
2288 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True}, | |||
|
2289 | ) | |||
|
2290 | PERMS = [ | |||
|
2291 | ('hg.admin', _('RhodeCode Super Administrator')), | |||
|
2292 | ||||
|
2293 | ('repository.none', _('Repository no access')), | |||
|
2294 | ('repository.read', _('Repository read access')), | |||
|
2295 | ('repository.write', _('Repository write access')), | |||
|
2296 | ('repository.admin', _('Repository admin access')), | |||
|
2297 | ||||
|
2298 | ('group.none', _('Repository group no access')), | |||
|
2299 | ('group.read', _('Repository group read access')), | |||
|
2300 | ('group.write', _('Repository group write access')), | |||
|
2301 | ('group.admin', _('Repository group admin access')), | |||
|
2302 | ||||
|
2303 | ('usergroup.none', _('User group no access')), | |||
|
2304 | ('usergroup.read', _('User group read access')), | |||
|
2305 | ('usergroup.write', _('User group write access')), | |||
|
2306 | ('usergroup.admin', _('User group admin access')), | |||
|
2307 | ||||
|
2308 | ('hg.repogroup.create.false', _('Repository Group creation disabled')), | |||
|
2309 | ('hg.repogroup.create.true', _('Repository Group creation enabled')), | |||
|
2310 | ||||
|
2311 | ('hg.usergroup.create.false', _('User Group creation disabled')), | |||
|
2312 | ('hg.usergroup.create.true', _('User Group creation enabled')), | |||
|
2313 | ||||
|
2314 | ('hg.create.none', _('Repository creation disabled')), | |||
|
2315 | ('hg.create.repository', _('Repository creation enabled')), | |||
|
2316 | ('hg.create.write_on_repogroup.true', _('Repository creation enabled with write permission to a repository group')), | |||
|
2317 | ('hg.create.write_on_repogroup.false', _('Repository creation disabled with write permission to a repository group')), | |||
|
2318 | ||||
|
2319 | ('hg.fork.none', _('Repository forking disabled')), | |||
|
2320 | ('hg.fork.repository', _('Repository forking enabled')), | |||
|
2321 | ||||
|
2322 | ('hg.register.none', _('Registration disabled')), | |||
|
2323 | ('hg.register.manual_activate', _('User Registration with manual account activation')), | |||
|
2324 | ('hg.register.auto_activate', _('User Registration with automatic account activation')), | |||
|
2325 | ||||
|
2326 | ('hg.extern_activate.manual', _('Manual activation of external account')), | |||
|
2327 | ('hg.extern_activate.auto', _('Automatic activation of external account')), | |||
|
2328 | ||||
|
2329 | ('hg.inherit_default_perms.false', _('Inherit object permissions from default user disabled')), | |||
|
2330 | ('hg.inherit_default_perms.true', _('Inherit object permissions from default user enabled')), | |||
|
2331 | ] | |||
|
2332 | ||||
|
2333 | # definition of system default permissions for DEFAULT user | |||
|
2334 | DEFAULT_USER_PERMISSIONS = [ | |||
|
2335 | 'repository.read', | |||
|
2336 | 'group.read', | |||
|
2337 | 'usergroup.read', | |||
|
2338 | 'hg.create.repository', | |||
|
2339 | 'hg.repogroup.create.false', | |||
|
2340 | 'hg.usergroup.create.false', | |||
|
2341 | 'hg.create.write_on_repogroup.true', | |||
|
2342 | 'hg.fork.repository', | |||
|
2343 | 'hg.register.manual_activate', | |||
|
2344 | 'hg.extern_activate.auto', | |||
|
2345 | 'hg.inherit_default_perms.true', | |||
|
2346 | ] | |||
|
2347 | ||||
|
2348 | # defines which permissions are more important higher the more important | |||
|
2349 | # Weight defines which permissions are more important. | |||
|
2350 | # The higher number the more important. | |||
|
2351 | PERM_WEIGHTS = { | |||
|
2352 | 'repository.none': 0, | |||
|
2353 | 'repository.read': 1, | |||
|
2354 | 'repository.write': 3, | |||
|
2355 | 'repository.admin': 4, | |||
|
2356 | ||||
|
2357 | 'group.none': 0, | |||
|
2358 | 'group.read': 1, | |||
|
2359 | 'group.write': 3, | |||
|
2360 | 'group.admin': 4, | |||
|
2361 | ||||
|
2362 | 'usergroup.none': 0, | |||
|
2363 | 'usergroup.read': 1, | |||
|
2364 | 'usergroup.write': 3, | |||
|
2365 | 'usergroup.admin': 4, | |||
|
2366 | ||||
|
2367 | 'hg.repogroup.create.false': 0, | |||
|
2368 | 'hg.repogroup.create.true': 1, | |||
|
2369 | ||||
|
2370 | 'hg.usergroup.create.false': 0, | |||
|
2371 | 'hg.usergroup.create.true': 1, | |||
|
2372 | ||||
|
2373 | 'hg.fork.none': 0, | |||
|
2374 | 'hg.fork.repository': 1, | |||
|
2375 | 'hg.create.none': 0, | |||
|
2376 | 'hg.create.repository': 1 | |||
|
2377 | } | |||
|
2378 | ||||
|
2379 | permission_id = Column("permission_id", Integer(), nullable=False, unique=True, default=None, primary_key=True) | |||
|
2380 | permission_name = Column("permission_name", String(255), nullable=True, unique=None, default=None) | |||
|
2381 | permission_longname = Column("permission_longname", String(255), nullable=True, unique=None, default=None) | |||
|
2382 | ||||
|
2383 | def __unicode__(self): | |||
|
2384 | return u"<%s('%s:%s')>" % ( | |||
|
2385 | self.__class__.__name__, self.permission_id, self.permission_name | |||
|
2386 | ) | |||
|
2387 | ||||
|
2388 | @classmethod | |||
|
2389 | def get_by_key(cls, key): | |||
|
2390 | return cls.query().filter(cls.permission_name == key).scalar() | |||
|
2391 | ||||
|
2392 | @classmethod | |||
|
2393 | def get_default_repo_perms(cls, user_id, repo_id=None): | |||
|
2394 | q = Session().query(UserRepoToPerm, Repository, Permission)\ | |||
|
2395 | .join((Permission, UserRepoToPerm.permission_id == Permission.permission_id))\ | |||
|
2396 | .join((Repository, UserRepoToPerm.repository_id == Repository.repo_id))\ | |||
|
2397 | .filter(UserRepoToPerm.user_id == user_id) | |||
|
2398 | if repo_id: | |||
|
2399 | q = q.filter(UserRepoToPerm.repository_id == repo_id) | |||
|
2400 | return q.all() | |||
|
2401 | ||||
|
2402 | @classmethod | |||
|
2403 | def get_default_repo_perms_from_user_group(cls, user_id, repo_id=None): | |||
|
2404 | q = Session().query(UserGroupRepoToPerm, Repository, Permission)\ | |||
|
2405 | .join( | |||
|
2406 | Permission, | |||
|
2407 | UserGroupRepoToPerm.permission_id == Permission.permission_id)\ | |||
|
2408 | .join( | |||
|
2409 | Repository, | |||
|
2410 | UserGroupRepoToPerm.repository_id == Repository.repo_id)\ | |||
|
2411 | .join( | |||
|
2412 | UserGroup, | |||
|
2413 | UserGroupRepoToPerm.users_group_id == | |||
|
2414 | UserGroup.users_group_id)\ | |||
|
2415 | .join( | |||
|
2416 | UserGroupMember, | |||
|
2417 | UserGroupRepoToPerm.users_group_id == | |||
|
2418 | UserGroupMember.users_group_id)\ | |||
|
2419 | .filter( | |||
|
2420 | UserGroupMember.user_id == user_id, | |||
|
2421 | UserGroup.users_group_active == true()) | |||
|
2422 | if repo_id: | |||
|
2423 | q = q.filter(UserGroupRepoToPerm.repository_id == repo_id) | |||
|
2424 | return q.all() | |||
|
2425 | ||||
|
2426 | @classmethod | |||
|
2427 | def get_default_group_perms(cls, user_id, repo_group_id=None): | |||
|
2428 | q = Session().query(UserRepoGroupToPerm, RepoGroup, Permission)\ | |||
|
2429 | .join((Permission, UserRepoGroupToPerm.permission_id == Permission.permission_id))\ | |||
|
2430 | .join((RepoGroup, UserRepoGroupToPerm.group_id == RepoGroup.group_id))\ | |||
|
2431 | .filter(UserRepoGroupToPerm.user_id == user_id) | |||
|
2432 | if repo_group_id: | |||
|
2433 | q = q.filter(UserRepoGroupToPerm.group_id == repo_group_id) | |||
|
2434 | return q.all() | |||
|
2435 | ||||
|
2436 | @classmethod | |||
|
2437 | def get_default_group_perms_from_user_group( | |||
|
2438 | cls, user_id, repo_group_id=None): | |||
|
2439 | q = Session().query(UserGroupRepoGroupToPerm, RepoGroup, Permission)\ | |||
|
2440 | .join( | |||
|
2441 | Permission, | |||
|
2442 | UserGroupRepoGroupToPerm.permission_id == | |||
|
2443 | Permission.permission_id)\ | |||
|
2444 | .join( | |||
|
2445 | RepoGroup, | |||
|
2446 | UserGroupRepoGroupToPerm.group_id == RepoGroup.group_id)\ | |||
|
2447 | .join( | |||
|
2448 | UserGroup, | |||
|
2449 | UserGroupRepoGroupToPerm.users_group_id == | |||
|
2450 | UserGroup.users_group_id)\ | |||
|
2451 | .join( | |||
|
2452 | UserGroupMember, | |||
|
2453 | UserGroupRepoGroupToPerm.users_group_id == | |||
|
2454 | UserGroupMember.users_group_id)\ | |||
|
2455 | .filter( | |||
|
2456 | UserGroupMember.user_id == user_id, | |||
|
2457 | UserGroup.users_group_active == true()) | |||
|
2458 | if repo_group_id: | |||
|
2459 | q = q.filter(UserGroupRepoGroupToPerm.group_id == repo_group_id) | |||
|
2460 | return q.all() | |||
|
2461 | ||||
|
2462 | @classmethod | |||
|
2463 | def get_default_user_group_perms(cls, user_id, user_group_id=None): | |||
|
2464 | q = Session().query(UserUserGroupToPerm, UserGroup, Permission)\ | |||
|
2465 | .join((Permission, UserUserGroupToPerm.permission_id == Permission.permission_id))\ | |||
|
2466 | .join((UserGroup, UserUserGroupToPerm.user_group_id == UserGroup.users_group_id))\ | |||
|
2467 | .filter(UserUserGroupToPerm.user_id == user_id) | |||
|
2468 | if user_group_id: | |||
|
2469 | q = q.filter(UserUserGroupToPerm.user_group_id == user_group_id) | |||
|
2470 | return q.all() | |||
|
2471 | ||||
|
2472 | @classmethod | |||
|
2473 | def get_default_user_group_perms_from_user_group( | |||
|
2474 | cls, user_id, user_group_id=None): | |||
|
2475 | TargetUserGroup = aliased(UserGroup, name='target_user_group') | |||
|
2476 | q = Session().query(UserGroupUserGroupToPerm, UserGroup, Permission)\ | |||
|
2477 | .join( | |||
|
2478 | Permission, | |||
|
2479 | UserGroupUserGroupToPerm.permission_id == | |||
|
2480 | Permission.permission_id)\ | |||
|
2481 | .join( | |||
|
2482 | TargetUserGroup, | |||
|
2483 | UserGroupUserGroupToPerm.target_user_group_id == | |||
|
2484 | TargetUserGroup.users_group_id)\ | |||
|
2485 | .join( | |||
|
2486 | UserGroup, | |||
|
2487 | UserGroupUserGroupToPerm.user_group_id == | |||
|
2488 | UserGroup.users_group_id)\ | |||
|
2489 | .join( | |||
|
2490 | UserGroupMember, | |||
|
2491 | UserGroupUserGroupToPerm.user_group_id == | |||
|
2492 | UserGroupMember.users_group_id)\ | |||
|
2493 | .filter( | |||
|
2494 | UserGroupMember.user_id == user_id, | |||
|
2495 | UserGroup.users_group_active == true()) | |||
|
2496 | if user_group_id: | |||
|
2497 | q = q.filter( | |||
|
2498 | UserGroupUserGroupToPerm.user_group_id == user_group_id) | |||
|
2499 | ||||
|
2500 | return q.all() | |||
|
2501 | ||||
|
2502 | ||||
|
2503 | class UserRepoToPerm(Base, BaseModel): | |||
|
2504 | __tablename__ = 'repo_to_perm' | |||
|
2505 | __table_args__ = ( | |||
|
2506 | UniqueConstraint('user_id', 'repository_id', 'permission_id'), | |||
|
2507 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
2508 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True} | |||
|
2509 | ) | |||
|
2510 | repo_to_perm_id = Column("repo_to_perm_id", Integer(), nullable=False, unique=True, default=None, primary_key=True) | |||
|
2511 | user_id = Column("user_id", Integer(), ForeignKey('users.user_id'), nullable=False, unique=None, default=None) | |||
|
2512 | permission_id = Column("permission_id", Integer(), ForeignKey('permissions.permission_id'), nullable=False, unique=None, default=None) | |||
|
2513 | repository_id = Column("repository_id", Integer(), ForeignKey('repositories.repo_id'), nullable=False, unique=None, default=None) | |||
|
2514 | ||||
|
2515 | user = relationship('User') | |||
|
2516 | repository = relationship('Repository') | |||
|
2517 | permission = relationship('Permission') | |||
|
2518 | ||||
|
2519 | @classmethod | |||
|
2520 | def create(cls, user, repository, permission): | |||
|
2521 | n = cls() | |||
|
2522 | n.user = user | |||
|
2523 | n.repository = repository | |||
|
2524 | n.permission = permission | |||
|
2525 | Session().add(n) | |||
|
2526 | return n | |||
|
2527 | ||||
|
2528 | def __unicode__(self): | |||
|
2529 | return u'<%s => %s >' % (self.user, self.repository) | |||
|
2530 | ||||
|
2531 | ||||
|
2532 | class UserUserGroupToPerm(Base, BaseModel): | |||
|
2533 | __tablename__ = 'user_user_group_to_perm' | |||
|
2534 | __table_args__ = ( | |||
|
2535 | UniqueConstraint('user_id', 'user_group_id', 'permission_id'), | |||
|
2536 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
2537 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True} | |||
|
2538 | ) | |||
|
2539 | user_user_group_to_perm_id = Column("user_user_group_to_perm_id", Integer(), nullable=False, unique=True, default=None, primary_key=True) | |||
|
2540 | user_id = Column("user_id", Integer(), ForeignKey('users.user_id'), nullable=False, unique=None, default=None) | |||
|
2541 | permission_id = Column("permission_id", Integer(), ForeignKey('permissions.permission_id'), nullable=False, unique=None, default=None) | |||
|
2542 | user_group_id = Column("user_group_id", Integer(), ForeignKey('users_groups.users_group_id'), nullable=False, unique=None, default=None) | |||
|
2543 | ||||
|
2544 | user = relationship('User') | |||
|
2545 | user_group = relationship('UserGroup') | |||
|
2546 | permission = relationship('Permission') | |||
|
2547 | ||||
|
2548 | @classmethod | |||
|
2549 | def create(cls, user, user_group, permission): | |||
|
2550 | n = cls() | |||
|
2551 | n.user = user | |||
|
2552 | n.user_group = user_group | |||
|
2553 | n.permission = permission | |||
|
2554 | Session().add(n) | |||
|
2555 | return n | |||
|
2556 | ||||
|
2557 | def __unicode__(self): | |||
|
2558 | return u'<%s => %s >' % (self.user, self.user_group) | |||
|
2559 | ||||
|
2560 | ||||
|
2561 | class UserToPerm(Base, BaseModel): | |||
|
2562 | __tablename__ = 'user_to_perm' | |||
|
2563 | __table_args__ = ( | |||
|
2564 | UniqueConstraint('user_id', 'permission_id'), | |||
|
2565 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
2566 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True} | |||
|
2567 | ) | |||
|
2568 | user_to_perm_id = Column("user_to_perm_id", Integer(), nullable=False, unique=True, default=None, primary_key=True) | |||
|
2569 | user_id = Column("user_id", Integer(), ForeignKey('users.user_id'), nullable=False, unique=None, default=None) | |||
|
2570 | permission_id = Column("permission_id", Integer(), ForeignKey('permissions.permission_id'), nullable=False, unique=None, default=None) | |||
|
2571 | ||||
|
2572 | user = relationship('User') | |||
|
2573 | permission = relationship('Permission', lazy='joined') | |||
|
2574 | ||||
|
2575 | def __unicode__(self): | |||
|
2576 | return u'<%s => %s >' % (self.user, self.permission) | |||
|
2577 | ||||
|
2578 | ||||
|
2579 | class UserGroupRepoToPerm(Base, BaseModel): | |||
|
2580 | __tablename__ = 'users_group_repo_to_perm' | |||
|
2581 | __table_args__ = ( | |||
|
2582 | UniqueConstraint('repository_id', 'users_group_id', 'permission_id'), | |||
|
2583 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
2584 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True} | |||
|
2585 | ) | |||
|
2586 | users_group_to_perm_id = Column("users_group_to_perm_id", Integer(), nullable=False, unique=True, default=None, primary_key=True) | |||
|
2587 | users_group_id = Column("users_group_id", Integer(), ForeignKey('users_groups.users_group_id'), nullable=False, unique=None, default=None) | |||
|
2588 | permission_id = Column("permission_id", Integer(), ForeignKey('permissions.permission_id'), nullable=False, unique=None, default=None) | |||
|
2589 | repository_id = Column("repository_id", Integer(), ForeignKey('repositories.repo_id'), nullable=False, unique=None, default=None) | |||
|
2590 | ||||
|
2591 | users_group = relationship('UserGroup') | |||
|
2592 | permission = relationship('Permission') | |||
|
2593 | repository = relationship('Repository') | |||
|
2594 | ||||
|
2595 | @classmethod | |||
|
2596 | def create(cls, users_group, repository, permission): | |||
|
2597 | n = cls() | |||
|
2598 | n.users_group = users_group | |||
|
2599 | n.repository = repository | |||
|
2600 | n.permission = permission | |||
|
2601 | Session().add(n) | |||
|
2602 | return n | |||
|
2603 | ||||
|
2604 | def __unicode__(self): | |||
|
2605 | return u'<UserGroupRepoToPerm:%s => %s >' % (self.users_group, self.repository) | |||
|
2606 | ||||
|
2607 | ||||
|
2608 | class UserGroupUserGroupToPerm(Base, BaseModel): | |||
|
2609 | __tablename__ = 'user_group_user_group_to_perm' | |||
|
2610 | __table_args__ = ( | |||
|
2611 | UniqueConstraint('target_user_group_id', 'user_group_id', 'permission_id'), | |||
|
2612 | CheckConstraint('target_user_group_id != user_group_id'), | |||
|
2613 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
2614 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True} | |||
|
2615 | ) | |||
|
2616 | user_group_user_group_to_perm_id = Column("user_group_user_group_to_perm_id", Integer(), nullable=False, unique=True, default=None, primary_key=True) | |||
|
2617 | target_user_group_id = Column("target_user_group_id", Integer(), ForeignKey('users_groups.users_group_id'), nullable=False, unique=None, default=None) | |||
|
2618 | permission_id = Column("permission_id", Integer(), ForeignKey('permissions.permission_id'), nullable=False, unique=None, default=None) | |||
|
2619 | user_group_id = Column("user_group_id", Integer(), ForeignKey('users_groups.users_group_id'), nullable=False, unique=None, default=None) | |||
|
2620 | ||||
|
2621 | target_user_group = relationship('UserGroup', primaryjoin='UserGroupUserGroupToPerm.target_user_group_id==UserGroup.users_group_id') | |||
|
2622 | user_group = relationship('UserGroup', primaryjoin='UserGroupUserGroupToPerm.user_group_id==UserGroup.users_group_id') | |||
|
2623 | permission = relationship('Permission') | |||
|
2624 | ||||
|
2625 | @classmethod | |||
|
2626 | def create(cls, target_user_group, user_group, permission): | |||
|
2627 | n = cls() | |||
|
2628 | n.target_user_group = target_user_group | |||
|
2629 | n.user_group = user_group | |||
|
2630 | n.permission = permission | |||
|
2631 | Session().add(n) | |||
|
2632 | return n | |||
|
2633 | ||||
|
2634 | def __unicode__(self): | |||
|
2635 | return u'<UserGroupUserGroup:%s => %s >' % (self.target_user_group, self.user_group) | |||
|
2636 | ||||
|
2637 | ||||
|
2638 | class UserGroupToPerm(Base, BaseModel): | |||
|
2639 | __tablename__ = 'users_group_to_perm' | |||
|
2640 | __table_args__ = ( | |||
|
2641 | UniqueConstraint('users_group_id', 'permission_id',), | |||
|
2642 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
2643 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True} | |||
|
2644 | ) | |||
|
2645 | users_group_to_perm_id = Column("users_group_to_perm_id", Integer(), nullable=False, unique=True, default=None, primary_key=True) | |||
|
2646 | users_group_id = Column("users_group_id", Integer(), ForeignKey('users_groups.users_group_id'), nullable=False, unique=None, default=None) | |||
|
2647 | permission_id = Column("permission_id", Integer(), ForeignKey('permissions.permission_id'), nullable=False, unique=None, default=None) | |||
|
2648 | ||||
|
2649 | users_group = relationship('UserGroup') | |||
|
2650 | permission = relationship('Permission') | |||
|
2651 | ||||
|
2652 | ||||
|
2653 | class UserRepoGroupToPerm(Base, BaseModel): | |||
|
2654 | __tablename__ = 'user_repo_group_to_perm' | |||
|
2655 | __table_args__ = ( | |||
|
2656 | UniqueConstraint('user_id', 'group_id', 'permission_id'), | |||
|
2657 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
2658 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True} | |||
|
2659 | ) | |||
|
2660 | ||||
|
2661 | group_to_perm_id = Column("group_to_perm_id", Integer(), nullable=False, unique=True, default=None, primary_key=True) | |||
|
2662 | user_id = Column("user_id", Integer(), ForeignKey('users.user_id'), nullable=False, unique=None, default=None) | |||
|
2663 | group_id = Column("group_id", Integer(), ForeignKey('groups.group_id'), nullable=False, unique=None, default=None) | |||
|
2664 | permission_id = Column("permission_id", Integer(), ForeignKey('permissions.permission_id'), nullable=False, unique=None, default=None) | |||
|
2665 | ||||
|
2666 | user = relationship('User') | |||
|
2667 | group = relationship('RepoGroup') | |||
|
2668 | permission = relationship('Permission') | |||
|
2669 | ||||
|
2670 | @classmethod | |||
|
2671 | def create(cls, user, repository_group, permission): | |||
|
2672 | n = cls() | |||
|
2673 | n.user = user | |||
|
2674 | n.group = repository_group | |||
|
2675 | n.permission = permission | |||
|
2676 | Session().add(n) | |||
|
2677 | return n | |||
|
2678 | ||||
|
2679 | ||||
|
2680 | class UserGroupRepoGroupToPerm(Base, BaseModel): | |||
|
2681 | __tablename__ = 'users_group_repo_group_to_perm' | |||
|
2682 | __table_args__ = ( | |||
|
2683 | UniqueConstraint('users_group_id', 'group_id'), | |||
|
2684 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
2685 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True} | |||
|
2686 | ) | |||
|
2687 | ||||
|
2688 | users_group_repo_group_to_perm_id = Column("users_group_repo_group_to_perm_id", Integer(), nullable=False, unique=True, default=None, primary_key=True) | |||
|
2689 | users_group_id = Column("users_group_id", Integer(), ForeignKey('users_groups.users_group_id'), nullable=False, unique=None, default=None) | |||
|
2690 | group_id = Column("group_id", Integer(), ForeignKey('groups.group_id'), nullable=False, unique=None, default=None) | |||
|
2691 | permission_id = Column("permission_id", Integer(), ForeignKey('permissions.permission_id'), nullable=False, unique=None, default=None) | |||
|
2692 | ||||
|
2693 | users_group = relationship('UserGroup') | |||
|
2694 | permission = relationship('Permission') | |||
|
2695 | group = relationship('RepoGroup') | |||
|
2696 | ||||
|
2697 | @classmethod | |||
|
2698 | def create(cls, user_group, repository_group, permission): | |||
|
2699 | n = cls() | |||
|
2700 | n.users_group = user_group | |||
|
2701 | n.group = repository_group | |||
|
2702 | n.permission = permission | |||
|
2703 | Session().add(n) | |||
|
2704 | return n | |||
|
2705 | ||||
|
2706 | def __unicode__(self): | |||
|
2707 | return u'<UserGroupRepoGroupToPerm:%s => %s >' % (self.users_group, self.group) | |||
|
2708 | ||||
|
2709 | ||||
|
2710 | class Statistics(Base, BaseModel): | |||
|
2711 | __tablename__ = 'statistics' | |||
|
2712 | __table_args__ = ( | |||
|
2713 | UniqueConstraint('repository_id'), | |||
|
2714 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
2715 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True} | |||
|
2716 | ) | |||
|
2717 | stat_id = Column("stat_id", Integer(), nullable=False, unique=True, default=None, primary_key=True) | |||
|
2718 | repository_id = Column("repository_id", Integer(), ForeignKey('repositories.repo_id'), nullable=False, unique=True, default=None) | |||
|
2719 | stat_on_revision = Column("stat_on_revision", Integer(), nullable=False) | |||
|
2720 | commit_activity = Column("commit_activity", LargeBinary(1000000), nullable=False)#JSON data | |||
|
2721 | commit_activity_combined = Column("commit_activity_combined", LargeBinary(), nullable=False)#JSON data | |||
|
2722 | languages = Column("languages", LargeBinary(1000000), nullable=False)#JSON data | |||
|
2723 | ||||
|
2724 | repository = relationship('Repository', single_parent=True) | |||
|
2725 | ||||
|
2726 | ||||
|
2727 | class UserFollowing(Base, BaseModel): | |||
|
2728 | __tablename__ = 'user_followings' | |||
|
2729 | __table_args__ = ( | |||
|
2730 | UniqueConstraint('user_id', 'follows_repository_id'), | |||
|
2731 | UniqueConstraint('user_id', 'follows_user_id'), | |||
|
2732 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
2733 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True} | |||
|
2734 | ) | |||
|
2735 | ||||
|
2736 | user_following_id = Column("user_following_id", Integer(), nullable=False, unique=True, default=None, primary_key=True) | |||
|
2737 | user_id = Column("user_id", Integer(), ForeignKey('users.user_id'), nullable=False, unique=None, default=None) | |||
|
2738 | follows_repo_id = Column("follows_repository_id", Integer(), ForeignKey('repositories.repo_id'), nullable=True, unique=None, default=None) | |||
|
2739 | follows_user_id = Column("follows_user_id", Integer(), ForeignKey('users.user_id'), nullable=True, unique=None, default=None) | |||
|
2740 | follows_from = Column('follows_from', DateTime(timezone=False), nullable=True, unique=None, default=datetime.datetime.now) | |||
|
2741 | ||||
|
2742 | user = relationship('User', primaryjoin='User.user_id==UserFollowing.user_id') | |||
|
2743 | ||||
|
2744 | follows_user = relationship('User', primaryjoin='User.user_id==UserFollowing.follows_user_id') | |||
|
2745 | follows_repository = relationship('Repository', order_by='Repository.repo_name') | |||
|
2746 | ||||
|
2747 | @classmethod | |||
|
2748 | def get_repo_followers(cls, repo_id): | |||
|
2749 | return cls.query().filter(cls.follows_repo_id == repo_id) | |||
|
2750 | ||||
|
2751 | ||||
|
2752 | class CacheKey(Base, BaseModel): | |||
|
2753 | __tablename__ = 'cache_invalidation' | |||
|
2754 | __table_args__ = ( | |||
|
2755 | UniqueConstraint('cache_key'), | |||
|
2756 | Index('key_idx', 'cache_key'), | |||
|
2757 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
2758 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True}, | |||
|
2759 | ) | |||
|
2760 | CACHE_TYPE_ATOM = 'ATOM' | |||
|
2761 | CACHE_TYPE_RSS = 'RSS' | |||
|
2762 | CACHE_TYPE_README = 'README' | |||
|
2763 | ||||
|
2764 | cache_id = Column("cache_id", Integer(), nullable=False, unique=True, default=None, primary_key=True) | |||
|
2765 | cache_key = Column("cache_key", String(255), nullable=True, unique=None, default=None) | |||
|
2766 | cache_args = Column("cache_args", String(255), nullable=True, unique=None, default=None) | |||
|
2767 | cache_active = Column("cache_active", Boolean(), nullable=True, unique=None, default=False) | |||
|
2768 | ||||
|
2769 | def __init__(self, cache_key, cache_args=''): | |||
|
2770 | self.cache_key = cache_key | |||
|
2771 | self.cache_args = cache_args | |||
|
2772 | self.cache_active = False | |||
|
2773 | ||||
|
2774 | def __unicode__(self): | |||
|
2775 | return u"<%s('%s:%s[%s]')>" % ( | |||
|
2776 | self.__class__.__name__, | |||
|
2777 | self.cache_id, self.cache_key, self.cache_active) | |||
|
2778 | ||||
|
2779 | def _cache_key_partition(self): | |||
|
2780 | prefix, repo_name, suffix = self.cache_key.partition(self.cache_args) | |||
|
2781 | return prefix, repo_name, suffix | |||
|
2782 | ||||
|
2783 | def get_prefix(self): | |||
|
2784 | """ | |||
|
2785 | Try to extract prefix from existing cache key. The key could consist | |||
|
2786 | of prefix, repo_name, suffix | |||
|
2787 | """ | |||
|
2788 | # this returns prefix, repo_name, suffix | |||
|
2789 | return self._cache_key_partition()[0] | |||
|
2790 | ||||
|
2791 | def get_suffix(self): | |||
|
2792 | """ | |||
|
2793 | get suffix that might have been used in _get_cache_key to | |||
|
2794 | generate self.cache_key. Only used for informational purposes | |||
|
2795 | in repo_edit.html. | |||
|
2796 | """ | |||
|
2797 | # prefix, repo_name, suffix | |||
|
2798 | return self._cache_key_partition()[2] | |||
|
2799 | ||||
|
2800 | @classmethod | |||
|
2801 | def delete_all_cache(cls): | |||
|
2802 | """ | |||
|
2803 | Delete all cache keys from database. | |||
|
2804 | Should only be run when all instances are down and all entries | |||
|
2805 | thus stale. | |||
|
2806 | """ | |||
|
2807 | cls.query().delete() | |||
|
2808 | Session().commit() | |||
|
2809 | ||||
|
2810 | @classmethod | |||
|
2811 | def get_cache_key(cls, repo_name, cache_type): | |||
|
2812 | """ | |||
|
2813 | ||||
|
2814 | Generate a cache key for this process of RhodeCode instance. | |||
|
2815 | Prefix most likely will be process id or maybe explicitly set | |||
|
2816 | instance_id from .ini file. | |||
|
2817 | """ | |||
|
2818 | import rhodecode | |||
|
2819 | prefix = safe_unicode(rhodecode.CONFIG.get('instance_id') or '') | |||
|
2820 | ||||
|
2821 | repo_as_unicode = safe_unicode(repo_name) | |||
|
2822 | key = u'{}_{}'.format(repo_as_unicode, cache_type) \ | |||
|
2823 | if cache_type else repo_as_unicode | |||
|
2824 | ||||
|
2825 | return u'{}{}'.format(prefix, key) | |||
|
2826 | ||||
|
2827 | @classmethod | |||
|
2828 | def set_invalidate(cls, repo_name, delete=False): | |||
|
2829 | """ | |||
|
2830 | Mark all caches of a repo as invalid in the database. | |||
|
2831 | """ | |||
|
2832 | ||||
|
2833 | try: | |||
|
2834 | qry = Session().query(cls).filter(cls.cache_args == repo_name) | |||
|
2835 | if delete: | |||
|
2836 | log.debug('cache objects deleted for repo %s', | |||
|
2837 | safe_str(repo_name)) | |||
|
2838 | qry.delete() | |||
|
2839 | else: | |||
|
2840 | log.debug('cache objects marked as invalid for repo %s', | |||
|
2841 | safe_str(repo_name)) | |||
|
2842 | qry.update({"cache_active": False}) | |||
|
2843 | ||||
|
2844 | Session().commit() | |||
|
2845 | except Exception: | |||
|
2846 | log.exception( | |||
|
2847 | 'Cache key invalidation failed for repository %s', | |||
|
2848 | safe_str(repo_name)) | |||
|
2849 | Session().rollback() | |||
|
2850 | ||||
|
2851 | @classmethod | |||
|
2852 | def get_active_cache(cls, cache_key): | |||
|
2853 | inv_obj = cls.query().filter(cls.cache_key == cache_key).scalar() | |||
|
2854 | if inv_obj: | |||
|
2855 | return inv_obj | |||
|
2856 | return None | |||
|
2857 | ||||
|
2858 | @classmethod | |||
|
2859 | def repo_context_cache(cls, compute_func, repo_name, cache_type): | |||
|
2860 | """ | |||
|
2861 | @cache_region('long_term') | |||
|
2862 | def _heavy_calculation(cache_key): | |||
|
2863 | return 'result' | |||
|
2864 | ||||
|
2865 | cache_context = CacheKey.repo_context_cache( | |||
|
2866 | _heavy_calculation, repo_name, cache_type) | |||
|
2867 | ||||
|
2868 | with cache_context as context: | |||
|
2869 | context.invalidate() | |||
|
2870 | computed = context.compute() | |||
|
2871 | ||||
|
2872 | assert computed == 'result' | |||
|
2873 | """ | |||
|
2874 | from rhodecode.lib import caches | |||
|
2875 | return caches.InvalidationContext(compute_func, repo_name, cache_type) | |||
|
2876 | ||||
|
2877 | ||||
|
2878 | class ChangesetComment(Base, BaseModel): | |||
|
2879 | __tablename__ = 'changeset_comments' | |||
|
2880 | __table_args__ = ( | |||
|
2881 | Index('cc_revision_idx', 'revision'), | |||
|
2882 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
2883 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True}, | |||
|
2884 | ) | |||
|
2885 | ||||
|
2886 | COMMENT_OUTDATED = u'comment_outdated' | |||
|
2887 | ||||
|
2888 | comment_id = Column('comment_id', Integer(), nullable=False, primary_key=True) | |||
|
2889 | repo_id = Column('repo_id', Integer(), ForeignKey('repositories.repo_id'), nullable=False) | |||
|
2890 | revision = Column('revision', String(40), nullable=True) | |||
|
2891 | pull_request_id = Column("pull_request_id", Integer(), ForeignKey('pull_requests.pull_request_id'), nullable=True) | |||
|
2892 | pull_request_version_id = Column("pull_request_version_id", Integer(), ForeignKey('pull_request_versions.pull_request_version_id'), nullable=True) | |||
|
2893 | line_no = Column('line_no', Unicode(10), nullable=True) | |||
|
2894 | hl_lines = Column('hl_lines', Unicode(512), nullable=True) | |||
|
2895 | f_path = Column('f_path', Unicode(1000), nullable=True) | |||
|
2896 | user_id = Column('user_id', Integer(), ForeignKey('users.user_id'), nullable=False) | |||
|
2897 | text = Column('text', UnicodeText().with_variant(UnicodeText(25000), 'mysql'), nullable=False) | |||
|
2898 | created_on = Column('created_on', DateTime(timezone=False), nullable=False, default=datetime.datetime.now) | |||
|
2899 | modified_at = Column('modified_at', DateTime(timezone=False), nullable=False, default=datetime.datetime.now) | |||
|
2900 | renderer = Column('renderer', Unicode(64), nullable=True) | |||
|
2901 | display_state = Column('display_state', Unicode(128), nullable=True) | |||
|
2902 | ||||
|
2903 | author = relationship('User', lazy='joined') | |||
|
2904 | repo = relationship('Repository') | |||
|
2905 | status_change = relationship('ChangesetStatus', cascade="all, delete, delete-orphan") | |||
|
2906 | pull_request = relationship('PullRequest', lazy='joined') | |||
|
2907 | pull_request_version = relationship('PullRequestVersion') | |||
|
2908 | ||||
|
2909 | @classmethod | |||
|
2910 | def get_users(cls, revision=None, pull_request_id=None): | |||
|
2911 | """ | |||
|
2912 | Returns user associated with this ChangesetComment. ie those | |||
|
2913 | who actually commented | |||
|
2914 | ||||
|
2915 | :param cls: | |||
|
2916 | :param revision: | |||
|
2917 | """ | |||
|
2918 | q = Session().query(User)\ | |||
|
2919 | .join(ChangesetComment.author) | |||
|
2920 | if revision: | |||
|
2921 | q = q.filter(cls.revision == revision) | |||
|
2922 | elif pull_request_id: | |||
|
2923 | q = q.filter(cls.pull_request_id == pull_request_id) | |||
|
2924 | return q.all() | |||
|
2925 | ||||
|
2926 | def render(self, mentions=False): | |||
|
2927 | from rhodecode.lib import helpers as h | |||
|
2928 | return h.render(self.text, renderer=self.renderer, mentions=mentions) | |||
|
2929 | ||||
|
2930 | def __repr__(self): | |||
|
2931 | if self.comment_id: | |||
|
2932 | return '<DB:ChangesetComment #%s>' % self.comment_id | |||
|
2933 | else: | |||
|
2934 | return '<DB:ChangesetComment at %#x>' % id(self) | |||
|
2935 | ||||
|
2936 | ||||
|
2937 | class ChangesetStatus(Base, BaseModel): | |||
|
2938 | __tablename__ = 'changeset_statuses' | |||
|
2939 | __table_args__ = ( | |||
|
2940 | Index('cs_revision_idx', 'revision'), | |||
|
2941 | Index('cs_version_idx', 'version'), | |||
|
2942 | UniqueConstraint('repo_id', 'revision', 'version'), | |||
|
2943 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
2944 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True} | |||
|
2945 | ) | |||
|
2946 | STATUS_NOT_REVIEWED = DEFAULT = 'not_reviewed' | |||
|
2947 | STATUS_APPROVED = 'approved' | |||
|
2948 | STATUS_REJECTED = 'rejected' | |||
|
2949 | STATUS_UNDER_REVIEW = 'under_review' | |||
|
2950 | ||||
|
2951 | STATUSES = [ | |||
|
2952 | (STATUS_NOT_REVIEWED, _("Not Reviewed")), # (no icon) and default | |||
|
2953 | (STATUS_APPROVED, _("Approved")), | |||
|
2954 | (STATUS_REJECTED, _("Rejected")), | |||
|
2955 | (STATUS_UNDER_REVIEW, _("Under Review")), | |||
|
2956 | ] | |||
|
2957 | ||||
|
2958 | changeset_status_id = Column('changeset_status_id', Integer(), nullable=False, primary_key=True) | |||
|
2959 | repo_id = Column('repo_id', Integer(), ForeignKey('repositories.repo_id'), nullable=False) | |||
|
2960 | user_id = Column("user_id", Integer(), ForeignKey('users.user_id'), nullable=False, unique=None) | |||
|
2961 | revision = Column('revision', String(40), nullable=False) | |||
|
2962 | status = Column('status', String(128), nullable=False, default=DEFAULT) | |||
|
2963 | changeset_comment_id = Column('changeset_comment_id', Integer(), ForeignKey('changeset_comments.comment_id')) | |||
|
2964 | modified_at = Column('modified_at', DateTime(), nullable=False, default=datetime.datetime.now) | |||
|
2965 | version = Column('version', Integer(), nullable=False, default=0) | |||
|
2966 | pull_request_id = Column("pull_request_id", Integer(), ForeignKey('pull_requests.pull_request_id'), nullable=True) | |||
|
2967 | ||||
|
2968 | author = relationship('User', lazy='joined') | |||
|
2969 | repo = relationship('Repository') | |||
|
2970 | comment = relationship('ChangesetComment', lazy='joined') | |||
|
2971 | pull_request = relationship('PullRequest', lazy='joined') | |||
|
2972 | ||||
|
2973 | def __unicode__(self): | |||
|
2974 | return u"<%s('%s[%s]:%s')>" % ( | |||
|
2975 | self.__class__.__name__, | |||
|
2976 | self.status, self.version, self.author | |||
|
2977 | ) | |||
|
2978 | ||||
|
2979 | @classmethod | |||
|
2980 | def get_status_lbl(cls, value): | |||
|
2981 | return dict(cls.STATUSES).get(value) | |||
|
2982 | ||||
|
2983 | @property | |||
|
2984 | def status_lbl(self): | |||
|
2985 | return ChangesetStatus.get_status_lbl(self.status) | |||
|
2986 | ||||
|
2987 | ||||
|
2988 | class _PullRequestBase(BaseModel): | |||
|
2989 | """ | |||
|
2990 | Common attributes of pull request and version entries. | |||
|
2991 | """ | |||
|
2992 | ||||
|
2993 | # .status values | |||
|
2994 | STATUS_NEW = u'new' | |||
|
2995 | STATUS_OPEN = u'open' | |||
|
2996 | STATUS_CLOSED = u'closed' | |||
|
2997 | ||||
|
2998 | title = Column('title', Unicode(255), nullable=True) | |||
|
2999 | description = Column( | |||
|
3000 | 'description', UnicodeText().with_variant(UnicodeText(10240), 'mysql'), | |||
|
3001 | nullable=True) | |||
|
3002 | # new/open/closed status of pull request (not approve/reject/etc) | |||
|
3003 | status = Column('status', Unicode(255), nullable=False, default=STATUS_NEW) | |||
|
3004 | created_on = Column( | |||
|
3005 | 'created_on', DateTime(timezone=False), nullable=False, | |||
|
3006 | default=datetime.datetime.now) | |||
|
3007 | updated_on = Column( | |||
|
3008 | 'updated_on', DateTime(timezone=False), nullable=False, | |||
|
3009 | default=datetime.datetime.now) | |||
|
3010 | ||||
|
3011 | @declared_attr | |||
|
3012 | def user_id(cls): | |||
|
3013 | return Column( | |||
|
3014 | "user_id", Integer(), ForeignKey('users.user_id'), nullable=False, | |||
|
3015 | unique=None) | |||
|
3016 | ||||
|
3017 | # 500 revisions max | |||
|
3018 | _revisions = Column( | |||
|
3019 | 'revisions', UnicodeText().with_variant(UnicodeText(20500), 'mysql')) | |||
|
3020 | ||||
|
3021 | @declared_attr | |||
|
3022 | def source_repo_id(cls): | |||
|
3023 | # TODO: dan: rename column to source_repo_id | |||
|
3024 | return Column( | |||
|
3025 | 'org_repo_id', Integer(), ForeignKey('repositories.repo_id'), | |||
|
3026 | nullable=False) | |||
|
3027 | ||||
|
3028 | source_ref = Column('org_ref', Unicode(255), nullable=False) | |||
|
3029 | ||||
|
3030 | @declared_attr | |||
|
3031 | def target_repo_id(cls): | |||
|
3032 | # TODO: dan: rename column to target_repo_id | |||
|
3033 | return Column( | |||
|
3034 | 'other_repo_id', Integer(), ForeignKey('repositories.repo_id'), | |||
|
3035 | nullable=False) | |||
|
3036 | ||||
|
3037 | target_ref = Column('other_ref', Unicode(255), nullable=False) | |||
|
3038 | ||||
|
3039 | # TODO: dan: rename column to last_merge_source_rev | |||
|
3040 | _last_merge_source_rev = Column( | |||
|
3041 | 'last_merge_org_rev', String(40), nullable=True) | |||
|
3042 | # TODO: dan: rename column to last_merge_target_rev | |||
|
3043 | _last_merge_target_rev = Column( | |||
|
3044 | 'last_merge_other_rev', String(40), nullable=True) | |||
|
3045 | _last_merge_status = Column('merge_status', Integer(), nullable=True) | |||
|
3046 | merge_rev = Column('merge_rev', String(40), nullable=True) | |||
|
3047 | ||||
|
3048 | @hybrid_property | |||
|
3049 | def revisions(self): | |||
|
3050 | return self._revisions.split(':') if self._revisions else [] | |||
|
3051 | ||||
|
3052 | @revisions.setter | |||
|
3053 | def revisions(self, val): | |||
|
3054 | self._revisions = ':'.join(val) | |||
|
3055 | ||||
|
3056 | @declared_attr | |||
|
3057 | def author(cls): | |||
|
3058 | return relationship('User', lazy='joined') | |||
|
3059 | ||||
|
3060 | @declared_attr | |||
|
3061 | def source_repo(cls): | |||
|
3062 | return relationship( | |||
|
3063 | 'Repository', | |||
|
3064 | primaryjoin='%s.source_repo_id==Repository.repo_id' % cls.__name__) | |||
|
3065 | ||||
|
3066 | @property | |||
|
3067 | def source_ref_parts(self): | |||
|
3068 | refs = self.source_ref.split(':') | |||
|
3069 | return Reference(refs[0], refs[1], refs[2]) | |||
|
3070 | ||||
|
3071 | @declared_attr | |||
|
3072 | def target_repo(cls): | |||
|
3073 | return relationship( | |||
|
3074 | 'Repository', | |||
|
3075 | primaryjoin='%s.target_repo_id==Repository.repo_id' % cls.__name__) | |||
|
3076 | ||||
|
3077 | @property | |||
|
3078 | def target_ref_parts(self): | |||
|
3079 | refs = self.target_ref.split(':') | |||
|
3080 | return Reference(refs[0], refs[1], refs[2]) | |||
|
3081 | ||||
|
3082 | ||||
|
3083 | class PullRequest(Base, _PullRequestBase): | |||
|
3084 | __tablename__ = 'pull_requests' | |||
|
3085 | __table_args__ = ( | |||
|
3086 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
3087 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True}, | |||
|
3088 | ) | |||
|
3089 | ||||
|
3090 | pull_request_id = Column( | |||
|
3091 | 'pull_request_id', Integer(), nullable=False, primary_key=True) | |||
|
3092 | ||||
|
3093 | def __repr__(self): | |||
|
3094 | if self.pull_request_id: | |||
|
3095 | return '<DB:PullRequest #%s>' % self.pull_request_id | |||
|
3096 | else: | |||
|
3097 | return '<DB:PullRequest at %#x>' % id(self) | |||
|
3098 | ||||
|
3099 | reviewers = relationship('PullRequestReviewers', | |||
|
3100 | cascade="all, delete, delete-orphan") | |||
|
3101 | statuses = relationship('ChangesetStatus') | |||
|
3102 | comments = relationship('ChangesetComment', | |||
|
3103 | cascade="all, delete, delete-orphan") | |||
|
3104 | versions = relationship('PullRequestVersion', | |||
|
3105 | cascade="all, delete, delete-orphan") | |||
|
3106 | ||||
|
3107 | def is_closed(self): | |||
|
3108 | return self.status == self.STATUS_CLOSED | |||
|
3109 | ||||
|
3110 | def get_api_data(self): | |||
|
3111 | from rhodecode.model.pull_request import PullRequestModel | |||
|
3112 | pull_request = self | |||
|
3113 | merge_status = PullRequestModel().merge_status(pull_request) | |||
|
3114 | data = { | |||
|
3115 | 'pull_request_id': pull_request.pull_request_id, | |||
|
3116 | 'url': url('pullrequest_show', repo_name=self.target_repo.repo_name, | |||
|
3117 | pull_request_id=self.pull_request_id, | |||
|
3118 | qualified=True), | |||
|
3119 | 'title': pull_request.title, | |||
|
3120 | 'description': pull_request.description, | |||
|
3121 | 'status': pull_request.status, | |||
|
3122 | 'created_on': pull_request.created_on, | |||
|
3123 | 'updated_on': pull_request.updated_on, | |||
|
3124 | 'commit_ids': pull_request.revisions, | |||
|
3125 | 'review_status': pull_request.calculated_review_status(), | |||
|
3126 | 'mergeable': { | |||
|
3127 | 'status': merge_status[0], | |||
|
3128 | 'message': unicode(merge_status[1]), | |||
|
3129 | }, | |||
|
3130 | 'source': { | |||
|
3131 | 'clone_url': pull_request.source_repo.clone_url(), | |||
|
3132 | 'repository': pull_request.source_repo.repo_name, | |||
|
3133 | 'reference': { | |||
|
3134 | 'name': pull_request.source_ref_parts.name, | |||
|
3135 | 'type': pull_request.source_ref_parts.type, | |||
|
3136 | 'commit_id': pull_request.source_ref_parts.commit_id, | |||
|
3137 | }, | |||
|
3138 | }, | |||
|
3139 | 'target': { | |||
|
3140 | 'clone_url': pull_request.target_repo.clone_url(), | |||
|
3141 | 'repository': pull_request.target_repo.repo_name, | |||
|
3142 | 'reference': { | |||
|
3143 | 'name': pull_request.target_ref_parts.name, | |||
|
3144 | 'type': pull_request.target_ref_parts.type, | |||
|
3145 | 'commit_id': pull_request.target_ref_parts.commit_id, | |||
|
3146 | }, | |||
|
3147 | }, | |||
|
3148 | 'author': pull_request.author.get_api_data(include_secrets=False, | |||
|
3149 | details='basic'), | |||
|
3150 | 'reviewers': [ | |||
|
3151 | { | |||
|
3152 | 'user': reviewer.get_api_data(include_secrets=False, | |||
|
3153 | details='basic'), | |||
|
3154 | 'review_status': st[0][1].status if st else 'not_reviewed', | |||
|
3155 | } | |||
|
3156 | for reviewer, st in pull_request.reviewers_statuses() | |||
|
3157 | ] | |||
|
3158 | } | |||
|
3159 | ||||
|
3160 | return data | |||
|
3161 | ||||
|
3162 | def __json__(self): | |||
|
3163 | return { | |||
|
3164 | 'revisions': self.revisions, | |||
|
3165 | } | |||
|
3166 | ||||
|
3167 | def calculated_review_status(self): | |||
|
3168 | # TODO: anderson: 13.05.15 Used only on templates/my_account_pullrequests.html | |||
|
3169 | # because it's tricky on how to use ChangesetStatusModel from there | |||
|
3170 | warnings.warn("Use calculated_review_status from ChangesetStatusModel", DeprecationWarning) | |||
|
3171 | from rhodecode.model.changeset_status import ChangesetStatusModel | |||
|
3172 | return ChangesetStatusModel().calculated_review_status(self) | |||
|
3173 | ||||
|
3174 | def reviewers_statuses(self): | |||
|
3175 | warnings.warn("Use reviewers_statuses from ChangesetStatusModel", DeprecationWarning) | |||
|
3176 | from rhodecode.model.changeset_status import ChangesetStatusModel | |||
|
3177 | return ChangesetStatusModel().reviewers_statuses(self) | |||
|
3178 | ||||
|
3179 | ||||
|
3180 | class PullRequestVersion(Base, _PullRequestBase): | |||
|
3181 | __tablename__ = 'pull_request_versions' | |||
|
3182 | __table_args__ = ( | |||
|
3183 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
3184 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True}, | |||
|
3185 | ) | |||
|
3186 | ||||
|
3187 | pull_request_version_id = Column( | |||
|
3188 | 'pull_request_version_id', Integer(), nullable=False, primary_key=True) | |||
|
3189 | pull_request_id = Column( | |||
|
3190 | 'pull_request_id', Integer(), | |||
|
3191 | ForeignKey('pull_requests.pull_request_id'), nullable=False) | |||
|
3192 | pull_request = relationship('PullRequest') | |||
|
3193 | ||||
|
3194 | def __repr__(self): | |||
|
3195 | if self.pull_request_version_id: | |||
|
3196 | return '<DB:PullRequestVersion #%s>' % self.pull_request_version_id | |||
|
3197 | else: | |||
|
3198 | return '<DB:PullRequestVersion at %#x>' % id(self) | |||
|
3199 | ||||
|
3200 | ||||
|
3201 | class PullRequestReviewers(Base, BaseModel): | |||
|
3202 | __tablename__ = 'pull_request_reviewers' | |||
|
3203 | __table_args__ = ( | |||
|
3204 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
3205 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True}, | |||
|
3206 | ) | |||
|
3207 | ||||
|
3208 | def __init__(self, user=None, pull_request=None): | |||
|
3209 | self.user = user | |||
|
3210 | self.pull_request = pull_request | |||
|
3211 | ||||
|
3212 | pull_requests_reviewers_id = Column( | |||
|
3213 | 'pull_requests_reviewers_id', Integer(), nullable=False, | |||
|
3214 | primary_key=True) | |||
|
3215 | pull_request_id = Column( | |||
|
3216 | "pull_request_id", Integer(), | |||
|
3217 | ForeignKey('pull_requests.pull_request_id'), nullable=False) | |||
|
3218 | user_id = Column( | |||
|
3219 | "user_id", Integer(), ForeignKey('users.user_id'), nullable=True) | |||
|
3220 | ||||
|
3221 | user = relationship('User') | |||
|
3222 | pull_request = relationship('PullRequest') | |||
|
3223 | ||||
|
3224 | ||||
|
3225 | class Notification(Base, BaseModel): | |||
|
3226 | __tablename__ = 'notifications' | |||
|
3227 | __table_args__ = ( | |||
|
3228 | Index('notification_type_idx', 'type'), | |||
|
3229 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
3230 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True}, | |||
|
3231 | ) | |||
|
3232 | ||||
|
3233 | TYPE_CHANGESET_COMMENT = u'cs_comment' | |||
|
3234 | TYPE_MESSAGE = u'message' | |||
|
3235 | TYPE_MENTION = u'mention' | |||
|
3236 | TYPE_REGISTRATION = u'registration' | |||
|
3237 | TYPE_PULL_REQUEST = u'pull_request' | |||
|
3238 | TYPE_PULL_REQUEST_COMMENT = u'pull_request_comment' | |||
|
3239 | ||||
|
3240 | notification_id = Column('notification_id', Integer(), nullable=False, primary_key=True) | |||
|
3241 | subject = Column('subject', Unicode(512), nullable=True) | |||
|
3242 | body = Column('body', UnicodeText().with_variant(UnicodeText(50000), 'mysql'), nullable=True) | |||
|
3243 | created_by = Column("created_by", Integer(), ForeignKey('users.user_id'), nullable=True) | |||
|
3244 | created_on = Column('created_on', DateTime(timezone=False), nullable=False, default=datetime.datetime.now) | |||
|
3245 | type_ = Column('type', Unicode(255)) | |||
|
3246 | ||||
|
3247 | created_by_user = relationship('User') | |||
|
3248 | notifications_to_users = relationship('UserNotification', lazy='joined', | |||
|
3249 | cascade="all, delete, delete-orphan") | |||
|
3250 | ||||
|
3251 | @property | |||
|
3252 | def recipients(self): | |||
|
3253 | return [x.user for x in UserNotification.query()\ | |||
|
3254 | .filter(UserNotification.notification == self)\ | |||
|
3255 | .order_by(UserNotification.user_id.asc()).all()] | |||
|
3256 | ||||
|
3257 | @classmethod | |||
|
3258 | def create(cls, created_by, subject, body, recipients, type_=None): | |||
|
3259 | if type_ is None: | |||
|
3260 | type_ = Notification.TYPE_MESSAGE | |||
|
3261 | ||||
|
3262 | notification = cls() | |||
|
3263 | notification.created_by_user = created_by | |||
|
3264 | notification.subject = subject | |||
|
3265 | notification.body = body | |||
|
3266 | notification.type_ = type_ | |||
|
3267 | notification.created_on = datetime.datetime.now() | |||
|
3268 | ||||
|
3269 | for u in recipients: | |||
|
3270 | assoc = UserNotification() | |||
|
3271 | assoc.notification = notification | |||
|
3272 | ||||
|
3273 | # if created_by is inside recipients mark his notification | |||
|
3274 | # as read | |||
|
3275 | if u.user_id == created_by.user_id: | |||
|
3276 | assoc.read = True | |||
|
3277 | ||||
|
3278 | u.notifications.append(assoc) | |||
|
3279 | Session().add(notification) | |||
|
3280 | ||||
|
3281 | return notification | |||
|
3282 | ||||
|
3283 | @property | |||
|
3284 | def description(self): | |||
|
3285 | from rhodecode.model.notification import NotificationModel | |||
|
3286 | return NotificationModel().make_description(self) | |||
|
3287 | ||||
|
3288 | ||||
|
3289 | class UserNotification(Base, BaseModel): | |||
|
3290 | __tablename__ = 'user_to_notification' | |||
|
3291 | __table_args__ = ( | |||
|
3292 | UniqueConstraint('user_id', 'notification_id'), | |||
|
3293 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
3294 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True} | |||
|
3295 | ) | |||
|
3296 | user_id = Column('user_id', Integer(), ForeignKey('users.user_id'), primary_key=True) | |||
|
3297 | notification_id = Column("notification_id", Integer(), ForeignKey('notifications.notification_id'), primary_key=True) | |||
|
3298 | read = Column('read', Boolean, default=False) | |||
|
3299 | sent_on = Column('sent_on', DateTime(timezone=False), nullable=True, unique=None) | |||
|
3300 | ||||
|
3301 | user = relationship('User', lazy="joined") | |||
|
3302 | notification = relationship('Notification', lazy="joined", | |||
|
3303 | order_by=lambda: Notification.created_on.desc(),) | |||
|
3304 | ||||
|
3305 | def mark_as_read(self): | |||
|
3306 | self.read = True | |||
|
3307 | Session().add(self) | |||
|
3308 | ||||
|
3309 | ||||
|
3310 | class Gist(Base, BaseModel): | |||
|
3311 | __tablename__ = 'gists' | |||
|
3312 | __table_args__ = ( | |||
|
3313 | Index('g_gist_access_id_idx', 'gist_access_id'), | |||
|
3314 | Index('g_created_on_idx', 'created_on'), | |||
|
3315 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
3316 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True} | |||
|
3317 | ) | |||
|
3318 | GIST_PUBLIC = u'public' | |||
|
3319 | GIST_PRIVATE = u'private' | |||
|
3320 | DEFAULT_FILENAME = u'gistfile1.txt' | |||
|
3321 | ||||
|
3322 | ACL_LEVEL_PUBLIC = u'acl_public' | |||
|
3323 | ACL_LEVEL_PRIVATE = u'acl_private' | |||
|
3324 | ||||
|
3325 | gist_id = Column('gist_id', Integer(), primary_key=True) | |||
|
3326 | gist_access_id = Column('gist_access_id', Unicode(250)) | |||
|
3327 | gist_description = Column('gist_description', UnicodeText().with_variant(UnicodeText(1024), 'mysql')) | |||
|
3328 | gist_owner = Column('user_id', Integer(), ForeignKey('users.user_id'), nullable=True) | |||
|
3329 | gist_expires = Column('gist_expires', Float(53), nullable=False) | |||
|
3330 | gist_type = Column('gist_type', Unicode(128), nullable=False) | |||
|
3331 | created_on = Column('created_on', DateTime(timezone=False), nullable=False, default=datetime.datetime.now) | |||
|
3332 | modified_at = Column('modified_at', DateTime(timezone=False), nullable=False, default=datetime.datetime.now) | |||
|
3333 | acl_level = Column('acl_level', Unicode(128), nullable=True) | |||
|
3334 | ||||
|
3335 | owner = relationship('User') | |||
|
3336 | ||||
|
3337 | def __repr__(self): | |||
|
3338 | return '<Gist:[%s]%s>' % (self.gist_type, self.gist_access_id) | |||
|
3339 | ||||
|
3340 | @classmethod | |||
|
3341 | def get_or_404(cls, id_): | |||
|
3342 | res = cls.query().filter(cls.gist_access_id == id_).scalar() | |||
|
3343 | if not res: | |||
|
3344 | raise HTTPNotFound | |||
|
3345 | return res | |||
|
3346 | ||||
|
3347 | @classmethod | |||
|
3348 | def get_by_access_id(cls, gist_access_id): | |||
|
3349 | return cls.query().filter(cls.gist_access_id == gist_access_id).scalar() | |||
|
3350 | ||||
|
3351 | def gist_url(self): | |||
|
3352 | import rhodecode | |||
|
3353 | alias_url = rhodecode.CONFIG.get('gist_alias_url') | |||
|
3354 | if alias_url: | |||
|
3355 | return alias_url.replace('{gistid}', self.gist_access_id) | |||
|
3356 | ||||
|
3357 | return url('gist', gist_id=self.gist_access_id, qualified=True) | |||
|
3358 | ||||
|
3359 | @classmethod | |||
|
3360 | def base_path(cls): | |||
|
3361 | """ | |||
|
3362 | Returns base path when all gists are stored | |||
|
3363 | ||||
|
3364 | :param cls: | |||
|
3365 | """ | |||
|
3366 | from rhodecode.model.gist import GIST_STORE_LOC | |||
|
3367 | q = Session().query(RhodeCodeUi)\ | |||
|
3368 | .filter(RhodeCodeUi.ui_key == URL_SEP) | |||
|
3369 | q = q.options(FromCache("sql_cache_short", "repository_repo_path")) | |||
|
3370 | return os.path.join(q.one().ui_value, GIST_STORE_LOC) | |||
|
3371 | ||||
|
3372 | def get_api_data(self): | |||
|
3373 | """ | |||
|
3374 | Common function for generating gist related data for API | |||
|
3375 | """ | |||
|
3376 | gist = self | |||
|
3377 | data = { | |||
|
3378 | 'gist_id': gist.gist_id, | |||
|
3379 | 'type': gist.gist_type, | |||
|
3380 | 'access_id': gist.gist_access_id, | |||
|
3381 | 'description': gist.gist_description, | |||
|
3382 | 'url': gist.gist_url(), | |||
|
3383 | 'expires': gist.gist_expires, | |||
|
3384 | 'created_on': gist.created_on, | |||
|
3385 | 'modified_at': gist.modified_at, | |||
|
3386 | 'content': None, | |||
|
3387 | 'acl_level': gist.acl_level, | |||
|
3388 | } | |||
|
3389 | return data | |||
|
3390 | ||||
|
3391 | def __json__(self): | |||
|
3392 | data = dict( | |||
|
3393 | ) | |||
|
3394 | data.update(self.get_api_data()) | |||
|
3395 | return data | |||
|
3396 | # SCM functions | |||
|
3397 | ||||
|
3398 | def scm_instance(self, **kwargs): | |||
|
3399 | from rhodecode.lib.vcs import get_repo | |||
|
3400 | base_path = self.base_path() | |||
|
3401 | return get_repo(os.path.join(*map(safe_str, | |||
|
3402 | [base_path, self.gist_access_id]))) | |||
|
3403 | ||||
|
3404 | ||||
|
3405 | class DbMigrateVersion(Base, BaseModel): | |||
|
3406 | __tablename__ = 'db_migrate_version' | |||
|
3407 | __table_args__ = ( | |||
|
3408 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
3409 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True}, | |||
|
3410 | ) | |||
|
3411 | repository_id = Column('repository_id', String(250), primary_key=True) | |||
|
3412 | repository_path = Column('repository_path', Text) | |||
|
3413 | version = Column('version', Integer) | |||
|
3414 | ||||
|
3415 | ||||
|
3416 | class ExternalIdentity(Base, BaseModel): | |||
|
3417 | __tablename__ = 'external_identities' | |||
|
3418 | __table_args__ = ( | |||
|
3419 | Index('local_user_id_idx', 'local_user_id'), | |||
|
3420 | Index('external_id_idx', 'external_id'), | |||
|
3421 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
3422 | 'mysql_charset': 'utf8'}) | |||
|
3423 | ||||
|
3424 | external_id = Column('external_id', Unicode(255), default=u'', | |||
|
3425 | primary_key=True) | |||
|
3426 | external_username = Column('external_username', Unicode(1024), default=u'') | |||
|
3427 | local_user_id = Column('local_user_id', Integer(), | |||
|
3428 | ForeignKey('users.user_id'), primary_key=True) | |||
|
3429 | provider_name = Column('provider_name', Unicode(255), default=u'', | |||
|
3430 | primary_key=True) | |||
|
3431 | access_token = Column('access_token', String(1024), default=u'') | |||
|
3432 | alt_token = Column('alt_token', String(1024), default=u'') | |||
|
3433 | token_secret = Column('token_secret', String(1024), default=u'') | |||
|
3434 | ||||
|
3435 | @classmethod | |||
|
3436 | def by_external_id_and_provider(cls, external_id, provider_name, | |||
|
3437 | local_user_id=None): | |||
|
3438 | """ | |||
|
3439 | Returns ExternalIdentity instance based on search params | |||
|
3440 | ||||
|
3441 | :param external_id: | |||
|
3442 | :param provider_name: | |||
|
3443 | :return: ExternalIdentity | |||
|
3444 | """ | |||
|
3445 | query = cls.query() | |||
|
3446 | query = query.filter(cls.external_id == external_id) | |||
|
3447 | query = query.filter(cls.provider_name == provider_name) | |||
|
3448 | if local_user_id: | |||
|
3449 | query = query.filter(cls.local_user_id == local_user_id) | |||
|
3450 | return query.first() | |||
|
3451 | ||||
|
3452 | @classmethod | |||
|
3453 | def user_by_external_id_and_provider(cls, external_id, provider_name): | |||
|
3454 | """ | |||
|
3455 | Returns User instance based on search params | |||
|
3456 | ||||
|
3457 | :param external_id: | |||
|
3458 | :param provider_name: | |||
|
3459 | :return: User | |||
|
3460 | """ | |||
|
3461 | query = User.query() | |||
|
3462 | query = query.filter(cls.external_id == external_id) | |||
|
3463 | query = query.filter(cls.provider_name == provider_name) | |||
|
3464 | query = query.filter(User.user_id == cls.local_user_id) | |||
|
3465 | return query.first() | |||
|
3466 | ||||
|
3467 | @classmethod | |||
|
3468 | def by_local_user_id(cls, local_user_id): | |||
|
3469 | """ | |||
|
3470 | Returns all tokens for user | |||
|
3471 | ||||
|
3472 | :param local_user_id: | |||
|
3473 | :return: ExternalIdentity | |||
|
3474 | """ | |||
|
3475 | query = cls.query() | |||
|
3476 | query = query.filter(cls.local_user_id == local_user_id) | |||
|
3477 | return query | |||
|
3478 | ||||
|
3479 | ||||
|
3480 | class Integration(Base, BaseModel): | |||
|
3481 | __tablename__ = 'integrations' | |||
|
3482 | __table_args__ = ( | |||
|
3483 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
3484 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True} | |||
|
3485 | ) | |||
|
3486 | ||||
|
3487 | integration_id = Column('integration_id', Integer(), primary_key=True) | |||
|
3488 | integration_type = Column('integration_type', String(255)) | |||
|
3489 | enabled = Column("enabled", Boolean(), nullable=False) | |||
|
3490 | name = Column('name', String(255), nullable=False) | |||
|
3491 | settings_json = Column('settings_json', | |||
|
3492 | UnicodeText().with_variant(UnicodeText(16384), 'mysql')) | |||
|
3493 | repo_id = Column( | |||
|
3494 | "repo_id", Integer(), ForeignKey('repositories.repo_id'), | |||
|
3495 | nullable=True, unique=None, default=None) | |||
|
3496 | repo = relationship('Repository', lazy='joined') | |||
|
3497 | ||||
|
3498 | @hybrid_property | |||
|
3499 | def settings(self): | |||
|
3500 | data = json.loads(self.settings_json or '{}') | |||
|
3501 | return data | |||
|
3502 | ||||
|
3503 | @settings.setter | |||
|
3504 | def settings(self, dct): | |||
|
3505 | self.settings_json = json.dumps(dct, indent=2) | |||
|
3506 | ||||
|
3507 | def __repr__(self): | |||
|
3508 | if self.repo: | |||
|
3509 | scope = 'repo=%r' % self.repo | |||
|
3510 | else: | |||
|
3511 | scope = 'global' | |||
|
3512 | ||||
|
3513 | return '<Integration(%r, %r)>' % (self.integration_type, scope) | |||
|
3514 | ||||
|
3515 | def settings_as_dict(self): | |||
|
3516 | return json.loads(self.settings_json) |
@@ -0,0 +1,27 b'' | |||||
|
1 | # -*- coding: utf-8 -*- | |||
|
2 | ||||
|
3 | import logging | |||
|
4 | import sqlalchemy as sa | |||
|
5 | ||||
|
6 | from alembic.migration import MigrationContext | |||
|
7 | from alembic.operations import Operations | |||
|
8 | ||||
|
9 | from rhodecode.lib.dbmigrate.versions import _reset_base | |||
|
10 | ||||
|
11 | log = logging.getLogger(__name__) | |||
|
12 | ||||
|
13 | ||||
|
14 | def upgrade(migrate_engine): | |||
|
15 | """ | |||
|
16 | Upgrade operations go here. | |||
|
17 | Don't create your own engine; bind migrate_engine to your metadata | |||
|
18 | """ | |||
|
19 | _reset_base(migrate_engine) | |||
|
20 | from rhodecode.lib.dbmigrate.schema import db_4_3_0_0 | |||
|
21 | ||||
|
22 | integrations_table = db_4_3_0_0.Integration.__table__ | |||
|
23 | integrations_table.create() | |||
|
24 | ||||
|
25 | ||||
|
26 | def downgrade(migrate_engine): | |||
|
27 | pass |
@@ -0,0 +1,118 b'' | |||||
|
1 | # -*- coding: utf-8 -*- | |||
|
2 | ||||
|
3 | # Copyright (C) 2011-2016 RhodeCode GmbH | |||
|
4 | # | |||
|
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 | |||
|
7 | # (only), as published by the Free Software Foundation. | |||
|
8 | # | |||
|
9 | # This program is distributed in the hope that it will be useful, | |||
|
10 | # but WITHOUT ANY WARRANTY; without even the implied warranty of | |||
|
11 | # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |||
|
12 | # GNU General Public License for more details. | |||
|
13 | # | |||
|
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/>. | |||
|
16 | # | |||
|
17 | # This program is dual-licensed. If you wish to learn more about the | |||
|
18 | # RhodeCode Enterprise Edition, including its added features, Support services, | |||
|
19 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |||
|
20 | ||||
|
21 | ||||
|
22 | """ | |||
|
23 | Model for integrations | |||
|
24 | """ | |||
|
25 | ||||
|
26 | ||||
|
27 | import logging | |||
|
28 | import traceback | |||
|
29 | ||||
|
30 | from pylons import tmpl_context as c | |||
|
31 | from pylons.i18n.translation import _, ungettext | |||
|
32 | from sqlalchemy import or_ | |||
|
33 | from sqlalchemy.sql.expression import false, true | |||
|
34 | from mako import exceptions | |||
|
35 | ||||
|
36 | import rhodecode | |||
|
37 | from rhodecode import events | |||
|
38 | from rhodecode.lib import helpers as h | |||
|
39 | from rhodecode.lib.caching_query import FromCache | |||
|
40 | from rhodecode.lib.utils import PartialRenderer | |||
|
41 | from rhodecode.model import BaseModel | |||
|
42 | from rhodecode.model.db import Integration, User | |||
|
43 | from rhodecode.model.meta import Session | |||
|
44 | from rhodecode.integrations import integration_type_registry | |||
|
45 | ||||
|
46 | log = logging.getLogger(__name__) | |||
|
47 | ||||
|
48 | ||||
|
49 | class IntegrationModel(BaseModel): | |||
|
50 | ||||
|
51 | cls = Integration | |||
|
52 | ||||
|
53 | def __get_integration(self, integration): | |||
|
54 | if isinstance(integration, Integration): | |||
|
55 | return integration | |||
|
56 | elif isinstance(integration, (int, long)): | |||
|
57 | return self.sa.query(Integration).get(integration) | |||
|
58 | else: | |||
|
59 | if integration: | |||
|
60 | raise Exception('integration must be int, long or Instance' | |||
|
61 | ' of Integration got %s' % type(integration)) | |||
|
62 | ||||
|
63 | def delete(self, integration): | |||
|
64 | try: | |||
|
65 | integration = self.__get_integration(integration) | |||
|
66 | if integration: | |||
|
67 | Session().delete(integration) | |||
|
68 | return True | |||
|
69 | except Exception: | |||
|
70 | log.error(traceback.format_exc()) | |||
|
71 | raise | |||
|
72 | return False | |||
|
73 | ||||
|
74 | def get_integration_handler(self, integration): | |||
|
75 | TypeClass = integration_type_registry.get(integration.integration_type) | |||
|
76 | if not TypeClass: | |||
|
77 | log.error('No class could be found for integration type: {}'.format( | |||
|
78 | integration.integration_type)) | |||
|
79 | return None | |||
|
80 | ||||
|
81 | return TypeClass(integration.settings) | |||
|
82 | ||||
|
83 | def send_event(self, integration, event): | |||
|
84 | """ Send an event to an integration """ | |||
|
85 | handler = self.get_integration_handler(integration) | |||
|
86 | if handler: | |||
|
87 | handler.send_event(event) | |||
|
88 | ||||
|
89 | def get_integrations(self, repo=None): | |||
|
90 | if repo: | |||
|
91 | return self.sa.query(Integration).filter( | |||
|
92 | Integration.repo_id==repo.repo_id).all() | |||
|
93 | ||||
|
94 | # global integrations | |||
|
95 | return self.sa.query(Integration).filter( | |||
|
96 | Integration.repo_id==None).all() | |||
|
97 | ||||
|
98 | def get_for_event(self, event, cache=False): | |||
|
99 | """ | |||
|
100 | Get integrations that match an event | |||
|
101 | """ | |||
|
102 | query = self.sa.query(Integration).filter(Integration.enabled==True) | |||
|
103 | ||||
|
104 | if isinstance(event, events.RepoEvent): # global + repo integrations | |||
|
105 | query = query.filter( | |||
|
106 | or_(Integration.repo_id==None, | |||
|
107 | Integration.repo_id==event.repo.repo_id)) | |||
|
108 | if cache: | |||
|
109 | query = query.options(FromCache( | |||
|
110 | "sql_cache_short", | |||
|
111 | "get_enabled_repo_integrations_%i" % event.repo.repo_id)) | |||
|
112 | else: # only global integrations | |||
|
113 | query = query.filter(Integration.repo_id==None) | |||
|
114 | if cache: | |||
|
115 | query = query.options(FromCache( | |||
|
116 | "sql_cache_short", "get_enabled_global_integrations")) | |||
|
117 | ||||
|
118 | return query.all() |
@@ -0,0 +1,40 b'' | |||||
|
1 | ## -*- coding: utf-8 -*- | |||
|
2 | <%! | |||
|
3 | def inherit(context): | |||
|
4 | if context['c'].repo: | |||
|
5 | return "/admin/repos/repo_edit.html" | |||
|
6 | else: | |||
|
7 | return "/admin/settings/settings.html" | |||
|
8 | %> | |||
|
9 | <%inherit file="${inherit(context)}" /> | |||
|
10 | ||||
|
11 | <%def name="title()"> | |||
|
12 | ${_('Integrations settings')} | |||
|
13 | %if c.rhodecode_name: | |||
|
14 | · ${h.branding(c.rhodecode_name)} | |||
|
15 | %endif | |||
|
16 | </%def> | |||
|
17 | ||||
|
18 | <%def name="breadcrumbs_links()"> | |||
|
19 | ${h.link_to(_('Admin'),h.url('admin_home'))} | |||
|
20 | » | |||
|
21 | ${_('Integrations')} | |||
|
22 | </%def> | |||
|
23 | ||||
|
24 | <%def name="menu_bar_nav()"> | |||
|
25 | %if c.repo: | |||
|
26 | ${self.menu_items(active='repositories')} | |||
|
27 | %else: | |||
|
28 | ${self.menu_items(active='admin')} | |||
|
29 | %endif | |||
|
30 | </%def> | |||
|
31 | ||||
|
32 | <%def name="menu_bar_subnav()"> | |||
|
33 | %if c.repo: | |||
|
34 | ${self.repo_menu(active='options')} | |||
|
35 | %endif | |||
|
36 | </%def> | |||
|
37 | ||||
|
38 | <%def name="main_content()"> | |||
|
39 | ${next.body()} | |||
|
40 | </%def> |
@@ -0,0 +1,108 b'' | |||||
|
1 | ## -*- coding: utf-8 -*- | |||
|
2 | <%inherit file="base.html"/> | |||
|
3 | ||||
|
4 | <%def name="breadcrumbs_links()"> | |||
|
5 | %if c.repo: | |||
|
6 | ${h.link_to('Settings',h.url('edit_repo', repo_name=c.repo.repo_name))} | |||
|
7 | » | |||
|
8 | ${h.link_to(_('Integrations'),request.route_url(route_name='repo_integrations_home', repo_name=c.repo.repo_name))} | |||
|
9 | » | |||
|
10 | ${h.link_to(current_IntegrationType.display_name, | |||
|
11 | request.route_url(route_name='repo_integrations_list', | |||
|
12 | repo_name=c.repo.repo_name, | |||
|
13 | integration=current_IntegrationType.key))} | |||
|
14 | %else: | |||
|
15 | ${h.link_to(_('Admin'),h.url('admin_home'))} | |||
|
16 | » | |||
|
17 | ${h.link_to(_('Settings'),h.url('admin_settings'))} | |||
|
18 | » | |||
|
19 | ${h.link_to(_('Integrations'),request.route_url(route_name='global_integrations_home'))} | |||
|
20 | » | |||
|
21 | ${h.link_to(current_IntegrationType.display_name, | |||
|
22 | request.route_url(route_name='global_integrations_list', | |||
|
23 | integration=current_IntegrationType.key))} | |||
|
24 | %endif | |||
|
25 | %if integration: | |||
|
26 | » | |||
|
27 | ${integration.name} | |||
|
28 | %endif | |||
|
29 | </%def> | |||
|
30 | ||||
|
31 | ||||
|
32 | <div class="panel panel-default"> | |||
|
33 | <div class="panel-heading"> | |||
|
34 | <h2 class="panel-title"> | |||
|
35 | %if integration: | |||
|
36 | ${current_IntegrationType.display_name} - ${integration.name} | |||
|
37 | %else: | |||
|
38 | ${_('Create new %(integration_type)s integration') % {'integration_type': current_IntegrationType.display_name}} | |||
|
39 | %endif | |||
|
40 | </h2> | |||
|
41 | </div> | |||
|
42 | <div class="fields panel-body"> | |||
|
43 | ${h.secure_form(request.url)} | |||
|
44 | <div class="form"> | |||
|
45 | %for node in schema: | |||
|
46 | <% label_css_class = ("label-checkbox" if (node.widget == "bool") else "") %> | |||
|
47 | <div class="field"> | |||
|
48 | <div class="label ${label_css_class}"><label for="${node.name}">${node.title}</label></div> | |||
|
49 | <div class="input"> | |||
|
50 | %if node.widget in ["string", "int", "unicode"]: | |||
|
51 | ${h.text(node.name, defaults.get(node.name), class_="medium", placeholder=hasattr(node, 'placeholder') and node.placeholder or '')} | |||
|
52 | %elif node.widget in ["text"]: | |||
|
53 | ${h.textarea(node.name, defaults.get(node.name), class_="medium", placeholder=hasattr(node, 'placeholder') and node.placeholder or '')} | |||
|
54 | %elif node.widget == "password": | |||
|
55 | ${h.password(node.name, defaults.get(node.name), class_="medium")} | |||
|
56 | %elif node.widget == "bool": | |||
|
57 | <div class="checkbox">${h.checkbox(node.name, True, checked=defaults.get(node.name))}</div> | |||
|
58 | %elif node.widget == "select": | |||
|
59 | ${h.select(node.name, defaults.get(node.name), node.choices)} | |||
|
60 | %elif node.widget == "checkbox_list": | |||
|
61 | %for i, choice in enumerate(node.choices): | |||
|
62 | <% | |||
|
63 | name, value = choice, choice | |||
|
64 | if isinstance(choice, tuple): | |||
|
65 | choice, name = choice | |||
|
66 | %> | |||
|
67 | <div> | |||
|
68 | <input id="${node.name}-${choice}" | |||
|
69 | name="${node.name}" | |||
|
70 | value="${value}" | |||
|
71 | type="checkbox" | |||
|
72 | ${value in defaults.get(node.name, []) and 'checked' or ''}> | |||
|
73 | <label for="${node.name}-${value}"> | |||
|
74 | ${name} | |||
|
75 | </label> | |||
|
76 | </div> | |||
|
77 | %endfor | |||
|
78 | %elif node.widget == "readonly": | |||
|
79 | ${node.default} | |||
|
80 | %else: | |||
|
81 | This field is of type ${node.typ}, which cannot be displayed. Must be one of [string|int|bool|select|password|text|checkbox_list]. | |||
|
82 | %endif | |||
|
83 | %if node.name in errors: | |||
|
84 | <span class="error-message">${errors.get(node.name)}</span> | |||
|
85 | <br /> | |||
|
86 | %endif | |||
|
87 | <p class="help-block">${node.description}</p> | |||
|
88 | </div> | |||
|
89 | </div> | |||
|
90 | %endfor | |||
|
91 | ||||
|
92 | ## Allow derived templates to add something below the form | |||
|
93 | ## input fields | |||
|
94 | %if hasattr(next, 'below_form_fields'): | |||
|
95 | ${next.below_form_fields()} | |||
|
96 | %endif | |||
|
97 | ||||
|
98 | <div class="buttons"> | |||
|
99 | ${h.submit('save',_('Save'),class_="btn")} | |||
|
100 | %if integration: | |||
|
101 | ${h.submit('delete',_('Delete'),class_="btn btn-danger")} | |||
|
102 | %endif | |||
|
103 | </div> | |||
|
104 | ||||
|
105 | </div> | |||
|
106 | ${h.end_form()} | |||
|
107 | </div> | |||
|
108 | </div> No newline at end of file |
@@ -0,0 +1,147 b'' | |||||
|
1 | ## -*- coding: utf-8 -*- | |||
|
2 | <%inherit file="base.html"/> | |||
|
3 | ||||
|
4 | <%def name="breadcrumbs_links()"> | |||
|
5 | %if c.repo: | |||
|
6 | ${h.link_to('Settings',h.url('edit_repo', repo_name=c.repo.repo_name))} | |||
|
7 | %else: | |||
|
8 | ${h.link_to(_('Admin'),h.url('admin_home'))} | |||
|
9 | » | |||
|
10 | ${h.link_to(_('Settings'),h.url('admin_settings'))} | |||
|
11 | %endif | |||
|
12 | %if current_IntegrationType: | |||
|
13 | » | |||
|
14 | %if c.repo: | |||
|
15 | ${h.link_to(_('Integrations'), | |||
|
16 | request.route_url(route_name='repo_integrations_home', | |||
|
17 | repo_name=c.repo.repo_name))} | |||
|
18 | %else: | |||
|
19 | ${h.link_to(_('Integrations'), | |||
|
20 | request.route_url(route_name='global_integrations_home'))} | |||
|
21 | %endif | |||
|
22 | » | |||
|
23 | ${current_IntegrationType.display_name} | |||
|
24 | %else: | |||
|
25 | » | |||
|
26 | ${_('Integrations')} | |||
|
27 | %endif | |||
|
28 | </%def> | |||
|
29 | <div class="panel panel-default"> | |||
|
30 | <div class="panel-heading"> | |||
|
31 | <h3 class="panel-title">${_('Create new integration')}</h3> | |||
|
32 | </div> | |||
|
33 | <div class="panel-body"> | |||
|
34 | %if not available_integrations: | |||
|
35 | No integrations available | |||
|
36 | %else: | |||
|
37 | %for integration in available_integrations: | |||
|
38 | <% | |||
|
39 | if c.repo: | |||
|
40 | create_url = request.route_url('repo_integrations_create', | |||
|
41 | repo_name=c.repo.repo_name, | |||
|
42 | integration=integration) | |||
|
43 | else: | |||
|
44 | create_url = request.route_url('global_integrations_create', | |||
|
45 | integration=integration) | |||
|
46 | %> | |||
|
47 | <a href="${create_url}" class="btn"> | |||
|
48 | ${integration} | |||
|
49 | </a> | |||
|
50 | %endfor | |||
|
51 | %endif | |||
|
52 | </div> | |||
|
53 | </div> | |||
|
54 | <div class="panel panel-default"> | |||
|
55 | <div class="panel-heading"> | |||
|
56 | <h3 class="panel-title">${_('Current integrations')}</h3> | |||
|
57 | </div> | |||
|
58 | <div class="panel-body"> | |||
|
59 | <table class="rctable issuetracker"> | |||
|
60 | <thead> | |||
|
61 | <tr> | |||
|
62 | <th>${_('Enabled')}</th> | |||
|
63 | <th>${_('Description')}</th> | |||
|
64 | <th>${_('Type')}</th> | |||
|
65 | <th>${_('Actions')}</th> | |||
|
66 | <th ></th> | |||
|
67 | </tr> | |||
|
68 | </thead> | |||
|
69 | <tbody> | |||
|
70 | ||||
|
71 | %for integration_type, integrations in sorted(current_integrations.items()): | |||
|
72 | %for integration in sorted(integrations, key=lambda x: x.name): | |||
|
73 | <tr id="integration_${integration.integration_id}"> | |||
|
74 | <td class="td-enabled"> | |||
|
75 | %if integration.enabled: | |||
|
76 | <div class="flag_status approved pull-left"></div> | |||
|
77 | %else: | |||
|
78 | <div class="flag_status rejected pull-left"></div> | |||
|
79 | %endif | |||
|
80 | </td> | |||
|
81 | <td class="td-description"> | |||
|
82 | ${integration.name} | |||
|
83 | </td> | |||
|
84 | <td class="td-regex"> | |||
|
85 | ${integration.integration_type} | |||
|
86 | </td> | |||
|
87 | <td class="td-action"> | |||
|
88 | %if integration_type not in available_integrations: | |||
|
89 | ${_('unknown integration')} | |||
|
90 | %else: | |||
|
91 | <% | |||
|
92 | if c.repo: | |||
|
93 | edit_url = request.route_url('repo_integrations_edit', | |||
|
94 | repo_name=c.repo.repo_name, | |||
|
95 | integration=integration.integration_type, | |||
|
96 | integration_id=integration.integration_id) | |||
|
97 | else: | |||
|
98 | edit_url = request.route_url('global_integrations_edit', | |||
|
99 | integration=integration.integration_type, | |||
|
100 | integration_id=integration.integration_id) | |||
|
101 | %> | |||
|
102 | <div class="grid_edit"> | |||
|
103 | <a href="${edit_url}">${_('Edit')}</a> | |||
|
104 | </div> | |||
|
105 | <div class="grid_delete"> | |||
|
106 | <a href="${edit_url}" | |||
|
107 | class="btn btn-link btn-danger delete_integration_entry" | |||
|
108 | data-desc="${integration.name}" | |||
|
109 | data-uid="${integration.integration_id}"> | |||
|
110 | ${_('Delete')} | |||
|
111 | </a> | |||
|
112 | </div> | |||
|
113 | %endif | |||
|
114 | </td> | |||
|
115 | </tr> | |||
|
116 | %endfor | |||
|
117 | %endfor | |||
|
118 | <tr id="last-row"></tr> | |||
|
119 | </tbody> | |||
|
120 | </table> | |||
|
121 | </div> | |||
|
122 | </div> | |||
|
123 | <script type="text/javascript"> | |||
|
124 | var delete_integration = function(entry) { | |||
|
125 | if (confirm("Confirm to remove this integration: "+$(entry).data('desc'))) { | |||
|
126 | var request = $.ajax({ | |||
|
127 | type: "POST", | |||
|
128 | url: $(entry).attr('href'), | |||
|
129 | data: { | |||
|
130 | 'delete': 'delete', | |||
|
131 | 'csrf_token': CSRF_TOKEN | |||
|
132 | }, | |||
|
133 | success: function(){ | |||
|
134 | location.reload(); | |||
|
135 | }, | |||
|
136 | error: function(data, textStatus, errorThrown){ | |||
|
137 | alert("Error while deleting entry.\nError code {0} ({1}). URL: {2}".format(data.status,data.statusText,$(entry)[0].url)); | |||
|
138 | } | |||
|
139 | }); | |||
|
140 | }; | |||
|
141 | } | |||
|
142 | ||||
|
143 | $('.delete_integration_entry').on('click', function(e){ | |||
|
144 | e.preventDefault(); | |||
|
145 | delete_integration(this); | |||
|
146 | }); | |||
|
147 | </script> No newline at end of file |
@@ -831,19 +831,6 b'' | |||||
831 | license = [ pkgs.lib.licenses.bsdOriginal ]; |
|
831 | license = [ pkgs.lib.licenses.bsdOriginal ]; | |
832 | }; |
|
832 | }; | |
833 | }; |
|
833 | }; | |
834 | marshmallow = super.buildPythonPackage { |
|
|||
835 | name = "marshmallow-2.8.0"; |
|
|||
836 | buildInputs = with self; []; |
|
|||
837 | doCheck = false; |
|
|||
838 | propagatedBuildInputs = with self; []; |
|
|||
839 | src = fetchurl { |
|
|||
840 | url = "https://pypi.python.org/packages/4f/64/9393d77847d86981c84b88bbea627d30ff71b5ab1402636b366f73737817/marshmallow-2.8.0.tar.gz"; |
|
|||
841 | md5 = "204513fc123a3d9bdd7b63b9747f02e6"; |
|
|||
842 | }; |
|
|||
843 | meta = { |
|
|||
844 | license = [ pkgs.lib.licenses.mit ]; |
|
|||
845 | }; |
|
|||
846 | }; |
|
|||
847 | mccabe = super.buildPythonPackage { |
|
834 | mccabe = super.buildPythonPackage { | |
848 | name = "mccabe-0.3"; |
|
835 | name = "mccabe-0.3"; | |
849 | buildInputs = with self; []; |
|
836 | buildInputs = with self; []; | |
@@ -1368,7 +1355,7 b'' | |||||
1368 | name = "rhodecode-enterprise-ce-4.3.0"; |
|
1355 | name = "rhodecode-enterprise-ce-4.3.0"; | |
1369 | buildInputs = with self; [WebTest configobj cssselect flake8 lxml mock pytest pytest-cov pytest-runner]; |
|
1356 | buildInputs = with self; [WebTest configobj cssselect flake8 lxml mock pytest pytest-cov pytest-runner]; | |
1370 | doCheck = true; |
|
1357 | doCheck = true; | |
1371 |
propagatedBuildInputs = with self; [Babel Beaker FormEncode Mako Markdown MarkupSafe MySQL-python Paste PasteDeploy PasteScript Pygments Pylons Pyro4 Routes SQLAlchemy Tempita URLObject WebError WebHelpers WebHelpers2 WebOb WebTest Whoosh alembic amqplib anyjson appenlight-client authomatic backport-ipaddress celery colander decorator docutils gunicorn infrae.cache ipython iso8601 kombu |
|
1358 | propagatedBuildInputs = with self; [Babel Beaker FormEncode Mako Markdown MarkupSafe MySQL-python Paste PasteDeploy PasteScript Pygments Pylons Pyro4 Routes SQLAlchemy Tempita URLObject WebError WebHelpers WebHelpers2 WebOb WebTest Whoosh alembic amqplib anyjson appenlight-client authomatic backport-ipaddress celery colander decorator docutils gunicorn infrae.cache ipython iso8601 kombu msgpack-python packaging psycopg2 py-gfm pycrypto pycurl pyparsing pyramid pyramid-debugtoolbar pyramid-mako pyramid-beaker pysqlite python-dateutil python-ldap python-memcached python-pam recaptcha-client repoze.lru requests simplejson waitress zope.cachedescriptors dogpile.cache dogpile.core psutil py-bcrypt]; | |
1372 | src = ./.; |
|
1359 | src = ./.; | |
1373 | meta = { |
|
1360 | meta = { | |
1374 | license = [ { fullName = "AGPLv3, and Commercial License"; } ]; |
|
1361 | license = [ { fullName = "AGPLv3, and Commercial License"; } ]; |
@@ -84,7 +84,6 b' iso8601==0.1.11' | |||||
84 | itsdangerous==0.24 |
|
84 | itsdangerous==0.24 | |
85 | kombu==1.5.1 |
|
85 | kombu==1.5.1 | |
86 | lxml==3.4.4 |
|
86 | lxml==3.4.4 | |
87 | marshmallow==2.8.0 |
|
|||
88 | mccabe==0.3 |
|
87 | mccabe==0.3 | |
89 | meld3==1.0.2 |
|
88 | meld3==1.0.2 | |
90 | mock==1.0.1 |
|
89 | mock==1.0.1 |
@@ -47,7 +47,7 b' CONFIG = {}' | |||||
47 | EXTENSIONS = {} |
|
47 | EXTENSIONS = {} | |
48 |
|
48 | |||
49 | __version__ = ('.'.join((str(each) for each in VERSION[:3]))) |
|
49 | __version__ = ('.'.join((str(each) for each in VERSION[:3]))) | |
50 |
__dbversion__ = 5 |
|
50 | __dbversion__ = 55 # defines current db version for migrations | |
51 | __platform__ = platform.system() |
|
51 | __platform__ = platform.system() | |
52 | __license__ = 'AGPLv3, and Commercial License' |
|
52 | __license__ = 'AGPLv3, and Commercial License' | |
53 | __author__ = 'RhodeCode GmbH' |
|
53 | __author__ = 'RhodeCode GmbH' |
@@ -80,6 +80,8 b' class NavigationRegistry(object):' | |||||
80 | NavEntry('email', _('Email'), 'admin_settings_email'), |
|
80 | NavEntry('email', _('Email'), 'admin_settings_email'), | |
81 | NavEntry('hooks', _('Hooks'), 'admin_settings_hooks'), |
|
81 | NavEntry('hooks', _('Hooks'), 'admin_settings_hooks'), | |
82 | NavEntry('search', _('Full Text Search'), 'admin_settings_search'), |
|
82 | NavEntry('search', _('Full Text Search'), 'admin_settings_search'), | |
|
83 | NavEntry('integrations', _('Integrations'), | |||
|
84 | 'global_integrations_home', pyramid=True), | |||
83 | NavEntry('system', _('System Info'), 'admin_settings_system'), |
|
85 | NavEntry('system', _('System Info'), 'admin_settings_system'), | |
84 | NavEntry('open_source', _('Open Source Licenses'), |
|
86 | NavEntry('open_source', _('Open Source Licenses'), | |
85 | 'admin_settings_open_source', pyramid=True), |
|
87 | 'admin_settings_open_source', pyramid=True), |
@@ -213,6 +213,7 b' def includeme(config):' | |||||
213 | config.include('pyramid_beaker') |
|
213 | config.include('pyramid_beaker') | |
214 | config.include('rhodecode.admin') |
|
214 | config.include('rhodecode.admin') | |
215 | config.include('rhodecode.authentication') |
|
215 | config.include('rhodecode.authentication') | |
|
216 | config.include('rhodecode.integrations') | |||
216 | config.include('rhodecode.login') |
|
217 | config.include('rhodecode.login') | |
217 | config.include('rhodecode.tweens') |
|
218 | config.include('rhodecode.tweens') | |
218 | config.include('rhodecode.api') |
|
219 | config.include('rhodecode.api') |
@@ -51,6 +51,19 b' URL_NAME_REQUIREMENTS = {' | |||||
51 | } |
|
51 | } | |
52 |
|
52 | |||
53 |
|
53 | |||
|
54 | def add_route_requirements(route_path, requirements): | |||
|
55 | """ | |||
|
56 | Adds regex requirements to pyramid routes using a mapping dict | |||
|
57 | ||||
|
58 | >>> add_route_requirements('/{action}/{id}', {'id': r'\d+'}) | |||
|
59 | '/{action}/{id:\d+}' | |||
|
60 | ||||
|
61 | """ | |||
|
62 | for key, regex in requirements.items(): | |||
|
63 | route_path = route_path.replace('{%s}' % key, '{%s:%s}' % (key, regex)) | |||
|
64 | return route_path | |||
|
65 | ||||
|
66 | ||||
54 | class JSRoutesMapper(Mapper): |
|
67 | class JSRoutesMapper(Mapper): | |
55 | """ |
|
68 | """ | |
56 | Wrapper for routes.Mapper to make pyroutes compatible url definitions |
|
69 | Wrapper for routes.Mapper to make pyroutes compatible url definitions |
@@ -19,7 +19,7 b'' | |||||
19 | from pyramid.threadlocal import get_current_registry |
|
19 | from pyramid.threadlocal import get_current_registry | |
20 |
|
20 | |||
21 |
|
21 | |||
22 | def trigger(event): |
|
22 | def trigger(event, registry=None): | |
23 | """ |
|
23 | """ | |
24 | Helper method to send an event. This wraps the pyramid logic to send an |
|
24 | Helper method to send an event. This wraps the pyramid logic to send an | |
25 | event. |
|
25 | event. | |
@@ -27,9 +27,18 b' def trigger(event):' | |||||
27 | # For the first step we are using pyramids thread locals here. If the |
|
27 | # For the first step we are using pyramids thread locals here. If the | |
28 | # event mechanism works out as a good solution we should think about |
|
28 | # event mechanism works out as a good solution we should think about | |
29 | # passing the registry as an argument to get rid of it. |
|
29 | # passing the registry as an argument to get rid of it. | |
30 | registry = get_current_registry() |
|
30 | registry = registry or get_current_registry() | |
31 | registry.notify(event) |
|
31 | registry.notify(event) | |
32 |
|
32 | |||
|
33 | # Until we can work around the problem that VCS operations do not have a | |||
|
34 | # pyramid context to work with, we send the events to integrations directly | |||
|
35 | ||||
|
36 | # Later it will be possible to use regular pyramid subscribers ie: | |||
|
37 | # config.add_subscriber(integrations_event_handler, RhodecodeEvent) | |||
|
38 | from rhodecode.integrations import integrations_event_handler | |||
|
39 | if isinstance(event, RhodecodeEvent): | |||
|
40 | integrations_event_handler(event) | |||
|
41 | ||||
33 |
|
42 | |||
34 | from rhodecode.events.base import RhodecodeEvent |
|
43 | from rhodecode.events.base import RhodecodeEvent | |
35 |
|
44 | |||
@@ -41,8 +50,8 b' from rhodecode.events.user import (' | |||||
41 |
|
50 | |||
42 | from rhodecode.events.repo import ( |
|
51 | from rhodecode.events.repo import ( | |
43 | RepoEvent, |
|
52 | RepoEvent, | |
44 |
RepoPreCreateEvent, RepoCreate |
|
53 | RepoPreCreateEvent, RepoCreateEvent, | |
45 |
RepoPreDeleteEvent, RepoDelete |
|
54 | RepoPreDeleteEvent, RepoDeleteEvent, | |
46 | RepoPrePushEvent, RepoPushEvent, |
|
55 | RepoPrePushEvent, RepoPushEvent, | |
47 | RepoPrePullEvent, RepoPullEvent, |
|
56 | RepoPrePullEvent, RepoPullEvent, | |
48 | ) |
|
57 | ) | |
@@ -54,4 +63,4 b' from rhodecode.events.pullrequest import' | |||||
54 | PullRequestReviewEvent, |
|
63 | PullRequestReviewEvent, | |
55 | PullRequestMergeEvent, |
|
64 | PullRequestMergeEvent, | |
56 | PullRequestCloseEvent, |
|
65 | PullRequestCloseEvent, | |
57 | ) No newline at end of file |
|
66 | ) |
@@ -17,7 +17,6 b'' | |||||
17 | # and proprietary license terms, please see https://rhodecode.com/licenses/ |
|
17 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |
18 |
|
18 | |||
19 | from datetime import datetime |
|
19 | from datetime import datetime | |
20 | from marshmallow import Schema, fields |
|
|||
21 | from pyramid.threadlocal import get_current_request |
|
20 | from pyramid.threadlocal import get_current_request | |
22 | from rhodecode.lib.utils2 import AttributeDict |
|
21 | from rhodecode.lib.utils2 import AttributeDict | |
23 |
|
22 | |||
@@ -28,29 +27,10 b' SYSTEM_USER = AttributeDict(dict(' | |||||
28 | )) |
|
27 | )) | |
29 |
|
28 | |||
30 |
|
29 | |||
31 | class UserSchema(Schema): |
|
|||
32 | """ |
|
|||
33 | Marshmallow schema for a user |
|
|||
34 | """ |
|
|||
35 | username = fields.Str() |
|
|||
36 |
|
||||
37 |
|
||||
38 | class RhodecodeEventSchema(Schema): |
|
|||
39 | """ |
|
|||
40 | Marshmallow schema for a rhodecode event |
|
|||
41 | """ |
|
|||
42 | utc_timestamp = fields.DateTime() |
|
|||
43 | actor = fields.Nested(UserSchema) |
|
|||
44 | actor_ip = fields.Str() |
|
|||
45 | name = fields.Str() |
|
|||
46 |
|
||||
47 |
|
||||
48 | class RhodecodeEvent(object): |
|
30 | class RhodecodeEvent(object): | |
49 | """ |
|
31 | """ | |
50 | Base event class for all Rhodecode events |
|
32 | Base event class for all Rhodecode events | |
51 | """ |
|
33 | """ | |
52 | MarshmallowSchema = RhodecodeEventSchema |
|
|||
53 |
|
||||
54 | def __init__(self): |
|
34 | def __init__(self): | |
55 | self.request = get_current_request() |
|
35 | self.request = get_current_request() | |
56 | self.utc_timestamp = datetime.utcnow() |
|
36 | self.utc_timestamp = datetime.utcnow() | |
@@ -68,4 +48,12 b' class RhodecodeEvent(object):' | |||||
68 | return '<no ip available>' |
|
48 | return '<no ip available>' | |
69 |
|
49 | |||
70 | def as_dict(self): |
|
50 | def as_dict(self): | |
71 | return self.MarshmallowSchema().dump(self).data |
|
51 | data = { | |
|
52 | 'name': self.name, | |||
|
53 | 'utc_timestamp': self.utc_timestamp, | |||
|
54 | 'actor_ip': self.actor_ip, | |||
|
55 | 'actor': { | |||
|
56 | 'username': self.actor.username | |||
|
57 | } | |||
|
58 | } | |||
|
59 | return data No newline at end of file |
@@ -16,44 +16,39 b'' | |||||
16 | # RhodeCode Enterprise Edition, including its added features, Support services, |
|
16 | # RhodeCode Enterprise Edition, including its added features, Support services, | |
17 | # and proprietary license terms, please see https://rhodecode.com/licenses/ |
|
17 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |
18 |
|
18 | |||
19 | from marshmallow import Schema, fields |
|
|||
20 |
|
19 | |||
|
20 | from rhodecode.translation import lazy_ugettext | |||
21 | from rhodecode.events.repo import RepoEvent |
|
21 | from rhodecode.events.repo import RepoEvent | |
22 |
|
22 | |||
23 |
|
23 | |||
24 | def get_pull_request_url(pull_request): |
|
|||
25 | from rhodecode.model.pull_request import PullRequestModel |
|
|||
26 | return PullRequestModel().get_url(pull_request) |
|
|||
27 |
|
||||
28 |
|
||||
29 | class PullRequestSchema(Schema): |
|
|||
30 | """ |
|
|||
31 | Marshmallow schema for a pull request |
|
|||
32 | """ |
|
|||
33 | pull_request_id = fields.Integer() |
|
|||
34 | url = fields.Function(get_pull_request_url) |
|
|||
35 | title = fields.Str() |
|
|||
36 |
|
||||
37 |
|
||||
38 | class PullRequestEventSchema(RepoEvent.MarshmallowSchema): |
|
|||
39 | """ |
|
|||
40 | Marshmallow schema for a pull request event |
|
|||
41 | """ |
|
|||
42 | pullrequest = fields.Nested(PullRequestSchema) |
|
|||
43 |
|
||||
44 |
|
||||
45 | class PullRequestEvent(RepoEvent): |
|
24 | class PullRequestEvent(RepoEvent): | |
46 | """ |
|
25 | """ | |
47 | Base class for pull request events. |
|
26 | Base class for pull request events. | |
48 |
|
27 | |||
49 | :param pullrequest: a :class:`PullRequest` instance |
|
28 | :param pullrequest: a :class:`PullRequest` instance | |
50 | """ |
|
29 | """ | |
51 | MarshmallowSchema = PullRequestEventSchema |
|
|||
52 |
|
30 | |||
53 | def __init__(self, pullrequest): |
|
31 | def __init__(self, pullrequest): | |
54 | super(PullRequestEvent, self).__init__(pullrequest.target_repo) |
|
32 | super(PullRequestEvent, self).__init__(pullrequest.target_repo) | |
55 | self.pullrequest = pullrequest |
|
33 | self.pullrequest = pullrequest | |
56 |
|
34 | |||
|
35 | def as_dict(self): | |||
|
36 | from rhodecode.model.pull_request import PullRequestModel | |||
|
37 | data = super(PullRequestEvent, self).as_dict() | |||
|
38 | ||||
|
39 | commits = self._commits_as_dict(self.pullrequest.revisions) | |||
|
40 | issues = self._issues_as_dict(commits) | |||
|
41 | ||||
|
42 | data.update({ | |||
|
43 | 'pullrequest': { | |||
|
44 | 'title': self.pullrequest.title, | |||
|
45 | 'issues': issues, | |||
|
46 | 'pull_request_id': self.pullrequest.pull_request_id, | |||
|
47 | 'url': PullRequestModel().get_url(self.pullrequest) | |||
|
48 | } | |||
|
49 | }) | |||
|
50 | return data | |||
|
51 | ||||
57 |
|
52 | |||
58 | class PullRequestCreateEvent(PullRequestEvent): |
|
53 | class PullRequestCreateEvent(PullRequestEvent): | |
59 | """ |
|
54 | """ | |
@@ -61,6 +56,7 b' class PullRequestCreateEvent(PullRequest' | |||||
61 | request is created. |
|
56 | request is created. | |
62 | """ |
|
57 | """ | |
63 | name = 'pullrequest-create' |
|
58 | name = 'pullrequest-create' | |
|
59 | display_name = lazy_ugettext('pullrequest created') | |||
64 |
|
60 | |||
65 |
|
61 | |||
66 | class PullRequestCloseEvent(PullRequestEvent): |
|
62 | class PullRequestCloseEvent(PullRequestEvent): | |
@@ -69,6 +65,7 b' class PullRequestCloseEvent(PullRequestE' | |||||
69 | request is closed. |
|
65 | request is closed. | |
70 | """ |
|
66 | """ | |
71 | name = 'pullrequest-close' |
|
67 | name = 'pullrequest-close' | |
|
68 | display_name = lazy_ugettext('pullrequest closed') | |||
72 |
|
69 | |||
73 |
|
70 | |||
74 | class PullRequestUpdateEvent(PullRequestEvent): |
|
71 | class PullRequestUpdateEvent(PullRequestEvent): | |
@@ -77,6 +74,7 b' class PullRequestUpdateEvent(PullRequest' | |||||
77 | request is updated. |
|
74 | request is updated. | |
78 | """ |
|
75 | """ | |
79 | name = 'pullrequest-update' |
|
76 | name = 'pullrequest-update' | |
|
77 | display_name = lazy_ugettext('pullrequest updated') | |||
80 |
|
78 | |||
81 |
|
79 | |||
82 | class PullRequestMergeEvent(PullRequestEvent): |
|
80 | class PullRequestMergeEvent(PullRequestEvent): | |
@@ -85,6 +83,7 b' class PullRequestMergeEvent(PullRequestE' | |||||
85 | request is merged. |
|
83 | request is merged. | |
86 | """ |
|
84 | """ | |
87 | name = 'pullrequest-merge' |
|
85 | name = 'pullrequest-merge' | |
|
86 | display_name = lazy_ugettext('pullrequest merged') | |||
88 |
|
87 | |||
89 |
|
88 | |||
90 | class PullRequestReviewEvent(PullRequestEvent): |
|
89 | class PullRequestReviewEvent(PullRequestEvent): | |
@@ -93,5 +92,6 b' class PullRequestReviewEvent(PullRequest' | |||||
93 | request is reviewed. |
|
92 | request is reviewed. | |
94 | """ |
|
93 | """ | |
95 | name = 'pullrequest-review' |
|
94 | name = 'pullrequest-review' | |
|
95 | display_name = lazy_ugettext('pullrequest reviewed') | |||
96 |
|
96 | |||
97 |
|
97 |
@@ -16,31 +16,13 b'' | |||||
16 | # RhodeCode Enterprise Edition, including its added features, Support services, |
|
16 | # RhodeCode Enterprise Edition, including its added features, Support services, | |
17 | # and proprietary license terms, please see https://rhodecode.com/licenses/ |
|
17 | # and proprietary license terms, please see https://rhodecode.com/licenses/ | |
18 |
|
18 | |||
19 | from marshmallow import Schema, fields |
|
19 | import logging | |
20 |
|
20 | |||
|
21 | from rhodecode.translation import lazy_ugettext | |||
21 | from rhodecode.model.db import User, Repository, Session |
|
22 | from rhodecode.model.db import User, Repository, Session | |
22 | from rhodecode.events.base import RhodecodeEvent |
|
23 | from rhodecode.events.base import RhodecodeEvent | |
23 |
|
24 | |||
24 |
|
25 | log = logging.getLogger() | ||
25 | def get_repo_url(repo): |
|
|||
26 | from rhodecode.model.repo import RepoModel |
|
|||
27 | return RepoModel().get_url(repo) |
|
|||
28 |
|
||||
29 |
|
||||
30 | class RepositorySchema(Schema): |
|
|||
31 | """ |
|
|||
32 | Marshmallow schema for a repository |
|
|||
33 | """ |
|
|||
34 | repo_id = fields.Integer() |
|
|||
35 | repo_name = fields.Str() |
|
|||
36 | url = fields.Function(get_repo_url) |
|
|||
37 |
|
||||
38 |
|
||||
39 | class RepoEventSchema(RhodecodeEvent.MarshmallowSchema): |
|
|||
40 | """ |
|
|||
41 | Marshmallow schema for a repository event |
|
|||
42 | """ |
|
|||
43 | repo = fields.Nested(RepositorySchema) |
|
|||
44 |
|
26 | |||
45 |
|
27 | |||
46 | class RepoEvent(RhodecodeEvent): |
|
28 | class RepoEvent(RhodecodeEvent): | |
@@ -49,12 +31,68 b' class RepoEvent(RhodecodeEvent):' | |||||
49 |
|
31 | |||
50 | :param repo: a :class:`Repository` instance |
|
32 | :param repo: a :class:`Repository` instance | |
51 | """ |
|
33 | """ | |
52 | MarshmallowSchema = RepoEventSchema |
|
|||
53 |
|
34 | |||
54 | def __init__(self, repo): |
|
35 | def __init__(self, repo): | |
55 | super(RepoEvent, self).__init__() |
|
36 | super(RepoEvent, self).__init__() | |
56 | self.repo = repo |
|
37 | self.repo = repo | |
57 |
|
38 | |||
|
39 | def as_dict(self): | |||
|
40 | from rhodecode.model.repo import RepoModel | |||
|
41 | data = super(RepoEvent, self).as_dict() | |||
|
42 | data.update({ | |||
|
43 | 'repo': { | |||
|
44 | 'repo_id': self.repo.repo_id, | |||
|
45 | 'repo_name': self.repo.repo_name, | |||
|
46 | 'url': RepoModel().get_url(self.repo) | |||
|
47 | } | |||
|
48 | }) | |||
|
49 | return data | |||
|
50 | ||||
|
51 | def _commits_as_dict(self, commit_ids): | |||
|
52 | """ Helper function to serialize commit_ids """ | |||
|
53 | ||||
|
54 | from rhodecode.lib.utils2 import extract_mentioned_users | |||
|
55 | from rhodecode.model.db import Repository | |||
|
56 | from rhodecode.lib import helpers as h | |||
|
57 | from rhodecode.lib.helpers import process_patterns | |||
|
58 | from rhodecode.lib.helpers import urlify_commit_message | |||
|
59 | if not commit_ids: | |||
|
60 | return [] | |||
|
61 | commits = [] | |||
|
62 | reviewers = [] | |||
|
63 | vcs_repo = self.repo.scm_instance(cache=False) | |||
|
64 | try: | |||
|
65 | for commit_id in commit_ids: | |||
|
66 | cs = vcs_repo.get_changeset(commit_id) | |||
|
67 | cs_data = cs.__json__() | |||
|
68 | cs_data['mentions'] = extract_mentioned_users(cs_data['message']) | |||
|
69 | cs_data['reviewers'] = reviewers | |||
|
70 | cs_data['url'] = h.url('changeset_home', | |||
|
71 | repo_name=self.repo.repo_name, | |||
|
72 | revision=cs_data['raw_id'], | |||
|
73 | qualified=True | |||
|
74 | ) | |||
|
75 | urlified_message, issues_data = process_patterns( | |||
|
76 | cs_data['message'], self.repo.repo_name) | |||
|
77 | cs_data['issues'] = issues_data | |||
|
78 | cs_data['message_html'] = urlify_commit_message(cs_data['message'], | |||
|
79 | self.repo.repo_name) | |||
|
80 | commits.append(cs_data) | |||
|
81 | except Exception as e: | |||
|
82 | log.exception(e) | |||
|
83 | # we don't send any commits when crash happens, only full list matters | |||
|
84 | # we short circuit then. | |||
|
85 | return [] | |||
|
86 | return commits | |||
|
87 | ||||
|
88 | def _issues_as_dict(self, commits): | |||
|
89 | """ Helper function to serialize issues from commits """ | |||
|
90 | issues = {} | |||
|
91 | for commit in commits: | |||
|
92 | for issue in commit['issues']: | |||
|
93 | issues[issue['id']] = issue | |||
|
94 | return issues | |||
|
95 | ||||
58 |
|
96 | |||
59 | class RepoPreCreateEvent(RepoEvent): |
|
97 | class RepoPreCreateEvent(RepoEvent): | |
60 | """ |
|
98 | """ | |
@@ -62,14 +100,16 b' class RepoPreCreateEvent(RepoEvent):' | |||||
62 | created. |
|
100 | created. | |
63 | """ |
|
101 | """ | |
64 | name = 'repo-pre-create' |
|
102 | name = 'repo-pre-create' | |
|
103 | display_name = lazy_ugettext('repository pre create') | |||
65 |
|
104 | |||
66 |
|
105 | |||
67 |
class RepoCreate |
|
106 | class RepoCreateEvent(RepoEvent): | |
68 | """ |
|
107 | """ | |
69 | An instance of this class is emitted as an :term:`event` whenever a repo is |
|
108 | An instance of this class is emitted as an :term:`event` whenever a repo is | |
70 | created. |
|
109 | created. | |
71 | """ |
|
110 | """ | |
72 |
name = 'repo-create |
|
111 | name = 'repo-create' | |
|
112 | display_name = lazy_ugettext('repository created') | |||
73 |
|
113 | |||
74 |
|
114 | |||
75 | class RepoPreDeleteEvent(RepoEvent): |
|
115 | class RepoPreDeleteEvent(RepoEvent): | |
@@ -78,14 +118,16 b' class RepoPreDeleteEvent(RepoEvent):' | |||||
78 | created. |
|
118 | created. | |
79 | """ |
|
119 | """ | |
80 | name = 'repo-pre-delete' |
|
120 | name = 'repo-pre-delete' | |
|
121 | display_name = lazy_ugettext('repository pre delete') | |||
81 |
|
122 | |||
82 |
|
123 | |||
83 |
class RepoDelete |
|
124 | class RepoDeleteEvent(RepoEvent): | |
84 | """ |
|
125 | """ | |
85 | An instance of this class is emitted as an :term:`event` whenever a repo is |
|
126 | An instance of this class is emitted as an :term:`event` whenever a repo is | |
86 | created. |
|
127 | created. | |
87 | """ |
|
128 | """ | |
88 |
name = 'repo-delete |
|
129 | name = 'repo-delete' | |
|
130 | display_name = lazy_ugettext('repository deleted') | |||
89 |
|
131 | |||
90 |
|
132 | |||
91 | class RepoVCSEvent(RepoEvent): |
|
133 | class RepoVCSEvent(RepoEvent): | |
@@ -116,6 +158,7 b' class RepoPrePullEvent(RepoVCSEvent):' | |||||
116 | are pulled from a repo. |
|
158 | are pulled from a repo. | |
117 | """ |
|
159 | """ | |
118 | name = 'repo-pre-pull' |
|
160 | name = 'repo-pre-pull' | |
|
161 | display_name = lazy_ugettext('repository pre pull') | |||
119 |
|
162 | |||
120 |
|
163 | |||
121 | class RepoPullEvent(RepoVCSEvent): |
|
164 | class RepoPullEvent(RepoVCSEvent): | |
@@ -124,6 +167,7 b' class RepoPullEvent(RepoVCSEvent):' | |||||
124 | are pulled from a repo. |
|
167 | are pulled from a repo. | |
125 | """ |
|
168 | """ | |
126 | name = 'repo-pull' |
|
169 | name = 'repo-pull' | |
|
170 | display_name = lazy_ugettext('repository pull') | |||
127 |
|
171 | |||
128 |
|
172 | |||
129 | class RepoPrePushEvent(RepoVCSEvent): |
|
173 | class RepoPrePushEvent(RepoVCSEvent): | |
@@ -132,6 +176,7 b' class RepoPrePushEvent(RepoVCSEvent):' | |||||
132 | are pushed to a repo. |
|
176 | are pushed to a repo. | |
133 | """ |
|
177 | """ | |
134 | name = 'repo-pre-push' |
|
178 | name = 'repo-pre-push' | |
|
179 | display_name = lazy_ugettext('repository pre push') | |||
135 |
|
180 | |||
136 |
|
181 | |||
137 | class RepoPushEvent(RepoVCSEvent): |
|
182 | class RepoPushEvent(RepoVCSEvent): | |
@@ -142,8 +187,33 b' class RepoPushEvent(RepoVCSEvent):' | |||||
142 | :param extras: (optional) dict of data from proxied VCS actions |
|
187 | :param extras: (optional) dict of data from proxied VCS actions | |
143 | """ |
|
188 | """ | |
144 | name = 'repo-push' |
|
189 | name = 'repo-push' | |
|
190 | display_name = lazy_ugettext('repository push') | |||
145 |
|
191 | |||
146 | def __init__(self, repo_name, pushed_commit_ids, extras): |
|
192 | def __init__(self, repo_name, pushed_commit_ids, extras): | |
147 | super(RepoPushEvent, self).__init__(repo_name, extras) |
|
193 | super(RepoPushEvent, self).__init__(repo_name, extras) | |
148 | self.pushed_commit_ids = pushed_commit_ids |
|
194 | self.pushed_commit_ids = pushed_commit_ids | |
149 |
|
195 | |||
|
196 | def as_dict(self): | |||
|
197 | data = super(RepoPushEvent, self).as_dict() | |||
|
198 | branch_url = repo_url = data['repo']['url'] | |||
|
199 | ||||
|
200 | commits = self._commits_as_dict(self.pushed_commit_ids) | |||
|
201 | issues = self._issues_as_dict(commits) | |||
|
202 | ||||
|
203 | branches = set( | |||
|
204 | commit['branch'] for commit in commits if commit['branch']) | |||
|
205 | branches = [ | |||
|
206 | { | |||
|
207 | 'name': branch, | |||
|
208 | 'url': '{}/changelog?branch={}'.format( | |||
|
209 | data['repo']['url'], branch) | |||
|
210 | } | |||
|
211 | for branch in branches | |||
|
212 | ] | |||
|
213 | ||||
|
214 | data['push'] = { | |||
|
215 | 'commits': commits, | |||
|
216 | 'issues': issues, | |||
|
217 | 'branches': branches, | |||
|
218 | } | |||
|
219 | return data No newline at end of file |
@@ -18,6 +18,7 b'' | |||||
18 |
|
18 | |||
19 | from zope.interface import implementer |
|
19 | from zope.interface import implementer | |
20 |
|
20 | |||
|
21 | from rhodecode.translation import lazy_ugettext | |||
21 | from rhodecode.events.base import RhodecodeEvent |
|
22 | from rhodecode.events.base import RhodecodeEvent | |
22 | from rhodecode.events.interfaces import ( |
|
23 | from rhodecode.events.interfaces import ( | |
23 | IUserRegistered, IUserPreCreate, IUserPreUpdate) |
|
24 | IUserRegistered, IUserPreCreate, IUserPreUpdate) | |
@@ -29,6 +30,9 b' class UserRegistered(RhodecodeEvent):' | |||||
29 | An instance of this class is emitted as an :term:`event` whenever a user |
|
30 | An instance of this class is emitted as an :term:`event` whenever a user | |
30 | account is registered. |
|
31 | account is registered. | |
31 | """ |
|
32 | """ | |
|
33 | name = 'user-register' | |||
|
34 | display_name = lazy_ugettext('user registered') | |||
|
35 | ||||
32 | def __init__(self, user, session): |
|
36 | def __init__(self, user, session): | |
33 | self.user = user |
|
37 | self.user = user | |
34 | self.session = session |
|
38 | self.session = session | |
@@ -40,6 +44,9 b' class UserPreCreate(RhodecodeEvent):' | |||||
40 | An instance of this class is emitted as an :term:`event` before a new user |
|
44 | An instance of this class is emitted as an :term:`event` before a new user | |
41 | object is created. |
|
45 | object is created. | |
42 | """ |
|
46 | """ | |
|
47 | name = 'user-pre-create' | |||
|
48 | display_name = lazy_ugettext('user pre create') | |||
|
49 | ||||
43 | def __init__(self, user_data): |
|
50 | def __init__(self, user_data): | |
44 | self.user_data = user_data |
|
51 | self.user_data = user_data | |
45 |
|
52 | |||
@@ -50,6 +57,9 b' class UserPreUpdate(RhodecodeEvent):' | |||||
50 | An instance of this class is emitted as an :term:`event` before a user |
|
57 | An instance of this class is emitted as an :term:`event` before a user | |
51 | object is updated. |
|
58 | object is updated. | |
52 | """ |
|
59 | """ | |
|
60 | name = 'user-pre-update' | |||
|
61 | display_name = lazy_ugettext('user pre update') | |||
|
62 | ||||
53 | def __init__(self, user, user_data): |
|
63 | def __init__(self, user, user_data): | |
54 | self.user = user |
|
64 | self.user = user | |
55 | self.user_data = user_data |
|
65 | self.user_data = user_data |
@@ -44,7 +44,7 b' from pygments.formatters.html import Htm' | |||||
44 | from pygments import highlight as code_highlight |
|
44 | from pygments import highlight as code_highlight | |
45 | from pygments.lexers import ( |
|
45 | from pygments.lexers import ( | |
46 | get_lexer_by_name, get_lexer_for_filename, get_lexer_for_mimetype) |
|
46 | get_lexer_by_name, get_lexer_for_filename, get_lexer_for_mimetype) | |
47 | from pylons import url |
|
47 | from pylons import url as pylons_url | |
48 | from pylons.i18n.translation import _, ungettext |
|
48 | from pylons.i18n.translation import _, ungettext | |
49 | from pyramid.threadlocal import get_current_request |
|
49 | from pyramid.threadlocal import get_current_request | |
50 |
|
50 | |||
@@ -88,6 +88,22 b' log = logging.getLogger(__name__)' | |||||
88 | DEFAULT_USER = User.DEFAULT_USER |
|
88 | DEFAULT_USER = User.DEFAULT_USER | |
89 | DEFAULT_USER_EMAIL = User.DEFAULT_USER_EMAIL |
|
89 | DEFAULT_USER_EMAIL = User.DEFAULT_USER_EMAIL | |
90 |
|
90 | |||
|
91 | def url(*args, **kw): | |||
|
92 | return pylons_url(*args, **kw) | |||
|
93 | ||||
|
94 | def pylons_url_current(*args, **kw): | |||
|
95 | """ | |||
|
96 | This function overrides pylons.url.current() which returns the current | |||
|
97 | path so that it will also work from a pyramid only context. This | |||
|
98 | should be removed once port to pyramid is complete. | |||
|
99 | """ | |||
|
100 | if not args and not kw: | |||
|
101 | request = get_current_request() | |||
|
102 | return request.path | |||
|
103 | return pylons_url.current(*args, **kw) | |||
|
104 | ||||
|
105 | url.current = pylons_url_current | |||
|
106 | ||||
91 |
|
107 | |||
92 | def html_escape(text, html_escape_table=None): |
|
108 | def html_escape(text, html_escape_table=None): | |
93 | """Produce entities within text.""" |
|
109 | """Produce entities within text.""" | |
@@ -1614,7 +1630,7 b' def urlify_commits(text_, repository):' | |||||
1614 | 'pref': pref, |
|
1630 | 'pref': pref, | |
1615 | 'cls': 'revision-link', |
|
1631 | 'cls': 'revision-link', | |
1616 | 'url': url('changeset_home', repo_name=repository, |
|
1632 | 'url': url('changeset_home', repo_name=repository, | |
1617 | revision=commit_id), |
|
1633 | revision=commit_id, qualified=True), | |
1618 | 'commit_id': commit_id, |
|
1634 | 'commit_id': commit_id, | |
1619 | 'suf': suf |
|
1635 | 'suf': suf | |
1620 | } |
|
1636 | } | |
@@ -1624,7 +1640,8 b' def urlify_commits(text_, repository):' | |||||
1624 | return newtext |
|
1640 | return newtext | |
1625 |
|
1641 | |||
1626 |
|
1642 | |||
1627 |
def _process_url_func(match_obj, repo_name, uid, entry |
|
1643 | def _process_url_func(match_obj, repo_name, uid, entry, | |
|
1644 | return_raw_data=False): | |||
1628 | pref = '' |
|
1645 | pref = '' | |
1629 | if match_obj.group().startswith(' '): |
|
1646 | if match_obj.group().startswith(' '): | |
1630 | pref = ' ' |
|
1647 | pref = ' ' | |
@@ -1650,7 +1667,7 b' def _process_url_func(match_obj, repo_na' | |||||
1650 | named_vars.update(match_obj.groupdict()) |
|
1667 | named_vars.update(match_obj.groupdict()) | |
1651 | _url = string.Template(entry['url']).safe_substitute(**named_vars) |
|
1668 | _url = string.Template(entry['url']).safe_substitute(**named_vars) | |
1652 |
|
1669 | |||
1653 | return tmpl % { |
|
1670 | data = { | |
1654 | 'pref': pref, |
|
1671 | 'pref': pref, | |
1655 | 'cls': 'issue-tracker-link', |
|
1672 | 'cls': 'issue-tracker-link', | |
1656 | 'url': _url, |
|
1673 | 'url': _url, | |
@@ -1658,9 +1675,15 b' def _process_url_func(match_obj, repo_na' | |||||
1658 | 'issue-prefix': entry['pref'], |
|
1675 | 'issue-prefix': entry['pref'], | |
1659 | 'serv': entry['url'], |
|
1676 | 'serv': entry['url'], | |
1660 | } |
|
1677 | } | |
|
1678 | if return_raw_data: | |||
|
1679 | return { | |||
|
1680 | 'id': issue_id, | |||
|
1681 | 'url': _url | |||
|
1682 | } | |||
|
1683 | return tmpl % data | |||
1661 |
|
1684 | |||
1662 |
|
1685 | |||
1663 | def process_patterns(text_string, repo_name, config): |
|
1686 | def process_patterns(text_string, repo_name, config=None): | |
1664 | repo = None |
|
1687 | repo = None | |
1665 | if repo_name: |
|
1688 | if repo_name: | |
1666 | # Retrieving repo_name to avoid invalid repo_name to explode on |
|
1689 | # Retrieving repo_name to avoid invalid repo_name to explode on | |
@@ -1670,11 +1693,9 b' def process_patterns(text_string, repo_n' | |||||
1670 | settings_model = IssueTrackerSettingsModel(repo=repo) |
|
1693 | settings_model = IssueTrackerSettingsModel(repo=repo) | |
1671 | active_entries = settings_model.get_settings(cache=True) |
|
1694 | active_entries = settings_model.get_settings(cache=True) | |
1672 |
|
1695 | |||
|
1696 | issues_data = [] | |||
1673 | newtext = text_string |
|
1697 | newtext = text_string | |
1674 | for uid, entry in active_entries.items(): |
|
1698 | for uid, entry in active_entries.items(): | |
1675 | url_func = partial( |
|
|||
1676 | _process_url_func, repo_name=repo_name, entry=entry, uid=uid) |
|
|||
1677 |
|
||||
1678 | log.debug('found issue tracker entry with uid %s' % (uid,)) |
|
1699 | log.debug('found issue tracker entry with uid %s' % (uid,)) | |
1679 |
|
1700 | |||
1680 | if not (entry['pat'] and entry['url']): |
|
1701 | if not (entry['pat'] and entry['url']): | |
@@ -1692,10 +1713,20 b' def process_patterns(text_string, repo_n' | |||||
1692 | entry['pat']) |
|
1713 | entry['pat']) | |
1693 | continue |
|
1714 | continue | |
1694 |
|
1715 | |||
|
1716 | data_func = partial( | |||
|
1717 | _process_url_func, repo_name=repo_name, entry=entry, uid=uid, | |||
|
1718 | return_raw_data=True) | |||
|
1719 | ||||
|
1720 | for match_obj in pattern.finditer(text_string): | |||
|
1721 | issues_data.append(data_func(match_obj)) | |||
|
1722 | ||||
|
1723 | url_func = partial( | |||
|
1724 | _process_url_func, repo_name=repo_name, entry=entry, uid=uid) | |||
|
1725 | ||||
1695 | newtext = pattern.sub(url_func, newtext) |
|
1726 | newtext = pattern.sub(url_func, newtext) | |
1696 | log.debug('processed prefix:uid `%s`' % (uid,)) |
|
1727 | log.debug('processed prefix:uid `%s`' % (uid,)) | |
1697 |
|
1728 | |||
1698 | return newtext |
|
1729 | return newtext, issues_data | |
1699 |
|
1730 | |||
1700 |
|
1731 | |||
1701 | def urlify_commit_message(commit_text, repository=None): |
|
1732 | def urlify_commit_message(commit_text, repository=None): | |
@@ -1707,22 +1738,22 b' def urlify_commit_message(commit_text, r' | |||||
1707 | :param repository: |
|
1738 | :param repository: | |
1708 | """ |
|
1739 | """ | |
1709 | from pylons import url # doh, we need to re-import url to mock it later |
|
1740 | from pylons import url # doh, we need to re-import url to mock it later | |
1710 | from rhodecode import CONFIG |
|
|||
1711 |
|
1741 | |||
1712 | def escaper(string): |
|
1742 | def escaper(string): | |
1713 | return string.replace('<', '<').replace('>', '>') |
|
1743 | return string.replace('<', '<').replace('>', '>') | |
1714 |
|
1744 | |||
1715 | newtext = escaper(commit_text) |
|
1745 | newtext = escaper(commit_text) | |
|
1746 | ||||
|
1747 | # extract http/https links and make them real urls | |||
|
1748 | newtext = urlify_text(newtext, safe=False) | |||
|
1749 | ||||
1716 | # urlify commits - extract commit ids and make link out of them, if we have |
|
1750 | # urlify commits - extract commit ids and make link out of them, if we have | |
1717 | # the scope of repository present. |
|
1751 | # the scope of repository present. | |
1718 | if repository: |
|
1752 | if repository: | |
1719 | newtext = urlify_commits(newtext, repository) |
|
1753 | newtext = urlify_commits(newtext, repository) | |
1720 |
|
1754 | |||
1721 | # extract http/https links and make them real urls |
|
|||
1722 | newtext = urlify_text(newtext, safe=False) |
|
|||
1723 |
|
||||
1724 | # process issue tracker patterns |
|
1755 | # process issue tracker patterns | |
1725 |
newtext = process_patterns(newtext, repository or '' |
|
1756 | newtext, issues = process_patterns(newtext, repository or '') | |
1726 |
|
1757 | |||
1727 | return literal(newtext) |
|
1758 | return literal(newtext) | |
1728 |
|
1759 |
@@ -20,11 +20,15 b'' | |||||
20 |
|
20 | |||
21 | import json |
|
21 | import json | |
22 | import logging |
|
22 | import logging | |
|
23 | import urlparse | |||
23 | import threading |
|
24 | import threading | |
24 | from BaseHTTPServer import BaseHTTPRequestHandler |
|
25 | from BaseHTTPServer import BaseHTTPRequestHandler | |
25 | from SocketServer import TCPServer |
|
26 | from SocketServer import TCPServer | |
|
27 | from routes.util import URLGenerator | |||
26 |
|
28 | |||
27 | import Pyro4 |
|
29 | import Pyro4 | |
|
30 | import pylons | |||
|
31 | import rhodecode | |||
28 |
|
32 | |||
29 | from rhodecode.lib import hooks_base |
|
33 | from rhodecode.lib import hooks_base | |
30 | from rhodecode.lib.utils2 import AttributeDict |
|
34 | from rhodecode.lib.utils2 import AttributeDict | |
@@ -236,6 +240,17 b' class Hooks(object):' | |||||
236 |
|
240 | |||
237 | def _call_hook(self, hook, extras): |
|
241 | def _call_hook(self, hook, extras): | |
238 | extras = AttributeDict(extras) |
|
242 | extras = AttributeDict(extras) | |
|
243 | netloc = urlparse.urlparse(extras.server_url).netloc | |||
|
244 | environ = { | |||
|
245 | 'SERVER_NAME': netloc.split(':')[0], | |||
|
246 | 'SERVER_PORT': ':' in netloc and netloc.split(':')[1] or '80', | |||
|
247 | 'SCRIPT_NAME': '', | |||
|
248 | 'PATH_INFO': '/', | |||
|
249 | 'HTTP_HOST': 'localhost', | |||
|
250 | 'REQUEST_METHOD': 'GET', | |||
|
251 | } | |||
|
252 | pylons_router = URLGenerator(rhodecode.CONFIG['routes.map'], environ) | |||
|
253 | pylons.url._push_object(pylons_router) | |||
239 |
|
254 | |||
240 | try: |
|
255 | try: | |
241 | result = hook(extras) |
|
256 | result = hook(extras) | |
@@ -248,6 +263,9 b' class Hooks(object):' | |||||
248 | 'exception': type(error).__name__, |
|
263 | 'exception': type(error).__name__, | |
249 | 'exception_args': error_args, |
|
264 | 'exception_args': error_args, | |
250 | } |
|
265 | } | |
|
266 | finally: | |||
|
267 | pylons.url._pop_object() | |||
|
268 | ||||
251 | return { |
|
269 | return { | |
252 | 'status': result.status, |
|
270 | 'status': result.status, | |
253 | 'output': result.output, |
|
271 | 'output': result.output, |
@@ -3475,3 +3475,42 b' class ExternalIdentity(Base, BaseModel):' | |||||
3475 | query = cls.query() |
|
3475 | query = cls.query() | |
3476 | query = query.filter(cls.local_user_id == local_user_id) |
|
3476 | query = query.filter(cls.local_user_id == local_user_id) | |
3477 | return query |
|
3477 | return query | |
|
3478 | ||||
|
3479 | ||||
|
3480 | class Integration(Base, BaseModel): | |||
|
3481 | __tablename__ = 'integrations' | |||
|
3482 | __table_args__ = ( | |||
|
3483 | {'extend_existing': True, 'mysql_engine': 'InnoDB', | |||
|
3484 | 'mysql_charset': 'utf8', 'sqlite_autoincrement': True} | |||
|
3485 | ) | |||
|
3486 | ||||
|
3487 | integration_id = Column('integration_id', Integer(), primary_key=True) | |||
|
3488 | integration_type = Column('integration_type', String(255)) | |||
|
3489 | enabled = Column("enabled", Boolean(), nullable=False) | |||
|
3490 | name = Column('name', String(255), nullable=False) | |||
|
3491 | settings_json = Column('settings_json', | |||
|
3492 | UnicodeText().with_variant(UnicodeText(16384), 'mysql')) | |||
|
3493 | repo_id = Column( | |||
|
3494 | "repo_id", Integer(), ForeignKey('repositories.repo_id'), | |||
|
3495 | nullable=True, unique=None, default=None) | |||
|
3496 | repo = relationship('Repository', lazy='joined') | |||
|
3497 | ||||
|
3498 | @hybrid_property | |||
|
3499 | def settings(self): | |||
|
3500 | data = json.loads(self.settings_json or '{}') | |||
|
3501 | return data | |||
|
3502 | ||||
|
3503 | @settings.setter | |||
|
3504 | def settings(self, dct): | |||
|
3505 | self.settings_json = json.dumps(dct, indent=2) | |||
|
3506 | ||||
|
3507 | def __repr__(self): | |||
|
3508 | if self.repo: | |||
|
3509 | scope = 'repo=%r' % self.repo | |||
|
3510 | else: | |||
|
3511 | scope = 'global' | |||
|
3512 | ||||
|
3513 | return '<Integration(%r, %r)>' % (self.integration_type, scope) | |||
|
3514 | ||||
|
3515 | def settings_as_dict(self): | |||
|
3516 | return json.loads(self.settings_json) |
@@ -535,7 +535,7 b' class RepoModel(BaseModel):' | |||||
535 | # we need to flush here, in order to check if database won't |
|
535 | # we need to flush here, in order to check if database won't | |
536 | # throw any exceptions, create filesystem dirs at the very end |
|
536 | # throw any exceptions, create filesystem dirs at the very end | |
537 | self.sa.flush() |
|
537 | self.sa.flush() | |
538 |
events.trigger(events.RepoCreate |
|
538 | events.trigger(events.RepoCreateEvent(new_repo)) | |
539 | return new_repo |
|
539 | return new_repo | |
540 |
|
540 | |||
541 | except Exception: |
|
541 | except Exception: | |
@@ -653,7 +653,7 b' class RepoModel(BaseModel):' | |||||
653 | 'deleted_on': time.time(), |
|
653 | 'deleted_on': time.time(), | |
654 | }) |
|
654 | }) | |
655 | log_delete_repository(**old_repo_dict) |
|
655 | log_delete_repository(**old_repo_dict) | |
656 |
events.trigger(events.RepoDelete |
|
656 | events.trigger(events.RepoDeleteEvent(repo)) | |
657 | except Exception: |
|
657 | except Exception: | |
658 | log.error(traceback.format_exc()) |
|
658 | log.error(traceback.format_exc()) | |
659 | raise |
|
659 | raise |
@@ -23,6 +23,10 b'' | |||||
23 | ${self.repo_menu(active='options')} |
|
23 | ${self.repo_menu(active='options')} | |
24 | </%def> |
|
24 | </%def> | |
25 |
|
25 | |||
|
26 | <%def name="main_content()"> | |||
|
27 | <%include file="/admin/repos/repo_edit_${c.active}.html"/> | |||
|
28 | </%def> | |||
|
29 | ||||
26 |
|
30 | |||
27 | <%def name="main()"> |
|
31 | <%def name="main()"> | |
28 | <div class="box"> |
|
32 | <div class="box"> | |
@@ -64,14 +68,17 b'' | |||||
64 | <li class="${'active' if c.active=='statistics' else ''}"> |
|
68 | <li class="${'active' if c.active=='statistics' else ''}"> | |
65 | <a href="${h.url('edit_repo_statistics', repo_name=c.repo_name)}">${_('Statistics')}</a> |
|
69 | <a href="${h.url('edit_repo_statistics', repo_name=c.repo_name)}">${_('Statistics')}</a> | |
66 | </li> |
|
70 | </li> | |
|
71 | <li class="${'active' if c.active=='integrations' else ''}"> | |||
|
72 | <a href="${h.route_path('repo_integrations_home', repo_name=c.repo_name)}">${_('Integrations')}</a> | |||
|
73 | </li> | |||
67 | </ul> |
|
74 | </ul> | |
68 | </div> |
|
75 | </div> | |
69 |
|
76 | |||
70 | <div class="main-content-full-width"> |
|
77 | <div class="main-content-full-width"> | |
71 | <%include file="/admin/repos/repo_edit_${c.active}.html"/> |
|
78 | ${self.main_content()} | |
72 | </div> |
|
79 | </div> | |
73 |
|
80 | |||
74 | </div> |
|
81 | </div> | |
75 | </div> |
|
82 | </div> | |
76 |
|
83 | |||
77 | </%def> |
|
84 | </%def> No newline at end of file |
@@ -18,6 +18,18 b'' | |||||
18 | ${self.menu_items(active='admin')} |
|
18 | ${self.menu_items(active='admin')} | |
19 | </%def> |
|
19 | </%def> | |
20 |
|
20 | |||
|
21 | <%def name="side_bar_nav()"> | |||
|
22 | % for navitem in c.navlist: | |||
|
23 | <li class="${'active' if c.active==navitem.key else ''}"> | |||
|
24 | <a href="${navitem.url}">${navitem.name}</a> | |||
|
25 | </li> | |||
|
26 | % endfor | |||
|
27 | </%def> | |||
|
28 | ||||
|
29 | <%def name="main_content()"> | |||
|
30 | <%include file="/admin/settings/settings_${c.active}.html"/> | |||
|
31 | </%def> | |||
|
32 | ||||
21 | <%def name="main()"> |
|
33 | <%def name="main()"> | |
22 | <div class="box"> |
|
34 | <div class="box"> | |
23 | <div class="title"> |
|
35 | <div class="title"> | |
@@ -28,18 +40,14 b'' | |||||
28 | <div class='sidebar-col-wrapper'> |
|
40 | <div class='sidebar-col-wrapper'> | |
29 | <div class="sidebar"> |
|
41 | <div class="sidebar"> | |
30 | <ul class="nav nav-pills nav-stacked"> |
|
42 | <ul class="nav nav-pills nav-stacked"> | |
31 | % for navitem in c.navlist: |
|
43 | ${self.side_bar_nav()} | |
32 | <li class="${'active' if c.active==navitem.key else ''}"> |
|
|||
33 | <a href="${navitem.url}">${navitem.name}</a> |
|
|||
34 | </li> |
|
|||
35 | % endfor |
|
|||
36 | </ul> |
|
44 | </ul> | |
37 | </div> |
|
45 | </div> | |
38 |
|
46 | |||
39 | <div class="main-content-full-width"> |
|
47 | <div class="main-content-full-width"> | |
40 | <%include file="/admin/settings/settings_${c.active}.html"/> |
|
48 | ${self.main_content()} | |
41 | </div> |
|
49 | </div> | |
42 | </div> |
|
50 | </div> | |
43 | </div> |
|
51 | </div> | |
44 |
|
52 | |||
45 | </%def> |
|
53 | </%def> No newline at end of file |
@@ -16,7 +16,6 b'' | |||||
16 | <!-- MENU BAR NAV --> |
|
16 | <!-- MENU BAR NAV --> | |
17 | ${self.menu_bar_nav()} |
|
17 | ${self.menu_bar_nav()} | |
18 | <!-- END MENU BAR NAV --> |
|
18 | <!-- END MENU BAR NAV --> | |
19 | ${self.body()} |
|
|||
20 | </div> |
|
19 | </div> | |
21 | </div> |
|
20 | </div> | |
22 | ${self.menu_bar_subnav()} |
|
21 | ${self.menu_bar_subnav()} | |
@@ -82,6 +81,7 b'' | |||||
82 | <li><a href="${h.url('users_groups')}">${_('User groups')}</a></li> |
|
81 | <li><a href="${h.url('users_groups')}">${_('User groups')}</a></li> | |
83 | <li><a href="${h.url('admin_permissions_application')}">${_('Permissions')}</a></li> |
|
82 | <li><a href="${h.url('admin_permissions_application')}">${_('Permissions')}</a></li> | |
84 | <li><a href="${h.route_path('auth_home', traverse='')}">${_('Authentication')}</a></li> |
|
83 | <li><a href="${h.route_path('auth_home', traverse='')}">${_('Authentication')}</a></li> | |
|
84 | <li><a href="${h.route_path('global_integrations_home')}">${_('Integrations')}</a></li> | |||
85 | <li><a href="${h.url('admin_defaults_repositories')}">${_('Defaults')}</a></li> |
|
85 | <li><a href="${h.url('admin_defaults_repositories')}">${_('Defaults')}</a></li> | |
86 | <li class="last"><a href="${h.url('admin_settings')}">${_('Settings')}</a></li> |
|
86 | <li class="last"><a href="${h.url('admin_settings')}">${_('Settings')}</a></li> | |
87 | </ul> |
|
87 | </ul> |
@@ -27,8 +27,8 b' from rhodecode.model.repo import RepoMod' | |||||
27 | from rhodecode.events.repo import ( |
|
27 | from rhodecode.events.repo import ( | |
28 | RepoPrePullEvent, RepoPullEvent, |
|
28 | RepoPrePullEvent, RepoPullEvent, | |
29 | RepoPrePushEvent, RepoPushEvent, |
|
29 | RepoPrePushEvent, RepoPushEvent, | |
30 |
RepoPreCreateEvent, RepoCreate |
|
30 | RepoPreCreateEvent, RepoCreateEvent, | |
31 |
RepoPreDeleteEvent, RepoDelete |
|
31 | RepoPreDeleteEvent, RepoDeleteEvent, | |
32 | ) |
|
32 | ) | |
33 |
|
33 | |||
34 |
|
34 | |||
@@ -51,8 +51,8 b' def scm_extras(user_regular, repo_stub):' | |||||
51 |
|
51 | |||
52 | # TODO: dan: make the serialization tests complete json comparisons |
|
52 | # TODO: dan: make the serialization tests complete json comparisons | |
53 | @pytest.mark.parametrize('EventClass', [ |
|
53 | @pytest.mark.parametrize('EventClass', [ | |
54 |
RepoPreCreateEvent, RepoCreate |
|
54 | RepoPreCreateEvent, RepoCreateEvent, | |
55 |
RepoPreDeleteEvent, RepoDelete |
|
55 | RepoPreDeleteEvent, RepoDeleteEvent, | |
56 | ]) |
|
56 | ]) | |
57 | def test_repo_events_serialized(repo_stub, EventClass): |
|
57 | def test_repo_events_serialized(repo_stub, EventClass): | |
58 | event = EventClass(repo_stub) |
|
58 | event = EventClass(repo_stub) | |
@@ -88,11 +88,11 b' def test_vcs_repo_push_event_serialize(r' | |||||
88 | def test_create_delete_repo_fires_events(backend): |
|
88 | def test_create_delete_repo_fires_events(backend): | |
89 | with EventCatcher() as event_catcher: |
|
89 | with EventCatcher() as event_catcher: | |
90 | repo = backend.create_repo() |
|
90 | repo = backend.create_repo() | |
91 |
assert event_catcher.events_types == [RepoPreCreateEvent, RepoCreate |
|
91 | assert event_catcher.events_types == [RepoPreCreateEvent, RepoCreateEvent] | |
92 |
|
92 | |||
93 | with EventCatcher() as event_catcher: |
|
93 | with EventCatcher() as event_catcher: | |
94 | RepoModel().delete(repo) |
|
94 | RepoModel().delete(repo) | |
95 |
assert event_catcher.events_types == [RepoPreDeleteEvent, RepoDelete |
|
95 | assert event_catcher.events_types == [RepoPreDeleteEvent, RepoDeleteEvent] | |
96 |
|
96 | |||
97 |
|
97 | |||
98 | def test_pull_fires_events(scm_extras): |
|
98 | def test_pull_fires_events(scm_extras): |
@@ -69,6 +69,40 b' def test_format_binary():' | |||||
69 | assert helpers.format_byte_size_binary(298489462784) == '278.0 GiB' |
|
69 | assert helpers.format_byte_size_binary(298489462784) == '278.0 GiB' | |
70 |
|
70 | |||
71 |
|
71 | |||
|
72 | @pytest.mark.parametrize('text_string, pattern, expected', [ | |||
|
73 | ('No issue here', '(?:#)(?P<issue_id>\d+)', []), | |||
|
74 | ('Fix #42', '(?:#)(?P<issue_id>\d+)', | |||
|
75 | [{'url': 'http://r.io/{repo}/i/42', 'id': '42'}]), | |||
|
76 | ('Fix #42, #53', '(?:#)(?P<issue_id>\d+)', [ | |||
|
77 | {'url': 'http://r.io/{repo}/i/42', 'id': '42'}, | |||
|
78 | {'url': 'http://r.io/{repo}/i/53', 'id': '53'}]), | |||
|
79 | ('Fix #42', '(?:#)?<issue_id>\d+)', []), # Broken regex | |||
|
80 | ]) | |||
|
81 | def test_extract_issues(backend, text_string, pattern, expected): | |||
|
82 | repo = backend.create_repo() | |||
|
83 | config = { | |||
|
84 | '123': { | |||
|
85 | 'uid': '123', | |||
|
86 | 'pat': pattern, | |||
|
87 | 'url': 'http://r.io/${repo}/i/${issue_id}', | |||
|
88 | 'pref': '#', | |||
|
89 | } | |||
|
90 | } | |||
|
91 | ||||
|
92 | def get_settings_mock(self, cache=True): | |||
|
93 | return config | |||
|
94 | ||||
|
95 | with mock.patch.object(IssueTrackerSettingsModel, | |||
|
96 | 'get_settings', get_settings_mock): | |||
|
97 | text, issues = helpers.process_patterns(text_string, repo.repo_name) | |||
|
98 | ||||
|
99 | expected = copy.deepcopy(expected) | |||
|
100 | for item in expected: | |||
|
101 | item['url'] = item['url'].format(repo=repo.repo_name) | |||
|
102 | ||||
|
103 | assert issues == expected | |||
|
104 | ||||
|
105 | ||||
72 | @pytest.mark.parametrize('text_string, pattern, expected_text', [ |
|
106 | @pytest.mark.parametrize('text_string, pattern, expected_text', [ | |
73 | ('Fix #42', '(?:#)(?P<issue_id>\d+)', |
|
107 | ('Fix #42', '(?:#)(?P<issue_id>\d+)', | |
74 | 'Fix <a class="issue-tracker-link" href="http://r.io/{repo}/i/42">#42</a>' |
|
108 | 'Fix <a class="issue-tracker-link" href="http://r.io/{repo}/i/42">#42</a>' | |
@@ -90,7 +124,7 b' def test_process_patterns_repo(backend, ' | |||||
90 |
|
124 | |||
91 | with mock.patch.object(IssueTrackerSettingsModel, |
|
125 | with mock.patch.object(IssueTrackerSettingsModel, | |
92 | 'get_settings', get_settings_mock): |
|
126 | 'get_settings', get_settings_mock): | |
93 | processed_text = helpers.process_patterns( |
|
127 | processed_text, issues = helpers.process_patterns( | |
94 | text_string, repo.repo_name, config) |
|
128 | text_string, repo.repo_name, config) | |
95 |
|
129 | |||
96 | assert processed_text == expected_text.format(repo=repo.repo_name) |
|
130 | assert processed_text == expected_text.format(repo=repo.repo_name) | |
@@ -116,7 +150,7 b' def test_process_patterns_no_repo(text_s' | |||||
116 |
|
150 | |||
117 | with mock.patch.object(IssueTrackerSettingsModel, |
|
151 | with mock.patch.object(IssueTrackerSettingsModel, | |
118 | 'get_global_settings', get_settings_mock): |
|
152 | 'get_global_settings', get_settings_mock): | |
119 | processed_text = helpers.process_patterns( |
|
153 | processed_text, issues = helpers.process_patterns( | |
120 | text_string, '', config) |
|
154 | text_string, '', config) | |
121 |
|
155 | |||
122 | assert processed_text == expected_text |
|
156 | assert processed_text == expected_text | |
@@ -140,7 +174,7 b' def test_process_patterns_non_existent_r' | |||||
140 |
|
174 | |||
141 | with mock.patch.object(IssueTrackerSettingsModel, |
|
175 | with mock.patch.object(IssueTrackerSettingsModel, | |
142 | 'get_global_settings', get_settings_mock): |
|
176 | 'get_global_settings', get_settings_mock): | |
143 | processed_text = helpers.process_patterns( |
|
177 | processed_text, issues = helpers.process_patterns( | |
144 | text_string, 'do-not-exist', config) |
|
178 | text_string, 'do-not-exist', config) | |
145 |
|
179 | |||
146 | assert processed_text == expected_text |
|
180 | assert processed_text == expected_text |
@@ -20,3 +20,16 b' from pyramid.i18n import TranslationStri' | |||||
20 |
|
20 | |||
21 | # Create a translation string factory for the 'rhodecode' domain. |
|
21 | # Create a translation string factory for the 'rhodecode' domain. | |
22 | _ = TranslationStringFactory('rhodecode') |
|
22 | _ = TranslationStringFactory('rhodecode') | |
|
23 | ||||
|
24 | class LazyString(object): | |||
|
25 | def __init__(self, *args, **kw): | |||
|
26 | self.args = args | |||
|
27 | self.kw = kw | |||
|
28 | ||||
|
29 | def __str__(self): | |||
|
30 | return _(*self.args, **self.kw) | |||
|
31 | ||||
|
32 | ||||
|
33 | def lazy_ugettext(*args, **kw): | |||
|
34 | """ Lazily evaluated version of _() """ | |||
|
35 | return LazyString(*args, **kw) |
General Comments 0
You need to be logged in to leave comments.
Login now