Problem Statement
A retail store wants to implement a rewards program for its customers. Your task is to write a function that computes reward points for each customer based on their transaction history. Each transaction contains the following information:
- Customer ID (string or integer)
- Purchase Amount (a float representing dollars)
- Transaction Date (a string in the format
YYYY-MM-DD
)
The reward rules are as follows:
- For each transaction, the customer earns points equal to the integer part of (purchase amount / 10).
- If a transaction has a date equal to the current day (i.e., 2024-11-05), the points earned are doubled.
- If the purchase amount exceeds $100, the customer earns bonus points equal to 10% of the amount exceeding $100 (rounded down to the nearest integer).
Your function should accept a list of transactions and return a data structure (e.g., a dictionary) where each key is a Customer ID and the corresponding value is the total reward points accumulated by that customer.
Example
Consider the following list of transactions:
[
{"customer_id": "A123", "amount": 120.0, "date": "2024-11-05"},
{"customer_id": "A123", "amount": 45.0, "date": "2024-11-04"},
{"customer_id": "B456", "amount": 200.0, "date": "2024-11-05"}
]
-
Customer A123:
- First transaction: floor(120/10) = 12 points, bonus = floor((120-100) * 0.1) = 2. Since the date is 2024-11-05, the combined points are doubled: (12 + 2) * 2 = 28 points.
- Second transaction: floor(45/10) = 4 points (no bonus since the amount is less than 100 and the date is not the current day), so total = 4 points.
- Total for A123 = 28 + 4 = 32 points.
-
Customer B456:
- Transaction: floor(200/10) = 20 points, bonus = floor((200-100) * 0.1) = 10. Since the date is 2024-11-05, the combined points are doubled: (20 + 10) * 2 = 60 points.
Requirements
- Your solution should handle a large number of transactions efficiently.
- Assume all input values are valid.
- The function should return the result rather than printing it.
- Design your solution so that it can be easily extended to accommodate additional reward rules in the future.
Constraints
- You may use any programming language of your choice.
- Do not use any external libraries outside of the standard library for your solution.