datetime.py 1.7 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546
  1. from datetime import datetime, timedelta
  2. from typing import List, Dict
  3. def filter_accounts_next_30_days(accounts: List[Dict[str, int]]) -> List[Dict[str, int]]:
  4. """Filter accounts whose expiry date falls within the next 30 days.
  5. Args:
  6. accounts (List[Dict[str, int]]): A list of account dictionaries, each containing
  7. an 'expiaryDate' key with an epoch timestamp as its value.
  8. Returns:
  9. List[Dict[str, int]]: A list of accounts expiring within the next 30 days.
  10. """
  11. now = datetime.now()
  12. thirty_days_later = now + timedelta(days=30)
  13. # Convert current time and 30 days later to epoch timestamps
  14. now_timestamp = int(now.timestamp())
  15. thirty_days_later_timestamp = int(thirty_days_later.timestamp())
  16. # Filter accounts with expiryDate within the next 30 days
  17. return [
  18. account for account in accounts
  19. if now_timestamp <= account['expiaryDate'] < thirty_days_later_timestamp
  20. ]
  21. def filter_accounts_expired(accounts: List[Dict[str, int]]) -> List[Dict[str, int]]:
  22. """Filter accounts whose expiry date has passed.
  23. Args:
  24. accounts (List[Dict[str, int]]): A list of account dictionaries, each containing
  25. an 'expiaryDate' key with an epoch timestamp as its value.
  26. Returns:
  27. List[Dict[str, int]]: A list of accounts that have expired.
  28. """
  29. # Get the current epoch timestamp
  30. current_timestamp = int(datetime.now().timestamp())
  31. # Filter accounts where the current date is greater than the expiryDate
  32. expired_accounts = [
  33. account for account in accounts
  34. if account['expiaryDate'] < current_timestamp
  35. ]
  36. return expired_accounts