Compare commits

...

8 commits

Author SHA1 Message Date
2c4a15a3fd
Merge pull request #4 from Redume/feat/improved-graphics
Some checks are pending
Create and publish a Docker image / detect what files changed (push) Waiting to run
Create and publish a Docker image / build-and-push-server (push) Blocked by required conditions
Create and publish a Docker image / build-and-push-chart (push) Blocked by required conditions
Create and publish a Docker image / build-and-push-CR (push) Blocked by required conditions
Create and publish a Docker image / build-and-push-web (push) Blocked by required conditions
Deploy docs / detect what files changed (push) Waiting to run
Deploy docs / deploy (push) Blocked by required conditions
Feat/improved graphics
2025-02-19 14:29:06 +03:00
3daaedaa2d fix(chart): delete chart marker 'o' 2025-02-19 14:24:39 +03:00
77aaddb119 feat(chart): Made colors for rising, falling and stagnant rates 2025-02-19 14:19:18 +03:00
e1fdda4b54 fix(chart): Fixed currency rate and date indexes and other minor fixes 2025-02-19 14:18:10 +03:00
ef2c126d68 chore(chart): convert indent to tabs 2025-02-19 13:43:07 +03:00
ab97ee1e62 chore(chart): Added dependencies 2025-02-19 13:14:12 +03:00
5407830125 chore(chart): I made the hyphenation because of the big line. 2025-02-19 12:59:56 +03:00
2c28db0eb6 feat(chart): Rounded the corners, reduced the number of dates 2025-02-17 19:50:24 +03:00
2 changed files with 85 additions and 69 deletions

View file

@ -6,98 +6,112 @@ based on historical data retrieved from the database.
from datetime import datetime from datetime import datetime
from matplotlib import pyplot as plt from matplotlib import pyplot as plt
from scipy.interpolate import make_interp_spline
import numpy as np
from function.gen_unique_name import generate_unique_name from function.gen_unique_name import generate_unique_name
from database.server import create_pool from database.server import create_pool
async def create_chart( async def create_chart(
from_currency: str, from_currency: str,
conv_currency: str, conv_currency: str,
start_date: str, start_date: str,
end_date: str end_date: str
) -> (str, None): ) -> (str, None):
""" """
Generates a line chart of currency rates for a given date range. Generates a line chart of currency rates for a given date range.
The chart shows the exchange rate trend between `from_currency` and The chart shows the exchange rate trend between `from_currency` and
`conv_currency` within the specified `start_date` and `end_date` range. `conv_currency` within the specified `start_date` and `end_date` range.
The generated chart is saved as a PNG file, and the function returns the The generated chart is saved as a PNG file, and the function returns the
file name. If data is invalid or insufficient, the function returns `None`. file name. If data is invalid or insufficient, the function returns `None`.
Args: Args:
from_currency (str): The base currency (e.g., "USD"). from_currency (str): The base currency (e.g., "USD").
conv_currency (str): The target currency (e.g., "EUR"). conv_currency (str): The target currency (e.g., "EUR").
start_date (str): The start date in the format 'YYYY-MM-DD'. start_date (str): The start date in the format 'YYYY-MM-DD'.
end_date (str): The end date in the format 'YYYY-MM-DD'. end_date (str): The end date in the format 'YYYY-MM-DD'.
Returns: Returns:
str | None: The name of the saved chart file, or `None` if the operation fails. str | None: The name of the saved chart file, or `None` if the operation fails.
""" """
pool = await create_pool() pool = await create_pool()
if not validate_date(start_date) or not validate_date(end_date): if not validate_date(start_date) or not validate_date(end_date):
return None return None
start_date_obj = datetime.strptime(start_date, '%Y-%m-%d').date() start_date_obj = datetime.strptime(start_date, '%Y-%m-%d').date()
end_date_obj = datetime.strptime(end_date, '%Y-%m-%d').date() end_date_obj = datetime.strptime(end_date, '%Y-%m-%d').date()
async with pool.acquire() as conn: async with pool.acquire() as conn:
data = await conn.fetch( data = await conn.fetch(
'SELECT date, rate FROM currency ' 'SELECT date, rate FROM currency '
'WHERE (date BETWEEN $1 AND $2) AND from_currency = $3 AND conv_currency = $4 ORDER BY date', 'WHERE (date BETWEEN $1 AND $2) ' +
start_date_obj, 'AND from_currency = $3 AND conv_currency = $4 ORDER BY date',
end_date_obj, start_date_obj,
from_currency.upper(), end_date_obj,
conv_currency.upper() from_currency.upper(),
) conv_currency.upper()
)
if not data or len(data) <= 1: if not data or len(data) <= 1:
return None return None
date, rate = [], [] date, rate = [], []
fig = plt.gcf()
for row in data: for row in data:
date.append(str(row['date'])) date.append(row[0])
rate.append(row['rate']) rate.append(row[1])
width = 18.5 + (len(date) // 5) * 3
fig.set_size_inches(width, 9.5)
spline = make_interp_spline(range(len(date)), rate, k=2)
x = np.arange(len(date))
if rate[0] < rate[-1]: newx_2 = np.linspace(0, len(date) - 1, 200)
plt.plot(date, rate, color='green', marker='o') newy_2 = spline(newx_2)
elif rate[0] > rate[-1]: fig, ax = plt.subplots(figsize=(15, 6))
plt.plot(date, rate, color='red', marker='o')
else:
plt.plot(date, rate, color='grey')
plt.xlabel('Date') for label in (ax.get_xticklabels() + ax.get_yticklabels()):
plt.ylabel('Rate') label.set_fontsize(10)
ax.set_xticks(np.linspace(0, len(date) - 1, 10))
ax.set_xticklabels(
[
date[int(i)].strftime('%Y-%m-%d')
for i in np.linspace(0, len(date) - 1, 10).astype(int)
]
)
name = await generate_unique_name( name = await generate_unique_name(
f'{from_currency.upper()}_{conv_currency.upper()}', f'{from_currency.upper()}_{conv_currency.upper()}',
datetime.now() datetime.now()
) )
fig.savefig(f'../charts/{name}.png')
fig.clear() if rate[0] < rate[-1]:
plt.plot(newx_2, newy_2, color='green')
elif rate[0] > rate[-1]:
plt.plot(newx_2, newy_2, color='red')
else:
plt.plot(newx_2, newy_2, color='grey')
return name plt.savefig(f'../charts/{name}.png')
fig.clear()
return name
def validate_date(date_str: str) -> bool: def validate_date(date_str: str) -> bool:
""" """
Validates whether the provided string is a valid date in the format 'YYYY-MM-DD'. Validates whether the provided string is a valid date in the format 'YYYY-MM-DD'.
Args: Args:
date_str (str): The date string to validate. date_str (str): The date string to validate.
Returns: Returns:
bool: `True` if the string is a valid date, `False` otherwise. bool: `True` if the string is a valid date, `False` otherwise.
""" """
try: try:
datetime.strptime(date_str, '%Y-%m-%d') datetime.strptime(date_str, '%Y-%m-%d')
return True return True
except ValueError: except ValueError:
return False return False

View file

@ -4,4 +4,6 @@ uvicorn~=0.29.0
fastapi[standard]~=0.115.2 fastapi[standard]~=0.115.2
starlette~=0.40.0 starlette~=0.40.0
user_agents==2.2.0 user_agents==2.2.0
asyncpg~=0.30.0 asyncpg~=0.30.0
scipy~=1.15.2
numpy~=2.2.0