Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

[FDS-2497] Wrap google API execute calls with a 5 attempt retry #1513

Merged
merged 4 commits into from
Oct 15, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
72 changes: 44 additions & 28 deletions schematic/manifest/generator.py
Original file line number Diff line number Diff line change
Expand Up @@ -27,6 +27,7 @@
build_service_account_creds,
execute_google_api_requests,
export_manifest_drive_service,
google_api_execute_wrapper,
)
from schematic.utils.schema_utils import (
DisplayLabelType,
Expand Down Expand Up @@ -190,11 +191,11 @@ def _gdrive_copy_file(self, origin_file_id, copy_title):
copied_file = {"name": copy_title}

# return new copy sheet ID
return (
return google_api_execute_wrapper(
self.drive_service.files()
.copy(fileId=origin_file_id, body=copied_file)
.execute()["id"]
)
.execute
)["id"]

def _create_empty_manifest_spreadsheet(self, title: str) -> str:
"""
Expand All @@ -215,12 +216,11 @@ def _create_empty_manifest_spreadsheet(self, title: str) -> str:
else:
spreadsheet_body = {"properties": {"title": title}}

spreadsheet_id = (
spreadsheet_id = google_api_execute_wrapper(
self.sheet_service.spreadsheets()
.create(body=spreadsheet_body, fields="spreadsheetId")
.execute()
.get("spreadsheetId")
)
.execute
).get("spreadsheetId")

return spreadsheet_id

Expand Down Expand Up @@ -265,7 +265,7 @@ def callback(request_id, response, exception):
fields="id",
)
)
batch.execute()
google_api_execute_wrapper(batch.execute)

def _store_valid_values_as_data_dictionary(
self, column_id: int, valid_values: list, spreadsheet_id: str
Expand Down Expand Up @@ -297,7 +297,7 @@ def _store_valid_values_as_data_dictionary(
+ str(len(values) + 1)
)
valid_values = [{"userEnteredValue": "=" + target_range}]
response = (
response = google_api_execute_wrapper(
self.sheet_service.spreadsheets()
.values()
.update(
Expand All @@ -306,7 +306,7 @@ def _store_valid_values_as_data_dictionary(
valueInputOption="RAW",
body=body,
)
.execute()
linglp marked this conversation as resolved.
Show resolved Hide resolved
.execute
)
return valid_values

Expand Down Expand Up @@ -560,15 +560,31 @@ def _gs_add_and_format_columns(self, required_metadata_fields, spreadsheet_id):
range = "Sheet1!A1:" + str(end_col_letter) + "1"

# adding columns
self.sheet_service.spreadsheets().values().update(
spreadsheetId=spreadsheet_id, range=range, valueInputOption="RAW", body=body
).execute()
google_api_execute_wrapper(
self.sheet_service.spreadsheets()
.values()
.update(
spreadsheetId=spreadsheet_id,
range=range,
valueInputOption="RAW",
body=body,
)
.execute
)

# adding columns to 2nd sheet that can be used for storing data validation ranges (this avoids limitations on number of dropdown items in excel and openoffice)
range = "Sheet2!A1:" + str(end_col_letter) + "1"
self.sheet_service.spreadsheets().values().update(
spreadsheetId=spreadsheet_id, range=range, valueInputOption="RAW", body=body
).execute()
google_api_execute_wrapper(
self.sheet_service.spreadsheets()
.values()
.update(
spreadsheetId=spreadsheet_id,
range=range,
valueInputOption="RAW",
body=body,
)
.execute
)

# format column header row
header_format_body = {
Expand Down Expand Up @@ -612,10 +628,10 @@ def _gs_add_and_format_columns(self, required_metadata_fields, spreadsheet_id):
]
}

response = (
response = google_api_execute_wrapper(
self.sheet_service.spreadsheets()
.batchUpdate(spreadsheetId=spreadsheet_id, body=header_format_body)
.execute()
.execute
)
return response, ordered_metadata_fields

Expand Down Expand Up @@ -664,13 +680,13 @@ def _gs_add_additional_metadata(
"data": data,
}

response = (
response = google_api_execute_wrapper(
self.sheet_service.spreadsheets()
.values()
.batchUpdate(
spreadsheetId=spreadsheet_id, body=batch_update_values_request_body
)
.execute()
.execute
)
return response

Expand Down Expand Up @@ -765,23 +781,23 @@ def _request_regex_match_vr_formatting(
split_rules = validation_rules[0].split(" ")
if split_rules[0] == "regex" and split_rules[1] == "match":
# Set things up:
## Extract the regular expression we are validating against.
# Extract the regular expression we are validating against.
regular_expression = split_rules[2]
## Define text color to update to upon correct user entry
# Define text color to update to upon correct user entry
text_color = {"red": 0, "green": 0, "blue": 0}
## Define google sheets regular expression formula
# Define google sheets regular expression formula
gs_formula = [
{
"userEnteredValue": '=REGEXMATCH(INDIRECT("RC",FALSE), "{}")'.format(
regular_expression
)
}
]
## Set validaiton strictness based on user specifications.
# Set validaiton strictness based on user specifications.
if split_rules[-1].lower() == "strict":
strict = True

## Create error message for users if they enter value with incorrect formatting
# Create error message for users if they enter value with incorrect formatting
input_message = (
f"Values in this column are being validated "
f"against the following regular expression ({regular_expression}) "
Expand All @@ -790,7 +806,7 @@ def _request_regex_match_vr_formatting(
)

# Create Requests:
## Change request to change the text color of the column we are validating to red.
# Change request to change the text color of the column we are validating to red.
requests_vr_format_body = self._request_update_base_color(
i,
color={
Expand All @@ -800,10 +816,10 @@ def _request_regex_match_vr_formatting(
},
)

## Create request to for conditionally formatting user input.
# Create request to for conditionally formatting user input.
requests_vr = self._request_regex_vr(gs_formula, i, text_color)

## Create request to generate data validator.
# Create request to generate data validator.
requests_data_validation_vr = self._get_column_data_validation_values(
spreadsheet_id,
valid_values=gs_formula,
Expand Down
47 changes: 39 additions & 8 deletions schematic/utils/google_api_utils.py
Original file line number Diff line number Diff line change
Expand Up @@ -2,14 +2,23 @@

# pylint: disable=logging-fstring-interpolation

import os
import logging
import json
from typing import Any, Union, no_type_check, TypedDict
import logging
import os
from typing import Any, Callable, TypedDict, Union, no_type_check

import pandas as pd
from googleapiclient.discovery import build, Resource # type: ignore
from google.oauth2 import service_account # type: ignore
from googleapiclient.discovery import Resource, build # type: ignore
from googleapiclient.errors import HttpError # type: ignore
from tenacity import (
BryanFauble marked this conversation as resolved.
Show resolved Hide resolved
retry,
retry_if_exception_type,
stop_after_attempt,
wait_chain,
wait_fixed,
)

from schematic.configuration.configuration import CONFIG

logger = logging.getLogger(__name__)
Expand Down Expand Up @@ -86,10 +95,10 @@ def execute_google_api_requests(service, requests_body, **kwargs) -> Any:
and kwargs["service_type"] == "batch_update"
):
# execute all requests
response = (
response = google_api_execute_wrapper(
service.spreadsheets()
.batchUpdate(spreadsheetId=kwargs["spreadsheet_id"], body=requests_body)
.execute()
.execute
)

return response
Expand Down Expand Up @@ -118,10 +127,10 @@ def export_manifest_drive_service(

# use google drive
# Pylint seems to have trouble with the google api classes, recognizing their methods
data = (
data = google_api_execute_wrapper(
drive_service.files() # pylint: disable=no-member
.export(fileId=spreadsheet_id, mimeType=mime_type)
.execute()
.execute
)

# open file and write data
Expand All @@ -145,3 +154,25 @@ def export_manifest_csv(file_path: str, manifest: Union[pd.DataFrame, str]) -> N
manifest.to_csv(file_path, index=False)
else:
export_manifest_drive_service(manifest, file_path, mime_type="text/csv")


@retry(
stop=stop_after_attempt(5),
wait=wait_chain(
*[wait_fixed(1) for i in range(2)]
+ [wait_fixed(2) for i in range(2)]
+ [wait_fixed(5)]
),
retry=retry_if_exception_type(HttpError),
reraise=True,
BryanFauble marked this conversation as resolved.
Show resolved Hide resolved
)
def google_api_execute_wrapper(api_function_to_call: Callable[[], Any]) -> Any:
"""Retry wrapper for Google API calls, with a backoff strategy.

Args:
api_function_to_call (Callable[[], Any]): The function to call

Returns:
Any: The result of the API call
"""
return api_function_to_call()