django-orchestra-test/orchestra/apps/services/handlers.py

528 lines
22 KiB
Python
Raw Normal View History

import calendar
2014-09-03 13:56:02 +00:00
import datetime
import decimal
2014-09-03 13:56:02 +00:00
from dateutil import relativedelta
2014-07-21 12:20:04 +00:00
from django.contrib.contenttypes.models import ContentType
from django.utils import timezone
2014-07-21 12:20:04 +00:00
from django.utils.translation import ugettext_lazy as _
from orchestra.utils import plugins
2014-10-27 17:34:14 +00:00
from orchestra.utils.humanize import text2int
2014-09-26 15:05:20 +00:00
from orchestra.utils.python import AttrDict
2014-07-21 12:20:04 +00:00
2014-09-14 09:52:45 +00:00
from . import settings, helpers
2014-07-21 12:20:04 +00:00
class ServiceHandler(plugins.Plugin):
"""
Separates all the logic of billing handling from the model allowing to better
customize its behaviout
2014-09-26 10:38:50 +00:00
Relax and enjoy the journey.
"""
2014-09-26 15:05:20 +00:00
_VOLUME = 'VOLUME'
_COMPENSATION = 'COMPENSATION'
2014-07-21 12:20:04 +00:00
model = None
__metaclass__ = plugins.PluginMount
def __init__(self, service):
self.service = service
2014-07-21 15:43:36 +00:00
def __getattr__(self, attr):
return getattr(self.service, attr)
2014-07-21 12:20:04 +00:00
@classmethod
def get_plugin_choices(cls):
choices = super(ServiceHandler, cls).get_plugin_choices()
return [('', _("Default"))] + choices
2014-07-21 15:43:36 +00:00
def get_content_type(self):
if not self.model:
return self.content_type
app_label, model = self.model.split('.')
return ContentType.objects.get_by_natural_key(app_label, model.lower())
2014-07-21 12:20:04 +00:00
def matches(self, instance):
if not self.match:
# Blank expressions always evaluate True
return True
2014-07-21 12:20:04 +00:00
safe_locals = {
2014-10-04 09:29:18 +00:00
'instance': instance,
'obj': instance,
instance._meta.model_name: instance,
2014-07-21 12:20:04 +00:00
}
return eval(self.match, safe_locals)
2014-10-24 10:16:46 +00:00
def get_ignore_delta(self):
if self.ignore_period == self.NEVER:
return None
value, unit = self.ignore_period.split('_')
value = text2int(value)
2014-10-28 09:51:27 +00:00
if unit.lower().startswith('day'):
return datetime.timedelta(days=value)
if unit.lower().startswith('month'):
return datetime.timedelta(months=value)
2014-10-24 10:16:46 +00:00
else:
raise ValueError("Unknown unit %s" % unit)
def get_order_ignore(self, order):
""" service trial delta """
ignore_delta = self.get_ignore_delta()
if ignore_delta and (order.cancelled_on-ignore_delta).date() <= order.registered_on:
return True
return order.ignore
def get_ignore(self, instance):
ignore = False
account = getattr(instance, 'account', instance)
if account.is_superuser:
ignore = self.ignore_superusers
return ignore
2014-07-21 12:20:04 +00:00
def get_metric(self, instance):
2014-07-21 15:43:36 +00:00
if self.metric:
safe_locals = {
instance._meta.model_name: instance
}
return eval(self.metric, safe_locals)
2014-10-23 15:38:46 +00:00
def get_order_description(self, instance):
safe_locals = {
'instance': instance,
'obj': instance,
instance._meta.model_name: instance,
}
if not self.order_description:
return '%s: %s' % (self.description, instance)
return eval(self.order_description, safe_locals)
def get_billing_point(self, order, bp=None, **options):
2014-09-03 13:56:02 +00:00
not_cachable = self.billing_point == self.FIXED_DATE and options.get('fixed_point')
if not_cachable or bp is None:
bp = options.get('billing_point', timezone.now().date())
if not options.get('fixed_point'):
2014-09-03 13:56:02 +00:00
msg = ("Support for '%s' period and '%s' point is not implemented"
% (self.get_billing_period_display(), self.get_billing_point_display()))
if self.billing_period == self.MONTHLY:
date = bp
2014-09-03 13:56:02 +00:00
if self.payment_style == self.PREPAY:
date += relativedelta.relativedelta(months=1)
2014-09-22 15:59:53 +00:00
else:
date = timezone.now().date()
2014-09-03 13:56:02 +00:00
if self.billing_point == self.ON_REGISTER:
day = order.registered_on.day
2014-09-03 13:56:02 +00:00
elif self.billing_point == self.FIXED_DATE:
day = 1
2014-09-03 13:56:02 +00:00
else:
raise NotImplementedError(msg)
2014-09-25 16:28:47 +00:00
bp = datetime.date(year=date.year, month=date.month, day=day)
2014-09-03 13:56:02 +00:00
elif self.billing_period == self.ANUAL:
if self.billing_point == self.ON_REGISTER:
month = order.registered_on.month
day = order.registered_on.day
2014-09-03 13:56:02 +00:00
elif self.billing_point == self.FIXED_DATE:
2014-09-17 10:32:29 +00:00
month = settings.SERVICES_SERVICE_ANUAL_BILLING_MONTH
day = 1
2014-09-03 13:56:02 +00:00
else:
raise NotImplementedError(msg)
year = bp.year
2014-09-03 13:56:02 +00:00
if self.payment_style == self.POSTPAY:
2014-09-22 15:59:53 +00:00
year = bp.year - relativedelta.relativedelta(years=1)
if bp.month >= month:
year = bp.year + 1
2014-09-25 16:28:47 +00:00
bp = datetime.date(year=year, month=month, day=day)
2014-09-03 13:56:02 +00:00
elif self.billing_period == self.NEVER:
bp = order.registered_on
else:
2014-09-03 13:56:02 +00:00
raise NotImplementedError(msg)
if self.on_cancel != self.NOTHING and order.cancelled_on and order.cancelled_on < bp:
2014-09-25 16:28:47 +00:00
bp = order.cancelled_on
return bp
2014-09-25 16:28:47 +00:00
# def aligned(self, date):
# if self.granularity == self.DAILY:
# return date
# elif self.granularity == self.MONTHLY:
# return datetime.date(year=date.year, month=date.month, day=1)
# elif self.granularity == self.ANUAL:
# return datetime.date(year=date.year, month=1, day=1)
# raise NotImplementedError
def get_price_size(self, ini, end):
rdelta = relativedelta.relativedelta(end, ini)
if self.billing_period == self.MONTHLY:
size = rdelta.years * 12
size += rdelta.months
2014-09-03 13:56:02 +00:00
days = calendar.monthrange(end.year, end.month)[1]
size += decimal.Decimal(rdelta.days)/days
elif self.billing_period == self.ANUAL:
size = rdelta.years
size += decimal.Decimal(rdelta.months)/12
2014-09-03 13:56:02 +00:00
days = 366 if calendar.isleap(end.year) else 365
size += decimal.Decimal(rdelta.days)/days
elif self.billing_period == self.NEVER:
size = 1
else:
raise NotImplementedError
return decimal.Decimal(size)
def get_pricing_slots(self, ini, end):
2014-09-22 15:59:53 +00:00
day = 1
month = settings.SERVICES_SERVICE_ANUAL_BILLING_MONTH
if self.billing_point == self.ON_REGISTER:
day = ini.day
month = ini.month
period = self.get_pricing_period()
2014-09-23 16:23:36 +00:00
rdelta = self.get_pricing_rdelta()
2014-09-03 13:56:02 +00:00
if period == self.MONTHLY:
2014-09-25 16:28:47 +00:00
ini = datetime.date(year=ini.year, month=ini.month, day=day)
2014-09-03 13:56:02 +00:00
elif period == self.ANUAL:
2014-09-25 16:28:47 +00:00
ini = datetime.date(year=ini.year, month=month, day=day)
2014-09-03 13:56:02 +00:00
elif period == self.NEVER:
yield ini, end
raise StopIteration
else:
raise NotImplementedError
while True:
next = ini + rdelta
2014-09-22 15:59:53 +00:00
yield ini, next
if next >= end:
break
ini = next
2014-09-23 16:23:36 +00:00
def get_pricing_rdelta(self):
period = self.get_pricing_period()
if period == self.MONTHLY:
return relativedelta.relativedelta(months=1)
elif period == self.ANUAL:
return relativedelta.relativedelta(years=1)
elif period == self.NEVER:
return None
def generate_discount(self, line, dtype, price):
2014-09-26 15:05:20 +00:00
line.discounts.append(AttrDict(**{
'type': dtype,
'total': price,
}))
2014-09-03 13:56:02 +00:00
2014-09-23 14:01:58 +00:00
def generate_line(self, order, price, *dates, **kwargs):
if len(dates) == 2:
ini, end = dates
elif len(dates) == 1:
ini, end = dates[0], dates[0]
else:
raise AttributeError
metric = kwargs.pop('metric', 1)
discounts = kwargs.pop('discounts', ())
computed = kwargs.pop('computed', False)
if kwargs:
raise AttributeError
2014-09-23 16:23:36 +00:00
2014-09-23 14:01:58 +00:00
size = self.get_price_size(ini, end)
if not computed:
price = price * size
subtotal = self.nominal_price * size * metric
2014-09-26 15:05:20 +00:00
line = AttrDict(**{
2014-09-10 16:53:09 +00:00
'order': order,
'subtotal': subtotal,
'ini': ini,
'end': end,
2014-09-23 14:01:58 +00:00
'size': size,
'metric': metric,
'discounts': [],
2014-09-10 16:53:09 +00:00
})
discounted = 0
for dtype, dprice in discounts:
self.generate_discount(line, dtype, dprice)
discounted += dprice
2014-09-19 14:47:25 +00:00
subtotal += discounted
if subtotal > price:
2014-09-26 15:05:20 +00:00
self.generate_discount(line, self._VOLUME, price-subtotal)
return line
2014-09-19 14:47:25 +00:00
2014-09-23 16:23:36 +00:00
def assign_compensations(self, givers, receivers, **options):
compensations = []
for order in givers:
if order.billed_until and order.cancelled_on and order.cancelled_on < order.billed_until:
interval = helpers.Interval(order.cancelled_on, order.billed_until, order)
2014-09-18 15:07:39 +00:00
compensations.append(interval)
for order in receivers:
if not order.billed_until or order.billed_until < order.new_billed_until:
# receiver
ini = order.billed_until or order.registered_on
end = order.cancelled_on or datetime.date.max
2014-09-19 14:47:25 +00:00
interval = helpers.Interval(ini, end)
compensations, used_compensations = helpers.compensate(interval, compensations)
order._compensations = used_compensations
for comp in used_compensations:
2014-09-19 14:47:25 +00:00
comp.order.new_billed_until = min(comp.order.billed_until, comp.ini,
getattr(comp.order, 'new_billed_until', datetime.date.max))
2014-09-23 16:23:36 +00:00
if options.get('commit', True):
for order in givers:
if hasattr(order, 'new_billed_until'):
order.billed_until = order.new_billed_until
order.save(update_fields=['billed_until'])
2014-09-19 14:47:25 +00:00
def apply_compensations(self, order, only_beyond=False):
dsize = 0
ini = order.billed_until or order.registered_on
end = order.new_billed_until
beyond = end
cend = None
for comp in getattr(order, '_compensations', []):
intersect = comp.intersect(helpers.Interval(ini=ini, end=end))
if intersect:
cini, cend = intersect.ini, intersect.end
if comp.end > beyond:
cend = comp.end
if only_beyond:
cini = beyond
elif not only_beyond:
continue
dsize += self.get_price_size(cini, cend)
# Extend billing point a little bit to benefit from a substantial discount
elif comp.end > beyond and (comp.end-comp.ini).days > 3*(comp.ini-beyond).days:
cend = comp.end
dsize += self.get_price_size(comp.ini, cend)
return dsize, cend
def get_register_or_renew_events(self, porders, ini, end):
counter = 0
for order in porders:
bu = getattr(order, 'new_billed_until', order.billed_until)
if bu:
2014-09-25 16:28:47 +00:00
registered = order.registered_on
if registered > ini and registered <= end:
counter += 1
2014-09-25 16:28:47 +00:00
if registered != bu and bu > ini and bu <= end:
counter += 1
if order.billed_until and order.billed_until != bu:
2014-09-25 16:28:47 +00:00
if registered != order.billed_until and order.billed_until > ini and order.billed_until <= end:
counter += 1
return counter
2014-09-23 16:23:36 +00:00
def bill_concurrent_orders(self, account, porders, rates, ini, end):
# Concurrent
# Get pricing orders
priced = {}
for ini, end, orders in helpers.get_chunks(porders, ini, end):
size = self.get_price_size(ini, end)
metric = len(orders)
interval = helpers.Interval(ini=ini, end=end)
2014-09-22 15:59:53 +00:00
for position, order in enumerate(orders, start=1):
csize = 0
compensations = getattr(order, '_compensations', [])
2014-09-19 14:47:25 +00:00
# Compensations < new_billed_until
for comp in compensations:
intersect = comp.intersect(interval)
if intersect:
csize += self.get_price_size(intersect.ini, intersect.end)
price = self.get_price(account, metric, position=position, rates=rates)
price = price * size
2014-09-23 14:01:58 +00:00
cprice = price * csize
2014-09-23 11:13:50 +00:00
if order in priced:
priced[order][0] += price
priced[order][1] += cprice
else:
priced[order] = (price, cprice)
lines = []
for order, prices in priced.iteritems():
2014-09-23 11:13:50 +00:00
discounts = ()
# Generate lines and discounts from order.nominal_price
price, cprice = prices
2014-09-19 14:47:25 +00:00
# Compensations > new_billed_until
dsize, new_end = self.apply_compensations(order, only_beyond=True)
cprice += dsize*price
if cprice:
2014-09-24 20:09:41 +00:00
discounts = (
2014-09-26 15:05:20 +00:00
(self._COMPENSATION, -cprice),
2014-09-24 20:09:41 +00:00
)
2014-09-19 14:47:25 +00:00
if new_end:
size = self.get_price_size(order.new_billed_until, new_end)
price += price*size
order.new_billed_until = new_end
2014-09-23 14:01:58 +00:00
line = self.generate_line(order, price, ini, new_end or end, discounts=discounts, computed=True)
lines.append(line)
return lines
2014-09-23 16:23:36 +00:00
def bill_registered_or_renew_events(self, account, porders, rates):
# Before registration
lines = []
2014-09-23 16:23:36 +00:00
rdelta = self.get_pricing_rdelta()
if not rdelta:
raise NotImplementedError
2014-09-22 15:59:53 +00:00
for position, order in enumerate(porders, start=1):
if hasattr(order, 'new_billed_until'):
2014-09-19 14:47:25 +00:00
pend = order.billed_until or order.registered_on
pini = pend - rdelta
metric = self.get_register_or_renew_events(porders, pini, pend)
price = self.get_price(account, metric, position=position, rates=rates)
2014-09-19 14:47:25 +00:00
ini = order.billed_until or order.registered_on
end = order.new_billed_until
discounts = ()
dsize, new_end = self.apply_compensations(order)
if dsize:
2014-09-26 15:05:20 +00:00
discounts=(
(self._COMPENSATION, -dsize*price),
)
2014-09-19 14:47:25 +00:00
if new_end:
order.new_billed_until = new_end
end = new_end
2014-09-23 14:01:58 +00:00
line = self.generate_line(order, price, ini, end, discounts=discounts)
lines.append(line)
2014-09-22 15:59:53 +00:00
return lines
2014-09-10 16:53:09 +00:00
def bill_with_orders(self, orders, account, **options):
2014-09-14 09:52:45 +00:00
# For the "boundary conditions" just think that:
# date(2011, 1, 1) is equivalent to datetime(2011, 1, 1, 0, 0, 0)
# In most cases:
# ini >= registered_date, end < registered_date
2014-09-19 14:47:25 +00:00
# boundary lookup and exclude cancelled and billed
orders_ = []
bp = None
2014-09-14 09:52:45 +00:00
ini = datetime.date.max
end = datetime.date.min
2014-09-14 09:52:45 +00:00
for order in orders:
cini = order.registered_on
if order.billed_until:
2014-09-19 14:47:25 +00:00
# exclude cancelled and billed
2014-09-25 16:28:47 +00:00
if self.on_cancel != self.REFUND:
2014-09-19 14:47:25 +00:00
if order.cancelled_on and order.billed_until > order.cancelled_on:
continue
2014-09-14 09:52:45 +00:00
cini = order.billed_until
bp = self.get_billing_point(order, bp=bp, **options)
order.new_billed_until = bp
ini = min(ini, cini)
end = max(end, bp)
2014-09-19 14:47:25 +00:00
orders_.append(order)
orders = orders_
# Compensation
2014-09-17 10:32:29 +00:00
related_orders = account.orders.filter(service=self.service)
2014-09-26 10:38:50 +00:00
if self.payment_style == self.PREPAY and self.on_cancel == self.COMPENSATE:
2014-09-14 19:36:27 +00:00
# Get orders pending for compensation
2014-09-19 14:47:25 +00:00
givers = list(related_orders.givers(ini, end))
2014-09-14 19:36:27 +00:00
givers.sort(cmp=helpers.cmp_billed_until_or_registered_on)
orders.sort(cmp=helpers.cmp_billed_until_or_registered_on)
2014-09-23 16:23:36 +00:00
self.assign_compensations(givers, orders, **options)
2014-09-14 19:36:27 +00:00
rates = self.get_rates(account)
2014-09-23 16:23:36 +00:00
has_billing_period = self.billing_period != self.NEVER
has_pricing_period = self.get_pricing_period() != self.NEVER
if rates and (has_billing_period or has_pricing_period):
concurrent = has_billing_period and not has_pricing_period
if not concurrent:
rdelta = self.get_pricing_rdelta()
ini -= rdelta
2014-09-19 14:47:25 +00:00
porders = related_orders.pricing_orders(ini, end)
porders = list(set(orders).union(set(porders)))
porders.sort(cmp=helpers.cmp_billed_until_or_registered_on)
2014-09-23 16:23:36 +00:00
if concurrent:
# Periodic billing with no pricing period
lines = self.bill_concurrent_orders(account, porders, rates, ini, end)
else:
2014-09-23 16:23:36 +00:00
# Periodic and one-time billing with pricing period
lines = self.bill_registered_or_renew_events(account, porders, rates)
2014-09-14 22:00:00 +00:00
else:
2014-09-23 16:23:36 +00:00
# No rates optimization or one-time billing without pricing period
lines = []
price = self.nominal_price
# Calculate nominal price
for order in orders:
2014-09-14 19:36:27 +00:00
ini = order.billed_until or order.registered_on
end = order.new_billed_until
2014-09-19 14:47:25 +00:00
discounts = ()
dsize, new_end = self.apply_compensations(order)
if dsize:
2014-09-24 20:09:41 +00:00
discounts=(
2014-09-26 15:05:20 +00:00
(self._COMPENSATION, -dsize*price),
2014-09-24 20:09:41 +00:00
)
2014-09-19 14:47:25 +00:00
if new_end:
order.new_billed_until = new_end
end = new_end
2014-09-23 14:01:58 +00:00
line = self.generate_line(order, price, ini, end, discounts=discounts)
lines.append(line)
return lines
2014-09-14 09:52:45 +00:00
def bill_with_metric(self, orders, account, **options):
lines = []
2014-09-22 15:59:53 +00:00
bp = None
for order in orders:
bp = self.get_billing_point(order, bp=bp, **options)
if (self.billing_period != self.NEVER and
self.get_pricing_period() == self.NEVER and
self.payment_style == self.PREPAY and order.billed_on):
# Recharge
if self.payment_style == self.PREPAY and order.billed_on:
rini = order.billed_on
charged = None
new_metric, new_price = 0, 0
for cini, cend, metric in order.get_metric(rini, bp, changes=True):
if charged is None:
charged = metric
size = self.get_price_size(cini, cend)
new_price += self.get_price(order, metric) * size
new_metric += metric
size = self.get_price_size(rini, bp)
old_price = self.get_price(order, charged) * size
if new_price > old_price:
metric = new_metric - charged
price = new_price - old_price
lines.append(self.generate_line(order, price, rini, bp, metric=metric, computed=True))
2014-09-23 16:23:36 +00:00
if order.billed_until and order.cancelled_on and order.cancelled_on >= order.billed_until:
2014-09-23 14:01:58 +00:00
continue
2014-09-23 11:13:50 +00:00
if self.billing_period != self.NEVER:
2014-09-23 16:23:36 +00:00
ini = order.billed_until or order.registered_on
# Periodic billing
if bp <= ini:
continue
order.new_billed_until = bp
2014-09-23 11:13:50 +00:00
if self.get_pricing_period() == self.NEVER:
2014-09-23 16:23:36 +00:00
# Changes (Mailbox disk-like)
2014-09-25 16:28:47 +00:00
for cini, cend, metric in order.get_metric(ini, bp, changes=True):
2014-09-23 11:13:50 +00:00
price = self.get_price(order, metric)
2014-09-25 16:28:47 +00:00
lines.append(self.generate_line(order, price, cini, cend, metric=metric))
elif self.get_pricing_period() == self.billing_period:
2014-09-23 16:23:36 +00:00
# pricing_slots (Traffic-like)
if self.payment_style == self.PREPAY:
raise NotImplementedError
2014-09-25 16:28:47 +00:00
for cini, cend in self.get_pricing_slots(ini, bp):
metric = order.get_metric(cini, cend)
2014-09-23 11:13:50 +00:00
price = self.get_price(order, metric)
2014-09-25 16:28:47 +00:00
lines.append(self.generate_line(order, price, cini, cend, metric=metric))
else:
raise NotImplementedError
2014-09-23 11:13:50 +00:00
else:
2014-09-23 16:23:36 +00:00
# One-time billing
if order.billed_until:
continue
2014-09-25 16:28:47 +00:00
date = timezone.now().date()
2014-09-23 16:23:36 +00:00
order.new_billed_until = date
2014-09-23 11:13:50 +00:00
if self.get_pricing_period() == self.NEVER:
2014-09-23 16:23:36 +00:00
# get metric (Job-like)
metric = order.get_metric(date)
2014-09-23 11:13:50 +00:00
price = self.get_price(order, metric)
2014-09-23 16:23:36 +00:00
lines.append(self.generate_line(order, price, date, metric=metric))
2014-09-23 11:13:50 +00:00
else:
raise NotImplementedError
return lines
def generate_bill_lines(self, orders, account, **options):
2014-09-22 15:59:53 +00:00
if options.get('proforma', False):
options['commit'] = False
if not self.metric:
lines = self.bill_with_orders(orders, account, **options)
else:
lines = self.bill_with_metric(orders, account, **options)
2014-09-23 16:23:36 +00:00
if options.get('commit', True):
now = timezone.now().date()
2014-09-23 16:23:36 +00:00
for line in lines:
order = line.order
order.billed_on = now
order.billed_until = getattr(order, 'new_billed_until', order.billed_until)
order.save(update_fields=['billed_on', 'billed_until'])
return lines