Compare commits
No commits in common. "51ccc92cd0a427a68976436e3c332f8bd04293e3" and "6353bab6bd2cfab8670bd6bf2d986e3dbf9a5dcf" have entirely different histories.
51ccc92cd0
...
6353bab6bd
@ -1,20 +0,0 @@
|
|||||||
Ноутбук,Электроника,1200,5,2026-01-15
|
|
||||||
Мышь,Электроника,25,15,2026-01-20
|
|
||||||
Клавиатура,Электроника,45,10,2026-02-10
|
|
||||||
Кофеварка,Техника,150,3,2026-02-15
|
|
||||||
Футболка,Одежда,20,50,2026-02-20
|
|
||||||
Джинсы,Одежда,60,20,2026-03-05
|
|
||||||
Лампа,Дом,35,12,2026-03-12
|
|
||||||
Чайник,Техника,80,8,2026-03-20
|
|
||||||
Монитор,Электроника,300,4,2026-04-01
|
|
||||||
Носки,Одежда,5,100,2026-04-05
|
|
||||||
Рюкзак,Аксессуары,55,15,2026-04-10
|
|
||||||
Книга,Хобби,15,30,2026-01-25
|
|
||||||
Блокнот,Хобби,8,40,2026-02-01
|
|
||||||
Ручка,Хобби,2,200,2026-02-05
|
|
||||||
Коврик для йоги,Спорт,25,20,2026-03-15
|
|
||||||
Гантели,Спорт,40,10,2026-04-12
|
|
||||||
Наушники,Электроника,90,12,2026-04-18
|
|
||||||
Сковорода,Дом,45,6,2026-01-30
|
|
||||||
Подушка,Дом,25,14,2026-02-28
|
|
||||||
Зеркало,Дом,110,2,2026-03-25
|
|
||||||
|
121
main.py
121
main.py
@ -1,121 +0,0 @@
|
|||||||
import csv
|
|
||||||
from collections import defaultdict
|
|
||||||
|
|
||||||
|
|
||||||
def load_data(filepath: str) -> list[dict]:
|
|
||||||
records = []
|
|
||||||
with open(filepath, mode='r', encoding='utf-8') as f:
|
|
||||||
reader = csv.reader(f)
|
|
||||||
for row in reader:
|
|
||||||
if not row: continue
|
|
||||||
name, category, price, quantity, date = row
|
|
||||||
records.append({
|
|
||||||
"name": name.strip(),
|
|
||||||
"category": category.strip(),
|
|
||||||
"price": float(price),
|
|
||||||
"quantity": int(quantity),
|
|
||||||
"date": date.strip()
|
|
||||||
})
|
|
||||||
return records
|
|
||||||
|
|
||||||
|
|
||||||
def clean_data(records: list[dict]) -> list[dict]:
|
|
||||||
cleaned = []
|
|
||||||
for r in records:
|
|
||||||
if r['price'] >= 0 and r['quantity'] >= 0:
|
|
||||||
r['category'] = r['category'].lower()
|
|
||||||
cleaned.append(r)
|
|
||||||
return cleaned
|
|
||||||
|
|
||||||
|
|
||||||
def filter_by_category(records: list[dict], category: str) -> list[dict]:
|
|
||||||
return [r for r in records if r['category'] == category.lower()]
|
|
||||||
|
|
||||||
|
|
||||||
def filter_by_price_range(records: list[dict], min_price: float, max_price: float) -> list[dict]:
|
|
||||||
return [r for r in records if min_price <= r['price'] <= max_price]
|
|
||||||
|
|
||||||
|
|
||||||
def total_revenue(records: list[dict]) -> float:
|
|
||||||
return sum(r['price'] * r['quantity'] for r in records)
|
|
||||||
|
|
||||||
|
|
||||||
def category_revenue(records: list[dict]) -> dict[str, float]:
|
|
||||||
rev_map = defaultdict(float)
|
|
||||||
for r in records:
|
|
||||||
rev_map[r['category']] += r['price'] * r['quantity']
|
|
||||||
return dict(rev_map)
|
|
||||||
|
|
||||||
|
|
||||||
def top_n_items(records: list[dict], n: int) -> list[tuple[str, int]]:
|
|
||||||
counts = defaultdict(int)
|
|
||||||
for r in records:
|
|
||||||
counts[r['name']] += r['quantity']
|
|
||||||
sorted_items = sorted(counts.items(), key=lambda x: x[1], reverse=True)
|
|
||||||
return sorted_items[:n]
|
|
||||||
|
|
||||||
|
|
||||||
def monthly_sales(records: list[dict]) -> dict[str, float]:
|
|
||||||
monthly_rev = defaultdict(float)
|
|
||||||
for r in records:
|
|
||||||
month = r['date'][:7] # Извлекает YYYY-MM
|
|
||||||
monthly_rev[month] += r['price'] * r['quantity']
|
|
||||||
return dict(sorted(monthly_rev.items()))
|
|
||||||
|
|
||||||
|
|
||||||
def best_selling_category(records: list[dict]) -> str:
|
|
||||||
cat_rev = category_revenue(records)
|
|
||||||
if not cat_rev: return ""
|
|
||||||
return max(cat_rev, key=cat_rev.get)
|
|
||||||
|
|
||||||
|
|
||||||
def export_summary(records: list[dict], output_path: str) -> None:
|
|
||||||
rev = total_revenue(records)
|
|
||||||
best_cat = best_selling_category(records)
|
|
||||||
top3 = top_n_items(records, 3)
|
|
||||||
monthly = monthly_sales(records)
|
|
||||||
|
|
||||||
with open(output_path, 'w', encoding='utf-8') as f:
|
|
||||||
f.write("СВОДНЫЙ ОТЧЕТ ПО ПРОДАЖАМ\n")
|
|
||||||
f.write("=" * 30 + "\n")
|
|
||||||
f.write(f"Общая выручка: {rev:.2f}\n")
|
|
||||||
f.write(f"Лучшая категория: {best_cat}\n\n")
|
|
||||||
f.write("Топ-3 товара (по количеству):\n")
|
|
||||||
for name, qty in top3:
|
|
||||||
f.write(f"- {name}: {qty} шт.\n")
|
|
||||||
f.write("\nВыручка по месяцам:\n")
|
|
||||||
for month, m_rev in monthly.items():
|
|
||||||
f.write(f"- {month}: {m_rev:.2f}\n")
|
|
||||||
|
|
||||||
|
|
||||||
def main() -> None:
|
|
||||||
# 1. Загрузка
|
|
||||||
data = load_data("data/sales.csv")
|
|
||||||
|
|
||||||
# 2. Очистка
|
|
||||||
data = clean_data(data)
|
|
||||||
|
|
||||||
# 3. Фильтрация
|
|
||||||
filtered = filter_by_price_range(data, 10, 500)
|
|
||||||
|
|
||||||
# 4. Анализ
|
|
||||||
rev = total_revenue(filtered)
|
|
||||||
category_revenue(filtered)
|
|
||||||
best_cat = best_selling_category(filtered)
|
|
||||||
top3 = top_n_items(filtered, 3)
|
|
||||||
monthly = monthly_sales(filtered)
|
|
||||||
|
|
||||||
# 5. Вывод в консоль
|
|
||||||
print(f"--- Результаты анализа (фильтр: 10-500 руб) ---")
|
|
||||||
print(f"Общая выручка: {rev:.2f}")
|
|
||||||
print(f"Лучшая категория: {best_cat.capitalize()}")
|
|
||||||
print(f"Топ-3 товара: {top3}")
|
|
||||||
print(f"Выручка по месяцам: {monthly}")
|
|
||||||
|
|
||||||
# 6. Экспорт
|
|
||||||
export_summary(filtered, "report.txt")
|
|
||||||
print(f"\nОтчет успешно сохранен в report.txt")
|
|
||||||
|
|
||||||
|
|
||||||
if __name__ == "__main__":
|
|
||||||
main()
|
|
||||||
15
report.txt
15
report.txt
@ -1,15 +0,0 @@
|
|||||||
СВОДНЫЙ ОТЧЕТ ПО ПРОДАЖАМ
|
|
||||||
==============================
|
|
||||||
Общая выручка: 9830.00
|
|
||||||
Лучшая категория: электроника
|
|
||||||
|
|
||||||
Топ-3 товара (по количеству):
|
|
||||||
- Футболка: 50 шт.
|
|
||||||
- Книга: 30 шт.
|
|
||||||
- Джинсы: 20 шт.
|
|
||||||
|
|
||||||
Выручка по месяцам:
|
|
||||||
- 2024-01: 1095.00
|
|
||||||
- 2024-02: 2250.00
|
|
||||||
- 2024-03: 2980.00
|
|
||||||
- 2024-04: 3505.00
|
|
||||||
Loading…
Reference in New Issue
Block a user