This repository has been archived on 2020-03-24. You can view files and clone it, but cannot push or open issues or pull requests.
quay/workers/securityworker.py

219 lines
7.7 KiB
Python
Raw Normal View History

import logging
2015-10-27 21:38:48 +00:00
import logging.config
import requests
import features
import time
2015-10-27 21:38:48 +00:00
from endpoints.notificationhelper import spawn_notification
from collections import defaultdict
2015-11-17 22:42:52 +00:00
from app import app, config_provider, storage, secscan_api
from workers.worker import Worker
2015-11-17 22:42:52 +00:00
from data import model
from data.model.tag import filter_tags_have_repository_event, get_tags_for_image
from data.model.image import get_secscan_candidates, set_secscan_status
from data.model.storage import get_storage_locations
2015-11-19 00:42:20 +00:00
from data.database import (UseThenDisconnect, ExternalNotificationEvent)
2015-11-11 20:41:46 +00:00
from util.secscan.api import SecurityConfigValidator
logger = logging.getLogger(__name__)
2015-11-17 22:42:52 +00:00
BATCH_SIZE = 5
INDEXING_INTERVAL = 30
2015-10-27 21:38:48 +00:00
API_METHOD_INSERT = '/v1/layers'
API_METHOD_VERSION = '/v1/versions/engine'
class SecurityWorker(Worker):
def __init__(self):
super(SecurityWorker, self).__init__()
2015-11-12 22:47:19 +00:00
validator = SecurityConfigValidator(app, config_provider)
2015-11-11 20:41:46 +00:00
if validator.valid():
secscan_config = app.config.get('SECURITY_SCANNER')
self._api = secscan_config['ENDPOINT']
self._target_version = secscan_config['ENGINE_VERSION_TARGET']
self._default_storage_locations = app.config['DISTRIBUTED_STORAGE_PREFERENCE']
self._cert = validator.cert()
self._keys = validator.keypair()
self.add_operation(self._index_images, INDEXING_INTERVAL)
2015-11-17 22:42:52 +00:00
else:
logger.warning('Failed to validate security scan configuration')
2015-11-11 20:41:46 +00:00
def _get_image_url(self, image):
""" Gets the download URL for an image and if the storage doesn't exist,
marks the image as unindexed. """
2015-11-17 22:42:52 +00:00
path = model.storage.get_layer_path(image.storage)
2015-11-11 20:41:46 +00:00
locations = self._default_storage_locations
if not storage.exists(locations, path):
2015-11-17 22:42:52 +00:00
locations = get_storage_locations(image.storage.uuid)
2015-11-11 20:41:46 +00:00
2015-11-13 17:23:02 +00:00
if not locations or not storage.exists(locations, path):
2015-11-17 22:42:52 +00:00
logger.warning('Could not find a valid location to download layer %s.%s',
image.docker_image_id, image.storage.uuid)
set_secscan_status(image, False, self._target_version)
2015-11-11 20:41:46 +00:00
return None
uri = storage.get_direct_download_url(locations, path)
if uri is None:
2015-11-12 22:02:18 +00:00
# Handle local storage
local_storage_enabled = False
for storage_type, _ in app.config.get('DISTRIBUTED_STORAGE_CONFIG', {}).values():
if storage_type == 'LocalStorage':
local_storage_enabled = True
if local_storage_enabled:
uri = path
else:
logger.warning('Could not get image URL and local storage was not enabled')
return None
2015-11-11 20:41:46 +00:00
return uri
def _new_request(self, image):
url = self._get_image_url(image)
if url is None:
return None
request = {
2015-11-17 22:42:52 +00:00
'ID': '%s.%s' % (image.docker_image_id, image.storage.uuid),
2015-11-11 20:41:46 +00:00
'Path': url,
}
2015-11-17 22:42:52 +00:00
if image.parent is not None:
request['ParentID'] = '%s.%s' % (image.parent.docker_image_id,
image.parent.storage.uuid)
2015-11-11 20:41:46 +00:00
return request
def _analyze_image(self, image):
2015-11-17 22:42:52 +00:00
""" Analyzes an image by passing it to Clair. """
2015-11-11 20:41:46 +00:00
request = self._new_request(image)
if request is None:
2015-11-17 22:42:52 +00:00
return False
2015-11-11 20:41:46 +00:00
2015-11-12 22:47:19 +00:00
# Analyze the image.
2015-11-11 20:41:46 +00:00
try:
logger.info('Analyzing %s', request['ID'])
# Using invalid certificates doesn't return proper errors because of
# https://github.com/shazow/urllib3/issues/556
httpResponse = requests.post(self._api + API_METHOD_INSERT, json=request,
cert=self._keys, verify=self._cert)
jsonResponse = httpResponse.json()
2015-11-12 22:02:18 +00:00
except (requests.exceptions.RequestException, ValueError):
2015-11-11 20:41:46 +00:00
logger.exception('An exception occurred when analyzing layer ID %s', request['ID'])
2015-11-17 22:42:52 +00:00
return False
2015-11-11 20:41:46 +00:00
# Handle any errors from the security scanner.
if httpResponse.status_code != 201:
2015-11-12 22:47:19 +00:00
if 'OS and/or package manager are not supported' in jsonResponse.get('Message', ''):
# The current engine could not index this layer
logger.warning('A warning event occurred when analyzing layer ID %s : %s',
request['ID'], jsonResponse['Message'])
# Hopefully, there is no version lower than the target one running
2015-11-17 22:42:52 +00:00
set_secscan_status(image, False, self._target_version)
return True
2015-11-11 20:41:46 +00:00
else:
2015-11-12 22:47:19 +00:00
logger.warning('Got non-201 when analyzing layer ID %s: %s', request['ID'], jsonResponse)
2015-11-17 22:42:52 +00:00
return False
2015-11-11 20:41:46 +00:00
2015-11-12 22:47:19 +00:00
# Verify that the version matches.
api_version = jsonResponse['Version']
if api_version < self._target_version:
logger.warning('An engine runs on version %d but the target version is %d')
2015-11-11 20:41:46 +00:00
2015-11-12 22:47:19 +00:00
# Mark the image as analyzed.
2015-11-17 22:42:52 +00:00
logger.debug('Layer %s analyzed successfully', image.id)
set_secscan_status(image, True, api_version)
2015-11-12 22:47:19 +00:00
2015-11-17 22:42:52 +00:00
return True
def _get_vulnerabilities(self, image):
""" Returns the vulnerabilities detected (if any) or None on error. """
2015-11-11 20:41:46 +00:00
try:
2015-11-17 22:42:52 +00:00
response = secscan_api.call('layers/%s/vulnerabilities', None,
'%s.%s' % (image.docker_image_id, image.storage.uuid))
2015-11-11 20:41:46 +00:00
logger.debug('Got response %s for vulnerabilities for layer %s',
2015-11-17 22:42:52 +00:00
response.status_code, image.id)
2015-11-11 20:41:46 +00:00
if response.status_code == 404:
return None
2015-11-12 22:47:19 +00:00
except (requests.exceptions.RequestException, ValueError):
2015-11-17 22:42:52 +00:00
logger.exception('Failed to get vulnerability response for %s', image.id)
2015-11-11 20:41:46 +00:00
return None
return response.json()
def _index_images(self):
2015-11-11 20:41:46 +00:00
logger.debug('Started indexing')
2015-11-17 22:42:52 +00:00
event = ExternalNotificationEvent.get(name='vulnerability_found')
2015-10-27 21:38:48 +00:00
with UseThenDisconnect(app.config):
while True:
2015-11-12 22:47:19 +00:00
# Lookup the images to index.
2015-11-11 20:41:46 +00:00
images = []
2015-11-19 00:42:20 +00:00
logger.debug('Looking up images to index')
images = get_secscan_candidates(self._target_version, BATCH_SIZE)
2015-11-11 20:41:46 +00:00
if not images:
logger.debug('No more images left to analyze')
return
2015-10-28 20:32:46 +00:00
2015-11-12 22:47:19 +00:00
logger.debug('Found %d images to index', len(images))
2015-11-11 20:41:46 +00:00
for image in images:
2015-11-17 22:42:52 +00:00
# Analyze the image.
analyzed = self._analyze_image(image)
if not analyzed:
return
# Get the tags of the image we analyzed
matching = list(filter_tags_have_repository_event(get_tags_for_image(image.id), event))
2015-11-11 20:41:46 +00:00
2015-11-12 22:47:19 +00:00
repository_map = defaultdict(list)
2015-10-28 20:32:46 +00:00
for tag in matching:
repository_map[tag.repository_id].append(tag)
2015-11-17 22:42:52 +00:00
# If there is at least one tag,
# Lookup the vulnerabilities for the image, now that it is analyzed.
if len(repository_map) > 0:
logger.debug('Loading vulnerabilities for layer %s', image.id)
sec_data = self._get_vulnerabilities(image)
if sec_data is None:
continue
if not sec_data.get('Vulnerabilities'):
continue
# Dispatch events for any detected vulnerabilities
logger.debug('Got vulnerabilities for layer %s: %s', image.id, sec_data)
2015-10-28 20:32:46 +00:00
2015-11-17 22:42:52 +00:00
for repository_id in repository_map:
tags = repository_map[repository_id]
2015-10-28 20:32:46 +00:00
2015-11-17 22:42:52 +00:00
for vuln in sec_data['Vulnerabilities']:
event_data = {
'tags': [tag.name for tag in tags],
'vulnerability': {
'id': vuln['ID'],
'description': vuln['Description'],
'link': vuln['Link'],
'priority': vuln['Priority'],
},
}
2015-10-28 20:32:46 +00:00
2015-11-17 22:42:52 +00:00
spawn_notification(tags[0].repository, 'vulnerability_found', event_data)
2015-10-28 20:32:46 +00:00
if __name__ == '__main__':
if not features.SECURITY_SCANNER:
2015-11-10 18:07:47 +00:00
logger.debug('Security scanner disabled; skipping SecurityWorker')
while True:
time.sleep(100000)
2015-10-27 21:38:48 +00:00
logging.config.fileConfig('conf/logging_debug.conf', disable_existing_loggers=False)
worker = SecurityWorker()
worker.start()