コード例 #1
0
def delete_files(config_file, google_secrets_file, file_id):
    """
    Deletes the specified Google Drive files by ID.
    """
    LOG('Starting Drive file deletion using config file "{}" and Google config "{}"'
        .format(config_file, google_secrets_file))

    # The file_id option collects *all* file_id options from the command-line.
    # So there's likely multiple file IDs to process. Rename this option for clarity.
    file_ids = file_id

    if not config_file:
        FAIL(ERR_NO_CONFIG, 'No config file passed in.')

    if not google_secrets_file:
        FAIL(ERR_NO_SECRETS, 'No secrets file passed in.')

    if not file_ids:
        FAIL(ERR_NO_FILE_IDS, 'No file IDs were specified.')

    if len(file_ids) > MAX_FILE_IDS:
        FAIL(
            ERR_TOO_MANY_FILE_IDS,
            "Too many file IDs specfied: {}. Maximum is {}".format(
                len(file_ids), MAX_FILE_IDS))

    config = CONFIG_WITH_DRIVE_OR_EXIT(config_file, google_secrets_file)

    try:
        drive = DriveApi(config['google_secrets_file'])
        drive.delete_files(file_ids)
        LOG('All files deleted successfully.')
    except Exception as exc:  # pylint: disable=broad-except
        FAIL_EXCEPTION(ERR_DELETING_FILES, 'Unexpected error occurred!', exc)
コード例 #2
0
def _push_files_to_google(config, partner_filenames):
    """
    Copy the file to Google drive for this partner

    Returns:
        List of file IDs for the uploaded csv files.
    """
    # First make sure we have Drive folders for all partners
    failed_partners = []
    for partner in partner_filenames:
        if partner not in config['partner_folder_mapping']:
            failed_partners.append(partner)

    if failed_partners:
        FAIL(ERR_BAD_CONFIG, 'These partners have retiring learners, but no Drive folder: {}'.format(failed_partners))

    file_ids = {}
    drive = DriveApi(config['google_secrets_file'])
    for partner in partner_filenames:
        # This is populated on the fly in _config_drive_folder_map_or_exit
        folder_id = config['partner_folder_mapping'][partner]
        file_id = None
        with open(partner_filenames[partner], 'rb') as f:
            try:
                drive_filename = os.path.basename(partner_filenames[partner])
                LOG('Attempting to upload {} to {} Drive folder.'.format(drive_filename, partner))
                file_id = drive.create_file_in_folder(folder_id, drive_filename, f, "text/csv")
            except Exception as exc:  # pylint: disable=broad-except
                FAIL_EXCEPTION(ERR_DRIVE_UPLOAD, 'Drive upload failed for: {}'.format(drive_filename), exc)
        file_ids[partner] = file_id
    return file_ids
コード例 #3
0
def _config_drive_folder_map_or_exit(config):
    """
    Lists folders under our top level parent for this environment and returns
    a dict of {partner name: folder id}. Partner names should match the values
    in config['org_partner_mapping']
    """
    drive = DriveApi(config['google_secrets_file'])

    try:
        LOG('Attempting to find all partner sub-directories on Drive.')
        folders = drive.walk_files(
            config['drive_partners_folder'],
            mimetype='application/vnd.google-apps.folder',
            recurse=False)
    except Exception as exc:  # pylint: disable=broad-except
        FAIL_EXCEPTION(ERR_DRIVE_LISTING,
                       'Finding partner directories on Drive failed.', exc)

    if not folders:
        FAIL(
            ERR_DRIVE_LISTING,
            'Finding partner directories on Drive failed. Check your permissions.'
        )

    # As in _config_or_exit we force normalize the unicode here to make sure the keys
    # match. Otherwise the name we get back from Google won't match what's in the YAML config.
    config['partner_folder_mapping'] = OrderedDict()
    for folder in folders:
        folder['name'] = unicodedata.normalize('NFKC',
                                               text_type(folder['name']))
        config['partner_folder_mapping'][folder['name']] = folder['id']
コード例 #4
0
ファイル: test_google_api.py プロジェクト: obscherler/tubular
 def test_walk_files_retry(self, mock_from_service_account_file):  # pylint: disable=unused-argument
     """
     Subfolders are requested, but there is rate limiting causing a retry.
     """
     fake_folders = [
         {
             'id': 'fake-folder-id-{}'.format(idx),
             'name': 'fake-folder-name-{}'.format(idx),
             'mimeType': 'application/vnd.google-apps.folder'
         }
         for idx in range(10)
     ]
     http_mock_sequence = HttpMockSequence([
         # First, a request is made to the discovery API to construct a client object for Drive.
         (
             {'status': '200'},
             self.mock_discovery_response_content),
         # Then, a request is made to list files, but the response suggests to retry.
         self._http_mock_sequence_retry(),
         # Finally, the request is retried, and the response is OK.
         (
             {'status': '200', 'content-type': 'application/json'},
             json.dumps({'files': fake_folders}).encode('utf-8'),
         ),
     ])
     test_client = DriveApi('non-existent-secrets.json', http=http_mock_sequence)
     response = test_client.walk_files('fake-folder-id', mimetype=FOLDER_MIMETYPE, recurse=False)
     # Remove all the mimeTypes for comparison purposes.
     for fake_folder in fake_folders:
         del fake_folder['mimeType']
     six.assertCountEqual(self, response, fake_folders)
コード例 #5
0
def delete_expired_reports(config_file, google_secrets_file, age_in_days):
    """
    Performs the partner report deletion as needed.
    """
    LOG('Starting partner report deletion using config file "{}", Google config "{}", and {} days back'
        .format(config_file, google_secrets_file, age_in_days))

    if not config_file:
        FAIL(ERR_NO_CONFIG, 'No config file passed in.')

    if not google_secrets_file:
        FAIL(ERR_NO_SECRETS, 'No secrets file passed in.')

    if age_in_days <= 0:
        FAIL(ERR_BAD_AGE, 'age_in_days must be a positive integer.')

    config = _config_or_exit(config_file, google_secrets_file)

    try:
        delete_before_dt = datetime.now(UTC) - timedelta(days=age_in_days)
        drive = DriveApi(config['google_secrets_file'])
        LOG('DriveApi configured')
        drive.delete_files_older_than(
            config['drive_partners_folder'],
            delete_before_dt,
            mimetype='text/csv',
            prefix="{}_{}".format(REPORTING_FILENAME_PREFIX,
                                  config['partner_report_platform_name']))
        LOG('Partner report deletion complete')
    except Exception as exc:  # pylint: disable=broad-except
        FAIL_EXCEPTION(ERR_DELETING_REPORTS, 'Unexpected error occurred!', exc)
コード例 #6
0
ファイル: test_google_api.py プロジェクト: obscherler/tubular
 def test_comment_files_with_duplicate_file(self, mock_from_service_account_file):  # pylint: disable=unused-argument
     """
     Test case for duplicate file IDs.
     """
     fake_file_ids = ['fake-file-id0', 'fake-file-id1', 'fake-file-id0']
     http_mock_sequence = HttpMockSequence([
         # First, a request is made to the discovery API to construct a client object for Drive.
         ({'status': '200'}, self.mock_discovery_response_content),
     ])
     test_client = DriveApi('non-existent-secrets.json', http=http_mock_sequence)
     with self.assertRaises(ValueError):
         test_client.create_comments_for_files(list(zip(fake_file_ids, cycle(['some comment message']))))
コード例 #7
0
def _add_comments_to_files(config, file_ids):
    """
    Add comments to the uploaded csv files, triggering email notification.

    Args:
        file_ids (dict): Mapping of partner names to Drive file IDs corresponding to the newly uploaded csv files.
    """
    drive = DriveApi(config['google_secrets_file'])

    partner_folders_to_permissions = drive.list_permissions_for_files(
        config['partner_folder_mapping'].values(),
        fields='emailAddress',
    )

    # create a mapping of partners to a list of permissions dicts:
    permissions = {
        partner: partner_folders_to_permissions[
            config['partner_folder_mapping'][partner]]
        for partner in file_ids
    }

    # throw out all blacklisted addresses, and flatten the permissions dicts to just the email:
    external_emails = {
        partner: [
            perm['emailAddress'] for perm in permissions[partner]
            if not any(perm['emailAddress'].lower().endswith(
                blacklisted_domain.lower()) for blacklisted_domain in
                       config['blacklisted_notification_domains'])
        ]
        for partner in permissions
    }

    file_ids_and_comments = []
    for partner in file_ids:
        if not external_emails[partner]:
            LOG('WARNING: could not find a POC for the following partner: "{}". '
                'Double check the partner folder permissions in Google Drive.'.
                format(partner))
        else:
            tag_string = ' '.join('+' + email
                                  for email in external_emails[partner])
            comment_content = NOTIFICATION_MESSAGE_TEMPLATE.format(
                tags=tag_string)
            file_ids_and_comments.append((file_ids[partner], comment_content))

    try:
        LOG('Adding notification comments to uploaded csv files.')
        drive.create_comments_for_files(file_ids_and_comments)
    except Exception as exc:  # pylint: disable=broad-except
        # do not fail the script here, since comment errors are non-critical
        LOG('WARNING: there was an error adding Google Drive comments to the csv files: {}'
            .format(exc))
コード例 #8
0
ファイル: test_google_api.py プロジェクト: obscherler/tubular
 def test_walk_files_multi_page_csv_only(self, mock_from_service_account_file):  # pylint: disable=unused-argument
     """
     Files are searched for - and returned in two pages.
     """
     fake_folder = [
         {
             'id': 'fake-folder-id-0',
             'name': 'fake-folder-name-0',
             'mimeType': 'application/vnd.google-apps.folder'
         }
     ]
     fake_csv_files = [
         {
             'id': 'fake-csv-file-id-{}'.format(idx),
             'name': 'fake-csv-file-name-{}'.format(idx),
             'mimeType': 'application/csv'
         }
         for idx in range(10)
     ]
     fake_files_part_1 = fake_folder + fake_csv_files[:3]
     fake_files_part_2 = fake_csv_files[3:8]
     fake_files_part_3 = fake_csv_files[8:]
     http_mock_sequence = HttpMockSequence([
         # First, a request is made to the discovery API to construct a client object for Drive.
         (
             {'status': '200'},
             self.mock_discovery_response_content,
         ),
         # Then, a request is made to list files.  The response contains a single folder and other files.
         (
             {'status': '200', 'content-type': 'application/json'},
             json.dumps({'files': fake_files_part_1}).encode('utf-8'),
         ),
         # Then, a request is made to list files from the single found folder.
         # The response contains a nextPageToken indicating there are more pages.
         (
             {'status': '200', 'content-type': 'application/json'},
             json.dumps({'files': fake_files_part_2, 'nextPageToken': 'fake-next-page-token'}).encode('utf-8'),
         ),
         # Finally, another list request is made.  This time, no nextPageToken is present in the response,
         # indicating there are no more pages.
         (
             {'status': '200', 'content-type': 'application/json'},
             json.dumps({'files': fake_files_part_3}).encode('utf-8'),
         ),
     ])
     test_client = DriveApi('non-existent-secrets.json', http=http_mock_sequence)
     response = test_client.walk_files('fake-folder-id', mimetype='application/csv')
     # Remove all the mimeTypes for comparison purposes.
     for fake_file in fake_csv_files:
         del fake_file['mimeType']
     six.assertCountEqual(self, response, fake_csv_files)
コード例 #9
0
ファイル: test_google_api.py プロジェクト: obscherler/tubular
 def test_create_file_success(self, mock_from_service_account_file):  # pylint: disable=unused-argument
     """
     Test normal case for uploading a file.
     """
     fake_file_id = 'fake-file-id'
     http_mock_sequence = HttpMockSequence([
         # First, a request is made to the discovery API to construct a client object for Drive.
         ({'status': '200'}, self.mock_discovery_response_content),
         # Then, a request is made to upload the file.
         ({'status': '200'}, '{{"id": "{}"}}'.format(fake_file_id)),
     ])
     test_client = DriveApi('non-existent-secrets.json', http=http_mock_sequence)
     response = test_client.create_file_in_folder(
         'fake-folder-id',
         'Fake Filename',
         BytesIO('fake file contents'.encode('ascii')),
         'text/plain',
     )
     assert response == fake_file_id
コード例 #10
0
ファイル: test_google_api.py プロジェクト: obscherler/tubular
    def test_list_permissions_success(self, mock_from_service_account_file):  # pylint: disable=unused-argument
        """
        Test normal case for listing permissions on files.
        """
        fake_file_ids = ['fake-file-id0', 'fake-file-id1']
        batch_response = b'''--batch_foobarbaz
Content-Type: application/http
Content-Transfer-Encoding: binary
Content-ID: <response+0>

HTTP/1.1 200 OK
Content-Type: application/json
ETag: "etag/pony"\r\n\r\n{"permissions": [{"emailAddress": "*****@*****.**", "role": "reader"}]}

--batch_foobarbaz
Content-Type: application/http
Content-Transfer-Encoding: binary
Content-ID: <response+1>

HTTP/1.1 200 OK
Content-Type: application/json
ETag: "etag/sheep"\r\n\r\n{"permissions": [{"emailAddress": "*****@*****.**", "role": "writer"}]}
--batch_foobarbaz--'''
        http_mock_sequence = HttpMockSequence([
            # First, a request is made to the discovery API to construct a client object for Drive.
            ({'status': '200'}, self.mock_discovery_response_content),
            # Then, a request is made to add comments to the files.
            ({'status': '200', 'content-type': 'multipart/mixed; boundary="batch_foobarbaz"'}, batch_response),
        ])
        test_client = DriveApi('non-existent-secrets.json', http=http_mock_sequence)
        resp = test_client.list_permissions_for_files(fake_file_ids)
        six.assertCountEqual(
            self,
            resp,
            {
                'fake-file-id0': [{'emailAddress': '*****@*****.**', 'role': 'reader'}],
                'fake-file-id1': [{'emailAddress': '*****@*****.**', 'role': 'writer'}],
            },
        )
コード例 #11
0
ファイル: test_google_api.py プロジェクト: obscherler/tubular
 def test_walk_files_two_page(self, mock_from_service_account_file):  # pylint: disable=unused-argument
     """
     Subfolders are requested, but the response is paginated.
     """
     fake_folders = [
         {
             'id': 'fake-folder-id-{}'.format(idx),
             'name': 'fake-folder-name-{}'.format(idx),
             'mimeType': 'application/vnd.google-apps.folder'
         }
         for idx in range(10)
     ]
     fake_files_part_1 = fake_folders[:7]
     fake_files_part_2 = fake_folders[7:]
     http_mock_sequence = HttpMockSequence([
         # First, a request is made to the discovery API to construct a client object for Drive.
         (
             {'status': '200'},
             self.mock_discovery_response_content,
         ),
         # Then, a request is made to list files.  The response contains a nextPageToken suggesting there are more
         # pages.
         (
             {'status': '200', 'content-type': 'application/json'},
             json.dumps({'files': fake_files_part_1, 'nextPageToken': 'fake-next-page-token'}).encode('utf-8'),
         ),
         # Finally, a second list request is made.  This time, no nextPageToken is present in the response,
         # suggesting there are no more pages.
         (
             {'status': '200', 'content-type': 'application/json'},
             json.dumps({'files': fake_files_part_2}).encode('utf-8'),
         ),
     ])
     test_client = DriveApi('non-existent-secrets.json', http=http_mock_sequence)
     response = test_client.walk_files('fake-folder-id', mimetype=FOLDER_MIMETYPE, recurse=False)
     # Remove all the mimeTypes for comparison purposes.
     for fake_folder in fake_folders:
         del fake_folder['mimeType']
     six.assertCountEqual(self, response, fake_folders)
コード例 #12
0
ファイル: test_google_api.py プロジェクト: obscherler/tubular
 def test_delete_files_older_than(self, mock_from_service_account_file):  # pylint: disable=unused-argument
     """
     Tests the logic to delete files older than a certain age.
     """
     five_days_ago = datetime.now(UTC) - timedelta(days=5)
     fake_newish_files = [
         {
             'id': 'fake-text-file-id-{}'.format(idx),
             'createdTime': five_days_ago + timedelta(days=1),
             'mimeType': 'text/plain'
         }
         for idx in range(1, 10, 2)
     ]
     fake_old_files = [
         {
             'id': 'fake-text-file-id-{}'.format(idx),
             'createdTime': five_days_ago - timedelta(days=14),
             'mimeType': 'text/plain'
         }
         for idx in range(2, 10, 2)
     ]
     fake_files = fake_newish_files + fake_old_files
     http_mock_sequence = HttpMockSequence([
         # First, a request is made to the discovery API to construct a client object for Drive.
         (
             {'status': '200'},
             self.mock_discovery_response_content,
         ),
         # Then, a request is made to list files.
         (
             {'status': '200', 'content-type': 'application/json'},
             json.dumps({'files': fake_files}, default=lambda x: x.isoformat()).encode('utf-8'),
         ),
     ])
     with patch.object(DriveApi, 'delete_files', return_value=None) as mock_delete_files:
         test_client = DriveApi('non-existent-secrets.json', http=http_mock_sequence)
         test_client.delete_files_older_than('fake-folder-id', five_days_ago)
     # Verify that the correct files were requested to be deleted.
     mock_delete_files.assert_called_once_with(['fake-text-file-id-{}'.format(idx) for idx in range(2, 10, 2)])
コード例 #13
0
ファイル: test_google_api.py プロジェクト: obscherler/tubular
    def test_comment_files_success(self, mock_from_service_account_file):  # pylint: disable=unused-argument
        """
        Test normal case for commenting on files.
        """
        fake_file_ids = ['fake-file-id0', 'fake-file-id1']
        batch_response = b'''--batch_foobarbaz
Content-Type: application/http
Content-Transfer-Encoding: binary
Content-ID: <response+0>

HTTP/1.1 204 OK
ETag: "etag/pony"\r\n\r\n{"id": "fake-comment-id0"}

--batch_foobarbaz
Content-Type: application/http
Content-Transfer-Encoding: binary
Content-ID: <response+1>

HTTP/1.1 204 OK
ETag: "etag/sheep"\r\n\r\n{"id": "fake-comment-id1"}
--batch_foobarbaz--'''
        http_mock_sequence = HttpMockSequence([
            # First, a request is made to the discovery API to construct a client object for Drive.
            ({'status': '200'}, self.mock_discovery_response_content),
            # Then, a request is made to add comments to the files.
            ({'status': '200', 'content-type': 'multipart/mixed; boundary="batch_foobarbaz"'}, batch_response),
        ])
        test_client = DriveApi('non-existent-secrets.json', http=http_mock_sequence)
        resp = test_client.create_comments_for_files(list(zip(fake_file_ids, cycle(['some comment message']))))
        six.assertCountEqual(
            self,
            resp,
            {
                'fake-file-id0': {'id': 'fake-comment-id0'},
                'fake-file-id1': {'id': 'fake-comment-id1'},
            },
        )
コード例 #14
0
ファイル: test_google_api.py プロジェクト: obscherler/tubular
    def test_delete_file_with_nonexistent_file(self, mock_from_service_account_file):  # pylint: disable=unused-argument
        """
        Test case for deleting files where some are nonexistent.
        """
        fake_file_id_non_existent = 'fake-file-id1'
        fake_file_id_exists = 'fake-file-id2'
        batch_response = b'''--batch_foobarbaz
Content-Type: application/http
Content-Transfer-Encoding: binary
Content-ID: <response+0>

HTTP/1.1 404 NOT FOUND
Content-Type: application/json
Content-length: 266
ETag: "etag/pony"\r\n\r\n{
 "error": {
  "errors": [
   {
    "domain": "global",
    "reason": "notFound",
    "message": "File not found: fake-file-id1.",
    "locationType": "parameter",
    "location": "fileId"
   }
  ],
  "code": 404,
  "message": "File not found: fake-file-id1."
 }
}

--batch_foobarbaz
Content-Type: application/http
Content-Transfer-Encoding: binary
Content-ID: <response+1>

HTTP/1.1 204 OK
ETag: "etag/sheep"\r\n\r\n
--batch_foobarbaz--'''
        http_mock_sequence = HttpMockSequence([
            # First, a request is made to the discovery API to construct a client object for Drive.
            ({'status': '200'}, self.mock_discovery_response_content),
            # Then, a request is made to delete files.
            ({'status': '200', 'content-type': 'multipart/mixed; boundary="batch_foobarbaz"'}, batch_response),
        ])
        test_client = DriveApi('non-existent-secrets.json', http=http_mock_sequence)
        if sys.version_info < (3, 4):
            # This is a simple smoke-test without checking the output because
            # python 2 doesn't support assertLogs.
            with self.assertRaises(BatchRequestError):
                test_client.delete_files([fake_file_id_non_existent, fake_file_id_exists])
        else:
            # This is the full test case, which only runs under python 3.
            with self.assertLogs(level='INFO') as captured_logs:  # pylint: disable=no-member
                with self.assertRaises(BatchRequestError):
                    test_client.delete_files([fake_file_id_non_existent, fake_file_id_exists])
            assert sum('Error processing request' in msg for msg in captured_logs.output) == 1
            assert sum('Successfully processed request' in msg for msg in captured_logs.output) == 1
コード例 #15
0
ファイル: test_google_api.py プロジェクト: obscherler/tubular
 def test_create_file_retry_success(self, mock_from_service_account_file):
     """
     Test rate limit and retry during file upload.
     """
     fake_file_id = 'fake-file-id'
     http_mock_sequence = HttpMockSequence([
         # First, a request is made to the discovery API to construct a client object for Drive.
         ({'status': '200'}, self.mock_discovery_response_content),
         # Then, a request is made to upload the file while rate limiting was activated.  This should cause a retry.
         self._http_mock_sequence_retry(),
         # Finally, success.
         ({'status': '200'}, '{{"id": "{}"}}'.format(fake_file_id)),
     ])
     test_client = DriveApi('non-existent-secrets.json', http=http_mock_sequence)
     response = test_client.create_file_in_folder(
         'fake-folder-id',
         'Fake Filename',
         BytesIO('fake file contents'.encode('ascii')),
         'text/plain',
     )
     # There is no need to explicitly check if the call was retried because
     # the response value cannot possibly contain fake_file_id otherwise,
     # since it was only passed in the last response.
     assert response == fake_file_id
コード例 #16
0
ファイル: test_google_api.py プロジェクト: obscherler/tubular
    def test_delete_file_success(self, mock_from_service_account_file):  # pylint: disable=unused-argument
        """
        Test normal case for deleting files.
        """
        fake_file_ids = ['fake-file-id1', 'fake-file-id2']
        batch_response = b'''--batch_foobarbaz
Content-Type: application/http
Content-Transfer-Encoding: binary
Content-ID: <response+0>

HTTP/1.1 204 OK
ETag: "etag/pony"\r\n\r\n

--batch_foobarbaz
Content-Type: application/http
Content-Transfer-Encoding: binary
Content-ID: <response+1>

HTTP/1.1 204 OK
ETag: "etag/sheep"\r\n\r\n
--batch_foobarbaz--'''
        http_mock_sequence = HttpMockSequence([
            # First, a request is made to the discovery API to construct a client object for Drive.
            ({'status': '200'}, self.mock_discovery_response_content),
            # Then, a request is made to delete files.
            ({'status': '200', 'content-type': 'multipart/mixed; boundary="batch_foobarbaz"'}, batch_response),
        ])
        test_client = DriveApi('non-existent-secrets.json', http=http_mock_sequence)
        if sys.version_info < (3, 4):
            # This is a simple smoke-test without checking the output because
            # python <3.4 doesn't support assertLogs.
            test_client.delete_files(fake_file_ids)
        else:
            # This is the full test case, which only runs under python 3.4+.
            with self.assertLogs(level='INFO') as captured_logs:  # pylint: disable=no-member
                test_client.delete_files(fake_file_ids)
            assert sum(
                'Successfully processed request' in msg
                for msg in captured_logs.output
            ) == 2
コード例 #17
0
ファイル: test_google_api.py プロジェクト: obscherler/tubular
    def test_list_permissions_one_failure(self, mock_from_service_account_file):  # pylint: disable=unused-argument
        """
        Test case for listing permissions on files, but one file doesn't exist.
        """
        fake_file_ids = ['fake-file-id0', 'fake-file-id1', 'fake-file-id2']
        batch_response = b'''--batch_foobarbaz
Content-Type: application/http
Content-Transfer-Encoding: binary
Content-ID: <response+0>

HTTP/1.1 200 OK
Content-Type: application/json
ETag: "etag/pony"\r\n\r\n{"permissions": [{"emailAddress": "*****@*****.**", "role": "reader"}]}

--batch_foobarbaz
Content-Type: application/http
Content-Transfer-Encoding: binary
Content-ID: <response+1>

HTTP/1.1 200 OK
Content-Type: application/json
ETag: "etag/sheep"\r\n\r\n{"permissions": [{"emailAddress": "*****@*****.**", "role": "writer"}]}

--batch_foobarbaz
Content-Type: application/http
Content-Transfer-Encoding: binary
Content-ID: <response+2>

HTTP/1.1 404 NOT FOUND
Content-Type: application/json
Content-length: 266
ETag: "etag/bird"\r\n\r\n{
 "error": {
  "errors": [
   {
    "domain": "global",
    "reason": "notFound",
    "message": "File not found: fake-file-id2.",
    "locationType": "parameter",
    "location": "fileId"
   }
  ],
  "code": 404,
  "message": "File not found: fake-file-id2."
 }
}
--batch_foobarbaz--'''
        http_mock_sequence = HttpMockSequence([
            # First, a request is made to the discovery API to construct a client object for Drive.
            ({'status': '200'}, self.mock_discovery_response_content),
            # Then, a request is made to add comments to the files.
            ({'status': '200', 'content-type': 'multipart/mixed; boundary="batch_foobarbaz"'}, batch_response),
        ])
        test_client = DriveApi('non-existent-secrets.json', http=http_mock_sequence)

        if sys.version_info < (3, 4):
            # This is a simple smoke-test without checking the output because python <3.4 doesn't support assertLogs.
            with self.assertRaises(BatchRequestError):
                test_client.list_permissions_for_files(fake_file_ids)
        else:
            # This is the full test case, which only runs under python 3.4+.
            with self.assertLogs(level='INFO') as captured_logs:  # pylint: disable=no-member
                with self.assertRaises(BatchRequestError):
                    test_client.list_permissions_for_files(fake_file_ids)
            assert sum('Successfully processed request' in msg for msg in captured_logs.output) == 2
            assert sum('Error processing request' in msg for msg in captured_logs.output) == 1
コード例 #18
0
ファイル: test_google_api.py プロジェクト: obscherler/tubular
    def test_comment_files_batching_retries(self, mock_from_service_account_file):  # pylint: disable=unused-argument
        """
        Test commenting on more files than the google API batch limit.  This also tests the partial retry
        mechanism when a subset of responses are rate limited.
        """
        num_files = int(GOOGLE_API_MAX_BATCH_SIZE * 1.5)
        fake_file_ids = ['fake-file-id{}'.format(n) for n in range(num_files)]
        batch_response_0 = '\n'.join(
            '''--batch_foobarbaz
Content-Type: application/http
Content-Transfer-Encoding: binary
Content-ID: <response+{idx}>

HTTP/1.1 204 OK
ETag: "etag/pony{idx}"\r\n\r\n{{"id": "fake-comment-id{idx}"}}
'''.format(idx=n)
            for n in range(GOOGLE_API_MAX_BATCH_SIZE)
        )
        batch_response_0 += '--batch_foobarbaz--'
        batch_response_1 = '\n'.join(
            '''--batch_foobarbaz
Content-Type: application/http
Content-Transfer-Encoding: binary
Content-ID: <response+{idx}>

HTTP/1.1 204 OK
ETag: "etag/pony{idx}"\r\n\r\n{{"id": "fake-comment-id{idx}"}}
'''.format(idx=n)
            for n in range(int(GOOGLE_API_MAX_BATCH_SIZE * 0.25))
        )
        batch_response_1 += '\n'
        batch_response_1 += '\n'.join(
            '''--batch_foobarbaz
Content-Type: application/http
Content-Transfer-Encoding: binary
Content-ID: <response+{idx}>

HTTP/1.1 500 Internal Server Error
ETag: "etag/pony{idx}"\r\n\r\n
'''.format(idx=n)
            for n in range(int(GOOGLE_API_MAX_BATCH_SIZE * 0.25), int(GOOGLE_API_MAX_BATCH_SIZE * 0.5))
        )
        batch_response_1 += '--batch_foobarbaz--'
        batch_response_2 = '\n'.join(
            '''--batch_foobarbaz
Content-Type: application/http
Content-Transfer-Encoding: binary
Content-ID: <response+{idx}>

HTTP/1.1 204 OK
ETag: "etag/pony{idx}"\r\n\r\n{{"id": "fake-comment-id{idx}"}}
'''.format(idx=n)
            for n in range(int(GOOGLE_API_MAX_BATCH_SIZE * 0.25), int(GOOGLE_API_MAX_BATCH_SIZE * 0.5))
        )
        batch_response_2 += '--batch_foobarbaz--'
        http_mock_sequence = HttpMockSequence([
            # First, a request is made to the discovery API to construct a client object for Drive.
            ({'status': '200'}, self.mock_discovery_response_content),
            # Then, a request is made to add comments to the files, first batch. Return max batch size results.
            ({'status': '200', 'content-type': 'multipart/mixed; boundary="batch_foobarbaz"'}, batch_response_0),
            # Then, a request is made to add comments to the files, second batch. Only half of the results are returned,
            # the rest resulted in HTTP 500.
            ({'status': '200', 'content-type': 'multipart/mixed; boundary="batch_foobarbaz"'}, batch_response_1),
            # Then, a request is made retry the last half of the second batch (only the ones that returned the 500s).
            # Return the last 1/4 results.
            ({'status': '200', 'content-type': 'multipart/mixed; boundary="batch_foobarbaz"'}, batch_response_2),
        ])
        test_client = DriveApi('non-existent-secrets.json', http=http_mock_sequence)
        resp = test_client.create_comments_for_files(list(zip(fake_file_ids, cycle(['some comment message']))))
        six.assertCountEqual(
            self,
            resp,
            {
                'fake-file-id{}'.format(n): {'id': 'fake-comment-id{}'.format(n)}
                for n in range(num_files)
            },
        )