This repository was archived by the owner on Feb 27, 2025. It is now read-only.
forked from jazzband/django-payments
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmodels.py
250 lines (208 loc) · 9.48 KB
/
models.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
from __future__ import annotations
import json
import logging
from typing import Iterable
from uuid import uuid4
from django.db import models
from django.urls import reverse
from django.utils.translation import gettext_lazy as _
from phonenumber_field.modelfields import PhoneNumberField
from . import FraudStatus
from . import PaymentStatus
from . import PurchasedItem
from .core import provider_factory
logger = logging.getLogger(__name__)
class PaymentAttributeProxy:
def __init__(self, payment):
self._payment = payment
super().__init__()
def __getattr__(self, item):
data = json.loads(self._payment.extra_data or "{}")
try:
return data[item]
except KeyError as e:
raise AttributeError(*e.args) from e
def __setattr__(self, key, value):
if key == "_payment":
return super().__setattr__(key, value)
try:
data = json.loads(self._payment.extra_data)
except ValueError:
data = {}
data[key] = value
self._payment.extra_data = json.dumps(data)
return None
class BasePayment(models.Model):
"""
Represents a single transaction. Each instance has one or more PaymentItem.
"""
variant = models.CharField(max_length=255)
#: Transaction status
status = models.CharField(
max_length=10, choices=PaymentStatus.CHOICES, default=PaymentStatus.WAITING
)
fraud_status = models.CharField(
_("fraud check"),
max_length=10,
choices=FraudStatus.CHOICES,
default=FraudStatus.UNKNOWN,
)
fraud_message = models.TextField(blank=True, default="")
#: Creation date and time
created = models.DateTimeField(auto_now_add=True)
#: Date and time of last modification
modified = models.DateTimeField(auto_now=True)
#: Transaction ID (if applicable)
transaction_id = models.CharField(max_length=255, blank=True)
#: Currency code (may be provider-specific)
currency = models.CharField(max_length=10)
#: Total amount (gross)
total = models.DecimalField(max_digits=9, decimal_places=2, default="0.0")
delivery = models.DecimalField(max_digits=9, decimal_places=2, default="0.0")
tax = models.DecimalField(max_digits=9, decimal_places=2, default="0.0")
description = models.TextField(blank=True, default="")
billing_first_name = models.CharField(max_length=256, blank=True)
billing_last_name = models.CharField(max_length=256, blank=True)
billing_address_1 = models.CharField(max_length=256, blank=True)
billing_address_2 = models.CharField(max_length=256, blank=True)
billing_city = models.CharField(max_length=256, blank=True)
billing_postcode = models.CharField(max_length=256, blank=True)
billing_country_code = models.CharField(max_length=2, blank=True)
billing_country_area = models.CharField(max_length=256, blank=True)
billing_email = models.EmailField(blank=True)
billing_phone = PhoneNumberField(blank=True)
customer_ip_address = models.GenericIPAddressField(blank=True, null=True)
extra_data = models.TextField(blank=True, default="")
message = models.TextField(blank=True, default="")
token = models.CharField(max_length=36, blank=True, default="")
captured_amount = models.DecimalField(max_digits=9, decimal_places=2, default="0.0")
class Meta:
abstract = True
def change_status(self, status: PaymentStatus | str, message=""):
"""
Updates the Payment status and sends the status_changed signal.
"""
from .signals import status_changed
self.status = status # type: ignore[assignment]
self.message = message
self.save(update_fields=["status", "message"])
status_changed.send(sender=type(self), instance=self)
def change_fraud_status(self, status: PaymentStatus, message="", commit=True):
available_statuses = [choice[0] for choice in FraudStatus.CHOICES]
if status not in available_statuses:
raise ValueError(
'Wrong status "{}", it should be one of: {}'.format(
status, ", ".join(available_statuses)
)
)
self.fraud_status = status # type: ignore[assignment]
self.fraud_message = message
if commit:
self.save()
def save(self, **kwargs):
if not self.token:
tries = {} # Stores a set of tried values
while True:
token = str(uuid4())
if (
token in tries and len(tries) >= 100
): # After 100 tries we are impliying an infinite loop
raise SystemExit("A possible infinite loop was detected")
if not self.__class__._default_manager.filter(token=token).exists():
self.token = token
break
tries.add(token)
return super().save(**kwargs)
def __str__(self):
return self.variant
def get_form(self, data=None):
"""Return a form to be rendered to complete this payment.
Please note that this may raise a :class:`~.RedirectNeeded` exception. In this
case, the user should be redirected to the supplied URL.
Note that not all providers support a pure form-based flow; some will
immediately raise ``RedirectNeeded``.
"""
provider = provider_factory(self.variant, self)
return provider.get_form(self, data=data)
def get_purchased_items(self) -> Iterable[PurchasedItem]:
"""Return an iterable of purchased items.
This information is sent to the payment processor when initiating the payment
flow. See :class:`.PurchasedItem` for details.
Subclasses MUST implement this method.
"""
return []
def get_failure_url(self) -> str:
"""URL where users will be redirected after a failed payment.
Return the URL where users will be redirected after a failed attempt to complete
a payment. This is usually a page explaining the situation to the user with an
option to retry the payment.
Note that the URL may contain the ID of this payment, allowing
the target page to show relevant contextual information.
Subclasses MUST implement this method.
"""
raise NotImplementedError
def get_success_url(self) -> str:
"""URL where users will be redirected after a successful payment.
Return the URL where users will be redirected after a successful payment. This
is usually a page showing a payment summary, though it's application-dependant
what to show on it.
Note that the URL may contain the ID of this payment, allowing
the target page to show relevant contextual information.
Subclasses MUST implement this method.
"""
raise NotImplementedError
def get_process_url(self) -> str:
return reverse("process_payment", kwargs={"token": self.token})
def capture(self, amount=None):
"""Capture a pre-authorized payment.
Note that not all providers support this method.
"""
if self.status != PaymentStatus.PREAUTH:
raise ValueError("Only pre-authorized payments can be captured.")
provider = provider_factory(self.variant, self)
amount = provider.capture(self, amount)
if amount:
self.captured_amount = amount
self.change_status(PaymentStatus.CONFIRMED)
def release(self):
"""Release a pre-authorized payment.
Note that not all providers support this method.
"""
if self.status != PaymentStatus.PREAUTH:
raise ValueError("Only pre-authorized payments can be released.")
provider = provider_factory(self.variant, self)
provider.release(self)
self.change_status(PaymentStatus.REFUNDED)
def refund(self, amount=None):
if self.status != PaymentStatus.CONFIRMED:
raise ValueError("Only charged payments can be refunded.")
if amount and amount > self.captured_amount:
raise ValueError("Refund amount can not be greater then captured amount")
provider = provider_factory(self.variant, self)
amount = provider.refund(self, amount)
# If the initial amount is None, the code above has no chance to check whether
# the actual amount is greater than the captured amount before actually
# performing the refund. But since the refund has been performed already,
# raising an exception would just cause inconsistencies. Thus, logging an error.
if amount > self.captured_amount:
logger.error(
"Refund amount of payment %s greater than captured amount: %f > %f",
self.id,
amount,
self.captured_amount,
)
self.captured_amount -= amount
if self.captured_amount <= 0 and self.status != PaymentStatus.REFUNDED:
self.change_status(PaymentStatus.REFUNDED)
self.save()
@property
def attrs(self):
"""A JSON-serialised wrapper around `extra_data`.
This property exposes a a dict or list which is serialised into the `extra_data`
text field. Usage of this wrapper is preferred over accessing the underlying
field directly.
You may think of this as a `JSONField` which is saved to the `extra_data`
column.
"""
# TODO: Deprecate in favour of JSONField when we drop support for django 2.2.
return PaymentAttributeProxy(self)