-
Notifications
You must be signed in to change notification settings - Fork 126
Circuit breaker changes using pybreaker #705
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
Open
nikhilsuri-db
wants to merge
17
commits into
main
Choose a base branch
from
PECOBLR-993
base: main
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
Open
Changes from 15 commits
Commits
Show all changes
17 commits
Select commit
Hold shift + click to select a range
37ec282
Added driver connection params
nikhilsuri-db 2504053
Added model fields for chunk/result latency
nikhilsuri-db ef41f4c
fixed linting issues
nikhilsuri-db 2f54be8
lint issue fixing
nikhilsuri-db db93974
circuit breaker changes using pybreaker
nikhilsuri-db 1f9c4d3
Added interface layer top of http client to use circuit rbeaker
nikhilsuri-db 939b548
Added test cases to validate ciruit breaker
nikhilsuri-db 6c72f86
fixing broken tests
nikhilsuri-db ac845a5
fixed linting issues
nikhilsuri-db a602c39
fixed failing test cases
nikhilsuri-db c1b6e25
fixed urllib3 issue
nikhilsuri-db e3d85f4
added more test cases for telemetry
nikhilsuri-db 9dfb623
simplified CB config
nikhilsuri-db e7e8b4b
poetry lock
nikhilsuri-db dab4b38
fix minor issues & improvement
nikhilsuri-db e1e08b0
improved circuit breaker for handling only 429/503
nikhilsuri-db b527e7c
linting issue fixed
nikhilsuri-db File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.
Oops, something went wrong.
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
138 changes: 138 additions & 0 deletions
138
src/databricks/sql/telemetry/circuit_breaker_manager.py
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,138 @@ | ||
| """ | ||
| Circuit breaker implementation for telemetry requests. | ||
|
|
||
| This module provides circuit breaker functionality to prevent telemetry failures | ||
| from impacting the main SQL operations. It uses pybreaker library to implement | ||
| the circuit breaker pattern with configurable thresholds and timeouts. | ||
| """ | ||
|
|
||
| import logging | ||
| import threading | ||
| from typing import Dict, Optional, Any | ||
| from dataclasses import dataclass | ||
|
|
||
| import pybreaker | ||
| from pybreaker import CircuitBreaker, CircuitBreakerError, CircuitBreakerListener | ||
|
|
||
| logger = logging.getLogger(__name__) | ||
|
|
||
| # Circuit Breaker Configuration Constants | ||
| MINIMUM_CALLS = 20 | ||
| RESET_TIMEOUT = 30 | ||
| CIRCUIT_BREAKER_NAME = "telemetry-circuit-breaker" | ||
|
|
||
| # Circuit Breaker State Constants | ||
| CIRCUIT_BREAKER_STATE_OPEN = "open" | ||
| CIRCUIT_BREAKER_STATE_CLOSED = "closed" | ||
| CIRCUIT_BREAKER_STATE_HALF_OPEN = "half-open" | ||
| CIRCUIT_BREAKER_STATE_DISABLED = "disabled" | ||
|
|
||
| # Logging Message Constants | ||
| LOG_CIRCUIT_BREAKER_STATE_CHANGED = "Circuit breaker state changed from %s to %s for %s" | ||
| LOG_CIRCUIT_BREAKER_OPENED = ( | ||
| "Circuit breaker opened for %s - telemetry requests will be blocked" | ||
| ) | ||
| LOG_CIRCUIT_BREAKER_CLOSED = ( | ||
| "Circuit breaker closed for %s - telemetry requests will be allowed" | ||
| ) | ||
| LOG_CIRCUIT_BREAKER_HALF_OPEN = ( | ||
| "Circuit breaker half-open for %s - testing telemetry requests" | ||
| ) | ||
|
|
||
|
|
||
| class CircuitBreakerStateListener(CircuitBreakerListener): | ||
|
Author
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. Only used for logging purposed for now |
||
| """Listener for circuit breaker state changes.""" | ||
|
|
||
| def before_call(self, cb: CircuitBreaker, func, *args, **kwargs) -> None: | ||
| """Called before the circuit breaker calls a function.""" | ||
| pass | ||
|
|
||
| def failure(self, cb: CircuitBreaker, exc: BaseException) -> None: | ||
| """Called when a function called by the circuit breaker fails.""" | ||
| pass | ||
|
|
||
| def success(self, cb: CircuitBreaker) -> None: | ||
| """Called when a function called by the circuit breaker succeeds.""" | ||
| pass | ||
|
|
||
| def state_change(self, cb: CircuitBreaker, old_state, new_state) -> None: | ||
| """Called when the circuit breaker state changes.""" | ||
| old_state_name = old_state.name if old_state else "None" | ||
| new_state_name = new_state.name if new_state else "None" | ||
|
|
||
| logger.info( | ||
| LOG_CIRCUIT_BREAKER_STATE_CHANGED, old_state_name, new_state_name, cb.name | ||
| ) | ||
|
|
||
| if new_state_name == CIRCUIT_BREAKER_STATE_OPEN: | ||
| logger.warning(LOG_CIRCUIT_BREAKER_OPENED, cb.name) | ||
| elif new_state_name == CIRCUIT_BREAKER_STATE_CLOSED: | ||
| logger.info(LOG_CIRCUIT_BREAKER_CLOSED, cb.name) | ||
| elif new_state_name == CIRCUIT_BREAKER_STATE_HALF_OPEN: | ||
| logger.info(LOG_CIRCUIT_BREAKER_HALF_OPEN, cb.name) | ||
|
|
||
|
|
||
| class CircuitBreakerManager: | ||
| """ | ||
| Manages circuit breaker instances for telemetry requests. | ||
|
|
||
| This class provides a singleton pattern to manage circuit breaker instances | ||
| per host, ensuring that telemetry failures don't impact main SQL operations. | ||
|
|
||
| Circuit breaker configuration is fixed and cannot be overridden. | ||
| """ | ||
|
|
||
| _instances: Dict[str, CircuitBreaker] = {} | ||
| _lock = threading.RLock() | ||
|
|
||
| @classmethod | ||
| def get_circuit_breaker(cls, host: str) -> CircuitBreaker: | ||
| """ | ||
| Get or create a circuit breaker instance for the specified host. | ||
|
|
||
| Args: | ||
| host: The hostname for which to get the circuit breaker | ||
|
|
||
| Returns: | ||
| CircuitBreaker instance for the host | ||
| """ | ||
| with cls._lock: | ||
| if host not in cls._instances: | ||
| cls._instances[host] = cls._create_circuit_breaker(host) | ||
| logger.debug("Created circuit breaker for host: %s", host) | ||
|
|
||
| return cls._instances[host] | ||
|
|
||
| @classmethod | ||
| def _create_circuit_breaker(cls, host: str) -> CircuitBreaker: | ||
| """ | ||
| Create a new circuit breaker instance for the specified host. | ||
|
|
||
| Args: | ||
| host: The hostname for the circuit breaker | ||
|
|
||
| Returns: | ||
| New CircuitBreaker instance | ||
| """ | ||
| # Create circuit breaker with fixed configuration | ||
| breaker = CircuitBreaker( | ||
| fail_max=MINIMUM_CALLS, | ||
| reset_timeout=RESET_TIMEOUT, | ||
| name=f"{CIRCUIT_BREAKER_NAME}-{host}", | ||
| ) | ||
| breaker.add_listener(CircuitBreakerStateListener()) | ||
|
|
||
| return breaker | ||
|
|
||
|
|
||
| def is_circuit_breaker_error(exception: Exception) -> bool: | ||
| """ | ||
| Check if an exception is a circuit breaker error. | ||
|
|
||
| Args: | ||
| exception: The exception to check | ||
|
|
||
| Returns: | ||
| True if the exception is a circuit breaker error | ||
| """ | ||
| return isinstance(exception, CircuitBreakerError) | ||
Oops, something went wrong.
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Hardcoded values as do not want user to configure them anywhere in the driver