本文整理汇总了Python中crashstats.supersearch.models.SuperSearch.get方法的典型用法代码示例。如果您正苦于以下问题:Python SuperSearch.get方法的具体用法?Python SuperSearch.get怎么用?Python SuperSearch.get使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在类crashstats.supersearch.models.SuperSearch
的用法示例。
在下文中一共展示了SuperSearch.get方法的3个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Python代码示例。
示例1: assert_supersearch_no_errors
# 需要导入模块: from crashstats.supersearch.models import SuperSearch [as 别名]
# 或者: from crashstats.supersearch.models.SuperSearch import get [as 别名]
def assert_supersearch_no_errors():
"""Make sure an uncached SuperSearch query doesn't have any errors"""
supersearch = SuperSearch()
# We don't want any caching this time
supersearch.cache_seconds = 0
results = supersearch.get(
product=settings.DEFAULT_PRODUCT,
_results_number=1,
_columns=['uuid'],
_facets_size=1,
)
assert not results['errors'], results['errors']
示例2: get
# 需要导入模块: from crashstats.supersearch.models import SuperSearch [as 别名]
# 或者: from crashstats.supersearch.models.SuperSearch import get [as 别名]
def get(self, **kwargs):
form = forms.NewSignaturesForm(kwargs)
if not form.is_valid():
return http.JsonResponse({
'errors': form.errors
}, status=400)
start_date = form.cleaned_data['start_date']
end_date = form.cleaned_data['end_date']
not_after = form.cleaned_data['not_after']
product = form.cleaned_data['product'] or settings.DEFAULT_PRODUCT
# Make default values for all dates parameters.
if not end_date:
end_date = (
datetime.datetime.utcnow().date() + datetime.timedelta(days=1)
)
if not start_date:
start_date = end_date - datetime.timedelta(days=8)
if not not_after:
not_after = start_date - datetime.timedelta(days=14)
api = SuperSearch()
signatures_number = 100
# First let's get a list of the top signatures that appeared during
# the period we are interested in.
params = {
'product': product,
'version': form.cleaned_data['version'],
'date': [
'>=' + start_date.isoformat(),
'<' + end_date.isoformat(),
],
'_facets': 'signature',
'_facets_size': signatures_number,
'_results_number': 0,
}
data = api.get(**params)
signatures = []
for signature in data['facets']['signature']:
signatures.append(signature['term'])
# Now we want to verify whether those signatures appeared or not during
# some previous period of time.
params['date'] = [
'>=' + not_after.isoformat(),
'<' + start_date.isoformat(),
]
# Filter exactly the signatures that we have.
params['signature'] = ['=' + x for x in signatures]
data = api.get(**params)
# If any of those signatures is in the results, it's that it did not
# appear during the period of time we are interested in. Let's
# remove it from the list of new signatures.
for signature in data['facets']['signature']:
if signature['term'] in signatures:
signatures.remove(signature['term'])
# All remaining signatures are "new" ones.
return {
'hits': signatures,
'total': len(signatures)
}
示例3: graphics_report
# 需要导入模块: from crashstats.supersearch.models import SuperSearch [as 别名]
# 或者: from crashstats.supersearch.models.SuperSearch import get [as 别名]
def graphics_report(request):
"""Return a CSV output of all crashes for a specific date for a
particular day and a particular product."""
if (
not request.user.is_active or
not request.user.has_perm('crashstats.run_long_queries')
):
return http.HttpResponseForbidden(
"You must have the 'Run long queries' permission"
)
form = forms.GraphicsReportForm(
request.GET,
)
if not form.is_valid():
return http.HttpResponseBadRequest(str(form.errors))
batch_size = 1000
product = form.cleaned_data['product'] or settings.DEFAULT_PRODUCT
date = form.cleaned_data['date']
params = {
'product': product,
'date': [
'>={}'.format(date.strftime('%Y-%m-%d')),
'<{}'.format(
(date + datetime.timedelta(days=1)).strftime('%Y-%m-%d')
)
],
'_columns': (
'signature',
'uuid',
'date',
'product',
'version',
'build_id',
'platform',
'platform_version',
'cpu_name',
'cpu_info',
'address',
'uptime',
'topmost_filenames',
'reason',
'app_notes',
'release_channel',
),
'_results_number': batch_size,
'_results_offset': 0,
}
api = SuperSearch()
# Do the first query. That'll give us the total and the first page's
# worth of crashes.
data = api.get(**params)
assert 'hits' in data
accept_gzip = 'gzip' in request.META.get('HTTP_ACCEPT_ENCODING', '')
response = http.HttpResponse(content_type='text/csv')
out = BytesIO()
writer = utils.UnicodeWriter(out, delimiter='\t')
writer.writerow(GRAPHICS_REPORT_HEADER)
pages = data['total'] // batch_size
# if there is a remainder, add one more page
if data['total'] % batch_size:
pages += 1
alias = {
'crash_id': 'uuid',
'os_name': 'platform',
'os_version': 'platform_version',
'date_processed': 'date',
'build': 'build_id',
'uptime_seconds': 'uptime',
}
# Make sure that we don't have an alias for a header we don't need
alias_excess = set(alias.keys()) - set(GRAPHICS_REPORT_HEADER)
if alias_excess:
raise ValueError(
'Not all keys in the map of aliases are in '
'the header ({!r})'.format(alias_excess)
)
def get_value(row, key):
"""Return the appropriate output from the row of data, one key
at a time. The output is what's used in writing the CSV file.
The reason for doing these "hacks" is to match what used to be
done with the SELECT statement in SQL in the ancient, but now
replaced, report.
"""
value = row.get(alias.get(key, key))
if key == 'cpu_info':
value = '{cpu_name} | {cpu_info}'.format(
cpu_name=row.get('cpu_name', ''),
cpu_info=row.get('cpu_info', ''),
)
if value is None:
return ''
if key == 'date_processed':
value = timezone.make_aware(datetime.datetime.strptime(
value.split('.')[0],
'%Y-%m-%dT%H:%M:%S'
))
#.........这里部分代码省略.........