Skip to content
webarchiv.py 11.1 KiB
Newer Older
Stefan Karner's avatar
Stefan Karner committed
import sys
onbpre's avatar
onbpre committed
import time
Stefan Karner's avatar
Stefan Karner committed
import requests
Stefan Karner's avatar
Stefan Karner committed
import hashlib
Stefan Karner's avatar
Stefan Karner committed
from requests import HTTPError

_datetime_format_string = '%Y%m%d%H%M%S'


class SessionTimeoutError(Exception):
    pass


class WebarchivSession:
    @property
    def version(self):
        """
        Current protocol version
        """
        return '0.1.0'

onbpre's avatar
onbpre committed
    @property
    def api_path(self):
        """
        Protocol, domain and path prefix for the Webarchive API,
        with a single positional format string placeholder
        for the REST operation and parameters.
        """
        return 'https://webarchiv.onb.ac.at/api/'

Stefan Karner's avatar
Stefan Karner committed
    @property
    def base_url(self):
        """
        Protocol, domain and path prefix for the Webarchive API,
        with a single positional format string placeholder
        for the REST operation and parameters.
onbpre's avatar
onbpre committed
        return self.api_path + '/{}'
Stefan Karner's avatar
Stefan Karner committed

    @property
    def _error_template(self):
        """
        A format string for displaying HTTP Errors.
        Must contain one placeholder 'status_code' for the HTTP status code.
        Must contain one placeholder 'response_text' for the body of the response.
        """
        return 'HTTP ERROR - status code {status_code}\n----\n{response_text}\n----\n\n'

Stefan Karner's avatar
Stefan Karner committed
    def __init__(self, api_key, allow_tracking=False):
Stefan Karner's avatar
Stefan Karner committed
        self.api_key = api_key
Stefan Karner's avatar
Stefan Karner committed
        self.allow_tracking = allow_tracking
Stefan Karner's avatar
Stefan Karner committed
        self.token = None

    def connect(self):
        """
        Connect to the Webarchive API, request and save a token.
        """
        try:
            self.token = self._authenticate()
        except HTTPError as e:
            self._display_http_error(e)

    def _authenticate(self):
Stefan Karner's avatar
Stefan Karner committed
        if self.allow_tracking:
            from uuid import getnode as get_mac
            mac = get_mac()
            sha256 = hashlib.sha256()
            sha256.update(str(mac).encode('utf-8'))
            fingerprint = sha256.hexdigest()
        else:
            fingerprint = ''

Stefan Karner's avatar
Stefan Karner committed
        r = requests.post(self.base_url.format('authentication'),
                          data='''{{
                              "apikey": "{api_key}",
Stefan Karner's avatar
Stefan Karner committed
                              "fingerprint": "{fingerprint}",
Stefan Karner's avatar
Stefan Karner committed
                              "version": "{version}"
Stefan Karner's avatar
Stefan Karner committed
                          }}'''.format(api_key=self.api_key, version=self.version, fingerprint=fingerprint),
Stefan Karner's avatar
Stefan Karner committed
                          headers={
                              'content-type': 'application/json',
                              'accept': 'application/ld+json'
                          }
                          )
        if r.status_code == 201:
            return r.json()['t']
        else:
            raise HTTPError(response=r)

    def _add_api_key_and_token(self, params_dict: dict):
        """
        Add the saved api key and token to a given dictionary.

        :param params_dict: A dictionary that's probably used
          as a 'params' keyword parameter for calling requests.get().
        :return: The same dictionary extended by 'apikey' and 't' keys.
        """
        params_dict['apikey'] = self.api_key
        params_dict['t'] = self.token
        return params_dict

    def _display_http_error(self, e: HTTPError):
        print(self._error_template.format(status_code=e.response.status_code,
                                          response_text=e.response.text),
              file=sys.stderr)

    def _get(self, op, auto_connect=True, **kwargs, ):
        kwargs['params'] = self._add_api_key_and_token(kwargs.pop('params', {}))
        # kwargs = self._add_api_key_and_token(kwargs)
        r = requests.get(self.base_url.format(op), **kwargs)
        if r.ok:
            return r
        else:
            if r.status_code == 403:
                if auto_connect:
                    self.connect()
                    return self._get(op=op, auto_connect=False, **kwargs)
                else:
                    print('Forbidden. Invalid Token or ApiKey transmitted', file=sys.stderr)
onbpre's avatar
onbpre committed
                    return r
            elif r.status_code == 400:
                print('Bad request', file=sys.stderr)
                return r
Stefan Karner's avatar
Stefan Karner committed
            elif r.status_code == 410:
                print('The requested API Version (via X-API-VERSION Header) is not available', file=sys.stderr)
onbpre's avatar
onbpre committed
            return r
onbpre's avatar
onbpre committed
    def fulltext_search(self, query_string, from_=None, to_=None):
Stefan Karner's avatar
Stefan Karner committed
        """
        Start a fulltext search query in the Webarchive.

        :param query_string: String to search for
        :param from_: Optional earliest date bound for the search
          in the format YYYYMM.
        :param to_: Optional latest date bound for the search
          in the format YYYYMM.
        :return: HTTP Response object
Stefan Karner's avatar
Stefan Karner committed
        """
        params = {'q': query_string}
        if from_:
            params['from'] = from_
        if to_:
            params['to'] = to_

        try:
onbpre's avatar
onbpre committed
            response = self._get(op='/search/fulltext', params=params)
            return self.waitForResponse(response)

Stefan Karner's avatar
Stefan Karner committed
        except HTTPError as e:
            self._display_http_error(e)
            print('Query for "{}" not added'.format(query_string))

    def fulltext_search_within_domain(self, query_string, domain, from_=None, to_=None):
        """
        Start a fulltext seed search query in the Webarchive.

        :param query_string: String to search for
        :param domain: Search only within this domain name
        :param from_: Optional earliest date bound for the search
          in the format YYYYMM.
        :param to_: Optional latest date bound for the search
          in the format YYYYMM.
        :return: HTTP Response object
        """
        params = {'q': query_string, 'g': domain}
        if from_:
            params['from'] = from_
        if to_:
            params['to'] = to_

        try:
            response = self._get(op='/search/fulltext/seed', params=params)
            return self.waitForResponse(response)

        except HTTPError as e:
            self._display_http_error(e)

    def fulltext_search_within_url(self, query_string, url, pagesize=10, from_=None, to_=None):
        """
        Start a fulltext capture search query in the Webarchive.

        :param query_string: String to search for
        :param url: Search only captures starting at this exact web address
        :param from_: Optional earliest date bound for the search
          in the format YYYYMM.
        :param to_: Optional latest date bound for the search
          in the format YYYYMM.
        :return: HTTP Response object
        """
        params = {'q': query_string, 'g': url, 'pagesize': pagesize}
        if from_:
            params['from'] = from_
        if to_:
            params['to'] = to_

        try:
            response = self._get(op='/search/fulltext/capture', params=params)
            return self.waitForResponse(response)

        except HTTPError as e:
            self._display_http_error(e)

onbpre's avatar
onbpre committed
    def wayback_search(self, query_string, from_=None, to_=None):
onbpre's avatar
onbpre committed
        """
        Start a wayback search query in the Webarchive.

        :param query_string: String to search for
        :param from_: Optional earliest date bound for the search
          in the format YYYYMM.
        :param to_: Optional latest date bound for the search
          in the format YYYYMM.
        :return: HTTP Response object
onbpre's avatar
onbpre committed
        """
        params = {'q': query_string}
        if from_:
            params['from'] = from_
        if to_:
            params['to'] = to_

        try:
onbpre's avatar
onbpre committed
            response = self._get(op='/search/wayback', params=params)
            return self.waitForResponse(response)

onbpre's avatar
onbpre committed
        except HTTPError as e:
            self._display_http_error(e)
            print('Error:'.format(query_string))

onbpre's avatar
onbpre committed
    def waitForResponse(self, response):
onbpre's avatar
onbpre committed
        """
        Polls until the server responds with a result

        :param response: String to search for
        :return: response
        """
onbpre's avatar
onbpre committed
        if response.status_code == 400:
            return response

        while response.status_code != 200:
onbpre's avatar
onbpre committed
            time.sleep(0.5)
onbpre's avatar
onbpre committed
            response = self.status_query(response)

        return response
onbpre's avatar
onbpre committed

    def status_query(self, resp):
onbpre's avatar
onbpre committed
        """
        this is the pollingrequest for the given typen of request

        :param resp: String to search for
onbpre's avatar
onbpre committed
        :return: response
        """
Stefan Karner's avatar
Stefan Karner committed
        requestid = resp.json()['requestid']
        type_ = resp.json()['type']
        if type_ == 1:
onbpre's avatar
onbpre committed
            r = self._get(op='/search/status/fulltext', params={'requestid': requestid})
onbpre's avatar
onbpre committed
            r = self._get(op='/search/status/wayback', params={'requestid': requestid})
        else:
            raise NotImplementedError(f'Unknown status query type {type_} - Please update client.')
onbpre's avatar
onbpre committed

        return r

    def domain_name_search(self, query_string, page_=1, pagesize_=100):
        """
        Start a domain name search in the Webarchive.

        :param query_string: String to search for
        :param page_: The page number parameter works with the page size parameter to control the offset of the records returned in the results. Default value is 1
        :param pagesize_: The page size parameter works with the page number parameter to control the offset of the records returned in the results. It also controls how many results are returned with each request. Default value is 10
        :return: result as json
        """
        params = {'q': query_string}
        if page_:
            params['page'] = page_
        if pagesize_:
            params['pagesize'] = pagesize_

        try:
            response = self._get(op='/search/domainname', params=params)
            return self.waitForResponse(response)

        except HTTPError as e:
            self._display_http_error(e)
            print('Error:'.format(query_string))

    def histogram_search(self, query_string, interval_=3, from_=None, to_=None):
        """
        Start a domain name search in the Webarchive.

        :param query_string: String to search for
        :return: result as json
        """
        params = {'q': query_string}
        if interval_:
            params['interval'] = interval_
        if from_:
            params['from'] = from_
        if to_:
            params['to'] = to_

        try:
            response = self._get(op='/search/fulltext/histogram', params=params)
            return self.waitForResponse(response)

        except HTTPError as e:
            self._display_http_error(e)
            print('Error:'.format(query_string))

Andreas's avatar
Andreas committed
    def getSnapshotUrl(self, seed, capture, onlysvg):
        return self.api_path + 'snapshot?capture=' + capture + '&t=' + self.token + '&apikey=' + self.api_key + '&onlysvg=' + onlysvg + '&seed=' + seed;
Andreas's avatar
Andreas committed
    def savePage(self, url):
        self.connect()
        r = requests.post(self.base_url.format('savepage'),
                          data='''{{
                              "apikey": "{api_key}",
                              "t": "{token}",
                              "url": "{url}"
                          }}'''.format(api_key=self.api_key, token=self.token, url=url),
                          headers={
                              'content-type': 'application/json',
                              'accept': 'application/ld+json'
                          }
                          )
Stefan Karner's avatar
Stefan Karner committed
        return r