-
Notifications
You must be signed in to change notification settings - Fork 1.6k
RPC retries (second PR) #3324
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
RPC retries (second PR) #3324
Changes from 9 commits
2d26f4f
d25cafa
7facbb4
5a8fdc0
537e8b6
bddf673
9688b3c
c4bad6e
68ef3af
d085312
70d920f
88e52fd
7cffbe0
19079c3
File filter
Filter by extension
Conversations
Jump to
Diff view
Diff view
There are no files selected for viewing
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,168 @@ | ||
| """Provides function wrappers that implement retrying.""" | ||
| import random | ||
| import time | ||
| import six | ||
|
|
||
| from google.cloud._helpers import _to_bytes | ||
| from google.cloud.bigtable._generated import ( | ||
| bigtable_pb2 as data_messages_v2_pb2) | ||
| from google.gax import config, errors | ||
| from grpc import RpcError | ||
|
|
||
|
|
||
| _MILLIS_PER_SECOND = 1000 | ||
|
|
||
|
|
||
| class ReadRowsIterator(): | ||
| """Creates an iterator equivalent to a_iter, but that retries on certain | ||
| exceptions. | ||
| """ | ||
|
|
||
| def __init__(self, client, name, start_key, end_key, filter_, limit, | ||
| retry_options, **kwargs): | ||
| self.client = client | ||
| self.retry_options = retry_options | ||
| self.name = name | ||
| self.start_key = start_key | ||
| self.start_key_closed = True | ||
| self.end_key = end_key | ||
| self.filter_ = filter_ | ||
| self.limit = limit | ||
| self.delay_mult = retry_options.backoff_settings.retry_delay_multiplier | ||
| self.max_delay_millis = \ | ||
| retry_options.backoff_settings.max_retry_delay_millis | ||
| self.timeout_mult = \ | ||
| retry_options.backoff_settings.rpc_timeout_multiplier | ||
| self.max_timeout = \ | ||
| (retry_options.backoff_settings.max_rpc_timeout_millis / | ||
| _MILLIS_PER_SECOND) | ||
| self.total_timeout = \ | ||
| (retry_options.backoff_settings.total_timeout_millis / | ||
| _MILLIS_PER_SECOND) | ||
| self.set_stream() | ||
|
|
||
| def set_start_key(self, start_key): | ||
| """ | ||
| Sets the row key at which this iterator will begin reading. | ||
| """ | ||
| self.start_key = start_key | ||
| self.start_key_closed = False | ||
This comment was marked as spam.
Sorry, something went wrong.
This comment was marked as spam.
Sorry, something went wrong.
This comment was marked as spam.
Sorry, something went wrong. |
||
|
|
||
| def set_stream(self): | ||
| """ | ||
| Resets the read stream by making an RPC on the 'ReadRows' endpoint. | ||
| """ | ||
| req_pb = _create_row_request(self.name, start_key=self.start_key, | ||
| start_key_closed=self.start_key_closed, | ||
| end_key=self.end_key, | ||
| filter_=self.filter_, limit=self.limit) | ||
| self.stream = self.client._data_stub.ReadRows(req_pb) | ||
|
|
||
| def next(self, *args, **kwargs): | ||
| """ | ||
| Read and return the next row from the stream. | ||
| Retry on idempotent failure. | ||
| """ | ||
| delay = self.retry_options.backoff_settings.initial_retry_delay_millis | ||
| exc = errors.RetryError('Retry total timeout exceeded before any' | ||
| 'response was received') | ||
| timeout = (self.retry_options.backoff_settings | ||
| .initial_rpc_timeout_millis / | ||
| _MILLIS_PER_SECOND) | ||
|
|
||
| now = time.time() | ||
| deadline = now + self.total_timeout | ||
| while deadline is None or now < deadline: | ||
| try: | ||
| return six.next(self.stream) | ||
| except StopIteration as stop: | ||
| raise stop | ||
| except RpcError as error: # pylint: disable=broad-except | ||
| code = config.exc_to_code(error) | ||
| if code not in self.retry_options.retry_codes: | ||
| six.reraise(type(error), error) | ||
|
|
||
| # pylint: disable=redefined-variable-type | ||
This comment was marked as spam.
Sorry, something went wrong.
This comment was marked as spam.
Sorry, something went wrong. |
||
| exc = errors.RetryError( | ||
| 'Retry total timeout exceeded with exception', error) | ||
|
|
||
| # Sleep a random number which will, on average, equal the | ||
| # expected delay. | ||
| to_sleep = random.uniform(0, delay * 2) | ||
| time.sleep(to_sleep / _MILLIS_PER_SECOND) | ||
| delay = min(delay * self.delay_mult, self.max_delay_millis) | ||
| now = time.time() | ||
| timeout = min( | ||
| timeout * self.timeout_mult, self.max_timeout, | ||
| deadline - now) | ||
| self.set_stream() | ||
|
|
||
| six.reraise(errors.RetryError, exc) | ||
|
||
|
|
||
| def __next__(self, *args, **kwargs): | ||
| return self.next(*args, **kwargs) | ||
|
|
||
|
|
||
| def _create_row_request(table_name, row_key=None, start_key=None, | ||
| start_key_closed=True, end_key=None, filter_=None, | ||
| limit=None): | ||
| """Creates a request to read rows in a table. | ||
| :type table_name: str | ||
| :param table_name: The name of the table to read from. | ||
| :type row_key: bytes | ||
| :param row_key: (Optional) The key of a specific row to read from. | ||
| :type start_key: bytes | ||
| :param start_key: (Optional) The beginning of a range of row keys to | ||
| read from. The range will include ``start_key``. If | ||
| left empty, will be interpreted as the empty string. | ||
| :type end_key: bytes | ||
| :param end_key: (Optional) The end of a range of row keys to read from. | ||
| The range will not include ``end_key``. If left empty, | ||
| will be interpreted as an infinite string. | ||
| :type filter_: :class:`.RowFilter` | ||
| :param filter_: (Optional) The filter to apply to the contents of the | ||
| specified row(s). If unset, reads the entire table. | ||
| :type limit: int | ||
| :param limit: (Optional) The read will terminate after committing to N | ||
| rows' worth of results. The default (zero) is to return | ||
| all results. | ||
| :rtype: :class:`data_messages_v2_pb2.ReadRowsRequest` | ||
| :returns: The ``ReadRowsRequest`` protobuf corresponding to the inputs. | ||
| :raises: :class:`ValueError <exceptions.ValueError>` if both | ||
| ``row_key`` and one of ``start_key`` and ``end_key`` are set | ||
| """ | ||
| request_kwargs = {'table_name': table_name} | ||
| if (row_key is not None and | ||
| (start_key is not None or end_key is not None)): | ||
| raise ValueError('Row key and row range cannot be ' | ||
| 'set simultaneously') | ||
| range_kwargs = {} | ||
| if start_key is not None or end_key is not None: | ||
| if start_key is not None: | ||
| if start_key_closed: | ||
| range_kwargs['start_key_closed'] = _to_bytes(start_key) | ||
| else: | ||
| range_kwargs['start_key_open'] = _to_bytes(start_key) | ||
| if end_key is not None: | ||
| range_kwargs['end_key_open'] = _to_bytes(end_key) | ||
| if filter_ is not None: | ||
| request_kwargs['filter'] = filter_.to_pb() | ||
| if limit is not None: | ||
| request_kwargs['rows_limit'] = limit | ||
|
|
||
| message = data_messages_v2_pb2.ReadRowsRequest(**request_kwargs) | ||
|
|
||
| if row_key is not None: | ||
| message.rows.row_keys.append(_to_bytes(row_key)) | ||
|
|
||
| if range_kwargs: | ||
| message.rows.row_ranges.add(**range_kwargs) | ||
|
|
||
| return message | ||
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,38 @@ | ||
| # This retry script is processed by the retry server and the client under test. | ||
| # Client tests should parse any command beginning with "CLIENT:", send the corresponding RPC | ||
| # to the retry server and expect a valid response. | ||
| # "EXPECT" commands indicate the call the server is expecting the client to send. | ||
| # | ||
| # The retry server has one table named "table" that should be used for testing. | ||
| # There are three types of commands supported: | ||
| # READ <comma-separated list of row ids to read> | ||
| # Expect the corresponding rows to be returned with arbitrary values. | ||
| # SCAN <range>... <comma separated list of row ids to expect> | ||
| # Ranges are expressed as an interval with either open or closed start and end, | ||
| # such as [1,3) for "1,2" or (1, 3] for "2,3". | ||
| # WRITE <comma-separated list of row ids to write> | ||
| # All writes should succeed eventually. Value payload is ignored. | ||
| # The server writes PASS or FAIL on a line by itself to STDOUT depending on the result of the test. | ||
| # All other server output should be ignored. | ||
|
|
||
| # Echo same scan back after immediate error | ||
| CLIENT: SCAN [r1,r3) r1,r2 | ||
| EXPECT: SCAN [r1,r3) | ||
| SERVER: ERROR Unavailable | ||
| EXPECT: SCAN [r1,r3) | ||
| SERVER: READ_RESPONSE r1,r2 | ||
|
|
||
| # Retry scans with open interval starting at the least read row key. | ||
| # Instead of using open intervals for retry ranges, '\x00' can be | ||
| # appended to the last received row key and sent in a closed interval. | ||
| CLIENT: SCAN [r1,r9) r1,r2,r3,r4,r5,r6,r7,r8 | ||
| EXPECT: SCAN [r1,r9) | ||
| SERVER: READ_RESPONSE r1,r2,r3,r4 | ||
| SERVER: ERROR Unavailable | ||
| EXPECT: SCAN (r4,r9) | ||
| SERVER: ERROR Unavailable | ||
| EXPECT: SCAN (r4,r9) | ||
| SERVER: READ_RESPONSE r5,r6,r7 | ||
| SERVER: ERROR Unavailable | ||
| EXPECT: SCAN (r7,r9) | ||
| SERVER: READ_RESPONSE r8 |
This comment was marked as spam.
Sorry, something went wrong.
Uh oh!
There was an error while loading. Please reload this page.