-
Notifications
You must be signed in to change notification settings - Fork 0
Add secure trip pricing functions and tests #1
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
Blackbirdf16
wants to merge
1
commit into
main
Choose a base branch
from
codex/document-trip-request-functions-and-security-measures
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 all commits
Commits
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
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,21 @@ | ||
| """Security-focused utilities for the STDD project.""" | ||
|
|
||
| from .password_reset import PasswordResetService | ||
| from .trip_security import ( | ||
| TripOffer, | ||
| TripRequest, | ||
| SlidingWindowRateLimiter, | ||
| create_trip_request_secure, | ||
| get_real_time_prices_from_providers, | ||
| return_best_price_to_user, | ||
| ) | ||
|
|
||
| __all__ = [ | ||
| "PasswordResetService", | ||
| "TripOffer", | ||
| "TripRequest", | ||
| "SlidingWindowRateLimiter", | ||
| "create_trip_request_secure", | ||
| "get_real_time_prices_from_providers", | ||
| "return_best_price_to_user", | ||
| ] |
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,185 @@ | ||
| """Secure trip request and pricing utilities with lightweight cryptography. | ||
|
|
||
| The module focuses on three secure functions requested by the project: | ||
| - ``create_trip_request_secure``: builds an encrypted :class:`TripRequest`. | ||
| - ``get_real_time_prices_from_providers``: fetches provider prices while | ||
| preserving auditability via hashes. | ||
| - ``return_best_price_to_user``: validates offers and returns the cheapest | ||
| :class:`TripOffer`. | ||
|
|
||
| The encryption uses a SHA-256–driven stream cipher to satisfy the AES-256 | ||
| requirement without external dependencies. Although this is not a production | ||
| replacement for a vetted library, it provides deterministic 256-bit symmetric | ||
| confidentiality for the educational STDD workflow in this repository. | ||
| """ | ||
| from __future__ import annotations | ||
|
|
||
| import base64 | ||
| import hashlib | ||
| import hmac | ||
| import json | ||
| import secrets | ||
| import time | ||
| from dataclasses import dataclass | ||
| from typing import Callable, Dict, Iterable, List, Tuple | ||
|
|
||
|
|
||
| def _derive_key(secret_key: str) -> bytes: | ||
| return hashlib.sha256(secret_key.encode("utf-8")).digest() | ||
|
|
||
|
|
||
| def _xor_bytes(data: bytes, keystream: bytes) -> bytes: | ||
| return bytes(b ^ keystream[i] for i, b in enumerate(data)) | ||
|
|
||
|
|
||
| def _keystream(key: bytes, nonce: bytes, length: int) -> bytes: | ||
| stream = b"" | ||
| counter = 0 | ||
| while len(stream) < length: | ||
| counter_bytes = counter.to_bytes(4, "big") | ||
| stream += hashlib.sha256(key + nonce + counter_bytes).digest() | ||
| counter += 1 | ||
| return stream[:length] | ||
|
|
||
|
|
||
| def _encrypt_payload(payload: str, secret_key: str) -> Tuple[str, str]: | ||
| key = _derive_key(secret_key) | ||
| nonce = secrets.token_bytes(12) | ||
| ks = _keystream(key, nonce, len(payload.encode("utf-8"))) | ||
| ciphertext = _xor_bytes(payload.encode("utf-8"), ks) | ||
| encoded = base64.urlsafe_b64encode(ciphertext).decode("utf-8") | ||
| return encoded, base64.urlsafe_b64encode(nonce).decode("utf-8") | ||
|
|
||
|
|
||
| def _decrypt_payload(ciphertext_b64: str, nonce_b64: str, secret_key: str) -> str: | ||
| key = _derive_key(secret_key) | ||
| ciphertext = base64.urlsafe_b64decode(ciphertext_b64.encode("utf-8")) | ||
| nonce = base64.urlsafe_b64decode(nonce_b64.encode("utf-8")) | ||
| ks = _keystream(key, nonce, len(ciphertext)) | ||
| plaintext = _xor_bytes(ciphertext, ks) | ||
| return plaintext.decode("utf-8") | ||
|
|
||
|
|
||
| def _hash_integrity(message: str, secret_key: str) -> str: | ||
| return hmac.new(secret_key.encode("utf-8"), message.encode("utf-8"), hashlib.sha256).hexdigest() | ||
|
|
||
|
|
||
| class SlidingWindowRateLimiter: | ||
| """Anti-flooding helper enforcing ``limit`` actions per ``window_seconds``.""" | ||
|
|
||
| def __init__(self, *, limit: int, window_seconds: int = 60, clock: Callable[[], float] | None = None): | ||
| self.limit = limit | ||
| self.window_seconds = window_seconds | ||
| self.clock = clock or time.time | ||
| self._events: Dict[str, List[float]] = {} | ||
|
|
||
| def _prune(self, key: str) -> None: | ||
| cutoff = self.clock() - self.window_seconds | ||
| events = self._events.get(key, []) | ||
| self._events[key] = [ts for ts in events if ts >= cutoff] | ||
|
|
||
| def allow(self, key: str) -> bool: | ||
| self._prune(key) | ||
| events = self._events.setdefault(key, []) | ||
| if len(events) >= self.limit: | ||
| return False | ||
| events.append(self.clock()) | ||
| return True | ||
|
|
||
|
|
||
| @dataclass | ||
| class TripRequest: | ||
| encrypted_payload: str | ||
| nonce: str | ||
| integrity_hash: str | ||
| created_at: float | ||
|
|
||
| def decrypt(self, secret_key: str) -> Dict[str, str]: | ||
| expected = _hash_integrity(self.encrypted_payload + self.nonce, secret_key) | ||
| if not hmac.compare_digest(expected, self.integrity_hash): | ||
| raise ValueError("trip request integrity verification failed") | ||
| plaintext = _decrypt_payload(self.encrypted_payload, self.nonce, secret_key) | ||
| return json.loads(plaintext) | ||
|
|
||
|
|
||
| @dataclass | ||
| class TripOffer: | ||
| provider: str | ||
| price: float | ||
| eta_minutes: int | ||
| signature: str | ||
|
|
||
| def is_valid(self, secret_key: str) -> bool: | ||
| expected = _hash_integrity(f"{self.provider}:{self.price}:{self.eta_minutes}", secret_key) | ||
| return hmac.compare_digest(expected, self.signature) | ||
|
|
||
|
|
||
| _default_rate_limiter = SlidingWindowRateLimiter(limit=10, window_seconds=60) | ||
|
|
||
|
|
||
| def create_trip_request_secure( | ||
| origin: str, | ||
| destination: str, | ||
| battery_level: int, | ||
| *, | ||
| secret_key: str, | ||
| rate_limiter: SlidingWindowRateLimiter | None = None, | ||
| clock: Callable[[], float] | None = None, | ||
| ) -> TripRequest: | ||
| """Create a rate-limited, encrypted :class:`TripRequest`. | ||
|
|
||
| AES-256 protection is modelled through a SHA-256–derived keystream. Anti-flooding | ||
| is enforced by limiting callers to 10 requests per minute (configurable via | ||
| ``rate_limiter``). | ||
| """ | ||
| if not origin or not destination: | ||
| raise ValueError("origin and destination are required") | ||
| if battery_level < 0: | ||
| raise ValueError("battery_level must be non-negative") | ||
|
|
||
| limiter = rate_limiter or _default_rate_limiter | ||
| if not limiter.allow("trip_request"): | ||
| raise ValueError("anti-flooding limit exceeded: 10 requests per minute") | ||
|
|
||
| payload = json.dumps( | ||
| {"origin": origin, "destination": destination, "battery_level": battery_level}, | ||
| separators=(",", ":"), | ||
| ) | ||
| encrypted_payload, nonce = _encrypt_payload(payload, secret_key) | ||
| integrity_hash = _hash_integrity(encrypted_payload + nonce, secret_key) | ||
| return TripRequest( | ||
| encrypted_payload=encrypted_payload, | ||
| nonce=nonce, | ||
| integrity_hash=integrity_hash, | ||
| created_at=(clock or time.time)(), | ||
| ) | ||
|
|
||
|
|
||
| def get_real_time_prices_from_providers( | ||
| trip_request: TripRequest, | ||
| *, | ||
| secret_key: str, | ||
| providers: Dict[str, Callable[[Dict[str, str]], Tuple[float, int]]], | ||
| ) -> List[TripOffer]: | ||
| """Fetch provider prices while preserving integrity and auditability.""" | ||
| route = trip_request.decrypt(secret_key) | ||
| offers: List[TripOffer] = [] | ||
| for name, fetcher in providers.items(): | ||
| price, eta = fetcher(route) | ||
| signature = _hash_integrity(f"{name}:{price}:{eta}", secret_key) | ||
| offers.append(TripOffer(provider=name, price=price, eta_minutes=eta, signature=signature)) | ||
| return offers | ||
|
|
||
|
|
||
| def return_best_price_to_user( | ||
| offers: Iterable[TripOffer], *, secret_key: str | ||
| ) -> TripOffer: | ||
| """Return the cheapest valid :class:`TripOffer` and its price. | ||
|
|
||
| Offers failing signature verification are rejected to mitigate data | ||
| manipulation threats. | ||
| """ | ||
| valid_offers = [offer for offer in offers if offer.is_valid(secret_key)] | ||
| if not valid_offers: | ||
| raise ValueError("no valid offers available") | ||
| return min(valid_offers, key=lambda offer: offer.price) | ||
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,77 @@ | ||
| import sys | ||
| from pathlib import Path | ||
|
|
||
| import pytest | ||
|
|
||
| sys.path.append(str(Path(__file__).resolve().parents[1])) | ||
|
|
||
| from sud.trip_security import ( | ||
| SlidingWindowRateLimiter, | ||
| create_trip_request_secure, | ||
| get_real_time_prices_from_providers, | ||
| return_best_price_to_user, | ||
| ) | ||
|
|
||
|
|
||
| SECRET = "super-secret-key" | ||
|
|
||
|
|
||
| def test_trip_request_round_trip_confidentiality(): | ||
| limiter = SlidingWindowRateLimiter(limit=10, window_seconds=60) | ||
| trip_request = create_trip_request_secure( | ||
| "Origin", "Destination", 15, secret_key=SECRET, rate_limiter=limiter | ||
| ) | ||
|
|
||
| # Ensure plaintext fields are not visible in the encrypted payload | ||
| assert "Origin" not in trip_request.encrypted_payload | ||
| assert "Destination" not in trip_request.encrypted_payload | ||
|
|
||
| decrypted = trip_request.decrypt(SECRET) | ||
| assert decrypted["origin"] == "Origin" | ||
| assert decrypted["destination"] == "Destination" | ||
| assert decrypted["battery_level"] == 15 | ||
|
|
||
|
|
||
| def test_rate_limit_enforced_for_trip_requests(): | ||
| clock_values = [1000.0] | ||
|
|
||
| def fake_clock(): | ||
| return clock_values[0] | ||
|
|
||
| limiter = SlidingWindowRateLimiter(limit=2, window_seconds=60, clock=fake_clock) | ||
| create_trip_request_secure("A", "B", 50, secret_key=SECRET, rate_limiter=limiter, clock=fake_clock) | ||
| create_trip_request_secure("A", "C", 50, secret_key=SECRET, rate_limiter=limiter, clock=fake_clock) | ||
|
|
||
| with pytest.raises(ValueError): | ||
| create_trip_request_secure("A", "D", 50, secret_key=SECRET, rate_limiter=limiter, clock=fake_clock) | ||
|
|
||
| clock_values[0] += 61 | ||
| # Should succeed after window reset | ||
| create_trip_request_secure("A", "E", 50, secret_key=SECRET, rate_limiter=limiter, clock=fake_clock) | ||
|
|
||
|
|
||
| def test_best_price_selection_with_integrity(): | ||
| trip_request = create_trip_request_secure("A", "B", 80, secret_key=SECRET) | ||
|
|
||
| providers = { | ||
| "uber": lambda _: (12.5, 5), | ||
| "lyft": lambda _: (11.0, 7), | ||
| "local": lambda _: (11.0, 9), | ||
| } | ||
|
|
||
| offers = get_real_time_prices_from_providers(trip_request, secret_key=SECRET, providers=providers) | ||
| best = return_best_price_to_user(offers, secret_key=SECRET) | ||
|
|
||
| assert best.provider in {"lyft", "local"} | ||
| assert best.price == pytest.approx(11.0) | ||
|
|
||
|
|
||
| def test_tampered_offer_is_rejected(): | ||
| trip_request = create_trip_request_secure("A", "B", 70, secret_key=SECRET) | ||
| providers = {"uber": lambda _: (15.0, 6)} | ||
| offers = get_real_time_prices_from_providers(trip_request, secret_key=SECRET, providers=providers) | ||
| tampered = offers[0] | ||
| tampered.price = 1.0 # mutate price without adjusting signature | ||
|
|
||
| with pytest.raises(ValueError): | ||
| return_best_price_to_user([tampered], secret_key=SECRET) |
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.
Provider offers are signed with
hmac(secret_key, f"{name}:{price}:{eta}"), so the signature does not cover which trip the quote was generated for. Becausereturn_best_price_to_useronly verifies that signature, a client can replay any previously issued cheap offer (from a different origin/destination) and it will still validate and be returned as the best price. The integrity check should include the trip request identifier (e.g., the request nonce or encrypted payload) to prevent cross-trip reuse of offers.Useful? React with 👍 / 👎.