Merge remote-tracking branch 'origin/master' into rockyhorror
This commit is contained in:
		
						commit
						b154e7acef
					
				
					 83 changed files with 5630 additions and 589 deletions
				
			
		
							
								
								
									
										74
									
								
								app.py
									
										
									
									
									
								
							
							
						
						
									
										74
									
								
								app.py
									
										
									
									
									
								
							|  | @ -1,9 +1,8 @@ | ||||||
| import logging | import logging | ||||||
| import os | import os | ||||||
| import json | import json | ||||||
| import yaml |  | ||||||
| 
 | 
 | ||||||
| from flask import Flask as BaseFlask, Config as BaseConfig, request, Request, _request_ctx_stack | from flask import Flask, Config, request, Request, _request_ctx_stack | ||||||
| from flask.ext.principal import Principal | from flask.ext.principal import Principal | ||||||
| from flask.ext.login import LoginManager, UserMixin | from flask.ext.login import LoginManager, UserMixin | ||||||
| from flask.ext.mail import Mail | from flask.ext.mail import Mail | ||||||
|  | @ -12,6 +11,9 @@ import features | ||||||
| 
 | 
 | ||||||
| from avatars.avatars import Avatar | from avatars.avatars import Avatar | ||||||
| from storage import Storage | from storage import Storage | ||||||
|  | 
 | ||||||
|  | from avatars.avatars import Avatar | ||||||
|  | 
 | ||||||
| from data import model | from data import model | ||||||
| from data import database | from data import database | ||||||
| from data.userfiles import Userfiles | from data.userfiles import Userfiles | ||||||
|  | @ -27,33 +29,9 @@ from util.names import urn_generator | ||||||
| from util.oauth import GoogleOAuthConfig, GithubOAuthConfig | from util.oauth import GoogleOAuthConfig, GithubOAuthConfig | ||||||
| from util.signing import Signer | from util.signing import Signer | ||||||
| from util.queuemetrics import QueueMetrics | from util.queuemetrics import QueueMetrics | ||||||
| 
 | from util.config.provider import FileConfigProvider, TestConfigProvider | ||||||
| 
 | from util.config.configutil import generate_secret_key | ||||||
| # pylint: disable=invalid-name,too-many-public-methods,too-few-public-methods,too-many-ancestors | from util.config.superusermanager import SuperUserManager | ||||||
| class Config(BaseConfig): |  | ||||||
|   """ Flask config enhanced with a `from_yamlfile` method """ |  | ||||||
| 
 |  | ||||||
|   def from_yamlfile(self, config_file): |  | ||||||
|     with open(config_file) as f: |  | ||||||
|       c = yaml.load(f) |  | ||||||
|       if not c: |  | ||||||
|         logger.debug('Empty YAML config file') |  | ||||||
|         return |  | ||||||
| 
 |  | ||||||
|       if isinstance(c, str): |  | ||||||
|         raise Exception('Invalid YAML config file: ' + str(c)) |  | ||||||
| 
 |  | ||||||
|       for key in c.iterkeys(): |  | ||||||
|         if key.isupper(): |  | ||||||
|           self[key] = c[key] |  | ||||||
| 
 |  | ||||||
| class Flask(BaseFlask): |  | ||||||
|   """ Extends the Flask class to implement our custom Config class. """ |  | ||||||
| 
 |  | ||||||
|   def make_config(self, instance_relative=False): |  | ||||||
|     root_path = self.instance_path if instance_relative else self.root_path |  | ||||||
|     return Config(root_path, self.default_config) |  | ||||||
| 
 |  | ||||||
| 
 | 
 | ||||||
| OVERRIDE_CONFIG_DIRECTORY = 'conf/stack/' | OVERRIDE_CONFIG_DIRECTORY = 'conf/stack/' | ||||||
| OVERRIDE_CONFIG_YAML_FILENAME = 'conf/stack/config.yaml' | OVERRIDE_CONFIG_YAML_FILENAME = 'conf/stack/config.yaml' | ||||||
|  | @ -62,12 +40,15 @@ OVERRIDE_CONFIG_PY_FILENAME = 'conf/stack/config.py' | ||||||
| OVERRIDE_CONFIG_KEY = 'QUAY_OVERRIDE_CONFIG' | OVERRIDE_CONFIG_KEY = 'QUAY_OVERRIDE_CONFIG' | ||||||
| LICENSE_FILENAME = 'conf/stack/license.enc' | LICENSE_FILENAME = 'conf/stack/license.enc' | ||||||
| 
 | 
 | ||||||
|  | CONFIG_PROVIDER = FileConfigProvider(OVERRIDE_CONFIG_DIRECTORY, 'config.yaml', 'config.py') | ||||||
| 
 | 
 | ||||||
| app = Flask(__name__) | app = Flask(__name__) | ||||||
| logger = logging.getLogger(__name__) | logger = logging.getLogger(__name__) | ||||||
| 
 | 
 | ||||||
| 
 | # Instantiate the default configuration (for test or for normal operation). | ||||||
| if 'TEST' in os.environ: | if 'TEST' in os.environ: | ||||||
|  |   CONFIG_PROVIDER = TestConfigProvider() | ||||||
|  | 
 | ||||||
|   from test.testconfig import TestConfig |   from test.testconfig import TestConfig | ||||||
|   logger.debug('Loading test config.') |   logger.debug('Loading test config.') | ||||||
|   app.config.from_object(TestConfig()) |   app.config.from_object(TestConfig()) | ||||||
|  | @ -75,20 +56,17 @@ else: | ||||||
|   from config import DefaultConfig |   from config import DefaultConfig | ||||||
|   logger.debug('Loading default config.') |   logger.debug('Loading default config.') | ||||||
|   app.config.from_object(DefaultConfig()) |   app.config.from_object(DefaultConfig()) | ||||||
| 
 |  | ||||||
|   if os.path.exists(OVERRIDE_CONFIG_PY_FILENAME): |  | ||||||
|     logger.debug('Applying config file: %s', OVERRIDE_CONFIG_PY_FILENAME) |  | ||||||
|     app.config.from_pyfile(OVERRIDE_CONFIG_PY_FILENAME) |  | ||||||
| 
 |  | ||||||
|   if os.path.exists(OVERRIDE_CONFIG_YAML_FILENAME): |  | ||||||
|     logger.debug('Applying config file: %s', OVERRIDE_CONFIG_YAML_FILENAME) |  | ||||||
|     app.config.from_yamlfile(OVERRIDE_CONFIG_YAML_FILENAME) |  | ||||||
| 
 |  | ||||||
|   environ_config = json.loads(os.environ.get(OVERRIDE_CONFIG_KEY, '{}')) |  | ||||||
|   app.config.update(environ_config) |  | ||||||
| 
 |  | ||||||
|   app.teardown_request(database.close_db_filter) |   app.teardown_request(database.close_db_filter) | ||||||
| 
 | 
 | ||||||
|  | # Load the override config via the provider. | ||||||
|  | CONFIG_PROVIDER.update_app_config(app.config) | ||||||
|  | 
 | ||||||
|  | # Update any configuration found in the override environment variable. | ||||||
|  | OVERRIDE_CONFIG_KEY = 'QUAY_OVERRIDE_CONFIG' | ||||||
|  | 
 | ||||||
|  | environ_config = json.loads(os.environ.get(OVERRIDE_CONFIG_KEY, '{}')) | ||||||
|  | app.config.update(environ_config) | ||||||
|  | 
 | ||||||
| 
 | 
 | ||||||
| class RequestWithId(Request): | class RequestWithId(Request): | ||||||
|   request_gen = staticmethod(urn_generator(['request'])) |   request_gen = staticmethod(urn_generator(['request'])) | ||||||
|  | @ -137,14 +115,15 @@ sentry = Sentry(app) | ||||||
| build_logs = BuildLogs(app) | build_logs = BuildLogs(app) | ||||||
| authentication = UserAuthentication(app) | authentication = UserAuthentication(app) | ||||||
| userevents = UserEventsBuilderModule(app) | userevents = UserEventsBuilderModule(app) | ||||||
|  | superusers = SuperUserManager(app) | ||||||
| signer = Signer(app, OVERRIDE_CONFIG_DIRECTORY) | signer = Signer(app, OVERRIDE_CONFIG_DIRECTORY) | ||||||
| queue_metrics = QueueMetrics(app) | queue_metrics = QueueMetrics(app) | ||||||
| 
 | 
 | ||||||
| tf = app.config['DB_TRANSACTION_FACTORY'] | tf = app.config['DB_TRANSACTION_FACTORY'] | ||||||
| 
 | 
 | ||||||
| github_login = GithubOAuthConfig(app, 'GITHUB_LOGIN_CONFIG') | github_login = GithubOAuthConfig(app.config, 'GITHUB_LOGIN_CONFIG') | ||||||
| github_trigger = GithubOAuthConfig(app, 'GITHUB_TRIGGER_CONFIG') | github_trigger = GithubOAuthConfig(app.config, 'GITHUB_TRIGGER_CONFIG') | ||||||
| google_login = GoogleOAuthConfig(app, 'GOOGLE_LOGIN_CONFIG') | google_login = GoogleOAuthConfig(app.config, 'GOOGLE_LOGIN_CONFIG') | ||||||
| oauth_apps = [github_login, github_trigger, google_login] | oauth_apps = [github_login, github_trigger, google_login] | ||||||
| 
 | 
 | ||||||
| image_diff_queue = WorkQueue(app.config['DIFFS_QUEUE_NAME'], tf) | image_diff_queue = WorkQueue(app.config['DIFFS_QUEUE_NAME'], tf) | ||||||
|  | @ -156,6 +135,11 @@ database.configure(app.config) | ||||||
| model.config.app_config = app.config | model.config.app_config = app.config | ||||||
| model.config.store = storage | model.config.store = storage | ||||||
| 
 | 
 | ||||||
|  | # Generate a secret key if none was specified. | ||||||
|  | if app.config['SECRET_KEY'] is None: | ||||||
|  |   logger.debug('Generating in-memory secret key') | ||||||
|  |   app.config['SECRET_KEY'] = generate_secret_key() | ||||||
|  | 
 | ||||||
| @login_manager.user_loader | @login_manager.user_loader | ||||||
| def load_user(user_uuid): | def load_user(user_uuid): | ||||||
|   logger.debug('User loader loading deferred user with uuid: %s' % user_uuid) |   logger.debug('User loader loading deferred user with uuid: %s' % user_uuid) | ||||||
|  |  | ||||||
|  | @ -7,7 +7,7 @@ from functools import partial | ||||||
| import scopes | import scopes | ||||||
| 
 | 
 | ||||||
| from data import model | from data import model | ||||||
| from app import app | from app import app, superusers | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
| logger = logging.getLogger(__name__) | logger = logging.getLogger(__name__) | ||||||
|  | @ -92,9 +92,11 @@ class QuayDeferredPermissionUser(Identity): | ||||||
|       if user_object is None: |       if user_object is None: | ||||||
|         return super(QuayDeferredPermissionUser, self).can(permission) |         return super(QuayDeferredPermissionUser, self).can(permission) | ||||||
| 
 | 
 | ||||||
|  |       if user_object is None: | ||||||
|  |         return super(QuayDeferredPermissionUser, self).can(permission) | ||||||
|  | 
 | ||||||
|       # Add the superuser need, if applicable. |       # Add the superuser need, if applicable. | ||||||
|       if (user_object.username is not None and |       if superusers.is_superuser(user_object.username): | ||||||
|           user_object.username in app.config.get('SUPER_USERS', [])): |  | ||||||
|         self.provides.add(_SuperUserNeed()) |         self.provides.add(_SuperUserNeed()) | ||||||
| 
 | 
 | ||||||
|       # Add the user specific permissions, only for non-oauth permission |       # Add the user specific permissions, only for non-oauth permission | ||||||
|  |  | ||||||
|  | @ -28,6 +28,8 @@ LOG_FORMAT = "%(asctime)s [%(process)d] [%(levelname)s] [%(name)s] %(message)s" | ||||||
| def run_build_manager(): | def run_build_manager(): | ||||||
|   if not features.BUILD_SUPPORT: |   if not features.BUILD_SUPPORT: | ||||||
|     logger.debug('Building is disabled. Please enable the feature flag') |     logger.debug('Building is disabled. Please enable the feature flag') | ||||||
|  |     while True: | ||||||
|  |       time.sleep(1000) | ||||||
|     return |     return | ||||||
| 
 | 
 | ||||||
|   build_manager_config = app.config.get('BUILD_MANAGER') |   build_manager_config = app.config.get('BUILD_MANAGER') | ||||||
|  |  | ||||||
|  | @ -10,7 +10,6 @@ from autobahn.wamp.exception import ApplicationError | ||||||
| from buildman.server import BuildJobResult | from buildman.server import BuildJobResult | ||||||
| from buildman.component.basecomponent import BaseComponent | from buildman.component.basecomponent import BaseComponent | ||||||
| from buildman.jobutil.buildjob import BuildJobLoadException | from buildman.jobutil.buildjob import BuildJobLoadException | ||||||
| from buildman.jobutil.buildpack import BuildPackage, BuildPackageException |  | ||||||
| from buildman.jobutil.buildstatus import StatusHandler | from buildman.jobutil.buildstatus import StatusHandler | ||||||
| from buildman.jobutil.workererror import WorkerError | from buildman.jobutil.workererror import WorkerError | ||||||
| 
 | 
 | ||||||
|  | @ -20,7 +19,7 @@ HEARTBEAT_DELTA = datetime.timedelta(seconds=30) | ||||||
| HEARTBEAT_TIMEOUT = 10 | HEARTBEAT_TIMEOUT = 10 | ||||||
| INITIAL_TIMEOUT = 25 | INITIAL_TIMEOUT = 25 | ||||||
| 
 | 
 | ||||||
| SUPPORTED_WORKER_VERSIONS = ['0.1-beta', '0.2'] | SUPPORTED_WORKER_VERSIONS = ['0.3'] | ||||||
| 
 | 
 | ||||||
| logger = logging.getLogger(__name__) | logger = logging.getLogger(__name__) | ||||||
| 
 | 
 | ||||||
|  | @ -56,7 +55,10 @@ class BuildComponent(BaseComponent): | ||||||
|   def onJoin(self, details): |   def onJoin(self, details): | ||||||
|     logger.debug('Registering methods and listeners for component %s', self.builder_realm) |     logger.debug('Registering methods and listeners for component %s', self.builder_realm) | ||||||
|     yield trollius.From(self.register(self._on_ready, u'io.quay.buildworker.ready')) |     yield trollius.From(self.register(self._on_ready, u'io.quay.buildworker.ready')) | ||||||
|  |     yield trollius.From(self.register(self._determine_cache_tag, | ||||||
|  |                                       u'io.quay.buildworker.determinecachetag')) | ||||||
|     yield trollius.From(self.register(self._ping, u'io.quay.buildworker.ping')) |     yield trollius.From(self.register(self._ping, u'io.quay.buildworker.ping')) | ||||||
|  | 
 | ||||||
|     yield trollius.From(self.subscribe(self._on_heartbeat, 'io.quay.builder.heartbeat')) |     yield trollius.From(self.subscribe(self._on_heartbeat, 'io.quay.builder.heartbeat')) | ||||||
|     yield trollius.From(self.subscribe(self._on_log_message, 'io.quay.builder.logmessage')) |     yield trollius.From(self.subscribe(self._on_log_message, 'io.quay.builder.logmessage')) | ||||||
| 
 | 
 | ||||||
|  | @ -91,46 +93,6 @@ class BuildComponent(BaseComponent): | ||||||
|     buildpack_url = self.user_files.get_file_url(build_job.repo_build.resource_key, |     buildpack_url = self.user_files.get_file_url(build_job.repo_build.resource_key, | ||||||
|                                                  requires_cors=False) |                                                  requires_cors=False) | ||||||
| 
 | 
 | ||||||
|     # TODO(jschorr): Remove as soon as the fleet has been transitioned to 0.2. |  | ||||||
|     if self._worker_version == '0.1-beta': |  | ||||||
|       # Retrieve the job's buildpack. |  | ||||||
|       logger.debug('Retrieving build package: %s', buildpack_url) |  | ||||||
|       buildpack = None |  | ||||||
|       try: |  | ||||||
|         buildpack = BuildPackage.from_url(buildpack_url) |  | ||||||
|       except BuildPackageException as bpe: |  | ||||||
|         self._build_failure('Could not retrieve build package', bpe) |  | ||||||
|         raise trollius.Return() |  | ||||||
| 
 |  | ||||||
|       # Extract the base image information from the Dockerfile. |  | ||||||
|       parsed_dockerfile = None |  | ||||||
|       logger.debug('Parsing dockerfile') |  | ||||||
| 
 |  | ||||||
|       try: |  | ||||||
|         parsed_dockerfile = buildpack.parse_dockerfile(build_config.get('build_subdir')) |  | ||||||
|       except BuildPackageException as bpe: |  | ||||||
|         self._build_failure('Could not find Dockerfile in build package', bpe) |  | ||||||
|         raise trollius.Return() |  | ||||||
| 
 |  | ||||||
|       image_and_tag_tuple = parsed_dockerfile.get_image_and_tag() |  | ||||||
|       if image_and_tag_tuple is None or image_and_tag_tuple[0] is None: |  | ||||||
|         self._build_failure('Missing FROM line in Dockerfile') |  | ||||||
|         raise trollius.Return() |  | ||||||
| 
 |  | ||||||
|       base_image_information = { |  | ||||||
|           'repository': image_and_tag_tuple[0], |  | ||||||
|           'tag': image_and_tag_tuple[1] |  | ||||||
|       } |  | ||||||
| 
 |  | ||||||
|       # Extract the number of steps from the Dockerfile. |  | ||||||
|       with self._build_status as status_dict: |  | ||||||
|         status_dict['total_commands'] = len(parsed_dockerfile.commands) |  | ||||||
|     else: |  | ||||||
|       # TODO(jschorr): This is a HACK to make sure the progress bar (sort of) continues working |  | ||||||
|       # until such time as we have the caching code in place. |  | ||||||
|       with self._build_status as status_dict: |  | ||||||
|         status_dict['total_commands'] = 25 |  | ||||||
| 
 |  | ||||||
|     # Add the pull robot information, if any. |     # Add the pull robot information, if any. | ||||||
|     if build_job.pull_credentials: |     if build_job.pull_credentials: | ||||||
|       base_image_information['username'] = build_job.pull_credentials.get('username', '') |       base_image_information['username'] = build_job.pull_credentials.get('username', '') | ||||||
|  | @ -161,8 +123,7 @@ class BuildComponent(BaseComponent): | ||||||
|         'pull_token': build_job.repo_build.access_token.code, |         'pull_token': build_job.repo_build.access_token.code, | ||||||
|         'push_token': build_job.repo_build.access_token.code, |         'push_token': build_job.repo_build.access_token.code, | ||||||
|         'tag_names': build_config.get('docker_tags', ['latest']), |         'tag_names': build_config.get('docker_tags', ['latest']), | ||||||
|         'base_image': base_image_information, |         'base_image': base_image_information | ||||||
|         'cached_tag': build_job.determine_cached_tag() or '' |  | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     # Invoke the build. |     # Invoke the build. | ||||||
|  | @ -256,6 +217,16 @@ class BuildComponent(BaseComponent): | ||||||
|     elif phase == BUILD_PHASE.BUILDING: |     elif phase == BUILD_PHASE.BUILDING: | ||||||
|       self._build_status.append_log(current_status_string) |       self._build_status.append_log(current_status_string) | ||||||
| 
 | 
 | ||||||
|  |   @trollius.coroutine | ||||||
|  |   def _determine_cache_tag(self, command_comments, base_image_name, base_image_tag, base_image_id): | ||||||
|  |     with self._build_status as status_dict: | ||||||
|  |       status_dict['total_commands'] = len(command_comments) + 1 | ||||||
|  | 
 | ||||||
|  |     logger.debug('Checking cache on realm %s. Base image: %s:%s (%s)', self.builder_realm, | ||||||
|  |                  base_image_name, base_image_tag, base_image_id) | ||||||
|  | 
 | ||||||
|  |     tag_found = self._current_job.determine_cached_tag(base_image_id, command_comments) | ||||||
|  |     raise trollius.Return(tag_found or '') | ||||||
| 
 | 
 | ||||||
|   def _build_failure(self, error_message, exception=None): |   def _build_failure(self, error_message, exception=None): | ||||||
|     """ Handles and logs a failed build. """ |     """ Handles and logs a failed build. """ | ||||||
|  |  | ||||||
|  | @ -1,8 +1,12 @@ | ||||||
| import json | import json | ||||||
|  | import logging | ||||||
| 
 | 
 | ||||||
| from cachetools import lru_cache | from cachetools import lru_cache | ||||||
| from endpoints.notificationhelper import spawn_notification | from endpoints.notificationhelper import spawn_notification | ||||||
| from data import model | from data import model | ||||||
|  | from util.imagetree import ImageTree | ||||||
|  | 
 | ||||||
|  | logger = logging.getLogger(__name__) | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
| class BuildJobLoadException(Exception): | class BuildJobLoadException(Exception): | ||||||
|  | @ -65,14 +69,65 @@ class BuildJob(object): | ||||||
|           'Could not parse repository build job config with ID %s' % self.job_details['build_uuid'] |           'Could not parse repository build job config with ID %s' % self.job_details['build_uuid'] | ||||||
|       ) |       ) | ||||||
| 
 | 
 | ||||||
|   def determine_cached_tag(self): |   def determine_cached_tag(self, base_image_id=None, cache_comments=None): | ||||||
|     """ Returns the tag to pull to prime the cache or None if none. """ |     """ Returns the tag to pull to prime the cache or None if none. """ | ||||||
|     # TODO(jschorr): Change this to use the more complicated caching rules, once we have caching |     cached_tag = None | ||||||
|     # be a pull of things besides the constructed tags. |     if base_image_id and cache_comments: | ||||||
|     tags = self.build_config.get('docker_tags', ['latest']) |       cached_tag = self._determine_cached_tag_by_comments(base_image_id, cache_comments) | ||||||
|     existing_tags = model.list_repository_tags(self.repo_build.repository.namespace_user.username, |  | ||||||
|                                                self.repo_build.repository.name) |  | ||||||
| 
 | 
 | ||||||
|  |     if not cached_tag: | ||||||
|  |       cached_tag = self._determine_cached_tag_by_tag() | ||||||
|  | 
 | ||||||
|  |     logger.debug('Determined cached tag %s for %s: %s', cached_tag, base_image_id, cache_comments) | ||||||
|  | 
 | ||||||
|  |     return cached_tag | ||||||
|  | 
 | ||||||
|  |   def _determine_cached_tag_by_comments(self, base_image_id, cache_commands): | ||||||
|  |     """ Determines the tag to use for priming the cache for this build job, by matching commands | ||||||
|  |         starting at the given base_image_id. This mimics the Docker cache checking, so it should, | ||||||
|  |         in theory, provide "perfect" caching. | ||||||
|  |     """ | ||||||
|  |     # Lookup the base image in the repository. If it doesn't exist, nothing more to do. | ||||||
|  |     repo_build = self.repo_build | ||||||
|  |     repo_namespace = repo_build.repository.namespace_user.username | ||||||
|  |     repo_name = repo_build.repository.name | ||||||
|  | 
 | ||||||
|  |     base_image = model.get_image(repo_build.repository, base_image_id) | ||||||
|  |     if base_image is None: | ||||||
|  |       return None | ||||||
|  | 
 | ||||||
|  |     # Build an in-memory tree of the full heirarchy of images in the repository. | ||||||
|  |     all_images = model.get_repository_images(repo_namespace, repo_name) | ||||||
|  |     all_tags = model.list_repository_tags(repo_namespace, repo_name) | ||||||
|  |     tree = ImageTree(all_images, all_tags, base_filter=base_image.id) | ||||||
|  | 
 | ||||||
|  |     # Find a path in the tree, starting at the base image, that matches the cache comments | ||||||
|  |     # or some subset thereof. | ||||||
|  |     def checker(step, image): | ||||||
|  |       if step >= len(cache_commands): | ||||||
|  |         return False | ||||||
|  | 
 | ||||||
|  |       full_command = '["/bin/sh", "-c", "%s"]' % cache_commands[step] | ||||||
|  |       logger.debug('Checking step #%s: %s, %s == %s', step, image.id, | ||||||
|  |                    image.storage.command, full_command) | ||||||
|  | 
 | ||||||
|  |       return image.storage.command == full_command | ||||||
|  | 
 | ||||||
|  |     path = tree.find_longest_path(base_image.id, checker) | ||||||
|  |     if not path: | ||||||
|  |       return None | ||||||
|  | 
 | ||||||
|  |     # Find any tag associated with the last image in the path. | ||||||
|  |     return tree.tag_containing_image(path[-1]) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |   def _determine_cached_tag_by_tag(self): | ||||||
|  |     """ Determines the cached tag by looking for one of the tags being built, and seeing if it | ||||||
|  |         exists in the repository. This is a fallback for when no comment information is available. | ||||||
|  |     """ | ||||||
|  |     tags = self.build_config.get('docker_tags', ['latest']) | ||||||
|  |     repository = self.repo_build.repository | ||||||
|  |     existing_tags = model.list_repository_tags(repository.namespace_user.username, repository.name) | ||||||
|     cached_tags = set(tags) & set([tag.name for tag in existing_tags]) |     cached_tags = set(tags) & set([tag.name for tag in existing_tags]) | ||||||
|     if cached_tags: |     if cached_tags: | ||||||
|       return list(cached_tags)[0] |       return list(cached_tags)[0] | ||||||
|  |  | ||||||
|  | @ -1,88 +0,0 @@ | ||||||
| import tarfile |  | ||||||
| import requests |  | ||||||
| import os |  | ||||||
| 
 |  | ||||||
| from tempfile import TemporaryFile, mkdtemp |  | ||||||
| from zipfile import ZipFile |  | ||||||
| from util.dockerfileparse import parse_dockerfile |  | ||||||
| from util.safetar import safe_extractall |  | ||||||
| 
 |  | ||||||
| class BuildPackageException(Exception): |  | ||||||
|   """ Exception raised when retrieving or parsing a build package. """ |  | ||||||
|   pass |  | ||||||
| 
 |  | ||||||
| 
 |  | ||||||
| class BuildPackage(object): |  | ||||||
|   """ Helper class for easy reading and updating of a Dockerfile build pack. """ |  | ||||||
| 
 |  | ||||||
|   def __init__(self, requests_file): |  | ||||||
|     self._mime_processors = { |  | ||||||
|         'application/zip': BuildPackage._prepare_zip, |  | ||||||
|         'application/x-zip-compressed': BuildPackage._prepare_zip, |  | ||||||
|         'text/plain': BuildPackage._prepare_dockerfile, |  | ||||||
|         'application/octet-stream': BuildPackage._prepare_dockerfile, |  | ||||||
|         'application/x-tar': BuildPackage._prepare_tarball, |  | ||||||
|         'application/gzip': BuildPackage._prepare_tarball, |  | ||||||
|         'application/x-gzip': BuildPackage._prepare_tarball, |  | ||||||
|     } |  | ||||||
| 
 |  | ||||||
|     c_type = requests_file.headers['content-type'] |  | ||||||
|     c_type = c_type.split(';')[0] if ';' in c_type else c_type |  | ||||||
| 
 |  | ||||||
|     if c_type not in self._mime_processors: |  | ||||||
|       raise BuildPackageException('Unknown build package mime type: %s' % c_type) |  | ||||||
| 
 |  | ||||||
|     self._package_directory = None |  | ||||||
|     try: |  | ||||||
|       self._package_directory = self._mime_processors[c_type](requests_file) |  | ||||||
|     except Exception as ex: |  | ||||||
|       raise BuildPackageException(ex.message) |  | ||||||
| 
 |  | ||||||
|   def parse_dockerfile(self, subdirectory): |  | ||||||
|     dockerfile_path = os.path.join(self._package_directory, subdirectory, 'Dockerfile') |  | ||||||
|     if not os.path.exists(dockerfile_path): |  | ||||||
|       if subdirectory: |  | ||||||
|         message = 'Build package did not contain a Dockerfile at sub directory %s.' % subdirectory |  | ||||||
|       else: |  | ||||||
|         message = 'Build package did not contain a Dockerfile at the root directory.' |  | ||||||
| 
 |  | ||||||
|       raise BuildPackageException(message) |  | ||||||
| 
 |  | ||||||
|     with open(dockerfile_path, 'r') as dockerfileobj: |  | ||||||
|       return parse_dockerfile(dockerfileobj.read()) |  | ||||||
| 
 |  | ||||||
|   @staticmethod |  | ||||||
|   def from_url(url): |  | ||||||
|     buildpack_resource = requests.get(url, stream=True) |  | ||||||
|     return BuildPackage(buildpack_resource) |  | ||||||
| 
 |  | ||||||
|   @staticmethod |  | ||||||
|   def _prepare_zip(request_file): |  | ||||||
|     build_dir = mkdtemp(prefix='docker-build-') |  | ||||||
| 
 |  | ||||||
|     # Save the zip file to temp somewhere |  | ||||||
|     with TemporaryFile() as zip_file: |  | ||||||
|       zip_file.write(request_file.content) |  | ||||||
|       to_extract = ZipFile(zip_file) |  | ||||||
|       to_extract.extractall(build_dir) |  | ||||||
| 
 |  | ||||||
|     return build_dir |  | ||||||
| 
 |  | ||||||
|   @staticmethod |  | ||||||
|   def _prepare_dockerfile(request_file): |  | ||||||
|     build_dir = mkdtemp(prefix='docker-build-') |  | ||||||
|     dockerfile_path = os.path.join(build_dir, "Dockerfile") |  | ||||||
|     with open(dockerfile_path, 'w') as dockerfile: |  | ||||||
|       dockerfile.write(request_file.content) |  | ||||||
| 
 |  | ||||||
|     return build_dir |  | ||||||
| 
 |  | ||||||
|   @staticmethod |  | ||||||
|   def _prepare_tarball(request_file): |  | ||||||
|     build_dir = mkdtemp(prefix='docker-build-') |  | ||||||
| 
 |  | ||||||
|     # Save the zip file to temp somewhere |  | ||||||
|     with tarfile.open(mode='r|*', fileobj=request_file.raw) as tar_stream: |  | ||||||
|       safe_extractall(tar_stream, build_dir) |  | ||||||
| 
 |  | ||||||
|     return build_dir |  | ||||||
|  | @ -7,11 +7,12 @@ class StatusHandler(object): | ||||||
| 
 | 
 | ||||||
|   def __init__(self, build_logs, repository_build_uuid): |   def __init__(self, build_logs, repository_build_uuid): | ||||||
|     self._current_phase = None |     self._current_phase = None | ||||||
|  |     self._current_command = None | ||||||
|     self._uuid = repository_build_uuid |     self._uuid = repository_build_uuid | ||||||
|     self._build_logs = build_logs |     self._build_logs = build_logs | ||||||
| 
 | 
 | ||||||
|     self._status = { |     self._status = { | ||||||
|         'total_commands': None, |         'total_commands': 0, | ||||||
|         'current_command': None, |         'current_command': None, | ||||||
|         'push_completion': 0.0, |         'push_completion': 0.0, | ||||||
|         'pull_completion': 0.0, |         'pull_completion': 0.0, | ||||||
|  | @ -26,9 +27,16 @@ class StatusHandler(object): | ||||||
|     self._build_logs.append_log_message(self._uuid, log_message, log_type, log_data) |     self._build_logs.append_log_message(self._uuid, log_message, log_type, log_data) | ||||||
| 
 | 
 | ||||||
|   def append_log(self, log_message, extra_data=None): |   def append_log(self, log_message, extra_data=None): | ||||||
|  |     if log_message is None: | ||||||
|  |       return | ||||||
|  | 
 | ||||||
|     self._append_log_message(log_message, log_data=extra_data) |     self._append_log_message(log_message, log_data=extra_data) | ||||||
| 
 | 
 | ||||||
|   def set_command(self, command, extra_data=None): |   def set_command(self, command, extra_data=None): | ||||||
|  |     if self._current_command == command: | ||||||
|  |       return | ||||||
|  | 
 | ||||||
|  |     self._current_command = command | ||||||
|     self._append_log_message(command, self._build_logs.COMMAND, extra_data) |     self._append_log_message(command, self._build_logs.COMMAND, extra_data) | ||||||
| 
 | 
 | ||||||
|   def set_error(self, error_message, extra_data=None, internal_error=False): |   def set_error(self, error_message, extra_data=None, internal_error=False): | ||||||
|  |  | ||||||
|  | @ -63,6 +63,11 @@ class WorkerError(object): | ||||||
|         'io.quay.builder.missingorinvalidargument': { |         'io.quay.builder.missingorinvalidargument': { | ||||||
|             'message': 'Missing required arguments for builder', |             'message': 'Missing required arguments for builder', | ||||||
|             'is_internal': True |             'is_internal': True | ||||||
|  |         }, | ||||||
|  | 
 | ||||||
|  |         'io.quay.builder.cachelookupissue': { | ||||||
|  |             'message': 'Error checking for a cached tag', | ||||||
|  |             'is_internal': True | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  |  | ||||||
|  | @ -11,6 +11,7 @@ from trollius import coroutine, From, Return, get_event_loop | ||||||
| from functools import partial | from functools import partial | ||||||
| 
 | 
 | ||||||
| from buildman.asyncutil import AsyncWrapper | from buildman.asyncutil import AsyncWrapper | ||||||
|  | from container_cloud_config import CloudConfigContext | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
| logger = logging.getLogger(__name__) | logger = logging.getLogger(__name__) | ||||||
|  | @ -20,7 +21,7 @@ ONE_HOUR = 60*60 | ||||||
| 
 | 
 | ||||||
| ENV = Environment(loader=FileSystemLoader('buildman/templates')) | ENV = Environment(loader=FileSystemLoader('buildman/templates')) | ||||||
| TEMPLATE = ENV.get_template('cloudconfig.yaml') | TEMPLATE = ENV.get_template('cloudconfig.yaml') | ||||||
| 
 | CloudConfigContext().populate_jinja_environment(ENV) | ||||||
| 
 | 
 | ||||||
| class ExecutorException(Exception): | class ExecutorException(Exception): | ||||||
|   """ Exception raised when there is a problem starting or stopping a builder. |   """ Exception raised when there is a problem starting or stopping a builder. | ||||||
|  |  | ||||||
|  | @ -19,18 +19,13 @@ coreos: | ||||||
|     group: {{ coreos_channel }} |     group: {{ coreos_channel }} | ||||||
| 
 | 
 | ||||||
|   units: |   units: | ||||||
|     - name: quay-builder.service |     {{ dockersystemd('quay-builder', | ||||||
|       command: start |                      'quay.io/coreos/registry-build-worker', | ||||||
|       content: | |                      quay_username, | ||||||
|         [Unit] |                      quay_password, | ||||||
|         Description=Quay builder container |                      worker_tag, | ||||||
|         Author=Jake Moshenko |                      extra_args='--net=host --privileged --env-file /root/overrides.list -v /var/run/docker.sock:/var/run/docker.sock -v /usr/share/ca-certificates:/etc/ssl/certs', | ||||||
|         After=docker.service |                      exec_stop_post=['/bin/sh -xc "/bin/sleep 120; /usr/bin/systemctl --no-block poweroff"'], | ||||||
| 
 |                      flattened=True, | ||||||
|         [Service] |                      restart_policy='no' | ||||||
|         TimeoutStartSec=600 |                     ) | indent(4) }} | ||||||
|         TimeoutStopSec=2000 |  | ||||||
|         ExecStartPre=/usr/bin/docker login -u {{ quay_username }} -p {{ quay_password }} -e unused quay.io |  | ||||||
|         ExecStart=/usr/bin/docker run --rm --net=host --name quay-builder --privileged --env-file /root/overrides.list -v /var/run/docker.sock:/var/run/docker.sock -v /usr/share/ca-certificates:/etc/ssl/certs quay.io/coreos/registry-build-worker:{{ worker_tag }} |  | ||||||
|         ExecStop=/usr/bin/docker stop quay-builder |  | ||||||
|         ExecStopPost=/bin/sh -xc "/bin/sleep 120; /usr/bin/systemctl --no-block poweroff" |  | ||||||
|  |  | ||||||
|  | @ -5,3 +5,4 @@ timeout = 2000 | ||||||
| daemon = False | daemon = False | ||||||
| logconfig = 'conf/logging_debug.conf' | logconfig = 'conf/logging_debug.conf' | ||||||
| pythonpath = '.' | pythonpath = '.' | ||||||
|  | preload_app = True | ||||||
|  |  | ||||||
|  | @ -13,7 +13,6 @@ proxy_set_header X-Forwarded-For $proxy_protocol_addr; | ||||||
| proxy_set_header X-Forwarded-Proto $scheme; | proxy_set_header X-Forwarded-Proto $scheme; | ||||||
| proxy_set_header Host $http_host; | proxy_set_header Host $http_host; | ||||||
| proxy_redirect off; | proxy_redirect off; | ||||||
| proxy_buffer_size 6m; |  | ||||||
| 
 | 
 | ||||||
| proxy_set_header Transfer-Encoding $http_transfer_encoding; | proxy_set_header Transfer-Encoding $http_transfer_encoding; | ||||||
| 
 | 
 | ||||||
|  |  | ||||||
|  | @ -16,7 +16,6 @@ proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for; | ||||||
| proxy_set_header X-Forwarded-Proto $scheme; | proxy_set_header X-Forwarded-Proto $scheme; | ||||||
| proxy_set_header Host $http_host; | proxy_set_header Host $http_host; | ||||||
| proxy_redirect off; | proxy_redirect off; | ||||||
| proxy_buffer_size 6m; |  | ||||||
| 
 | 
 | ||||||
| proxy_set_header Transfer-Encoding $http_transfer_encoding; | proxy_set_header Transfer-Encoding $http_transfer_encoding; | ||||||
| 
 | 
 | ||||||
|  |  | ||||||
							
								
								
									
										20
									
								
								config.py
									
										
									
									
									
								
							
							
						
						
									
										20
									
								
								config.py
									
										
									
									
									
								
							|  | @ -36,7 +36,6 @@ def getFrontendVisibleConfig(config_dict): | ||||||
| 
 | 
 | ||||||
| class DefaultConfig(object): | class DefaultConfig(object): | ||||||
|   # Flask config |   # Flask config | ||||||
|   SECRET_KEY = 'a36c9d7d-25a9-4d3f-a586-3d2f8dc40a83' |  | ||||||
|   JSONIFY_PRETTYPRINT_REGULAR = False |   JSONIFY_PRETTYPRINT_REGULAR = False | ||||||
|   SESSION_COOKIE_SECURE = False |   SESSION_COOKIE_SECURE = False | ||||||
| 
 | 
 | ||||||
|  | @ -48,8 +47,9 @@ class DefaultConfig(object): | ||||||
| 
 | 
 | ||||||
|   AVATAR_KIND = 'local' |   AVATAR_KIND = 'local' | ||||||
| 
 | 
 | ||||||
|   REGISTRY_TITLE = 'Quay.io' |   REGISTRY_TITLE = 'CoreOS Enterprise Registry' | ||||||
|   REGISTRY_TITLE_SHORT = 'Quay.io' |   REGISTRY_TITLE_SHORT = 'Enterprise Registry' | ||||||
|  | 
 | ||||||
|   CONTACT_INFO = [ |   CONTACT_INFO = [ | ||||||
|     'mailto:support@quay.io', |     'mailto:support@quay.io', | ||||||
|     'irc://chat.freenode.net:6665/quayio', |     'irc://chat.freenode.net:6665/quayio', | ||||||
|  | @ -132,6 +132,9 @@ class DefaultConfig(object): | ||||||
|   # Super user config. Note: This MUST BE an empty list for the default config. |   # Super user config. Note: This MUST BE an empty list for the default config. | ||||||
|   SUPER_USERS = [] |   SUPER_USERS = [] | ||||||
| 
 | 
 | ||||||
|  |   # Feature Flag: Whether super users are supported. | ||||||
|  |   FEATURE_SUPER_USERS = True | ||||||
|  | 
 | ||||||
|   # Feature Flag: Whether billing is required. |   # Feature Flag: Whether billing is required. | ||||||
|   FEATURE_BILLING = False |   FEATURE_BILLING = False | ||||||
| 
 | 
 | ||||||
|  | @ -147,9 +150,6 @@ class DefaultConfig(object): | ||||||
|   # Feature flag, whether to enable olark chat |   # Feature flag, whether to enable olark chat | ||||||
|   FEATURE_OLARK_CHAT = False |   FEATURE_OLARK_CHAT = False | ||||||
| 
 | 
 | ||||||
|   # Feature Flag: Whether super users are supported. |  | ||||||
|   FEATURE_SUPER_USERS = False |  | ||||||
| 
 |  | ||||||
|   # Feature Flag: Whether to support GitHub build triggers. |   # Feature Flag: Whether to support GitHub build triggers. | ||||||
|   FEATURE_GITHUB_BUILD = False |   FEATURE_GITHUB_BUILD = False | ||||||
| 
 | 
 | ||||||
|  | @ -187,3 +187,11 @@ class DefaultConfig(object): | ||||||
| 
 | 
 | ||||||
|   # For enterprise: |   # For enterprise: | ||||||
|   MAXIMUM_REPOSITORY_USAGE = 20 |   MAXIMUM_REPOSITORY_USAGE = 20 | ||||||
|  | 
 | ||||||
|  |   # System logs. | ||||||
|  |   SYSTEM_LOGS_PATH = "/var/log/" | ||||||
|  |   SYSTEM_SERVICE_LOGS_PATH = "/var/log/%s/current" | ||||||
|  |   SYSTEM_SERVICES_PATH = "conf/init/" | ||||||
|  | 
 | ||||||
|  |   # Services that should not be shown in the logs view. | ||||||
|  |   SYSTEM_SERVICE_BLACKLIST = ['tutumdocker', 'dockerfilebuild'] | ||||||
|  | @ -18,7 +18,8 @@ config.set_main_option('sqlalchemy.url', unquote(app.config['DB_URI'])) | ||||||
| 
 | 
 | ||||||
| # Interpret the config file for Python logging. | # Interpret the config file for Python logging. | ||||||
| # This line sets up loggers basically. | # This line sets up loggers basically. | ||||||
| fileConfig(config.config_file_name) | if config.config_file_name: | ||||||
|  |     fileConfig(config.config_file_name) | ||||||
| 
 | 
 | ||||||
| # add your model's MetaData object here | # add your model's MetaData object here | ||||||
| # for 'autogenerate' support | # for 'autogenerate' support | ||||||
|  |  | ||||||
|  | @ -1105,6 +1105,26 @@ def get_repository(namespace_name, repository_name): | ||||||
|     return None |     return None | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | def get_image(repo, dockerfile_id): | ||||||
|  |   try: | ||||||
|  |     return Image.get(Image.docker_image_id == dockerfile_id, Image.repository == repo) | ||||||
|  |   except Image.DoesNotExist: | ||||||
|  |     return None | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | def find_child_image(repo, parent_image, command): | ||||||
|  |   try: | ||||||
|  |     return (Image.select() | ||||||
|  |                 .join(ImageStorage) | ||||||
|  |                 .switch(Image) | ||||||
|  |                 .where(Image.ancestors % '%/' + parent_image.id + '/%', | ||||||
|  |                        ImageStorage.command == command) | ||||||
|  |                 .order_by(ImageStorage.created.desc()) | ||||||
|  |                 .get()) | ||||||
|  |   except Image.DoesNotExist: | ||||||
|  |     return None | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
| def get_repo_image(namespace_name, repository_name, docker_image_id): | def get_repo_image(namespace_name, repository_name, docker_image_id): | ||||||
|   def limit_to_image_id(query): |   def limit_to_image_id(query): | ||||||
|     return query.where(Image.docker_image_id == docker_image_id).limit(1) |     return query.where(Image.docker_image_id == docker_image_id).limit(1) | ||||||
|  | @ -1714,7 +1734,6 @@ def get_tag_image(namespace_name, repository_name, tag_name): | ||||||
|   else: |   else: | ||||||
|     return images[0] |     return images[0] | ||||||
| 
 | 
 | ||||||
| 
 |  | ||||||
| def get_image_by_id(namespace_name, repository_name, docker_image_id): | def get_image_by_id(namespace_name, repository_name, docker_image_id): | ||||||
|   image = get_repo_image_extended(namespace_name, repository_name, docker_image_id) |   image = get_repo_image_extended(namespace_name, repository_name, docker_image_id) | ||||||
|   if not image: |   if not image: | ||||||
|  |  | ||||||
							
								
								
									
										20
									
								
								data/runmigration.py
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										20
									
								
								data/runmigration.py
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,20 @@ | ||||||
|  | import logging | ||||||
|  | 
 | ||||||
|  | from alembic.config import Config | ||||||
|  | from alembic.script import ScriptDirectory | ||||||
|  | from alembic.environment import EnvironmentContext | ||||||
|  | from alembic.migration import __name__ as migration_name | ||||||
|  | 
 | ||||||
|  | def run_alembic_migration(log_handler=None): | ||||||
|  |   if log_handler: | ||||||
|  |     logging.getLogger(migration_name).addHandler(log_handler) | ||||||
|  | 
 | ||||||
|  |   config = Config() | ||||||
|  |   config.set_main_option("script_location", "data:migrations") | ||||||
|  |   script = ScriptDirectory.from_config(config) | ||||||
|  | 
 | ||||||
|  |   def fn(rev, context): | ||||||
|  |     return script._upgrade_revs('head', rev) | ||||||
|  | 
 | ||||||
|  |   with EnvironmentContext(config, script, fn=fn, destination_rev='head'): | ||||||
|  |     script.run_env() | ||||||
|  | @ -280,6 +280,23 @@ require_user_read = require_user_permission(UserReadPermission, scopes.READ_USER | ||||||
| require_user_admin = require_user_permission(UserAdminPermission, None) | require_user_admin = require_user_permission(UserAdminPermission, None) | ||||||
| require_fresh_user_admin = require_user_permission(UserAdminPermission, None) | require_fresh_user_admin = require_user_permission(UserAdminPermission, None) | ||||||
| 
 | 
 | ||||||
|  | 
 | ||||||
|  | def verify_not_prod(func): | ||||||
|  |   @add_method_metadata('enterprise_only', True) | ||||||
|  |   @wraps(func) | ||||||
|  |   def wrapped(*args, **kwargs): | ||||||
|  |     # Verify that we are not running on a production (i.e. hosted) stack. If so, we fail. | ||||||
|  |     # This should never happen (because of the feature-flag on SUPER_USERS), but we want to be | ||||||
|  |     # absolutely sure. | ||||||
|  |     if app.config['SERVER_HOSTNAME'].find('quay.io') >= 0: | ||||||
|  |       logger.error('!!! Super user method called IN PRODUCTION !!!') | ||||||
|  |       raise NotFound() | ||||||
|  | 
 | ||||||
|  |     return func(*args, **kwargs) | ||||||
|  | 
 | ||||||
|  |   return wrapped | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
| def require_fresh_login(func): | def require_fresh_login(func): | ||||||
|   @add_method_metadata('requires_fresh_login', True) |   @add_method_metadata('requires_fresh_login', True) | ||||||
|   @wraps(func) |   @wraps(func) | ||||||
|  | @ -385,8 +402,10 @@ import endpoints.api.repoemail | ||||||
| import endpoints.api.repotoken | import endpoints.api.repotoken | ||||||
| import endpoints.api.robot | import endpoints.api.robot | ||||||
| import endpoints.api.search | import endpoints.api.search | ||||||
|  | import endpoints.api.suconfig | ||||||
| import endpoints.api.superuser | import endpoints.api.superuser | ||||||
| import endpoints.api.tag | import endpoints.api.tag | ||||||
| import endpoints.api.team | import endpoints.api.team | ||||||
| import endpoints.api.trigger | import endpoints.api.trigger | ||||||
| import endpoints.api.user | import endpoints.api.user | ||||||
|  | 
 | ||||||
|  |  | ||||||
							
								
								
									
										361
									
								
								endpoints/api/suconfig.py
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										361
									
								
								endpoints/api/suconfig.py
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,361 @@ | ||||||
|  | import logging | ||||||
|  | import os | ||||||
|  | import json | ||||||
|  | import signal | ||||||
|  | 
 | ||||||
|  | from flask import abort, Response | ||||||
|  | from endpoints.api import (ApiResource, nickname, resource, internal_only, show_if, | ||||||
|  |                            require_fresh_login, request, validate_json_request, verify_not_prod) | ||||||
|  | 
 | ||||||
|  | from endpoints.common import common_login | ||||||
|  | from app import app, CONFIG_PROVIDER, superusers | ||||||
|  | from data import model | ||||||
|  | from data.database import configure | ||||||
|  | from auth.permissions import SuperUserPermission | ||||||
|  | from auth.auth_context import get_authenticated_user | ||||||
|  | from data.database import User | ||||||
|  | from util.config.configutil import add_enterprise_config_defaults | ||||||
|  | from util.config.validator import validate_service_for_config, SSL_FILENAMES | ||||||
|  | from data.runmigration import run_alembic_migration | ||||||
|  | 
 | ||||||
|  | import features | ||||||
|  | 
 | ||||||
|  | logger = logging.getLogger(__name__) | ||||||
|  | 
 | ||||||
|  | def database_is_valid(): | ||||||
|  |   """ Returns whether the database, as configured, is valid. """ | ||||||
|  |   if app.config['TESTING']: | ||||||
|  |     return False | ||||||
|  | 
 | ||||||
|  |   try: | ||||||
|  |     list(User.select().limit(1)) | ||||||
|  |     return True | ||||||
|  |   except: | ||||||
|  |     return False | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | def database_has_users(): | ||||||
|  |   """ Returns whether the database has any users defined. """ | ||||||
|  |   return bool(list(User.select().limit(1))) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | @resource('/v1/superuser/registrystatus') | ||||||
|  | @internal_only | ||||||
|  | @show_if(features.SUPER_USERS) | ||||||
|  | class SuperUserRegistryStatus(ApiResource): | ||||||
|  |   """ Resource for determining the status of the registry, such as if config exists, | ||||||
|  |       if a database is configured, and if it has any defined users. | ||||||
|  |   """ | ||||||
|  |   @nickname('scRegistryStatus') | ||||||
|  |   @verify_not_prod | ||||||
|  |   def get(self): | ||||||
|  |     """ Returns the status of the registry. """ | ||||||
|  |     # If there is no conf/stack volume, then report that status. | ||||||
|  |     if not CONFIG_PROVIDER.volume_exists(): | ||||||
|  |       return { | ||||||
|  |         'status': 'missing-config-dir' | ||||||
|  |       } | ||||||
|  | 
 | ||||||
|  |     # If there is no config file, we need to setup the database. | ||||||
|  |     if not CONFIG_PROVIDER.yaml_exists(): | ||||||
|  |       return { | ||||||
|  |         'status': 'config-db' | ||||||
|  |       } | ||||||
|  | 
 | ||||||
|  |     # If the database isn't yet valid, then we need to set it up. | ||||||
|  |     if not database_is_valid(): | ||||||
|  |       return { | ||||||
|  |         'status': 'setup-db' | ||||||
|  |       } | ||||||
|  | 
 | ||||||
|  |     # If we have SETUP_COMPLETE, then we're ready to go! | ||||||
|  |     if app.config.get('SETUP_COMPLETE', False): | ||||||
|  |       return { | ||||||
|  |         'requires_restart': CONFIG_PROVIDER.requires_restart(app.config), | ||||||
|  |         'status': 'ready' | ||||||
|  |       } | ||||||
|  | 
 | ||||||
|  |     return { | ||||||
|  |       'status': 'create-superuser' if not database_has_users() else 'config' | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | class _AlembicLogHandler(logging.Handler): | ||||||
|  |   def __init__(self): | ||||||
|  |     super(_AlembicLogHandler, self).__init__() | ||||||
|  |     self.records = [] | ||||||
|  | 
 | ||||||
|  |   def emit(self, record): | ||||||
|  |     self.records.append({ | ||||||
|  |       'level': record.levelname, | ||||||
|  |       'message': record.getMessage() | ||||||
|  |     }) | ||||||
|  | 
 | ||||||
|  | @resource('/v1/superuser/setupdb') | ||||||
|  | @internal_only | ||||||
|  | @show_if(features.SUPER_USERS) | ||||||
|  | class SuperUserSetupDatabase(ApiResource): | ||||||
|  |   """ Resource for invoking alembic to setup the database. """ | ||||||
|  |   @verify_not_prod | ||||||
|  |   @nickname('scSetupDatabase') | ||||||
|  |   def get(self): | ||||||
|  |     """ Invokes the alembic upgrade process. """ | ||||||
|  |     # Note: This method is called after the database configured is saved, but before the | ||||||
|  |     # database has any tables. Therefore, we only allow it to be run in that unique case. | ||||||
|  |     if CONFIG_PROVIDER.yaml_exists() and not database_is_valid(): | ||||||
|  |       # Note: We need to reconfigure the database here as the config has changed. | ||||||
|  |       combined = dict(**app.config) | ||||||
|  |       combined.update(CONFIG_PROVIDER.get_yaml()) | ||||||
|  | 
 | ||||||
|  |       configure(combined) | ||||||
|  |       app.config['DB_URI'] = combined['DB_URI'] | ||||||
|  | 
 | ||||||
|  |       log_handler = _AlembicLogHandler() | ||||||
|  | 
 | ||||||
|  |       try: | ||||||
|  |         run_alembic_migration(log_handler) | ||||||
|  |       except Exception as ex: | ||||||
|  |         return { | ||||||
|  |           'error': str(ex) | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|  |       return { | ||||||
|  |         'logs': log_handler.records | ||||||
|  |       } | ||||||
|  | 
 | ||||||
|  |     abort(403) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | @resource('/v1/superuser/shutdown') | ||||||
|  | @internal_only | ||||||
|  | @show_if(features.SUPER_USERS) | ||||||
|  | class SuperUserShutdown(ApiResource): | ||||||
|  |   """ Resource for sending a shutdown signal to the container. """ | ||||||
|  | 
 | ||||||
|  |   @verify_not_prod | ||||||
|  |   @nickname('scShutdownContainer') | ||||||
|  |   def post(self): | ||||||
|  |     """ Sends a signal to the phusion init system to shut down the container. """ | ||||||
|  |     # Note: This method is called to set the database configuration before super users exists, | ||||||
|  |     # so we also allow it to be called if there is no valid registry configuration setup. | ||||||
|  |     if app.config['TESTING'] or not database_has_users() or SuperUserPermission().can(): | ||||||
|  |       # Note: We skip if debugging locally. | ||||||
|  |       if app.config.get('DEBUGGING') == True: | ||||||
|  |         return {} | ||||||
|  | 
 | ||||||
|  |       os.kill(1, signal.SIGINT) | ||||||
|  |       return {} | ||||||
|  | 
 | ||||||
|  |     abort(403) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | @resource('/v1/superuser/config') | ||||||
|  | @internal_only | ||||||
|  | @show_if(features.SUPER_USERS) | ||||||
|  | class SuperUserConfig(ApiResource): | ||||||
|  |   """ Resource for fetching and updating the current configuration, if any. """ | ||||||
|  |   schemas = { | ||||||
|  |     'UpdateConfig': { | ||||||
|  |       'id': 'UpdateConfig', | ||||||
|  |       'type': 'object', | ||||||
|  |       'description': 'Updates the YAML config file', | ||||||
|  |       'required': [ | ||||||
|  |         'config', | ||||||
|  |         'hostname' | ||||||
|  |       ], | ||||||
|  |       'properties': { | ||||||
|  |         'config': { | ||||||
|  |           'type': 'object' | ||||||
|  |         }, | ||||||
|  |         'hostname': { | ||||||
|  |           'type': 'string' | ||||||
|  |         } | ||||||
|  |       }, | ||||||
|  |     }, | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   @require_fresh_login | ||||||
|  |   @verify_not_prod | ||||||
|  |   @nickname('scGetConfig') | ||||||
|  |   def get(self): | ||||||
|  |     """ Returns the currently defined configuration, if any. """ | ||||||
|  |     if SuperUserPermission().can(): | ||||||
|  |       config_object = CONFIG_PROVIDER.get_yaml() | ||||||
|  |       return { | ||||||
|  |         'config': config_object | ||||||
|  |       } | ||||||
|  | 
 | ||||||
|  |     abort(403) | ||||||
|  | 
 | ||||||
|  |   @nickname('scUpdateConfig') | ||||||
|  |   @verify_not_prod | ||||||
|  |   @validate_json_request('UpdateConfig') | ||||||
|  |   def put(self): | ||||||
|  |     """ Updates the config.yaml file. """ | ||||||
|  |     # Note: This method is called to set the database configuration before super users exists, | ||||||
|  |     # so we also allow it to be called if there is no valid registry configuration setup. | ||||||
|  |     if not CONFIG_PROVIDER.yaml_exists() or SuperUserPermission().can(): | ||||||
|  |       config_object = request.get_json()['config'] | ||||||
|  |       hostname = request.get_json()['hostname'] | ||||||
|  | 
 | ||||||
|  |       # Add any enterprise defaults missing from the config. | ||||||
|  |       add_enterprise_config_defaults(config_object, app.config['SECRET_KEY'], hostname) | ||||||
|  | 
 | ||||||
|  |       # Write the configuration changes to the YAML file. | ||||||
|  |       CONFIG_PROVIDER.save_yaml(config_object) | ||||||
|  | 
 | ||||||
|  |       return { | ||||||
|  |         'exists': True, | ||||||
|  |         'config': config_object | ||||||
|  |       } | ||||||
|  | 
 | ||||||
|  |     abort(403) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | @resource('/v1/superuser/config/file/<filename>') | ||||||
|  | @internal_only | ||||||
|  | @show_if(features.SUPER_USERS) | ||||||
|  | class SuperUserConfigFile(ApiResource): | ||||||
|  |   """ Resource for fetching the status of config files and overriding them. """ | ||||||
|  |   @nickname('scConfigFileExists') | ||||||
|  |   @verify_not_prod | ||||||
|  |   def get(self, filename): | ||||||
|  |     """ Returns whether the configuration file with the given name exists. """ | ||||||
|  |     if not filename in SSL_FILENAMES: | ||||||
|  |       abort(404) | ||||||
|  | 
 | ||||||
|  |     if SuperUserPermission().can(): | ||||||
|  |       return { | ||||||
|  |        'exists': CONFIG_PROVIDER.volume_file_exists(filename) | ||||||
|  |       } | ||||||
|  | 
 | ||||||
|  |     abort(403) | ||||||
|  | 
 | ||||||
|  |   @nickname('scUpdateConfigFile') | ||||||
|  |   @verify_not_prod | ||||||
|  |   def post(self, filename): | ||||||
|  |     """ Updates the configuration file with the given name. """ | ||||||
|  |     if not filename in SSL_FILENAMES: | ||||||
|  |       abort(404) | ||||||
|  | 
 | ||||||
|  |     if SuperUserPermission().can(): | ||||||
|  |       uploaded_file = request.files['file'] | ||||||
|  |       if not uploaded_file: | ||||||
|  |         abort(400) | ||||||
|  | 
 | ||||||
|  |       CONFIG_PROVIDER.save_volume_file(filename, uploaded_file) | ||||||
|  |       return { | ||||||
|  |         'status': True | ||||||
|  |       } | ||||||
|  | 
 | ||||||
|  |     abort(403) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | @resource('/v1/superuser/config/createsuperuser') | ||||||
|  | @internal_only | ||||||
|  | @show_if(features.SUPER_USERS) | ||||||
|  | class SuperUserCreateInitialSuperUser(ApiResource): | ||||||
|  |   """ Resource for creating the initial super user. """ | ||||||
|  |   schemas = { | ||||||
|  |     'CreateSuperUser': { | ||||||
|  |       'id': 'CreateSuperUser', | ||||||
|  |       'type': 'object', | ||||||
|  |       'description': 'Information for creating the initial super user', | ||||||
|  |       'required': [ | ||||||
|  |         'username', | ||||||
|  |         'password', | ||||||
|  |         'email' | ||||||
|  |       ], | ||||||
|  |       'properties': { | ||||||
|  |         'username': { | ||||||
|  |           'type': 'string', | ||||||
|  |           'description': 'The username for the superuser' | ||||||
|  |         }, | ||||||
|  |         'password': { | ||||||
|  |           'type': 'string', | ||||||
|  |           'description': 'The password for the superuser' | ||||||
|  |         }, | ||||||
|  |         'email': { | ||||||
|  |           'type': 'string', | ||||||
|  |           'description': 'The e-mail address for the superuser' | ||||||
|  |         }, | ||||||
|  |       }, | ||||||
|  |     }, | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   @nickname('scCreateInitialSuperuser') | ||||||
|  |   @verify_not_prod | ||||||
|  |   @validate_json_request('CreateSuperUser') | ||||||
|  |   def post(self): | ||||||
|  |     """ Creates the initial super user, updates the underlying configuration and | ||||||
|  |         sets the current session to have that super user. """ | ||||||
|  | 
 | ||||||
|  |     # Special security check: This method is only accessible when: | ||||||
|  |     #   - There is a valid config YAML file. | ||||||
|  |     #   - There are currently no users in the database (clean install) | ||||||
|  |     # | ||||||
|  |     # We do this special security check because at the point this method is called, the database | ||||||
|  |     # is clean but does not (yet) have any super users for our permissions code to check against. | ||||||
|  |     if CONFIG_PROVIDER.yaml_exists() and not database_has_users(): | ||||||
|  |       data = request.get_json() | ||||||
|  |       username = data['username'] | ||||||
|  |       password = data['password'] | ||||||
|  |       email = data['email'] | ||||||
|  | 
 | ||||||
|  |       # Create the user in the database. | ||||||
|  |       superuser = model.create_user(username, password, email, auto_verify=True) | ||||||
|  | 
 | ||||||
|  |       # Add the user to the config. | ||||||
|  |       config_object = CONFIG_PROVIDER.get_yaml() | ||||||
|  |       config_object['SUPER_USERS'] = [username] | ||||||
|  |       CONFIG_PROVIDER.save_yaml(config_object) | ||||||
|  | 
 | ||||||
|  |       # Update the in-memory config for the new superuser. | ||||||
|  |       superusers.register_superuser(username) | ||||||
|  | 
 | ||||||
|  |       # Conduct login with that user. | ||||||
|  |       common_login(superuser) | ||||||
|  | 
 | ||||||
|  |       return { | ||||||
|  |         'status': True | ||||||
|  |       } | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     abort(403) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | @resource('/v1/superuser/config/validate/<service>') | ||||||
|  | @internal_only | ||||||
|  | @show_if(features.SUPER_USERS) | ||||||
|  | class SuperUserConfigValidate(ApiResource): | ||||||
|  |   """ Resource for validating a block of configuration against an external service. """ | ||||||
|  |   schemas = { | ||||||
|  |     'ValidateConfig': { | ||||||
|  |       'id': 'ValidateConfig', | ||||||
|  |       'type': 'object', | ||||||
|  |       'description': 'Validates configuration', | ||||||
|  |       'required': [ | ||||||
|  |         'config' | ||||||
|  |       ], | ||||||
|  |       'properties': { | ||||||
|  |         'config': { | ||||||
|  |           'type': 'object' | ||||||
|  |         } | ||||||
|  |       }, | ||||||
|  |     }, | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   @nickname('scValidateConfig') | ||||||
|  |   @verify_not_prod | ||||||
|  |   @validate_json_request('ValidateConfig') | ||||||
|  |   def post(self, service): | ||||||
|  |     """ Validates the given config for the given service. """ | ||||||
|  |     # Note: This method is called to validate the database configuration before super users exists, | ||||||
|  |     # so we also allow it to be called if there is no valid registry configuration setup. Note that | ||||||
|  |     # this is also safe since this method does not access any information not given in the request. | ||||||
|  |     if not CONFIG_PROVIDER.yaml_exists() or SuperUserPermission().can(): | ||||||
|  |       config = request.get_json()['config'] | ||||||
|  |       return validate_service_for_config(service, config) | ||||||
|  | 
 | ||||||
|  |     abort(403) | ||||||
|  | @ -1,15 +1,16 @@ | ||||||
| import string | import string | ||||||
| import logging | import logging | ||||||
| import json | import json | ||||||
|  | import os | ||||||
| 
 | 
 | ||||||
| from random import SystemRandom | from random import SystemRandom | ||||||
| from app import app | from app import app, avatar, superusers | ||||||
| from flask import request | from flask import request | ||||||
| 
 | 
 | ||||||
| from endpoints.api import (ApiResource, nickname, resource, validate_json_request, request_error, | from endpoints.api import (ApiResource, nickname, resource, validate_json_request, request_error, | ||||||
|                            log_action, internal_only, NotFound, require_user_admin, format_date, |                            log_action, internal_only, NotFound, require_user_admin, format_date, | ||||||
|                            InvalidToken, require_scope, format_date, hide_if, show_if, parse_args, |                            InvalidToken, require_scope, format_date, hide_if, show_if, parse_args, | ||||||
|                            query_param, abort, require_fresh_login, path_param) |                            query_param, abort, require_fresh_login, path_param, verify_not_prod) | ||||||
| 
 | 
 | ||||||
| from endpoints.api.logs import get_logs | from endpoints.api.logs import get_logs | ||||||
| 
 | 
 | ||||||
|  | @ -22,18 +23,76 @@ import features | ||||||
| 
 | 
 | ||||||
| logger = logging.getLogger(__name__) | logger = logging.getLogger(__name__) | ||||||
| 
 | 
 | ||||||
|  | def get_immediate_subdirectories(directory): | ||||||
|  |   return [name for name in os.listdir(directory) if os.path.isdir(os.path.join(directory, name))] | ||||||
|  | 
 | ||||||
|  | def get_services(): | ||||||
|  |   services = set(get_immediate_subdirectories(app.config['SYSTEM_SERVICES_PATH'])) | ||||||
|  |   services = services - set(app.config['SYSTEM_SERVICE_BLACKLIST']) | ||||||
|  |   return services | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | @resource('/v1/superuser/systemlogs/<service>') | ||||||
|  | @internal_only | ||||||
|  | @show_if(features.SUPER_USERS) | ||||||
|  | class SuperUserGetLogsForService(ApiResource): | ||||||
|  |   """ Resource for fetching the kinds of system logs in the system. """ | ||||||
|  |   @require_fresh_login | ||||||
|  |   @verify_not_prod | ||||||
|  |   @nickname('getSystemLogs') | ||||||
|  |   def get(self, service): | ||||||
|  |     """ Returns the logs for the specific service. """ | ||||||
|  |     if SuperUserPermission().can(): | ||||||
|  |       if not service in get_services(): | ||||||
|  |         abort(404) | ||||||
|  | 
 | ||||||
|  |       try: | ||||||
|  |         with open(app.config['SYSTEM_SERVICE_LOGS_PATH'] % service, 'r') as f: | ||||||
|  |           logs = f.read() | ||||||
|  |       except Exception as ex: | ||||||
|  |         logger.exception('Cannot read logs') | ||||||
|  |         abort(400) | ||||||
|  | 
 | ||||||
|  |       return { | ||||||
|  |         'logs': logs | ||||||
|  |       } | ||||||
|  | 
 | ||||||
|  |     abort(403) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | @resource('/v1/superuser/systemlogs/') | ||||||
|  | @internal_only | ||||||
|  | @show_if(features.SUPER_USERS) | ||||||
|  | class SuperUserSystemLogServices(ApiResource): | ||||||
|  |   """ Resource for fetching the kinds of system logs in the system. """ | ||||||
|  |   @require_fresh_login | ||||||
|  |   @verify_not_prod | ||||||
|  |   @nickname('listSystemLogServices') | ||||||
|  |   def get(self): | ||||||
|  |     """ List the system logs for the current system. """ | ||||||
|  |     if SuperUserPermission().can(): | ||||||
|  |       return { | ||||||
|  |         'services': list(get_services()) | ||||||
|  |       } | ||||||
|  | 
 | ||||||
|  |     abort(403) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
| @resource('/v1/superuser/logs') | @resource('/v1/superuser/logs') | ||||||
| @internal_only | @internal_only | ||||||
| @show_if(features.SUPER_USERS) | @show_if(features.SUPER_USERS) | ||||||
| class SuperUserLogs(ApiResource): | class SuperUserLogs(ApiResource): | ||||||
|   """ Resource for fetching all logs in the system. """ |   """ Resource for fetching all logs in the system. """ | ||||||
|  |   @require_fresh_login | ||||||
|  |   @verify_not_prod | ||||||
|   @nickname('listAllLogs') |   @nickname('listAllLogs') | ||||||
|   @parse_args |   @parse_args | ||||||
|   @query_param('starttime', 'Earliest time from which to get logs. (%m/%d/%Y %Z)', type=str) |   @query_param('starttime', 'Earliest time from which to get logs. (%m/%d/%Y %Z)', type=str) | ||||||
|   @query_param('endtime', 'Latest time to which to get logs. (%m/%d/%Y %Z)', type=str) |   @query_param('endtime', 'Latest time to which to get logs. (%m/%d/%Y %Z)', type=str) | ||||||
|   @query_param('performer', 'Username for which to filter logs.', type=str) |   @query_param('performer', 'Username for which to filter logs.', type=str) | ||||||
|   def get(self, args): |   def get(self, args): | ||||||
|     """ List the logs for the current system. """ |     """ List the usage logs for the current system. """ | ||||||
|     if SuperUserPermission().can(): |     if SuperUserPermission().can(): | ||||||
|       performer_name = args['performer'] |       performer_name = args['performer'] | ||||||
|       start_time = args['starttime'] |       start_time = args['starttime'] | ||||||
|  | @ -49,7 +108,8 @@ def user_view(user): | ||||||
|     'username': user.username, |     'username': user.username, | ||||||
|     'email': user.email, |     'email': user.email, | ||||||
|     'verified': user.verified, |     'verified': user.verified, | ||||||
|     'super_user': user.username in app.config['SUPER_USERS'] |     'avatar': avatar.compute_hash(user.email, name=user.username), | ||||||
|  |     'super_user': superusers.is_superuser(user.username) | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
| @resource('/v1/superuser/usage/') | @resource('/v1/superuser/usage/') | ||||||
|  | @ -58,6 +118,7 @@ def user_view(user): | ||||||
| class UsageInformation(ApiResource): | class UsageInformation(ApiResource): | ||||||
|   """ Resource for returning the usage information for enterprise customers. """ |   """ Resource for returning the usage information for enterprise customers. """ | ||||||
|   @require_fresh_login |   @require_fresh_login | ||||||
|  |   @verify_not_prod | ||||||
|   @nickname('getSystemUsage') |   @nickname('getSystemUsage') | ||||||
|   def get(self): |   def get(self): | ||||||
|     """ Returns the number of repository handles currently held. """ |     """ Returns the number of repository handles currently held. """ | ||||||
|  | @ -96,6 +157,7 @@ class SuperUserList(ApiResource): | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|   @require_fresh_login |   @require_fresh_login | ||||||
|  |   @verify_not_prod | ||||||
|   @nickname('listAllUsers') |   @nickname('listAllUsers') | ||||||
|   def get(self): |   def get(self): | ||||||
|     """ Returns a list of all users in the system. """ |     """ Returns a list of all users in the system. """ | ||||||
|  | @ -109,6 +171,7 @@ class SuperUserList(ApiResource): | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|   @require_fresh_login |   @require_fresh_login | ||||||
|  |   @verify_not_prod | ||||||
|   @nickname('createInstallUser') |   @nickname('createInstallUser') | ||||||
|   @validate_json_request('CreateInstallUser') |   @validate_json_request('CreateInstallUser') | ||||||
|   def post(self): |   def post(self): | ||||||
|  | @ -146,6 +209,7 @@ class SuperUserList(ApiResource): | ||||||
| class SuperUserSendRecoveryEmail(ApiResource): | class SuperUserSendRecoveryEmail(ApiResource): | ||||||
|   """ Resource for sending a recovery user on behalf of a user. """ |   """ Resource for sending a recovery user on behalf of a user. """ | ||||||
|   @require_fresh_login |   @require_fresh_login | ||||||
|  |   @verify_not_prod | ||||||
|   @nickname('sendInstallUserRecoveryEmail') |   @nickname('sendInstallUserRecoveryEmail') | ||||||
|   def post(self, username): |   def post(self, username): | ||||||
|     if SuperUserPermission().can(): |     if SuperUserPermission().can(): | ||||||
|  | @ -153,7 +217,7 @@ class SuperUserSendRecoveryEmail(ApiResource): | ||||||
|       if not user or user.organization or user.robot: |       if not user or user.organization or user.robot: | ||||||
|         abort(404) |         abort(404) | ||||||
| 
 | 
 | ||||||
|       if username in app.config['SUPER_USERS']: |       if superusers.is_superuser(username): | ||||||
|           abort(403) |           abort(403) | ||||||
| 
 | 
 | ||||||
|       code = model.create_reset_password_email_code(user.email) |       code = model.create_reset_password_email_code(user.email) | ||||||
|  | @ -190,6 +254,7 @@ class SuperUserManagement(ApiResource): | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|   @require_fresh_login |   @require_fresh_login | ||||||
|  |   @verify_not_prod | ||||||
|   @nickname('getInstallUser') |   @nickname('getInstallUser') | ||||||
|   def get(self, username): |   def get(self, username): | ||||||
|     """ Returns information about the specified user. """ |     """ Returns information about the specified user. """ | ||||||
|  | @ -203,6 +268,7 @@ class SuperUserManagement(ApiResource): | ||||||
|     abort(403) |     abort(403) | ||||||
| 
 | 
 | ||||||
|   @require_fresh_login |   @require_fresh_login | ||||||
|  |   @verify_not_prod | ||||||
|   @nickname('deleteInstallUser') |   @nickname('deleteInstallUser') | ||||||
|   def delete(self, username): |   def delete(self, username): | ||||||
|     """ Deletes the specified user. """ |     """ Deletes the specified user. """ | ||||||
|  | @ -211,7 +277,7 @@ class SuperUserManagement(ApiResource): | ||||||
|       if not user or user.organization or user.robot: |       if not user or user.organization or user.robot: | ||||||
|         abort(404) |         abort(404) | ||||||
| 
 | 
 | ||||||
|       if username in app.config['SUPER_USERS']: |       if superusers.is_superuser(username): | ||||||
|           abort(403) |           abort(403) | ||||||
| 
 | 
 | ||||||
|       model.delete_user(user) |       model.delete_user(user) | ||||||
|  | @ -220,6 +286,7 @@ class SuperUserManagement(ApiResource): | ||||||
|     abort(403) |     abort(403) | ||||||
| 
 | 
 | ||||||
|   @require_fresh_login |   @require_fresh_login | ||||||
|  |   @verify_not_prod | ||||||
|   @nickname('changeInstallUser') |   @nickname('changeInstallUser') | ||||||
|   @validate_json_request('UpdateUser') |   @validate_json_request('UpdateUser') | ||||||
|   def put(self, username): |   def put(self, username): | ||||||
|  | @ -229,7 +296,7 @@ class SuperUserManagement(ApiResource): | ||||||
|         if not user or user.organization or user.robot: |         if not user or user.organization or user.robot: | ||||||
|           abort(404) |           abort(404) | ||||||
| 
 | 
 | ||||||
|         if username in app.config['SUPER_USERS']: |         if superusers.is_superuser(username): | ||||||
|           abort(403) |           abort(403) | ||||||
| 
 | 
 | ||||||
|         user_data = request.get_json() |         user_data = request.get_json() | ||||||
|  |  | ||||||
|  | @ -19,12 +19,7 @@ def generate_csrf_token(): | ||||||
| 
 | 
 | ||||||
|   return session['_csrf_token'] |   return session['_csrf_token'] | ||||||
| 
 | 
 | ||||||
| 
 | def verify_csrf(): | ||||||
| def csrf_protect(func): |  | ||||||
|   @wraps(func) |  | ||||||
|   def wrapper(*args, **kwargs): |  | ||||||
|     oauth_token = get_validated_oauth_token() |  | ||||||
|     if oauth_token is None and request.method != "GET" and request.method != "HEAD": |  | ||||||
|   token = session.get('_csrf_token', None) |   token = session.get('_csrf_token', None) | ||||||
|   found_token = request.values.get('_csrf_token', None) |   found_token = request.values.get('_csrf_token', None) | ||||||
| 
 | 
 | ||||||
|  | @ -33,6 +28,13 @@ def csrf_protect(func): | ||||||
|     logger.error(msg, token, found_token) |     logger.error(msg, token, found_token) | ||||||
|     abort(403, message='CSRF token was invalid or missing.') |     abort(403, message='CSRF token was invalid or missing.') | ||||||
| 
 | 
 | ||||||
|  | def csrf_protect(func): | ||||||
|  |   @wraps(func) | ||||||
|  |   def wrapper(*args, **kwargs): | ||||||
|  |     oauth_token = get_validated_oauth_token() | ||||||
|  |     if oauth_token is None and request.method != "GET" and request.method != "HEAD": | ||||||
|  |       verify_csrf() | ||||||
|  | 
 | ||||||
|     return func(*args, **kwargs) |     return func(*args, **kwargs) | ||||||
|   return wrapper |   return wrapper | ||||||
| 
 | 
 | ||||||
|  |  | ||||||
|  | @ -12,15 +12,18 @@ from data import model | ||||||
| from data.model.oauth import DatabaseAuthorizationProvider | from data.model.oauth import DatabaseAuthorizationProvider | ||||||
| from app import app, billing as stripe, build_logs, avatar, signer | from app import app, billing as stripe, build_logs, avatar, signer | ||||||
| from auth.auth import require_session_login, process_oauth | from auth.auth import require_session_login, process_oauth | ||||||
| from auth.permissions import AdministerOrganizationPermission, ReadRepositoryPermission | from auth.permissions import (AdministerOrganizationPermission, ReadRepositoryPermission, | ||||||
|  |                               SuperUserPermission) | ||||||
|  | 
 | ||||||
| from util.invoice import renderInvoiceToPdf | from util.invoice import renderInvoiceToPdf | ||||||
| from util.seo import render_snapshot | from util.seo import render_snapshot | ||||||
| from util.cache import no_cache | from util.cache import no_cache | ||||||
| from endpoints.common import common_login, render_page_template, route_show_if, param_required | from endpoints.common import common_login, render_page_template, route_show_if, param_required | ||||||
| from endpoints.csrf import csrf_protect, generate_csrf_token | from endpoints.csrf import csrf_protect, generate_csrf_token, verify_csrf | ||||||
| from endpoints.registry import set_cache_headers | from endpoints.registry import set_cache_headers | ||||||
| from util.names import parse_repository_name, parse_repository_name_and_tag | from util.names import parse_repository_name, parse_repository_name_and_tag | ||||||
| from util.useremails import send_email_changed | from util.useremails import send_email_changed | ||||||
|  | from util.systemlogs import build_logs_archive | ||||||
| from auth import scopes | from auth import scopes | ||||||
| 
 | 
 | ||||||
| import features | import features | ||||||
|  | @ -106,6 +109,7 @@ def organizations(): | ||||||
| def user(): | def user(): | ||||||
|   return index('') |   return index('') | ||||||
| 
 | 
 | ||||||
|  | 
 | ||||||
| @web.route('/superuser/') | @web.route('/superuser/') | ||||||
| @no_cache | @no_cache | ||||||
| @route_show_if(features.SUPER_USERS) | @route_show_if(features.SUPER_USERS) | ||||||
|  | @ -113,6 +117,13 @@ def superuser(): | ||||||
|   return index('') |   return index('') | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | @web.route('/setup/') | ||||||
|  | @no_cache | ||||||
|  | @route_show_if(features.SUPER_USERS) | ||||||
|  | def setup(): | ||||||
|  |   return index('') | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
| @web.route('/signin/') | @web.route('/signin/') | ||||||
| @no_cache | @no_cache | ||||||
| def signin(redirect=None): | def signin(redirect=None): | ||||||
|  | @ -471,3 +482,21 @@ def exchange_code_for_token(): | ||||||
| 
 | 
 | ||||||
|   provider = FlaskAuthorizationProvider() |   provider = FlaskAuthorizationProvider() | ||||||
|   return provider.get_token(grant_type, client_id, client_secret, redirect_uri, code, scope=scope) |   return provider.get_token(grant_type, client_id, client_secret, redirect_uri, code, scope=scope) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | @web.route('/systemlogsarchive', methods=['GET']) | ||||||
|  | @process_oauth | ||||||
|  | @route_show_if(features.SUPER_USERS) | ||||||
|  | @no_cache | ||||||
|  | def download_logs_archive(): | ||||||
|  |   # Note: We cannot use the decorator here because this is a GET method. That being said, this | ||||||
|  |   # information is sensitive enough that we want the extra protection. | ||||||
|  |   verify_csrf() | ||||||
|  | 
 | ||||||
|  |   if SuperUserPermission().can(): | ||||||
|  |     archive_data = build_logs_archive(app) | ||||||
|  |     return Response(archive_data, | ||||||
|  |                     mimetype="application/octet-stream", | ||||||
|  |                     headers={"Content-Disposition": "attachment;filename=erlogs.tar.gz"}) | ||||||
|  | 
 | ||||||
|  |   abort(403) | ||||||
|  |  | ||||||
|  | @ -18,15 +18,15 @@ EXTERNAL_JS = [ | ||||||
| ] | ] | ||||||
| 
 | 
 | ||||||
| EXTERNAL_CSS = [ | EXTERNAL_CSS = [ | ||||||
|   'netdna.bootstrapcdn.com/font-awesome/4.1.0/css/font-awesome.css', |   'netdna.bootstrapcdn.com/font-awesome/4.2.0/css/font-awesome.css', | ||||||
|   'netdna.bootstrapcdn.com/bootstrap/3.0.0/css/bootstrap.no-icons.min.css', |   'netdna.bootstrapcdn.com/bootstrap/3.0.0/css/bootstrap.no-icons.min.css', | ||||||
|   'fonts.googleapis.com/css?family=Droid+Sans:400,700', |   'fonts.googleapis.com/css?family=Source+Sans+Pro:400,700', | ||||||
| ] | ] | ||||||
| 
 | 
 | ||||||
| EXTERNAL_FONTS = [ | EXTERNAL_FONTS = [ | ||||||
|   'netdna.bootstrapcdn.com/font-awesome/4.0.3/fonts/fontawesome-webfont.woff?v=4.0.3', |   'netdna.bootstrapcdn.com/font-awesome/4.2.0/fonts/fontawesome-webfont.woff?v=4.2.0', | ||||||
|   'netdna.bootstrapcdn.com/font-awesome/4.0.3/fonts/fontawesome-webfont.ttf?v=4.0.3', |   'netdna.bootstrapcdn.com/font-awesome/4.2.0/fonts/fontawesome-webfont.ttf?v=4.2.0', | ||||||
|   'netdna.bootstrapcdn.com/font-awesome/4.0.3/fonts/fontawesome-webfont.svg?v=4.0.3', |   'netdna.bootstrapcdn.com/font-awesome/4.2.0/fonts/fontawesome-webfont.svg?v=4.2.0', | ||||||
| ] | ] | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  |  | ||||||
|  | @ -65,7 +65,8 @@ module.exports = function(grunt) { | ||||||
|         } |         } | ||||||
|       }, |       }, | ||||||
|       quay: { |       quay: { | ||||||
|         src: ['../static/partials/*.html', '../static/directives/*.html'], |         src: ['../static/partials/*.html', '../static/directives/*.html', '../static/directives/*.html' | ||||||
|  |               , '../static/directives/config/*.html'], | ||||||
|         dest: '../static/dist/template-cache.js' |         dest: '../static/dist/template-cache.js' | ||||||
|       } |       } | ||||||
|     }, |     }, | ||||||
|  |  | ||||||
|  | @ -40,8 +40,10 @@ git+https://github.com/DevTable/aniso8601-fake.git | ||||||
| git+https://github.com/DevTable/anunidecode.git | git+https://github.com/DevTable/anunidecode.git | ||||||
| git+https://github.com/DevTable/avatar-generator.git | git+https://github.com/DevTable/avatar-generator.git | ||||||
| git+https://github.com/DevTable/pygithub.git | git+https://github.com/DevTable/pygithub.git | ||||||
|  | git+https://github.com/DevTable/container-cloud-config.git | ||||||
| git+https://github.com/jplana/python-etcd.git | git+https://github.com/jplana/python-etcd.git | ||||||
| gipc | gipc | ||||||
|  | pyOpenSSL | ||||||
| pygpgme | pygpgme | ||||||
| cachetools | cachetools | ||||||
| mock | mock | ||||||
|  |  | ||||||
|  | @ -47,6 +47,7 @@ python-ldap==2.4.19 | ||||||
| python-magic==0.4.6 | python-magic==0.4.6 | ||||||
| pygpgme==0.3 | pygpgme==0.3 | ||||||
| pytz==2014.10 | pytz==2014.10 | ||||||
|  | pyOpenSSL==0.14 | ||||||
| raven==5.1.1 | raven==5.1.1 | ||||||
| redis==2.10.3 | redis==2.10.3 | ||||||
| reportlab==2.7 | reportlab==2.7 | ||||||
|  | @ -63,5 +64,6 @@ git+https://github.com/DevTable/aniso8601-fake.git | ||||||
| git+https://github.com/DevTable/anunidecode.git | git+https://github.com/DevTable/anunidecode.git | ||||||
| git+https://github.com/DevTable/avatar-generator.git | git+https://github.com/DevTable/avatar-generator.git | ||||||
| git+https://github.com/DevTable/pygithub.git | git+https://github.com/DevTable/pygithub.git | ||||||
|  | git+https://github.com/DevTable/container-cloud-config.git | ||||||
| git+https://github.com/NateFerrero/oauth2lib.git | git+https://github.com/NateFerrero/oauth2lib.git | ||||||
| git+https://github.com/jplana/python-etcd.git | git+https://github.com/jplana/python-etcd.git | ||||||
|  |  | ||||||
							
								
								
									
										705
									
								
								static/css/core-ui.css
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										705
									
								
								static/css/core-ui.css
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,705 @@ | ||||||
|  | 
 | ||||||
|  | .co-options-menu .fa-gear { | ||||||
|  |   color: #999; | ||||||
|  |   cursor: pointer; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-options-menu .dropdown.open .fa-gear { | ||||||
|  |   color: #428BCA; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-img-bg-network { | ||||||
|  |   background: url('/static/img/network-tile.png') left top repeat, linear-gradient(30deg, #2277ad, #144768) no-repeat left top fixed; | ||||||
|  |   background-color: #2277ad; | ||||||
|  |   background-size: auto, 100% 100%; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-m-navbar { | ||||||
|  |   background-color: white; | ||||||
|  |   margin: 0; | ||||||
|  |   padding-left: 10px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-fx-box-shadow { | ||||||
|  |   -webkit-box-shadow: 0 2px 2px rgba(0, 0, 0, 0.2); | ||||||
|  |   -moz-box-shadow: 0 2px 2px rgba(0, 0, 0, 0.2); | ||||||
|  |   -ms-box-shadow: 0 2px 2px rgba(0, 0, 0, 0.2); | ||||||
|  |   -o-box-shadow: 0 2px 2px rgba(0, 0, 0, 0.2); | ||||||
|  |   box-shadow: 0 2px 2px rgba(0, 0, 0, 0.2); | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-fx-box-shadow-heavy { | ||||||
|  |   -webkit-box-shadow: 0px 2px 2px rgba(0, 0, 0, 0.4); | ||||||
|  |   -moz-box-shadow: 0px 2px 2px rgba(0, 0, 0, 0.4); | ||||||
|  |   -ms-box-shadow: 0px 2px 2px rgba(0, 0, 0, 0.4); | ||||||
|  |   -o-box-shadow: 0px 2px 2px rgba(0, 0, 0, 0.4); | ||||||
|  |   box-shadow: 0px 2px 2px rgba(0, 0, 0, 0.4); | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-fx-text-shadow { | ||||||
|  |   text-shadow: rgba(0, 0, 0, 1) 1px 1px 2px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-nav-title { | ||||||
|  |   height: 70px; | ||||||
|  |   margin-top: -22px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-nav-title .co-nav-title-content { | ||||||
|  |   color: white; | ||||||
|  |   text-align: center; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-tab-container { | ||||||
|  |   padding: 0px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-tabs { | ||||||
|  |   margin: 0px; | ||||||
|  |   padding: 0px; | ||||||
|  |   width: 82px; | ||||||
|  |   background-color: #e8f1f6; | ||||||
|  |   border-right: 1px solid #DDE7ED; | ||||||
|  | 
 | ||||||
|  |   display: table-cell; | ||||||
|  |   float: none; | ||||||
|  |   vertical-align: top; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-tab-content { | ||||||
|  |   width: 100%; | ||||||
|  |   display: table-cell; | ||||||
|  |   float: none; | ||||||
|  |   padding: 20px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-tabs li { | ||||||
|  |   list-style: none; | ||||||
|  |   display: block; | ||||||
|  |   border-bottom: 1px solid #DDE7ED; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | .co-tabs li.active { | ||||||
|  |   background-color: white; | ||||||
|  |   border-right: 1px solid white; | ||||||
|  |   margin-right: -1px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-tabs li a { | ||||||
|  |   display: block; | ||||||
|  |   width: 82px; | ||||||
|  |   height: 82px; | ||||||
|  |   line-height: 82px; | ||||||
|  |   text-align: center; | ||||||
|  |   font-size: 36px; | ||||||
|  |   color: gray; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-tabs li.active a { | ||||||
|  |   color: black; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | .co-main-content-panel { | ||||||
|  |   margin-bottom: 20px; | ||||||
|  |   background-color: #fff; | ||||||
|  |   border: 1px solid transparent; | ||||||
|  |   padding: 10px; | ||||||
|  | 
 | ||||||
|  |   -webkit-box-shadow: 0px 2px 2px rgba(0, 0, 0, 0.4); | ||||||
|  |   -moz-box-shadow: 0px 2px 2px rgba(0, 0, 0, 0.4); | ||||||
|  |   -ms-box-shadow: 0px 2px 2px rgba(0, 0, 0, 0.4); | ||||||
|  |   -o-box-shadow: 0px 2px 2px rgba(0, 0, 0, 0.4); | ||||||
|  |   box-shadow: 0px 2px 2px rgba(0, 0, 0, 0.4); | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-tab-panel { | ||||||
|  |   padding: 0px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | .cor-log-box { | ||||||
|  |   width: 100%; | ||||||
|  |   height: 550px; | ||||||
|  |   position: relative; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-log-viewer { | ||||||
|  |   position: absolute; | ||||||
|  |   top: 20px; | ||||||
|  |   left: 20px; | ||||||
|  |   right: 20px; | ||||||
|  |   height: 500px; | ||||||
|  | 
 | ||||||
|  |   padding: 20px; | ||||||
|  | 
 | ||||||
|  |   background: rgb(55, 55, 55); | ||||||
|  |   border: 1px solid black; | ||||||
|  |   color: white; | ||||||
|  | 
 | ||||||
|  |   overflow: scroll; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-log-viewer .co-log-content { | ||||||
|  |   font-family: Consolas, "Lucida Console", Monaco, monospace; | ||||||
|  |   font-size: 12px; | ||||||
|  |   white-space: pre; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .cor-log-box .co-log-viewer-new-logs i { | ||||||
|  |   margin-left: 10px; | ||||||
|  |   display: inline-block; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .cor-log-box .co-log-viewer-new-logs { | ||||||
|  |   cursor: pointer; | ||||||
|  |   position: absolute; | ||||||
|  |   bottom: 40px; | ||||||
|  |   right: 30px; | ||||||
|  |   padding: 10px; | ||||||
|  |   color: white; | ||||||
|  |   border-radius: 10px; | ||||||
|  |   background: rgba(72, 158, 72, 0.8); | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-panel { | ||||||
|  |   margin-bottom: 40px; | ||||||
|  | 
 | ||||||
|  |   /*border: 1px solid #eee;*/ | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-panel .co-panel-heading img { | ||||||
|  |   margin-right: 6px; | ||||||
|  |   width: 24px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-panel .co-panel-heading i.fa { | ||||||
|  |   margin-right: 6px; | ||||||
|  |   width: 24px; | ||||||
|  |   text-align: center; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-panel .co-panel-heading { | ||||||
|  |   padding: 6px; | ||||||
|  |   /*background: #eee;*/ | ||||||
|  |   border-bottom: 1px solid #eee; | ||||||
|  | 
 | ||||||
|  |   margin-bottom: 4px; | ||||||
|  |   font-size: 135%; | ||||||
|  |   padding-left: 10px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-panel .co-panel-body { | ||||||
|  |   padding: 10px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-panel .co-panel-button-bar { | ||||||
|  |   margin-top: 10px; | ||||||
|  |   padding-top: 10px; | ||||||
|  |   border-top: 1px solid #eee; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .config-setup-tool-element .help-text { | ||||||
|  |   margin-top: 6px; | ||||||
|  |   color: #aaa; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .config-setup-tool-element .description { | ||||||
|  |   padding: 6px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .config-setup-tool-element .config-table > tbody > tr > td:first-child { | ||||||
|  |   padding-top: 14px; | ||||||
|  |   font-weight: bold; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .config-setup-tool-element .config-table > tbody > tr > td.non-input { | ||||||
|  |   padding-top: 8px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .config-setup-tool-element .config-table > tbody > tr > td { | ||||||
|  |   padding: 8px; | ||||||
|  |   vertical-align: top; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .config-setup-tool-element .config-table > tbody > tr > td .config-numeric-field-element { | ||||||
|  |   width: 100px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .config-setup-tool-element .config-table > tbody > tr > td .config-string-field-element { | ||||||
|  |   width: 400px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .config-contact-field { | ||||||
|  |   margin-bottom: 4px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .config-contact-field .dropdown button { | ||||||
|  |   width: 100px; | ||||||
|  |   text-align: left; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .config-contact-field .dropdown button .caret { | ||||||
|  |   float: right; | ||||||
|  |   margin-top: 9px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .config-contact-field .dropdown button i.fa { | ||||||
|  |   margin-right: 6px; | ||||||
|  |   width: 14px; | ||||||
|  |   text-align: center; | ||||||
|  |   display: inline-block; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .config-contact-field .form-control { | ||||||
|  |   width: 350px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .config-list-field-element .empty { | ||||||
|  |   color: #ccc; | ||||||
|  |   margin-bottom: 10px; | ||||||
|  |   display: block; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .config-list-field-element input { | ||||||
|  |   width: 350px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .config-setup-tool-element .inner-table { | ||||||
|  |   margin-left: 10px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .config-setup-tool-element .inner-table tr td:first-child { | ||||||
|  |   font-weight: bold; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .config-setup-tool-element .inner-table td { | ||||||
|  |   padding: 6px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .config-file-field-element input { | ||||||
|  |   display: inline-block; | ||||||
|  |   margin-left: 10px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-checkbox { | ||||||
|  |   position: relative; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-checkbox input { | ||||||
|  |   display: none; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-checkbox label { | ||||||
|  |   position: relative; | ||||||
|  |   padding-left: 28px; | ||||||
|  |   cursor: pointer; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-checkbox label:before { | ||||||
|  |   content: ''; | ||||||
|  |   cursor: pointer; | ||||||
|  |   position: absolute; | ||||||
|  |   width: 20px; | ||||||
|  |   height: 20px; | ||||||
|  |   top: 0; | ||||||
|  |   left: 0; | ||||||
|  |   border-radius: 4px; | ||||||
|  | 
 | ||||||
|  |   -webkit-box-shadow: inset 0px 1px 1px rgba(0,0,0,0.5), 0px 1px 0px rgba(255,255,255,.4); | ||||||
|  |   -moz-box-shadow: inset 0px 1px 1px rgba(0,0,0,0.5), 0px 1px 0px rgba(255,255,255,.4); | ||||||
|  |   box-shadow: inset 0px 1px 1px rgba(0,0,0,0.5), 0px 1px 0px rgba(255,255,255,.4); | ||||||
|  | 
 | ||||||
|  |   background: -webkit-linear-gradient(top, #222 0%, #45484d 100%); | ||||||
|  |   background: -moz-linear-gradient(top, #222 0%, #45484d 100%); | ||||||
|  |   background: -o-linear-gradient(top, #222 0%, #45484d 100%); | ||||||
|  |   background: -ms-linear-gradient(top, #222 0%, #45484d 100%); | ||||||
|  |   background: linear-gradient(top, #222 0%, #45484d 100%); | ||||||
|  |   filter: progid:DXImageTransform.Microsoft.gradient( startColorstr='#222', endColorstr='#45484d',GradientType=0 ); | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-checkbox label:after { | ||||||
|  |   -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=0)"; | ||||||
|  |   filter: alpha(opacity=0); | ||||||
|  |   opacity: 0; | ||||||
|  |   content: ''; | ||||||
|  |   position: absolute; | ||||||
|  |   width: 11px; | ||||||
|  |   height: 7px; | ||||||
|  |   background: transparent; | ||||||
|  |   top: 5px; | ||||||
|  |   left: 4px; | ||||||
|  |   border: 3px solid #fcfff4; | ||||||
|  |   border-top: none; | ||||||
|  |   border-right: none; | ||||||
|  | 
 | ||||||
|  |   -webkit-transform: rotate(-45deg); | ||||||
|  |   -moz-transform: rotate(-45deg); | ||||||
|  |   -o-transform: rotate(-45deg); | ||||||
|  |   -ms-transform: rotate(-45deg); | ||||||
|  |   transform: rotate(-45deg); | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-checkbox label:hover::after { | ||||||
|  |   -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=30)"; | ||||||
|  |   filter: alpha(opacity=30); | ||||||
|  |   opacity: 0.3; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-checkbox input[type=checkbox]:checked + label:after { | ||||||
|  |   -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"; | ||||||
|  |   filter: alpha(opacity=100); | ||||||
|  |   opacity: 1; | ||||||
|  |   border: 3px solid rgb(26, 255, 26); | ||||||
|  |   border-top: none; | ||||||
|  |   border-right: none; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-floating-bottom-bar { | ||||||
|  |   height: 50px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-floating-bottom-bar.floating { | ||||||
|  |   position: fixed; | ||||||
|  |   bottom: 0px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .config-setup-tool .cor-floating-bottom-bar button i.fa { | ||||||
|  |   margin-right: 6px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .config-setup-tool .service-verification { | ||||||
|  |   padding: 20px; | ||||||
|  |   background: #343434; | ||||||
|  |   color: white; | ||||||
|  |   margin-bottom: -14px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .config-setup-tool .service-verification-row { | ||||||
|  |   margin-bottom: 6px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .config-setup-tool .service-verification-row .service-title { | ||||||
|  |   font-variant: small-caps; | ||||||
|  |   font-size: 145%; | ||||||
|  |   vertical-align: middle; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | #validateAndSaveModal .fa-warning { | ||||||
|  |   font-size: 22px; | ||||||
|  |   margin-right: 10px; | ||||||
|  |   vertical-align: middle; | ||||||
|  |   color: rgb(255, 186, 53); | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | #validateAndSaveModal .fa-check-circle { | ||||||
|  |   font-size: 22px; | ||||||
|  |   margin-right: 10px; | ||||||
|  |   vertical-align: middle; | ||||||
|  |   color: rgb(53, 186, 53); | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .config-setup-tool .service-verification-error { | ||||||
|  |   white-space: pre; | ||||||
|  |   margin-top: 10px; | ||||||
|  |   margin-left: 36px; | ||||||
|  |   margin-bottom: 20px; | ||||||
|  |   max-height: 250px; | ||||||
|  |   overflow: auto; | ||||||
|  |   border: 1px solid #797979; | ||||||
|  |   background: black; | ||||||
|  |   padding: 6px; | ||||||
|  |   font-family: Consolas, "Lucida Console", Monaco, monospace; | ||||||
|  |   font-size: 12px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-m-loader, .co-m-inline-loader { | ||||||
|  |   min-width: 28px; } | ||||||
|  | 
 | ||||||
|  | .co-m-loader { | ||||||
|  |   display: block; | ||||||
|  |   position: absolute; | ||||||
|  |   left: 50%; | ||||||
|  |   top: 50%; | ||||||
|  |   margin: -11px 0 0 -13px; } | ||||||
|  | 
 | ||||||
|  | .co-m-inline-loader { | ||||||
|  |   display: inline-block; | ||||||
|  |   cursor: default; } | ||||||
|  |   .co-m-inline-loader:hover { | ||||||
|  |     text-decoration: none; } | ||||||
|  | 
 | ||||||
|  | .co-m-loader-dot__one, .co-m-loader-dot__two, .co-m-loader-dot__three { | ||||||
|  |   -webkit-border-radius: 3px; | ||||||
|  |   -moz-border-radius: 3px; | ||||||
|  |   -ms-border-radius: 3px; | ||||||
|  |   -o-border-radius: 3px; | ||||||
|  |   border-radius: 3px; | ||||||
|  |   animation-fill-mode: both; | ||||||
|  |   -webkit-animation-fill-mode: both; | ||||||
|  |   -moz-animation-fill-mode: both; | ||||||
|  |   -ms-animation-fill-mode: both; | ||||||
|  |   -o-animation-fill-mode: both; | ||||||
|  |   animation-name: bouncedelay; | ||||||
|  |   animation-duration: 1s; | ||||||
|  |   animation-timing-function: ease-in-out; | ||||||
|  |   animation-delay: 0; | ||||||
|  |   animation-direction: normal; | ||||||
|  |   animation-iteration-count: infinite; | ||||||
|  |   animation-fill-mode: forwards; | ||||||
|  |   animation-play-state: running; | ||||||
|  |   -webkit-animation-name: bouncedelay; | ||||||
|  |   -webkit-animation-duration: 1s; | ||||||
|  |   -webkit-animation-timing-function: ease-in-out; | ||||||
|  |   -webkit-animation-delay: 0; | ||||||
|  |   -webkit-animation-direction: normal; | ||||||
|  |   -webkit-animation-iteration-count: infinite; | ||||||
|  |   -webkit-animation-fill-mode: forwards; | ||||||
|  |   -webkit-animation-play-state: running; | ||||||
|  |   -moz-animation-name: bouncedelay; | ||||||
|  |   -moz-animation-duration: 1s; | ||||||
|  |   -moz-animation-timing-function: ease-in-out; | ||||||
|  |   -moz-animation-delay: 0; | ||||||
|  |   -moz-animation-direction: normal; | ||||||
|  |   -moz-animation-iteration-count: infinite; | ||||||
|  |   -moz-animation-fill-mode: forwards; | ||||||
|  |   -moz-animation-play-state: running; | ||||||
|  |   display: inline-block; | ||||||
|  |   height: 6px; | ||||||
|  |   width: 6px; | ||||||
|  |   background: #419eda; | ||||||
|  |   border-radius: 100%; | ||||||
|  |   display: inline-block; } | ||||||
|  | 
 | ||||||
|  | .co-m-loader-dot__one { | ||||||
|  |   animation-delay: -0.32s; | ||||||
|  |   -webkit-animation-delay: -0.32s; | ||||||
|  |   -moz-animation-delay: -0.32s; | ||||||
|  |   -ms-animation-delay: -0.32s; | ||||||
|  |   -o-animation-delay: -0.32s; } | ||||||
|  | 
 | ||||||
|  | .co-m-loader-dot__two { | ||||||
|  |   animation-delay: -0.16s; | ||||||
|  |   -webkit-animation-delay: -0.16s; | ||||||
|  |   -moz-animation-delay: -0.16s; | ||||||
|  |   -ms-animation-delay: -0.16s; | ||||||
|  |   -o-animation-delay: -0.16s; } | ||||||
|  | 
 | ||||||
|  | @-webkit-keyframes bouncedelay { | ||||||
|  |   0%, 80%, 100% { | ||||||
|  |     -webkit-transform: scale(0.25, 0.25); | ||||||
|  |     -moz-transform: scale(0.25, 0.25); | ||||||
|  |     -ms-transform: scale(0.25, 0.25); | ||||||
|  |     -o-transform: scale(0.25, 0.25); | ||||||
|  |     transform: scale(0.25, 0.25); } | ||||||
|  | 
 | ||||||
|  |   40% { | ||||||
|  |     -webkit-transform: scale(1, 1); | ||||||
|  |     -moz-transform: scale(1, 1); | ||||||
|  |     -ms-transform: scale(1, 1); | ||||||
|  |     -o-transform: scale(1, 1); | ||||||
|  |     transform: scale(1, 1); } } | ||||||
|  | 
 | ||||||
|  | @-moz-keyframes bouncedelay { | ||||||
|  |   0%, 80%, 100% { | ||||||
|  |     -webkit-transform: scale(0.25, 0.25); | ||||||
|  |     -moz-transform: scale(0.25, 0.25); | ||||||
|  |     -ms-transform: scale(0.25, 0.25); | ||||||
|  |     -o-transform: scale(0.25, 0.25); | ||||||
|  |     transform: scale(0.25, 0.25); } | ||||||
|  | 
 | ||||||
|  |   40% { | ||||||
|  |     -webkit-transform: scale(1, 1); | ||||||
|  |     -moz-transform: scale(1, 1); | ||||||
|  |     -ms-transform: scale(1, 1); | ||||||
|  |     -o-transform: scale(1, 1); | ||||||
|  |     transform: scale(1, 1); } } | ||||||
|  | 
 | ||||||
|  | @-ms-keyframes bouncedelay { | ||||||
|  |   0%, 80%, 100% { | ||||||
|  |     -webkit-transform: scale(0.25, 0.25); | ||||||
|  |     -moz-transform: scale(0.25, 0.25); | ||||||
|  |     -ms-transform: scale(0.25, 0.25); | ||||||
|  |     -o-transform: scale(0.25, 0.25); | ||||||
|  |     transform: scale(0.25, 0.25); } | ||||||
|  | 
 | ||||||
|  |   40% { | ||||||
|  |     -webkit-transform: scale(1, 1); | ||||||
|  |     -moz-transform: scale(1, 1); | ||||||
|  |     -ms-transform: scale(1, 1); | ||||||
|  |     -o-transform: scale(1, 1); | ||||||
|  |     transform: scale(1, 1); } } | ||||||
|  | 
 | ||||||
|  | @keyframes bouncedelay { | ||||||
|  |   0%, 80%, 100% { | ||||||
|  |     -webkit-transform: scale(0.25, 0.25); | ||||||
|  |     -moz-transform: scale(0.25, 0.25); | ||||||
|  |     -ms-transform: scale(0.25, 0.25); | ||||||
|  |     -o-transform: scale(0.25, 0.25); | ||||||
|  |     transform: scale(0.25, 0.25); } | ||||||
|  | 
 | ||||||
|  |   40% { | ||||||
|  |     -webkit-transform: scale(1, 1); | ||||||
|  |     -moz-transform: scale(1, 1); | ||||||
|  |     -ms-transform: scale(1, 1); | ||||||
|  |     -o-transform: scale(1, 1); | ||||||
|  |     transform: scale(1, 1); } } | ||||||
|  | 
 | ||||||
|  | .co-dialog .modal-body { | ||||||
|  |   padding: 10px; | ||||||
|  |   min-height: 100px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-dialog .modal-body h4 { | ||||||
|  |   margin-bottom: 20px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-dialog .modal-content { | ||||||
|  |   border-radius: 0px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-dialog.fatal-error .modal-content { | ||||||
|  |   padding-left: 175px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-dialog.fatal-error .alert-icon-container-container { | ||||||
|  |   position: absolute; | ||||||
|  |   top: -36px; | ||||||
|  |   left: -175px; | ||||||
|  |   bottom: 20px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-dialog.fatal-error .alert-icon-container { | ||||||
|  |   height: 100%; | ||||||
|  |   display: table; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-dialog.fatal-error .alert-icon { | ||||||
|  |   display: table-cell; | ||||||
|  |   vertical-align: middle; | ||||||
|  |   border-right: 1px solid #eee; | ||||||
|  |   margin-right: 20px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-dialog.fatal-error .alert-icon:before { | ||||||
|  |   content: "\f071"; | ||||||
|  |   font-family: FontAwesome; | ||||||
|  |   font-size: 60px; | ||||||
|  |   padding-left: 50px; | ||||||
|  |   padding-right: 50px; | ||||||
|  |   color: #c53c3f; | ||||||
|  |   text-align: center; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | .co-dialog .modal-header .cor-step-bar { | ||||||
|  |   float: right; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-dialog .modal-footer.working { | ||||||
|  |   text-align: left; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-dialog .modal-footer.working .btn { | ||||||
|  |   float: right; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-dialog .modal-footer.working .cor-loader-inline { | ||||||
|  |   margin-right: 10px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-dialog .modal-footer .left-align { | ||||||
|  |   float: left; | ||||||
|  |   vertical-align: middle; | ||||||
|  |   font-size: 16px; | ||||||
|  |   margin-top: 8px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-dialog .modal-footer .left-align i.fa-warning { | ||||||
|  |   color: #ffba35; | ||||||
|  |   display: inline-block; | ||||||
|  |   margin-right: 6px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-dialog .modal-footer .left-align i.fa-check { | ||||||
|  |   color: green; | ||||||
|  |   display: inline-block; | ||||||
|  |   margin-right: 6px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-step-bar .co-step-element { | ||||||
|  |   cursor: default; | ||||||
|  |   display: inline-block; | ||||||
|  |   width: 28px; | ||||||
|  |   height: 28px; | ||||||
|  | 
 | ||||||
|  |   position: relative; | ||||||
|  |   color: #ddd; | ||||||
|  | 
 | ||||||
|  |   text-align: center; | ||||||
|  |   line-height: 24px; | ||||||
|  |   font-size: 16px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-step-bar .co-step-element.text { | ||||||
|  |   margin-left: 24px; | ||||||
|  |   background: white; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-step-bar .co-step-element.icon { | ||||||
|  |   margin-left: 22px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-step-bar .co-step-element:first-child { | ||||||
|  |   margin-left: 0px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-step-bar .co-step-element.active { | ||||||
|  |   color: #53a3d9; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-step-bar .co-step-element:first-child:before { | ||||||
|  |   display: none; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-step-bar .co-step-element:before { | ||||||
|  |   content: ""; | ||||||
|  |   position: absolute; | ||||||
|  |   top: 12px; | ||||||
|  |   width: 14px; | ||||||
|  |   border-top: 2px solid #ddd; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-step-bar .co-step-element.icon:before { | ||||||
|  |   left: -20px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-step-bar .co-step-element.text:before { | ||||||
|  |   left: -22px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-step-bar .co-step-element.active:before { | ||||||
|  |   border-top: 2px solid #53a3d9; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | .co-step-bar .co-step-element.text { | ||||||
|  |   border-radius: 100%; | ||||||
|  |   border: 2px solid #ddd; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-step-bar .co-step-element.text.active { | ||||||
|  |   border: 2px solid #53a3d9; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | @media screen and (min-width: 900px) { | ||||||
|  |   .co-dialog .modal-dialog { | ||||||
|  |     width: 800px; | ||||||
|  |   } | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .co-alert .co-step-bar { | ||||||
|  |   float: right; | ||||||
|  |   margin-top: 6px; | ||||||
|  | } | ||||||
|  | @ -1,5 +1,5 @@ | ||||||
| * { | * { | ||||||
|   font-family: 'Droid Sans', sans-serif; |   font-family: 'Source Sans Pro', sans-serif; | ||||||
|   margin: 0; |   margin: 0; | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
|  | @ -88,34 +88,6 @@ | ||||||
|   margin: 0; |   margin: 0; | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| .co-img-bg-network { |  | ||||||
|   background: url('/static/img/network-tile.png') left top repeat, linear-gradient(30deg, #2277ad, #144768) no-repeat left top fixed; |  | ||||||
|   background-color: #2277ad; |  | ||||||
|   background-size: auto, 100% 100%; |  | ||||||
| } |  | ||||||
| 
 |  | ||||||
| .co-m-navbar { |  | ||||||
|   background-color: white; |  | ||||||
|   margin: 0; |  | ||||||
|   padding-left: 10px; |  | ||||||
| } |  | ||||||
| 
 |  | ||||||
| .co-fx-box-shadow { |  | ||||||
|   -webkit-box-shadow: 0 2px 2px rgba(0, 0, 0, 0.2); |  | ||||||
|   -moz-box-shadow: 0 2px 2px rgba(0, 0, 0, 0.2); |  | ||||||
|   -ms-box-shadow: 0 2px 2px rgba(0, 0, 0, 0.2); |  | ||||||
|   -o-box-shadow: 0 2px 2px rgba(0, 0, 0, 0.2); |  | ||||||
|   box-shadow: 0 2px 2px rgba(0, 0, 0, 0.2); |  | ||||||
| } |  | ||||||
| 
 |  | ||||||
| .co-fx-box-shadow-heavy { |  | ||||||
|   -webkit-box-shadow: 0px 2px 2px rgba(0, 0, 0, 0.4); |  | ||||||
|   -moz-box-shadow: 0px 2px 2px rgba(0, 0, 0, 0.4); |  | ||||||
|   -ms-box-shadow: 0px 2px 2px rgba(0, 0, 0, 0.4); |  | ||||||
|   -o-box-shadow: 0px 2px 2px rgba(0, 0, 0, 0.4); |  | ||||||
|   box-shadow: 0px 2px 2px rgba(0, 0, 0, 0.4); |  | ||||||
| } |  | ||||||
| 
 |  | ||||||
| .main-panel { | .main-panel { | ||||||
|   margin-bottom: 20px; |   margin-bottom: 20px; | ||||||
|   background-color: #fff; |   background-color: #fff; | ||||||
|  | @ -885,8 +857,8 @@ i.toggle-icon:hover { | ||||||
|   background-color: #f0ad4e; |   background-color: #f0ad4e; | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| .phase-icon.priming-cache { | .phase-icon.priming-cache, .phase-icon.checking-cache { | ||||||
|   background-color: #ddd; |   background-color: #cab442; | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| .phase-icon.pushing { | .phase-icon.pushing { | ||||||
|  | @ -2614,7 +2586,7 @@ p.editable:hover i { | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| .repo-build .build-pane .build-logs .log-container.command { | .repo-build .build-pane .build-logs .log-container.command { | ||||||
|   margin-left: 42px; |   margin-left: 22px; | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| .repo-build .build-pane .build-logs .container-header.building { | .repo-build .build-pane .build-logs .container-header.building { | ||||||
|  | @ -4439,14 +4411,28 @@ pre.command:before { | ||||||
|   padding: 6px; |   padding: 6px; | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| .user-row.super-user td { | .user-row { | ||||||
|   background-color: #eeeeee; |   border-bottom: 0px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .user-row td { | ||||||
|  |   vertical-align: middle; | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| .user-row .user-class { | .user-row .user-class { | ||||||
|   text-transform: uppercase; |   text-transform: uppercase; | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
|  | .user-row .labels { | ||||||
|  |   float: right; | ||||||
|  |   white-space: nowrap; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .user-row .labels .label { | ||||||
|  |   text-transform: uppercase; | ||||||
|  |   margin-right: 10px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
| .form-change input { | .form-change input { | ||||||
|   margin-top: 12px; |   margin-top: 12px; | ||||||
|   margin-bottom: 12px; |   margin-bottom: 12px; | ||||||
|  | @ -4910,6 +4896,50 @@ i.slack-icon { | ||||||
|   margin-right: 10px; |   margin-right: 10px; | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
|  | .system-log-download-panel { | ||||||
|  |   padding: 20px; | ||||||
|  |   text-align: center; | ||||||
|  |   font-size: 18px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .system-log-download-panel a { | ||||||
|  |   margin-top: 20px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .initial-setup-modal .quay-spinner { | ||||||
|  |   vertical-align: middle; | ||||||
|  |   margin-right: 10px; | ||||||
|  |   display: inline-block; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .initial-setup-modal .valid-database p { | ||||||
|  |   font-size: 18px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .verified { | ||||||
|  |   font-size: 16px; | ||||||
|  |   margin-bottom: 16px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .verified i.fa { | ||||||
|  |   font-size: 26px; | ||||||
|  |   margin-right: 10px; | ||||||
|  |   vertical-align: middle; | ||||||
|  |   color: rgb(53, 186, 53); | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .registry-logo-preview { | ||||||
|  |   border: 1px solid #eee; | ||||||
|  |   vertical-align: middle; | ||||||
|  |   padding: 4px; | ||||||
|  |   max-width: 150px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .modal-footer.alert { | ||||||
|  |   text-align: left; | ||||||
|  |   margin-bottom: -16px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
| .dockerfile-build-form table td { | .dockerfile-build-form table td { | ||||||
|   vertical-align: top; |   vertical-align: top; | ||||||
|   white-space: nowrap; |   white-space: nowrap; | ||||||
|  | @ -4926,3 +4956,23 @@ i.slack-icon { | ||||||
|   padding-left: 22px; |   padding-left: 22px; | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
|  | .restart-required { | ||||||
|  |   position: relative; | ||||||
|  |   padding-left: 54px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .restart-required button { | ||||||
|  |   float: right; | ||||||
|  |   margin-top: 4px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .restart-required button i.fa { | ||||||
|  |   margin-right: 6px; | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | .restart-required i.fa-warning { | ||||||
|  |   position: absolute; | ||||||
|  |   top: 24px; | ||||||
|  |   left: 16px; | ||||||
|  |   font-size: 28px; | ||||||
|  | } | ||||||
|  |  | ||||||
							
								
								
									
										5
									
								
								static/directives/config/config-bool-field.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										5
									
								
								static/directives/config/config-bool-field.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,5 @@ | ||||||
|  | <div class="config-bool-field-element"> | ||||||
|  |   <form name="fieldform" novalidate> | ||||||
|  |     <input type="checkbox" ng-model="binding"> | ||||||
|  |   </form> | ||||||
|  | </div> | ||||||
							
								
								
									
										46
									
								
								static/directives/config/config-contact-field.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										46
									
								
								static/directives/config/config-contact-field.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,46 @@ | ||||||
|  | <div class="config-contact-field-element"> | ||||||
|  |   <table> | ||||||
|  |   <tr> | ||||||
|  |   <td> | ||||||
|  |     <div class="dropdown"> | ||||||
|  |       <button class="btn btn-default dropdown-toggle" type="button" data-toggle="dropdown"> | ||||||
|  |         <span ng-switch="kind"> | ||||||
|  |           <span ng-switch-when="mailto"><i class="fa fa-envelope"></i>E-mail</span> | ||||||
|  |           <span ng-switch-when="irc"><i class="fa fa-comment"></i>IRC</span> | ||||||
|  |           <span ng-switch-when="tel"><i class="fa fa-phone"></i>Phone</span> | ||||||
|  |           <span ng-switch-default><i class="fa fa-ticket"></i>URL</span> | ||||||
|  |         </span> | ||||||
|  |         <span class="caret"></span> | ||||||
|  |       </button> | ||||||
|  |       <ul class="dropdown-menu" role="menu"> | ||||||
|  |         <li role="presentation"> | ||||||
|  |           <a role="menuitem" tabindex="-1" href="javascript:void(0)" ng-click="kind = 'mailto'"> | ||||||
|  |             <i class="fa fa-envelope"></i> E-mail | ||||||
|  |           </a> | ||||||
|  |         </li> | ||||||
|  |         <li role="presentation"> | ||||||
|  |           <a role="menuitem" tabindex="-1" href="javascript:void(0)" ng-click="kind = 'irc'"> | ||||||
|  |             <i class="fa fa-comment"></i> IRC | ||||||
|  |           </a> | ||||||
|  |         </li> | ||||||
|  |         <li role="presentation"> | ||||||
|  |           <a role="menuitem" tabindex="-1" href="javascript:void(0)" ng-click="kind = 'tel'"> | ||||||
|  |             <i class="fa fa-phone"></i> Telephone | ||||||
|  |           </a> | ||||||
|  |         </li> | ||||||
|  |         <li role="presentation"> | ||||||
|  |           <a role="menuitem" tabindex="-1" href="javascript:void(0)" ng-click="kind = 'http'"> | ||||||
|  |             <i class="fa fa-ticket"></i> URL | ||||||
|  |           </a> | ||||||
|  |         </li> | ||||||
|  |       </ul> | ||||||
|  |     </div> | ||||||
|  |   </td> | ||||||
|  |   <td> | ||||||
|  |     <form> | ||||||
|  |       <input class="form-control" placeholder="{{ getPlaceholder(kind) }}" ng-model="value"> | ||||||
|  |     </form> | ||||||
|  |   </td> | ||||||
|  |   </tr> | ||||||
|  |   </table> | ||||||
|  | </div> | ||||||
							
								
								
									
										4
									
								
								static/directives/config/config-contacts-field.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										4
									
								
								static/directives/config/config-contacts-field.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,4 @@ | ||||||
|  | <div class="config-contacts-field-element"> | ||||||
|  |     <div class="config-contact-field" binding="item.value" ng-repeat="item in items"> | ||||||
|  |     </div> | ||||||
|  | </div> | ||||||
							
								
								
									
										10
									
								
								static/directives/config/config-file-field.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										10
									
								
								static/directives/config/config-file-field.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,10 @@ | ||||||
|  | <div class="config-file-field-element"> | ||||||
|  |   <span ng-show="uploadProgress == null"> | ||||||
|  |     <span ng-if="hasFile"><code>{{ filename }}</code></span> | ||||||
|  |     <span class="nofile" ng-if="!hasFile"><code>{{ filename }}</code> not found in mounted config directory: </span> | ||||||
|  |     <input type="file" ng-file-select="onFileSelect($files)"> | ||||||
|  |   </span> | ||||||
|  |   <span ng-show="uploadProgress != null"> | ||||||
|  |     Uploading file as <strong>{{ filename }}</strong>... {{ uploadProgress }}% | ||||||
|  |   </span> | ||||||
|  | </div> | ||||||
							
								
								
									
										16
									
								
								static/directives/config/config-list-field.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										16
									
								
								static/directives/config/config-list-field.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,16 @@ | ||||||
|  | <div class="config-list-field-element"> | ||||||
|  |   <ul ng-show="binding && binding.length"> | ||||||
|  |     <li class="item" ng-repeat="item in binding"> | ||||||
|  |       <span class="item-title">{{ item }}</span> | ||||||
|  |       <span class="item-delete"> | ||||||
|  |         <a href="javascript:void(0)" ng-click="removeItem(item)">Remove</a> | ||||||
|  |       </span> | ||||||
|  |     </li> | ||||||
|  |   </ul> | ||||||
|  |   <span class="empty" ng-if="!binding || binding.length == 0">No {{ itemTitle }}s defined</span> | ||||||
|  |   <form class="form-control-container" ng-submit="addItem()"> | ||||||
|  |     <input type="text" class="form-control" placeholder="{{ placeholder }}" | ||||||
|  |            ng-model="newItemName" style="display: inline-block"> | ||||||
|  |     <button class="btn btn-default" style="display: inline-block">Add</button> | ||||||
|  |   </form> | ||||||
|  | </div> | ||||||
							
								
								
									
										6
									
								
								static/directives/config/config-numeric-field.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										6
									
								
								static/directives/config/config-numeric-field.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,6 @@ | ||||||
|  | <div class="config-numeric-field-element"> | ||||||
|  |   <form name="fieldform" novalidate> | ||||||
|  |     <input type="number" class="form-control" placeholder="{{ placeholder || '' }}" | ||||||
|  |            ng-model="bindinginternal" ng-trim="false" ng-minlength="1" required> | ||||||
|  |   </form> | ||||||
|  | </div> | ||||||
							
								
								
									
										1
									
								
								static/directives/config/config-parsed-field.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										1
									
								
								static/directives/config/config-parsed-field.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1 @@ | ||||||
|  | <div class="config-parsed-field-element"></div> | ||||||
							
								
								
									
										625
									
								
								static/directives/config/config-setup-tool.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										625
									
								
								static/directives/config/config-setup-tool.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,625 @@ | ||||||
|  | <div class="config-setup-tool-element"> | ||||||
|  |   <div class="quay-spinner" ng-if="!config"></div> | ||||||
|  |   <div ng-show="config && config['SUPER_USERS']"> | ||||||
|  |     <form id="configform" name="configform"> | ||||||
|  | 
 | ||||||
|  |     <!-- Basic Configuration --> | ||||||
|  |     <div class="co-panel"> | ||||||
|  |       <div class="co-panel-heading"> | ||||||
|  |         <i class="fa fa-gears"></i> Basic Configuration | ||||||
|  |       </div> | ||||||
|  |       <div class="co-panel-body"> | ||||||
|  |         <table class="config-table"> | ||||||
|  |           <tr> | ||||||
|  |             <td>Enterprise Logo URL:</td> | ||||||
|  |             <td> | ||||||
|  |               <span class="config-string-field" binding="config.ENTERPRISE_LOGO_URL" | ||||||
|  |                     placeholder="http://example.com/logo.png"></span> | ||||||
|  |               <div class="help-text"> | ||||||
|  |                 Enter the full URL to your company's logo. | ||||||
|  |               </div> | ||||||
|  |             </td> | ||||||
|  |             <td> | ||||||
|  |               <img class="registry-logo-preview" ng-src="{{ config.ENTERPRISE_LOGO_URL }}"> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  |           <tr> | ||||||
|  |             <td class="non-input">Contact Information:</td> | ||||||
|  |             <td colspan="2"> | ||||||
|  |               <span class="config-contacts-field" binding="config.CONTACT_INFO"></span> | ||||||
|  |               <div class="help-text" style="margin-top: 10px;"> | ||||||
|  |                 Information to show in the Contact Page. If none specified, CoreOS contact information | ||||||
|  |                 is displayed. | ||||||
|  |               </div> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  |           <tr> | ||||||
|  |             <td>User Creation:</td> | ||||||
|  |             <td colspan="2"> | ||||||
|  |               <div class="co-checkbox"> | ||||||
|  |                 <input id="ftuc" type="checkbox" ng-model="config.FEATURE_USER_CREATION"> | ||||||
|  |                 <label for="ftuc">Enable Open User Creation</label> | ||||||
|  |               </div> | ||||||
|  |               <div class="help-text"> | ||||||
|  |                  If enabled, user accounts can be created by anyone. | ||||||
|  |                  Users can always be created in the users panel under this superuser view. | ||||||
|  |               </div> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  |         </table> | ||||||
|  |       </div> | ||||||
|  |     </div> | ||||||
|  | 
 | ||||||
|  |     <!-- Server Configuration --> | ||||||
|  |     <div class="co-panel"> | ||||||
|  |       <div class="co-panel-heading"> | ||||||
|  |         <i class="fa fa-cloud"></i> Server Configuration | ||||||
|  |       </div> | ||||||
|  |       <div class="co-panel-body"> | ||||||
|  |         <table class="config-table"> | ||||||
|  |           <tr> | ||||||
|  |             <td>Server Hostname:</td> | ||||||
|  |             <td> | ||||||
|  |               <span class="config-string-field" binding="config.SERVER_HOSTNAME" | ||||||
|  |                     placeholder="Hostname (and optional port if non-standard)" | ||||||
|  |                     pattern="{{ HOSTNAME_REGEX }}"></span> | ||||||
|  |               <div class="help-text"> | ||||||
|  |                  The HTTP host (and optionally the port number if a non-standard HTTP/HTTPS port) of the location | ||||||
|  |                   where the registry will be accessible on the network | ||||||
|  |               </div> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  |           <tr> | ||||||
|  |             <td>SSL:</td> | ||||||
|  |             <td> | ||||||
|  |               <div class="co-checkbox"> | ||||||
|  |                 <input id="enable-ssl" type="checkbox" ng-model="config.PREFERRED_URL_SCHEME" | ||||||
|  |                        ng-true-value="https" ng-false-value="http"> | ||||||
|  |                 <label for="enable-ssl">Enable SSL</label> | ||||||
|  |               </div> | ||||||
|  |               <div class="help-text" style="margin-bottom: 10px"> | ||||||
|  |                  A valid SSL certificate and private key files are required to use this option. | ||||||
|  |               </div> | ||||||
|  | 
 | ||||||
|  |               <table class="config-table"  ng-if="config.PREFERRED_URL_SCHEME == 'https'"> | ||||||
|  |                 <tr> | ||||||
|  |                   <td class="non-input">Certificate:</td> | ||||||
|  |                   <td> | ||||||
|  |                     <span class="config-file-field" filename="ssl.cert"></span> | ||||||
|  |                     <div class="help-text"> | ||||||
|  |                       The certificate must be in PEM format. | ||||||
|  |                     </div | ||||||
|  |                   </td> | ||||||
|  |                 </tr> | ||||||
|  |                 <tr> | ||||||
|  |                   <td class="non-input">Private key:</td> | ||||||
|  |                   <td> | ||||||
|  |                     <span class="config-file-field" filename="ssl.key"></span> | ||||||
|  |                   </td> | ||||||
|  |                 </tr> | ||||||
|  |               </table> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  |         </table> | ||||||
|  | 
 | ||||||
|  |       </div> | ||||||
|  |     </div> | ||||||
|  | 
 | ||||||
|  |     <!-- Redis --> | ||||||
|  |     <div class="co-panel"> | ||||||
|  |       <div class="co-panel-heading"> | ||||||
|  |         <img src="/static/img/redis-small.png"> redis | ||||||
|  |       </div> | ||||||
|  |       <div class="co-panel-body"> | ||||||
|  |         <div class="description"> | ||||||
|  |             <p>A <a href="http://redis.io" target="_blank">redis</a> key-value store is required for real-time events and build logs.</p> | ||||||
|  |         </div> | ||||||
|  | 
 | ||||||
|  |         <table class="config-table"> | ||||||
|  |           <tr> | ||||||
|  |             <td>Redis Hostname:</td> | ||||||
|  |             <td> | ||||||
|  |               <span class="config-string-field" binding="mapped.redis.host" | ||||||
|  |                     placeholder="The redis server hostname" | ||||||
|  |                     pattern="{{ HOSTNAME_REGEX }}" | ||||||
|  |                     validator="validateHostname(value)">></span> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  |           <tr> | ||||||
|  |             <td>Redis port:</td> | ||||||
|  |             <td> | ||||||
|  |               <span class="config-numeric-field" binding="mapped.redis.port" default-value="6379"></span> | ||||||
|  |               <div class="help-text"> | ||||||
|  |                 Access to this port and hostname must be allowed from all hosts running | ||||||
|  |                 the enterprise registry | ||||||
|  |               </div> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  |           <tr> | ||||||
|  |             <td>Redis password:</td> | ||||||
|  |             <td> | ||||||
|  |               <input class="form-control" type="password" ng-model="mapped.redis.password" | ||||||
|  |                      placeholder="Optional password for connecting to redis"> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  |         </table> | ||||||
|  |       </div> | ||||||
|  |     </div> <!-- /Redis --> | ||||||
|  | 
 | ||||||
|  |     <!-- Registry Storage --> | ||||||
|  |     <div class="co-panel"> | ||||||
|  |       <div class="co-panel-heading"> | ||||||
|  |         <i class="fa fa-download"></i> Registry Storage | ||||||
|  |       </div> | ||||||
|  |       <div class="co-panel-body"> | ||||||
|  |         <div class="description"> | ||||||
|  |           <p> | ||||||
|  |             Registry images can be stored either locally or in a remote storage system. | ||||||
|  |             <strong>A remote storage system is required for high-avaliability systems.</strong> | ||||||
|  |           </p> | ||||||
|  | 
 | ||||||
|  |           <table class="config-table"> | ||||||
|  |             <tr> | ||||||
|  |               <td class="non-input">Storage Engine:</td> | ||||||
|  |               <td> | ||||||
|  |                 <select ng-model="config.DISTRIBUTED_STORAGE_CONFIG.local[0]"> | ||||||
|  |                   <option value="LocalStorage">Locally mounted directory</option> | ||||||
|  |                   <option value="S3Storage">Amazon S3</option> | ||||||
|  |                   <option value="GoogleCloudStorage">Google Cloud Storage</option> | ||||||
|  |                   <option value="RadosGWStorage">Ceph Object Gateway (RADOS)</option> | ||||||
|  |                 </select> | ||||||
|  |               </td> | ||||||
|  |             </tr> | ||||||
|  | 
 | ||||||
|  |             <!-- Fields --> | ||||||
|  |             <tr ng-repeat="field in STORAGE_CONFIG_FIELDS[config.DISTRIBUTED_STORAGE_CONFIG.local[0]]"> | ||||||
|  |               <td>{{ field.title }}:</td> | ||||||
|  |               <td> | ||||||
|  |                 <span class="config-string-field" | ||||||
|  |                       binding="config.DISTRIBUTED_STORAGE_CONFIG.local[1][field.name]" | ||||||
|  |                       placeholder="{{ field.placeholder }}" | ||||||
|  |                       ng-if="field.kind == 'text'"></span> | ||||||
|  |                 <div class="co-checkbox" ng-if="field.kind == 'bool'"> | ||||||
|  |                   <input id="dsc-{{ field.name }}" type="checkbox" | ||||||
|  |                          ng-model="config.DISTRIBUTED_STORAGE_CONFIG.local[1][field.name]"> | ||||||
|  |                   <label for="dsc-{{ field.name }}">{{ field.placeholder }}</label> | ||||||
|  |                 </div> | ||||||
|  |                 <div class="help-text" ng-if="field.help_url"> | ||||||
|  |                   See <a href="{{ field.help_url }}" target="_blank">Documentation</a> for more information | ||||||
|  |                 </div> | ||||||
|  |               </td> | ||||||
|  |             </tr> | ||||||
|  |           </table> | ||||||
|  | 
 | ||||||
|  |         </div> | ||||||
|  |       </div> | ||||||
|  |     </div> | ||||||
|  | 
 | ||||||
|  |     <!-- E-mail --> | ||||||
|  |     <div class="co-panel"> | ||||||
|  |       <div class="co-panel-heading"> | ||||||
|  |         <i class="fa fa-envelope"></i> E-mail | ||||||
|  |       </div> | ||||||
|  |       <div class="co-panel-body"> | ||||||
|  |         <div class="description"> | ||||||
|  |           <p>Valid e-mail server configuration is required for notification e-mails and the ability of | ||||||
|  |           users to reset their passwords.</p> | ||||||
|  |         </div> | ||||||
|  | 
 | ||||||
|  |         <div class="co-checkbox"> | ||||||
|  |           <input id="ftmail" type="checkbox" ng-model="config.FEATURE_MAILING"> | ||||||
|  |           <label for="ftmail">Enable E-mails</label> | ||||||
|  |         </div> | ||||||
|  | 
 | ||||||
|  |         <table class="config-table" ng-if="config.FEATURE_MAILING"> | ||||||
|  |           <tr> | ||||||
|  |             <td>SMTP Server:</td> | ||||||
|  |             <td> | ||||||
|  |               <span class="config-string-field" binding="config.MAIL_SERVER" | ||||||
|  |                     placeholder="SMTP server for sending e-mail" | ||||||
|  |                     pattern="{{ HOSTNAME_REGEX }}" | ||||||
|  |                     validator="validateHostname(value)">></span> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  |           <tr> | ||||||
|  |             <td>SMTP Server Port:</td> | ||||||
|  |             <td> | ||||||
|  |               <span class="config-numeric-field" binding="config.MAIL_PORT" | ||||||
|  |                     default-value="587"></span> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  |           <tr> | ||||||
|  |             <td>TLS:</td> | ||||||
|  |             <td> | ||||||
|  |               <div class="co-checkbox"> | ||||||
|  |                 <input id="mut" type="checkbox" ng-model="config.MAIL_USE_TLS"> | ||||||
|  |                 <label for="mut">Use TLS</label> | ||||||
|  |               </div> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  |           <tr> | ||||||
|  |             <td>Mail Sender:</td> | ||||||
|  |             <td> | ||||||
|  |               <input class="form-control" type="email" ng-model="config.DEFAULT_MAIL_SENDER" | ||||||
|  |                      placeholder="E-mail address"></span> | ||||||
|  |               <div class="help-text"> | ||||||
|  |                 E-mail address from which all e-mails are sent. If not specified, | ||||||
|  |                 <code>support@quay.io</code> will be used. | ||||||
|  |               </div> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  |           <tr> | ||||||
|  |             <td>Authentication:</td> | ||||||
|  |             <td> | ||||||
|  |               <div class="co-checkbox"> | ||||||
|  |                 <input id="uma" type="checkbox" ng-model="config.MAIL_USE_AUTH"> | ||||||
|  |                 <label for="uma">Requires Authentication</label> | ||||||
|  |               </div> | ||||||
|  | 
 | ||||||
|  |               <table class="config-table" ng-if="config.MAIL_USE_AUTH"> | ||||||
|  |                 <tr> | ||||||
|  |                   <td>Username:</td> | ||||||
|  |                   <td> | ||||||
|  |                     <span class="config-string-field" binding="config.MAIL_USERNAME" | ||||||
|  |                           placeholder="Username for authentication"></span> | ||||||
|  |                   </td> | ||||||
|  |                 </tr> | ||||||
|  |                 <tr> | ||||||
|  |                   <td>Password:</td> | ||||||
|  |                   <td> | ||||||
|  |                     <input class="form-control" type="password" | ||||||
|  |                           ng-model="config.MAIL_PASSWORD" | ||||||
|  |                           placeholder="Password for authentication"></span> | ||||||
|  |                   </td> | ||||||
|  |                 </tr> | ||||||
|  |               </table> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  | 
 | ||||||
|  |         </table> | ||||||
|  |       </div> | ||||||
|  |     </div> <!-- /E-mail --> | ||||||
|  | 
 | ||||||
|  |     <!-- Authentication --> | ||||||
|  |     <div class="co-panel"> | ||||||
|  |       <div class="co-panel-heading"> | ||||||
|  |         <i class="fa fa-users"></i> Authentication | ||||||
|  |       </div> | ||||||
|  |       <div class="co-panel-body"> | ||||||
|  |         <div class="description"> | ||||||
|  |           <p> | ||||||
|  |             Authentication for the registry can be handled by either the registry itself or LDAP. | ||||||
|  |             External authentication providers (such as Github) can be used on top of this choice. | ||||||
|  |           </p> | ||||||
|  |         </div> | ||||||
|  | 
 | ||||||
|  |         <table class="config-table"> | ||||||
|  |           <tr> | ||||||
|  |             <td class="non-input">Authentication:</td> | ||||||
|  |             <td> | ||||||
|  |               <select ng-model="config.AUTHENTICATION_TYPE"> | ||||||
|  |                 <option value="Database">Local Database</option> | ||||||
|  |                 <option value="LDAP">LDAP</option> | ||||||
|  |               </select> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  |         </table> | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |         <table class="config-table" ng-if="config.AUTHENTICATION_TYPE == 'LDAP'"> | ||||||
|  |           <tr> | ||||||
|  |             <td>LDAP URI:</td> | ||||||
|  |             <td><span class="config-string-field" binding="config.LDAP_URI"></span></td> | ||||||
|  |           </tr> | ||||||
|  |           <tr> | ||||||
|  |             <td>Administrator DN:</td> | ||||||
|  |             <td><span class="config-string-field" binding="config.LDAP_ADMIN_DN"></span></td> | ||||||
|  |           </tr> | ||||||
|  |           <tr> | ||||||
|  |             <td>Base DN:</td> | ||||||
|  |             <td><span class="config-list-field" item-title="DN" binding="config.LDAP_BASE_DN"></span></td> | ||||||
|  |           </tr> | ||||||
|  |           <tr> | ||||||
|  |             <td>Administrator Password:</td> | ||||||
|  |             <td><span class="config-string-field" binding="config.LDAP_ADMIN_PASSWD"></span></td> | ||||||
|  |           </tr> | ||||||
|  |           <tr> | ||||||
|  |             <td>E-mail Attribute:</td> | ||||||
|  |             <td><span class="config-string-field" binding="config.LDAP_EMAIL_ATTR"></span></td> | ||||||
|  |           </tr> | ||||||
|  |           <tr> | ||||||
|  |             <td>UID Attribute:</td> | ||||||
|  |             <td><span class="config-string-field" binding="config.LDAP_UID_ATTR"></span></td> | ||||||
|  |           </tr> | ||||||
|  |           <tr> | ||||||
|  |             <td>User RDN:</td> | ||||||
|  |             <td><span class="config-list-field" item-title="RDN" binding="config.LDAP_USER_RDN"></span></td> | ||||||
|  |           </tr> | ||||||
|  |         </table> | ||||||
|  |       </div> | ||||||
|  |     </div> <!-- /Authentication --> | ||||||
|  | 
 | ||||||
|  |     <!-- Github Authentication --> | ||||||
|  |     <div class="co-panel"> | ||||||
|  |       <div class="co-panel-heading"> | ||||||
|  |         <i class="fa fa-github"></i> Github (Enterprise) Authentication | ||||||
|  |       </div> | ||||||
|  |       <div class="co-panel-body"> | ||||||
|  |         <div class="description"> | ||||||
|  |           <p> | ||||||
|  |             If enabled, users can use Github or Github Enterprise to authenticate to the registry. | ||||||
|  |           </p> | ||||||
|  |           <p> | ||||||
|  |             <strong>Note:</strong> A registered Github (Enterprise) OAuth application is required. | ||||||
|  |             View instructions on how to | ||||||
|  |             <a href="https://coreos.com/docs/enterprise-registry/github-auth/" target="_blank"> | ||||||
|  |               Create an OAuth Application in GitHub | ||||||
|  |             </a> | ||||||
|  |           </p> | ||||||
|  |         </div> | ||||||
|  | 
 | ||||||
|  |         <div class="co-checkbox"> | ||||||
|  |           <input id="ftghl" type="checkbox" ng-model="config.FEATURE_GITHUB_LOGIN"> | ||||||
|  |           <label for="ftghl">Enable Github Authentication</label> | ||||||
|  |         </div> | ||||||
|  | 
 | ||||||
|  |         <table class="config-table" ng-if="config.FEATURE_GITHUB_LOGIN"> | ||||||
|  |           <tr> | ||||||
|  |             <td>Github:</td> | ||||||
|  |             <td> | ||||||
|  |               <select ng-model="mapped.GITHUB_LOGIN_KIND"> | ||||||
|  |                 <option value="hosted">Github.com</option> | ||||||
|  |                 <option value="enterprise">Github Enterprise</option> | ||||||
|  |               </select> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  |           <tr ng-if="mapped.GITHUB_LOGIN_KIND == 'enterprise'"> | ||||||
|  |             <td>Github Endpoint:</td> | ||||||
|  |             <td> | ||||||
|  |               <span class="config-string-field" | ||||||
|  |                     binding="config.GITHUB_LOGIN_CONFIG.GITHUB_ENDPOINT" | ||||||
|  |                     placeholder="https://my.githubserver" | ||||||
|  |                     pattern="{{ GITHUB_REGEX }}"> | ||||||
|  |               </span> | ||||||
|  |               <div class="help-text"> | ||||||
|  |                 The Github Enterprise endpoint. Must start with http:// or https://. | ||||||
|  |               </div> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  |           <tr> | ||||||
|  |             <td>OAuth Client ID:</td> | ||||||
|  |             <td> | ||||||
|  |               <span class="config-string-field" binding="config.GITHUB_LOGIN_CONFIG.CLIENT_ID"> | ||||||
|  |               </span> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  |           <tr> | ||||||
|  |             <td>OAuth Client Secret:</td> | ||||||
|  |             <td> | ||||||
|  |               <span class="config-string-field" binding="config.GITHUB_LOGIN_CONFIG.CLIENT_SECRET"> | ||||||
|  |               </span> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  |         </table> | ||||||
|  |       </div> | ||||||
|  |     </div> <!-- /Github Authentication --> | ||||||
|  | 
 | ||||||
|  |     <!-- Google Authentication --> | ||||||
|  |     <div class="co-panel"> | ||||||
|  |       <div class="co-panel-heading"> | ||||||
|  |         <i class="fa fa-google"></i> Google Authentication | ||||||
|  |       </div> | ||||||
|  |       <div class="co-panel-body"> | ||||||
|  |         <div class="description"> | ||||||
|  |           <p> | ||||||
|  |             If enabled, users can use Google to authenticate to the registry. | ||||||
|  |           </p> | ||||||
|  |           <p> | ||||||
|  |             <strong>Note:</strong> A registered Google OAuth application is required. | ||||||
|  |             Visit the | ||||||
|  |             <a href="https://console.developers.google.com" target="_blank"> | ||||||
|  |               Google Developer Console | ||||||
|  |             </a> | ||||||
|  |             to register an application. | ||||||
|  |           </p> | ||||||
|  |         </div> | ||||||
|  | 
 | ||||||
|  |         <div class="co-checkbox"> | ||||||
|  |           <input id="ftgoa" type="checkbox" ng-model="config.FEATURE_GOOGLE_LOGIN"> | ||||||
|  |           <label for="ftgoa">Enable Google Authentication</label> | ||||||
|  |         </div> | ||||||
|  | 
 | ||||||
|  |         <table class="config-table" ng-if="config.FEATURE_GOOGLE_LOGIN"> | ||||||
|  |           <tr> | ||||||
|  |             <td>OAuth Client ID:</td> | ||||||
|  |             <td> | ||||||
|  |               <span class="config-string-field" binding="config.GOOGLE_LOGIN_CONFIG.CLIENT_ID"> | ||||||
|  |               </span> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  |           <tr> | ||||||
|  |             <td>OAuth Client Secret:</td> | ||||||
|  |             <td> | ||||||
|  |               <span class="config-string-field" binding="config.GOOGLE_LOGIN_CONFIG.CLIENT_SECRET"> | ||||||
|  |               </span> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  |         </table> | ||||||
|  |       </div> | ||||||
|  |     </div> <!-- /Google Authentication --> | ||||||
|  | 
 | ||||||
|  |     <!-- Build Support --> | ||||||
|  |     <div class="co-panel"> | ||||||
|  |       <div class="co-panel-heading"> | ||||||
|  |         <i class="fa fa-tasks"></i> Dockerfile Build Support | ||||||
|  |       </div> | ||||||
|  |       <div class="co-panel-body"> | ||||||
|  |         <div class="description"> | ||||||
|  |            If enabled, users can submit Dockerfiles to be built and pushed by the Enterprise Registry. | ||||||
|  |         </div> | ||||||
|  | 
 | ||||||
|  |         <div class="co-checkbox"> | ||||||
|  |           <input id="ftbs" type="checkbox" ng-model="config.FEATURE_BUILD_SUPPORT"> | ||||||
|  |           <label for="ftbs">Enable Dockerfile Build</label> | ||||||
|  |         </div> | ||||||
|  | 
 | ||||||
|  |         <div ng-if="config.FEATURE_BUILD_SUPPORT" style="margin-top: 10px"> | ||||||
|  |           <strong>Note: Build workers are required for this feature.</strong> | ||||||
|  |            See <a href="https://coreos.com/docs/enterprise-registry/build-support/" target="_blank">Adding Build Workers</a> for instructions on how to setup build workers. | ||||||
|  |         </div> | ||||||
|  |       </div> | ||||||
|  |     </div> <!-- /Build Support --> | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     <!-- Github Trigger --> | ||||||
|  |     <div class="co-panel" ng-if="config.FEATURE_BUILD_SUPPORT" style="margin-top: 20px;"> | ||||||
|  |       <div class="co-panel-heading"> | ||||||
|  |         <i class="fa fa-github"></i> Github (Enterprise) Build Triggers | ||||||
|  |       </div> | ||||||
|  |       <div class="co-panel-body"> | ||||||
|  |         <div class="description"> | ||||||
|  |           <p> | ||||||
|  |             If enabled, users can setup Github or Github Enterprise triggers to invoke Registry builds. | ||||||
|  |           </p> | ||||||
|  |           <p> | ||||||
|  |             <strong>Note:</strong> A registered Github (Enterprise) OAuth application (<strong>separate from Github Authentication</strong>) is required. | ||||||
|  |             View instructions on how to | ||||||
|  |             <a href="https://coreos.com/docs/enterprise-registry/github-auth/" target="_blank"> | ||||||
|  |               Create an OAuth Application in GitHub | ||||||
|  |             </a> | ||||||
|  |           </p> | ||||||
|  |         </div> | ||||||
|  | 
 | ||||||
|  |         <div class="co-checkbox"> | ||||||
|  |           <input id="ftgb" type="checkbox" ng-model="config.FEATURE_GITHUB_BUILD"> | ||||||
|  |           <label for="ftgb">Enable Github Triggers</label> | ||||||
|  |         </div> | ||||||
|  | 
 | ||||||
|  |         <table class="config-table" ng-if="config.FEATURE_GITHUB_BUILD"> | ||||||
|  |           <tr> | ||||||
|  |             <td>Github:</td> | ||||||
|  |             <td> | ||||||
|  |               <select ng-model="mapped.GITHUB_TRIGGER_KIND"> | ||||||
|  |                 <option value="hosted">Github.com</option> | ||||||
|  |                 <option value="enterprise">Github Enterprise</option> | ||||||
|  |               </select> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  |           <tr ng-if="mapped.GITHUB_TRIGGER_KIND == 'enterprise'"> | ||||||
|  |             <td>Github Endpoint:</td> | ||||||
|  |             <td> | ||||||
|  |               <span class="config-string-field" | ||||||
|  |                     binding="config.GITHUB_TRIGGER_CONFIG.GITHUB_ENDPOINT" | ||||||
|  |                     placeholder="https://my.githubserver" | ||||||
|  |                     pattern="{{ GITHUB_REGEX }}"> | ||||||
|  |               </span> | ||||||
|  |               <div class="help-text"> | ||||||
|  |                 The Github Enterprise endpoint. Must start with http:// or https://. | ||||||
|  |               </div> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  |           <tr> | ||||||
|  |             <td>OAuth Client ID:</td> | ||||||
|  |             <td> | ||||||
|  |               <span class="config-string-field" binding="config.GITHUB_TRIGGER_CONFIG.CLIENT_ID"> | ||||||
|  |               </span> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  |           <tr> | ||||||
|  |             <td>OAuth Client Secret:</td> | ||||||
|  |             <td> | ||||||
|  |               <span class="config-string-field" binding="config.GITHUB_TRIGGER_CONFIG.CLIENT_SECRET"> | ||||||
|  |               </span> | ||||||
|  |             </td> | ||||||
|  |           </tr> | ||||||
|  |         </table> | ||||||
|  |       </div> | ||||||
|  |     </div> <!-- /Github Trigger --> | ||||||
|  |     </form> | ||||||
|  | 
 | ||||||
|  |     <!-- Save Bar --> | ||||||
|  |     <div class="cor-floating-bottom-bar"> | ||||||
|  |       <button class="btn" ng-class="mapped.$hasChanges ? 'btn-primary' : 'btn-success'" | ||||||
|  |               ng-click="checkValidateAndSave()" ng-show="configform.$valid"> | ||||||
|  |         <i class="fa fa-lg" ng-class="mapped.$hasChanges ? 'fa-dot-circle-o' : 'fa-check-circle'"></i> | ||||||
|  |         <span ng-if="mapped.$hasChanges">Save Configuration Changes</span> | ||||||
|  |         <span ng-if="!mapped.$hasChanges">Configuration Saved</span> | ||||||
|  |       </button> | ||||||
|  |       <button class="btn btn-warning" ng-click="checkValidateAndSave()" ng-show="!configform.$valid" | ||||||
|  |               ng-click="checkValidateAndSave()"> | ||||||
|  |         <i class="fa fa-lg fa-sort"></i> | ||||||
|  |         {{ configform.$error['required'].length }} configuration field<span ng-show="configform.$error['required'].length != 1">s</span> remaining | ||||||
|  |       </button> | ||||||
|  |     </div> | ||||||
|  | 
 | ||||||
|  |     <!-- Modal message dialog --> | ||||||
|  |     <div class="modal co-dialog fade initial-setup-modal" id="validateAndSaveModal"> | ||||||
|  |       <div class="modal-dialog"> | ||||||
|  |         <div class="modal-content"> | ||||||
|  |           <div class="modal-header"> | ||||||
|  |             <h4 class="modal-title"> | ||||||
|  |               Checking your settings | ||||||
|  |             </h4> | ||||||
|  |           </div> | ||||||
|  |           <div class="modal-body"> | ||||||
|  |             <div class="service-verification"> | ||||||
|  |               <div class="service-verification-row" ng-repeat="serviceInfo in validating"> | ||||||
|  |                 <span class="quay-spinner" ng-show="serviceInfo.status == 'validating'"></span> | ||||||
|  |                 <i class="fa fa-lg fa-check-circle" ng-show="serviceInfo.status == 'success'"></i> | ||||||
|  |                 <i class="fa fa-lg fa-warning" ng-show="serviceInfo.status == 'error'"></i> | ||||||
|  |                 <span class="service-title">{{ serviceInfo.service.title }}</span> | ||||||
|  | 
 | ||||||
|  |                 <div class="service-verification-error" ng-show="serviceInfo.status == 'error'">{{ serviceInfo.errorMessage }}</div> | ||||||
|  |               </div> | ||||||
|  |             </div> | ||||||
|  |           </div> | ||||||
|  | 
 | ||||||
|  |           <!-- Footer: Saving configuration --> | ||||||
|  |           <div class="modal-footer working" ng-show="savingConfiguration"> | ||||||
|  |             <span class="cor-loader-inline"></span> Saving Configuration... | ||||||
|  |           </div> | ||||||
|  | 
 | ||||||
|  |           <!-- Footer: Validating --> | ||||||
|  |           <div class="modal-footer working" | ||||||
|  |                ng-show="!savingConfiguration && validationStatus(validating) == 'validating'"> | ||||||
|  |             <span class="cor-loader-inline"></span> Validating settings... | ||||||
|  | 
 | ||||||
|  |             <button class="btn btn-default" ng-click="cancelValidation()"> | ||||||
|  |               Stop Validating | ||||||
|  |             </button> | ||||||
|  |           </div> | ||||||
|  | 
 | ||||||
|  |           <!-- Footer: Valid Config --> | ||||||
|  |           <div class="modal-footer" | ||||||
|  |                ng-show="!savingConfiguration && validationStatus(validating) == 'success'"> | ||||||
|  |             <span class="left-align"> | ||||||
|  |               <i class="fa fa-check"></i> | ||||||
|  |               Configuration Validated | ||||||
|  |             </span> | ||||||
|  | 
 | ||||||
|  |             <button class="btn btn-primary" | ||||||
|  |                     ng-click="saveConfiguration()" | ||||||
|  |                     ng-disabled="savingConfiguration"> | ||||||
|  |                     <i class="fa fa-upload" style="margin-right: 10px;"></i>Save Configuration | ||||||
|  |             </button> | ||||||
|  |           </div> | ||||||
|  | 
 | ||||||
|  |           <!-- Footer: Invalid Config --> | ||||||
|  |           <div class="modal-footer" | ||||||
|  |                ng-show="!savingConfiguration && validationStatus(validating) == 'failed'"> | ||||||
|  |             <span class="left-align"> | ||||||
|  |               <i class="fa fa-warning"></i> | ||||||
|  |               Problem Detected | ||||||
|  |             </span> | ||||||
|  | 
 | ||||||
|  |             <button class="btn btn-default" data-dismiss="modal"> | ||||||
|  |               Continue Editing | ||||||
|  |             </button> | ||||||
|  |           </div> | ||||||
|  | 
 | ||||||
|  |         </div><!-- /.modal-content --> | ||||||
|  |       </div><!-- /.modal-dialog --> | ||||||
|  |     </div><!-- /.modal --> | ||||||
|  | 
 | ||||||
|  |   </div> | ||||||
|  | </div> | ||||||
							
								
								
									
										10
									
								
								static/directives/config/config-string-field.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										10
									
								
								static/directives/config/config-string-field.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,10 @@ | ||||||
|  | <div class="config-string-field-element"> | ||||||
|  |   <form name="fieldform" novalidate> | ||||||
|  |     <input type="text" class="form-control" placeholder="{{ placeholder || '' }}" | ||||||
|  |            ng-model="binding" ng-trim="false" ng-minlength="1" | ||||||
|  |            ng-pattern="getRegexp(pattern)" required> | ||||||
|  |     <div class="alert alert-danger" ng-show="errorMessage"> | ||||||
|  |         {{ errorMessage }} | ||||||
|  |     </div> | ||||||
|  |   </form> | ||||||
|  | </div> | ||||||
							
								
								
									
										10
									
								
								static/directives/config/config-variable-field.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										10
									
								
								static/directives/config/config-variable-field.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,10 @@ | ||||||
|  | <div class="config-variable-field-element"> | ||||||
|  |   <div class="btn-group">     | ||||||
|  |     <button type="button" class="btn btn-default" | ||||||
|  |             ng-repeat="section in sections" | ||||||
|  |             ng-click="setSection(section)" | ||||||
|  |             ng-class="section == currentSection ? 'active' : ''">{{ section.title }}</button> | ||||||
|  |   </div> | ||||||
|  | 
 | ||||||
|  |   <span ng-transclude></span> | ||||||
|  | </div> | ||||||
							
								
								
									
										3
									
								
								static/directives/cor-floating-bottom-bar.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										3
									
								
								static/directives/cor-floating-bottom-bar.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,3 @@ | ||||||
|  | <div class="co-floating-bottom-bar"> | ||||||
|  |     <span ng-transclude/> | ||||||
|  | </div> | ||||||
							
								
								
									
										5
									
								
								static/directives/cor-loader-inline.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										5
									
								
								static/directives/cor-loader-inline.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,5 @@ | ||||||
|  | <div class="co-m-inline-loader co-an-fade-in-out"> | ||||||
|  |   <div class="co-m-loader-dot__one"></div> | ||||||
|  |   <div class="co-m-loader-dot__two"></div> | ||||||
|  |   <div class="co-m-loader-dot__three"></div> | ||||||
|  | </div> | ||||||
							
								
								
									
										5
									
								
								static/directives/cor-loader.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										5
									
								
								static/directives/cor-loader.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,5 @@ | ||||||
|  | <div class="co-m-loader co-an-fade-in-out"> | ||||||
|  |   <div class="co-m-loader-dot__one"></div> | ||||||
|  |   <div class="co-m-loader-dot__two"></div> | ||||||
|  |   <div class="co-m-loader-dot__three"></div> | ||||||
|  | </div> | ||||||
							
								
								
									
										11
									
								
								static/directives/cor-log-box.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										11
									
								
								static/directives/cor-log-box.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,11 @@ | ||||||
|  | <div class="co-log-box-element"> | ||||||
|  |   <div id="co-log-viewer"  class="co-log-viewer" ng-if="logs"> | ||||||
|  |     <div class="quay-spinner" ng-if="!logs"></div> | ||||||
|  |     <div class="co-log-container"> | ||||||
|  |       <div id="co-log-content" class="co-log-content">{{ logs }}</div> | ||||||
|  |     </div> | ||||||
|  |   </div> | ||||||
|  |   <div class="co-log-viewer-new-logs" ng-show="hasNewLogs" ng-click="moveToBottom()"> | ||||||
|  |     New Logs <i class="fa fa-lg fa-arrow-circle-down"></i> | ||||||
|  |   </div> | ||||||
|  | </div> | ||||||
							
								
								
									
										3
									
								
								static/directives/cor-option.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										3
									
								
								static/directives/cor-option.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,3 @@ | ||||||
|  | <li> | ||||||
|  |     <a href="javascript:void(0)" ng-click="optionClick()" ng-transclude></a> | ||||||
|  | </li> | ||||||
							
								
								
									
										6
									
								
								static/directives/cor-options-menu.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										6
									
								
								static/directives/cor-options-menu.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,6 @@ | ||||||
|  | <span class="co-options-menu"> | ||||||
|  |   <div class="dropdown" style="text-align: left;"> | ||||||
|  |     <i class="fa fa-gear fa-lg dropdown-toggle" data-toggle="dropdown" data-title="Options" bs-tooltip></i> | ||||||
|  |     <ul class="dropdown-menu pull-right" ng-transclude></ul> | ||||||
|  |   </div> | ||||||
|  | </span> | ||||||
							
								
								
									
										3
									
								
								static/directives/cor-step-bar.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										3
									
								
								static/directives/cor-step-bar.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,3 @@ | ||||||
|  | <div class="co-step-bar"> | ||||||
|  |     <span class="transclude" ng-transclude/> | ||||||
|  | </div> | ||||||
							
								
								
									
										6
									
								
								static/directives/cor-step.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										6
									
								
								static/directives/cor-step.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,6 @@ | ||||||
|  | <span ng-class="text ? 'co-step-element text' : 'co-step-element icon'"> | ||||||
|  |   <span data-title="{{ title }}" bs-tooltip> | ||||||
|  |       <span class="text" ng-if="text">{{ text }}</span> | ||||||
|  |       <i class="fa fa-lg" ng-if="icon" ng-class="'fa-' + icon"></i> | ||||||
|  |   </span> | ||||||
|  | </span> | ||||||
							
								
								
									
										1
									
								
								static/directives/cor-tab-content.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										1
									
								
								static/directives/cor-tab-content.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1 @@ | ||||||
|  | <div class="co-tab-content tab-content col-md-11" ng-transclude></div> | ||||||
							
								
								
									
										3
									
								
								static/directives/cor-tab-panel.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										3
									
								
								static/directives/cor-tab-panel.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,3 @@ | ||||||
|  | <div class="co-main-content-panel co-tab-panel co-fx-box-shadow-heavy"> | ||||||
|  |     <div class="container co-tab-container" ng-transclude></div> | ||||||
|  | </div> | ||||||
							
								
								
									
										11
									
								
								static/directives/cor-tab.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										11
									
								
								static/directives/cor-tab.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,11 @@ | ||||||
|  | <li ng-class="tabActive == 'true'  ? 'active' : ''"> | ||||||
|  |     <a href="javascript:void(0)" data-title="{{ tabTitle }}" | ||||||
|  |                                  data-toggle="tab" | ||||||
|  |                                  data-target="{{ tabTarget }}" | ||||||
|  |                                  data-placement="right" | ||||||
|  |                                  data-container="body" | ||||||
|  |                                  ng-click="tabInit()" | ||||||
|  |                                  bs-tooltip> | ||||||
|  |         <span ng-transclude/> | ||||||
|  |     </a> | ||||||
|  | </li> | ||||||
							
								
								
									
										1
									
								
								static/directives/cor-tabs.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										1
									
								
								static/directives/cor-tabs.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1 @@ | ||||||
|  | <ul class="co-tabs col-md-1" ng-transclude></ul> | ||||||
							
								
								
									
										3
									
								
								static/directives/cor-title-content.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										3
									
								
								static/directives/cor-title-content.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,3 @@ | ||||||
|  | <div class="col-lg-6 col-md-6 col-sm-6 col-xs-12"> | ||||||
|  |   <h2 class="co-nav-title-content co-fx-text-shadow" ng-transclude></h2> | ||||||
|  | </div> | ||||||
							
								
								
									
										1
									
								
								static/directives/cor-title-link.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										1
									
								
								static/directives/cor-title-link.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1 @@ | ||||||
|  | <div class="col-lg-3 col-md-3 col-sm-3 col-xs-6" ng-transclude></div> | ||||||
							
								
								
									
										2
									
								
								static/directives/cor-title.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										2
									
								
								static/directives/cor-title.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,2 @@ | ||||||
|  | <div class="co-nav-title" ng-transclude></div> | ||||||
|  | 
 | ||||||
							
								
								
									
										
											BIN
										
									
								
								static/img/redis-small.png
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										
											BIN
										
									
								
								static/img/redis-small.png
									
										
									
									
									
										Normal file
									
								
							
										
											Binary file not shown.
										
									
								
							| After Width: | Height: | Size: 2.2 KiB | 
							
								
								
									
										115
									
								
								static/js/app.js
									
										
									
									
									
								
							
							
						
						
									
										115
									
								
								static/js/app.js
									
										
									
									
									
								
							|  | @ -126,7 +126,7 @@ function getMarkedDown(string) { | ||||||
| 
 | 
 | ||||||
| quayDependencies = ['ngRoute', 'chieffancypants.loadingBar', 'angular-tour', 'restangular', 'angularMoment', | quayDependencies = ['ngRoute', 'chieffancypants.loadingBar', 'angular-tour', 'restangular', 'angularMoment', | ||||||
|                     'mgcrea.ngStrap', 'ngCookies', 'ngSanitize', 'angular-md5', 'pasvaz.bindonce', 'ansiToHtml', |                     'mgcrea.ngStrap', 'ngCookies', 'ngSanitize', 'angular-md5', 'pasvaz.bindonce', 'ansiToHtml', | ||||||
|                     'ngAnimate']; |                     'ngAnimate', 'core-ui', 'core-config-setup']; | ||||||
| 
 | 
 | ||||||
| if (window.__config && window.__config.MIXPANEL_KEY) { | if (window.__config && window.__config.MIXPANEL_KEY) { | ||||||
|   quayDependencies.push('angulartics'); |   quayDependencies.push('angulartics'); | ||||||
|  | @ -977,7 +977,7 @@ quayApp = angular.module('quay', quayDependencies, function($provide, cfpLoading | ||||||
|         return resource; |         return resource; | ||||||
|       }; |       }; | ||||||
| 
 | 
 | ||||||
|       var buildUrl = function(path, parameters) { |       var buildUrl = function(path, parameters, opt_forcessl) { | ||||||
|         // We already have /api/v1/ on the URLs, so remove them from the paths.
 |         // We already have /api/v1/ on the URLs, so remove them from the paths.
 | ||||||
|         path = path.substr('/api/v1/'.length, path.length); |         path = path.substr('/api/v1/'.length, path.length); | ||||||
| 
 | 
 | ||||||
|  | @ -1017,6 +1017,11 @@ quayApp = angular.module('quay', quayDependencies, function($provide, cfpLoading | ||||||
|           } |           } | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|  |         // If we are forcing SSL, return an absolutel URL with an SSL prefix.
 | ||||||
|  |         if (opt_forcessl) { | ||||||
|  |           path = 'https://' + window.location.host + '/api/v1/' + path; | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|         return url; |         return url; | ||||||
|       }; |       }; | ||||||
| 
 | 
 | ||||||
|  | @ -1047,12 +1052,35 @@ quayApp = angular.module('quay', quayDependencies, function($provide, cfpLoading | ||||||
|         } |         } | ||||||
|       }; |       }; | ||||||
| 
 | 
 | ||||||
|  |       var freshLoginInProgress = []; | ||||||
|  |       var reject = function(msg) { | ||||||
|  |         for (var i = 0; i < freshLoginInProgress.length; ++i) { | ||||||
|  |           freshLoginInProgress[i].deferred.reject({'data': {'message': msg}}); | ||||||
|  |         } | ||||||
|  |         freshLoginInProgress = []; | ||||||
|  |       }; | ||||||
|  | 
 | ||||||
|  |       var retry = function() { | ||||||
|  |         for (var i = 0; i < freshLoginInProgress.length; ++i) { | ||||||
|  |           freshLoginInProgress[i].retry(); | ||||||
|  |         } | ||||||
|  |         freshLoginInProgress = []; | ||||||
|  |       }; | ||||||
|  | 
 | ||||||
|       var freshLoginFailCheck = function(opName, opArgs) { |       var freshLoginFailCheck = function(opName, opArgs) { | ||||||
|         return function(resp) { |         return function(resp) { | ||||||
|           var deferred = $q.defer(); |           var deferred = $q.defer(); | ||||||
| 
 | 
 | ||||||
|           // If the error is a fresh login required, show the dialog.
 |           // If the error is a fresh login required, show the dialog.
 | ||||||
|           if (resp.status == 401 && resp.data['error_type'] == 'fresh_login_required') { |           if (resp.status == 401 && resp.data['error_type'] == 'fresh_login_required') { | ||||||
|  |             var retryOperation = function() { | ||||||
|  |               apiService[opName].apply(apiService, opArgs).then(function(resp) { | ||||||
|  |                 deferred.resolve(resp); | ||||||
|  |               }, function(resp) { | ||||||
|  |                 deferred.reject(resp); | ||||||
|  |               }); | ||||||
|  |             }; | ||||||
|  | 
 | ||||||
|             var verifyNow = function() { |             var verifyNow = function() { | ||||||
|               var info = { |               var info = { | ||||||
|                 'password': $('#freshPassword').val() |                 'password': $('#freshPassword').val() | ||||||
|  | @ -1062,19 +1090,27 @@ quayApp = angular.module('quay', quayDependencies, function($provide, cfpLoading | ||||||
| 
 | 
 | ||||||
|               // Conduct the sign in of the user.
 |               // Conduct the sign in of the user.
 | ||||||
|               apiService.verifyUser(info).then(function() { |               apiService.verifyUser(info).then(function() { | ||||||
|                 // On success, retry the operation. if it succeeds, then resolve the
 |                 // On success, retry the operations. if it succeeds, then resolve the
 | ||||||
|                 // deferred promise with the result. Otherwise, reject the same.
 |                 // deferred promise with the result. Otherwise, reject the same.
 | ||||||
|                 apiService[opName].apply(apiService, opArgs).then(function(resp) { |                 retry(); | ||||||
|                   deferred.resolve(resp); |  | ||||||
|                 }, function(resp) { |  | ||||||
|                   deferred.reject(resp); |  | ||||||
|                 }); |  | ||||||
|               }, function(resp) { |               }, function(resp) { | ||||||
|                 // Reject with the sign in error.
 |                 // Reject with the sign in error.
 | ||||||
|                 deferred.reject({'data': {'message': 'Invalid verification credentials'}}); |                 reject('Invalid verification credentials'); | ||||||
|               }); |               }); | ||||||
|             }; |             }; | ||||||
| 
 | 
 | ||||||
|  |             // Add the retry call to the in progress list. If there is more than a single
 | ||||||
|  |             // in progress call, we skip showing the dialog (since it has already been
 | ||||||
|  |             // shown).
 | ||||||
|  |             freshLoginInProgress.push({ | ||||||
|  |               'deferred': deferred, | ||||||
|  |               'retry': retryOperation | ||||||
|  |             }) | ||||||
|  | 
 | ||||||
|  |             if (freshLoginInProgress.length > 1) { | ||||||
|  |               return deferred.promise; | ||||||
|  |             } | ||||||
|  | 
 | ||||||
|             var box = bootbox.dialog({ |             var box = bootbox.dialog({ | ||||||
|               "message": 'It has been more than a few minutes since you last logged in, ' + |               "message": 'It has been more than a few minutes since you last logged in, ' + | ||||||
|                 'so please verify your password to perform this sensitive operation:' + |                 'so please verify your password to perform this sensitive operation:' + | ||||||
|  | @ -1092,7 +1128,7 @@ quayApp = angular.module('quay', quayDependencies, function($provide, cfpLoading | ||||||
|                   "label": "Cancel", |                   "label": "Cancel", | ||||||
|                   "className": "btn-default", |                   "className": "btn-default", | ||||||
|                   "callback": function() { |                   "callback": function() { | ||||||
|                     deferred.reject({'data': {'message': 'Verification canceled'}}); |                     reject('Verification canceled') | ||||||
|                   } |                   } | ||||||
|                 } |                 } | ||||||
|               } |               } | ||||||
|  | @ -1124,8 +1160,8 @@ quayApp = angular.module('quay', quayDependencies, function($provide, cfpLoading | ||||||
|         var path = resource['path']; |         var path = resource['path']; | ||||||
| 
 | 
 | ||||||
|         // Add the operation itself.
 |         // Add the operation itself.
 | ||||||
|         apiService[operationName] = function(opt_options, opt_parameters, opt_background) { |         apiService[operationName] = function(opt_options, opt_parameters, opt_background, opt_forcessl) { | ||||||
|           var one = Restangular.one(buildUrl(path, opt_parameters)); |           var one = Restangular.one(buildUrl(path, opt_parameters, opt_forcessl)); | ||||||
|           if (opt_background) { |           if (opt_background) { | ||||||
|             one.withHttpConfig({ |             one.withHttpConfig({ | ||||||
|               'ignoreLoadingBar': true |               'ignoreLoadingBar': true | ||||||
|  | @ -1244,6 +1280,39 @@ quayApp = angular.module('quay', quayDependencies, function($provide, cfpLoading | ||||||
|       return cookieService; |       return cookieService; | ||||||
|     }]); |     }]); | ||||||
| 
 | 
 | ||||||
|  |     $provide.factory('ContainerService', ['ApiService', '$timeout', | ||||||
|  |       function(ApiService, $timeout) { | ||||||
|  |         var containerService = {}; | ||||||
|  |         containerService.restartContainer = function(callback) { | ||||||
|  |           ApiService.scShutdownContainer(null, null).then(function(resp) { | ||||||
|  |             $timeout(callback, 2000); | ||||||
|  |           }, ApiService.errorDisplay('Cannot restart container. Please report this to support.')) | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         containerService.scheduleStatusCheck = function(callback) { | ||||||
|  |           $timeout(function() { | ||||||
|  |             containerService.checkStatus(callback); | ||||||
|  |           }, 2000); | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         containerService.checkStatus = function(callback, force_ssl) { | ||||||
|  |           var errorHandler = function(resp) { | ||||||
|  |             if (resp.status == 404 || resp.status == 502) { | ||||||
|  |               // Container has not yet come back up, so we schedule another check.
 | ||||||
|  |               containerService.scheduleStatusCheck(callback); | ||||||
|  |               return; | ||||||
|  |             } | ||||||
|  | 
 | ||||||
|  |             return ApiService.errorDisplay('Cannot load status. Please report this to support')(resp); | ||||||
|  |           }; | ||||||
|  | 
 | ||||||
|  |           ApiService.scRegistryStatus(null, null) | ||||||
|  |                     .then(callback, errorHandler, /* background */true, /* force ssl*/force_ssl); | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         return containerService; | ||||||
|  |       }]); | ||||||
|  | 
 | ||||||
|     $provide.factory('UserService', ['ApiService', 'CookieService', '$rootScope', 'Config', |     $provide.factory('UserService', ['ApiService', 'CookieService', '$rootScope', 'Config', | ||||||
|                                      function(ApiService, CookieService, $rootScope, Config) { |                                      function(ApiService, CookieService, $rootScope, Config) { | ||||||
|       var userResponse = { |       var userResponse = { | ||||||
|  | @ -2225,8 +2294,10 @@ quayApp = angular.module('quay', quayDependencies, function($provide, cfpLoading | ||||||
|                             templateUrl: '/static/partials/repo-list.html', controller: RepoListCtrl, reloadOnSearch: false}). |                             templateUrl: '/static/partials/repo-list.html', controller: RepoListCtrl, reloadOnSearch: false}). | ||||||
|       when('/user/', {title: 'Account Settings', description:'Account settings for ' + title, templateUrl: '/static/partials/user-admin.html', |       when('/user/', {title: 'Account Settings', description:'Account settings for ' + title, templateUrl: '/static/partials/user-admin.html', | ||||||
|                       reloadOnSearch: false, controller: UserAdminCtrl}). |                       reloadOnSearch: false, controller: UserAdminCtrl}). | ||||||
|       when('/superuser/', {title: 'Superuser Admin Panel', description:'Admin panel for ' + title, templateUrl: '/static/partials/super-user.html', |       when('/superuser/', {title: 'Enterprise Registry Management', description:'Admin panel for ' + title, templateUrl: '/static/partials/super-user.html', | ||||||
|                            reloadOnSearch: false, controller: SuperUserAdminCtrl}). |                            reloadOnSearch: false, controller: SuperUserAdminCtrl, newLayout: true}). | ||||||
|  |       when('/setup/', {title: 'Enterprise Registry Setup', description:'Setup for ' + title, templateUrl: '/static/partials/setup.html', | ||||||
|  |                            reloadOnSearch: false, controller: SetupCtrl, newLayout: true}). | ||||||
|       when('/guide/', {title: 'Guide', description:'Guide to using private docker repositories on ' + title, |       when('/guide/', {title: 'Guide', description:'Guide to using private docker repositories on ' + title, | ||||||
|                        templateUrl: '/static/partials/guide.html', |                        templateUrl: '/static/partials/guide.html', | ||||||
|                        controller: GuideCtrl}). |                        controller: GuideCtrl}). | ||||||
|  | @ -3908,9 +3979,11 @@ quayApp.directive('registryName', function () { | ||||||
|     replace: false, |     replace: false, | ||||||
|     transclude: true, |     transclude: true, | ||||||
|     restrict: 'C', |     restrict: 'C', | ||||||
|     scope: {}, |     scope: { | ||||||
|  |       'isShort': '=isShort' | ||||||
|  |     }, | ||||||
|     controller: function($scope, $element, Config) { |     controller: function($scope, $element, Config) { | ||||||
|       $scope.name = Config.REGISTRY_TITLE; |       $scope.name = $scope.isShort ? Config.REGISTRY_TITLE_SHORT : Config.REGISTRY_TITLE; | ||||||
|     } |     } | ||||||
|   }; |   }; | ||||||
|   return directiveDefinitionObject; |   return directiveDefinitionObject; | ||||||
|  | @ -5751,6 +5824,9 @@ quayApp.directive('buildMessage', function () { | ||||||
|           case 'building': |           case 'building': | ||||||
|             return 'Building image from Dockerfile'; |             return 'Building image from Dockerfile'; | ||||||
| 
 | 
 | ||||||
|  |           case 'checking-cache': | ||||||
|  |             return 'Looking up cached images'; | ||||||
|  | 
 | ||||||
|           case 'priming-cache': |           case 'priming-cache': | ||||||
|             return 'Priming cache for build'; |             return 'Priming cache for build'; | ||||||
| 
 | 
 | ||||||
|  | @ -5807,6 +5883,7 @@ quayApp.directive('buildProgress', function () { | ||||||
|             break; |             break; | ||||||
| 
 | 
 | ||||||
|           case 'initializing': |           case 'initializing': | ||||||
|  |           case 'checking-cache': | ||||||
|           case 'starting': |           case 'starting': | ||||||
|           case 'waiting': |           case 'waiting': | ||||||
|           case 'cannot_load': |           case 'cannot_load': | ||||||
|  | @ -6701,6 +6778,7 @@ quayApp.directive('ngBlur', function() { | ||||||
|   }; |   }; | ||||||
| }); | }); | ||||||
| 
 | 
 | ||||||
|  | 
 | ||||||
| quayApp.directive("filePresent", [function () { | quayApp.directive("filePresent", [function () { | ||||||
|   return { |   return { | ||||||
|     restrict: 'A', |     restrict: 'A', | ||||||
|  | @ -6774,7 +6852,6 @@ quayApp.run(['$location', '$rootScope', 'Restangular', 'UserService', 'PlanServi | ||||||
| 
 | 
 | ||||||
|   var changeTab = function(activeTab, opt_timeout) { |   var changeTab = function(activeTab, opt_timeout) { | ||||||
|     var checkCount = 0; |     var checkCount = 0; | ||||||
| 
 |  | ||||||
|     $timeout(function() { |     $timeout(function() { | ||||||
|       if (checkCount > 5) { return; } |       if (checkCount > 5) { return; } | ||||||
|       checkCount++; |       checkCount++; | ||||||
|  | @ -6838,6 +6915,8 @@ quayApp.run(['$location', '$rootScope', 'Restangular', 'UserService', 'PlanServi | ||||||
|       $rootScope.pageClass = current.$$route.pageClass; |       $rootScope.pageClass = current.$$route.pageClass; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  |     $rootScope.newLayout = !!current.$$route.newLayout; | ||||||
|  | 
 | ||||||
|     if (current.$$route.description) { |     if (current.$$route.description) { | ||||||
|       $rootScope.description = current.$$route.description; |       $rootScope.description = current.$$route.description; | ||||||
|     } else { |     } else { | ||||||
|  | @ -6853,6 +6932,7 @@ quayApp.run(['$location', '$rootScope', 'Restangular', 'UserService', 'PlanServi | ||||||
| 
 | 
 | ||||||
|     // Setup deep linking of tabs. This will change the search field of the URL whenever a tab
 |     // Setup deep linking of tabs. This will change the search field of the URL whenever a tab
 | ||||||
|     // is changed in the UI.
 |     // is changed in the UI.
 | ||||||
|  |     $timeout(function() { | ||||||
|       $('a[data-toggle="tab"]').on('shown.bs.tab', function (e) { |       $('a[data-toggle="tab"]').on('shown.bs.tab', function (e) { | ||||||
|         var tabName = e.target.getAttribute('data-target').substr(1); |         var tabName = e.target.getAttribute('data-target').substr(1); | ||||||
|         $rootScope.$apply(function() { |         $rootScope.$apply(function() { | ||||||
|  | @ -6873,6 +6953,7 @@ quayApp.run(['$location', '$rootScope', 'Restangular', 'UserService', 'PlanServi | ||||||
|       if (activeTab) { |       if (activeTab) { | ||||||
|         changeTab(activeTab); |         changeTab(activeTab); | ||||||
|       } |       } | ||||||
|  |     }, 400); // 400ms to make sure angular has rendered.
 | ||||||
|   }); |   }); | ||||||
| 
 | 
 | ||||||
|   var initallyChecked = false; |   var initallyChecked = false; | ||||||
|  |  | ||||||
|  | @ -2809,138 +2809,6 @@ function ManageApplicationCtrl($scope, $routeParams, $rootScope, $location, $tim | ||||||
|   loadApplicationInfo(); |   loadApplicationInfo(); | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| 
 |  | ||||||
| function SuperUserAdminCtrl($scope, ApiService, Features, UserService) { |  | ||||||
|   if (!Features.SUPER_USERS) { |  | ||||||
|     return; |  | ||||||
|   } |  | ||||||
| 
 |  | ||||||
|   // Monitor any user changes and place the current user into the scope.
 |  | ||||||
|   UserService.updateUserIn($scope); |  | ||||||
| 
 |  | ||||||
|   $scope.logsCounter = 0; |  | ||||||
|   $scope.newUser = {}; |  | ||||||
|   $scope.createdUsers = []; |  | ||||||
|   $scope.systemUsage = null; |  | ||||||
| 
 |  | ||||||
|   $scope.getUsage = function() { |  | ||||||
|     if ($scope.systemUsage) { return; } |  | ||||||
| 
 |  | ||||||
|     ApiService.getSystemUsage().then(function(resp) { |  | ||||||
|       $scope.systemUsage = resp; |  | ||||||
|     }, ApiService.errorDisplay('Cannot load system usage. Please contact support.')) |  | ||||||
|   } |  | ||||||
| 
 |  | ||||||
|   $scope.loadLogs = function() { |  | ||||||
|     $scope.logsCounter++; |  | ||||||
|   }; |  | ||||||
| 
 |  | ||||||
|   $scope.loadUsers = function() { |  | ||||||
|     if ($scope.users) { |  | ||||||
|       return; |  | ||||||
|     } |  | ||||||
| 
 |  | ||||||
|     $scope.loadUsersInternal(); |  | ||||||
|   }; |  | ||||||
| 
 |  | ||||||
|   $scope.loadUsersInternal = function() { |  | ||||||
|     ApiService.listAllUsers().then(function(resp) { |  | ||||||
|       $scope.users = resp['users']; |  | ||||||
|       $scope.showInterface = true; |  | ||||||
|     }, function(resp) { |  | ||||||
|       $scope.users = []; |  | ||||||
|       $scope.usersError = resp['data']['message'] || resp['data']['error_description']; |  | ||||||
|     }); |  | ||||||
|   }; |  | ||||||
| 
 |  | ||||||
|   $scope.showChangePassword = function(user) { |  | ||||||
|     $scope.userToChange = user; |  | ||||||
|     $('#changePasswordModal').modal({}); |  | ||||||
|   }; |  | ||||||
| 
 |  | ||||||
|   $scope.createUser = function() { |  | ||||||
|     $scope.creatingUser = true; |  | ||||||
|     var errorHandler = ApiService.errorDisplay('Cannot create user', function() { |  | ||||||
|       $scope.creatingUser = false; |  | ||||||
|     }); |  | ||||||
| 
 |  | ||||||
|     ApiService.createInstallUser($scope.newUser, null).then(function(resp) { |  | ||||||
|       $scope.creatingUser = false; |  | ||||||
|       $scope.newUser = {}; |  | ||||||
|       $scope.createdUsers.push(resp); |  | ||||||
|     }, errorHandler) |  | ||||||
|   }; |  | ||||||
| 
 |  | ||||||
|   $scope.showDeleteUser = function(user) { |  | ||||||
|     if (user.username == UserService.currentUser().username) { |  | ||||||
|       bootbox.dialog({ |  | ||||||
|         "message": 'Cannot delete yourself!', |  | ||||||
|         "title": "Cannot delete user", |  | ||||||
|         "buttons": { |  | ||||||
|           "close": { |  | ||||||
|             "label": "Close", |  | ||||||
|             "className": "btn-primary" |  | ||||||
|           } |  | ||||||
|         } |  | ||||||
|       }); |  | ||||||
|       return; |  | ||||||
|     } |  | ||||||
| 
 |  | ||||||
|     $scope.userToDelete = user; |  | ||||||
|     $('#confirmDeleteUserModal').modal({}); |  | ||||||
|   }; |  | ||||||
| 
 |  | ||||||
|   $scope.changeUserPassword = function(user) { |  | ||||||
|     $('#changePasswordModal').modal('hide'); |  | ||||||
| 
 |  | ||||||
|     var params = { |  | ||||||
|       'username': user.username |  | ||||||
|     }; |  | ||||||
| 
 |  | ||||||
|     var data = { |  | ||||||
|       'password': user.password |  | ||||||
|     }; |  | ||||||
| 
 |  | ||||||
|     ApiService.changeInstallUser(data, params).then(function(resp) { |  | ||||||
|       $scope.loadUsersInternal(); |  | ||||||
|     }, ApiService.errorDisplay('Could not change user')); |  | ||||||
|   }; |  | ||||||
| 
 |  | ||||||
|   $scope.deleteUser = function(user) { |  | ||||||
|     $('#confirmDeleteUserModal').modal('hide'); |  | ||||||
| 
 |  | ||||||
|     var params = { |  | ||||||
|       'username': user.username |  | ||||||
|     }; |  | ||||||
| 
 |  | ||||||
|     ApiService.deleteInstallUser(null, params).then(function(resp) { |  | ||||||
|       $scope.loadUsersInternal(); |  | ||||||
|     }, ApiService.errorDisplay('Cannot delete user')); |  | ||||||
|   }; |  | ||||||
| 
 |  | ||||||
|   $scope.sendRecoveryEmail = function(user) { |  | ||||||
|     var params = { |  | ||||||
|       'username': user.username |  | ||||||
|     }; |  | ||||||
| 
 |  | ||||||
|     ApiService.sendInstallUserRecoveryEmail(null, params).then(function(resp) { |  | ||||||
|       bootbox.dialog({ |  | ||||||
|         "message": "A recovery email has been sent to " + resp['email'], |  | ||||||
|         "title": "Recovery email sent", |  | ||||||
|         "buttons": { |  | ||||||
|           "close": { |  | ||||||
|             "label": "Close", |  | ||||||
|             "className": "btn-primary" |  | ||||||
|           } |  | ||||||
|         } |  | ||||||
|       }); |  | ||||||
| 
 |  | ||||||
|     }, ApiService.errorDisplay('Cannot send recovery email')) |  | ||||||
|   }; |  | ||||||
| 
 |  | ||||||
|   $scope.loadUsers(); |  | ||||||
| } |  | ||||||
| 
 |  | ||||||
| function TourCtrl($scope, $location) { | function TourCtrl($scope, $location) { | ||||||
|   $scope.kind = $location.path().substring('/tour/'.length); |   $scope.kind = $location.path().substring('/tour/'.length); | ||||||
| } | } | ||||||
|  |  | ||||||
							
								
								
									
										282
									
								
								static/js/controllers/setup.js
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										282
									
								
								static/js/controllers/setup.js
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,282 @@ | ||||||
|  | function SetupCtrl($scope, $timeout, ApiService, Features, UserService, ContainerService, CoreDialog) { | ||||||
|  |   if (!Features.SUPER_USERS) { | ||||||
|  |     return; | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   $scope.HOSTNAME_REGEX = '^[a-zA-Z-0-9\.]+(:[0-9]+)?$'; | ||||||
|  | 
 | ||||||
|  |   $scope.validateHostname = function(hostname) { | ||||||
|  |     if (hostname.indexOf('127.0.0.1') == 0 || hostname.indexOf('localhost') == 0) { | ||||||
|  |       return 'Please specify a non-localhost hostname. "localhost" will refer to the container, not your machine.' | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     return null; | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   // Note: The values of the enumeration are important for isStepFamily. For example,
 | ||||||
|  |   // *all* states under the "configuring db" family must start with "config-db".
 | ||||||
|  |   $scope.States = { | ||||||
|  |     // Loading the state of the product.
 | ||||||
|  |     'LOADING': 'loading', | ||||||
|  | 
 | ||||||
|  |     // The configuration directory is missing.
 | ||||||
|  |     'MISSING_CONFIG_DIR': 'missing-config-dir', | ||||||
|  | 
 | ||||||
|  |     // The config.yaml exists but it is invalid.
 | ||||||
|  |     'INVALID_CONFIG': 'config-invalid', | ||||||
|  | 
 | ||||||
|  |     // DB is being configured.
 | ||||||
|  |     'CONFIG_DB': 'config-db', | ||||||
|  | 
 | ||||||
|  |     // DB information is being validated.
 | ||||||
|  |     'VALIDATING_DB': 'config-db-validating', | ||||||
|  | 
 | ||||||
|  |     // DB information is being saved to the config.
 | ||||||
|  |     'SAVING_DB': 'config-db-saving', | ||||||
|  | 
 | ||||||
|  |     // A validation error occurred with the database.
 | ||||||
|  |     'DB_ERROR': 'config-db-error', | ||||||
|  | 
 | ||||||
|  |     // Database is being setup.
 | ||||||
|  |     'DB_SETUP': 'setup-db', | ||||||
|  | 
 | ||||||
|  |     // Database setup has succeeded.
 | ||||||
|  |     'DB_SETUP_SUCCESS': 'setup-db-success', | ||||||
|  | 
 | ||||||
|  |     // An error occurred when setting up the database.
 | ||||||
|  |     'DB_SETUP_ERROR': 'setup-db-error', | ||||||
|  | 
 | ||||||
|  |     // The container is being restarted for the database changes.
 | ||||||
|  |     'DB_RESTARTING': 'setup-db-restarting', | ||||||
|  | 
 | ||||||
|  |     // A superuser is being configured.
 | ||||||
|  |     'CREATE_SUPERUSER': 'create-superuser', | ||||||
|  | 
 | ||||||
|  |     // The superuser is being created.
 | ||||||
|  |     'CREATING_SUPERUSER': 'create-superuser-creating', | ||||||
|  | 
 | ||||||
|  |     // An error occurred when setting up the superuser.
 | ||||||
|  |     'SUPERUSER_ERROR': 'create-superuser-error', | ||||||
|  | 
 | ||||||
|  |     // The superuser was created successfully.
 | ||||||
|  |     'SUPERUSER_CREATED': 'create-superuser-created', | ||||||
|  | 
 | ||||||
|  |     // General configuration is being setup.
 | ||||||
|  |     'CONFIG': 'config', | ||||||
|  | 
 | ||||||
|  |     // The configuration is fully valid.
 | ||||||
|  |     'VALID_CONFIG': 'valid-config', | ||||||
|  | 
 | ||||||
|  |     // The container is being restarted for the configuration changes.
 | ||||||
|  |     'CONFIG_RESTARTING': 'config-restarting', | ||||||
|  | 
 | ||||||
|  |     // The product is ready for use.
 | ||||||
|  |     'READY': 'ready' | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   $scope.csrf_token = window.__token; | ||||||
|  |   $scope.currentStep = $scope.States.LOADING; | ||||||
|  |   $scope.errors = {}; | ||||||
|  |   $scope.stepProgress = []; | ||||||
|  |   $scope.hasSSL = false; | ||||||
|  |   $scope.hostname = null; | ||||||
|  | 
 | ||||||
|  |   $scope.$watch('currentStep', function(currentStep) { | ||||||
|  |     $scope.stepProgress = $scope.getProgress(currentStep); | ||||||
|  | 
 | ||||||
|  |     switch (currentStep) { | ||||||
|  |       case $scope.States.CONFIG: | ||||||
|  |         $('#setupModal').modal('hide'); | ||||||
|  |         break; | ||||||
|  | 
 | ||||||
|  |       case $scope.States.MISSING_CONFIG_DIR: | ||||||
|  |         $scope.showMissingConfigDialog(); | ||||||
|  |         break; | ||||||
|  | 
 | ||||||
|  |       case $scope.States.INVALID_CONFIG: | ||||||
|  |         $scope.showInvalidConfigDialog(); | ||||||
|  |         break; | ||||||
|  | 
 | ||||||
|  |       case $scope.States.DB_SETUP: | ||||||
|  |         $scope.performDatabaseSetup(); | ||||||
|  |         // Fall-through.
 | ||||||
|  | 
 | ||||||
|  |       case $scope.States.CREATE_SUPERUSER: | ||||||
|  |       case $scope.States.DB_RESTARTING: | ||||||
|  |       case $scope.States.CONFIG_DB: | ||||||
|  |       case $scope.States.VALID_CONFIG: | ||||||
|  |       case $scope.States.READY: | ||||||
|  |         $('#setupModal').modal({ | ||||||
|  |             keyboard: false, | ||||||
|  |             backdrop: 'static' | ||||||
|  |         }); | ||||||
|  |         break; | ||||||
|  |     } | ||||||
|  |   }); | ||||||
|  | 
 | ||||||
|  |   $scope.restartContainer = function(state) { | ||||||
|  |     $scope.currentStep = state; | ||||||
|  |     ContainerService.restartContainer(function() { | ||||||
|  |       $scope.checkStatus() | ||||||
|  |     }); | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.showSuperuserPanel = function() { | ||||||
|  |     $('#setupModal').modal('hide'); | ||||||
|  |     var prefix = $scope.hasSSL ? 'https' : 'http'; | ||||||
|  |     var hostname = $scope.hostname; | ||||||
|  |     window.location = prefix + '://' + hostname + '/superuser'; | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.configurationSaved = function(config) { | ||||||
|  |     $scope.hasSSL = config['PREFERRED_URL_SCHEME'] == 'https'; | ||||||
|  |     $scope.hostname = config['SERVER_HOSTNAME']; | ||||||
|  |     $scope.currentStep = $scope.States.VALID_CONFIG; | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.getProgress = function(step) { | ||||||
|  |     var isStep = $scope.isStep; | ||||||
|  |     var isStepFamily = $scope.isStepFamily; | ||||||
|  |     var States = $scope.States; | ||||||
|  | 
 | ||||||
|  |     return [ | ||||||
|  |       isStepFamily(step, States.CONFIG_DB), | ||||||
|  |       isStepFamily(step, States.DB_SETUP), | ||||||
|  |       isStep(step, States.DB_RESTARTING), | ||||||
|  |       isStepFamily(step, States.CREATE_SUPERUSER), | ||||||
|  |       isStep(step, States.CONFIG), | ||||||
|  |       isStep(step, States.VALID_CONFIG), | ||||||
|  |       isStep(step, States.CONFIG_RESTARTING), | ||||||
|  |       isStep(step, States.READY) | ||||||
|  |     ]; | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.isStepFamily = function(step, family) { | ||||||
|  |     if (!step) { return false; } | ||||||
|  |     return step.indexOf(family) == 0; | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.isStep = function(step) { | ||||||
|  |     for (var i = 1; i < arguments.length; ++i) { | ||||||
|  |       if (arguments[i] == step) { | ||||||
|  |         return true; | ||||||
|  |       } | ||||||
|  |     } | ||||||
|  |     return false; | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.showInvalidConfigDialog = function() { | ||||||
|  |     var message = "The <code>config.yaml</code> file found in <code>conf/stack</code> could not be parsed." | ||||||
|  |     var title = "Invalid configuration file"; | ||||||
|  |     CoreDialog.fatal(title, message); | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |   $scope.showMissingConfigDialog = function() { | ||||||
|  |     var message = "A volume should be mounted into the container at <code>/conf/stack</code>: " + | ||||||
|  |                   "<br><br><pre>docker run -v /path/to/config:/conf/stack</pre>" + | ||||||
|  |                   "<br>Once fixed, restart the container. For more information, " + | ||||||
|  |                   "<a href='https://coreos.com/docs/enterprise-registry/initial-setup/'>" + | ||||||
|  |                   "Read the Setup Guide</a>" | ||||||
|  | 
 | ||||||
|  |     var title = "Missing configuration volume"; | ||||||
|  |     CoreDialog.fatal(title, message); | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.parseDbUri = function(value) { | ||||||
|  |     if (!value) { return null; } | ||||||
|  | 
 | ||||||
|  |     // Format: mysql+pymysql://<username>:<url escaped password>@<hostname>/<database_name>
 | ||||||
|  |     var uri = URI(value); | ||||||
|  |     return { | ||||||
|  |       'kind': uri.protocol(), | ||||||
|  |       'username': uri.username(), | ||||||
|  |       'password': uri.password(), | ||||||
|  |       'server': uri.host(), | ||||||
|  |       'database': uri.path() ? uri.path().substr(1) : '' | ||||||
|  |     }; | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.serializeDbUri = function(fields) { | ||||||
|  |     if (!fields['server']) { return ''; } | ||||||
|  | 
 | ||||||
|  |     try { | ||||||
|  |       if (!fields['server']) { return ''; } | ||||||
|  |       if (!fields['database']) { return ''; } | ||||||
|  | 
 | ||||||
|  |       var uri = URI(); | ||||||
|  |       uri = uri && uri.host(fields['server']); | ||||||
|  |       uri = uri && uri.protocol(fields['kind']); | ||||||
|  |       uri = uri && uri.username(fields['username']); | ||||||
|  |       uri = uri && uri.password(fields['password']); | ||||||
|  |       uri = uri && uri.path('/' + (fields['database'] || '')); | ||||||
|  |       uri = uri && uri.toString(); | ||||||
|  |     } catch (ex) { | ||||||
|  |       return ''; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     return uri; | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.createSuperUser = function() { | ||||||
|  |     $scope.currentStep = $scope.States.CREATING_SUPERUSER; | ||||||
|  |     ApiService.scCreateInitialSuperuser($scope.superUser, null).then(function(resp) { | ||||||
|  |       UserService.load(); | ||||||
|  |       $scope.checkStatus(); | ||||||
|  |     }, function(resp) { | ||||||
|  |       $scope.currentStep = $scope.States.SUPERUSER_ERROR; | ||||||
|  |       $scope.errors.SuperuserCreationError = ApiService.getErrorMessage(resp, 'Could not create superuser'); | ||||||
|  |     }); | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.performDatabaseSetup = function() { | ||||||
|  |     $scope.currentStep = $scope.States.DB_SETUP; | ||||||
|  |     ApiService.scSetupDatabase(null, null).then(function(resp) { | ||||||
|  |       if (resp['error']) { | ||||||
|  |         $scope.currentStep = $scope.States.DB_SETUP_ERROR; | ||||||
|  |         $scope.errors.DatabaseSetupError = resp['error']; | ||||||
|  |       } else { | ||||||
|  |         $scope.currentStep = $scope.States.DB_SETUP_SUCCESS; | ||||||
|  |       } | ||||||
|  |     }, ApiService.errorDisplay('Could not setup database. Please report this to support.')) | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.validateDatabase = function() { | ||||||
|  |     $scope.currentStep = $scope.States.VALIDATING_DB; | ||||||
|  |     $scope.databaseInvalid = null; | ||||||
|  | 
 | ||||||
|  |     var data = { | ||||||
|  |       'config': { | ||||||
|  |         'DB_URI': $scope.databaseUri | ||||||
|  |       }, | ||||||
|  |       'hostname': window.location.host | ||||||
|  |     }; | ||||||
|  | 
 | ||||||
|  |     var params = { | ||||||
|  |       'service': 'database' | ||||||
|  |     }; | ||||||
|  | 
 | ||||||
|  |     ApiService.scValidateConfig(data, params).then(function(resp) { | ||||||
|  |       var status = resp.status; | ||||||
|  | 
 | ||||||
|  |       if (status) { | ||||||
|  |         $scope.currentStep = $scope.States.SAVING_DB; | ||||||
|  |         ApiService.scUpdateConfig(data, null).then(function(resp) { | ||||||
|  |           $scope.checkStatus(); | ||||||
|  |         }, ApiService.errorDisplay('Cannot update config. Please report this to support')); | ||||||
|  |       } else { | ||||||
|  |         $scope.currentStep = $scope.States.DB_ERROR; | ||||||
|  |         $scope.errors.DatabaseValidationError = resp.reason; | ||||||
|  |       } | ||||||
|  |     }, ApiService.errorDisplay('Cannot validate database. Please report this to support')); | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.checkStatus = function() { | ||||||
|  |     ContainerService.checkStatus(function(resp) { | ||||||
|  |       $scope.currentStep = resp['status']; | ||||||
|  |     }, $scope.hasSSL); | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   // Load the initial status.
 | ||||||
|  |   $scope.checkStatus(); | ||||||
|  | } | ||||||
							
								
								
									
										224
									
								
								static/js/controllers/superuser.js
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										224
									
								
								static/js/controllers/superuser.js
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,224 @@ | ||||||
|  | function SuperUserAdminCtrl($scope, $timeout, ApiService, Features, UserService, ContainerService, AngularPollChannel, CoreDialog) { | ||||||
|  |   if (!Features.SUPER_USERS) { | ||||||
|  |     return; | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   // Monitor any user changes and place the current user into the scope.
 | ||||||
|  |   UserService.updateUserIn($scope); | ||||||
|  | 
 | ||||||
|  |   $scope.configStatus = null; | ||||||
|  |   $scope.requiresRestart = null; | ||||||
|  |   $scope.logsCounter = 0; | ||||||
|  |   $scope.newUser = {}; | ||||||
|  |   $scope.createdUser = null; | ||||||
|  |   $scope.systemUsage = null; | ||||||
|  |   $scope.debugServices = null; | ||||||
|  |   $scope.debugLogs = null; | ||||||
|  |   $scope.pollChannel = null; | ||||||
|  |   $scope.logsScrolled = false; | ||||||
|  |   $scope.csrf_token = encodeURIComponent(window.__token); | ||||||
|  | 
 | ||||||
|  |   $scope.configurationSaved = function() { | ||||||
|  |     $scope.requiresRestart = true; | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.showCreateUser = function() { | ||||||
|  |     $scope.createdUser = null; | ||||||
|  |     $('#createUserModal').modal('show'); | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.viewSystemLogs = function(service) { | ||||||
|  |     if ($scope.pollChannel) { | ||||||
|  |       $scope.pollChannel.stop(); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     $scope.debugService = service; | ||||||
|  |     $scope.debugLogs = null; | ||||||
|  | 
 | ||||||
|  |     $scope.pollChannel = AngularPollChannel.create($scope, $scope.loadServiceLogs, 2 * 1000 /* 2s */); | ||||||
|  |     $scope.pollChannel.start(); | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.loadServiceLogs = function(callback) { | ||||||
|  |     if (!$scope.debugService) { return; } | ||||||
|  | 
 | ||||||
|  |     var params = { | ||||||
|  |       'service': $scope.debugService | ||||||
|  |     }; | ||||||
|  | 
 | ||||||
|  |     var errorHandler = ApiService.errorDisplay('Cannot load system logs. Please contact support.', | ||||||
|  |       function() { | ||||||
|  |         callback(false); | ||||||
|  |       }) | ||||||
|  | 
 | ||||||
|  |     ApiService.getSystemLogs(null, params, /* background */true).then(function(resp) { | ||||||
|  |       $scope.debugLogs = resp['logs']; | ||||||
|  |       callback(true); | ||||||
|  |     }, errorHandler); | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.loadDebugServices = function() { | ||||||
|  |     if ($scope.pollChannel) { | ||||||
|  |       $scope.pollChannel.stop(); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     $scope.debugService = null; | ||||||
|  | 
 | ||||||
|  |     ApiService.listSystemLogServices().then(function(resp) { | ||||||
|  |       $scope.debugServices = resp['services']; | ||||||
|  |     }, ApiService.errorDisplay('Cannot load system logs. Please contact support.')) | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.getUsage = function() { | ||||||
|  |     if ($scope.systemUsage) { return; } | ||||||
|  | 
 | ||||||
|  |     ApiService.getSystemUsage().then(function(resp) { | ||||||
|  |       $scope.systemUsage = resp; | ||||||
|  |     }, ApiService.errorDisplay('Cannot load system usage. Please contact support.')) | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   $scope.loadUsageLogs = function() { | ||||||
|  |     $scope.logsCounter++; | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.loadUsers = function() { | ||||||
|  |     if ($scope.users) { | ||||||
|  |       return; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     $scope.loadUsersInternal(); | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.loadUsersInternal = function() { | ||||||
|  |     ApiService.listAllUsers().then(function(resp) { | ||||||
|  |       $scope.users = resp['users']; | ||||||
|  |       $scope.showInterface = true; | ||||||
|  |     }, function(resp) { | ||||||
|  |       $scope.users = []; | ||||||
|  |       $scope.usersError = resp['data']['message'] || resp['data']['error_description']; | ||||||
|  |     }); | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.showChangePassword = function(user) { | ||||||
|  |     $scope.userToChange = user; | ||||||
|  |     $('#changePasswordModal').modal({}); | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.createUser = function() { | ||||||
|  |     $scope.creatingUser = true; | ||||||
|  |     $scope.createdUser = null; | ||||||
|  | 
 | ||||||
|  |     var errorHandler = ApiService.errorDisplay('Cannot create user', function() { | ||||||
|  |       $scope.creatingUser = false; | ||||||
|  |       $('#createUserModal').modal('hide'); | ||||||
|  |     }); | ||||||
|  | 
 | ||||||
|  |     ApiService.createInstallUser($scope.newUser, null).then(function(resp) { | ||||||
|  |       $scope.creatingUser = false; | ||||||
|  |       $scope.newUser = {}; | ||||||
|  |       $scope.createdUser = resp; | ||||||
|  |       $scope.loadUsersInternal(); | ||||||
|  |     }, errorHandler) | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.showDeleteUser = function(user) { | ||||||
|  |     if (user.username == UserService.currentUser().username) { | ||||||
|  |       bootbox.dialog({ | ||||||
|  |         "message": 'Cannot delete yourself!', | ||||||
|  |         "title": "Cannot delete user", | ||||||
|  |         "buttons": { | ||||||
|  |           "close": { | ||||||
|  |             "label": "Close", | ||||||
|  |             "className": "btn-primary" | ||||||
|  |           } | ||||||
|  |         } | ||||||
|  |       }); | ||||||
|  |       return; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     $scope.userToDelete = user; | ||||||
|  |     $('#confirmDeleteUserModal').modal({}); | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.changeUserPassword = function(user) { | ||||||
|  |     $('#changePasswordModal').modal('hide'); | ||||||
|  | 
 | ||||||
|  |     var params = { | ||||||
|  |       'username': user.username | ||||||
|  |     }; | ||||||
|  | 
 | ||||||
|  |     var data = { | ||||||
|  |       'password': user.password | ||||||
|  |     }; | ||||||
|  | 
 | ||||||
|  |     ApiService.changeInstallUser(data, params).then(function(resp) { | ||||||
|  |       $scope.loadUsersInternal(); | ||||||
|  |     }, ApiService.errorDisplay('Could not change user')); | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.deleteUser = function(user) { | ||||||
|  |     $('#confirmDeleteUserModal').modal('hide'); | ||||||
|  | 
 | ||||||
|  |     var params = { | ||||||
|  |       'username': user.username | ||||||
|  |     }; | ||||||
|  | 
 | ||||||
|  |     ApiService.deleteInstallUser(null, params).then(function(resp) { | ||||||
|  |       $scope.loadUsersInternal(); | ||||||
|  |     }, ApiService.errorDisplay('Cannot delete user')); | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.sendRecoveryEmail = function(user) { | ||||||
|  |     var params = { | ||||||
|  |       'username': user.username | ||||||
|  |     }; | ||||||
|  | 
 | ||||||
|  |     ApiService.sendInstallUserRecoveryEmail(null, params).then(function(resp) { | ||||||
|  |       bootbox.dialog({ | ||||||
|  |         "message": "A recovery email has been sent to " + resp['email'], | ||||||
|  |         "title": "Recovery email sent", | ||||||
|  |         "buttons": { | ||||||
|  |           "close": { | ||||||
|  |             "label": "Close", | ||||||
|  |             "className": "btn-primary" | ||||||
|  |           } | ||||||
|  |         } | ||||||
|  |       }); | ||||||
|  | 
 | ||||||
|  |     }, ApiService.errorDisplay('Cannot send recovery email')) | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.restartContainer = function() { | ||||||
|  |     $('#restartingContainerModal').modal({ | ||||||
|  |       keyboard: false, | ||||||
|  |       backdrop: 'static' | ||||||
|  |     }); | ||||||
|  | 
 | ||||||
|  |     ContainerService.restartContainer(function() { | ||||||
|  |       $scope.checkStatus() | ||||||
|  |     }); | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   $scope.checkStatus = function() { | ||||||
|  |     ContainerService.checkStatus(function(resp) { | ||||||
|  |       $('#restartingContainerModal').modal('hide'); | ||||||
|  |       $scope.configStatus = resp['status']; | ||||||
|  |       $scope.requiresRestart = resp['requires_restart']; | ||||||
|  | 
 | ||||||
|  |       if ($scope.configStatus == 'ready') { | ||||||
|  |         $scope.loadUsers(); | ||||||
|  |       } else { | ||||||
|  |         var message = "Installation of this product has not yet been completed." + | ||||||
|  |                       "<br><br>Please read the " + | ||||||
|  |                       "<a href='https://coreos.com/docs/enterprise-registry/initial-setup/'>" + | ||||||
|  |                       "Setup Guide</a>" | ||||||
|  | 
 | ||||||
|  |         var title = "Installation Incomplete"; | ||||||
|  |         CoreDialog.fatal(title, message); | ||||||
|  |       } | ||||||
|  |     }); | ||||||
|  |   }; | ||||||
|  | 
 | ||||||
|  |   // Load the initial status.
 | ||||||
|  |   $scope.checkStatus(); | ||||||
|  | } | ||||||
							
								
								
									
										761
									
								
								static/js/core-config-setup.js
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										761
									
								
								static/js/core-config-setup.js
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,761 @@ | ||||||
|  | angular.module("core-config-setup", ['angularFileUpload']) | ||||||
|  |   .directive('configSetupTool', function() { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 1, | ||||||
|  |       templateUrl: '/static/directives/config/config-setup-tool.html', | ||||||
|  |       replace: true, | ||||||
|  |       transclude: true, | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: { | ||||||
|  |         'isActive': '=isActive', | ||||||
|  |         'configurationSaved': '&configurationSaved' | ||||||
|  |       }, | ||||||
|  |       controller: function($rootScope, $scope, $element, $timeout, ApiService) { | ||||||
|  |         $scope.HOSTNAME_REGEX = '^[a-zA-Z-0-9\.]+(:[0-9]+)?$'; | ||||||
|  |         $scope.GITHUB_REGEX = '^https?://([a-zA-Z0-9]+\.?\/?)+$'; | ||||||
|  | 
 | ||||||
|  |         $scope.SERVICES = [ | ||||||
|  |           {'id': 'redis', 'title': 'Redis'}, | ||||||
|  | 
 | ||||||
|  |           {'id': 'registry-storage', 'title': 'Registry Storage'}, | ||||||
|  | 
 | ||||||
|  |           {'id': 'ssl', 'title': 'SSL certificate and key', 'condition': function(config) { | ||||||
|  |             return config.PREFERRED_URL_SCHEME == 'https'; | ||||||
|  |           }}, | ||||||
|  | 
 | ||||||
|  |           {'id': 'ldap', 'title': 'LDAP Authentication', 'condition': function(config) { | ||||||
|  |             return config.AUTHENTICATION_TYPE == 'LDAP'; | ||||||
|  |           }}, | ||||||
|  | 
 | ||||||
|  |           {'id': 'mail', 'title': 'E-mail Support', 'condition': function(config) { | ||||||
|  |             return config.FEATURE_MAILING; | ||||||
|  |           }}, | ||||||
|  | 
 | ||||||
|  |           {'id': 'github-login', 'title': 'Github (Enterprise) Authentication', 'condition': function(config) { | ||||||
|  |             return config.FEATURE_GITHUB_LOGIN; | ||||||
|  |           }}, | ||||||
|  | 
 | ||||||
|  |           {'id': 'google-login', 'title': 'Google Authentication', 'condition': function(config) { | ||||||
|  |             return config.FEATURE_GOOGLE_LOGIN; | ||||||
|  |           }}, | ||||||
|  | 
 | ||||||
|  |           {'id': 'github-trigger', 'title': 'Github (Enterprise) Build Triggers', 'condition': function(config) { | ||||||
|  |             return config.FEATURE_GITHUB_BUILD; | ||||||
|  |           }} | ||||||
|  |         ]; | ||||||
|  | 
 | ||||||
|  |         $scope.STORAGE_CONFIG_FIELDS = { | ||||||
|  |           'LocalStorage': [ | ||||||
|  |             {'name': 'storage_path', 'title': 'Storage Directory', 'placeholder': '/some/directory', 'kind': 'text'} | ||||||
|  |           ], | ||||||
|  | 
 | ||||||
|  |           'S3Storage': [ | ||||||
|  |             {'name': 's3_access_key', 'title': 'AWS Access Key', 'placeholder': 'accesskeyhere', 'kind': 'text'}, | ||||||
|  |             {'name': 's3_secret_key', 'title': 'AWS Secret Key', 'placeholder': 'secretkeyhere', 'kind': 'text'}, | ||||||
|  |             {'name': 's3_bucket', 'title': 'S3 Bucket',  'placeholder': 'my-cool-bucket', 'kind': 'text'}, | ||||||
|  |             {'name': 'storage_path', 'title': 'Storage Directory', 'placeholder': '/path/inside/bucket', 'kind': 'text'} | ||||||
|  |           ], | ||||||
|  | 
 | ||||||
|  |           'GoogleCloudStorage': [ | ||||||
|  |             {'name': 'access_key', 'title': 'Cloud Access Key', 'placeholder': 'accesskeyhere', 'kind': 'text'}, | ||||||
|  |             {'name': 'secret_key', 'title': 'Cloud Secret Key', 'placeholder': 'secretkeyhere', 'kind': 'text'}, | ||||||
|  |             {'name': 'bucket_name', 'title': 'GCS Bucket',  'placeholder': 'my-cool-bucket', 'kind': 'text'}, | ||||||
|  |             {'name': 'storage_path', 'title': 'Storage Directory', 'placeholder': '/path/inside/bucket', 'kind': 'text'} | ||||||
|  |           ], | ||||||
|  | 
 | ||||||
|  |           'RadosGWStorage': [ | ||||||
|  |             {'name': 'hostname', 'title': 'Rados Server Hostname', 'placeholder': 'my.rados.hostname', 'kind': 'text'}, | ||||||
|  |             {'name': 'is_secure', 'title': 'Is Secure', 'placeholder': 'Require SSL', 'kind': 'bool'}, | ||||||
|  |             {'name': 'access_key', 'title': 'Access Key', 'placeholder': 'accesskeyhere', 'kind': 'text', 'help_url': 'http://ceph.com/docs/master/radosgw/admin/'}, | ||||||
|  |             {'name': 'secret_key', 'title': 'Secret Key', 'placeholder': 'secretkeyhere', 'kind': 'text'}, | ||||||
|  |             {'name': 'bucket_name', 'title': 'Bucket Name',  'placeholder': 'my-cool-bucket', 'kind': 'text'}, | ||||||
|  |             {'name': 'storage_path', 'title': 'Storage Directory', 'placeholder': '/path/inside/bucket', 'kind': 'text'} | ||||||
|  |           ] | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         $scope.validateHostname = function(hostname) { | ||||||
|  |           if (hostname.indexOf('127.0.0.1') == 0 || hostname.indexOf('localhost') == 0) { | ||||||
|  |             return 'Please specify a non-localhost hostname. "localhost" will refer to the container, not your machine.' | ||||||
|  |           } | ||||||
|  | 
 | ||||||
|  |           return null; | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         $scope.config = null; | ||||||
|  |         $scope.mapped = { | ||||||
|  |           '$hasChanges': false | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         $scope.validating = null; | ||||||
|  |         $scope.savingConfiguration = false; | ||||||
|  | 
 | ||||||
|  |         $scope.getServices = function(config) { | ||||||
|  |           var services = []; | ||||||
|  |           if (!config) { return services; } | ||||||
|  | 
 | ||||||
|  |           for (var i = 0; i < $scope.SERVICES.length; ++i) { | ||||||
|  |             var service = $scope.SERVICES[i]; | ||||||
|  |             if (!service.condition || service.condition(config)) { | ||||||
|  |               services.push({ | ||||||
|  |                 'service': service, | ||||||
|  |                 'status': 'validating' | ||||||
|  |               }); | ||||||
|  |             } | ||||||
|  |           } | ||||||
|  | 
 | ||||||
|  |           return services; | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         $scope.validationStatus = function(serviceInfos) { | ||||||
|  |           if (!serviceInfos) { return 'validating'; } | ||||||
|  | 
 | ||||||
|  |           var hasError = false; | ||||||
|  |           for (var i = 0; i < serviceInfos.length; ++i) { | ||||||
|  |             if (serviceInfos[i].status == 'validating') { | ||||||
|  |               return 'validating'; | ||||||
|  |             } | ||||||
|  |             if (serviceInfos[i].status == 'error') { | ||||||
|  |               hasError = true; | ||||||
|  |             } | ||||||
|  |           } | ||||||
|  | 
 | ||||||
|  |           return hasError ? 'failed' : 'success'; | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         $scope.cancelValidation = function() { | ||||||
|  |           $('#validateAndSaveModal').modal('hide'); | ||||||
|  |           $scope.validating = null; | ||||||
|  |           $scope.savingConfiguration = false; | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         $scope.validateService = function(serviceInfo) { | ||||||
|  |           var params = { | ||||||
|  |             'service': serviceInfo.service.id | ||||||
|  |           }; | ||||||
|  | 
 | ||||||
|  |           ApiService.scValidateConfig({'config': $scope.config}, params).then(function(resp) { | ||||||
|  |             serviceInfo.status = resp.status ? 'success' : 'error'; | ||||||
|  |             serviceInfo.errorMessage = $.trim(resp.reason || ''); | ||||||
|  |           }, ApiService.errorDisplay('Could not validate configuration. Please report this error.')); | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         $scope.checkValidateAndSave = function() { | ||||||
|  |           if ($scope.configform.$valid) { | ||||||
|  |             $scope.validateAndSave(); | ||||||
|  |             return; | ||||||
|  |           } | ||||||
|  | 
 | ||||||
|  |           $element.find("input.ng-invalid:first")[0].scrollIntoView(); | ||||||
|  |           $element.find("input.ng-invalid:first").focus(); | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         $scope.validateAndSave = function() { | ||||||
|  |           $scope.savingConfiguration = false; | ||||||
|  |           $scope.validating = $scope.getServices($scope.config); | ||||||
|  | 
 | ||||||
|  |           $('#validateAndSaveModal').modal({ | ||||||
|  |             keyboard: false, | ||||||
|  |             backdrop: 'static' | ||||||
|  |           }); | ||||||
|  | 
 | ||||||
|  |           for (var i = 0; i < $scope.validating.length; ++i) { | ||||||
|  |             var serviceInfo = $scope.validating[i]; | ||||||
|  |             $scope.validateService(serviceInfo); | ||||||
|  |           } | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         $scope.saveConfiguration = function() { | ||||||
|  |           $scope.savingConfiguration = true; | ||||||
|  | 
 | ||||||
|  |           // Make sure to note that fully verified setup is completed. We use this as a signal
 | ||||||
|  |           // in the setup tool.
 | ||||||
|  |           $scope.config['SETUP_COMPLETE'] = true; | ||||||
|  | 
 | ||||||
|  |           var data = { | ||||||
|  |             'config': $scope.config, | ||||||
|  |             'hostname': window.location.host | ||||||
|  |           }; | ||||||
|  | 
 | ||||||
|  |           ApiService.scUpdateConfig(data).then(function(resp) { | ||||||
|  |             $scope.savingConfiguration = false; | ||||||
|  |             $scope.mapped.$hasChanges = false; | ||||||
|  |             $('#validateAndSaveModal').modal('hide'); | ||||||
|  |             $scope.configurationSaved({'config': $scope.config}); | ||||||
|  |           }, ApiService.errorDisplay('Could not save configuration. Please report this error.')); | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         var githubSelector = function(key) { | ||||||
|  |           return function(value) { | ||||||
|  |             if (!value || !$scope.config) { return; } | ||||||
|  | 
 | ||||||
|  |             if (!$scope.config[key]) { | ||||||
|  |               $scope.config[key] = {}; | ||||||
|  |             } | ||||||
|  | 
 | ||||||
|  |             if (value == 'enterprise') { | ||||||
|  |               if ($scope.config[key]['GITHUB_ENDPOINT'] == 'https://github.com/') { | ||||||
|  |                 $scope.config[key]['GITHUB_ENDPOINT'] = ''; | ||||||
|  |               } | ||||||
|  |               delete $scope.config[key]['API_ENDPOINT']; | ||||||
|  |             } else if (value == 'hosted') { | ||||||
|  |               $scope.config[key]['GITHUB_ENDPOINT'] = 'https://github.com/'; | ||||||
|  |               $scope.config[key]['API_ENDPOINT'] = 'https://api.github.com/'; | ||||||
|  |             } | ||||||
|  |           }; | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         var getKey = function(config, path) { | ||||||
|  |           var parts = path.split('.'); | ||||||
|  |           var current = config; | ||||||
|  |           for (var i = 0; i < parts.length; ++i) { | ||||||
|  |             var part = parts[i]; | ||||||
|  |             if (!current[part]) { return null; } | ||||||
|  |             current = current[part]; | ||||||
|  |           } | ||||||
|  |           return current; | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         var initializeMappedLogic = function(config) { | ||||||
|  |           var gle = getKey(config, 'GITHUB_LOGIN_CONFIG.GITHUB_ENDPOINT'); | ||||||
|  |           var gte = getKey(config, 'GITHUB_TRIGGER_CONFIG.GITHUB_ENDPOINT'); | ||||||
|  | 
 | ||||||
|  |           $scope.mapped['GITHUB_LOGIN_KIND'] = gle == 'https://github.com/' ? 'hosted' : 'enterprise'; | ||||||
|  |           $scope.mapped['GITHUB_TRIGGER_KIND'] = gte == 'https://github.com/' ? 'hosted' : 'enterprise'; | ||||||
|  | 
 | ||||||
|  |           $scope.mapped['redis'] = {}; | ||||||
|  |           $scope.mapped['redis']['host'] = getKey(config, 'BUILDLOGS_REDIS.host') || getKey(config, 'USER_EVENTS_REDIS.host'); | ||||||
|  |           $scope.mapped['redis']['port'] = getKey(config, 'BUILDLOGS_REDIS.port') || getKey(config, 'USER_EVENTS_REDIS.port'); | ||||||
|  |           $scope.mapped['redis']['password'] = getKey(config, 'BUILDLOGS_REDIS.password') || getKey(config, 'USER_EVENTS_REDIS.password'); | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         var redisSetter = function(keyname) { | ||||||
|  |           return function(value) { | ||||||
|  |             if (value == null || !$scope.config) { return; } | ||||||
|  | 
 | ||||||
|  |             if (!$scope.config['BUILDLOGS_REDIS']) { | ||||||
|  |               $scope.config['BUILDLOGS_REDIS'] = {}; | ||||||
|  |             } | ||||||
|  | 
 | ||||||
|  |             if (!$scope.config['USER_EVENTS_REDIS']) { | ||||||
|  |               $scope.config['USER_EVENTS_REDIS'] = {}; | ||||||
|  |             } | ||||||
|  | 
 | ||||||
|  |             if (!value) { | ||||||
|  |               delete $scope.config['BUILDLOGS_REDIS'][keyname]; | ||||||
|  |               delete $scope.config['USER_EVENTS_REDIS'][keyname]; | ||||||
|  |               return; | ||||||
|  |             } | ||||||
|  | 
 | ||||||
|  |             $scope.config['BUILDLOGS_REDIS'][keyname] = value; | ||||||
|  |             $scope.config['USER_EVENTS_REDIS'][keyname] = value; | ||||||
|  |           }; | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         // Add mapped logic.
 | ||||||
|  |         $scope.$watch('mapped.GITHUB_LOGIN_KIND', githubSelector('GITHUB_LOGIN_CONFIG')); | ||||||
|  |         $scope.$watch('mapped.GITHUB_TRIGGER_KIND', githubSelector('GITHUB_TRIGGER_CONFIG')); | ||||||
|  | 
 | ||||||
|  |         $scope.$watch('mapped.redis.host', redisSetter('host')); | ||||||
|  |         $scope.$watch('mapped.redis.port', redisSetter('port')); | ||||||
|  |         $scope.$watch('mapped.redis.password', redisSetter('password')); | ||||||
|  | 
 | ||||||
|  |         // Add a watch to remove any fields not allowed by the current storage configuration.
 | ||||||
|  |         // We have to do this otherwise extra fields (which are not allowed) can end up in the
 | ||||||
|  |         // configuration.
 | ||||||
|  |         $scope.$watch('config.DISTRIBUTED_STORAGE_CONFIG.local[0]', function(value) { | ||||||
|  |           // Remove any fields not associated with the current kind.
 | ||||||
|  |           if (!value || !$scope.STORAGE_CONFIG_FIELDS[value] | ||||||
|  |               || !$scope.config.DISTRIBUTED_STORAGE_CONFIG | ||||||
|  |               || !$scope.config.DISTRIBUTED_STORAGE_CONFIG.local | ||||||
|  |               || !$scope.config.DISTRIBUTED_STORAGE_CONFIG.local[1]) { return; } | ||||||
|  | 
 | ||||||
|  |           var allowedFields = $scope.STORAGE_CONFIG_FIELDS[value]; | ||||||
|  |           var configObject = $scope.config.DISTRIBUTED_STORAGE_CONFIG.local[1]; | ||||||
|  | 
 | ||||||
|  |           // Remove any fields not allowed.
 | ||||||
|  |           for (var fieldName in configObject) { | ||||||
|  |             if (!configObject.hasOwnProperty(fieldName)) { | ||||||
|  |               continue; | ||||||
|  |             } | ||||||
|  | 
 | ||||||
|  |             var isValidField = $.grep(allowedFields, function(field) { | ||||||
|  |               return field.name == fieldName; | ||||||
|  |             }).length > 0; | ||||||
|  | 
 | ||||||
|  |             if (!isValidField) { | ||||||
|  |               delete configObject[fieldName]; | ||||||
|  |             } | ||||||
|  |           } | ||||||
|  | 
 | ||||||
|  |           // Set any boolean fields to false.
 | ||||||
|  |           for (var i = 0; i < allowedFields.length; ++i) { | ||||||
|  |             if (allowedFields[i].kind == 'bool') { | ||||||
|  |               configObject[allowedFields[i].name] = false; | ||||||
|  |             } | ||||||
|  |           } | ||||||
|  |         }); | ||||||
|  | 
 | ||||||
|  |         $scope.$watch('config', function(value) { | ||||||
|  |           $scope.mapped['$hasChanges'] = true; | ||||||
|  |         }, true); | ||||||
|  | 
 | ||||||
|  |         $scope.$watch('isActive', function(value) { | ||||||
|  |           if (!value) { return; } | ||||||
|  | 
 | ||||||
|  |           ApiService.scGetConfig().then(function(resp) { | ||||||
|  |             $scope.config = resp['config']; | ||||||
|  |             initializeMappedLogic($scope.config); | ||||||
|  |             $scope.mapped['$hasChanges'] = false; | ||||||
|  |           }); | ||||||
|  |         }); | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  | 
 | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  |   .directive('configParsedField', function ($timeout) { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 0, | ||||||
|  |       templateUrl: '/static/directives/config/config-parsed-field.html', | ||||||
|  |       replace: false, | ||||||
|  |       transclude: true, | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: { | ||||||
|  |         'binding': '=binding', | ||||||
|  |         'parser': '&parser', | ||||||
|  |         'serializer': '&serializer' | ||||||
|  |       }, | ||||||
|  |       controller: function($scope, $element, $transclude) { | ||||||
|  |         $scope.childScope = null; | ||||||
|  | 
 | ||||||
|  |         $transclude(function(clone, scope) { | ||||||
|  |           $scope.childScope = scope; | ||||||
|  |           $scope.childScope['fields'] = {}; | ||||||
|  |           $element.append(clone); | ||||||
|  |         }); | ||||||
|  | 
 | ||||||
|  |         $scope.childScope.$watch('fields', function(value) { | ||||||
|  |           // Note: We need the timeout here because Angular starts the digest of the
 | ||||||
|  |           // parent scope AFTER the child scope, which means it can end up one action
 | ||||||
|  |           // behind. The timeout ensures that the parent scope will be fully digest-ed
 | ||||||
|  |           // and then we update the binding. Yes, this is a hack :-/.
 | ||||||
|  |           $timeout(function() { | ||||||
|  |             $scope.binding = $scope.serializer({'fields': value}); | ||||||
|  |           }); | ||||||
|  |         }, true); | ||||||
|  | 
 | ||||||
|  |         $scope.$watch('binding', function(value) { | ||||||
|  |           var parsed = $scope.parser({'value': value}); | ||||||
|  |           for (var key in parsed) { | ||||||
|  |             if (parsed.hasOwnProperty(key)) { | ||||||
|  |              $scope.childScope['fields'][key] = parsed[key]; | ||||||
|  |             } | ||||||
|  |           } | ||||||
|  |         }); | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  |   .directive('configVariableField', function () { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 0, | ||||||
|  |       templateUrl: '/static/directives/config/config-variable-field.html', | ||||||
|  |       replace: false, | ||||||
|  |       transclude: true, | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: { | ||||||
|  |         'binding': '=binding' | ||||||
|  |       }, | ||||||
|  |       controller: function($scope, $element) { | ||||||
|  |         $scope.sections = {}; | ||||||
|  |         $scope.currentSection = null; | ||||||
|  | 
 | ||||||
|  |         $scope.setSection = function(section) { | ||||||
|  |           $scope.binding = section.value; | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         this.addSection = function(section, element) { | ||||||
|  |           $scope.sections[section.value] = { | ||||||
|  |             'title': section.valueTitle, | ||||||
|  |             'value': section.value, | ||||||
|  |             'element': element | ||||||
|  |           }; | ||||||
|  | 
 | ||||||
|  |           element.hide(); | ||||||
|  | 
 | ||||||
|  |           if (!$scope.binding) { | ||||||
|  |             $scope.binding = section.value; | ||||||
|  |           } | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         $scope.$watch('binding', function(binding) { | ||||||
|  |           if (!binding) { return; } | ||||||
|  | 
 | ||||||
|  |           if ($scope.currentSection) { | ||||||
|  |             $scope.currentSection.element.hide(); | ||||||
|  |           } | ||||||
|  | 
 | ||||||
|  |           if ($scope.sections[binding]) { | ||||||
|  |             $scope.sections[binding].element.show(); | ||||||
|  |             $scope.currentSection = $scope.sections[binding]; | ||||||
|  |           } | ||||||
|  |         }); | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  |   .directive('variableSection', function () { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 0, | ||||||
|  |       templateUrl: '/static/directives/config/config-variable-field.html', | ||||||
|  |       priority: 1, | ||||||
|  |       require: '^configVariableField', | ||||||
|  |       replace: false, | ||||||
|  |       transclude: true, | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: { | ||||||
|  |         'value': '@value', | ||||||
|  |         'valueTitle': '@valueTitle' | ||||||
|  |       }, | ||||||
|  |       controller: function($scope, $element) { | ||||||
|  |         var parentCtrl = $element.parent().controller('configVariableField'); | ||||||
|  |         parentCtrl.addSection($scope, $element); | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  |   .directive('configListField', function () { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 0, | ||||||
|  |       templateUrl: '/static/directives/config/config-list-field.html', | ||||||
|  |       replace: false, | ||||||
|  |       transclude: false, | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: { | ||||||
|  |         'binding': '=binding', | ||||||
|  |         'placeholder': '@placeholder', | ||||||
|  |         'defaultValue': '@defaultValue', | ||||||
|  |         'itemTitle': '@itemTitle' | ||||||
|  |       }, | ||||||
|  |       controller: function($scope, $element) { | ||||||
|  |         $scope.removeItem = function(item) { | ||||||
|  |           var index = $scope.binding.indexOf(item); | ||||||
|  |           if (index >= 0) { | ||||||
|  |             $scope.binding.splice(index, 1); | ||||||
|  |           } | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         $scope.addItem = function() { | ||||||
|  |           if (!$scope.newItemName) { | ||||||
|  |             return; | ||||||
|  |           } | ||||||
|  | 
 | ||||||
|  |           if (!$scope.binding) { | ||||||
|  |             $scope.binding = []; | ||||||
|  |           } | ||||||
|  | 
 | ||||||
|  |           if ($scope.binding.indexOf($scope.newItemName) >= 0) { | ||||||
|  |             return; | ||||||
|  |           } | ||||||
|  | 
 | ||||||
|  |           $scope.binding.push($scope.newItemName); | ||||||
|  |           $scope.newItemName = null; | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         $scope.$watch('binding', function(binding) { | ||||||
|  |           if (!binding && $scope.defaultValue) { | ||||||
|  |             $scope.binding = eval($scope.defaultValue); | ||||||
|  |           } | ||||||
|  |         }); | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  |   .directive('configFileField', function () { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 0, | ||||||
|  |       templateUrl: '/static/directives/config/config-file-field.html', | ||||||
|  |       replace: false, | ||||||
|  |       transclude: false, | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: { | ||||||
|  |         'filename': '@filename' | ||||||
|  |       }, | ||||||
|  |       controller: function($scope, $element, Restangular, $upload) { | ||||||
|  |         $scope.hasFile = false; | ||||||
|  | 
 | ||||||
|  |         $scope.onFileSelect = function(files) { | ||||||
|  |           if (files.length < 1) { return; } | ||||||
|  | 
 | ||||||
|  |           $scope.uploadProgress = 0; | ||||||
|  |           $scope.upload = $upload.upload({ | ||||||
|  |             url: '/api/v1/superuser/config/file/' + $scope.filename, | ||||||
|  |             method: 'POST', | ||||||
|  |             data: {'_csrf_token': window.__token}, | ||||||
|  |             file: files[0], | ||||||
|  |           }).progress(function(evt) { | ||||||
|  |             $scope.uploadProgress = parseInt(100.0 * evt.loaded / evt.total); | ||||||
|  |             if ($scope.uploadProgress == 100) { | ||||||
|  |               $scope.uploadProgress = null; | ||||||
|  |               $scope.hasFile = true; | ||||||
|  |             } | ||||||
|  |           }).success(function(data, status, headers, config) { | ||||||
|  |             $scope.uploadProgress = null; | ||||||
|  |             $scope.hasFile = true; | ||||||
|  |           }); | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         var loadStatus = function(filename) { | ||||||
|  |           Restangular.one('superuser/config/file/' + filename).get().then(function(resp) { | ||||||
|  |             $scope.hasFile = resp['exists']; | ||||||
|  |           }); | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         if ($scope.filename) { | ||||||
|  |           loadStatus($scope.filename); | ||||||
|  |         } | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  |   .directive('configBoolField', function () { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 0, | ||||||
|  |       templateUrl: '/static/directives/config/config-bool-field.html', | ||||||
|  |       replace: false, | ||||||
|  |       transclude: false, | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: { | ||||||
|  |         'binding': '=binding' | ||||||
|  |       }, | ||||||
|  |       controller: function($scope, $element) { | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  |   .directive('configNumericField', function () { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 0, | ||||||
|  |       templateUrl: '/static/directives/config/config-numeric-field.html', | ||||||
|  |       replace: false, | ||||||
|  |       transclude: false, | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: { | ||||||
|  |         'binding': '=binding', | ||||||
|  |         'placeholder': '@placeholder', | ||||||
|  |         'defaultValue': '@defaultValue' | ||||||
|  |       }, | ||||||
|  |       controller: function($scope, $element) { | ||||||
|  |         $scope.bindinginternal = 0; | ||||||
|  | 
 | ||||||
|  |         $scope.$watch('binding', function(binding) { | ||||||
|  |           if ($scope.binding == 0 && $scope.defaultValue) { | ||||||
|  |             $scope.binding = $scope.defaultValue * 1; | ||||||
|  |           } | ||||||
|  | 
 | ||||||
|  |           $scope.bindinginternal = $scope.binding; | ||||||
|  |         }); | ||||||
|  | 
 | ||||||
|  |         $scope.$watch('bindinginternal', function(binding) { | ||||||
|  |           var newValue = $scope.bindinginternal * 1; | ||||||
|  |           if (isNaN(newValue)) { | ||||||
|  |             newValue = 0; | ||||||
|  |           } | ||||||
|  |           $scope.binding = newValue; | ||||||
|  |         }); | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  |   .directive('configContactsField', function () { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 0, | ||||||
|  |       templateUrl: '/static/directives/config/config-contacts-field.html', | ||||||
|  |       priority: 1, | ||||||
|  |       replace: false, | ||||||
|  |       transclude: false, | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: { | ||||||
|  |         'binding': '=binding' | ||||||
|  |       }, | ||||||
|  |       controller: function($scope, $element) { | ||||||
|  |         var padItems = function(items) { | ||||||
|  |           // Remove the last item if both it and the second to last items are empty.
 | ||||||
|  |           if (items.length > 1 && !items[items.length - 2].value && !items[items.length - 1].value) { | ||||||
|  |             items.splice(items.length - 1, 1); | ||||||
|  |             return; | ||||||
|  |           } | ||||||
|  | 
 | ||||||
|  |           // If the last item is non-empty, add a new item.
 | ||||||
|  |           if (items.length == 0 || items[items.length - 1].value) { | ||||||
|  |             items.push({'value': ''}); | ||||||
|  |             return; | ||||||
|  |           } | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         $scope.itemHash = null; | ||||||
|  |         $scope.$watch('items', function(items) { | ||||||
|  |           if (!items) { return; } | ||||||
|  |           padItems(items); | ||||||
|  | 
 | ||||||
|  |           var itemHash = ''; | ||||||
|  |           var binding = []; | ||||||
|  |           for (var i = 0; i < items.length; ++i) { | ||||||
|  |             var item = items[i]; | ||||||
|  |             if (item.value && (URI(item.value).host() || URI(item.value).path())) { | ||||||
|  |               binding.push(item.value); | ||||||
|  |               itemHash += item.value; | ||||||
|  |             } | ||||||
|  |           } | ||||||
|  | 
 | ||||||
|  |           $scope.itemHash = itemHash; | ||||||
|  |           $scope.binding = binding; | ||||||
|  |         }, true); | ||||||
|  | 
 | ||||||
|  |         $scope.$watch('binding', function(binding) { | ||||||
|  |           var current = binding || []; | ||||||
|  |           var items = []; | ||||||
|  |           var itemHash = ''; | ||||||
|  |           for (var i = 0; i < current.length; ++i) { | ||||||
|  |             items.push({'value': current[i]}) | ||||||
|  |             itemHash += current[i]; | ||||||
|  |           } | ||||||
|  | 
 | ||||||
|  |           if ($scope.itemHash != itemHash) { | ||||||
|  |             $scope.items = items; | ||||||
|  |           } | ||||||
|  |         }); | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  |   .directive('configContactField', function () { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 0, | ||||||
|  |       templateUrl: '/static/directives/config/config-contact-field.html', | ||||||
|  |       priority: 1, | ||||||
|  |       replace: false, | ||||||
|  |       transclude: true, | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: { | ||||||
|  |         'binding': '=binding' | ||||||
|  |       }, | ||||||
|  |       controller: function($scope, $element) { | ||||||
|  |         $scope.kind = null; | ||||||
|  |         $scope.value = null; | ||||||
|  | 
 | ||||||
|  |         var updateBinding = function() { | ||||||
|  |           if ($scope.value == null) { return; } | ||||||
|  |           var value = $scope.value || ''; | ||||||
|  | 
 | ||||||
|  |           switch ($scope.kind) { | ||||||
|  |             case 'mailto': | ||||||
|  |               $scope.binding = 'mailto:' + value; | ||||||
|  |               return; | ||||||
|  | 
 | ||||||
|  |             case 'tel': | ||||||
|  |               $scope.binding = 'tel:' + value; | ||||||
|  |               return; | ||||||
|  | 
 | ||||||
|  |             case 'irc': | ||||||
|  |               $scope.binding = 'irc://' + value; | ||||||
|  |               return; | ||||||
|  | 
 | ||||||
|  |             default: | ||||||
|  |               $scope.binding = value; | ||||||
|  |               return; | ||||||
|  |           } | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         $scope.$watch('kind', updateBinding); | ||||||
|  |         $scope.$watch('value', updateBinding); | ||||||
|  | 
 | ||||||
|  |         $scope.$watch('binding', function(value) { | ||||||
|  |           if (!value) { | ||||||
|  |             $scope.kind = null; | ||||||
|  |             $scope.value = null; | ||||||
|  |             return; | ||||||
|  |           } | ||||||
|  | 
 | ||||||
|  |           var uri = URI(value); | ||||||
|  |           $scope.kind = uri.scheme(); | ||||||
|  | 
 | ||||||
|  |           switch ($scope.kind) { | ||||||
|  |             case 'mailto': | ||||||
|  |             case 'tel': | ||||||
|  |               $scope.value = uri.path(); | ||||||
|  |               break; | ||||||
|  | 
 | ||||||
|  |             case 'irc': | ||||||
|  |               $scope.value = value.substr('irc://'.length); | ||||||
|  |               break; | ||||||
|  | 
 | ||||||
|  |             default: | ||||||
|  |               $scope.kind = 'http'; | ||||||
|  |               $scope.value = value; | ||||||
|  |               break; | ||||||
|  |           } | ||||||
|  |         }); | ||||||
|  | 
 | ||||||
|  |         $scope.getPlaceholder = function(kind) { | ||||||
|  |           switch (kind) { | ||||||
|  |             case 'mailto': | ||||||
|  |               return 'some@example.com'; | ||||||
|  | 
 | ||||||
|  |             case 'tel': | ||||||
|  |               return '555-555-5555'; | ||||||
|  | 
 | ||||||
|  |             case 'irc': | ||||||
|  |               return 'myserver:port/somechannel'; | ||||||
|  | 
 | ||||||
|  |             default: | ||||||
|  |               return 'http://some/url'; | ||||||
|  |           } | ||||||
|  |         }; | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  |   .directive('configStringField', function () { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 0, | ||||||
|  |       templateUrl: '/static/directives/config/config-string-field.html', | ||||||
|  |       replace: false, | ||||||
|  |       transclude: false, | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: { | ||||||
|  |         'binding': '=binding', | ||||||
|  |         'placeholder': '@placeholder', | ||||||
|  |         'pattern': '@pattern', | ||||||
|  |         'defaultValue': '@defaultValue', | ||||||
|  |         'validator': '&validator' | ||||||
|  |       }, | ||||||
|  |       controller: function($scope, $element) { | ||||||
|  |         $scope.getRegexp = function(pattern) { | ||||||
|  |           if (!pattern) { | ||||||
|  |             pattern = '.*'; | ||||||
|  |           } | ||||||
|  |           return new RegExp(pattern); | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         $scope.$watch('binding', function(binding) { | ||||||
|  |           if (!binding && $scope.defaultValue) { | ||||||
|  |             $scope.binding = $scope.defaultValue; | ||||||
|  |           } | ||||||
|  | 
 | ||||||
|  |           $scope.errorMessage = $scope.validator({'value': binding || ''}); | ||||||
|  |         }); | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  |   }); | ||||||
							
								
								
									
										329
									
								
								static/js/core-ui.js
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										329
									
								
								static/js/core-ui.js
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,329 @@ | ||||||
|  | angular.module("core-ui", []) | ||||||
|  |   .factory('CoreDialog', [function() { | ||||||
|  |     var service = {}; | ||||||
|  |     service['fatal'] = function(title, message) { | ||||||
|  |       bootbox.dialog({ | ||||||
|  |         "title": title, | ||||||
|  |         "message": "<div class='alert-icon-container-container'><div class='alert-icon-container'><div class='alert-icon'></div></div></div>" + message, | ||||||
|  |         "buttons": {}, | ||||||
|  |         "className": "co-dialog fatal-error", | ||||||
|  |         "closeButton": false | ||||||
|  |       }); | ||||||
|  |     }; | ||||||
|  | 
 | ||||||
|  |     return service; | ||||||
|  |   }]) | ||||||
|  | 
 | ||||||
|  |   .directive('corLogBox', function() { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 1, | ||||||
|  |       templateUrl: '/static/directives/cor-log-box.html', | ||||||
|  |       replace: true, | ||||||
|  |       transclude: true, | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: { | ||||||
|  |         'logs': '=logs' | ||||||
|  |       }, | ||||||
|  |       controller: function($rootScope, $scope, $element, $timeout) { | ||||||
|  |         $scope.hasNewLogs = false; | ||||||
|  | 
 | ||||||
|  |         var scrollHandlerBound = false; | ||||||
|  |         var isAnimatedScrolling = false; | ||||||
|  |         var isScrollBottom = true; | ||||||
|  | 
 | ||||||
|  |         var scrollHandler = function() { | ||||||
|  |           if (isAnimatedScrolling) { return; } | ||||||
|  |           var element = $element.find("#co-log-viewer")[0]; | ||||||
|  |           isScrollBottom = element.scrollHeight - element.scrollTop === element.clientHeight; | ||||||
|  |           if (isScrollBottom) { | ||||||
|  |             $scope.hasNewLogs = false; | ||||||
|  |           } | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         var animateComplete = function() { | ||||||
|  |           isAnimatedScrolling = false; | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         $scope.moveToBottom = function() { | ||||||
|  |           $scope.hasNewLogs = false; | ||||||
|  |           isAnimatedScrolling = true; | ||||||
|  |           isScrollBottom = true; | ||||||
|  | 
 | ||||||
|  |           $element.find("#co-log-viewer").animate( | ||||||
|  |             { scrollTop: $element.find("#co-log-content").height() }, "slow", null, animateComplete); | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         $scope.$watch('logs', function(value, oldValue) { | ||||||
|  |           if (!value) { return; } | ||||||
|  | 
 | ||||||
|  |           $timeout(function() { | ||||||
|  |             if (!scrollHandlerBound) { | ||||||
|  |               $element.find("#co-log-viewer").on('scroll', scrollHandler); | ||||||
|  |               scrollHandlerBound = true; | ||||||
|  |             } | ||||||
|  | 
 | ||||||
|  |             if (!isScrollBottom) { | ||||||
|  |               $scope.hasNewLogs = true; | ||||||
|  |               return; | ||||||
|  |             } | ||||||
|  | 
 | ||||||
|  |             $scope.moveToBottom(); | ||||||
|  |           }, 500); | ||||||
|  |         }); | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  |   .directive('corOptionsMenu', function() { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 1, | ||||||
|  |       templateUrl: '/static/directives/cor-options-menu.html', | ||||||
|  |       replace: true, | ||||||
|  |       transclude: true, | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: {}, | ||||||
|  |       controller: function($rootScope, $scope, $element) { | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  |   .directive('corOption', function() { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 1, | ||||||
|  |       templateUrl: '/static/directives/cor-option.html', | ||||||
|  |       replace: true, | ||||||
|  |       transclude: true, | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: { | ||||||
|  |         'optionClick': '&optionClick' | ||||||
|  |       }, | ||||||
|  |       controller: function($rootScope, $scope, $element) { | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |   .directive('corTitle', function() { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 1, | ||||||
|  |       templateUrl: '/static/directives/cor-title.html', | ||||||
|  |       replace: true, | ||||||
|  |       transclude: true, | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: {}, | ||||||
|  |       controller: function($rootScope, $scope, $element) { | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  |   .directive('corTitleContent', function() { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 1, | ||||||
|  |       templateUrl: '/static/directives/cor-title-content.html', | ||||||
|  |       replace: true, | ||||||
|  |       transclude: true, | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: {}, | ||||||
|  |       controller: function($rootScope, $scope, $element) { | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  |   .directive('corTitleLink', function() { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 1, | ||||||
|  |       templateUrl: '/static/directives/cor-title-link.html', | ||||||
|  |       replace: true, | ||||||
|  |       transclude: true, | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: {}, | ||||||
|  |       controller: function($rootScope, $scope, $element) { | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  |   .directive('corTabPanel', function() { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 1, | ||||||
|  |       templateUrl: '/static/directives/cor-tab-panel.html', | ||||||
|  |       replace: true, | ||||||
|  |       transclude: true, | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: {}, | ||||||
|  |       controller: function($rootScope, $scope, $element) { | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  |   .directive('corTabContent', function() { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 2, | ||||||
|  |       templateUrl: '/static/directives/cor-tab-content.html', | ||||||
|  |       replace: true, | ||||||
|  |       transclude: true, | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: {}, | ||||||
|  |       controller: function($rootScope, $scope, $element) { | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  |  .directive('corTabs', function() { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 3, | ||||||
|  |       templateUrl: '/static/directives/cor-tabs.html', | ||||||
|  |       replace: true, | ||||||
|  |       transclude: true, | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: {}, | ||||||
|  |       controller: function($rootScope, $scope, $element) { | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  |  .directive('corFloatingBottomBar', function() { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 3, | ||||||
|  |       templateUrl: '/static/directives/cor-floating-bottom-bar.html', | ||||||
|  |       replace: true, | ||||||
|  |       transclude: true, | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: {}, | ||||||
|  |       controller: function($rootScope, $scope, $element, $timeout, $interval) { | ||||||
|  |         var handler = function() { | ||||||
|  |           $element.removeClass('floating'); | ||||||
|  |           $element.css('width', $element[0].parentNode.clientWidth + 'px'); | ||||||
|  | 
 | ||||||
|  |           var windowHeight = $(window).height(); | ||||||
|  |           var rect = $element[0].getBoundingClientRect(); | ||||||
|  |           if (rect.bottom > windowHeight) { | ||||||
|  |             $element.addClass('floating'); | ||||||
|  |           } | ||||||
|  |         }; | ||||||
|  | 
 | ||||||
|  |         $(window).on("scroll", handler); | ||||||
|  |         $(window).on("resize", handler); | ||||||
|  | 
 | ||||||
|  |         var previousHeight = $element[0].parentNode.clientHeight; | ||||||
|  |         var stop = $interval(function() { | ||||||
|  |           var currentHeight = $element[0].parentNode.clientWidth; | ||||||
|  |           if (previousHeight != currentHeight) { | ||||||
|  |             currentHeight = previousHeight; | ||||||
|  |             handler(); | ||||||
|  |           } | ||||||
|  |         }, 100); | ||||||
|  | 
 | ||||||
|  |         $scope.$on('$destroy', function() { | ||||||
|  |           $(window).off("resize", handler); | ||||||
|  |           $(window).off("scroll", handler); | ||||||
|  |           $interval.cancel(stop); | ||||||
|  |         }); | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  | 
 | ||||||
|  |  }) | ||||||
|  | 
 | ||||||
|  |   .directive('corLoaderInline', function() { | ||||||
|  |       var directiveDefinitionObject = { | ||||||
|  |         templateUrl: '/static/directives/cor-loader-inline.html', | ||||||
|  |         replace: true, | ||||||
|  |         restrict: 'C', | ||||||
|  |         scope: { | ||||||
|  |         }, | ||||||
|  |         controller: function($rootScope, $scope, $element) { | ||||||
|  |         } | ||||||
|  |       }; | ||||||
|  |       return directiveDefinitionObject; | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  |   .directive('corLoader', function() { | ||||||
|  |       var directiveDefinitionObject = { | ||||||
|  |         templateUrl: '/static/directives/cor-loader.html', | ||||||
|  |         replace: true, | ||||||
|  |         restrict: 'C', | ||||||
|  |         scope: { | ||||||
|  |         }, | ||||||
|  |         controller: function($rootScope, $scope, $element) { | ||||||
|  |         } | ||||||
|  |       }; | ||||||
|  |       return directiveDefinitionObject; | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  |  .directive('corTab', function() { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 4, | ||||||
|  |       templateUrl: '/static/directives/cor-tab.html', | ||||||
|  |       replace: true, | ||||||
|  |       transclude: true, | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: { | ||||||
|  |         'tabActive': '@tabActive', | ||||||
|  |         'tabTitle': '@tabTitle', | ||||||
|  |         'tabTarget': '@tabTarget', | ||||||
|  |         'tabInit': '&tabInit' | ||||||
|  |       }, | ||||||
|  |       controller: function($rootScope, $scope, $element) { | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  |  .directive('corStep', function() { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 4, | ||||||
|  |       templateUrl: '/static/directives/cor-step.html', | ||||||
|  |       replace: true, | ||||||
|  |       transclude: false, | ||||||
|  |       requires: '^corStepBar', | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: { | ||||||
|  |         'icon': '@icon', | ||||||
|  |         'title': '@title', | ||||||
|  |         'text': '@text' | ||||||
|  |       }, | ||||||
|  |       controller: function($rootScope, $scope, $element) { | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  |  .directive('corStepBar', function() { | ||||||
|  |     var directiveDefinitionObject = { | ||||||
|  |       priority: 4, | ||||||
|  |       templateUrl: '/static/directives/cor-step-bar.html', | ||||||
|  |       replace: true, | ||||||
|  |       transclude: true, | ||||||
|  |       restrict: 'C', | ||||||
|  |       scope: { | ||||||
|  |         'progress': '=progress' | ||||||
|  |       }, | ||||||
|  |       controller: function($rootScope, $scope, $element) { | ||||||
|  |         $scope.$watch('progress', function(progress) { | ||||||
|  |           var index = 0; | ||||||
|  |           for (var i = 0; i < progress.length; ++i) { | ||||||
|  |             if (progress[i]) { | ||||||
|  |               index = i; | ||||||
|  |             } | ||||||
|  |           } | ||||||
|  | 
 | ||||||
|  |           $element.find('.transclude').children('.co-step-element').each(function(i, elem) { | ||||||
|  |             $(elem).removeClass('active'); | ||||||
|  |             if (i <= index) { | ||||||
|  |               $(elem).addClass('active'); | ||||||
|  |             } | ||||||
|  |           }); | ||||||
|  |         }); | ||||||
|  |       } | ||||||
|  |     }; | ||||||
|  |     return directiveDefinitionObject; | ||||||
|  |   }); | ||||||
|  | @ -19,6 +19,7 @@ typeahead - Permissive (https://github.com/twitter/typeahead.js/blob/master/LICE | ||||||
| zlib - MIT (https://github.com/imaya/zlib.js) | zlib - MIT (https://github.com/imaya/zlib.js) | ||||||
| pagedown - Permissive | pagedown - Permissive | ||||||
| jquery.overscroll - MIT (https://github.com/azoff/overscroll/blob/master/mit.license) | jquery.overscroll - MIT (https://github.com/azoff/overscroll/blob/master/mit.license) | ||||||
|  | URI.js - MIT (https://github.com/medialize/URI.js) | ||||||
| 
 | 
 | ||||||
| Issues: | Issues: | ||||||
| >>>>> jquery.spotlight - GPLv3 (https://github.com/jameshalsall/jQuery-Spotlight) | >>>>> jquery.spotlight - GPLv3 (https://github.com/jameshalsall/jQuery-Spotlight) | ||||||
							
								
								
									
										78
									
								
								static/lib/URI.min.js
									
										
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										78
									
								
								static/lib/URI.min.js
									
										
									
									
										vendored
									
									
										Normal file
									
								
							|  | @ -0,0 +1,78 @@ | ||||||
|  | (function(f,l){"object"===typeof exports?module.exports=l():"function"===typeof define&&define.amd?define(l):f.IPv6=l(f)})(this,function(f){var l=f&&f.IPv6;return{best:function(g){g=g.toLowerCase().split(":");var m=g.length,b=8;""===g[0]&&""===g[1]&&""===g[2]?(g.shift(),g.shift()):""===g[0]&&""===g[1]?g.shift():""===g[m-1]&&""===g[m-2]&&g.pop();m=g.length;-1!==g[m-1].indexOf(".")&&(b=7);var k;for(k=0;k<m&&""!==g[k];k++);if(k<b)for(g.splice(k,1,"0000");g.length<b;)g.splice(k,0,"0000");for(k=0;k<b;k++){for(var m= | ||||||
|  | g[k].split(""),f=0;3>f;f++)if("0"===m[0]&&1<m.length)m.splice(0,1);else break;g[k]=m.join("")}var m=-1,l=f=0,h=-1,r=!1;for(k=0;k<b;k++)r?"0"===g[k]?l+=1:(r=!1,l>f&&(m=h,f=l)):"0"===g[k]&&(r=!0,h=k,l=1);l>f&&(m=h,f=l);1<f&&g.splice(m,f,"");m=g.length;b="";""===g[0]&&(b=":");for(k=0;k<m;k++){b+=g[k];if(k===m-1)break;b+=":"}""===g[m-1]&&(b+=":");return b},noConflict:function(){f.IPv6===this&&(f.IPv6=l);return this}}});(function(f){function l(b){throw RangeError(w[b]);}function g(b,e){for(var h=b.length;h--;)b[h]=e(b[h]);return b}function m(b,e){return g(b.split(v),e).join(".")}function b(b){for(var e=[],h=0,a=b.length,c,d;h<a;)c=b.charCodeAt(h++),55296<=c&&56319>=c&&h<a?(d=b.charCodeAt(h++),56320==(d&64512)?e.push(((c&1023)<<10)+(d&1023)+65536):(e.push(c),h--)):e.push(c);return e}function k(b){return g(b,function(b){var e="";65535<b&&(b-=65536,e+=B(b>>>10&1023|55296),b=56320|b&1023);return e+=B(b)}).join("")}function z(b, | ||||||
|  | e){return b+22+75*(26>b)-((0!=e)<<5)}function p(b,e,h){var a=0;b=h?q(b/700):b>>1;for(b+=q(b/e);455<b;a+=36)b=q(b/35);return q(a+36*b/(b+38))}function h(b){var e=[],h=b.length,a,c=0,d=128,u=72,x,y,g,f,m;x=b.lastIndexOf("-");0>x&&(x=0);for(y=0;y<x;++y)128<=b.charCodeAt(y)&&l("not-basic"),e.push(b.charCodeAt(y));for(x=0<x?x+1:0;x<h;){y=c;a=1;for(g=36;;g+=36){x>=h&&l("invalid-input");f=b.charCodeAt(x++);f=10>f-48?f-22:26>f-65?f-65:26>f-97?f-97:36;(36<=f||f>q((2147483647-c)/a))&&l("overflow");c+=f*a;m= | ||||||
|  | g<=u?1:g>=u+26?26:g-u;if(f<m)break;f=36-m;a>q(2147483647/f)&&l("overflow");a*=f}a=e.length+1;u=p(c-y,a,0==y);q(c/a)>2147483647-d&&l("overflow");d+=q(c/a);c%=a;e.splice(c++,0,d)}return k(e)}function r(e){var h,g,a,c,d,u,x,y,f,m=[],r,k,n;e=b(e);r=e.length;h=128;g=0;d=72;for(u=0;u<r;++u)f=e[u],128>f&&m.push(B(f));for((a=c=m.length)&&m.push("-");a<r;){x=2147483647;for(u=0;u<r;++u)f=e[u],f>=h&&f<x&&(x=f);k=a+1;x-h>q((2147483647-g)/k)&&l("overflow");g+=(x-h)*k;h=x;for(u=0;u<r;++u)if(f=e[u],f<h&&2147483647< | ||||||
|  | ++g&&l("overflow"),f==h){y=g;for(x=36;;x+=36){f=x<=d?1:x>=d+26?26:x-d;if(y<f)break;n=y-f;y=36-f;m.push(B(z(f+n%y,0)));y=q(n/y)}m.push(B(z(y,0)));d=p(g,k,a==c);g=0;++a}++g;++h}return m.join("")}var C="object"==typeof exports&&exports,D="object"==typeof module&&module&&module.exports==C&&module,A="object"==typeof global&&global;if(A.global===A||A.window===A)f=A;var t,n=/^xn--/,e=/[^ -~]/,v=/\x2E|\u3002|\uFF0E|\uFF61/g,w={overflow:"Overflow: input needs wider integers to process","not-basic":"Illegal input >= 0x80 (not a basic code point)", | ||||||
|  | "invalid-input":"Invalid input"},q=Math.floor,B=String.fromCharCode,E;t={version:"1.2.3",ucs2:{decode:b,encode:k},decode:h,encode:r,toASCII:function(b){return m(b,function(b){return e.test(b)?"xn--"+r(b):b})},toUnicode:function(b){return m(b,function(b){return n.test(b)?h(b.slice(4).toLowerCase()):b})}};if("function"==typeof define&&"object"==typeof define.amd&&define.amd)define(function(){return t});else if(C&&!C.nodeType)if(D)D.exports=t;else for(E in t)t.hasOwnProperty(E)&&(C[E]=t[E]);else f.punycode= | ||||||
|  | t})(this);(function(f,l){"object"===typeof exports?module.exports=l():"function"===typeof define&&define.amd?define(l):f.SecondLevelDomains=l(f)})(this,function(f){var l=f&&f.SecondLevelDomains,g={list:{ac:" com gov mil net org ",ae:" ac co gov mil name net org pro sch ",af:" com edu gov net org ",al:" com edu gov mil net org ",ao:" co ed gv it og pb ",ar:" com edu gob gov int mil net org tur ",at:" ac co gv or ",au:" asn com csiro edu gov id net org ",ba:" co com edu gov mil net org rs unbi unmo unsa untz unze ", | ||||||
|  | bb:" biz co com edu gov info net org store tv ",bh:" biz cc com edu gov info net org ",bn:" com edu gov net org ",bo:" com edu gob gov int mil net org tv ",br:" adm adv agr am arq art ato b bio blog bmd cim cng cnt com coop ecn edu eng esp etc eti far flog fm fnd fot fst g12 ggf gov imb ind inf jor jus lel mat med mil mus net nom not ntr odo org ppg pro psc psi qsl rec slg srv tmp trd tur tv vet vlog wiki zlg ",bs:" com edu gov net org ",bz:" du et om ov rg ",ca:" ab bc mb nb nf nl ns nt nu on pe qc sk yk ", | ||||||
|  | ck:" biz co edu gen gov info net org ",cn:" ac ah bj com cq edu fj gd gov gs gx gz ha hb he hi hl hn jl js jx ln mil net nm nx org qh sc sd sh sn sx tj tw xj xz yn zj ",co:" com edu gov mil net nom org ",cr:" ac c co ed fi go or sa ",cy:" ac biz com ekloges gov ltd name net org parliament press pro tm ","do":" art com edu gob gov mil net org sld web ",dz:" art asso com edu gov net org pol ",ec:" com edu fin gov info med mil net org pro ",eg:" com edu eun gov mil name net org sci ",er:" com edu gov ind mil net org rochest w ", | ||||||
|  | es:" com edu gob nom org ",et:" biz com edu gov info name net org ",fj:" ac biz com info mil name net org pro ",fk:" ac co gov net nom org ",fr:" asso com f gouv nom prd presse tm ",gg:" co net org ",gh:" com edu gov mil org ",gn:" ac com gov net org ",gr:" com edu gov mil net org ",gt:" com edu gob ind mil net org ",gu:" com edu gov net org ",hk:" com edu gov idv net org ",hu:" 2000 agrar bolt casino city co erotica erotika film forum games hotel info ingatlan jogasz konyvelo lakas media news org priv reklam sex shop sport suli szex tm tozsde utazas video ", | ||||||
|  | id:" ac co go mil net or sch web ",il:" ac co gov idf k12 muni net org ","in":" ac co edu ernet firm gen gov i ind mil net nic org res ",iq:" com edu gov i mil net org ",ir:" ac co dnssec gov i id net org sch ",it:" edu gov ",je:" co net org ",jo:" com edu gov mil name net org sch ",jp:" ac ad co ed go gr lg ne or ",ke:" ac co go info me mobi ne or sc ",kh:" com edu gov mil net org per ",ki:" biz com de edu gov info mob net org tel ",km:" asso com coop edu gouv k medecin mil nom notaires pharmaciens presse tm veterinaire ", | ||||||
|  | kn:" edu gov net org ",kr:" ac busan chungbuk chungnam co daegu daejeon es gangwon go gwangju gyeongbuk gyeonggi gyeongnam hs incheon jeju jeonbuk jeonnam k kg mil ms ne or pe re sc seoul ulsan ",kw:" com edu gov net org ",ky:" com edu gov net org ",kz:" com edu gov mil net org ",lb:" com edu gov net org ",lk:" assn com edu gov grp hotel int ltd net ngo org sch soc web ",lr:" com edu gov net org ",lv:" asn com conf edu gov id mil net org ",ly:" com edu gov id med net org plc sch ",ma:" ac co gov m net org press ", | ||||||
|  | mc:" asso tm ",me:" ac co edu gov its net org priv ",mg:" com edu gov mil nom org prd tm ",mk:" com edu gov inf name net org pro ",ml:" com edu gov net org presse ",mn:" edu gov org ",mo:" com edu gov net org ",mt:" com edu gov net org ",mv:" aero biz com coop edu gov info int mil museum name net org pro ",mw:" ac co com coop edu gov int museum net org ",mx:" com edu gob net org ",my:" com edu gov mil name net org sch ",nf:" arts com firm info net other per rec store web ",ng:" biz com edu gov mil mobi name net org sch ", | ||||||
|  | ni:" ac co com edu gob mil net nom org ",np:" com edu gov mil net org ",nr:" biz com edu gov info net org ",om:" ac biz co com edu gov med mil museum net org pro sch ",pe:" com edu gob mil net nom org sld ",ph:" com edu gov i mil net ngo org ",pk:" biz com edu fam gob gok gon gop gos gov net org web ",pl:" art bialystok biz com edu gda gdansk gorzow gov info katowice krakow lodz lublin mil net ngo olsztyn org poznan pwr radom slupsk szczecin torun warszawa waw wroc wroclaw zgora ",pr:" ac biz com edu est gov info isla name net org pro prof ", | ||||||
|  | ps:" com edu gov net org plo sec ",pw:" belau co ed go ne or ",ro:" arts com firm info nom nt org rec store tm www ",rs:" ac co edu gov in org ",sb:" com edu gov net org ",sc:" com edu gov net org ",sh:" co com edu gov net nom org ",sl:" com edu gov net org ",st:" co com consulado edu embaixada gov mil net org principe saotome store ",sv:" com edu gob org red ",sz:" ac co org ",tr:" av bbs bel biz com dr edu gen gov info k12 name net org pol tel tsk tv web ",tt:" aero biz cat co com coop edu gov info int jobs mil mobi museum name net org pro tel travel ", | ||||||
|  | tw:" club com ebiz edu game gov idv mil net org ",mu:" ac co com gov net or org ",mz:" ac co edu gov org ",na:" co com ",nz:" ac co cri geek gen govt health iwi maori mil net org parliament school ",pa:" abo ac com edu gob ing med net nom org sld ",pt:" com edu gov int net nome org publ ",py:" com edu gov mil net org ",qa:" com edu gov mil net org ",re:" asso com nom ",ru:" ac adygeya altai amur arkhangelsk astrakhan bashkiria belgorod bir bryansk buryatia cbg chel chelyabinsk chita chukotka chuvashia com dagestan e-burg edu gov grozny int irkutsk ivanovo izhevsk jar joshkar-ola kalmykia kaluga kamchatka karelia kazan kchr kemerovo khabarovsk khakassia khv kirov koenig komi kostroma kranoyarsk kuban kurgan kursk lipetsk magadan mari mari-el marine mil mordovia mosreg msk murmansk nalchik net nnov nov novosibirsk nsk omsk orenburg org oryol penza perm pp pskov ptz rnd ryazan sakhalin samara saratov simbirsk smolensk spb stavropol stv surgut tambov tatarstan tom tomsk tsaritsyn tsk tula tuva tver tyumen udm udmurtia ulan-ude vladikavkaz vladimir vladivostok volgograd vologda voronezh vrn vyatka yakutia yamal yekaterinburg yuzhno-sakhalinsk ", | ||||||
|  | rw:" ac co com edu gouv gov int mil net ",sa:" com edu gov med net org pub sch ",sd:" com edu gov info med net org tv ",se:" a ac b bd c d e f g h i k l m n o org p parti pp press r s t tm u w x y z ",sg:" com edu gov idn net org per ",sn:" art com edu gouv org perso univ ",sy:" com edu gov mil net news org ",th:" ac co go in mi net or ",tj:" ac biz co com edu go gov info int mil name net nic org test web ",tn:" agrinet com defense edunet ens fin gov ind info intl mincom nat net org perso rnrt rns rnu tourism ", | ||||||
|  | tz:" ac co go ne or ",ua:" biz cherkassy chernigov chernovtsy ck cn co com crimea cv dn dnepropetrovsk donetsk dp edu gov if in ivano-frankivsk kh kharkov kherson khmelnitskiy kiev kirovograd km kr ks kv lg lugansk lutsk lviv me mk net nikolaev od odessa org pl poltava pp rovno rv sebastopol sumy te ternopil uzhgorod vinnica vn zaporizhzhe zhitomir zp zt ",ug:" ac co go ne or org sc ",uk:" ac bl british-library co cym gov govt icnet jet lea ltd me mil mod national-library-scotland nel net nhs nic nls org orgn parliament plc police sch scot soc ", | ||||||
|  | us:" dni fed isa kids nsn ",uy:" com edu gub mil net org ",ve:" co com edu gob info mil net org web ",vi:" co com k12 net org ",vn:" ac biz com edu gov health info int name net org pro ",ye:" co com gov ltd me net org plc ",yu:" ac co edu gov org ",za:" ac agric alt bourse city co cybernet db edu gov grondar iaccess imt inca landesign law mil net ngo nis nom olivetti org pix school tm web ",zm:" ac co com edu gov net org sch "},has:function(f){var b=f.lastIndexOf(".");if(0>=b||b>=f.length-1)return!1; | ||||||
|  | var k=f.lastIndexOf(".",b-1);if(0>=k||k>=b-1)return!1;var l=g.list[f.slice(b+1)];return l?0<=l.indexOf(" "+f.slice(k+1,b)+" "):!1},is:function(f){var b=f.lastIndexOf(".");if(0>=b||b>=f.length-1||0<=f.lastIndexOf(".",b-1))return!1;var k=g.list[f.slice(b+1)];return k?0<=k.indexOf(" "+f.slice(0,b)+" "):!1},get:function(f){var b=f.lastIndexOf(".");if(0>=b||b>=f.length-1)return null;var k=f.lastIndexOf(".",b-1);if(0>=k||k>=b-1)return null;var l=g.list[f.slice(b+1)];return!l||0>l.indexOf(" "+f.slice(k+ | ||||||
|  | 1,b)+" ")?null:f.slice(k+1)},noConflict:function(){f.SecondLevelDomains===this&&(f.SecondLevelDomains=l);return this}};return g});(function(f,l){"object"===typeof exports?module.exports=l(require("./punycode"),require("./IPv6"),require("./SecondLevelDomains")):"function"===typeof define&&define.amd?define(["./punycode","./IPv6","./SecondLevelDomains"],l):f.URI=l(f.punycode,f.IPv6,f.SecondLevelDomains,f)})(this,function(f,l,g,m){function b(a,c){if(!(this instanceof b))return new b(a,c);void 0===a&&(a="undefined"!==typeof location?location.href+"":"");this.href(a);return void 0!==c?this.absoluteTo(c):this}function k(a){return a.replace(/([.*+?^=!:${}()|[\]\/\\])/g, | ||||||
|  | "\\$1")}function z(a){return void 0===a?"Undefined":String(Object.prototype.toString.call(a)).slice(8,-1)}function p(a){return"Array"===z(a)}function h(a,c){var d,b;if(p(c)){d=0;for(b=c.length;d<b;d++)if(!h(a,c[d]))return!1;return!0}var e=z(c);d=0;for(b=a.length;d<b;d++)if("RegExp"===e){if("string"===typeof a[d]&&a[d].match(c))return!0}else if(a[d]===c)return!0;return!1}function r(a,c){if(!p(a)||!p(c)||a.length!==c.length)return!1;a.sort();c.sort();for(var d=0,b=a.length;d<b;d++)if(a[d]!==c[d])return!1; | ||||||
|  | return!0}function C(a){return escape(a)}function D(a){return encodeURIComponent(a).replace(/[!'()*]/g,C).replace(/\*/g,"%2A")}function A(a){return function(c,d){if(void 0===c)return this._parts[a]||"";this._parts[a]=c||null;this.build(!d);return this}}function t(a,c){return function(d,b){if(void 0===d)return this._parts[a]||"";null!==d&&(d+="",d.charAt(0)===c&&(d=d.substring(1)));this._parts[a]=d;this.build(!b);return this}}var n=m&&m.URI;b.version="1.14.1";var e=b.prototype,v=Object.prototype.hasOwnProperty; | ||||||
|  | b._parts=function(){return{protocol:null,username:null,password:null,hostname:null,urn:null,port:null,path:null,query:null,fragment:null,duplicateQueryParameters:b.duplicateQueryParameters,escapeQuerySpace:b.escapeQuerySpace}};b.duplicateQueryParameters=!1;b.escapeQuerySpace=!0;b.protocol_expression=/^[a-z][a-z0-9.+-]*$/i;b.idn_expression=/[^a-z0-9\.-]/i;b.punycode_expression=/(xn--)/i;b.ip4_expression=/^\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3}$/;b.ip6_expression=/^\s*((([0-9A-Fa-f]{1,4}:){7}([0-9A-Fa-f]{1,4}|:))|(([0-9A-Fa-f]{1,4}:){6}(:[0-9A-Fa-f]{1,4}|((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){5}(((:[0-9A-Fa-f]{1,4}){1,2})|:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){4}(((:[0-9A-Fa-f]{1,4}){1,3})|((:[0-9A-Fa-f]{1,4})?:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){3}(((:[0-9A-Fa-f]{1,4}){1,4})|((:[0-9A-Fa-f]{1,4}){0,2}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){2}(((:[0-9A-Fa-f]{1,4}){1,5})|((:[0-9A-Fa-f]{1,4}){0,3}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){1}(((:[0-9A-Fa-f]{1,4}){1,6})|((:[0-9A-Fa-f]{1,4}){0,4}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(:(((:[0-9A-Fa-f]{1,4}){1,7})|((:[0-9A-Fa-f]{1,4}){0,5}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:)))(%.+)?\s*$/; | ||||||
|  | b.find_uri_expression=/\b((?:[a-z][\w-]+:(?:\/{1,3}|[a-z0-9%])|www\d{0,3}[.]|[a-z0-9.\-]+[.][a-z]{2,4}\/)(?:[^\s()<>]+|\(([^\s()<>]+|(\([^\s()<>]+\)))*\))+(?:\(([^\s()<>]+|(\([^\s()<>]+\)))*\)|[^\s`!()\[\]{};:'".,<>?\u00ab\u00bb\u201c\u201d\u2018\u2019]))/ig;b.findUri={start:/\b(?:([a-z][a-z0-9.+-]*:\/\/)|www\.)/gi,end:/[\s\r\n]|$/,trim:/[`!()\[\]{};:'".,<>?\u00ab\u00bb\u201c\u201d\u201e\u2018\u2019]+$/};b.defaultPorts={http:"80",https:"443",ftp:"21",gopher:"70",ws:"80",wss:"443"};b.invalid_hostname_characters= | ||||||
|  | /[^a-zA-Z0-9\.-]/;b.domAttributes={a:"href",blockquote:"cite",link:"href",base:"href",script:"src",form:"action",img:"src",area:"href",iframe:"src",embed:"src",source:"src",track:"src",input:"src",audio:"src",video:"src"};b.getDomAttribute=function(a){if(a&&a.nodeName){var c=a.nodeName.toLowerCase();return"input"===c&&"image"!==a.type?void 0:b.domAttributes[c]}};b.encode=D;b.decode=decodeURIComponent;b.iso8859=function(){b.encode=escape;b.decode=unescape};b.unicode=function(){b.encode=D;b.decode= | ||||||
|  | decodeURIComponent};b.characters={pathname:{encode:{expression:/%(24|26|2B|2C|3B|3D|3A|40)/ig,map:{"%24":"$","%26":"&","%2B":"+","%2C":",","%3B":";","%3D":"=","%3A":":","%40":"@"}},decode:{expression:/[\/\?#]/g,map:{"/":"%2F","?":"%3F","#":"%23"}}},reserved:{encode:{expression:/%(21|23|24|26|27|28|29|2A|2B|2C|2F|3A|3B|3D|3F|40|5B|5D)/ig,map:{"%3A":":","%2F":"/","%3F":"?","%23":"#","%5B":"[","%5D":"]","%40":"@","%21":"!","%24":"$","%26":"&","%27":"'","%28":"(","%29":")","%2A":"*","%2B":"+","%2C":",", | ||||||
|  | "%3B":";","%3D":"="}}}};b.encodeQuery=function(a,c){var d=b.encode(a+"");void 0===c&&(c=b.escapeQuerySpace);return c?d.replace(/%20/g,"+"):d};b.decodeQuery=function(a,c){a+="";void 0===c&&(c=b.escapeQuerySpace);try{return b.decode(c?a.replace(/\+/g,"%20"):a)}catch(d){return a}};b.recodePath=function(a){a=(a+"").split("/");for(var c=0,d=a.length;c<d;c++)a[c]=b.encodePathSegment(b.decode(a[c]));return a.join("/")};b.decodePath=function(a){a=(a+"").split("/");for(var c=0,d=a.length;c<d;c++)a[c]=b.decodePathSegment(a[c]); | ||||||
|  | return a.join("/")};var w={encode:"encode",decode:"decode"},q,B=function(a,c){return function(d){try{return b[c](d+"").replace(b.characters[a][c].expression,function(d){return b.characters[a][c].map[d]})}catch(u){return d}}};for(q in w)b[q+"PathSegment"]=B("pathname",w[q]);b.encodeReserved=B("reserved","encode");b.parse=function(a,c){var d;c||(c={});d=a.indexOf("#");-1<d&&(c.fragment=a.substring(d+1)||null,a=a.substring(0,d));d=a.indexOf("?");-1<d&&(c.query=a.substring(d+1)||null,a=a.substring(0, | ||||||
|  | d));"//"===a.substring(0,2)?(c.protocol=null,a=a.substring(2),a=b.parseAuthority(a,c)):(d=a.indexOf(":"),-1<d&&(c.protocol=a.substring(0,d)||null,c.protocol&&!c.protocol.match(b.protocol_expression)?c.protocol=void 0:"//"===a.substring(d+1,d+3)?(a=a.substring(d+3),a=b.parseAuthority(a,c)):(a=a.substring(d+1),c.urn=!0)));c.path=a;return c};b.parseHost=function(a,c){var d=a.indexOf("/"),b;-1===d&&(d=a.length);"["===a.charAt(0)?(b=a.indexOf("]"),c.hostname=a.substring(1,b)||null,c.port=a.substring(b+ | ||||||
|  | 2,d)||null,"/"===c.port&&(c.port=null)):a.indexOf(":")!==a.lastIndexOf(":")?(c.hostname=a.substring(0,d)||null,c.port=null):(b=a.substring(0,d).split(":"),c.hostname=b[0]||null,c.port=b[1]||null);c.hostname&&"/"!==a.substring(d).charAt(0)&&(d++,a="/"+a);return a.substring(d)||"/"};b.parseAuthority=function(a,c){a=b.parseUserinfo(a,c);return b.parseHost(a,c)};b.parseUserinfo=function(a,c){var d=a.indexOf("/"),u=a.lastIndexOf("@",-1<d?d:a.length-1);-1<u&&(-1===d||u<d)?(d=a.substring(0,u).split(":"), | ||||||
|  | c.username=d[0]?b.decode(d[0]):null,d.shift(),c.password=d[0]?b.decode(d.join(":")):null,a=a.substring(u+1)):(c.username=null,c.password=null);return a};b.parseQuery=function(a,c){if(!a)return{};a=a.replace(/&+/g,"&").replace(/^\?*&*|&+$/g,"");if(!a)return{};for(var d={},u=a.split("&"),e=u.length,f,h,g=0;g<e;g++)f=u[g].split("="),h=b.decodeQuery(f.shift(),c),f=f.length?b.decodeQuery(f.join("="),c):null,v.call(d,h)?("string"===typeof d[h]&&(d[h]=[d[h]]),d[h].push(f)):d[h]=f;return d};b.build=function(a){var c= | ||||||
|  | "";a.protocol&&(c+=a.protocol+":");a.urn||!c&&!a.hostname||(c+="//");c+=b.buildAuthority(a)||"";"string"===typeof a.path&&("/"!==a.path.charAt(0)&&"string"===typeof a.hostname&&(c+="/"),c+=a.path);"string"===typeof a.query&&a.query&&(c+="?"+a.query);"string"===typeof a.fragment&&a.fragment&&(c+="#"+a.fragment);return c};b.buildHost=function(a){var c="";if(a.hostname)c=b.ip6_expression.test(a.hostname)?c+("["+a.hostname+"]"):c+a.hostname;else return"";a.port&&(c+=":"+a.port);return c};b.buildAuthority= | ||||||
|  | function(a){return b.buildUserinfo(a)+b.buildHost(a)};b.buildUserinfo=function(a){var c="";a.username&&(c+=b.encode(a.username),a.password&&(c+=":"+b.encode(a.password)),c+="@");return c};b.buildQuery=function(a,c,d){var u="",e,f,h,g;for(f in a)if(v.call(a,f)&&f)if(p(a[f]))for(e={},h=0,g=a[f].length;h<g;h++)void 0!==a[f][h]&&void 0===e[a[f][h]+""]&&(u+="&"+b.buildQueryParameter(f,a[f][h],d),!0!==c&&(e[a[f][h]+""]=!0));else void 0!==a[f]&&(u+="&"+b.buildQueryParameter(f,a[f],d));return u.substring(1)}; | ||||||
|  | b.buildQueryParameter=function(a,c,d){return b.encodeQuery(a,d)+(null!==c?"="+b.encodeQuery(c,d):"")};b.addQuery=function(a,c,d){if("object"===typeof c)for(var e in c)v.call(c,e)&&b.addQuery(a,e,c[e]);else if("string"===typeof c)void 0===a[c]?a[c]=d:("string"===typeof a[c]&&(a[c]=[a[c]]),p(d)||(d=[d]),a[c]=(a[c]||[]).concat(d));else throw new TypeError("URI.addQuery() accepts an object, string as the name parameter");};b.removeQuery=function(a,c,d){var e;if(p(c))for(d=0,e=c.length;d<e;d++)a[c[d]]= | ||||||
|  | void 0;else if("object"===typeof c)for(e in c)v.call(c,e)&&b.removeQuery(a,e,c[e]);else if("string"===typeof c)if(void 0!==d)if(a[c]===d)a[c]=void 0;else{if(p(a[c])){e=a[c];var f={},h,g;if(p(d))for(h=0,g=d.length;h<g;h++)f[d[h]]=!0;else f[d]=!0;h=0;for(g=e.length;h<g;h++)void 0!==f[e[h]]&&(e.splice(h,1),g--,h--);a[c]=e}}else a[c]=void 0;else throw new TypeError("URI.addQuery() accepts an object, string as the first parameter");};b.hasQuery=function(a,c,d,e){if("object"===typeof c){for(var f in c)if(v.call(c, | ||||||
|  | f)&&!b.hasQuery(a,f,c[f]))return!1;return!0}if("string"!==typeof c)throw new TypeError("URI.hasQuery() accepts an object, string as the name parameter");switch(z(d)){case "Undefined":return c in a;case "Boolean":return a=Boolean(p(a[c])?a[c].length:a[c]),d===a;case "Function":return!!d(a[c],c,a);case "Array":return p(a[c])?(e?h:r)(a[c],d):!1;case "RegExp":return p(a[c])?e?h(a[c],d):!1:Boolean(a[c]&&a[c].match(d));case "Number":d=String(d);case "String":return p(a[c])?e?h(a[c],d):!1:a[c]===d;default:throw new TypeError("URI.hasQuery() accepts undefined, boolean, string, number, RegExp, Function as the value parameter"); | ||||||
|  | }};b.commonPath=function(a,c){var d=Math.min(a.length,c.length),b;for(b=0;b<d;b++)if(a.charAt(b)!==c.charAt(b)){b--;break}if(1>b)return a.charAt(0)===c.charAt(0)&&"/"===a.charAt(0)?"/":"";if("/"!==a.charAt(b)||"/"!==c.charAt(b))b=a.substring(0,b).lastIndexOf("/");return a.substring(0,b+1)};b.withinString=function(a,c,d){d||(d={});var e=d.start||b.findUri.start,f=d.end||b.findUri.end,h=d.trim||b.findUri.trim,g=/[a-z0-9-]=["']?$/i;for(e.lastIndex=0;;){var r=e.exec(a);if(!r)break;r=r.index;if(d.ignoreHtml){var k= | ||||||
|  | a.slice(Math.max(r-3,0),r);if(k&&g.test(k))continue}var k=r+a.slice(r).search(f),m=a.slice(r,k).replace(h,"");d.ignore&&d.ignore.test(m)||(k=r+m.length,m=c(m,r,k,a),a=a.slice(0,r)+m+a.slice(k),e.lastIndex=r+m.length)}e.lastIndex=0;return a};b.ensureValidHostname=function(a){if(a.match(b.invalid_hostname_characters)){if(!f)throw new TypeError('Hostname "'+a+'" contains characters other than [A-Z0-9.-] and Punycode.js is not available');if(f.toASCII(a).match(b.invalid_hostname_characters))throw new TypeError('Hostname "'+ | ||||||
|  | a+'" contains characters other than [A-Z0-9.-]');}};b.noConflict=function(a){if(a)return a={URI:this.noConflict()},m.URITemplate&&"function"===typeof m.URITemplate.noConflict&&(a.URITemplate=m.URITemplate.noConflict()),m.IPv6&&"function"===typeof m.IPv6.noConflict&&(a.IPv6=m.IPv6.noConflict()),m.SecondLevelDomains&&"function"===typeof m.SecondLevelDomains.noConflict&&(a.SecondLevelDomains=m.SecondLevelDomains.noConflict()),a;m.URI===this&&(m.URI=n);return this};e.build=function(a){if(!0===a)this._deferred_build= | ||||||
|  | !0;else if(void 0===a||this._deferred_build)this._string=b.build(this._parts),this._deferred_build=!1;return this};e.clone=function(){return new b(this)};e.valueOf=e.toString=function(){return this.build(!1)._string};e.protocol=A("protocol");e.username=A("username");e.password=A("password");e.hostname=A("hostname");e.port=A("port");e.query=t("query","?");e.fragment=t("fragment","#");e.search=function(a,c){var d=this.query(a,c);return"string"===typeof d&&d.length?"?"+d:d};e.hash=function(a,c){var d= | ||||||
|  | this.fragment(a,c);return"string"===typeof d&&d.length?"#"+d:d};e.pathname=function(a,c){if(void 0===a||!0===a){var d=this._parts.path||(this._parts.hostname?"/":"");return a?b.decodePath(d):d}this._parts.path=a?b.recodePath(a):"/";this.build(!c);return this};e.path=e.pathname;e.href=function(a,c){var d;if(void 0===a)return this.toString();this._string="";this._parts=b._parts();var e=a instanceof b,f="object"===typeof a&&(a.hostname||a.path||a.pathname);a.nodeName&&(f=b.getDomAttribute(a),a=a[f]|| | ||||||
|  | "",f=!1);!e&&f&&void 0!==a.pathname&&(a=a.toString());if("string"===typeof a||a instanceof String)this._parts=b.parse(String(a),this._parts);else if(e||f)for(d in e=e?a._parts:a,e)v.call(this._parts,d)&&(this._parts[d]=e[d]);else throw new TypeError("invalid input");this.build(!c);return this};e.is=function(a){var c=!1,d=!1,e=!1,f=!1,h=!1,r=!1,k=!1,m=!this._parts.urn;this._parts.hostname&&(m=!1,d=b.ip4_expression.test(this._parts.hostname),e=b.ip6_expression.test(this._parts.hostname),c=d||e,h=(f= | ||||||
|  | !c)&&g&&g.has(this._parts.hostname),r=f&&b.idn_expression.test(this._parts.hostname),k=f&&b.punycode_expression.test(this._parts.hostname));switch(a.toLowerCase()){case "relative":return m;case "absolute":return!m;case "domain":case "name":return f;case "sld":return h;case "ip":return c;case "ip4":case "ipv4":case "inet4":return d;case "ip6":case "ipv6":case "inet6":return e;case "idn":return r;case "url":return!this._parts.urn;case "urn":return!!this._parts.urn;case "punycode":return k}return null}; | ||||||
|  | var E=e.protocol,F=e.port,G=e.hostname;e.protocol=function(a,c){if(void 0!==a&&a&&(a=a.replace(/:(\/\/)?$/,""),!a.match(b.protocol_expression)))throw new TypeError('Protocol "'+a+"\" contains characters other than [A-Z0-9.+-] or doesn't start with [A-Z]");return E.call(this,a,c)};e.scheme=e.protocol;e.port=function(a,c){if(this._parts.urn)return void 0===a?"":this;if(void 0!==a&&(0===a&&(a=null),a&&(a+="",":"===a.charAt(0)&&(a=a.substring(1)),a.match(/[^0-9]/))))throw new TypeError('Port "'+a+'" contains characters other than [0-9]'); | ||||||
|  | return F.call(this,a,c)};e.hostname=function(a,c){if(this._parts.urn)return void 0===a?"":this;if(void 0!==a){var d={};b.parseHost(a,d);a=d.hostname}return G.call(this,a,c)};e.host=function(a,c){if(this._parts.urn)return void 0===a?"":this;if(void 0===a)return this._parts.hostname?b.buildHost(this._parts):"";b.parseHost(a,this._parts);this.build(!c);return this};e.authority=function(a,c){if(this._parts.urn)return void 0===a?"":this;if(void 0===a)return this._parts.hostname?b.buildAuthority(this._parts): | ||||||
|  | "";b.parseAuthority(a,this._parts);this.build(!c);return this};e.userinfo=function(a,c){if(this._parts.urn)return void 0===a?"":this;if(void 0===a){if(!this._parts.username)return"";var d=b.buildUserinfo(this._parts);return d.substring(0,d.length-1)}"@"!==a[a.length-1]&&(a+="@");b.parseUserinfo(a,this._parts);this.build(!c);return this};e.resource=function(a,c){var d;if(void 0===a)return this.path()+this.search()+this.hash();d=b.parse(a);this._parts.path=d.path;this._parts.query=d.query;this._parts.fragment= | ||||||
|  | d.fragment;this.build(!c);return this};e.subdomain=function(a,c){if(this._parts.urn)return void 0===a?"":this;if(void 0===a){if(!this._parts.hostname||this.is("IP"))return"";var d=this._parts.hostname.length-this.domain().length-1;return this._parts.hostname.substring(0,d)||""}d=this._parts.hostname.length-this.domain().length;d=this._parts.hostname.substring(0,d);d=new RegExp("^"+k(d));a&&"."!==a.charAt(a.length-1)&&(a+=".");a&&b.ensureValidHostname(a);this._parts.hostname=this._parts.hostname.replace(d, | ||||||
|  | a);this.build(!c);return this};e.domain=function(a,c){if(this._parts.urn)return void 0===a?"":this;"boolean"===typeof a&&(c=a,a=void 0);if(void 0===a){if(!this._parts.hostname||this.is("IP"))return"";var d=this._parts.hostname.match(/\./g);if(d&&2>d.length)return this._parts.hostname;d=this._parts.hostname.length-this.tld(c).length-1;d=this._parts.hostname.lastIndexOf(".",d-1)+1;return this._parts.hostname.substring(d)||""}if(!a)throw new TypeError("cannot set domain empty");b.ensureValidHostname(a); | ||||||
|  | !this._parts.hostname||this.is("IP")?this._parts.hostname=a:(d=new RegExp(k(this.domain())+"$"),this._parts.hostname=this._parts.hostname.replace(d,a));this.build(!c);return this};e.tld=function(a,c){if(this._parts.urn)return void 0===a?"":this;"boolean"===typeof a&&(c=a,a=void 0);if(void 0===a){if(!this._parts.hostname||this.is("IP"))return"";var d=this._parts.hostname.lastIndexOf("."),d=this._parts.hostname.substring(d+1);return!0!==c&&g&&g.list[d.toLowerCase()]?g.get(this._parts.hostname)||d:d}if(a)if(a.match(/[^a-zA-Z0-9-]/))if(g&& | ||||||
|  | g.is(a))d=new RegExp(k(this.tld())+"$"),this._parts.hostname=this._parts.hostname.replace(d,a);else throw new TypeError('TLD "'+a+'" contains characters other than [A-Z0-9]');else{if(!this._parts.hostname||this.is("IP"))throw new ReferenceError("cannot set TLD on non-domain host");d=new RegExp(k(this.tld())+"$");this._parts.hostname=this._parts.hostname.replace(d,a)}else throw new TypeError("cannot set TLD empty");this.build(!c);return this};e.directory=function(a,c){if(this._parts.urn)return void 0=== | ||||||
|  | a?"":this;if(void 0===a||!0===a){if(!this._parts.path&&!this._parts.hostname)return"";if("/"===this._parts.path)return"/";var d=this._parts.path.length-this.filename().length-1,d=this._parts.path.substring(0,d)||(this._parts.hostname?"/":"");return a?b.decodePath(d):d}d=this._parts.path.length-this.filename().length;d=this._parts.path.substring(0,d);d=new RegExp("^"+k(d));this.is("relative")||(a||(a="/"),"/"!==a.charAt(0)&&(a="/"+a));a&&"/"!==a.charAt(a.length-1)&&(a+="/");a=b.recodePath(a);this._parts.path= | ||||||
|  | this._parts.path.replace(d,a);this.build(!c);return this};e.filename=function(a,c){if(this._parts.urn)return void 0===a?"":this;if(void 0===a||!0===a){if(!this._parts.path||"/"===this._parts.path)return"";var d=this._parts.path.lastIndexOf("/"),d=this._parts.path.substring(d+1);return a?b.decodePathSegment(d):d}d=!1;"/"===a.charAt(0)&&(a=a.substring(1));a.match(/\.?\//)&&(d=!0);var e=new RegExp(k(this.filename())+"$");a=b.recodePath(a);this._parts.path=this._parts.path.replace(e,a);d?this.normalizePath(c): | ||||||
|  | this.build(!c);return this};e.suffix=function(a,c){if(this._parts.urn)return void 0===a?"":this;if(void 0===a||!0===a){if(!this._parts.path||"/"===this._parts.path)return"";var d=this.filename(),e=d.lastIndexOf(".");if(-1===e)return"";d=d.substring(e+1);d=/^[a-z0-9%]+$/i.test(d)?d:"";return a?b.decodePathSegment(d):d}"."===a.charAt(0)&&(a=a.substring(1));if(d=this.suffix())e=a?new RegExp(k(d)+"$"):new RegExp(k("."+d)+"$");else{if(!a)return this;this._parts.path+="."+b.recodePath(a)}e&&(a=b.recodePath(a), | ||||||
|  | this._parts.path=this._parts.path.replace(e,a));this.build(!c);return this};e.segment=function(a,c,d){var b=this._parts.urn?":":"/",e=this.path(),f="/"===e.substring(0,1),e=e.split(b);void 0!==a&&"number"!==typeof a&&(d=c,c=a,a=void 0);if(void 0!==a&&"number"!==typeof a)throw Error('Bad segment "'+a+'", must be 0-based integer');f&&e.shift();0>a&&(a=Math.max(e.length+a,0));if(void 0===c)return void 0===a?e:e[a];if(null===a||void 0===e[a])if(p(c)){e=[];a=0;for(var h=c.length;a<h;a++)if(c[a].length|| | ||||||
|  | e.length&&e[e.length-1].length)e.length&&!e[e.length-1].length&&e.pop(),e.push(c[a])}else{if(c||"string"===typeof c)""===e[e.length-1]?e[e.length-1]=c:e.push(c)}else c?e[a]=c:e.splice(a,1);f&&e.unshift("");return this.path(e.join(b),d)};e.segmentCoded=function(a,c,d){var e,f;"number"!==typeof a&&(d=c,c=a,a=void 0);if(void 0===c){a=this.segment(a,c,d);if(p(a))for(e=0,f=a.length;e<f;e++)a[e]=b.decode(a[e]);else a=void 0!==a?b.decode(a):void 0;return a}if(p(c))for(e=0,f=c.length;e<f;e++)c[e]=b.decode(c[e]); | ||||||
|  | else c="string"===typeof c||c instanceof String?b.encode(c):c;return this.segment(a,c,d)};var H=e.query;e.query=function(a,c){if(!0===a)return b.parseQuery(this._parts.query,this._parts.escapeQuerySpace);if("function"===typeof a){var d=b.parseQuery(this._parts.query,this._parts.escapeQuerySpace),e=a.call(this,d);this._parts.query=b.buildQuery(e||d,this._parts.duplicateQueryParameters,this._parts.escapeQuerySpace);this.build(!c);return this}return void 0!==a&&"string"!==typeof a?(this._parts.query= | ||||||
|  | b.buildQuery(a,this._parts.duplicateQueryParameters,this._parts.escapeQuerySpace),this.build(!c),this):H.call(this,a,c)};e.setQuery=function(a,c,d){var e=b.parseQuery(this._parts.query,this._parts.escapeQuerySpace);if("string"===typeof a||a instanceof String)e[a]=void 0!==c?c:null;else if("object"===typeof a)for(var f in a)v.call(a,f)&&(e[f]=a[f]);else throw new TypeError("URI.addQuery() accepts an object, string as the name parameter");this._parts.query=b.buildQuery(e,this._parts.duplicateQueryParameters, | ||||||
|  | this._parts.escapeQuerySpace);"string"!==typeof a&&(d=c);this.build(!d);return this};e.addQuery=function(a,c,d){var e=b.parseQuery(this._parts.query,this._parts.escapeQuerySpace);b.addQuery(e,a,void 0===c?null:c);this._parts.query=b.buildQuery(e,this._parts.duplicateQueryParameters,this._parts.escapeQuerySpace);"string"!==typeof a&&(d=c);this.build(!d);return this};e.removeQuery=function(a,c,d){var e=b.parseQuery(this._parts.query,this._parts.escapeQuerySpace);b.removeQuery(e,a,c);this._parts.query= | ||||||
|  | b.buildQuery(e,this._parts.duplicateQueryParameters,this._parts.escapeQuerySpace);"string"!==typeof a&&(d=c);this.build(!d);return this};e.hasQuery=function(a,c,d){var e=b.parseQuery(this._parts.query,this._parts.escapeQuerySpace);return b.hasQuery(e,a,c,d)};e.setSearch=e.setQuery;e.addSearch=e.addQuery;e.removeSearch=e.removeQuery;e.hasSearch=e.hasQuery;e.normalize=function(){return this._parts.urn?this.normalizeProtocol(!1).normalizeQuery(!1).normalizeFragment(!1).build():this.normalizeProtocol(!1).normalizeHostname(!1).normalizePort(!1).normalizePath(!1).normalizeQuery(!1).normalizeFragment(!1).build()}; | ||||||
|  | e.normalizeProtocol=function(a){"string"===typeof this._parts.protocol&&(this._parts.protocol=this._parts.protocol.toLowerCase(),this.build(!a));return this};e.normalizeHostname=function(a){this._parts.hostname&&(this.is("IDN")&&f?this._parts.hostname=f.toASCII(this._parts.hostname):this.is("IPv6")&&l&&(this._parts.hostname=l.best(this._parts.hostname)),this._parts.hostname=this._parts.hostname.toLowerCase(),this.build(!a));return this};e.normalizePort=function(a){"string"===typeof this._parts.protocol&& | ||||||
|  | this._parts.port===b.defaultPorts[this._parts.protocol]&&(this._parts.port=null,this.build(!a));return this};e.normalizePath=function(a){if(this._parts.urn||!this._parts.path||"/"===this._parts.path)return this;var c,d=this._parts.path,e="",f,h;"/"!==d.charAt(0)&&(c=!0,d="/"+d);d=d.replace(/(\/(\.\/)+)|(\/\.$)/g,"/").replace(/\/{2,}/g,"/");c&&(e=d.substring(1).match(/^(\.\.\/)+/)||"")&&(e=e[0]);for(;;){f=d.indexOf("/..");if(-1===f)break;else if(0===f){d=d.substring(3);continue}h=d.substring(0,f).lastIndexOf("/"); | ||||||
|  | -1===h&&(h=f);d=d.substring(0,h)+d.substring(f+3)}c&&this.is("relative")&&(d=e+d.substring(1));d=b.recodePath(d);this._parts.path=d;this.build(!a);return this};e.normalizePathname=e.normalizePath;e.normalizeQuery=function(a){"string"===typeof this._parts.query&&(this._parts.query.length?this.query(b.parseQuery(this._parts.query,this._parts.escapeQuerySpace)):this._parts.query=null,this.build(!a));return this};e.normalizeFragment=function(a){this._parts.fragment||(this._parts.fragment=null,this.build(!a)); | ||||||
|  | return this};e.normalizeSearch=e.normalizeQuery;e.normalizeHash=e.normalizeFragment;e.iso8859=function(){var a=b.encode,c=b.decode;b.encode=escape;b.decode=decodeURIComponent;this.normalize();b.encode=a;b.decode=c;return this};e.unicode=function(){var a=b.encode,c=b.decode;b.encode=D;b.decode=unescape;this.normalize();b.encode=a;b.decode=c;return this};e.readable=function(){var a=this.clone();a.username("").password("").normalize();var c="";a._parts.protocol&&(c+=a._parts.protocol+"://");a._parts.hostname&& | ||||||
|  | (a.is("punycode")&&f?(c+=f.toUnicode(a._parts.hostname),a._parts.port&&(c+=":"+a._parts.port)):c+=a.host());a._parts.hostname&&a._parts.path&&"/"!==a._parts.path.charAt(0)&&(c+="/");c+=a.path(!0);if(a._parts.query){for(var d="",e=0,h=a._parts.query.split("&"),g=h.length;e<g;e++){var r=(h[e]||"").split("="),d=d+("&"+b.decodeQuery(r[0],this._parts.escapeQuerySpace).replace(/&/g,"%26"));void 0!==r[1]&&(d+="="+b.decodeQuery(r[1],this._parts.escapeQuerySpace).replace(/&/g,"%26"))}c+="?"+d.substring(1)}return c+= | ||||||
|  | b.decodeQuery(a.hash(),!0)};e.absoluteTo=function(a){var c=this.clone(),d=["protocol","username","password","hostname","port"],e,f;if(this._parts.urn)throw Error("URNs do not have any generally defined hierarchical components");a instanceof b||(a=new b(a));c._parts.protocol||(c._parts.protocol=a._parts.protocol);if(this._parts.hostname)return c;for(e=0;f=d[e];e++)c._parts[f]=a._parts[f];c._parts.path?".."===c._parts.path.substring(-2)&&(c._parts.path+="/"):(c._parts.path=a._parts.path,c._parts.query|| | ||||||
|  | (c._parts.query=a._parts.query));"/"!==c.path().charAt(0)&&(a=a.directory(),c._parts.path=(a?a+"/":"")+c._parts.path,c.normalizePath());c.build();return c};e.relativeTo=function(a){var c=this.clone().normalize(),d,e,f,h;if(c._parts.urn)throw Error("URNs do not have any generally defined hierarchical components");a=(new b(a)).normalize();d=c._parts;e=a._parts;f=c.path();h=a.path();if("/"!==f.charAt(0))throw Error("URI is already relative");if("/"!==h.charAt(0))throw Error("Cannot calculate a URI relative to another relative URI"); | ||||||
|  | d.protocol===e.protocol&&(d.protocol=null);if(d.username===e.username&&d.password===e.password&&null===d.protocol&&null===d.username&&null===d.password&&d.hostname===e.hostname&&d.port===e.port)d.hostname=null,d.port=null;else return c.build();if(f===h)return d.path="",c.build();a=b.commonPath(c.path(),a.path());if(!a)return c.build();e=e.path.substring(a.length).replace(/[^\/]*$/,"").replace(/.*?\//g,"../");d.path=e+d.path.substring(a.length);return c.build()};e.equals=function(a){var c=this.clone(); | ||||||
|  | a=new b(a);var d={},e={},f={},h;c.normalize();a.normalize();if(c.toString()===a.toString())return!0;d=c.query();e=a.query();c.query("");a.query("");if(c.toString()!==a.toString()||d.length!==e.length)return!1;d=b.parseQuery(d,this._parts.escapeQuerySpace);e=b.parseQuery(e,this._parts.escapeQuerySpace);for(h in d)if(v.call(d,h)){if(!p(d[h])){if(d[h]!==e[h])return!1}else if(!r(d[h],e[h]))return!1;f[h]=!0}for(h in e)if(v.call(e,h)&&!f[h])return!1;return!0};e.duplicateQueryParameters=function(a){this._parts.duplicateQueryParameters= | ||||||
|  | !!a;return this};e.escapeQuerySpace=function(a){this._parts.escapeQuerySpace=!!a;return this};return b});(function(f,l){"object"===typeof exports?module.exports=l(require("./URI")):"function"===typeof define&&define.amd?define(["./URI"],l):f.URITemplate=l(f.URI,f)})(this,function(f,l){function g(b){if(g._cache[b])return g._cache[b];if(!(this instanceof g))return new g(b);this.expression=b;g._cache[b]=this;return this}function m(b){this.data=b;this.cache={}}var b=l&&l.URITemplate,k=Object.prototype.hasOwnProperty,z=g.prototype,p={"":{prefix:"",separator:",",named:!1,empty_name_separator:!1,encode:"encode"}, | ||||||
|  | "+":{prefix:"",separator:",",named:!1,empty_name_separator:!1,encode:"encodeReserved"},"#":{prefix:"#",separator:",",named:!1,empty_name_separator:!1,encode:"encodeReserved"},".":{prefix:".",separator:".",named:!1,empty_name_separator:!1,encode:"encode"},"/":{prefix:"/",separator:"/",named:!1,empty_name_separator:!1,encode:"encode"},";":{prefix:";",separator:";",named:!0,empty_name_separator:!1,encode:"encode"},"?":{prefix:"?",separator:"&",named:!0,empty_name_separator:!0,encode:"encode"},"&":{prefix:"&", | ||||||
|  | separator:"&",named:!0,empty_name_separator:!0,encode:"encode"}};g._cache={};g.EXPRESSION_PATTERN=/\{([^a-zA-Z0-9%_]?)([^\}]+)(\}|$)/g;g.VARIABLE_PATTERN=/^([^*:]+)((\*)|:(\d+))?$/;g.VARIABLE_NAME_PATTERN=/[^a-zA-Z0-9%_]/;g.expand=function(b,f){var k=p[b.operator],m=k.named?"Named":"Unnamed",l=b.variables,t=[],n,e,v;for(v=0;e=l[v];v++)n=f.get(e.name),n.val.length?t.push(g["expand"+m](n,k,e.explode,e.explode&&k.separator||",",e.maxlength,e.name)):n.type&&t.push("");return t.length?k.prefix+t.join(k.separator): | ||||||
|  | ""};g.expandNamed=function(b,g,k,m,l,t){var n="",e=g.encode;g=g.empty_name_separator;var v=!b[e].length,w=2===b.type?"":f[e](t),q,p,z;p=0;for(z=b.val.length;p<z;p++)l?(q=f[e](b.val[p][1].substring(0,l)),2===b.type&&(w=f[e](b.val[p][0].substring(0,l)))):v?(q=f[e](b.val[p][1]),2===b.type?(w=f[e](b.val[p][0]),b[e].push([w,q])):b[e].push([void 0,q])):(q=b[e][p][1],2===b.type&&(w=b[e][p][0])),n&&(n+=m),k?n+=w+(g||q?"=":"")+q:(p||(n+=f[e](t)+(g||q?"=":"")),2===b.type&&(n+=w+","),n+=q);return n};g.expandUnnamed= | ||||||
|  | function(b,g,k,m,l){var t="",n=g.encode;g=g.empty_name_separator;var e=!b[n].length,p,w,q,z;q=0;for(z=b.val.length;q<z;q++)l?w=f[n](b.val[q][1].substring(0,l)):e?(w=f[n](b.val[q][1]),b[n].push([2===b.type?f[n](b.val[q][0]):void 0,w])):w=b[n][q][1],t&&(t+=m),2===b.type&&(p=l?f[n](b.val[q][0].substring(0,l)):b[n][q][0],t+=p,t=k?t+(g||w?"=":""):t+","),t+=w;return t};g.noConflict=function(){l.URITemplate===g&&(l.URITemplate=b);return g};z.expand=function(b){var f="";this.parts&&this.parts.length||this.parse(); | ||||||
|  | b instanceof m||(b=new m(b));for(var k=0,l=this.parts.length;k<l;k++)f+="string"===typeof this.parts[k]?this.parts[k]:g.expand(this.parts[k],b);return f};z.parse=function(){var b=this.expression,f=g.EXPRESSION_PATTERN,k=g.VARIABLE_PATTERN,m=g.VARIABLE_NAME_PATTERN,l=[],t=0,n,e,v;for(f.lastIndex=0;;){e=f.exec(b);if(null===e){l.push(b.substring(t));break}else l.push(b.substring(t,e.index)),t=e.index+e[0].length;if(!p[e[1]])throw Error('Unknown Operator "'+e[1]+'" in "'+e[0]+'"');if(!e[3])throw Error('Unclosed Expression "'+ | ||||||
|  | e[0]+'"');n=e[2].split(",");for(var w=0,q=n.length;w<q;w++){v=n[w].match(k);if(null===v)throw Error('Invalid Variable "'+n[w]+'" in "'+e[0]+'"');if(v[1].match(m))throw Error('Invalid Variable Name "'+v[1]+'" in "'+e[0]+'"');n[w]={name:v[1],explode:!!v[3],maxlength:v[4]&&parseInt(v[4],10)}}if(!n.length)throw Error('Expression Missing Variable(s) "'+e[0]+'"');l.push({expression:e[0],operator:e[1],variables:n})}l.length||l.push(b);this.parts=l;return this};m.prototype.get=function(b){var f=this.data, | ||||||
|  | g={type:0,val:[],encode:[],encodeReserved:[]},l;if(void 0!==this.cache[b])return this.cache[b];this.cache[b]=g;f="[object Function]"===String(Object.prototype.toString.call(f))?f(b):"[object Function]"===String(Object.prototype.toString.call(f[b]))?f[b](b):f[b];if(void 0!==f&&null!==f)if("[object Array]"===String(Object.prototype.toString.call(f))){l=0;for(b=f.length;l<b;l++)void 0!==f[l]&&null!==f[l]&&g.val.push([void 0,String(f[l])]);g.val.length&&(g.type=3)}else if("[object Object]"===String(Object.prototype.toString.call(f))){for(l in f)k.call(f, | ||||||
|  | l)&&void 0!==f[l]&&null!==f[l]&&g.val.push([l,String(f[l])]);g.val.length&&(g.type=2)}else g.type=1,g.val.push([void 0,String(f)]);return g};f.expand=function(b,k){var l=(new g(b)).expand(k);return new f(l)};return g}); | ||||||
							
								
								
									
										2
									
								
								static/lib/angular-file-upload-html5-shim.min.js
									
										
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										2
									
								
								static/lib/angular-file-upload-html5-shim.min.js
									
										
									
									
										vendored
									
									
										Normal file
									
								
							|  | @ -0,0 +1,2 @@ | ||||||
|  | /*! 1.4.0 */ | ||||||
|  | window.XMLHttpRequest&&window.FormData&&(XMLHttpRequest=function(a){return function(){var b=new a;return b.setRequestHeader=function(a){return function(c,d){if("__setXHR_"===c){var e=d(b);e instanceof Function&&e(b)}else a.apply(b,arguments)}}(b.setRequestHeader),b}}(XMLHttpRequest),window.XMLHttpRequest.__isShim=!0); | ||||||
							
								
								
									
										2
									
								
								static/lib/angular-file-upload.min.js
									
										
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										2
									
								
								static/lib/angular-file-upload.min.js
									
										
									
									
										vendored
									
									
										Normal file
									
								
							|  | @ -0,0 +1,2 @@ | ||||||
|  | /*! 1.4.0 */ | ||||||
|  | !function(){var a=angular.module("angularFileUpload",[]);a.service("$upload",["$http","$timeout",function(a,b){function c(c){c.method=c.method||"POST",c.headers=c.headers||{},c.transformRequest=c.transformRequest||function(b,c){return window.ArrayBuffer&&b instanceof window.ArrayBuffer?b:a.defaults.transformRequest[0](b,c)},window.XMLHttpRequest.__isShim&&(c.headers.__setXHR_=function(){return function(a){a&&(c.__XHR=a,c.xhrFn&&c.xhrFn(a),a.upload.addEventListener("progress",function(a){c.progress&&b(function(){c.progress&&c.progress(a)})},!1),a.upload.addEventListener("load",function(a){a.lengthComputable&&c.progress&&c.progress(a)},!1))}});var d=a(c);return d.progress=function(a){return c.progress=a,d},d.abort=function(){return c.__XHR&&b(function(){c.__XHR.abort()}),d},d.xhr=function(a){return c.xhrFn=a,d},d.then=function(a,b){return function(d,e,f){c.progress=f||c.progress;var g=b.apply(a,[d,e,f]);return g.abort=a.abort,g.progress=a.progress,g.xhr=a.xhr,g.then=a.then,g}}(d,d.then),d}this.upload=function(b){b.headers=b.headers||{},b.headers["Content-Type"]=void 0,b.transformRequest=b.transformRequest||a.defaults.transformRequest;var d=new FormData,e=b.transformRequest,f=b.data;return b.transformRequest=function(a,c){if(f)if(b.formDataAppender)for(var d in f){var g=f[d];b.formDataAppender(a,d,g)}else for(var d in f){var g=f[d];if("function"==typeof e)g=e(g,c);else for(var h=0;h<e.length;h++){var i=e[h];"function"==typeof i&&(g=i(g,c))}a.append(d,g)}if(null!=b.file){var j=b.fileFormDataName||"file";if("[object Array]"===Object.prototype.toString.call(b.file))for(var k="[object String]"===Object.prototype.toString.call(j),h=0;h<b.file.length;h++)a.append(k?j+h:j[h],b.file[h],b.file[h].name);else a.append(j,b.file,b.file.name)}return a},b.data=d,c(b)},this.http=function(a){return c(a)}}]),a.directive("ngFileSelect",["$parse","$timeout",function(a,b){return function(c,d,e){var f=a(e.ngFileSelect);d.bind("change",function(a){var d,e,g=[];if(d=a.target.files,null!=d)for(e=0;e<d.length;e++)g.push(d.item(e));b(function(){f(c,{$files:g,$event:a})})}),("ontouchstart"in window||navigator.maxTouchPoints>0||navigator.msMaxTouchPoints>0)&&d.bind("touchend",function(a){a.preventDefault(),a.target.click()})}}]),a.directive("ngFileDropAvailable",["$parse","$timeout",function(a,b){return function(c,d,e){if("draggable"in document.createElement("span")){var f=a(e.ngFileDropAvailable);b(function(){f(c)})}}}]),a.directive("ngFileDrop",["$parse","$timeout",function(a,b){return function(c,d,e){function f(a,b){if(b.isDirectory){var c=b.createReader();i++,c.readEntries(function(b){for(var c=0;c<b.length;c++)f(a,b[c]);i--})}else i++,b.file(function(b){i--,a.push(b)})}if("draggable"in document.createElement("span")){var g=null,h=a(e.ngFileDrop);d[0].addEventListener("dragover",function(a){b.cancel(g),a.stopPropagation(),a.preventDefault(),d.addClass(e.ngFileDragOverClass||"dragover")},!1),d[0].addEventListener("dragleave",function(){g=b(function(){d.removeClass(e.ngFileDragOverClass||"dragover")})},!1);var i=0;d[0].addEventListener("drop",function(a){a.stopPropagation(),a.preventDefault(),d.removeClass(e.ngFileDragOverClass||"dragover");var g=[],j=a.dataTransfer.items;if(j&&j.length>0&&j[0].webkitGetAsEntry)for(var k=0;k<j.length;k++)f(g,j[k].webkitGetAsEntry());else{var l=a.dataTransfer.files;if(null!=l)for(var k=0;k<l.length;k++)g.push(l.item(k))}!function m(d){b(function(){i?m(10):h(c,{$files:g,$event:a})},d||0)}()},!1)}}}])}(); | ||||||
|  | @ -40,7 +40,7 @@ | ||||||
|   <div class="row"> |   <div class="row"> | ||||||
|     <div class="col-sm-12"> |     <div class="col-sm-12"> | ||||||
|       <h3>Our Story</h3> |       <h3>Our Story</h3> | ||||||
|       <p>Quay.io was originally created out of necessesity when we wanted to use Docker containers with our original IDE product. We were using Docker containers to host and isolate server processes invoked on behalf of our users and often running their code. We started by building the Docker image dynamically whenever we spun up a new host node. The image was monolithic. It was too large, took too long to build, and was hard to manage conflicts. It was everything that Docker wasn't supposed to be. When we decided to split it up into pre-built images and host them somewhere, we noticed that there wasn't a good place to host images securely. Determined to scratch our own itch, we built Quay.io, and officially launched it as an aside in our presentation to the <a href="http://www.meetup.com/Docker-NewYorkCity/events/142142762/">Docker New York City Meetup</a> on October 2nd, 2013.</p> |       <p>Quay.io was originally created out of necessity when we wanted to use Docker containers with our original IDE product. We were using Docker containers to host and isolate server processes invoked on behalf of our users and often running their code. We started by building the Docker image dynamically whenever we spun up a new host node. The image was monolithic. It was too large, took too long to build, and was hard to manage conflicts. It was everything that Docker wasn't supposed to be. When we decided to split it up into pre-built images and host them somewhere, we noticed that there wasn't a good place to host images securely. Determined to scratch our own itch, we built Quay.io, and officially launched it as an aside in our presentation to the <a href="http://www.meetup.com/Docker-NewYorkCity/events/142142762/">Docker New York City Meetup</a> on October 2nd, 2013.</p> | ||||||
|       <p>After launch, our customers demanded that Quay.io become our main focus. They rely on us to make sure they can store and distribute their Docker images, and we understand that solemn responsibility. Our customers have been fantastic with giving us great feedback and suggestions.</p> |       <p>After launch, our customers demanded that Quay.io become our main focus. They rely on us to make sure they can store and distribute their Docker images, and we understand that solemn responsibility. Our customers have been fantastic with giving us great feedback and suggestions.</p> | ||||||
|       <p>In August, 2014, Quay.io joined <a href="https://coreos.com">CoreOS</a> to provide registry support for the enterprise. As ever, we are working as hard as we can to deliver on the promise and execute our vision of what a top notch Docker registry should be. |       <p>In August, 2014, Quay.io joined <a href="https://coreos.com">CoreOS</a> to provide registry support for the enterprise. As ever, we are working as hard as we can to deliver on the promise and execute our vision of what a top notch Docker registry should be. | ||||||
|     </div> |     </div> | ||||||
|  |  | ||||||
							
								
								
									
										299
									
								
								static/partials/setup.html
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										299
									
								
								static/partials/setup.html
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,299 @@ | ||||||
|  | <div> | ||||||
|  |   <div class="cor-loader" ng-show="currentStep == States.LOADING"></div> | ||||||
|  |   <div class="page-content" quay-show="Features.SUPER_USERS && currentStep == States.CONFIG"> | ||||||
|  |     <div class="cor-title"> | ||||||
|  |       <span class="cor-title-link"></span> | ||||||
|  |       <span class="cor-title-content">Enterprise Registry Setup</span> | ||||||
|  |     </div> | ||||||
|  | 
 | ||||||
|  |     <div class="cor-tab-panel" style="padding: 20px;"> | ||||||
|  |       <div class="co-alert alert alert-info"> | ||||||
|  |         <span class="cor-step-bar" progress="stepProgress"> | ||||||
|  |           <span class="cor-step" title="Configure Database" text="1"></span> | ||||||
|  |           <span class="cor-step" title="Setup Database" icon="database"></span> | ||||||
|  |           <span class="cor-step" title="Container Restart" icon="refresh"></span> | ||||||
|  |           <span class="cor-step" title="Create Superuser" text="2"></span> | ||||||
|  |           <span class="cor-step" title="Configure Registry" text="3"></span> | ||||||
|  |           <span class="cor-step" title="Validate Configuration" text="4"></span> | ||||||
|  |           <span class="cor-step" title="Container Restart" icon="refresh"></span> | ||||||
|  |           <span class="cor-step" title="Setup Complete" icon="check"></span> | ||||||
|  |         </span> | ||||||
|  | 
 | ||||||
|  |         <div><strong>Almost done!</strong></div> | ||||||
|  |         <div>Configure your Redis database and other settings below</div> | ||||||
|  |       </div> | ||||||
|  | 
 | ||||||
|  |       <div class="config-setup-tool" is-active="isStep(currentStep, States.CONFIG)" | ||||||
|  |            configuration-saved="configurationSaved(config)"></div> | ||||||
|  |     </div> | ||||||
|  |   </div> | ||||||
|  | </div> | ||||||
|  | 
 | ||||||
|  | <!-- Modal message dialog --> | ||||||
|  | <div class="co-dialog modal fade initial-setup-modal" id="setupModal"> | ||||||
|  |   <div class="modal-dialog"> | ||||||
|  |     <div class="modal-content"> | ||||||
|  |       <!-- Header --> | ||||||
|  |       <div class="modal-header"> | ||||||
|  |         <span class="cor-step-bar" progress="stepProgress"> | ||||||
|  |           <span class="cor-step" title="Configure Database" text="1"></span> | ||||||
|  |           <span class="cor-step" title="Setup Database" icon="database"></span> | ||||||
|  |           <span class="cor-step" title="Container Restart" icon="refresh"></span> | ||||||
|  |           <span class="cor-step" title="Create Superuser" text="2"></span> | ||||||
|  |           <span class="cor-step" title="Configure Registry" text="3"></span> | ||||||
|  |           <span class="cor-step" title="Validate Configuration" text="4"></span> | ||||||
|  |           <span class="cor-step" title="Container Restart" icon="refresh"></span> | ||||||
|  |           <span class="cor-step" title="Setup Complete" icon="check"></span> | ||||||
|  |         </span> | ||||||
|  |         <h4 class="modal-title"><span><span class="registry-name" is-short="true"></span> Setup</h4> | ||||||
|  |       </div> | ||||||
|  | 
 | ||||||
|  |       <form id="superuserForm" name="superuserForm" ng-submit="createSuperUser()"> | ||||||
|  |         <!-- Content: CREATE_SUPERUSER or SUPERUSER_ERROR or CREATING_SUPERUSER --> | ||||||
|  |         <div class="modal-body config-setup-tool-element" style="padding: 20px" | ||||||
|  |              ng-show="isStep(currentStep, States.CREATE_SUPERUSER, States.SUPERUSER_ERROR, States.CREATING_SUPERUSER)"> | ||||||
|  |             <p>A superuser is the main administrator of your <span class="registry-name" is-short="true"></span>. Only superusers can edit configuration settings.</p> | ||||||
|  | 
 | ||||||
|  |             <div class="form-group"> | ||||||
|  |               <label>Username</label> | ||||||
|  |               <input class="form-control" type="text" ng-model="superUser.username" | ||||||
|  |                      ng-pattern="/^[a-z0-9_]{4,30}$/" required> | ||||||
|  |               <div class="help-text">Minimum 4 characters in length</div> | ||||||
|  |             </div> | ||||||
|  | 
 | ||||||
|  |             <div class="form-group"> | ||||||
|  |               <label>Email address</label> | ||||||
|  |               <input class="form-control" type="email" ng-model="superUser.email" required> | ||||||
|  |             </div> | ||||||
|  | 
 | ||||||
|  |             <div class="form-group"> | ||||||
|  |               <label>Password</label> | ||||||
|  |               <input class="form-control" type="password" ng-model="superUser.password" | ||||||
|  |                      ng-pattern="/^[^\s]+$/" | ||||||
|  |                      ng-minlength="8" required> | ||||||
|  |               <div class="help-text">Minimum 8 characters in length</div> | ||||||
|  |             </div> | ||||||
|  | 
 | ||||||
|  |             <div class="form-group"> | ||||||
|  |               <label>Repeat Password</label> | ||||||
|  |               <input class="form-control" type="password" ng-model="superUser.repeatPassword" | ||||||
|  |                      match="superUser.password" required> | ||||||
|  |             </div> | ||||||
|  |        </div> | ||||||
|  | 
 | ||||||
|  |         <!-- Footer: CREATE_SUPERUSER or SUPERUSER_ERROR --> | ||||||
|  |         <div class="modal-footer" | ||||||
|  |              ng-show="isStep(currentStep, States.CREATE_SUPERUSER, States.SUPERUSER_ERROR)"> | ||||||
|  |           <button type="submit" class="btn btn-primary" ng-disabled="!superuserForm.$valid"> | ||||||
|  |             Create Super User | ||||||
|  |           </button> | ||||||
|  |         </div> | ||||||
|  |       </form> | ||||||
|  | 
 | ||||||
|  |       <!-- Content: DB_RESTARTING or CONFIG_RESTARTING --> | ||||||
|  |       <div class="modal-body" style="padding: 20px;" | ||||||
|  |            ng-show="isStep(currentStep, States.DB_RESTARTING, States.CONFIG_RESTARTING)"> | ||||||
|  |            <h4 style="margin-bottom: 20px;"> | ||||||
|  |             <i class="fa fa-lg fa-refresh" style="margin-right: 10px;"></i> | ||||||
|  |              <span class="registry-name"></span> is currently being restarted | ||||||
|  |            </h4> | ||||||
|  |            This can take several minutes. If the container does not restart on its own, | ||||||
|  |            please re-execute the <code>docker run</code> command. | ||||||
|  |       </div> | ||||||
|  | 
 | ||||||
|  |      <!-- Content: READY --> | ||||||
|  |       <div class="modal-body" style="padding: 20px;" | ||||||
|  |            ng-show="isStep(currentStep, States.READY)"> | ||||||
|  |            <h4>Installation and setup of <span class="registry-name"></span> is complete</h4> | ||||||
|  |            You can now invite users to join, create organizations and start pushing and pulling | ||||||
|  |            repositories. | ||||||
|  | 
 | ||||||
|  |            <strong ng-if="hasSSL" style="margin-top: 20px;"> | ||||||
|  |             Note: SSL is enabled. Please make sure to visit with | ||||||
|  |             an <u>https</u> prefix | ||||||
|  |            </strong> | ||||||
|  |       </div> | ||||||
|  | 
 | ||||||
|  |      <!-- Content: VALID_CONFIG --> | ||||||
|  |       <div class="modal-body" style="padding: 20px;" | ||||||
|  |            ng-show="isStep(currentStep, States.VALID_CONFIG)"> | ||||||
|  |            <h4>All configuration has been validated and saved</h4> | ||||||
|  |            The container must be restarted to apply the configuration changes. | ||||||
|  |       </div> | ||||||
|  | 
 | ||||||
|  |       <!-- Content: DB_SETUP_SUCCESS --> | ||||||
|  |       <div class="modal-body" style="padding: 20px;" | ||||||
|  |            ng-show="isStep(currentStep, States.DB_SETUP_SUCCESS)"> | ||||||
|  |            <h4>The database has been setup and is ready</h4> | ||||||
|  |            The container must be restarted to apply the configuration changes. | ||||||
|  |       </div> | ||||||
|  | 
 | ||||||
|  |       <!-- Content: DB_SETUP or DB_SETUP_ERROR --> | ||||||
|  |       <div class="modal-body" style="padding: 20px;" | ||||||
|  |            ng-show="isStep(currentStep, States.DB_SETUP, States.DB_SETUP_ERROR)"> | ||||||
|  |            <h4> | ||||||
|  |              <i class="fa fa-lg fa-database" style="margin-right: 10px;"></i> | ||||||
|  |              <span class="registry-name"></span> is currently setting up its database | ||||||
|  |              schema | ||||||
|  |            </h4> | ||||||
|  |            This can take several minutes. | ||||||
|  |       </div> | ||||||
|  | 
 | ||||||
|  |       <!-- Content: CONFIG_DB or DB_ERROR or VALIDATING_DB or SAVING_DB --> | ||||||
|  |       <div class="modal-body validate-database config-setup-tool-element" | ||||||
|  |            ng-show="isStep(currentStep, States.CONFIG_DB, States.DB_ERROR, States.VALIDATING_DB, States.SAVING_DB)"> | ||||||
|  |         <p> | ||||||
|  |         Please enter the connection details for your <strong>empty</strong> database. The schema will be created in the following step.</p> | ||||||
|  |         </p> | ||||||
|  | 
 | ||||||
|  |         <div class="config-parsed-field" binding="databaseUri" | ||||||
|  |                                    parser="parseDbUri(value)" | ||||||
|  |                                    serializer="serializeDbUri(fields)"> | ||||||
|  |           <table class="config-table"> | ||||||
|  |             <tr> | ||||||
|  |               <td class="non-input">Database Type:</td> | ||||||
|  |               <td> | ||||||
|  |                  <select ng-model="fields.kind"> | ||||||
|  |                     <option value="mysql+pymysql">MySQL</option> | ||||||
|  |                     <option value="postgresql">Postgres</option> | ||||||
|  |                  </select> | ||||||
|  |               </td> | ||||||
|  |             </tr> | ||||||
|  |             <tr ng-show="fields.kind"> | ||||||
|  |               <td>Database Server:</td> | ||||||
|  |               <td> | ||||||
|  |                 <span class="config-string-field" binding="fields.server" | ||||||
|  |                       placeholder="dbserverhost" | ||||||
|  |                       pattern="{{ HOSTNAME_REGEX }}" | ||||||
|  |                       validator="validateHostname(value)">></span> | ||||||
|  |                 <div class="help-text"> | ||||||
|  |                   The server (and optionally, custom port) where the database lives | ||||||
|  |                 </div> | ||||||
|  |               </td> | ||||||
|  |             </tr> | ||||||
|  |             <tr ng-show="fields.kind"> | ||||||
|  |               <td>Username:</td> | ||||||
|  |               <td> | ||||||
|  |                 <span class="config-string-field" binding="fields.username" | ||||||
|  |                       placeholder="someuser"></span> | ||||||
|  |                 <div class="help-text">This user must have <strong>full access</strong> to the database</div> | ||||||
|  |               </td> | ||||||
|  |             </tr> | ||||||
|  |             <tr ng-show="fields.kind"> | ||||||
|  |               <td>Password:</td> | ||||||
|  |               <td> | ||||||
|  |                 <input class="form-control" type="password" ng-model="fields.password"></span> | ||||||
|  |               </td> | ||||||
|  |             </tr> | ||||||
|  |             <tr ng-show="fields.kind"> | ||||||
|  |               <td>Database Name:</td> | ||||||
|  |               <td> | ||||||
|  |                 <span class="config-string-field" binding="fields.database" | ||||||
|  |                       placeholder="registry-database"></span> | ||||||
|  |               </td> | ||||||
|  |             </tr> | ||||||
|  |           </table> | ||||||
|  |         </div> | ||||||
|  |       </div> | ||||||
|  | 
 | ||||||
|  |       <!-- Footer: CREATING_SUPERUSER --> | ||||||
|  |       <div class="modal-footer working" ng-show="isStep(currentStep, States.CREATING_SUPERUSER)"> | ||||||
|  |         <span class="cor-loader-inline"></span> Creating superuser... | ||||||
|  |       </div> | ||||||
|  | 
 | ||||||
|  |       <!-- Footer: SUPERUSER_ERROR --> | ||||||
|  |       <div class="modal-footer alert alert-warning" | ||||||
|  |            ng-show="isStep(currentStep, States.SUPERUSER_ERROR)"> | ||||||
|  |         {{ errors.SuperuserCreationError }} | ||||||
|  |       </div> | ||||||
|  | 
 | ||||||
|  |       <!-- Footer: DB_SETUP_ERROR --> | ||||||
|  |       <div class="modal-footer alert alert-warning" | ||||||
|  |            ng-show="isStep(currentStep, States.DB_SETUP_ERROR)"> | ||||||
|  |         Database Setup Failed. Please report this to support: {{ errors.DatabaseSetupError }} | ||||||
|  |       </div> | ||||||
|  | 
 | ||||||
|  |       <!-- Footer: DB_ERROR --> | ||||||
|  |       <div class="modal-footer alert alert-warning" ng-show="isStep(currentStep, States.DB_ERROR)"> | ||||||
|  |         Database Validation Issue: {{ errors.DatabaseValidationError }} | ||||||
|  |       </div> | ||||||
|  | 
 | ||||||
|  |       <!-- Footer: CONFIG_DB or DB_ERROR --> | ||||||
|  |       <div class="modal-footer" | ||||||
|  |            ng-show="isStep(currentStep, States.CONFIG_DB, States.DB_ERROR)"> | ||||||
|  |           <span class="left-align" ng-show="isStep(currentStep, States.DB_ERROR)"> | ||||||
|  |             <i class="fa fa-warning"></i> | ||||||
|  |             Problem Detected | ||||||
|  |           </span> | ||||||
|  | 
 | ||||||
|  |           <button type="submit" class="btn btn-primary" | ||||||
|  |                   ng-disabled="!databaseUri" | ||||||
|  |                   ng-click="validateDatabase()"> | ||||||
|  |             Validate Database Settings | ||||||
|  |           </button> | ||||||
|  |       </div> | ||||||
|  | 
 | ||||||
|  |       <!-- Footer: READY --> | ||||||
|  |       <div class="modal-footer" | ||||||
|  |            ng-show="isStep(currentStep, States.READY)"> | ||||||
|  |           <span class="left-align"> | ||||||
|  |             <i class="fa fa-check"></i> | ||||||
|  |             Installation Complete! | ||||||
|  |           </span> | ||||||
|  | 
 | ||||||
|  |           <a href="javascript:void(0)" ng-click="showSuperuserPanel()" class="btn btn-primary"> | ||||||
|  |             View Superuser Panel | ||||||
|  |           </a> | ||||||
|  |       </div> | ||||||
|  | 
 | ||||||
|  |       <!-- Footer: VALID_CONFIG --> | ||||||
|  |       <div class="modal-footer" | ||||||
|  |            ng-show="isStep(currentStep, States.VALID_CONFIG)"> | ||||||
|  |           <span class="left-align"> | ||||||
|  |             <i class="fa fa-check"></i> | ||||||
|  |             Configuration Validated and Saved | ||||||
|  |           </span> | ||||||
|  | 
 | ||||||
|  |           <button type="submit" class="btn btn-primary" | ||||||
|  |                   ng-click="restartContainer(States.CONFIG_RESTARTING)"> | ||||||
|  |             Restart Container | ||||||
|  |           </button> | ||||||
|  |       </div> | ||||||
|  | 
 | ||||||
|  |       <!-- Footer: DB_SETUP_SUCCESS --> | ||||||
|  |       <div class="modal-footer" | ||||||
|  |            ng-show="isStep(currentStep, States.DB_SETUP_SUCCESS)"> | ||||||
|  |           <span class="left-align"> | ||||||
|  |             <i class="fa fa-check"></i> | ||||||
|  |             Database Setup and Ready | ||||||
|  |           </span> | ||||||
|  | 
 | ||||||
|  |           <button type="submit" class="btn btn-primary" | ||||||
|  |                   ng-click="restartContainer(States.DB_RESTARTING)"> | ||||||
|  |             Restart Container | ||||||
|  |           </button> | ||||||
|  |       </div> | ||||||
|  | 
 | ||||||
|  |       <!-- Footer: DB_SETUP --> | ||||||
|  |       <div class="modal-footer working" ng-show="isStep(currentStep, States.DB_SETUP)"> | ||||||
|  |         <span class="cor-loader-inline"></span> Setting up database... | ||||||
|  |       </div> | ||||||
|  | 
 | ||||||
|  |       <!-- Footer: SAVING_DB --> | ||||||
|  |       <div class="modal-footer working" ng-show="isStep(currentStep, States.SAVING_DB)"> | ||||||
|  |         <span class="cor-loader-inline"></span> Saving database configuration... | ||||||
|  |       </div> | ||||||
|  | 
 | ||||||
|  |       <!-- Footer: VALIDATING_DB --> | ||||||
|  |       <div class="modal-footer working" ng-show="isStep(currentStep, States.VALIDATING_DB)"> | ||||||
|  |         <span class="cor-loader-inline"></span> Testing database settings... | ||||||
|  |       </div> | ||||||
|  | 
 | ||||||
|  |       <!-- Footer: DB_RESTARTING or CONFIG_RESTARTING--> | ||||||
|  |       <div class="modal-footer working" | ||||||
|  |            ng-show="isStep(currentStep, States.DB_RESTARTING, States.CONFIG_RESTARTING)"> | ||||||
|  |         <span class="cor-loader-inline"></span> Waiting for container to restart... | ||||||
|  |       </div> | ||||||
|  |     </div><!-- /.modal-content --> | ||||||
|  |   </div><!-- /.modal-dialog --> | ||||||
|  | </div><!-- /.modal --> | ||||||
|  | @ -1,40 +1,83 @@ | ||||||
| <div class="container" quay-show="Features.SUPER_USERS && showInterface"> | <div> | ||||||
|   <div class="alert alert-info"> |   <div class="cor-loader" ng-show="!configStatus"></div> | ||||||
|     This panel provides administrator access to <strong>super users of this installation of the registry</strong>. Super users can be managed in the configuration for this installation. |   <div class="page-content" quay-show="Features.SUPER_USERS && configStatus == 'ready'"> | ||||||
|  |     <div ng-if="requiresRestart" class="alert alert-warning restart-required"> | ||||||
|  |       <button class="btn btn-warning" ng-click="restartContainer()"> | ||||||
|  |         <i class="fa fa-refresh"></i>Restart Now | ||||||
|  |       </button> | ||||||
|  |       <i class="fa fa-lg fa-warning"></i> | ||||||
|  |       <div><strong>Container restart required!</strong></div> | ||||||
|  |       Configuration changes have been made but the container hasn't been restarted yet. | ||||||
|  |     </div> | ||||||
|  |     <div class="cor-title"> | ||||||
|  |       <span class="cor-title-link"></span> | ||||||
|  |       <span class="cor-title-content">Enterprise Registry Management</span> | ||||||
|     </div> |     </div> | ||||||
| 
 | 
 | ||||||
|   <div class="row"> |     <div class="cor-tab-panel"> | ||||||
|     <!-- Side tabs --> |       <div class="cor-tabs"> | ||||||
|     <div class="col-md-2"> |         <span class="cor-tab" tab-active="true" tab-title="Manage Users" | ||||||
|       <ul class="nav nav-pills nav-stacked"> |               tab-target="#users" tab-init="loadUsers()"> | ||||||
|         <li class="active"> |           <i class="fa fa-group"></i> | ||||||
|           <a href="javascript:void(0)" data-toggle="tab" data-target="#users" ng-click="loadUsers()">Users</a> |         </span> | ||||||
|         </li> |         <span class="cor-tab" tab-title="Container Usage" tab-target="#usage-counter" tab-init="getUsage()"> | ||||||
|         <li> |           <i class="fa fa-pie-chart"></i> | ||||||
|           <a href="javascript:void(0)" data-toggle="tab" data-target="#create-user">Create User</a> |         </span> | ||||||
|         </li> |         <span class="cor-tab" tab-title="Usage Logs" tab-target="#logs" tab-init="loadUsageLogs()"> | ||||||
|         <li> |           <i class="fa fa-bar-chart"></i> | ||||||
|           <a href="javascript:void(0)" data-toggle="tab" data-target="#usage-counter" ng-click="getUsage()">System Usage</a> |         </span> | ||||||
|         </li> |         <span class="cor-tab" tab-title="Internal Logs and Debugging" tab-target="#debug" tab-init="loadDebugServices()"> | ||||||
|         <li> |           <i class="fa fa-bug"></i> | ||||||
|           <a href="javascript:void(0)" data-toggle="tab" data-target="#logs" ng-click="loadLogs()">System Logs</a> |         </span> | ||||||
|  |         <span class="cor-tab" tab-title="Registry Settings" tab-target="#setup" | ||||||
|  |                               tab-init="loadConfig()"> | ||||||
|  |           <i class="fa fa-cog"></i> | ||||||
|  |         </span> | ||||||
|  |       </div> <!-- /cor-tabs --> | ||||||
|  | 
 | ||||||
|  |       <div class="cor-tab-content"> | ||||||
|  |         <!-- Setup tab --> | ||||||
|  |         <div id="setup" class="tab-pane"> | ||||||
|  |           <div class="config-setup-tool" is-active="configStatus == 'ready'" | ||||||
|  |                configuration-saved="configurationSaved()"></div> | ||||||
|  |         </div> | ||||||
|  | 
 | ||||||
|  |         <!-- Debugging tab --> | ||||||
|  |         <div id="debug" class="tab-pane"> | ||||||
|  |           <div class="cor-loader" ng-show="!debugServices"></div> | ||||||
|  | 
 | ||||||
|  |           <div role="tabpanel" ng-show="debugServices"> | ||||||
|  |             <!-- Nav tabs --> | ||||||
|  |             <ul class="nav nav-tabs" role="tablist"> | ||||||
|  |               <li role="presentation" ng-repeat="service in debugServices" | ||||||
|  |                   ng-class="debugService == service ? 'active' : ''"> | ||||||
|  |                 <a href="javascript:void(0)" ng-click="viewSystemLogs(service)">{{ service }}</a> | ||||||
|               </li> |               </li> | ||||||
|            </ul> |            </ul> | ||||||
|  | 
 | ||||||
|  |            <div class="system-log-download-panel" ng-if="!debugService"> | ||||||
|  |             Select a service above to view its local logs | ||||||
|  | 
 | ||||||
|  |             <div> | ||||||
|  |               <a class="btn btn-primary" href="/systemlogsarchive?_csrf_token={{ csrf_token }}" target="_blank"> | ||||||
|  |                 <i class="fa fa-download fa-lg" style="margin-right: 4px;"></i> Download All Local Logs (.tar.gz) | ||||||
|  |               </a> | ||||||
|  |             </div> | ||||||
|  |            </div> | ||||||
|  |            <div class="cor-log-box" logs="debugLogs" ng-show="debugService"></div> | ||||||
|  |           </div> | ||||||
|         </div> |         </div> | ||||||
| 
 | 
 | ||||||
|     <!-- Content --> |  | ||||||
|     <div class="col-md-10"> |  | ||||||
|       <div class="tab-content"> |  | ||||||
|         <!-- Logs tab --> |         <!-- Logs tab --> | ||||||
|         <div id="logs" class="tab-pane"> |         <div id="logs" class="tab-pane"> | ||||||
|           <div class="logsView" makevisible="logsCounter" all-logs="true"></div> |           <div class="logsView" makevisible="logsCounter" all-logs="true"></div> | ||||||
|         </div> |         </div> <!-- /logs tab--> | ||||||
| 
 | 
 | ||||||
|         <!-- Usage tab --> |         <!-- Usage tab --> | ||||||
|         <div id="usage-counter" class="tab-pane"> |         <div id="usage-counter" class="tab-pane"> | ||||||
|           <div class="quay-spinner" ng-show="systemUsage == null"></div> |           <div class="cor-loader" ng-show="systemUsage == null"></div> | ||||||
|           <div class="usage-chart" total="systemUsage.allowed" limit="systemUsageLimit" |           <div class="usage-chart" total="systemUsage.allowed" limit="systemUsageLimit" | ||||||
|                current="systemUsage.usage" usage-title="Deployed Repositories"></div> |                current="systemUsage.usage" usage-title="Deployed Containers"></div> | ||||||
| 
 | 
 | ||||||
|           <!-- Alerts --> |           <!-- Alerts --> | ||||||
|           <div class="alert alert-danger" ng-show="systemUsageLimit == 'over' && systemUsage"> |           <div class="alert alert-danger" ng-show="systemUsageLimit == 'over' && systemUsage"> | ||||||
|  | @ -51,46 +94,13 @@ | ||||||
|             You are nearing the number of allowed deployed repositories. It might be time to think about |             You are nearing the number of allowed deployed repositories. It might be time to think about | ||||||
|             upgrading your subscription by contacting <a href="mailto:sales@coreos.com">CoreOS Sales</a>. |             upgrading your subscription by contacting <a href="mailto:sales@coreos.com">CoreOS Sales</a>. | ||||||
|           </div> |           </div> | ||||||
|         </div> |  | ||||||
| 
 | 
 | ||||||
|         <!-- Create user tab --> |           For more information: <a href="https://coreos.com/products/enterprise-registry/plans/">See Here</a>. | ||||||
|         <div id="create-user" class="tab-pane"> |         </div> <!-- /usage-counter tab--> | ||||||
|           <span class="quay-spinner" ng-show="creatingUser"></span> |  | ||||||
|           <form name="createUserForm" ng-submit="createUser()" ng-show="!creatingUser"> |  | ||||||
|             <div class="form-group"> |  | ||||||
|               <label>Username</label> |  | ||||||
|               <input class="form-control" type="text" ng-model="newUser.username" ng-pattern="/^[a-z0-9_]{4,30}$/" required> |  | ||||||
|             </div> |  | ||||||
| 
 |  | ||||||
|             <div class="form-group"> |  | ||||||
|               <label>Email address</label> |  | ||||||
|               <input class="form-control" type="email" ng-model="newUser.email" required> |  | ||||||
|             </div> |  | ||||||
| 
 |  | ||||||
|             <button class="btn btn-primary" type="submit" ng-disabled="!createUserForm.$valid">Create User</button> |  | ||||||
|           </form> |  | ||||||
| 
 |  | ||||||
|           <div style="margin-top: 20px; padding-top: 20px; border-top: 1px solid #eee;" ng-show="createdUsers.length"> |  | ||||||
|             <table class="table"> |  | ||||||
|               <thead> |  | ||||||
|                 <th>Username</th> |  | ||||||
|                 <th>E-mail address</th> |  | ||||||
|                 <th>Temporary Password</th> |  | ||||||
|               </thead> |  | ||||||
| 
 |  | ||||||
|               <tr ng-repeat="created_user in createdUsers" |  | ||||||
|                   class="user-row"> |  | ||||||
|                   <td>{{ created_user.username }}</td> |  | ||||||
|                   <td>{{ created_user.email }}</td> |  | ||||||
|                   <td>{{ created_user.password }}</td> |  | ||||||
|               </tr> |  | ||||||
|             </table> |  | ||||||
|           </div> |  | ||||||
|         </div> |  | ||||||
| 
 | 
 | ||||||
|         <!-- Users tab --> |         <!-- Users tab --> | ||||||
|         <div id="users" class="tab-pane active"> |         <div id="users" class="tab-pane active"> | ||||||
|           <div class="quay-spinner" ng-show="!users"></div> |           <div class="cor-loader" ng-show="!users"></div> | ||||||
|           <div class="alert alert-error" ng-show="usersError"> |           <div class="alert alert-error" ng-show="usersError"> | ||||||
|             {{ usersError }} |             {{ usersError }} | ||||||
|           </div> |           </div> | ||||||
|  | @ -103,58 +113,64 @@ | ||||||
|               <div class="filter-input"> |               <div class="filter-input"> | ||||||
|                 <input id="log-filter" class="form-control" placeholder="Filter Users" type="text" ng-model="search.$"> |                 <input id="log-filter" class="form-control" placeholder="Filter Users" type="text" ng-model="search.$"> | ||||||
|               </div> |               </div> | ||||||
|  |               <button class="btn btn-primary" style="vertical-align: top; margin-left: 10px;" | ||||||
|  |                       ng-click="showCreateUser()"> | ||||||
|  |                 <i class="fa fa-plus" style="margin-right: 6px;"></i>Create User | ||||||
|  |               </button> | ||||||
|             </div> |             </div> | ||||||
| 
 | 
 | ||||||
|             <table class="table"> |             <table class="table"> | ||||||
|               <thead> |               <thead> | ||||||
|  |                 <th style="width: 24px;"></th> | ||||||
|                 <th>Username</th> |                 <th>Username</th> | ||||||
|                 <th>E-mail address</th> |                 <th>E-mail address</th> | ||||||
|                 <th style="width: 24px;"></th> |                 <th style="width: 24px;"></th> | ||||||
|               </thead> |               </thead> | ||||||
| 
 | 
 | ||||||
|               <tr ng-repeat="current_user in (users | filter:search | orderBy:'username' | limitTo:100)" |               <tr ng-repeat="current_user in (users | filter:search | orderBy:'username' | limitTo:100)" | ||||||
|                   class="user-row" |                   class="user-row"> | ||||||
|                   ng-class="current_user.super_user ? 'super-user' : ''"> |  | ||||||
|                 <td> |                 <td> | ||||||
|                   <i class="fa fa-user" style="margin-right: 6px"></i> |                   <span class="avatar" hash="current_user.avatar" size="24"></span> | ||||||
|  |                 </td> | ||||||
|  |                 <td> | ||||||
|  |                   <span class="labels"> | ||||||
|  |                     <span class="label label-default" ng-if="user.username == current_user.username"> | ||||||
|  |                       You | ||||||
|  |                     </span> | ||||||
|  |                     <span class="label label-primary" | ||||||
|  |                           ng-if="current_user.super_user"> | ||||||
|  |                       Superuser | ||||||
|  |                     </span> | ||||||
|  |                   </span> | ||||||
|                   {{ current_user.username }} |                   {{ current_user.username }} | ||||||
|                 </td> |                 </td> | ||||||
|                 <td> |                 <td> | ||||||
|                   <a href="mailto:{{ current_user.email }}">{{ current_user.email }}</a> |                   <a href="mailto:{{ current_user.email }}">{{ current_user.email }}</a> | ||||||
|                 </td> |                 </td> | ||||||
|                 <td style="text-align: center;"> |                 <td style="text-align: center;"> | ||||||
|                   <i class="fa fa-ge fa-lg" ng-if="current_user.super_user" data-title="Super User" bs-tooltip></i> |                   <span class="cor-options-menu" | ||||||
|                   <div class="dropdown" style="text-align: left;" ng-if="user.username != current_user.username && !current_user.super_user"> |                         ng-if="user.username != current_user.username && !current_user.super_user"> | ||||||
|                     <button class="btn btn-default dropdown-toggle" data-toggle="dropdown"> |                     <span class="cor-option" option-click="showChangePassword(current_user)"> | ||||||
|                       <i class="caret"></i> |  | ||||||
|                     </button> |  | ||||||
|                     <ul class="dropdown-menu pull-right"> |  | ||||||
|                       <li> |  | ||||||
|                         <a href="javascript:void(0)" ng-click="showChangePassword(current_user)"> |  | ||||||
|                       <i class="fa fa-key"></i> Change Password |                       <i class="fa fa-key"></i> Change Password | ||||||
|                         </a> |                     </span> | ||||||
|                         <a href="javascript:void(0)" ng-click="sendRecoveryEmail(current_user)" quay-show="Features.MAILING"> |                     <span class="cor-option" option-click="sendRecoveryEmail(current_user)" | ||||||
|  |                           quay-show="Features.MAILING"> | ||||||
|                       <i class="fa fa-envelope"></i> Send Recovery Email |                       <i class="fa fa-envelope"></i> Send Recovery Email | ||||||
|                         </a> |                     </span> | ||||||
|                         <a href="javascript:void(0)" ng-click="showDeleteUser(current_user)"> |                     <span class="cor-option" option-click="showDeleteUser(current_user)"> | ||||||
|                       <i class="fa fa-times"></i> Delete User |                       <i class="fa fa-times"></i> Delete User | ||||||
|                         </a> |                     </span> | ||||||
|                       </li> |                   </span> | ||||||
|                     </ul> |  | ||||||
|                   </div> |  | ||||||
|                 </td> |                 </td> | ||||||
|               </tr> |               </tr> | ||||||
|             </table> |             </table> | ||||||
| 
 |           </div> <!-- /show if users --> | ||||||
|           </div> |         </div> <!-- users-tab --> | ||||||
|         </div> |       </div> <!-- /cor-tab-content --> | ||||||
|       </div> |     </div> <!-- /cor-tab-panel --> | ||||||
|     </div> |  | ||||||
|   </div> |  | ||||||
| 
 |  | ||||||
| 
 | 
 | ||||||
|     <!-- Modal message dialog --> |     <!-- Modal message dialog --> | ||||||
|   <div class="modal fade" id="confirmDeleteUserModal"> |     <div class="co-dialog modal fade" id="confirmDeleteUserModal"> | ||||||
|       <div class="modal-dialog"> |       <div class="modal-dialog"> | ||||||
|         <div class="modal-content"> |         <div class="modal-content"> | ||||||
|           <div class="modal-header"> |           <div class="modal-header"> | ||||||
|  | @ -177,7 +193,82 @@ | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|     <!-- Modal message dialog --> |     <!-- Modal message dialog --> | ||||||
|   <div class="modal fade" id="changePasswordModal"> |     <div class="co-dialog modal fade" id="createUserModal"> | ||||||
|  |       <div class="modal-dialog"> | ||||||
|  |         <div class="modal-content"> | ||||||
|  |           <div class="modal-header"> | ||||||
|  |             <button type="button" class="close" data-dismiss="modal" aria-hidden="true">×</button> | ||||||
|  |             <h4 class="modal-title">Create New User</h4> | ||||||
|  |           </div> | ||||||
|  |           <form name="createUserForm" ng-submit="createUser()"> | ||||||
|  |             <div class="modal-body" ng-show="createdUser"> | ||||||
|  |               <table class="table"> | ||||||
|  |                 <thead> | ||||||
|  |                   <th>Username</th> | ||||||
|  |                   <th>E-mail address</th> | ||||||
|  |                   <th>Temporary Password</th> | ||||||
|  |                 </thead> | ||||||
|  | 
 | ||||||
|  |                 <tr class="user-row"> | ||||||
|  |                     <td>{{ createdUser.username }}</td> | ||||||
|  |                     <td>{{ createdUser.email }}</td> | ||||||
|  |                     <td>{{ createdUser.password }}</td> | ||||||
|  |                 </tr> | ||||||
|  |               </table> | ||||||
|  |             </div> | ||||||
|  |             <div class="modal-body" ng-show="creatingUser"> | ||||||
|  |               <div class="cor-loader"></div> | ||||||
|  |             </div> | ||||||
|  |             <div class="modal-body" ng-show="!creatingUser && !createdUser"> | ||||||
|  |                 <div class="form-group"> | ||||||
|  |                   <label>Username</label> | ||||||
|  |                   <input class="form-control" type="text" ng-model="newUser.username" ng-pattern="/^[a-z0-9_]{4,30}$/" required> | ||||||
|  |                 </div> | ||||||
|  | 
 | ||||||
|  |                 <div class="form-group"> | ||||||
|  |                   <label>Email address</label> | ||||||
|  |                   <input class="form-control" type="email" ng-model="newUser.email" required> | ||||||
|  |                 </div> | ||||||
|  |             </div> | ||||||
|  |             <div class="modal-footer" ng-show="createdUser"> | ||||||
|  |               <button type="button" class="btn btn-default" data-dismiss="modal">Close</button> | ||||||
|  |             </div> | ||||||
|  |             <div class="modal-footer" ng-show="!creatingUser && !createdUser"> | ||||||
|  |               <button class="btn btn-primary" type="submit" ng-disabled="!createUserForm.$valid"> | ||||||
|  |                 Create User | ||||||
|  |               </button> | ||||||
|  |               <button type="button" class="btn btn-default" data-dismiss="modal">Cancel</button> | ||||||
|  |             </div> | ||||||
|  |           </form> | ||||||
|  |         </div><!-- /.modal-content --> | ||||||
|  |       </div><!-- /.modal-dialog --> | ||||||
|  |     </div><!-- /.modal --> | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     <!-- Modal message dialog --> | ||||||
|  |     <div class="co-dialog modal fade" id="restartingContainerModal"> | ||||||
|  |       <div class="modal-dialog"> | ||||||
|  |         <div class="modal-content"> | ||||||
|  |           <div class="modal-header"> | ||||||
|  |             <h4 class="modal-title">Container Currently Restarting</h4> | ||||||
|  |           </div> | ||||||
|  |           <div class="modal-body" style="padding: 20px;"> | ||||||
|  |            <i class="fa fa-lg fa-refresh" style="margin-right: 10px;"></i> | ||||||
|  |            <span class="registry-name"></span> is currently being restarted. | ||||||
|  |            <br><br> | ||||||
|  |            This can take several minutes. If the container does not restart on its own, | ||||||
|  |            please reexecute the <code>docker run</code> command. | ||||||
|  |           </div> | ||||||
|  |           <div class="modal-footer working"> | ||||||
|  |             <span class="cor-loader-inline"></span> Waiting for container to restart... | ||||||
|  |           </div> | ||||||
|  |         </div><!-- /.modal-content --> | ||||||
|  |       </div><!-- /.modal-dialog --> | ||||||
|  |     </div><!-- /.modal --> | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     <!-- Modal message dialog --> | ||||||
|  |     <div class="co-dialog modal fade" id="changePasswordModal"> | ||||||
|       <div class="modal-dialog"> |       <div class="modal-dialog"> | ||||||
|         <div class="modal-content"> |         <div class="modal-content"> | ||||||
|           <div class="modal-header"> |           <div class="modal-header"> | ||||||
|  | @ -203,5 +294,5 @@ | ||||||
|         </div><!-- /.modal-content --> |         </div><!-- /.modal-content --> | ||||||
|       </div><!-- /.modal-dialog --> |       </div><!-- /.modal-dialog --> | ||||||
|     </div><!-- /.modal --> |     </div><!-- /.modal --> | ||||||
| 
 |   </div> <!-- /page-content --> | ||||||
| </div> | </div> | ||||||
|  |  | ||||||
|  | @ -11,6 +11,14 @@ STORAGE_DRIVER_CLASSES = { | ||||||
|   'RadosGWStorage': RadosGWStorage, |   'RadosGWStorage': RadosGWStorage, | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
|  | def get_storage_driver(storage_params): | ||||||
|  |   """ Returns a storage driver class for the given storage configuration | ||||||
|  |       (a pair of string name and a dict of parameters). """ | ||||||
|  |   driver = storage_params[0] | ||||||
|  |   parameters = storage_params[1] | ||||||
|  |   driver_class = STORAGE_DRIVER_CLASSES.get(driver, FakeStorage) | ||||||
|  |   return driver_class(**parameters) | ||||||
|  | 
 | ||||||
| 
 | 
 | ||||||
| class Storage(object): | class Storage(object): | ||||||
|   def __init__(self, app=None): |   def __init__(self, app=None): | ||||||
|  | @ -23,12 +31,7 @@ class Storage(object): | ||||||
|   def init_app(self, app): |   def init_app(self, app): | ||||||
|     storages = {} |     storages = {} | ||||||
|     for location, storage_params in app.config.get('DISTRIBUTED_STORAGE_CONFIG').items(): |     for location, storage_params in app.config.get('DISTRIBUTED_STORAGE_CONFIG').items(): | ||||||
|       driver = storage_params[0] |       storages[location] = get_storage_driver(storage_params) | ||||||
|       parameters = storage_params[1] |  | ||||||
| 
 |  | ||||||
|       driver_class = STORAGE_DRIVER_CLASSES.get(driver, FakeStorage) |  | ||||||
|       storage = driver_class(**parameters) |  | ||||||
|       storages[location] = storage |  | ||||||
| 
 | 
 | ||||||
|     preference = app.config.get('DISTRIBUTED_STORAGE_PREFERENCE', None) |     preference = app.config.get('DISTRIBUTED_STORAGE_PREFERENCE', None) | ||||||
|     if not preference: |     if not preference: | ||||||
|  |  | ||||||
|  | @ -54,6 +54,10 @@ class BaseStorage(StoragePaths): | ||||||
|   # Set the IO buffer to 64kB |   # Set the IO buffer to 64kB | ||||||
|   buffer_size = 64 * 1024 |   buffer_size = 64 * 1024 | ||||||
| 
 | 
 | ||||||
|  |   def setup(self): | ||||||
|  |     """ Called to perform any storage system setup. """ | ||||||
|  |     pass | ||||||
|  | 
 | ||||||
|   def get_direct_download_url(self, path, expires_in=60, requires_cors=False): |   def get_direct_download_url(self, path, expires_in=60, requires_cors=False): | ||||||
|     return None |     return None | ||||||
| 
 | 
 | ||||||
|  |  | ||||||
|  | @ -77,6 +77,13 @@ class _CloudStorage(BaseStorage): | ||||||
|       return path[1:] |       return path[1:] | ||||||
|     return path |     return path | ||||||
| 
 | 
 | ||||||
|  |   def get_cloud_conn(self): | ||||||
|  |     self._initialize_cloud_conn() | ||||||
|  |     return self._cloud_conn | ||||||
|  | 
 | ||||||
|  |   def get_cloud_bucket(self): | ||||||
|  |     return self._cloud_bucket | ||||||
|  | 
 | ||||||
|   def get_content(self, path): |   def get_content(self, path): | ||||||
|     self._initialize_cloud_conn() |     self._initialize_cloud_conn() | ||||||
|     path = self._init_path(path) |     path = self._init_path(path) | ||||||
|  | @ -221,6 +228,25 @@ class S3Storage(_CloudStorage): | ||||||
|                                     connect_kwargs, upload_params, storage_path, s3_access_key, |                                     connect_kwargs, upload_params, storage_path, s3_access_key, | ||||||
|                                     s3_secret_key, s3_bucket) |                                     s3_secret_key, s3_bucket) | ||||||
| 
 | 
 | ||||||
|  |   def setup(self): | ||||||
|  |     self.get_cloud_bucket().set_cors_xml("""<?xml version="1.0" encoding="UTF-8"?> | ||||||
|  |       <CORSConfiguration xmlns="http://s3.amazonaws.com/doc/2006-03-01/"> | ||||||
|  |           <CORSRule> | ||||||
|  |               <AllowedOrigin>*</AllowedOrigin> | ||||||
|  |               <AllowedMethod>GET</AllowedMethod> | ||||||
|  |               <MaxAgeSeconds>3000</MaxAgeSeconds> | ||||||
|  |               <AllowedHeader>Authorization</AllowedHeader> | ||||||
|  |           </CORSRule> | ||||||
|  |           <CORSRule> | ||||||
|  |               <AllowedOrigin>*</AllowedOrigin> | ||||||
|  |               <AllowedMethod>PUT</AllowedMethod> | ||||||
|  |               <MaxAgeSeconds>3000</MaxAgeSeconds> | ||||||
|  |               <AllowedHeader>Content-Type</AllowedHeader> | ||||||
|  |               <AllowedHeader>x-amz-acl</AllowedHeader> | ||||||
|  |               <AllowedHeader>origin</AllowedHeader> | ||||||
|  |           </CORSRule> | ||||||
|  |       </CORSConfiguration>""") | ||||||
|  | 
 | ||||||
| 
 | 
 | ||||||
| class GoogleCloudStorage(_CloudStorage): | class GoogleCloudStorage(_CloudStorage): | ||||||
|   def __init__(self, storage_path, access_key, secret_key, bucket_name): |   def __init__(self, storage_path, access_key, secret_key, bucket_name): | ||||||
|  | @ -230,6 +256,24 @@ class GoogleCloudStorage(_CloudStorage): | ||||||
|                                              connect_kwargs, upload_params, storage_path, |                                              connect_kwargs, upload_params, storage_path, | ||||||
|                                              access_key, secret_key, bucket_name) |                                              access_key, secret_key, bucket_name) | ||||||
| 
 | 
 | ||||||
|  |   def setup(self): | ||||||
|  |     self.get_cloud_bucket().set_cors_xml("""<?xml version="1.0" encoding="UTF-8"?> | ||||||
|  |       <CorsConfig> | ||||||
|  |         <Cors> | ||||||
|  |           <Origins> | ||||||
|  |             <Origin>*</Origin> | ||||||
|  |           </Origins> | ||||||
|  |           <Methods> | ||||||
|  |             <Method>GET</Method> | ||||||
|  |             <Method>PUT</Method> | ||||||
|  |           </Methods> | ||||||
|  |           <ResponseHeaders> | ||||||
|  |             <ResponseHeader>Content-Type</ResponseHeader> | ||||||
|  |           </ResponseHeaders> | ||||||
|  |           <MaxAgeSec>3000</MaxAgeSec> | ||||||
|  |         </Cors> | ||||||
|  |       </CorsConfig>""") | ||||||
|  | 
 | ||||||
|   def stream_write(self, path, fp, content_type=None, content_encoding=None): |   def stream_write(self, path, fp, content_type=None, content_encoding=None): | ||||||
|     # Minimum size of upload part size on S3 is 5MB |     # Minimum size of upload part size on S3 is 5MB | ||||||
|     self._initialize_cloud_conn() |     self._initialize_cloud_conn() | ||||||
|  |  | ||||||
|  | @ -96,10 +96,9 @@ mixpanel.init("{{ mixpanel_key }}", { track_pageview : false, debug: {{ is_debug | ||||||
|   <body ng-class="pageClass + ' ' + (user.anonymous ? 'anon' : 'signedin')" class="co-img-bg-network"> |   <body ng-class="pageClass + ' ' + (user.anonymous ? 'anon' : 'signedin')" class="co-img-bg-network"> | ||||||
|     <div id="co-l-footer-wrapper"> |     <div id="co-l-footer-wrapper"> | ||||||
|       <nav class="navbar navbar-default header-bar co-m-navbar co-fx-box-shadow" role="navigation"></nav> |       <nav class="navbar navbar-default header-bar co-m-navbar co-fx-box-shadow" role="navigation"></nav> | ||||||
| 
 |  | ||||||
|       <div id="padding-container"> |       <div id="padding-container"> | ||||||
|         <div id="co-l-view-container"> |         <div id="co-l-view-container"> | ||||||
|           <div class="main-panel co-fx-box-shadow-heavy"> |           <div ng-class="newLayout ? '' : 'main-panel co-fx-box-shadow-heavy'"> | ||||||
|             {% block body_content %} |             {% block body_content %} | ||||||
| 
 | 
 | ||||||
|             {% endblock %} |             {% endblock %} | ||||||
|  |  | ||||||
|  | @ -3576,7 +3576,7 @@ class TestSuperUserLogs(ApiTestCase): | ||||||
|     self._set_url(SuperUserLogs) |     self._set_url(SuperUserLogs) | ||||||
| 
 | 
 | ||||||
|   def test_get_anonymous(self): |   def test_get_anonymous(self): | ||||||
|     self._run_test('GET', 403, None, None) |     self._run_test('GET', 401, None, None) | ||||||
| 
 | 
 | ||||||
|   def test_get_freshuser(self): |   def test_get_freshuser(self): | ||||||
|     self._run_test('GET', 403, 'freshuser', None) |     self._run_test('GET', 403, 'freshuser', None) | ||||||
|  |  | ||||||
							
								
								
									
										96
									
								
								test/test_imagetree.py
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										96
									
								
								test/test_imagetree.py
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,96 @@ | ||||||
|  | import unittest | ||||||
|  | 
 | ||||||
|  | from app import app | ||||||
|  | from util.imagetree import ImageTree | ||||||
|  | from initdb import setup_database_for_testing, finished_database_for_testing | ||||||
|  | from data import model | ||||||
|  | 
 | ||||||
|  | NAMESPACE = 'devtable' | ||||||
|  | SIMPLE_REPO = 'simple' | ||||||
|  | COMPLEX_REPO = 'complex' | ||||||
|  | 
 | ||||||
|  | class TestImageTree(unittest.TestCase): | ||||||
|  |   def setUp(self): | ||||||
|  |     setup_database_for_testing(self) | ||||||
|  |     self.app = app.test_client() | ||||||
|  |     self.ctx = app.test_request_context() | ||||||
|  |     self.ctx.__enter__() | ||||||
|  | 
 | ||||||
|  |   def tearDown(self): | ||||||
|  |     finished_database_for_testing(self) | ||||||
|  |     self.ctx.__exit__(True, None, None) | ||||||
|  | 
 | ||||||
|  |   def _get_base_image(self, all_images): | ||||||
|  |     for image in all_images: | ||||||
|  |       if image.ancestors == '/': | ||||||
|  |         return image | ||||||
|  | 
 | ||||||
|  |     return None | ||||||
|  | 
 | ||||||
|  |   def test_longest_path_simple_repo(self): | ||||||
|  |     all_images = list(model.get_repository_images(NAMESPACE, SIMPLE_REPO)) | ||||||
|  |     all_tags = list(model.list_repository_tags(NAMESPACE, SIMPLE_REPO)) | ||||||
|  |     tree = ImageTree(all_images, all_tags) | ||||||
|  | 
 | ||||||
|  |     base_image = self._get_base_image(all_images) | ||||||
|  |     tag_image = all_tags[0].image | ||||||
|  | 
 | ||||||
|  |     def checker(index, image): | ||||||
|  |       return True | ||||||
|  | 
 | ||||||
|  |     ancestors = tag_image.ancestors.split('/')[2:-1] # Skip the first image. | ||||||
|  |     result = tree.find_longest_path(base_image.id, checker) | ||||||
|  |     self.assertEquals(3, len(result)) | ||||||
|  |     for index in range(0, 2): | ||||||
|  |       self.assertEquals(int(ancestors[index]), result[index].id) | ||||||
|  | 
 | ||||||
|  |     self.assertEquals('latest', tree.tag_containing_image(result[-1])) | ||||||
|  | 
 | ||||||
|  |   def test_longest_path_complex_repo(self): | ||||||
|  |     all_images = list(model.get_repository_images(NAMESPACE, COMPLEX_REPO)) | ||||||
|  |     all_tags = list(model.list_repository_tags(NAMESPACE, COMPLEX_REPO)) | ||||||
|  |     tree = ImageTree(all_images, all_tags) | ||||||
|  | 
 | ||||||
|  |     base_image = self._get_base_image(all_images) | ||||||
|  | 
 | ||||||
|  |     def checker(index, image): | ||||||
|  |       return True | ||||||
|  | 
 | ||||||
|  |     result = tree.find_longest_path(base_image.id, checker) | ||||||
|  |     self.assertEquals(4, len(result)) | ||||||
|  |     self.assertEquals('v2.0', tree.tag_containing_image(result[-1])) | ||||||
|  | 
 | ||||||
|  |   def test_filtering(self): | ||||||
|  |     all_images = list(model.get_repository_images(NAMESPACE, COMPLEX_REPO)) | ||||||
|  |     all_tags = list(model.list_repository_tags(NAMESPACE, COMPLEX_REPO)) | ||||||
|  |     tree = ImageTree(all_images, all_tags, base_filter=1245) | ||||||
|  | 
 | ||||||
|  |     base_image = self._get_base_image(all_images) | ||||||
|  | 
 | ||||||
|  |     def checker(index, image): | ||||||
|  |       return True | ||||||
|  | 
 | ||||||
|  |     result = tree.find_longest_path(base_image.id, checker) | ||||||
|  |     self.assertEquals(0, len(result)) | ||||||
|  | 
 | ||||||
|  |   def test_find_tag_parent_image(self): | ||||||
|  |     all_images = list(model.get_repository_images(NAMESPACE, COMPLEX_REPO)) | ||||||
|  |     all_tags = list(model.list_repository_tags(NAMESPACE, COMPLEX_REPO)) | ||||||
|  |     tree = ImageTree(all_images, all_tags) | ||||||
|  | 
 | ||||||
|  |     base_image = self._get_base_image(all_images) | ||||||
|  | 
 | ||||||
|  |     def checker(index, image): | ||||||
|  |       return True | ||||||
|  | 
 | ||||||
|  |     result = tree.find_longest_path(base_image.id, checker) | ||||||
|  |     self.assertEquals(4, len(result)) | ||||||
|  | 
 | ||||||
|  |     # Only use the first two images. They don't have tags, but the method should | ||||||
|  |     # still return the tag that contains them. | ||||||
|  |     self.assertEquals('v2.0', tree.tag_containing_image(result[0])) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | if __name__ == '__main__': | ||||||
|  |   unittest.main() | ||||||
|  | 
 | ||||||
							
								
								
									
										186
									
								
								test/test_suconfig_api.py
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										186
									
								
								test/test_suconfig_api.py
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,186 @@ | ||||||
|  | from test.test_api_usage import ApiTestCase, READ_ACCESS_USER, ADMIN_ACCESS_USER | ||||||
|  | from endpoints.api.suconfig import (SuperUserRegistryStatus, SuperUserConfig, SuperUserConfigFile, | ||||||
|  |                                     SuperUserCreateInitialSuperUser, SuperUserConfigValidate) | ||||||
|  | from app import CONFIG_PROVIDER | ||||||
|  | from data.database import User | ||||||
|  | 
 | ||||||
|  | import unittest | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | class ConfigForTesting(object): | ||||||
|  | 
 | ||||||
|  |   def __enter__(self): | ||||||
|  |     CONFIG_PROVIDER.reset_for_test() | ||||||
|  |     return CONFIG_PROVIDER | ||||||
|  | 
 | ||||||
|  |   def __exit__(self, type, value, traceback): | ||||||
|  |     CONFIG_PROVIDER.reset_for_test() | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | class TestSuperUserRegistryStatus(ApiTestCase): | ||||||
|  |   def test_registry_status(self): | ||||||
|  |     with ConfigForTesting(): | ||||||
|  |       json = self.getJsonResponse(SuperUserRegistryStatus) | ||||||
|  |       self.assertEquals('config-db', json['status']) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | class TestSuperUserConfigFile(ApiTestCase): | ||||||
|  |   def test_get_non_superuser(self): | ||||||
|  |     with ConfigForTesting(): | ||||||
|  |       # No user. | ||||||
|  |       self.getResponse(SuperUserConfigFile, params=dict(filename='ssl.cert'), expected_code=403) | ||||||
|  | 
 | ||||||
|  |       # Non-superuser. | ||||||
|  |       self.login(READ_ACCESS_USER) | ||||||
|  |       self.getResponse(SuperUserConfigFile, params=dict(filename='ssl.cert'), expected_code=403) | ||||||
|  | 
 | ||||||
|  |   def test_get_superuser_invalid_filename(self): | ||||||
|  |     with ConfigForTesting(): | ||||||
|  |       self.login(ADMIN_ACCESS_USER) | ||||||
|  |       self.getResponse(SuperUserConfigFile, params=dict(filename='somefile'), expected_code=404) | ||||||
|  | 
 | ||||||
|  |   def test_get_superuser(self): | ||||||
|  |     with ConfigForTesting(): | ||||||
|  |       self.login(ADMIN_ACCESS_USER) | ||||||
|  |       result = self.getJsonResponse(SuperUserConfigFile, params=dict(filename='ssl.cert')) | ||||||
|  |       self.assertFalse(result['exists']) | ||||||
|  | 
 | ||||||
|  |   def test_post_non_superuser(self): | ||||||
|  |     with ConfigForTesting(): | ||||||
|  |       # No user. | ||||||
|  |       self.postResponse(SuperUserConfigFile, params=dict(filename='ssl.cert'), expected_code=403) | ||||||
|  | 
 | ||||||
|  |       # Non-superuser. | ||||||
|  |       self.login(READ_ACCESS_USER) | ||||||
|  |       self.postResponse(SuperUserConfigFile, params=dict(filename='ssl.cert'), expected_code=403) | ||||||
|  | 
 | ||||||
|  |   def test_post_superuser_invalid_filename(self): | ||||||
|  |     with ConfigForTesting(): | ||||||
|  |       self.login(ADMIN_ACCESS_USER) | ||||||
|  |       self.postResponse(SuperUserConfigFile, params=dict(filename='somefile'), expected_code=404) | ||||||
|  | 
 | ||||||
|  |   def test_post_superuser(self): | ||||||
|  |     with ConfigForTesting(): | ||||||
|  |       self.login(ADMIN_ACCESS_USER) | ||||||
|  |       self.postResponse(SuperUserConfigFile, params=dict(filename='ssl.cert'), expected_code=400) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | class TestSuperUserCreateInitialSuperUser(ApiTestCase): | ||||||
|  |   def test_no_config_file(self): | ||||||
|  |     with ConfigForTesting(): | ||||||
|  |       # If there is no config.yaml, then this method should security fail. | ||||||
|  |       data = dict(username='cooluser', password='password', email='fake@example.com') | ||||||
|  |       self.postResponse(SuperUserCreateInitialSuperUser, data=data, expected_code=403) | ||||||
|  | 
 | ||||||
|  |   def test_config_file_with_db_users(self): | ||||||
|  |     with ConfigForTesting(): | ||||||
|  |       # Write some config. | ||||||
|  |       self.putJsonResponse(SuperUserConfig, data=dict(config={}, hostname='foobar')) | ||||||
|  | 
 | ||||||
|  |       # If there is a config.yaml, but existing DB users exist, then this method should security | ||||||
|  |       # fail. | ||||||
|  |       data = dict(username='cooluser', password='password', email='fake@example.com') | ||||||
|  |       self.postResponse(SuperUserCreateInitialSuperUser, data=data, expected_code=403) | ||||||
|  | 
 | ||||||
|  |   def test_config_file_with_no_db_users(self): | ||||||
|  |     with ConfigForTesting(): | ||||||
|  |       # Write some config. | ||||||
|  |       self.putJsonResponse(SuperUserConfig, data=dict(config={}, hostname='foobar')) | ||||||
|  | 
 | ||||||
|  |       # Delete all the users in the DB. | ||||||
|  |       for user in list(User.select()): | ||||||
|  |         user.delete_instance(recursive=True) | ||||||
|  | 
 | ||||||
|  |       # This method should now succeed. | ||||||
|  |       data = dict(username='cooluser', password='password', email='fake@example.com') | ||||||
|  |       result = self.postJsonResponse(SuperUserCreateInitialSuperUser, data=data) | ||||||
|  |       self.assertTrue(result['status']) | ||||||
|  | 
 | ||||||
|  |       # Verify the superuser was created. | ||||||
|  |       User.get(User.username == 'cooluser') | ||||||
|  | 
 | ||||||
|  |       # Verify the superuser was placed into the config. | ||||||
|  |       result = self.getJsonResponse(SuperUserConfig) | ||||||
|  |       self.assertEquals(['cooluser'], result['config']['SUPER_USERS']) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | class TestSuperUserConfigValidate(ApiTestCase): | ||||||
|  |   def test_nonsuperuser_noconfig(self): | ||||||
|  |     with ConfigForTesting(): | ||||||
|  |       self.login(ADMIN_ACCESS_USER) | ||||||
|  |       result = self.postJsonResponse(SuperUserConfigValidate, params=dict(service='someservice'), | ||||||
|  |                                                               data=dict(config={})) | ||||||
|  | 
 | ||||||
|  |       self.assertFalse(result['status']) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |   def test_nonsuperuser_config(self): | ||||||
|  |     with ConfigForTesting(): | ||||||
|  |       # The validate config call works if there is no config.yaml OR the user is a superuser. | ||||||
|  |       # Add a config, and verify it breaks when unauthenticated. | ||||||
|  |       json = self.putJsonResponse(SuperUserConfig, data=dict(config={}, hostname='foobar')) | ||||||
|  |       self.assertTrue(json['exists']) | ||||||
|  | 
 | ||||||
|  |       self.postResponse(SuperUserConfigValidate, params=dict(service='someservice'), | ||||||
|  |                                                  data=dict(config={}), | ||||||
|  |                                                  expected_code=403) | ||||||
|  | 
 | ||||||
|  |       # Now login as a superuser. | ||||||
|  |       self.login(ADMIN_ACCESS_USER) | ||||||
|  |       result = self.postJsonResponse(SuperUserConfigValidate, params=dict(service='someservice'), | ||||||
|  |                                                               data=dict(config={})) | ||||||
|  | 
 | ||||||
|  |       self.assertFalse(result['status']) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | class TestSuperUserConfig(ApiTestCase): | ||||||
|  |   def test_get_non_superuser(self): | ||||||
|  |     with ConfigForTesting(): | ||||||
|  |       # No user. | ||||||
|  |       self.getResponse(SuperUserConfig, expected_code=401) | ||||||
|  | 
 | ||||||
|  |       # Non-superuser. | ||||||
|  |       self.login(READ_ACCESS_USER) | ||||||
|  |       self.getResponse(SuperUserConfig, expected_code=403) | ||||||
|  | 
 | ||||||
|  |   def test_get_superuser(self): | ||||||
|  |     with ConfigForTesting(): | ||||||
|  |       self.login(ADMIN_ACCESS_USER) | ||||||
|  |       json = self.getJsonResponse(SuperUserConfig) | ||||||
|  | 
 | ||||||
|  |       # Note: We expect the config to be none because a config.yaml should never be checked into | ||||||
|  |       # the directory. | ||||||
|  |       self.assertIsNone(json['config']) | ||||||
|  | 
 | ||||||
|  |   def test_put(self): | ||||||
|  |     with ConfigForTesting() as config: | ||||||
|  |       # The update config call works if there is no config.yaml OR the user is a superuser. First | ||||||
|  |       # try writing it without a superuser present. | ||||||
|  |       json = self.putJsonResponse(SuperUserConfig, data=dict(config={}, hostname='foobar')) | ||||||
|  |       self.assertTrue(json['exists']) | ||||||
|  | 
 | ||||||
|  |       # Verify the config file exists. | ||||||
|  |       self.assertTrue(config.yaml_exists()) | ||||||
|  | 
 | ||||||
|  |       # Try writing it again. This should now fail, since the config.yaml exists. | ||||||
|  |       self.putResponse(SuperUserConfig, data=dict(config={}, hostname='barbaz'), expected_code=403) | ||||||
|  | 
 | ||||||
|  |       # Login as a non-superuser. | ||||||
|  |       self.login(READ_ACCESS_USER) | ||||||
|  | 
 | ||||||
|  |       # Try writing it again. This should fail. | ||||||
|  |       self.putResponse(SuperUserConfig, data=dict(config={}, hostname='barbaz'), expected_code=403) | ||||||
|  | 
 | ||||||
|  |       # Login as a superuser. | ||||||
|  |       self.login(ADMIN_ACCESS_USER) | ||||||
|  | 
 | ||||||
|  |       # This should succeed. | ||||||
|  |       json = self.putJsonResponse(SuperUserConfig, data=dict(config={}, hostname='barbaz')) | ||||||
|  |       self.assertTrue(json['exists']) | ||||||
|  | 
 | ||||||
|  |       json = self.getJsonResponse(SuperUserConfig) | ||||||
|  |       self.assertIsNotNone(json['config']) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | if __name__ == '__main__': | ||||||
|  |   unittest.main() | ||||||
|  | @ -19,6 +19,7 @@ TEST_DB_FILE = NamedTemporaryFile(delete=True) | ||||||
| 
 | 
 | ||||||
| class TestConfig(DefaultConfig): | class TestConfig(DefaultConfig): | ||||||
|   TESTING = True |   TESTING = True | ||||||
|  |   SECRET_KEY = 'a36c9d7d-25a9-4d3f-a586-3d2f8dc40a83' | ||||||
| 
 | 
 | ||||||
|   DB_URI = os.environ.get('TEST_DATABASE_URI', 'sqlite:///{0}'.format(TEST_DB_FILE.name)) |   DB_URI = os.environ.get('TEST_DATABASE_URI', 'sqlite:///{0}'.format(TEST_DB_FILE.name)) | ||||||
|   DB_CONNECTION_ARGS = { |   DB_CONNECTION_ARGS = { | ||||||
|  |  | ||||||
							
								
								
									
										0
									
								
								util/config/__init__.py
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										0
									
								
								util/config/__init__.py
									
										
									
									
									
										Normal file
									
								
							
							
								
								
									
										48
									
								
								util/config/configutil.py
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										48
									
								
								util/config/configutil.py
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,48 @@ | ||||||
|  | import yaml | ||||||
|  | 
 | ||||||
|  | from random import SystemRandom | ||||||
|  | 
 | ||||||
|  | def generate_secret_key(): | ||||||
|  |   cryptogen = SystemRandom() | ||||||
|  |   return  str(cryptogen.getrandbits(256)) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | def add_enterprise_config_defaults(config_obj, current_secret_key, hostname): | ||||||
|  |   """ Adds/Sets the config defaults for enterprise registry config. """ | ||||||
|  |   # These have to be false. | ||||||
|  |   config_obj['TESTING'] = False | ||||||
|  |   config_obj['USE_CDN'] = False | ||||||
|  | 
 | ||||||
|  |   # Default features that are on. | ||||||
|  |   config_obj['FEATURE_USER_LOG_ACCESS'] = config_obj.get('FEATURE_USER_LOG_ACCESS', True) | ||||||
|  |   config_obj['FEATURE_USER_CREATION'] = config_obj.get('FEATURE_USER_CREATION', True) | ||||||
|  | 
 | ||||||
|  |   # Default features that are off. | ||||||
|  |   config_obj['FEATURE_MAILING'] = config_obj.get('FEATURE_MAILING', False) | ||||||
|  |   config_obj['FEATURE_BUILD_SUPPORT'] = config_obj.get('FEATURE_BUILD_SUPPORT', False) | ||||||
|  | 
 | ||||||
|  |   # Default auth type. | ||||||
|  |   if not 'AUTHENTICATION_TYPE' in config_obj: | ||||||
|  |     config_obj['AUTHENTICATION_TYPE'] = 'Database' | ||||||
|  | 
 | ||||||
|  |   # Default secret key. | ||||||
|  |   if not 'SECRET_KEY' in config_obj: | ||||||
|  |     config_obj['SECRET_KEY'] = current_secret_key | ||||||
|  | 
 | ||||||
|  |   # Default storage configuration. | ||||||
|  |   if not 'DISTRIBUTED_STORAGE_CONFIG' in config_obj: | ||||||
|  |     config_obj['DISTRIBUTED_STORAGE_PREFERENCE'] = ['local'] | ||||||
|  |     config_obj['DISTRIBUTED_STORAGE_CONFIG'] = { | ||||||
|  |       'local': ['LocalStorage', {'storage_path': '/datastorage/registry'}] | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     config_obj['USERFILES_LOCATION'] = 'local' | ||||||
|  |     config_obj['USERFILES_PATH'] = 'userfiles/' | ||||||
|  | 
 | ||||||
|  |   if not 'SERVER_HOSTNAME' in config_obj: | ||||||
|  |     config_obj['SERVER_HOSTNAME'] = hostname | ||||||
|  | 
 | ||||||
|  |   # Misc configuration. | ||||||
|  |   config_obj['PREFERRED_URL_SCHEME'] = config_obj.get('PREFERRED_URL_SCHEME', 'http') | ||||||
|  |   config_obj['ENTERPRISE_LOGO_URL'] = config_obj.get('ENTERPRISE_LOGO_URL', | ||||||
|  |                                                      '/static/img/quay-logo.png') | ||||||
							
								
								
									
										171
									
								
								util/config/provider.py
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										171
									
								
								util/config/provider.py
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,171 @@ | ||||||
|  | import os | ||||||
|  | import yaml | ||||||
|  | import logging | ||||||
|  | import json | ||||||
|  | from StringIO import StringIO | ||||||
|  | 
 | ||||||
|  | logger = logging.getLogger(__name__) | ||||||
|  | 
 | ||||||
|  | def _import_yaml(config_obj, config_file): | ||||||
|  |   with open(config_file) as f: | ||||||
|  |     c = yaml.safe_load(f) | ||||||
|  |     if not c: | ||||||
|  |       logger.debug('Empty YAML config file') | ||||||
|  |       return | ||||||
|  | 
 | ||||||
|  |     if isinstance(c, str): | ||||||
|  |       raise Exception('Invalid YAML config file: ' + str(c)) | ||||||
|  | 
 | ||||||
|  |     for key in c.iterkeys(): | ||||||
|  |       if key.isupper(): | ||||||
|  |         config_obj[key] = c[key] | ||||||
|  | 
 | ||||||
|  |   return config_obj | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | def _export_yaml(config_obj, config_file): | ||||||
|  |   with open(config_file, 'w') as f: | ||||||
|  |     f.write(yaml.safe_dump(config_obj, encoding='utf-8', allow_unicode=True)) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | class BaseProvider(object): | ||||||
|  |   """ A configuration provider helps to load, save, and handle config override in the application. | ||||||
|  |   """ | ||||||
|  | 
 | ||||||
|  |   def update_app_config(self, app_config): | ||||||
|  |     """ Updates the given application config object with the loaded override config. """ | ||||||
|  |     raise NotImplementedError | ||||||
|  | 
 | ||||||
|  |   def get_yaml(self): | ||||||
|  |     """ Returns the contents of the YAML config override file, or None if none. """ | ||||||
|  |     raise NotImplementedError | ||||||
|  | 
 | ||||||
|  |   def save_yaml(self, config_object): | ||||||
|  |     """ Updates the contents of the YAML config override file to those given. """ | ||||||
|  |     raise NotImplementedError | ||||||
|  | 
 | ||||||
|  |   def yaml_exists(self): | ||||||
|  |     """ Returns true if a YAML config override file exists in the config volume. """ | ||||||
|  |     raise NotImplementedError | ||||||
|  | 
 | ||||||
|  |   def volume_exists(self): | ||||||
|  |     """ Returns whether the config override volume exists. """ | ||||||
|  |     raise NotImplementedError | ||||||
|  | 
 | ||||||
|  |   def volume_file_exists(self, filename): | ||||||
|  |     """ Returns whether the file with the given name exists under the config override volume. """ | ||||||
|  |     raise NotImplementedError | ||||||
|  | 
 | ||||||
|  |   def get_volume_file(self, filename, mode='r'): | ||||||
|  |     """ Returns a Python file referring to the given name under the config override volumne. """ | ||||||
|  |     raise NotImplementedError | ||||||
|  | 
 | ||||||
|  |   def save_volume_file(self, filename, flask_file): | ||||||
|  |     """ Saves the given flask file to the config override volume, with the given | ||||||
|  |         filename. | ||||||
|  |     """ | ||||||
|  |     raise NotImplementedError | ||||||
|  | 
 | ||||||
|  |   def requires_restart(self, app_config): | ||||||
|  |     """ If true, the configuration loaded into memory for the app does not match that on disk, | ||||||
|  |         indicating that this container requires a restart. | ||||||
|  |     """ | ||||||
|  |     raise NotImplementedError | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | class FileConfigProvider(BaseProvider): | ||||||
|  |   """ Implementation of the config provider that reads the data from the file system. """ | ||||||
|  |   def __init__(self, config_volume, yaml_filename, py_filename): | ||||||
|  |     self.config_volume = config_volume | ||||||
|  |     self.yaml_filename = yaml_filename | ||||||
|  |     self.py_filename = py_filename | ||||||
|  | 
 | ||||||
|  |     self.yaml_path = os.path.join(config_volume, yaml_filename) | ||||||
|  |     self.py_path = os.path.join(config_volume, py_filename) | ||||||
|  | 
 | ||||||
|  |   def update_app_config(self, app_config): | ||||||
|  |     if os.path.exists(self.py_path): | ||||||
|  |       logger.debug('Applying config file: %s', self.py_path) | ||||||
|  |       app_config.from_pyfile(self.py_path) | ||||||
|  | 
 | ||||||
|  |     if os.path.exists(self.yaml_path): | ||||||
|  |       logger.debug('Applying config file: %s', self.yaml_path) | ||||||
|  |       _import_yaml(app_config, self.yaml_path) | ||||||
|  | 
 | ||||||
|  |   def get_yaml(self): | ||||||
|  |     if not os.path.exists(self.yaml_path): | ||||||
|  |       return None | ||||||
|  | 
 | ||||||
|  |     config_obj = {} | ||||||
|  |     _import_yaml(config_obj, self.yaml_path) | ||||||
|  |     return config_obj | ||||||
|  | 
 | ||||||
|  |   def save_yaml(self, config_obj): | ||||||
|  |     _export_yaml(config_obj, self.yaml_path) | ||||||
|  | 
 | ||||||
|  |   def yaml_exists(self): | ||||||
|  |     return self.volume_file_exists(self.yaml_filename) | ||||||
|  | 
 | ||||||
|  |   def volume_exists(self): | ||||||
|  |     return os.path.exists(self.config_volume) | ||||||
|  | 
 | ||||||
|  |   def volume_file_exists(self, filename): | ||||||
|  |     return os.path.exists(os.path.join(self.config_volume, filename)) | ||||||
|  | 
 | ||||||
|  |   def get_volume_file(self, filename, mode='r'): | ||||||
|  |     return open(os.path.join(self.config_volume, filename), mode) | ||||||
|  | 
 | ||||||
|  |   def save_volume_file(self, filename, flask_file): | ||||||
|  |     flask_file.save(os.path.join(self.config_volume, filename)) | ||||||
|  | 
 | ||||||
|  |   def requires_restart(self, app_config): | ||||||
|  |     file_config = self.get_yaml() | ||||||
|  |     if not file_config: | ||||||
|  |       return False | ||||||
|  | 
 | ||||||
|  |     for key in file_config: | ||||||
|  |       if app_config.get(key) != file_config[key]: | ||||||
|  |         return True | ||||||
|  | 
 | ||||||
|  |     return False | ||||||
|  | 
 | ||||||
|  | class TestConfigProvider(BaseProvider): | ||||||
|  |   """ Implementation of the config provider for testing. Everything is kept in-memory instead on | ||||||
|  |       the real file system. """ | ||||||
|  |   def __init__(self): | ||||||
|  |     self.files = {} | ||||||
|  |     self._config = None | ||||||
|  | 
 | ||||||
|  |   def update_app_config(self, app_config): | ||||||
|  |     self._config = app_config | ||||||
|  | 
 | ||||||
|  |   def get_yaml(self): | ||||||
|  |     if not 'config.yaml' in self.files: | ||||||
|  |       return None | ||||||
|  | 
 | ||||||
|  |     return json.loads(self.files.get('config.yaml', '{}')) | ||||||
|  | 
 | ||||||
|  |   def save_yaml(self, config_obj): | ||||||
|  |     self.files['config.yaml'] = json.dumps(config_obj) | ||||||
|  | 
 | ||||||
|  |   def yaml_exists(self): | ||||||
|  |     return 'config.yaml' in self.files | ||||||
|  | 
 | ||||||
|  |   def volume_exists(self): | ||||||
|  |     return True | ||||||
|  | 
 | ||||||
|  |   def volume_file_exists(self, filename): | ||||||
|  |     return filename in self.files | ||||||
|  | 
 | ||||||
|  |   def save_volume_file(self, filename, flask_file): | ||||||
|  |     self.files[filename] = '' | ||||||
|  | 
 | ||||||
|  |   def get_volume_file(self, filename, mode='r'): | ||||||
|  |     return StringIO(self.files[filename]) | ||||||
|  | 
 | ||||||
|  |   def requires_restart(self, app_config): | ||||||
|  |     return False | ||||||
|  | 
 | ||||||
|  |   def reset_for_test(self): | ||||||
|  |     self._config['SUPER_USERS'] = ['devtable'] | ||||||
|  |     self.files = {} | ||||||
							
								
								
									
										38
									
								
								util/config/superusermanager.py
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										38
									
								
								util/config/superusermanager.py
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,38 @@ | ||||||
|  | from multiprocessing.sharedctypes import Value, Array | ||||||
|  | from util.validation import MAX_LENGTH | ||||||
|  | 
 | ||||||
|  | class SuperUserManager(object): | ||||||
|  |   """ In-memory helper class for quickly accessing (and updating) the valid | ||||||
|  |       set of super users. This class communicates across processes to ensure | ||||||
|  |       that the shared set is always the same. | ||||||
|  |   """ | ||||||
|  | 
 | ||||||
|  |   def __init__(self, app): | ||||||
|  |     usernames = app.config.get('SUPER_USERS', []) | ||||||
|  |     usernames_str = ','.join(usernames) | ||||||
|  | 
 | ||||||
|  |     self._max_length = len(usernames_str) + MAX_LENGTH + 1 | ||||||
|  |     self._array = Array('c', self._max_length, lock=True) | ||||||
|  |     self._array.value = usernames_str | ||||||
|  | 
 | ||||||
|  |   def is_superuser(self, username): | ||||||
|  |     """ Returns if the given username represents a super user. """ | ||||||
|  |     usernames = self._array.value.split(',') | ||||||
|  |     return username in usernames | ||||||
|  | 
 | ||||||
|  |   def register_superuser(self, username): | ||||||
|  |     """ Registers a new username as a super user for the duration of the container. | ||||||
|  |         Note that this does *not* change any underlying config files. | ||||||
|  |     """ | ||||||
|  |     usernames = self._array.value.split(',') | ||||||
|  |     usernames.append(username) | ||||||
|  |     new_string = ','.join(usernames) | ||||||
|  | 
 | ||||||
|  |     if len(new_string) <= self._max_length: | ||||||
|  |       self._array.value = new_string | ||||||
|  |     else: | ||||||
|  |       raise Exception('Maximum superuser count reached. Please report this to support.') | ||||||
|  | 
 | ||||||
|  |   def has_superusers(self): | ||||||
|  |     """ Returns whether there are any superusers defined. """ | ||||||
|  |     return bool(self._array.value) | ||||||
							
								
								
									
										253
									
								
								util/config/validator.py
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										253
									
								
								util/config/validator.py
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,253 @@ | ||||||
|  | import redis | ||||||
|  | import os | ||||||
|  | import json | ||||||
|  | import ldap | ||||||
|  | import peewee | ||||||
|  | import OpenSSL | ||||||
|  | import logging | ||||||
|  | 
 | ||||||
|  | from fnmatch import fnmatch | ||||||
|  | from data.users import LDAPConnection | ||||||
|  | from flask import Flask | ||||||
|  | from flask.ext.mail import Mail, Message | ||||||
|  | from data.database import validate_database_url, User | ||||||
|  | from storage import get_storage_driver | ||||||
|  | from app import app, CONFIG_PROVIDER | ||||||
|  | from auth.auth_context import get_authenticated_user | ||||||
|  | from util.oauth import GoogleOAuthConfig, GithubOAuthConfig | ||||||
|  | 
 | ||||||
|  | logger = logging.getLogger(__name__) | ||||||
|  | 
 | ||||||
|  | SSL_FILENAMES = ['ssl.cert', 'ssl.key'] | ||||||
|  | 
 | ||||||
|  | def get_storage_provider(config): | ||||||
|  |   parameters = config.get('DISTRIBUTED_STORAGE_CONFIG', {}).get('local', ['LocalStorage', {}]) | ||||||
|  |   try: | ||||||
|  |     return get_storage_driver(parameters) | ||||||
|  |   except TypeError: | ||||||
|  |     raise Exception('Missing required storage configuration parameter(s)') | ||||||
|  | 
 | ||||||
|  | def validate_service_for_config(service, config): | ||||||
|  |   """ Attempts to validate the configuration for the given service. """ | ||||||
|  |   if not service in _VALIDATORS: | ||||||
|  |     return { | ||||||
|  |       'status': False | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |   try: | ||||||
|  |     _VALIDATORS[service](config) | ||||||
|  |     return { | ||||||
|  |       'status': True | ||||||
|  |     } | ||||||
|  |   except Exception as ex: | ||||||
|  |     logger.exception('Validation exception') | ||||||
|  |     return { | ||||||
|  |       'status': False, | ||||||
|  |       'reason': str(ex) | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | def _validate_database(config): | ||||||
|  |   """ Validates connecting to the database. """ | ||||||
|  |   try: | ||||||
|  |     validate_database_url(config['DB_URI']) | ||||||
|  |   except peewee.OperationalError as ex: | ||||||
|  |     if ex.args and len(ex.args) > 1: | ||||||
|  |       raise Exception(ex.args[1]) | ||||||
|  |     else: | ||||||
|  |       raise ex | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | def _validate_redis(config): | ||||||
|  |   """ Validates connecting to redis. """ | ||||||
|  |   redis_config = config.get('BUILDLOGS_REDIS', {}) | ||||||
|  |   if not 'host' in  redis_config: | ||||||
|  |     raise Exception('Missing redis hostname') | ||||||
|  | 
 | ||||||
|  |   client = redis.StrictRedis(socket_connect_timeout=5, **redis_config) | ||||||
|  |   client.ping() | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | def _validate_registry_storage(config): | ||||||
|  |   """ Validates registry storage. """ | ||||||
|  |   driver = get_storage_provider(config) | ||||||
|  | 
 | ||||||
|  |   # Put and remove a temporary file. | ||||||
|  |   driver.put_content('_verify', 'testing 123') | ||||||
|  |   driver.remove('_verify') | ||||||
|  | 
 | ||||||
|  |   # Run setup on the driver if the read/write succeeded. | ||||||
|  |   try: | ||||||
|  |     driver.setup() | ||||||
|  |   except Exception as ex: | ||||||
|  |     raise Exception('Could not prepare storage: %s' % str(ex)) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | def _validate_mailing(config): | ||||||
|  |   """ Validates sending email. """ | ||||||
|  |   test_app = Flask("mail-test-app") | ||||||
|  |   test_app.config.update(config) | ||||||
|  |   test_app.config.update({ | ||||||
|  |     'MAIL_FAIL_SILENTLY': False, | ||||||
|  |     'TESTING': False | ||||||
|  |   }) | ||||||
|  | 
 | ||||||
|  |   test_mail = Mail(test_app) | ||||||
|  |   test_msg = Message("Test e-mail from %s" % app.config['REGISTRY_TITLE']) | ||||||
|  |   test_msg.add_recipient(get_authenticated_user().email) | ||||||
|  |   test_mail.send(test_msg) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | def _validate_github(config_key): | ||||||
|  |   return lambda config: _validate_github_with_key(config_key, config) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | def _validate_github_with_key(config_key, config): | ||||||
|  |   """ Validates the OAuth credentials and API endpoint for a Github service. """ | ||||||
|  |   github_config = config.get(config_key) | ||||||
|  |   if not github_config: | ||||||
|  |     raise Exception('Missing Github client id and client secret') | ||||||
|  | 
 | ||||||
|  |   endpoint = github_config.get('GITHUB_ENDPOINT') | ||||||
|  |   if not endpoint: | ||||||
|  |     raise Exception('Missing Github Endpoint') | ||||||
|  | 
 | ||||||
|  |   if endpoint.find('http://') != 0 and endpoint.find('https://') != 0: | ||||||
|  |     raise Exception('Github Endpoint must start with http:// or https://') | ||||||
|  | 
 | ||||||
|  |   if not github_config.get('CLIENT_ID'): | ||||||
|  |     raise Exception('Missing Client ID') | ||||||
|  | 
 | ||||||
|  |   if not github_config.get('CLIENT_SECRET'): | ||||||
|  |     raise Exception('Missing Client Secret') | ||||||
|  | 
 | ||||||
|  |   client = app.config['HTTPCLIENT'] | ||||||
|  |   oauth = GithubOAuthConfig(config, config_key) | ||||||
|  |   result = oauth.validate_client_id_and_secret(client) | ||||||
|  |   if not result: | ||||||
|  |     raise Exception('Invalid client id or client secret') | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | def _validate_google_login(config): | ||||||
|  |   """ Validates the Google Login client ID and secret. """ | ||||||
|  |   google_login_config = config.get('GOOGLE_LOGIN_CONFIG') | ||||||
|  |   if not google_login_config: | ||||||
|  |     raise Exception('Missing client ID and client secret') | ||||||
|  | 
 | ||||||
|  |   if not google_login_config.get('CLIENT_ID'): | ||||||
|  |     raise Exception('Missing Client ID') | ||||||
|  | 
 | ||||||
|  |   if not google_login_config.get('CLIENT_SECRET'): | ||||||
|  |     raise Exception('Missing Client Secret') | ||||||
|  | 
 | ||||||
|  |   client = app.config['HTTPCLIENT'] | ||||||
|  |   oauth = GoogleOAuthConfig(config, 'GOOGLE_LOGIN_CONFIG') | ||||||
|  |   result = oauth.validate_client_id_and_secret(client) | ||||||
|  |   if not result: | ||||||
|  |     raise Exception('Invalid client id or client secret') | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | def _validate_ssl(config): | ||||||
|  |   """ Validates the SSL configuration (if enabled). """ | ||||||
|  |   if config.get('PREFERRED_URL_SCHEME', 'http') != 'https': | ||||||
|  |     return | ||||||
|  | 
 | ||||||
|  |   for filename in SSL_FILENAMES: | ||||||
|  |     if not CONFIG_PROVIDER.volume_file_exists(filename): | ||||||
|  |       raise Exception('Missing required SSL file: %s' % filename) | ||||||
|  | 
 | ||||||
|  |   with CONFIG_PROVIDER.get_volume_file(SSL_FILENAMES[0]) as f: | ||||||
|  |     cert_contents = f.read() | ||||||
|  | 
 | ||||||
|  |   # Validate the certificate. | ||||||
|  |   try: | ||||||
|  |     cert = OpenSSL.crypto.load_certificate(OpenSSL.crypto.FILETYPE_PEM, cert_contents) | ||||||
|  |   except: | ||||||
|  |     raise Exception('Could not parse certificate file. Is it a valid PEM certificate?') | ||||||
|  | 
 | ||||||
|  |   if cert.has_expired(): | ||||||
|  |     raise Exception('The specified SSL certificate has expired.') | ||||||
|  | 
 | ||||||
|  |   private_key_path = None | ||||||
|  |   with CONFIG_PROVIDER.get_volume_file(SSL_FILENAMES[1]) as f: | ||||||
|  |     private_key_path = f.name | ||||||
|  | 
 | ||||||
|  |   if not private_key_path: | ||||||
|  |     # Only in testing. | ||||||
|  |     return | ||||||
|  | 
 | ||||||
|  |   # Validate the private key with the certificate. | ||||||
|  |   context = OpenSSL.SSL.Context(OpenSSL.SSL.TLSv1_METHOD) | ||||||
|  |   context.use_certificate(cert) | ||||||
|  | 
 | ||||||
|  |   try: | ||||||
|  |     context.use_privatekey_file(private_key_path) | ||||||
|  |   except: | ||||||
|  |     raise Exception('Could not parse key file. Is it a valid PEM private key?') | ||||||
|  | 
 | ||||||
|  |   try: | ||||||
|  |     context.check_privatekey() | ||||||
|  |   except OpenSSL.SSL.Error as e: | ||||||
|  |     raise Exception('SSL key failed to validate: %s' % str(e)) | ||||||
|  | 
 | ||||||
|  |   # Verify the hostname matches the name in the certificate. | ||||||
|  |   common_name = cert.get_subject().commonName | ||||||
|  |   if common_name is None: | ||||||
|  |     raise Exception('Missing CommonName (CN) from SSL certificate') | ||||||
|  | 
 | ||||||
|  |   # Build the list of allowed host patterns. | ||||||
|  |   hosts = set([common_name]) | ||||||
|  | 
 | ||||||
|  |   # Find the DNS extension, if any. | ||||||
|  |   for i in range(0, cert.get_extension_count()): | ||||||
|  |     ext = cert.get_extension(i) | ||||||
|  |     if ext.get_short_name() == 'subjectAltName': | ||||||
|  |       value = str(ext) | ||||||
|  |       hosts.update([host.strip()[4:] for host in value.split(',')]) | ||||||
|  | 
 | ||||||
|  |   # Check each host. | ||||||
|  |   for host in hosts: | ||||||
|  |     if fnmatch(config['SERVER_HOSTNAME'], host): | ||||||
|  |       return | ||||||
|  | 
 | ||||||
|  |   raise Exception('Supported names "%s" in SSL cert do not match server hostname "%s"' % | ||||||
|  |                   (', '.join(list(hosts)), config['SERVER_HOSTNAME'])) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | def _validate_ldap(config): | ||||||
|  |   """ Validates the LDAP connection. """ | ||||||
|  |   if config.get('AUTHENTICATION_TYPE', 'Database') != 'LDAP': | ||||||
|  |     return | ||||||
|  | 
 | ||||||
|  |   # Note: raises ldap.INVALID_CREDENTIALS on failure | ||||||
|  |   admin_dn = config.get('LDAP_ADMIN_DN') | ||||||
|  |   admin_passwd = config.get('LDAP_ADMIN_PASSWD') | ||||||
|  | 
 | ||||||
|  |   if not admin_dn: | ||||||
|  |     raise Exception('Missing Admin DN for LDAP configuration') | ||||||
|  | 
 | ||||||
|  |   if not admin_passwd: | ||||||
|  |     raise Exception('Missing Admin Password for LDAP configuration') | ||||||
|  | 
 | ||||||
|  |   ldap_uri = config.get('LDAP_URI', 'ldap://localhost') | ||||||
|  | 
 | ||||||
|  |   try: | ||||||
|  |     with LDAPConnection(ldap_uri, admin_dn, admin_passwd): | ||||||
|  |       pass | ||||||
|  |   except ldap.LDAPError as ex: | ||||||
|  |     values = ex.args[0] if ex.args else {} | ||||||
|  |     raise Exception(values.get('desc', 'Unknown error')) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | _VALIDATORS = { | ||||||
|  |   'database': _validate_database, | ||||||
|  |   'redis': _validate_redis, | ||||||
|  |   'registry-storage': _validate_registry_storage, | ||||||
|  |   'mail': _validate_mailing, | ||||||
|  |   'github-login': _validate_github('GITHUB_LOGIN_CONFIG'), | ||||||
|  |   'github-trigger': _validate_github('GITHUB_TRIGGER_CONFIG'), | ||||||
|  |   'google-login': _validate_google_login, | ||||||
|  |   'ssl': _validate_ssl, | ||||||
|  |   'ldap': _validate_ldap, | ||||||
|  | } | ||||||
							
								
								
									
										103
									
								
								util/imagetree.py
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										103
									
								
								util/imagetree.py
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,103 @@ | ||||||
|  | class ImageTreeNode(object): | ||||||
|  |   """ A node in the image tree. """ | ||||||
|  |   def __init__(self, image): | ||||||
|  |     self.image = image | ||||||
|  |     self.parent = None | ||||||
|  |     self.children = [] | ||||||
|  |     self.tags = [] | ||||||
|  | 
 | ||||||
|  |   def add_child(self, child): | ||||||
|  |     self.children.append(child) | ||||||
|  |     child.parent = self | ||||||
|  | 
 | ||||||
|  |   def add_tag(self, tag): | ||||||
|  |     self.tags.append(tag) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | class ImageTree(object): | ||||||
|  |   """ In-memory tree for easy traversal and lookup of images in a repository. """ | ||||||
|  | 
 | ||||||
|  |   def __init__(self, all_images, all_tags, base_filter=None): | ||||||
|  |     self._tag_map = {} | ||||||
|  |     self._image_map = {} | ||||||
|  | 
 | ||||||
|  |     self._build(all_images, all_tags, base_filter) | ||||||
|  | 
 | ||||||
|  |   def _build(self,  all_images, all_tags, base_filter=None): | ||||||
|  |     # Build nodes for each of the images. | ||||||
|  |     for image in all_images: | ||||||
|  |       ancestors = image.ancestors.split('/')[1:-1] | ||||||
|  | 
 | ||||||
|  |       # Filter any unneeded images. | ||||||
|  |       if base_filter is not None: | ||||||
|  |         if image.id != base_filter and not str(base_filter) in ancestors: | ||||||
|  |           continue | ||||||
|  | 
 | ||||||
|  |       self._image_map[image.id] = ImageTreeNode(image) | ||||||
|  | 
 | ||||||
|  |     # Connect the nodes to their parents. | ||||||
|  |     for image_node in self._image_map.values(): | ||||||
|  |       image = image_node.image | ||||||
|  |       parent_image_id = image.ancestors.split('/')[-2] if image.ancestors else None | ||||||
|  |       if not parent_image_id: | ||||||
|  |         continue | ||||||
|  | 
 | ||||||
|  |       parent_node = self._image_map.get(int(parent_image_id)) | ||||||
|  |       if parent_node is not None: | ||||||
|  |         parent_node.add_child(image_node) | ||||||
|  | 
 | ||||||
|  |     # Build the tag map. | ||||||
|  |     for tag in all_tags: | ||||||
|  |       image_node = self._image_map.get(tag.image.id) | ||||||
|  |       if not image_node: | ||||||
|  |         continue | ||||||
|  | 
 | ||||||
|  |       self._tag_map = image_node | ||||||
|  |       image_node.add_tag(tag.name) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |   def find_longest_path(self, image_id, checker): | ||||||
|  |     """ Returns a list of images representing the longest path that matches the given | ||||||
|  |         checker function, starting from the given image_id *exclusive*. | ||||||
|  |     """ | ||||||
|  |     start_node = self._image_map.get(image_id) | ||||||
|  |     if not start_node: | ||||||
|  |       return [] | ||||||
|  | 
 | ||||||
|  |     return self._find_longest_path(start_node, checker, -1)[1:] | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |   def _find_longest_path(self, image_node, checker, index): | ||||||
|  |     found_path = [] | ||||||
|  | 
 | ||||||
|  |     for child_node in image_node.children: | ||||||
|  |       if not checker(index + 1, child_node.image): | ||||||
|  |         continue | ||||||
|  | 
 | ||||||
|  |       found = self._find_longest_path(child_node, checker, index + 1) | ||||||
|  |       if found and len(found) > len(found_path): | ||||||
|  |         found_path = found | ||||||
|  | 
 | ||||||
|  |     return [image_node.image] + found_path | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |   def tag_containing_image(self, image): | ||||||
|  |     """ Returns the name of the closest tag containing the given image. """ | ||||||
|  |     if not image: | ||||||
|  |       return None | ||||||
|  | 
 | ||||||
|  |     # Check the current image for a tag. | ||||||
|  |     image_node = self._image_map.get(image.id) | ||||||
|  |     if image_node is None: | ||||||
|  |       return None | ||||||
|  | 
 | ||||||
|  |     if image_node.tags: | ||||||
|  |       return image_node.tags[0] | ||||||
|  | 
 | ||||||
|  |     # Check any deriving images for a tag. | ||||||
|  |     for child_node in image_node.children: | ||||||
|  |       found = self.tag_containing_image(child_node.image) | ||||||
|  |       if found is not None: | ||||||
|  |         return found | ||||||
|  | 
 | ||||||
|  |     return None | ||||||
|  | @ -1,9 +1,9 @@ | ||||||
| import urlparse | import urlparse | ||||||
| 
 | 
 | ||||||
| class OAuthConfig(object): | class OAuthConfig(object): | ||||||
|   def __init__(self, app, key_name): |   def __init__(self, config, key_name): | ||||||
|     self.key_name = key_name |     self.key_name = key_name | ||||||
|     self.config = app.config.get(key_name) or {} |     self.config = config.get(key_name) or {} | ||||||
| 
 | 
 | ||||||
|   def service_name(self): |   def service_name(self): | ||||||
|     raise NotImplementedError |     raise NotImplementedError | ||||||
|  | @ -17,6 +17,9 @@ class OAuthConfig(object): | ||||||
|   def login_endpoint(self): |   def login_endpoint(self): | ||||||
|     raise NotImplementedError |     raise NotImplementedError | ||||||
| 
 | 
 | ||||||
|  |   def validate_client_id_and_secret(self, http_client): | ||||||
|  |     raise NotImplementedError | ||||||
|  | 
 | ||||||
|   def client_id(self): |   def client_id(self): | ||||||
|     return self.config.get('CLIENT_ID') |     return self.config.get('CLIENT_ID') | ||||||
| 
 | 
 | ||||||
|  | @ -31,8 +34,8 @@ class OAuthConfig(object): | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
| class GithubOAuthConfig(OAuthConfig): | class GithubOAuthConfig(OAuthConfig): | ||||||
|   def __init__(self, app, key_name): |   def __init__(self, config, key_name): | ||||||
|     super(GithubOAuthConfig, self).__init__(app, key_name) |     super(GithubOAuthConfig, self).__init__(config, key_name) | ||||||
| 
 | 
 | ||||||
|   def service_name(self): |   def service_name(self): | ||||||
|     return 'GitHub' |     return 'GitHub' | ||||||
|  | @ -63,6 +66,31 @@ class GithubOAuthConfig(OAuthConfig): | ||||||
|     api_endpoint = self._api_endpoint() |     api_endpoint = self._api_endpoint() | ||||||
|     return self._get_url(api_endpoint, 'user/emails') |     return self._get_url(api_endpoint, 'user/emails') | ||||||
| 
 | 
 | ||||||
|  |   def validate_client_id_and_secret(self, http_client): | ||||||
|  |     # First: Verify that the github endpoint is actually Github by checking for the | ||||||
|  |     # X-GitHub-Request-Id here. | ||||||
|  |     api_endpoint = self._api_endpoint() | ||||||
|  |     result = http_client.get(api_endpoint, auth=(self.client_id(), self.client_secret()), timeout=5) | ||||||
|  |     if not 'X-GitHub-Request-Id' in result.headers: | ||||||
|  |       raise Exception('Endpoint is not a Github (Enterprise) installation') | ||||||
|  | 
 | ||||||
|  |     # Next: Verify the client ID and secret. | ||||||
|  |     # Note: The following code is a hack until such time as Github officially adds an API endpoint | ||||||
|  |     # for verifying a {client_id, client_secret} pair. That being said, this hack was given to us | ||||||
|  |     # *by a Github Engineer*, so I think it is okay for the time being :) | ||||||
|  |     # | ||||||
|  |     # TODO(jschorr): Replace with the real API call once added. | ||||||
|  |     # | ||||||
|  |     # Hitting the endpoint applications/{client_id}/tokens/foo will result in the following | ||||||
|  |     # behavior IF the client_id is given as the HTTP username and the client_secret as the HTTP | ||||||
|  |     # password: | ||||||
|  |     #   - If the {client_id, client_secret} pair is invalid in some way, we get a 401 error. | ||||||
|  |     #   - If the pair is valid, then we get a 404 because the 'foo' token does not exists. | ||||||
|  |     validate_endpoint = self._get_url(api_endpoint, 'applications/%s/tokens/foo' % self.client_id()) | ||||||
|  |     result = http_client.get(validate_endpoint, auth=(self.client_id(), self.client_secret()), | ||||||
|  |                                                 timeout=5) | ||||||
|  |     return result.status_code == 404 | ||||||
|  | 
 | ||||||
|   def get_public_config(self): |   def get_public_config(self): | ||||||
|     return  { |     return  { | ||||||
|       'CLIENT_ID': self.client_id(), |       'CLIENT_ID': self.client_id(), | ||||||
|  | @ -73,8 +101,8 @@ class GithubOAuthConfig(OAuthConfig): | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
| class GoogleOAuthConfig(OAuthConfig): | class GoogleOAuthConfig(OAuthConfig): | ||||||
|   def __init__(self, app, key_name): |   def __init__(self, config, key_name): | ||||||
|     super(GoogleOAuthConfig, self).__init__(app, key_name) |     super(GoogleOAuthConfig, self).__init__(config, key_name) | ||||||
| 
 | 
 | ||||||
|   def service_name(self): |   def service_name(self): | ||||||
|     return 'Google' |     return 'Google' | ||||||
|  | @ -88,6 +116,23 @@ class GoogleOAuthConfig(OAuthConfig): | ||||||
|   def user_endpoint(self): |   def user_endpoint(self): | ||||||
|     return 'https://www.googleapis.com/oauth2/v1/userinfo' |     return 'https://www.googleapis.com/oauth2/v1/userinfo' | ||||||
| 
 | 
 | ||||||
|  |   def validate_client_id_and_secret(self, http_client): | ||||||
|  |     # To verify the Google client ID and secret, we hit the | ||||||
|  |     # https://www.googleapis.com/oauth2/v3/token endpoint with an invalid request. If the client | ||||||
|  |     # ID or secret are invalid, we get returned a 403 Unauthorized. Otherwise, we get returned | ||||||
|  |     # another response code. | ||||||
|  |     url = 'https://www.googleapis.com/oauth2/v3/token' | ||||||
|  |     data = { | ||||||
|  |       'code': 'fakecode', | ||||||
|  |       'client_id': self.client_id(), | ||||||
|  |       'client_secret': self.client_secret(), | ||||||
|  |       'grant_type': 'authorization_code', | ||||||
|  |       'redirect_uri': 'http://example.com' | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     result = http_client.post(url, data=data, timeout=5) | ||||||
|  |     return result.status_code != 401 | ||||||
|  | 
 | ||||||
|   def get_public_config(self): |   def get_public_config(self): | ||||||
|     return  { |     return  { | ||||||
|       'CLIENT_ID': self.client_id(), |       'CLIENT_ID': self.client_id(), | ||||||
|  |  | ||||||
							
								
								
									
										15
									
								
								util/systemlogs.py
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										15
									
								
								util/systemlogs.py
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,15 @@ | ||||||
|  | import tarfile | ||||||
|  | import os | ||||||
|  | import cStringIO | ||||||
|  | 
 | ||||||
|  | def build_logs_archive(app): | ||||||
|  |   """ Builds a .tar.gz with the contents of the system logs found for the given app and returns | ||||||
|  |       the binary contents. | ||||||
|  |   """ | ||||||
|  |   path = app.config['SYSTEM_LOGS_PATH'] | ||||||
|  |   buf = cStringIO.StringIO() | ||||||
|  | 
 | ||||||
|  |   with tarfile.open(mode="w:gz", fileobj=buf) as tar: | ||||||
|  |     tar.add(path, arcname=os.path.basename(path)) | ||||||
|  | 
 | ||||||
|  |   return buf.getvalue() | ||||||
		Reference in a new issue