d0863325a5
But for real, it's a real shitstorm in there. - Added context by making the init go through a function and not implicitly happen via imports - Fixup all context and contextless function mixups - splitup the models in sensible different files - give the dump of view functions in views/__init__.py their own file - add all routes via blueprints, not half of them - move the slack notifications function and class to its own file, no idea what it was doing in a views file in the first place.
61 lines
2.1 KiB
Python
61 lines
2.1 KiB
Python
from datetime import datetime
|
|
|
|
from .database import db
|
|
from .user import User
|
|
|
|
|
|
class Order(db.Model):
|
|
id = db.Column(db.Integer, primary_key=True)
|
|
courrier_id = db.Column(db.Integer, nullable=True)
|
|
location_id = db.Column(db.Integer, db.ForeignKey('location.id'))
|
|
starttime = db.Column(db.DateTime)
|
|
stoptime = db.Column(db.DateTime)
|
|
public = db.Column(db.Boolean, default=True)
|
|
items = db.relationship('OrderItem', backref='order', lazy='dynamic')
|
|
|
|
def configure(self, courrier, location, starttime, stoptime):
|
|
self.courrier = courrier
|
|
self.location = location
|
|
self.starttime = starttime
|
|
self.stoptime = stoptime
|
|
|
|
def __repr__(self):
|
|
if self.location:
|
|
return 'Order %d @ %s' % (self.id, self.location.name or 'None')
|
|
else:
|
|
return 'Order %d' % (self.id)
|
|
|
|
def group_by_user(self):
|
|
group = dict()
|
|
for item in self.items:
|
|
user = group.get(item.get_name(), dict())
|
|
user["total"] = user.get("total", 0) + item.product.price
|
|
user["to_pay"] = user.get(
|
|
"to_pay", 0) + item.product.price if not item.paid else 0
|
|
user["paid"] = user.get("paid", True) and item.paid
|
|
user["products"] = user.get("products", []) + [item.product]
|
|
group[item.get_name()] = user
|
|
|
|
return group
|
|
|
|
def group_by_product(self):
|
|
group = dict()
|
|
for item in self.items:
|
|
product = group.get(item.product.name, dict())
|
|
product['count'] = product.get("count", 0) + 1
|
|
if item.extra:
|
|
product["extras"] = product.get("extras", []) + [item.extra]
|
|
group[item.product.name] = product
|
|
|
|
return group
|
|
|
|
def can_close(self, user_id):
|
|
if self.stoptime and self.stoptime < datetime.now():
|
|
return False
|
|
user = None
|
|
if user_id:
|
|
user = User.query.filter_by(id=user_id).first()
|
|
print(user)
|
|
if self.courrier_id == user_id or (user and user.is_admin()):
|
|
return True
|
|
return False
|