Merge pull request #3299 from quay/joseph.schorr/QUAY-1233/batch-logs-download
Batch download of logs
This commit is contained in:
commit
442312402f
20 changed files with 783 additions and 23 deletions
3
app.py
3
app.py
|
@ -227,6 +227,9 @@ notification_queue = WorkQueue(app.config['NOTIFICATION_QUEUE_NAME'], tf, has_na
|
||||||
secscan_notification_queue = WorkQueue(app.config['SECSCAN_NOTIFICATION_QUEUE_NAME'], tf,
|
secscan_notification_queue = WorkQueue(app.config['SECSCAN_NOTIFICATION_QUEUE_NAME'], tf,
|
||||||
has_namespace=False,
|
has_namespace=False,
|
||||||
metric_queue=metric_queue)
|
metric_queue=metric_queue)
|
||||||
|
export_action_logs_queue = WorkQueue(app.config['EXPORT_ACTION_LOGS_QUEUE_NAME'], tf,
|
||||||
|
has_namespace=True,
|
||||||
|
metric_queue=metric_queue)
|
||||||
|
|
||||||
# Note: We set `has_namespace` to `False` here, as we explicitly want this queue to not be emptied
|
# Note: We set `has_namespace` to `False` here, as we explicitly want this queue to not be emptied
|
||||||
# when a namespace is marked for deletion.
|
# when a namespace is marked for deletion.
|
||||||
|
|
4
conf/init/service/batch/exportactionlogsworker/log/run
Executable file
4
conf/init/service/batch/exportactionlogsworker/log/run
Executable file
|
@ -0,0 +1,4 @@
|
||||||
|
#!/bin/sh
|
||||||
|
|
||||||
|
# Start the logger
|
||||||
|
exec logger -i -t exportactionlogsworker
|
9
conf/init/service/batch/exportactionlogsworker/run
Executable file
9
conf/init/service/batch/exportactionlogsworker/run
Executable file
|
@ -0,0 +1,9 @@
|
||||||
|
#! /bin/bash
|
||||||
|
|
||||||
|
echo 'Starting Export Actions Log worker'
|
||||||
|
|
||||||
|
QUAYPATH=${QUAYPATH:-"."}
|
||||||
|
cd ${QUAYDIR:-"/"}
|
||||||
|
PYTHONPATH=$QUAYPATH venv/bin/python -m workers.exportactionlogsworker 2>&1
|
||||||
|
|
||||||
|
echo 'Export Actions Log worker exited'
|
|
@ -172,6 +172,7 @@ class DefaultConfig(ImmutableConfig):
|
||||||
SECSCAN_NOTIFICATION_QUEUE_NAME = 'security_notification'
|
SECSCAN_NOTIFICATION_QUEUE_NAME = 'security_notification'
|
||||||
CHUNK_CLEANUP_QUEUE_NAME = 'chunk_cleanup'
|
CHUNK_CLEANUP_QUEUE_NAME = 'chunk_cleanup'
|
||||||
NAMESPACE_GC_QUEUE_NAME = 'namespacegc'
|
NAMESPACE_GC_QUEUE_NAME = 'namespacegc'
|
||||||
|
EXPORT_ACTION_LOGS_QUEUE_NAME = 'exportactionlogs'
|
||||||
|
|
||||||
# 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 = []
|
||||||
|
|
|
@ -15,11 +15,16 @@ logger = logging.getLogger(__name__)
|
||||||
ACTIONS_ALLOWED_WITHOUT_AUDIT_LOGGING = ['pull_repo']
|
ACTIONS_ALLOWED_WITHOUT_AUDIT_LOGGING = ['pull_repo']
|
||||||
|
|
||||||
|
|
||||||
def _logs_query(selections, start_time, end_time, performer=None, repository=None, namespace=None,
|
def _logs_query(selections, start_time=None, end_time=None, performer=None, repository=None,
|
||||||
ignore=None, model=LogEntry):
|
namespace=None, ignore=None, model=LogEntry, id_range=None):
|
||||||
""" Returns a query for selecting logs from the table, with various options and filters. """
|
""" Returns a query for selecting logs from the table, with various options and filters. """
|
||||||
joined = (model.select(*selections).switch(model)
|
assert (start_time is not None and end_time is not None) or (id_range is not None)
|
||||||
.where(model.datetime >= start_time, model.datetime < end_time))
|
joined = (model.select(*selections).switch(model))
|
||||||
|
|
||||||
|
if id_range is not None:
|
||||||
|
joined = joined.where(model.id >= id_range[0], model.id <= id_range[1])
|
||||||
|
else:
|
||||||
|
joined = joined.where(model.datetime >= start_time, model.datetime < end_time)
|
||||||
|
|
||||||
if repository:
|
if repository:
|
||||||
joined = joined.where(model.repository == repository)
|
joined = joined.where(model.repository == repository)
|
||||||
|
@ -67,8 +72,8 @@ def get_aggregated_logs(start_time, end_time, performer=None, repository=None, n
|
||||||
return query.group_by(date, model.kind)
|
return query.group_by(date, model.kind)
|
||||||
|
|
||||||
|
|
||||||
def get_logs_query(start_time, end_time, performer=None, repository=None, namespace=None,
|
def get_logs_query(start_time=None, end_time=None, performer=None, repository=None, namespace=None,
|
||||||
ignore=None, model=LogEntry):
|
ignore=None, model=LogEntry, id_range=None):
|
||||||
""" Returns the logs matching the given filters. """
|
""" Returns the logs matching the given filters. """
|
||||||
Performer = User.alias()
|
Performer = User.alias()
|
||||||
Account = User.alias()
|
Account = User.alias()
|
||||||
|
@ -78,13 +83,13 @@ def get_logs_query(start_time, end_time, performer=None, repository=None, namesp
|
||||||
selections.append(Account)
|
selections.append(Account)
|
||||||
|
|
||||||
query = _logs_query(selections, start_time, end_time, performer, repository, namespace, ignore,
|
query = _logs_query(selections, start_time, end_time, performer, repository, namespace, ignore,
|
||||||
model=model)
|
model=model, id_range=id_range)
|
||||||
query = (query.switch(model).join(Performer, JOIN.LEFT_OUTER,
|
query = (query.switch(model).join(Performer, JOIN.LEFT_OUTER,
|
||||||
on=(model.performer == Performer.id).alias('performer')))
|
on=(model.performer == Performer.id).alias('performer')))
|
||||||
|
|
||||||
if namespace is None and repository is None:
|
if namespace is None and repository is None:
|
||||||
query = (query.switch(model).join(Account, JOIN.LEFT_OUTER,
|
query = (query.switch(model).join(Account, JOIN.LEFT_OUTER,
|
||||||
on=(model.account == Account.id).alias('account')))
|
on=(model.account == Account.id).alias('account')))
|
||||||
|
|
||||||
return query
|
return query
|
||||||
|
|
||||||
|
@ -191,3 +196,54 @@ def get_repositories_action_sums(repository_ids):
|
||||||
action_count_map[record[0]] = record[1]
|
action_count_map[record[0]] = record[1]
|
||||||
|
|
||||||
return action_count_map
|
return action_count_map
|
||||||
|
|
||||||
|
|
||||||
|
def get_minimum_id_for_logs(start_time, repository_id=None, namespace_id=None):
|
||||||
|
""" Returns the minimum ID for logs matching the given repository or namespace in
|
||||||
|
the logs table, starting at the given start time.
|
||||||
|
"""
|
||||||
|
# First try bounded by a day. Most repositories will meet this criteria, and therefore
|
||||||
|
# can make a much faster query.
|
||||||
|
day_after = start_time + timedelta(days=1)
|
||||||
|
result = _get_bounded_id(fn.Min, LogEntry.datetime >= start_time,
|
||||||
|
repository_id, namespace_id, LogEntry.datetime < day_after)
|
||||||
|
if result is not None:
|
||||||
|
return result
|
||||||
|
|
||||||
|
return _get_bounded_id(fn.Min, LogEntry.datetime >= start_time, repository_id, namespace_id)
|
||||||
|
|
||||||
|
|
||||||
|
def get_maximum_id_for_logs(end_time, repository_id=None, namespace_id=None):
|
||||||
|
""" Returns the maximum ID for logs matching the given repository or namespace in
|
||||||
|
the logs table, ending at the given end time.
|
||||||
|
"""
|
||||||
|
# First try bounded by a day. Most repositories will meet this criteria, and therefore
|
||||||
|
# can make a much faster query.
|
||||||
|
day_before = end_time - timedelta(days=1)
|
||||||
|
result = _get_bounded_id(fn.Max, LogEntry.datetime <= end_time,
|
||||||
|
repository_id, namespace_id, LogEntry.datetime > day_before)
|
||||||
|
if result is not None:
|
||||||
|
return result
|
||||||
|
|
||||||
|
return _get_bounded_id(fn.Max, LogEntry.datetime <= end_time, repository_id, namespace_id)
|
||||||
|
|
||||||
|
|
||||||
|
def _get_bounded_id(fn, filter_clause, repository_id, namespace_id, reduction_clause=None):
|
||||||
|
assert (namespace_id is not None) or (repository_id is not None)
|
||||||
|
query = (LogEntry
|
||||||
|
.select(fn(LogEntry.id))
|
||||||
|
.where(filter_clause))
|
||||||
|
|
||||||
|
if reduction_clause is not None:
|
||||||
|
query = query.where(reduction_clause)
|
||||||
|
|
||||||
|
if repository_id is not None:
|
||||||
|
query = query.where(LogEntry.repository == repository_id)
|
||||||
|
else:
|
||||||
|
query = query.where(LogEntry.account == namespace_id)
|
||||||
|
|
||||||
|
row = query.tuples()[0]
|
||||||
|
if not row:
|
||||||
|
return None
|
||||||
|
|
||||||
|
return row[0]
|
||||||
|
|
38
emails/logsexported.html
Normal file
38
emails/logsexported.html
Normal file
|
@ -0,0 +1,38 @@
|
||||||
|
{% extends "base.html" %}
|
||||||
|
|
||||||
|
{% block content %}
|
||||||
|
|
||||||
|
<h3 style="font-weight: 400">Usage Logs Export has completed</h3>
|
||||||
|
<h4>Export ID: {{ export_id }}</h4>
|
||||||
|
<hr style="border:none; border-top: 1px solid #D9D9D9; margin: 25px 0">
|
||||||
|
|
||||||
|
{% if status == 'success' %}
|
||||||
|
<table>
|
||||||
|
<tr>
|
||||||
|
<td style="font-size: 13px;">The exported logs information can be found at <a href="{{ exported_data_url }}">{{ exported_data_url }}</a> and will remain accessible for <b>{{ exported_data_expiration }} seconds</b> before being deleted.</td>
|
||||||
|
</tr>
|
||||||
|
</table>
|
||||||
|
{% elif status == 'timedout' %}
|
||||||
|
<table>
|
||||||
|
<tr>
|
||||||
|
<td style="font-size: 13px;">The attempt to export the logs in the specified range has timed out. Please contact support if this problem persists.</td>
|
||||||
|
</tr>
|
||||||
|
</table>
|
||||||
|
{% elif status == 'invalidrequest' %}
|
||||||
|
<table>
|
||||||
|
<tr>
|
||||||
|
<td style="font-size: 13px;">The attempt to export the logs failed due to an invalid request. Please contact support if this problem persists.</td>
|
||||||
|
</tr>
|
||||||
|
</table>
|
||||||
|
{% endif %}
|
||||||
|
|
||||||
|
<table style="margin: 25px 0 35px">
|
||||||
|
<tr>
|
||||||
|
<td style="font-size: 13px;">If you did not initiate this operation, please delete this e-mail.</td>
|
||||||
|
</tr>
|
||||||
|
</table>
|
||||||
|
|
||||||
|
<span style="font-size: 13px;">Best Wishes,</span><br>
|
||||||
|
<span style="font-size: 13px;">The {{ app_title }} Team</span><br>
|
||||||
|
|
||||||
|
{% endblock %}
|
|
@ -1,10 +1,17 @@
|
||||||
""" Access usage logs for organizations or repositories. """
|
""" Access usage logs for organizations or repositories. """
|
||||||
|
import json
|
||||||
|
import uuid
|
||||||
|
|
||||||
from datetime import datetime, timedelta
|
from datetime import datetime, timedelta
|
||||||
|
|
||||||
|
from flask import request
|
||||||
|
|
||||||
|
from app import export_action_logs_queue
|
||||||
from endpoints.api import (resource, nickname, ApiResource, query_param, parse_args,
|
from endpoints.api import (resource, nickname, ApiResource, query_param, parse_args,
|
||||||
RepositoryParamResource, require_repo_admin, related_user_resource,
|
RepositoryParamResource, require_repo_admin, related_user_resource,
|
||||||
format_date, require_user_admin, path_param, require_scope, page_support)
|
format_date, require_user_admin, path_param, require_scope, page_support,
|
||||||
|
validate_json_request, InvalidRequest)
|
||||||
|
from data import model as data_model
|
||||||
from endpoints.api.logs_models_pre_oci import pre_oci_model as model
|
from endpoints.api.logs_models_pre_oci import pre_oci_model as model
|
||||||
from endpoints.exception import Unauthorized, NotFound
|
from endpoints.exception import Unauthorized, NotFound
|
||||||
from auth.permissions import AdministerOrganizationPermission
|
from auth.permissions import AdministerOrganizationPermission
|
||||||
|
@ -207,3 +214,127 @@ class OrgAggregateLogs(ApiResource):
|
||||||
performer_name=performer_name, ignore=SERVICE_LEVEL_LOG_KINDS)
|
performer_name=performer_name, ignore=SERVICE_LEVEL_LOG_KINDS)
|
||||||
|
|
||||||
raise Unauthorized()
|
raise Unauthorized()
|
||||||
|
|
||||||
|
|
||||||
|
def queue_logs_export(start_time, end_time, options, namespace_name, repository_name=None):
|
||||||
|
export_id = str(uuid.uuid4())
|
||||||
|
namespace = data_model.user.get_namespace_user(namespace_name)
|
||||||
|
if namespace is None:
|
||||||
|
raise InvalidRequest('Unknown namespace')
|
||||||
|
|
||||||
|
repository = None
|
||||||
|
if repository_name is not None:
|
||||||
|
repository = data_model.repository.get_repository(namespace_name, repository_name)
|
||||||
|
if repository is None:
|
||||||
|
raise InvalidRequest('Unknown repository')
|
||||||
|
|
||||||
|
callback_url = options.get('callback_url')
|
||||||
|
if callback_url:
|
||||||
|
if not callback_url.startswith('https://') and not callback_url.startswith('http://'):
|
||||||
|
raise InvalidRequest('Invalid callback URL')
|
||||||
|
|
||||||
|
export_action_logs_queue.put([namespace_name], json.dumps({
|
||||||
|
'export_id': export_id,
|
||||||
|
'repository_id': repository.id if repository else None,
|
||||||
|
'namespace_id': namespace.id,
|
||||||
|
'namespace_name': namespace.username,
|
||||||
|
'repository_name': repository.name if repository else None,
|
||||||
|
'start_time': start_time,
|
||||||
|
'end_time': end_time,
|
||||||
|
'callback_url': callback_url,
|
||||||
|
'callback_email': options.get('callback_email'),
|
||||||
|
}), retries_remaining=3)
|
||||||
|
|
||||||
|
return {
|
||||||
|
'export_id': export_id,
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
EXPORT_LOGS_SCHEMA = {
|
||||||
|
'type': 'object',
|
||||||
|
'description': 'Configuration for an export logs operation',
|
||||||
|
'properties': {
|
||||||
|
'callback_url': {
|
||||||
|
'type': 'string',
|
||||||
|
'description': 'The callback URL to invoke with a link to the exported logs',
|
||||||
|
},
|
||||||
|
'callback_email': {
|
||||||
|
'type': 'string',
|
||||||
|
'description': 'The e-mail address at which to e-mail a link to the exported logs',
|
||||||
|
},
|
||||||
|
},
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
@resource('/v1/repository/<apirepopath:repository>/exportlogs')
|
||||||
|
@path_param('repository', 'The full path of the repository. e.g. namespace/name')
|
||||||
|
class ExportRepositoryLogs(RepositoryParamResource):
|
||||||
|
""" Resource for exporting the logs for the specific repository. """
|
||||||
|
schemas = {
|
||||||
|
'ExportLogs': EXPORT_LOGS_SCHEMA
|
||||||
|
}
|
||||||
|
|
||||||
|
@require_repo_admin
|
||||||
|
@nickname('exportRepoLogs')
|
||||||
|
@parse_args()
|
||||||
|
@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)
|
||||||
|
@validate_json_request('ExportLogs')
|
||||||
|
def post(self, namespace, repository, parsed_args):
|
||||||
|
""" Queues an export of the logs for the specified repository. """
|
||||||
|
if model.repo_exists(namespace, repository) is False:
|
||||||
|
raise NotFound()
|
||||||
|
|
||||||
|
start_time = parsed_args['starttime']
|
||||||
|
end_time = parsed_args['endtime']
|
||||||
|
return queue_logs_export(start_time, end_time, request.get_json(), namespace,
|
||||||
|
repository_name=repository)
|
||||||
|
|
||||||
|
|
||||||
|
@resource('/v1/user/exportlogs')
|
||||||
|
class ExportUserLogs(ApiResource):
|
||||||
|
""" Resource for exporting the logs for the current user repository. """
|
||||||
|
schemas = {
|
||||||
|
'ExportLogs': EXPORT_LOGS_SCHEMA
|
||||||
|
}
|
||||||
|
|
||||||
|
@require_user_admin
|
||||||
|
@nickname('exportUserLogs')
|
||||||
|
@parse_args()
|
||||||
|
@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)
|
||||||
|
@validate_json_request('ExportLogs')
|
||||||
|
def post(self, parsed_args):
|
||||||
|
""" Returns the aggregated logs for the current user. """
|
||||||
|
start_time = parsed_args['starttime']
|
||||||
|
end_time = parsed_args['endtime']
|
||||||
|
|
||||||
|
user = get_authenticated_user()
|
||||||
|
return queue_logs_export(start_time, end_time, request.get_json(), user.username)
|
||||||
|
|
||||||
|
|
||||||
|
@resource('/v1/organization/<orgname>/exportlogs')
|
||||||
|
@path_param('orgname', 'The name of the organization')
|
||||||
|
@related_user_resource(ExportUserLogs)
|
||||||
|
class ExportOrgLogs(ApiResource):
|
||||||
|
""" Resource for exporting the logs for an entire organization. """
|
||||||
|
schemas = {
|
||||||
|
'ExportLogs': EXPORT_LOGS_SCHEMA
|
||||||
|
}
|
||||||
|
|
||||||
|
@nickname('exportOrgLogs')
|
||||||
|
@parse_args()
|
||||||
|
@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)
|
||||||
|
@require_scope(scopes.ORG_ADMIN)
|
||||||
|
@validate_json_request('ExportLogs')
|
||||||
|
def post(self, orgname, parsed_args):
|
||||||
|
""" Gets the aggregated logs for the specified organization. """
|
||||||
|
permission = AdministerOrganizationPermission(orgname)
|
||||||
|
if permission.can():
|
||||||
|
start_time = parsed_args['starttime']
|
||||||
|
end_time = parsed_args['endtime']
|
||||||
|
|
||||||
|
return queue_logs_export(start_time, end_time, request.get_json(), orgname)
|
||||||
|
|
||||||
|
raise Unauthorized()
|
||||||
|
|
|
@ -4,7 +4,7 @@ from data import model, database
|
||||||
from endpoints.api.logs_models_interface import LogEntryDataInterface, LogEntryPage, LogEntry, AggregatedLogEntry
|
from endpoints.api.logs_models_interface import LogEntryDataInterface, LogEntryPage, LogEntry, AggregatedLogEntry
|
||||||
|
|
||||||
|
|
||||||
def _create_log(log):
|
def create_log(log):
|
||||||
account_organization = None
|
account_organization = None
|
||||||
account_username = None
|
account_username = None
|
||||||
account_email = None
|
account_email = None
|
||||||
|
@ -57,7 +57,7 @@ class PreOCIModel(LogEntryDataInterface):
|
||||||
logs, next_page_token = model.modelutil.paginate(logs_query, m,
|
logs, next_page_token = model.modelutil.paginate(logs_query, m,
|
||||||
descending=True, page_token=page_token,
|
descending=True, page_token=page_token,
|
||||||
limit=20)
|
limit=20)
|
||||||
return LogEntryPage([_create_log(log) for log in logs], next_page_token)
|
return LogEntryPage([create_log(log) for log in logs], next_page_token)
|
||||||
|
|
||||||
return get_logs(database.LogEntry)
|
return get_logs(database.LogEntry)
|
||||||
|
|
||||||
|
|
31
endpoints/api/test/test_logs.py
Normal file
31
endpoints/api/test/test_logs.py
Normal file
|
@ -0,0 +1,31 @@
|
||||||
|
import time
|
||||||
|
|
||||||
|
from mock import patch
|
||||||
|
|
||||||
|
from app import export_action_logs_queue
|
||||||
|
from endpoints.api.test.shared import conduct_api_call
|
||||||
|
from endpoints.api.logs import ExportOrgLogs
|
||||||
|
from endpoints.test.shared import client_with_identity
|
||||||
|
|
||||||
|
from test.fixtures import *
|
||||||
|
|
||||||
|
def test_export_logs(client):
|
||||||
|
with client_with_identity('devtable', client) as cl:
|
||||||
|
assert export_action_logs_queue.get() is None
|
||||||
|
|
||||||
|
timecode = time.time()
|
||||||
|
def get_time():
|
||||||
|
return timecode - 2
|
||||||
|
|
||||||
|
with patch('time.time', get_time):
|
||||||
|
# Call to export logs.
|
||||||
|
body = {
|
||||||
|
'callback_url': 'http://some/url',
|
||||||
|
'callback_email': 'a@b.com',
|
||||||
|
}
|
||||||
|
|
||||||
|
conduct_api_call(cl, ExportOrgLogs, 'POST', {'orgname': 'buynlarge'},
|
||||||
|
body, expected_code=200)
|
||||||
|
|
||||||
|
# Ensure the request was queued.
|
||||||
|
assert export_action_logs_queue.get() is not None
|
|
@ -47,6 +47,7 @@ NOTIFICATION_PARAMS = {'namespace': 'devtable', 'repository': 'devtable/simple',
|
||||||
TOKEN_PARAMS = {'token_uuid': 'someuuid'}
|
TOKEN_PARAMS = {'token_uuid': 'someuuid'}
|
||||||
TRIGGER_PARAMS = {'repository': 'devtable/simple', 'trigger_uuid': 'someuuid'}
|
TRIGGER_PARAMS = {'repository': 'devtable/simple', 'trigger_uuid': 'someuuid'}
|
||||||
MANIFEST_PARAMS = {'repository': 'devtable/simple', 'manifestref': 'sha256:deadbeef'}
|
MANIFEST_PARAMS = {'repository': 'devtable/simple', 'manifestref': 'sha256:deadbeef'}
|
||||||
|
EXPORTLOGS_PARAMS = {'callback_url': 'http://foo'}
|
||||||
|
|
||||||
SECURITY_TESTS = [
|
SECURITY_TESTS = [
|
||||||
(AppTokens, 'GET', {}, {}, None, 401),
|
(AppTokens, 'GET', {}, {}, None, 401),
|
||||||
|
@ -1179,6 +1180,21 @@ SECURITY_TESTS = [
|
||||||
(RepositoryAggregateLogs, 'GET', {'repository': 'devtable/simple'}, None, 'freshuser', 403),
|
(RepositoryAggregateLogs, 'GET', {'repository': 'devtable/simple'}, None, 'freshuser', 403),
|
||||||
(RepositoryAggregateLogs, 'GET', {'repository': 'devtable/simple'}, None, 'reader', 403),
|
(RepositoryAggregateLogs, 'GET', {'repository': 'devtable/simple'}, None, 'reader', 403),
|
||||||
|
|
||||||
|
(ExportUserLogs, 'POST', None, EXPORTLOGS_PARAMS, None, 401),
|
||||||
|
(ExportUserLogs, 'POST', None, EXPORTLOGS_PARAMS, 'devtable', 200),
|
||||||
|
(ExportUserLogs, 'POST', None, EXPORTLOGS_PARAMS, 'freshuser', 200),
|
||||||
|
(ExportUserLogs, 'POST', None, EXPORTLOGS_PARAMS, 'reader', 200),
|
||||||
|
|
||||||
|
(ExportOrgLogs, 'POST', {'orgname': 'buynlarge'}, EXPORTLOGS_PARAMS, None, 401),
|
||||||
|
(ExportOrgLogs, 'POST', {'orgname': 'buynlarge'}, EXPORTLOGS_PARAMS, 'devtable', 200),
|
||||||
|
(ExportOrgLogs, 'POST', {'orgname': 'buynlarge'}, EXPORTLOGS_PARAMS, 'freshuser', 403),
|
||||||
|
(ExportOrgLogs, 'POST', {'orgname': 'buynlarge'}, EXPORTLOGS_PARAMS, 'reader', 403),
|
||||||
|
|
||||||
|
(ExportRepositoryLogs, 'POST', {'repository': 'devtable/simple'}, EXPORTLOGS_PARAMS, None, 401),
|
||||||
|
(ExportRepositoryLogs, 'POST', {'repository': 'devtable/simple'}, EXPORTLOGS_PARAMS, 'devtable', 200),
|
||||||
|
(ExportRepositoryLogs, 'POST', {'repository': 'devtable/simple'}, EXPORTLOGS_PARAMS, 'freshuser', 403),
|
||||||
|
(ExportRepositoryLogs, 'POST', {'repository': 'devtable/simple'}, EXPORTLOGS_PARAMS, 'reader', 403),
|
||||||
|
|
||||||
(SuperUserAggregateLogs, 'GET', None, None, None, 401),
|
(SuperUserAggregateLogs, 'GET', None, None, None, 401),
|
||||||
(SuperUserAggregateLogs, 'GET', None, None, 'devtable', 200),
|
(SuperUserAggregateLogs, 'GET', None, None, 'devtable', 200),
|
||||||
(SuperUserAggregateLogs, 'GET', None, None, 'freshuser', 403),
|
(SuperUserAggregateLogs, 'GET', None, None, 'freshuser', 403),
|
||||||
|
|
|
@ -12,7 +12,7 @@ from flask_login import current_user
|
||||||
import features
|
import features
|
||||||
|
|
||||||
from app import (app, billing as stripe, build_logs, avatar, signer, log_archive, config_provider,
|
from app import (app, billing as stripe, build_logs, avatar, signer, log_archive, config_provider,
|
||||||
get_app_url, instance_keys, user_analytics)
|
get_app_url, instance_keys, user_analytics, storage)
|
||||||
from auth import scopes
|
from auth import scopes
|
||||||
from auth.auth_context import get_authenticated_user
|
from auth.auth_context import get_authenticated_user
|
||||||
from auth.basic import has_basic_auth
|
from auth.basic import has_basic_auth
|
||||||
|
@ -363,6 +363,33 @@ def buildlogs(build_uuid):
|
||||||
return response
|
return response
|
||||||
|
|
||||||
|
|
||||||
|
@web.route('/exportedlogs/<file_id>', methods=['GET'])
|
||||||
|
def exportedlogs(file_id):
|
||||||
|
# Only enable this endpoint if local storage is available.
|
||||||
|
has_local_storage = False
|
||||||
|
for storage_type, _ in app.config.get('DISTRIBUTED_STORAGE_CONFIG', {}).values():
|
||||||
|
if storage_type == 'LocalStorage':
|
||||||
|
has_local_storage = True
|
||||||
|
break
|
||||||
|
|
||||||
|
if not has_local_storage:
|
||||||
|
abort(404)
|
||||||
|
|
||||||
|
JSON_MIMETYPE = 'application/json'
|
||||||
|
exported_logs_storage_path = app.config.get('EXPORT_ACTION_LOGS_STORAGE_PATH',
|
||||||
|
'exportedactionlogs')
|
||||||
|
export_storage_path = os.path.join(exported_logs_storage_path, file_id)
|
||||||
|
if not storage.exists(storage.preferred_locations, export_storage_path):
|
||||||
|
abort(404)
|
||||||
|
|
||||||
|
try:
|
||||||
|
return send_file(storage.stream_read_file(storage.preferred_locations, export_storage_path),
|
||||||
|
mimetype=JSON_MIMETYPE)
|
||||||
|
except IOError:
|
||||||
|
logger.exception('Could not read exported logs')
|
||||||
|
abort(403)
|
||||||
|
|
||||||
|
|
||||||
@web.route('/logarchive/<file_id>', methods=['GET'])
|
@web.route('/logarchive/<file_id>', methods=['GET'])
|
||||||
@route_show_if(features.BUILD_SUPPORT)
|
@route_show_if(features.BUILD_SUPPORT)
|
||||||
@process_auth_or_cookie
|
@process_auth_or_cookie
|
||||||
|
@ -392,6 +419,7 @@ def logarchive(file_id):
|
||||||
logger.exception('Could not read archived logs')
|
logger.exception('Could not read archived logs')
|
||||||
abort(403)
|
abort(403)
|
||||||
|
|
||||||
|
|
||||||
@web.route('/receipt', methods=['GET'])
|
@web.route('/receipt', methods=['GET'])
|
||||||
@route_show_if(features.BILLING)
|
@route_show_if(features.BILLING)
|
||||||
@require_session_login
|
@require_session_login
|
||||||
|
|
|
@ -113,4 +113,29 @@
|
||||||
float: none !important;
|
float: none !important;
|
||||||
text-align: right;
|
text-align: right;
|
||||||
margin-bottom: 20px;
|
margin-bottom: 20px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.logs-view-element .toggle-icon {
|
||||||
|
vertical-align: middle;
|
||||||
|
}
|
||||||
|
|
||||||
|
.logs-view-element .download-btn {
|
||||||
|
margin-left: 6px;
|
||||||
|
vertical-align: middle;
|
||||||
|
}
|
||||||
|
|
||||||
|
.logs-view-element .download-btn i.fa {
|
||||||
|
margin-right: 4px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.logs-view-element .help-text {
|
||||||
|
font-size: 12px;
|
||||||
|
color: #888;
|
||||||
|
padding-top: 0px;
|
||||||
|
padding: 10px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.logs-view-element code.date {
|
||||||
|
font-size: 70%;
|
||||||
|
color: #2581c7;
|
||||||
}
|
}
|
|
@ -5,6 +5,7 @@
|
||||||
<span class="date-line-caption">From</span>
|
<span class="date-line-caption">From</span>
|
||||||
<input type="text" class="logs-date-picker input-sm" name="start"
|
<input type="text" class="logs-date-picker input-sm" name="start"
|
||||||
ng-model="options.logStartDate" data-min-date="{{ options.monthAgo }}"
|
ng-model="options.logStartDate" data-min-date="{{ options.monthAgo }}"
|
||||||
|
ng-readonly="loading"
|
||||||
data-max-date="{{ options.logEndDate }}"
|
data-max-date="{{ options.logEndDate }}"
|
||||||
bs-datepicker>
|
bs-datepicker>
|
||||||
</span>
|
</span>
|
||||||
|
@ -13,6 +14,7 @@
|
||||||
<span class="date-line-caption add-on">to</span>
|
<span class="date-line-caption add-on">to</span>
|
||||||
<input type="text" class="logs-date-picker input-sm" name="end"
|
<input type="text" class="logs-date-picker input-sm" name="end"
|
||||||
ng-model="options.logEndDate" data-min-date="{{ options.logStartDate }}"
|
ng-model="options.logEndDate" data-min-date="{{ options.logStartDate }}"
|
||||||
|
ng-readonly="loading"
|
||||||
data-max-date="{{ options.now }}"
|
data-max-date="{{ options.now }}"
|
||||||
data-placement="bottom-right"
|
data-placement="bottom-right"
|
||||||
bs-datepicker>
|
bs-datepicker>
|
||||||
|
@ -21,6 +23,8 @@
|
||||||
<span class="hidden-xs right">
|
<span class="hidden-xs right">
|
||||||
<i class="fa fa-bar-chart-o toggle-icon" ng-class="chartVisible ? 'active' : ''"
|
<i class="fa fa-bar-chart-o toggle-icon" ng-class="chartVisible ? 'active' : ''"
|
||||||
ng-click="toggleChart()" data-title="Toggle Chart" bs-tooltip="tooltip.title"></i>
|
ng-click="toggleChart()" data-title="Toggle Chart" bs-tooltip="tooltip.title"></i>
|
||||||
|
<button class="btn btn-default download-btn" ng-click="showExportLogs()"
|
||||||
|
ng-if="user || organization || repository"><i class="fa fa-download"></i>Export Logs</button>
|
||||||
</span>
|
</span>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
|
@ -39,9 +43,7 @@
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div class="table-container" infinite-scroll="nextPage()"
|
<div class="table-container">
|
||||||
infinite-scroll-disabled="loading || !hasAdditional"
|
|
||||||
infinite-scroll-distance="2">
|
|
||||||
<table class="cor-table">
|
<table class="cor-table">
|
||||||
<thead>
|
<thead>
|
||||||
<td ng-if="allLogs == 'true'">Namespace</td>
|
<td ng-if="allLogs == 'true'">Namespace</td>
|
||||||
|
@ -92,7 +94,33 @@
|
||||||
</td>
|
</td>
|
||||||
</tr>
|
</tr>
|
||||||
</table>
|
</table>
|
||||||
|
<div style="text-align: right; margin-top: 10px;">
|
||||||
|
<button class="btn btn-default" ng-click="nextPage()" ng-show="!loading && hasAdditional">Load More Logs</button>
|
||||||
|
</div>
|
||||||
<div class="cor-loader" ng-show="loading"></div>
|
<div class="cor-loader" ng-show="loading"></div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
|
<!-- Modal Dialog -->
|
||||||
|
<div class="cor-confirm-dialog"
|
||||||
|
dialog-context="exportLogsInfo"
|
||||||
|
dialog-action="exportLogs(exportLogsInfo, callback)"
|
||||||
|
dialog-title="Export Usage Logs"
|
||||||
|
dialog-action-title="Start Logs Export"
|
||||||
|
dialog-form="context.exportform">
|
||||||
|
<form name="context.exportform">
|
||||||
|
<div style="margin-bottom: 14px;">
|
||||||
|
Enter an e-mail address or callback URL (must start with <code>http://</code> or <code>https://</code>)
|
||||||
|
at which to receive the exported logs once they have been fully processed:
|
||||||
|
</div>
|
||||||
|
<input class="form-control" type="text" ng-model="exportLogsInfo.urlOrEmail"
|
||||||
|
placeholder="E-mail address or callback URL"
|
||||||
|
ng-pattern="'(http(s)?:.+)|.+@.+'">
|
||||||
|
<div class="help-text">
|
||||||
|
Note: The export process can take <strong>up to an hour</strong> to process if there are many logs. As well,
|
||||||
|
only a <strong>single</strong> export process can run at a time for each namespace. Additional export requests will be
|
||||||
|
queued.
|
||||||
|
</div>
|
||||||
|
</form>
|
||||||
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
|
@ -21,12 +21,14 @@ angular.module('quay').directive('logsView', function () {
|
||||||
controller: function($scope, $element, $sce, Restangular, ApiService, TriggerService,
|
controller: function($scope, $element, $sce, Restangular, ApiService, TriggerService,
|
||||||
StringBuilderService, ExternalNotificationData, UtilService) {
|
StringBuilderService, ExternalNotificationData, UtilService) {
|
||||||
$scope.loading = true;
|
$scope.loading = true;
|
||||||
|
$scope.loadCounter = -1;
|
||||||
$scope.logs = null;
|
$scope.logs = null;
|
||||||
$scope.kindsAllowed = null;
|
$scope.kindsAllowed = null;
|
||||||
$scope.chartVisible = true;
|
$scope.chartVisible = true;
|
||||||
$scope.chartLoading = true;
|
$scope.chartLoading = true;
|
||||||
|
|
||||||
$scope.options = {};
|
$scope.options = {};
|
||||||
|
$scope.context = {};
|
||||||
|
|
||||||
var datetime = new Date();
|
var datetime = new Date();
|
||||||
$scope.options.logStartDate = new Date(datetime.getUTCFullYear(), datetime.getUTCMonth(), datetime.getUTCDate() - 7);
|
$scope.options.logStartDate = new Date(datetime.getUTCFullYear(), datetime.getUTCMonth(), datetime.getUTCDate() - 7);
|
||||||
|
@ -399,7 +401,7 @@ angular.module('quay').directive('logsView', function () {
|
||||||
|
|
||||||
var isValid = isValidEndpoint && hasValidLogStartDate && hasValidLogEndDate;
|
var isValid = isValidEndpoint && hasValidLogStartDate && hasValidLogEndDate;
|
||||||
|
|
||||||
if (!$scope.makevisible || !isValid) {
|
if (!$scope.makevisible || !isValid || ($scope.loading && $scope.loadCounter >= 0)) {
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -429,12 +431,19 @@ angular.module('quay').directive('logsView', function () {
|
||||||
if ($scope.loading || !$scope.hasAdditional) { return; }
|
if ($scope.loading || !$scope.hasAdditional) { return; }
|
||||||
|
|
||||||
$scope.loading = true;
|
$scope.loading = true;
|
||||||
|
$scope.loadCounter++;
|
||||||
|
|
||||||
|
var currentCounter = $scope.loadCounter;
|
||||||
var url = getUrl('logs');
|
var url = getUrl('logs');
|
||||||
url.setQueryParameter('next_page', $scope.nextPageToken);
|
url.setQueryParameter('next_page', $scope.nextPageToken);
|
||||||
|
|
||||||
var loadLogs = Restangular.one(url.toString());
|
var loadLogs = Restangular.one(url.toString());
|
||||||
loadLogs.customGET().then(function(resp) {
|
loadLogs.customGET().then(function(resp) {
|
||||||
|
if ($scope.loadCounter != currentCounter) {
|
||||||
|
// Loaded logs data is out of date.
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
resp.logs.forEach(function(log) {
|
resp.logs.forEach(function(log) {
|
||||||
$scope.logs.push(log);
|
$scope.logs.push(log);
|
||||||
});
|
});
|
||||||
|
@ -462,7 +471,6 @@ angular.module('quay').directive('logsView', function () {
|
||||||
log.metadata['_ip'] = log.ip ? log.ip : null;
|
log.metadata['_ip'] = log.ip ? log.ip : null;
|
||||||
|
|
||||||
// Note: This is for back-compat for logs that previously did not have namespaces.
|
// Note: This is for back-compat for logs that previously did not have namespaces.
|
||||||
// TODO(jschorr): Remove this after a month or two (~April 2017).
|
|
||||||
var namespace = '';
|
var namespace = '';
|
||||||
if (log.namespace) {
|
if (log.namespace) {
|
||||||
namespace = log.namespace.username || log.namespace.name;
|
namespace = log.namespace.username || log.namespace.name;
|
||||||
|
@ -472,6 +480,33 @@ angular.module('quay').directive('logsView', function () {
|
||||||
return StringBuilderService.buildString(logDescriptions[log.kind] || log.kind, log.metadata);
|
return StringBuilderService.buildString(logDescriptions[log.kind] || log.kind, log.metadata);
|
||||||
};
|
};
|
||||||
|
|
||||||
|
$scope.showExportLogs = function() {
|
||||||
|
$scope.exportLogsInfo = {};
|
||||||
|
};
|
||||||
|
|
||||||
|
$scope.exportLogs = function(exportLogsInfo, callback) {
|
||||||
|
if (!exportLogsInfo.urlOrEmail) {
|
||||||
|
callback(false);
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
var exportURL = getUrl('exportlogs').toString();
|
||||||
|
var runExport = Restangular.one(exportURL);
|
||||||
|
|
||||||
|
var urlOrEmail = exportLogsInfo.urlOrEmail;
|
||||||
|
var data = {};
|
||||||
|
if (urlOrEmail.indexOf('http://') == 0 || urlOrEmail.indexOf('https://') == 0) {
|
||||||
|
data['callback_url'] = urlOrEmail;
|
||||||
|
} else {
|
||||||
|
data['callback_email'] = urlOrEmail;
|
||||||
|
}
|
||||||
|
|
||||||
|
runExport.customPOST(data).then(function(resp) {
|
||||||
|
bootbox.alert('Usage logs export queued with ID `' + resp['export_id'] + '`')
|
||||||
|
callback(true);
|
||||||
|
}, ApiService.errorDisplay('Could not start logs export', callback));
|
||||||
|
};
|
||||||
|
|
||||||
$scope.$watch('organization', update);
|
$scope.$watch('organization', update);
|
||||||
$scope.$watch('user', update);
|
$scope.$watch('user', update);
|
||||||
$scope.$watch('repository', update);
|
$scope.$watch('repository', update);
|
||||||
|
|
|
@ -18,7 +18,6 @@ var quayDependencies: string[] = [
|
||||||
'pasvaz.bindonce',
|
'pasvaz.bindonce',
|
||||||
'ansiToHtml',
|
'ansiToHtml',
|
||||||
'core-ui',
|
'core-ui',
|
||||||
'infinite-scroll',
|
|
||||||
'ngTagsInput',
|
'ngTagsInput',
|
||||||
];
|
];
|
||||||
|
|
||||||
|
|
2
static/lib/ng-infinite-scroll.min.js
vendored
2
static/lib/ng-infinite-scroll.min.js
vendored
|
@ -1,2 +0,0 @@
|
||||||
/* ng-infinite-scroll - v1.2.0 - 2015-02-14 */
|
|
||||||
var mod;mod=angular.module("infinite-scroll",[]),mod.value("THROTTLE_MILLISECONDS",null),mod.directive("infiniteScroll",["$rootScope","$window","$interval","THROTTLE_MILLISECONDS",function(a,b,c,d){return{scope:{infiniteScroll:"&",infiniteScrollContainer:"=",infiniteScrollDistance:"=",infiniteScrollDisabled:"=",infiniteScrollUseDocumentBottom:"=",infiniteScrollListenForEvent:"@"},link:function(e,f,g){var h,i,j,k,l,m,n,o,p,q,r,s,t,u,v,w,x,y;return y=angular.element(b),t=null,u=null,i=null,j=null,q=!0,x=!1,w=null,p=function(a){return a=a[0]||a,isNaN(a.offsetHeight)?a.document.documentElement.clientHeight:a.offsetHeight},r=function(a){return a[0].getBoundingClientRect&&!a.css("none")?a[0].getBoundingClientRect().top+s(a):void 0},s=function(a){return a=a[0]||a,isNaN(window.pageYOffset)?a.document.documentElement.scrollTop:a.ownerDocument.defaultView.pageYOffset},o=function(){var b,c,d,g,h;return j===y?(b=p(j)+s(j[0].document.documentElement),d=r(f)+p(f)):(b=p(j),c=0,void 0!==r(j)&&(c=r(j)),d=r(f)-c+p(f)),x&&(d=p((f[0].ownerDocument||f[0].document).documentElement)),g=d-b,h=g<=p(j)*t+1,h?(i=!0,u?e.$$phase||a.$$phase?e.infiniteScroll():e.$apply(e.infiniteScroll):void 0):i=!1},v=function(a,b){var d,e,f;return f=null,e=0,d=function(){var b;return e=(new Date).getTime(),c.cancel(f),f=null,a.call(),b=null},function(){var g,h;return g=(new Date).getTime(),h=b-(g-e),0>=h?(clearTimeout(f),c.cancel(f),f=null,e=g,a.call()):f?void 0:f=c(d,h,1)}},null!=d&&(o=v(o,d)),e.$on("$destroy",function(){return j.unbind("scroll",o),null!=w?(w(),w=null):void 0}),m=function(a){return t=parseFloat(a)||0},e.$watch("infiniteScrollDistance",m),m(e.infiniteScrollDistance),l=function(a){return u=!a,u&&i?(i=!1,o()):void 0},e.$watch("infiniteScrollDisabled",l),l(e.infiniteScrollDisabled),n=function(a){return x=a},e.$watch("infiniteScrollUseDocumentBottom",n),n(e.infiniteScrollUseDocumentBottom),h=function(a){return null!=j&&j.unbind("scroll",o),j=a,null!=a?j.bind("scroll",o):void 0},h(y),e.infiniteScrollListenForEvent&&(w=a.$on(e.infiniteScrollListenForEvent,o)),k=function(a){if(null!=a&&0!==a.length){if(a instanceof HTMLElement?a=angular.element(a):"function"==typeof a.append?a=angular.element(a[a.length-1]):"string"==typeof a&&(a=angular.element(document.querySelector(a))),null!=a)return h(a);throw new Exception("invalid infinite-scroll-container attribute.")}},e.$watch("infiniteScrollContainer",k),k(e.infiniteScrollContainer||[]),null!=g.infiniteScrollParent&&h(angular.element(f.parent())),null!=g.infiniteScrollImmediateCheck&&(q=e.$eval(g.infiniteScrollImmediateCheck)),c(function(){return q?o():void 0},0,1)}}}]);
|
|
|
@ -16,6 +16,7 @@ INTERNAL_ONLY_PROPERTIES = {
|
||||||
'SECURITY_SCANNER_ISSUER_NAME',
|
'SECURITY_SCANNER_ISSUER_NAME',
|
||||||
'NOTIFICATION_QUEUE_NAME',
|
'NOTIFICATION_QUEUE_NAME',
|
||||||
'NAMESPACE_GC_QUEUE_NAME',
|
'NAMESPACE_GC_QUEUE_NAME',
|
||||||
|
'EXPORT_ACTION_LOGS_QUEUE_NAME',
|
||||||
|
|
||||||
'FEATURE_BILLING',
|
'FEATURE_BILLING',
|
||||||
'BILLING_TYPE',
|
'BILLING_TYPE',
|
||||||
|
|
|
@ -166,6 +166,16 @@ def send_invoice_email(email, contents):
|
||||||
mail.send(msg)
|
mail.send(msg)
|
||||||
|
|
||||||
|
|
||||||
|
def send_logs_exported_email(email, export_id, status, exported_data_url=None,
|
||||||
|
exported_data_expiration=None):
|
||||||
|
send_email(email, 'Export Action Logs Complete', 'logsexported', {
|
||||||
|
'status': status,
|
||||||
|
'export_id': export_id,
|
||||||
|
'exported_data_url': exported_data_url,
|
||||||
|
'exported_data_expiration': exported_data_expiration,
|
||||||
|
})
|
||||||
|
|
||||||
|
|
||||||
# INTERNAL EMAILS BELOW
|
# INTERNAL EMAILS BELOW
|
||||||
|
|
||||||
def send_subscription_change(change_description, customer_id, customer_email, quay_username):
|
def send_subscription_change(change_description, customer_id, customer_email, quay_username):
|
||||||
|
@ -182,5 +192,3 @@ def send_subscription_change(change_description, customer_id, customer_email, qu
|
||||||
msg.html = SUBSCRIPTION_CHANGE.format(change_description, customer_id, customer_email,
|
msg.html = SUBSCRIPTION_CHANGE.format(change_description, customer_id, customer_email,
|
||||||
quay_username)
|
quay_username)
|
||||||
mail.send(msg)
|
mail.send(msg)
|
||||||
|
|
||||||
|
|
||||||
|
|
283
workers/exportactionlogsworker.py
Normal file
283
workers/exportactionlogsworker.py
Normal file
|
@ -0,0 +1,283 @@
|
||||||
|
import logging
|
||||||
|
import os.path
|
||||||
|
import json
|
||||||
|
import uuid
|
||||||
|
|
||||||
|
from datetime import datetime, timedelta
|
||||||
|
from io import BytesIO
|
||||||
|
|
||||||
|
from enum import Enum, unique
|
||||||
|
|
||||||
|
from app import app, export_action_logs_queue, storage, get_app_url
|
||||||
|
from data import model
|
||||||
|
from endpoints.api import format_date
|
||||||
|
from endpoints.api.logs_models_pre_oci import create_log
|
||||||
|
from workers.queueworker import QueueWorker, JobException
|
||||||
|
from util.log import logfile_path
|
||||||
|
from util.useremails import send_logs_exported_email
|
||||||
|
|
||||||
|
logger = logging.getLogger(__name__)
|
||||||
|
|
||||||
|
|
||||||
|
POLL_PERIOD_SECONDS = 1
|
||||||
|
|
||||||
|
EXPORT_LOGS_STORAGE_PATH = app.config.get('EXPORT_ACTION_LOGS_STORAGE_PATH', 'exportedactionlogs')
|
||||||
|
MAXIMUM_WORK_PERIOD_SECONDS = app.config.get('EXPORT_ACTION_LOGS_MAXIMUM_SECONDS', 60 * 60) # 1 hour
|
||||||
|
MAXIMUM_QUERY_TIME_SECONDS = app.config.get('EXPORT_ACTION_LOGS_MAXIMUM_QUERY_TIME_SECONDS', 30)
|
||||||
|
EXPORTED_LOGS_EXPIRATION_SECONDS = app.config.get('EXPORT_ACTION_LOGS_SECONDS', 60 * 60) # 1 hour
|
||||||
|
|
||||||
|
MINIMUM_RANGE_SIZE = 1000
|
||||||
|
MAXIMUM_RANGE_SIZE = 100000
|
||||||
|
EXPECTED_ITERATION_LOG_COUNT = 1000
|
||||||
|
|
||||||
|
|
||||||
|
@unique
|
||||||
|
class ExportResult(Enum):
|
||||||
|
# NOTE: Make sure to handle these in `logsexported.html` in `emails`
|
||||||
|
INVALID_REQUEST = 'invalidrequest'
|
||||||
|
OPERATION_TIMEDOUT = 'timedout'
|
||||||
|
SUCCESSFUL_EXPORT = 'success'
|
||||||
|
|
||||||
|
|
||||||
|
class ExportActionLogsWorker(QueueWorker):
|
||||||
|
""" Worker which exports action logs for a namespace or a repository based on
|
||||||
|
a queued request from the API.
|
||||||
|
"""
|
||||||
|
def process_queue_item(self, job_details):
|
||||||
|
logger.info('Got export actions logs queue item: %s', job_details)
|
||||||
|
|
||||||
|
# job_details block (as defined in the logs.py API endpoint):
|
||||||
|
# {
|
||||||
|
# 'export_id': export_id,
|
||||||
|
# 'repository_id': repository.id or None,
|
||||||
|
# 'namespace_id': namespace.id,
|
||||||
|
# 'namespace_name': namespace.username,
|
||||||
|
# 'repository_name': repository.name or None,
|
||||||
|
# 'start_time': start_time,
|
||||||
|
# 'end_time': end_time,
|
||||||
|
# 'callback_url': callback_url or None,
|
||||||
|
# 'callback_email': callback_email or None,
|
||||||
|
# }
|
||||||
|
export_id = job_details['export_id']
|
||||||
|
|
||||||
|
start_time = _parse_time(job_details['start_time'])
|
||||||
|
end_time = _parse_time(job_details['end_time'])
|
||||||
|
|
||||||
|
# Make sure the end time has the whole day.
|
||||||
|
if start_time is None or end_time is None:
|
||||||
|
self._report_results(job_details, ExportResult.INVALID_REQUEST)
|
||||||
|
return
|
||||||
|
|
||||||
|
end_time = end_time + timedelta(days=1) - timedelta(milliseconds=1)
|
||||||
|
|
||||||
|
# Select the minimum and maximum IDs for the logs for the repository/namespace
|
||||||
|
# over the time range.
|
||||||
|
namespace_id = job_details['namespace_id']
|
||||||
|
repository_id = job_details['repository_id']
|
||||||
|
max_query_time = timedelta(seconds=MAXIMUM_QUERY_TIME_SECONDS)
|
||||||
|
|
||||||
|
min_id, elapsed = _run_and_time(lambda: model.log.get_minimum_id_for_logs(start_time,
|
||||||
|
repository_id,
|
||||||
|
namespace_id))
|
||||||
|
if elapsed > max_query_time:
|
||||||
|
logger.error('Retrieval of min ID for export logs `%s` timed out with time of `%s`',
|
||||||
|
export_id, elapsed)
|
||||||
|
self._report_results(job_details, ExportResult.OPERATION_TIMEDOUT)
|
||||||
|
return
|
||||||
|
|
||||||
|
max_id, elapsed = _run_and_time(lambda: model.log.get_maximum_id_for_logs(end_time,
|
||||||
|
repository_id,
|
||||||
|
namespace_id))
|
||||||
|
if elapsed > max_query_time:
|
||||||
|
logger.error('Retrieval of max ID for export logs `%s` timed out with time of `%s`',
|
||||||
|
export_id, elapsed)
|
||||||
|
self._report_results(job_details, ExportResult.OPERATION_TIMEDOUT)
|
||||||
|
return
|
||||||
|
|
||||||
|
min_id = min_id or 1
|
||||||
|
max_id = max_id or 1
|
||||||
|
|
||||||
|
logger.info('Found log range of %s to %s for export logs `%s`', min_id, max_id, export_id)
|
||||||
|
|
||||||
|
# Generate a file key so that if we return an API URL, it cannot simply be constructed from
|
||||||
|
# just the export ID.
|
||||||
|
file_key = str(uuid.uuid4())
|
||||||
|
exported_filename = '%s-%s' % (export_id, file_key)
|
||||||
|
|
||||||
|
# Start a chunked upload for the logs and stream them.
|
||||||
|
upload_id, upload_metadata = storage.initiate_chunked_upload(storage.preferred_locations)
|
||||||
|
export_storage_path = os.path.join(EXPORT_LOGS_STORAGE_PATH, exported_filename)
|
||||||
|
logger.debug('Starting chunked upload to path `%s`', export_storage_path)
|
||||||
|
|
||||||
|
# Start with a 'json' header that contains the opening bracket, as well as basic
|
||||||
|
# information and the start of the `logs` array.
|
||||||
|
details = {
|
||||||
|
'start_time': format_date(start_time),
|
||||||
|
'end_time': format_date(end_time),
|
||||||
|
'namespace': job_details['namespace_name'],
|
||||||
|
'repository': job_details['repository_name'],
|
||||||
|
}
|
||||||
|
|
||||||
|
prefix_data = """{
|
||||||
|
"export_id": "%s",
|
||||||
|
"details": %s,
|
||||||
|
"logs": [
|
||||||
|
""" % (export_id, json.dumps(details))
|
||||||
|
|
||||||
|
upload_metadata = storage.stream_upload_chunk(storage.preferred_locations, upload_id, 0, -1,
|
||||||
|
BytesIO(str(prefix_data)), upload_metadata)
|
||||||
|
uploaded_byte_count = len(prefix_data)
|
||||||
|
|
||||||
|
try:
|
||||||
|
# Stream the logs to storage as chunks.
|
||||||
|
updated_metadata, uploaded_byte_count = self._stream_logs(upload_id, upload_metadata,
|
||||||
|
uploaded_byte_count, min_id, max_id,
|
||||||
|
job_details)
|
||||||
|
if updated_metadata is None:
|
||||||
|
storage.cancel_chunked_upload(upload_id, upload_metadata)
|
||||||
|
return
|
||||||
|
|
||||||
|
# Close the JSON block.
|
||||||
|
suffix_data = """
|
||||||
|
{"terminator": true}]
|
||||||
|
}"""
|
||||||
|
|
||||||
|
upload_metadata = storage.stream_upload_chunk(storage.preferred_locations, upload_id,
|
||||||
|
uploaded_byte_count, -1,
|
||||||
|
BytesIO(str(suffix_data)),
|
||||||
|
upload_metadata)
|
||||||
|
if updated_metadata is None:
|
||||||
|
storage.cancel_chunked_upload(upload_id, upload_metadata)
|
||||||
|
return
|
||||||
|
|
||||||
|
# Complete the upload.
|
||||||
|
storage.complete_chunked_upload(storage.preferred_locations, upload_id, export_storage_path,
|
||||||
|
updated_metadata)
|
||||||
|
except:
|
||||||
|
logger.exception('Exception when exporting logs for `%s`', export_id)
|
||||||
|
storage.cancel_chunked_upload(storage.preferred_locations, upload_id, upload_metadata)
|
||||||
|
raise JobException
|
||||||
|
|
||||||
|
# Invoke the callbacks.
|
||||||
|
export_url = storage.get_direct_download_url(storage.preferred_locations, export_storage_path,
|
||||||
|
expires_in=EXPORTED_LOGS_EXPIRATION_SECONDS)
|
||||||
|
if export_url is None:
|
||||||
|
export_url = '%s/exportedlogs/%s' % (get_app_url(), exported_filename)
|
||||||
|
|
||||||
|
self._report_results(job_details, ExportResult.SUCCESSFUL_EXPORT, export_url)
|
||||||
|
|
||||||
|
def _stream_logs(self, upload_id, upload_metadata, uploaded_byte_count, min_id, max_id,
|
||||||
|
job_details):
|
||||||
|
export_id = job_details['export_id']
|
||||||
|
max_work_period = timedelta(seconds=MAXIMUM_WORK_PERIOD_SECONDS)
|
||||||
|
max_query_time = timedelta(seconds=MAXIMUM_QUERY_TIME_SECONDS)
|
||||||
|
kinds = model.log.get_log_entry_kinds()
|
||||||
|
|
||||||
|
# Using an adjusting scale, start downloading log rows in batches, starting at
|
||||||
|
# MINIMUM_RANGE_SIZE and doubling until we've reached EXPECTED_ITERATION_LOG_COUNT or
|
||||||
|
# the lookup range has reached MAXIMUM_RANGE_SIZE. If at any point this operation takes
|
||||||
|
# longer than the MAXIMUM_WORK_PERIOD_SECONDS, terminate the batch operation as timed out.
|
||||||
|
batch_start_time = datetime.utcnow()
|
||||||
|
|
||||||
|
current_start_id = min_id
|
||||||
|
current_batch_size = MINIMUM_RANGE_SIZE
|
||||||
|
|
||||||
|
while current_start_id <= max_id:
|
||||||
|
# Verify we haven't been working for too long.
|
||||||
|
work_elapsed = datetime.utcnow() - batch_start_time
|
||||||
|
if work_elapsed > max_work_period:
|
||||||
|
logger.error('Retrieval of logs `%s` timed out with time of `%s`',
|
||||||
|
export_id, work_elapsed)
|
||||||
|
self._report_results(job_details, ExportResult.OPERATION_TIMEDOUT)
|
||||||
|
return None, None
|
||||||
|
|
||||||
|
id_range = [current_start_id, min(max_id, current_start_id + current_batch_size)]
|
||||||
|
|
||||||
|
# Load the next set of logs.
|
||||||
|
def retrieve_and_write_logs():
|
||||||
|
namespace_id = job_details['namespace_id'] if not job_details.get('repository_id') else None
|
||||||
|
repository_id = job_details.get('repository_id')
|
||||||
|
logger.debug('Retrieving logs over range %s with namespace %s and repository %s',
|
||||||
|
id_range, namespace_id, repository_id)
|
||||||
|
|
||||||
|
logs_query = model.log.get_logs_query(namespace=namespace_id,
|
||||||
|
repository=repository_id,
|
||||||
|
id_range=id_range)
|
||||||
|
return [create_log(log) for log in logs_query]
|
||||||
|
|
||||||
|
logs, elapsed = _run_and_time(retrieve_and_write_logs)
|
||||||
|
if elapsed > max_query_time:
|
||||||
|
logger.error('Retrieval of logs for export logs `%s` with range `%s` timed out at `%s`',
|
||||||
|
export_id, id_range, elapsed)
|
||||||
|
self._report_results(job_details, ExportResult.OPERATION_TIMEDOUT)
|
||||||
|
return None, None
|
||||||
|
|
||||||
|
# Write the logs to storage.
|
||||||
|
logger.debug('Writing %s retrieved logs for range %s', len(logs), id_range)
|
||||||
|
if logs:
|
||||||
|
logs_data = ','.join([json.dumps(log.to_dict(kinds, False)) for log in logs]) + ','
|
||||||
|
logs_data = logs_data.encode('utf-8')
|
||||||
|
upload_metadata = storage.stream_upload_chunk(storage.preferred_locations, upload_id,
|
||||||
|
uploaded_byte_count, -1,
|
||||||
|
BytesIO(logs_data),
|
||||||
|
upload_metadata)
|
||||||
|
uploaded_byte_count += len(logs_data)
|
||||||
|
|
||||||
|
# Move forward.
|
||||||
|
current_start_id = id_range[1] + 1
|
||||||
|
|
||||||
|
# Increase the batch size if necessary.
|
||||||
|
if len(logs) < EXPECTED_ITERATION_LOG_COUNT:
|
||||||
|
current_batch_size = min(MAXIMUM_RANGE_SIZE, current_batch_size * 2)
|
||||||
|
|
||||||
|
return upload_metadata, uploaded_byte_count
|
||||||
|
|
||||||
|
def _report_results(self, job_details, result_status, exported_data_url=None):
|
||||||
|
logger.info('Reporting result of `%s` for %s; %s', result_status, job_details,
|
||||||
|
exported_data_url)
|
||||||
|
|
||||||
|
if job_details.get('callback_url'):
|
||||||
|
# Post the results to the callback URL.
|
||||||
|
client = app.config['HTTPCLIENT']
|
||||||
|
result = client.post(job_details['callback_url'], json={
|
||||||
|
'export_id': job_details['export_id'],
|
||||||
|
'start_time': job_details['start_time'],
|
||||||
|
'end_time': job_details['end_time'],
|
||||||
|
'namespace': job_details['namespace_name'],
|
||||||
|
'repository': job_details['repository_name'],
|
||||||
|
'exported_data_url': exported_data_url,
|
||||||
|
'status': result_status.value,
|
||||||
|
})
|
||||||
|
|
||||||
|
if result.status_code != 200:
|
||||||
|
logger.error('Got `%s` status code for callback URL `%s` for export `%s`',
|
||||||
|
result.status_code, job_details['callback_url'],
|
||||||
|
job_details['export_id'])
|
||||||
|
raise Exception('Got non-200 for batch logs reporting; retrying later')
|
||||||
|
|
||||||
|
if job_details.get('callback_email'):
|
||||||
|
with app.app_context():
|
||||||
|
send_logs_exported_email(job_details['callback_email'], job_details['export_id'],
|
||||||
|
result_status, exported_data_url,
|
||||||
|
EXPORTED_LOGS_EXPIRATION_SECONDS)
|
||||||
|
|
||||||
|
|
||||||
|
def _parse_time(specified_time):
|
||||||
|
try:
|
||||||
|
return datetime.strptime(specified_time + ' UTC', '%m/%d/%Y %Z')
|
||||||
|
except ValueError:
|
||||||
|
return None
|
||||||
|
|
||||||
|
def _run_and_time(fn):
|
||||||
|
start_time = datetime.utcnow()
|
||||||
|
result = fn()
|
||||||
|
return result, datetime.utcnow() - start_time
|
||||||
|
|
||||||
|
|
||||||
|
if __name__ == "__main__":
|
||||||
|
logging.config.fileConfig(logfile_path(debug=False), disable_existing_loggers=False)
|
||||||
|
|
||||||
|
logger.debug('Starting export action logs worker')
|
||||||
|
worker = ExportActionLogsWorker(export_action_logs_queue,
|
||||||
|
poll_period_seconds=POLL_PERIOD_SECONDS)
|
||||||
|
worker.start()
|
66
workers/test/test_exportactionlogsworker.py
Normal file
66
workers/test/test_exportactionlogsworker.py
Normal file
|
@ -0,0 +1,66 @@
|
||||||
|
import json
|
||||||
|
|
||||||
|
from app import storage
|
||||||
|
from datetime import datetime, timedelta
|
||||||
|
|
||||||
|
from httmock import urlmatch, HTTMock
|
||||||
|
|
||||||
|
from data import model, database
|
||||||
|
from workers.exportactionlogsworker import ExportActionLogsWorker
|
||||||
|
|
||||||
|
from test.fixtures import *
|
||||||
|
|
||||||
|
|
||||||
|
@pytest.mark.parametrize('namespace,repo_name,expects_logs', [
|
||||||
|
('buynlarge', 'orgrepo', True),
|
||||||
|
('devtable', 'history', False),
|
||||||
|
])
|
||||||
|
def test_process_queue_item(namespace, repo_name, expects_logs, app):
|
||||||
|
end_time = datetime.utcnow() + timedelta(days=365)
|
||||||
|
start_time = datetime.utcnow() - timedelta(days=365)
|
||||||
|
|
||||||
|
repo = model.repository.get_repository(namespace, repo_name)
|
||||||
|
|
||||||
|
assert (model.log.get_maximum_id_for_logs(end_time, repository_id=repo.id) is not None) == expects_logs
|
||||||
|
assert (model.log.get_minimum_id_for_logs(start_time, repository_id=repo.id) is not None) == expects_logs
|
||||||
|
|
||||||
|
worker = ExportActionLogsWorker(None)
|
||||||
|
called = [{}]
|
||||||
|
|
||||||
|
@urlmatch(netloc=r'testcallback')
|
||||||
|
def handle_request(url, request):
|
||||||
|
called[0] = json.loads(request.body)
|
||||||
|
return {'status_code': 200, 'content': '{}'}
|
||||||
|
|
||||||
|
def format_date(datetime):
|
||||||
|
return datetime.strftime("%m/%d/%Y")
|
||||||
|
|
||||||
|
with HTTMock(handle_request):
|
||||||
|
worker.process_queue_item({
|
||||||
|
'export_id': 'someid',
|
||||||
|
'repository_id': repo.id,
|
||||||
|
'namespace_id': repo.namespace_user.id,
|
||||||
|
'namespace_name': namespace,
|
||||||
|
'repository_name': repo_name,
|
||||||
|
'start_time': format_date(start_time),
|
||||||
|
'end_time': format_date(end_time),
|
||||||
|
'callback_url': 'http://testcallback/',
|
||||||
|
'callback_email': None,
|
||||||
|
})
|
||||||
|
|
||||||
|
assert called[0]
|
||||||
|
assert called[0][u'export_id'] == 'someid'
|
||||||
|
assert called[0][u'status'] == 'success'
|
||||||
|
|
||||||
|
url = called[0][u'exported_data_url']
|
||||||
|
assert url.find('http://localhost:5000/exportedlogs/') == 0
|
||||||
|
|
||||||
|
storage_id = url[len('http://localhost:5000/exportedlogs/'):]
|
||||||
|
created = storage.get_content(storage.preferred_locations, 'exportedactionlogs/' + storage_id)
|
||||||
|
created_json = json.loads(created)
|
||||||
|
|
||||||
|
expected_count = database.LogEntry.select().where(database.LogEntry.repository == repo).count()
|
||||||
|
assert (expected_count > 1) == expects_logs
|
||||||
|
|
||||||
|
assert created_json['export_id'] == 'someid'
|
||||||
|
assert len(created_json['logs']) == (expected_count + 1)
|
Reference in a new issue