示例#1
0
def ReportMetrics(metrics_file_path, log_level):
    """Sends the specified anonymous usage event to the given analytics endpoint.

  Args:
      metrics_file_path: str, File with pickled metrics (list of tuples).
      log_level: int, The logging level of gsutil's root logger.
  """
    logger = logging.getLogger()
    handler = logging.FileHandler(LOG_FILE_PATH, mode='w')
    logger.addHandler(handler)
    logger.setLevel(log_level)

    with open(metrics_file_path, 'rb') as metrics_file:
        metrics = pickle.load(metrics_file)
    os.remove(metrics_file_path)

    http = GetNewHttp()

    for metric in metrics:
        try:
            headers = {'User-Agent': metric.user_agent}
            response = http.request(metric.endpoint,
                                    method=metric.method,
                                    body=metric.body,
                                    headers=headers)
            logger.debug(metric)
            logger.debug('RESPONSE: %s', response[0]['status'])
        except Exception as e:  # pylint: disable=broad-except
            logger.debug(e)
示例#2
0
    def _ProbeObjectAccessWithClient(self, key, client_email, gcs_path,
                                     logger):
        """Performs a head request against a signed url to check for read access."""

        # Choose a reasonable time in the future; if the user's system clock is
        # 60 or more seconds behind the server's this will generate an error.
        signed_url = _GenSignedUrl(key, client_email, 'HEAD', '', '',
                                   int(time.time()) + 60, gcs_path, logger)

        try:
            h = GetNewHttp()
            req = Request(signed_url, 'HEAD')
            response = MakeRequest(h, req)

            if response.status_code not in [200, 403, 404]:
                raise HttpError.FromResponse(response)

            return response.status_code
        except HttpError:
            error_string = (
                'Unexpected HTTP response code %s while querying '
                'object readability. Is your system clock accurate?' %
                response.status_code)
            if response.content:
                error_string += ' Content: %s' % response.content
            raise CommandException(error_string)
示例#3
0
    def _ProbeObjectAccessWithClient(self, key, client_email, gcs_path, logger,
                                     region):
        """Performs a head request against a signed url to check for read access."""

        # Choose a reasonable time in the future; if the user's system clock is
        # 60 or more seconds behind the server's this will generate an error.
        signed_url = _GenSignedUrl(key, client_email, 'HEAD',
                                   timedelta(seconds=60), gcs_path, logger,
                                   region)

        try:
            h = GetNewHttp()
            req = Request(signed_url, 'HEAD')
            response = MakeRequest(h, req)

            if response.status_code not in [200, 403, 404]:
                raise HttpError.FromResponse(response)

            return response.status_code
        except HttpError as http_error:
            if http_error.has_attr('response'):
                error_response = http_error.response
                error_string = (
                    'Unexpected HTTP response code %s while querying '
                    'object readability. Is your system clock accurate?' %
                    error_response.status_code)
                if error_response.content:
                    error_string += ' Content: %s' % error_response.content
            else:
                error_string = (
                    'Expected an HTTP response code of '
                    '200 while querying object readability, but received '
                    'an error: %s' % http_error)
            raise CommandException(error_string)
示例#4
0
    def __init__(self, logger=None, credentials=None, debug=0):
        """Performs necessary setup for interacting with Google Cloud Pub/Sub.

    Args:
      logger: logging.logger for outputting log messages.
      credentials: Credentials to be used for interacting with Google Cloud
          Pub/Sub
      debug: Debug level for the API implementation (0..3).
    """
        super(PubsubApi, self).__init__()
        self.logger = logger

        no_op_credentials = False
        if not credentials:
            loaded_credentials = CheckAndGetCredentials(logger)

            if not loaded_credentials:
                loaded_credentials = NoOpCredentials()
                no_op_credentials = True
        else:
            if isinstance(credentials, NoOpCredentials):
                no_op_credentials = True

        self.credentials = credentials or loaded_credentials
        self.certs_file = GetCertsFile()
        self.http = GetNewHttp()

        self.http_base = 'https://'
        self.host_base = config.get('Credentials', 'gs_pubsub_host',
                                    'pubsub.googleapis.com')
        gs_pubsub_port = config.get('Credentials', 'gs_pubsub_port', None)
        if not gs_pubsub_port:
            self.host_port = ''
        else:
            self.host_port = ':' + gs_pubsub_port

        self.url_base = (self.http_base + self.host_base + self.host_port)

        self.num_retries = GetNumRetries()
        self.max_retry_wait = GetMaxRetryDelay()

        log_request = (debug >= 3)
        log_response = (debug >= 3)

        self.api_client = apitools_client.PubsubV1(
            url=self.url_base,
            http=self.http,
            log_request=log_request,
            log_response=log_response,
            credentials=self.credentials)

        self.api_client.max_retry_wait = self.max_retry_wait
        self.api_client.num_retries = self.num_retries

        if no_op_credentials:
            # This API key is not secret and is used to identify gsutil during
            # anonymous requests.
            self.api_client.AddGlobalParam(
                'key', u'AIzaSyDnacJHrKma0048b13sh8cgxNUwulubmJM')
示例#5
0
    def _CheckClientCanRead(self, key, client_id, gcs_path):
        """Performs a head request against a signed url to check for read access."""

        signed_url = _GenSignedUrl(key, client_id, 'HEAD', '', '',
                                   int(time.time()) + 10, gcs_path)
        h = GetNewHttp()
        try:
            response, _ = h.request(signed_url, 'HEAD')

            return response.status == 200
        except httplib2.HttpLib2Error as e:
            raise CommandException('Unexpected error while querying'
                                   'object readability ({0})'.format(
                                       e.message))
示例#6
0
  def _ProbeObjectAccessWithClient(self, key, client_email, gcs_path):
    """Performs a head request against a signed url to check for read access."""

    signed_url = _GenSignedUrl(key, client_email, 'HEAD', '', '',
                               int(time.time()) + 10, gcs_path)

    try:
      h = GetNewHttp()
      req = Request(signed_url, 'HEAD')
      response = MakeRequest(h, req)

      if response.status_code not in [200, 403, 404]:
        raise HttpError(response)

      return response.status_code
    except HttpError as e:
      raise CommandException('Unexpected response code while querying'
                             'object readability ({0})'.format(e.message))
def ReportMetrics(metrics_file_path, log_level, log_file_path=None):
  """Sends the specified anonymous usage event to the given analytics endpoint.

  Args:
      metrics_file_path: str, File with pickled metrics (list of tuples).
      log_level: int, The logging level of gsutil's root logger.
      log_file_path: str, The file that this module should write its logs to.
        This parameter is intended for use by tests that need to evaluate the
        contents of the file at this path.

  """
  logger = logging.getLogger()
  if log_file_path is not None:
    # Use a separate logger so that we don't add another handler to the default
    # module-level logger. This is intended to prevent multiple calls from tests
    # running in parallel from writing output to the same file.
    new_name = '%s.%s' % (
        logger.name,
        ''.join(random.choice(string.ascii_lowercase) for _ in range(8)))
    logger = logging.getLogger(new_name)

  handler = logging.FileHandler(log_file_path or LOG_FILE_PATH, mode='w')
  logger.addHandler(handler)
  logger.setLevel(log_level)

  with open(metrics_file_path, 'rb') as metrics_file:
    metrics = pickle.load(metrics_file)
  os.remove(metrics_file_path)

  ConfigureCertsFile()
  http = GetNewHttp()

  for metric in metrics:
    try:
      headers = {'User-Agent': metric.user_agent}
      response = http.request(metric.endpoint,
                              method=metric.method,
                              body=metric.body,
                              headers=headers)
      logger.debug(metric)
      logger.debug('RESPONSE: %s', response[0]['status'])
    except Exception as e:  # pylint: disable=broad-except
      logger.debug(e)