/satchmo/branches/nfa/satchmo/payment/models.py

https://bitbucket.org/hynekcer/satchmo-prehistory · Python · 103 lines · 80 code · 8 blank · 15 comment · 3 complexity · d14bf5c7b3545323aa262a2e3a67610c MD5 · raw file

  1. """
  2. Stores details about the available payment options.
  3. Also stores credit card info in an encrypted format.
  4. """
  5. from Crypto.Cipher import Blowfish
  6. from datetime import datetime
  7. from django.conf import settings
  8. from django.db import models
  9. from django.utils.translation import ugettext_lazy as _
  10. from satchmo import caching
  11. from satchmo.configuration import config_value
  12. from satchmo.contact.models import Contact, OrderPayment
  13. from satchmo.payment.config import payment_choices, credit_choices
  14. import base64
  15. import logging
  16. try:
  17. from decimal import Decimal
  18. except:
  19. from django.utils._decimal import Decimal
  20. log = logging.getLogger('payment.models')
  21. class PaymentOption(models.Model):
  22. """
  23. If there are multiple options - CC, Cash, COD, etc this class allows
  24. configuration.
  25. """
  26. description = models.CharField(_("Description"), max_length=20)
  27. active = models.BooleanField(_("Active"),
  28. help_text=_("Should this be displayed as an option for the user?"))
  29. optionName = models.CharField(_("Option Name"), max_length=20,
  30. choices = payment_choices(), unique=True,
  31. help_text=_("The class name as defined in payment.py"))
  32. sortOrder = models.IntegerField(_("Sort Order"))
  33. class Meta:
  34. verbose_name = _("Payment Option")
  35. verbose_name_plural = _("Payment Options")
  36. class CreditCardDetail(models.Model):
  37. """
  38. Stores an encrypted CC number, its information, and its
  39. displayable number.
  40. """
  41. orderpayment = models.ForeignKey(OrderPayment, unique=True,
  42. related_name="creditcards")
  43. creditType = models.CharField(_("Credit Card Type"), max_length=16,
  44. choices=credit_choices())
  45. displayCC = models.CharField(_("CC Number (Last 4 digits)"),
  46. max_length=4, core=True)
  47. encryptedCC = models.CharField(_("Encrypted Credit Card"),
  48. max_length=40, blank=True, null=True, editable=False)
  49. expireMonth = models.IntegerField(_("Expiration Month"))
  50. expireYear = models.IntegerField(_("Expiration Year"))
  51. def storeCC(self, ccnum):
  52. """Take as input a valid cc, encrypt it and store the last 4 digits in a visible form"""
  53. # Must remember to save it after calling!
  54. secret_key = settings.SECRET_KEY
  55. encryption_object = Blowfish.new(secret_key)
  56. # block cipher length must be a multiple of 8
  57. padding = ''
  58. if (len(ccnum) % 8) <> 0:
  59. padding = 'X' * (8 - (len(ccnum) % 8))
  60. self.encryptedCC = base64.b64encode(encryption_object.encrypt(ccnum + padding))
  61. self.displayCC = ccnum[-4:]
  62. def setCCV(self, ccv):
  63. """Put the CCV in the cache, don't save it for security/legal reasons."""
  64. if not self.encryptedCC:
  65. raise ValueError('CreditCardDetail expecting a credit card number to be stored before storing CCV')
  66. caching.cache_set(self.encryptedCC, skiplog=True, length=60*60, value=ccv)
  67. def getCCV(self):
  68. try:
  69. ccv = caching.cache_get(self.encryptedCC)
  70. except caching.NotCachedError:
  71. ccv = ""
  72. return ccv
  73. ccv = property(fget=getCCV, fset=setCCV)
  74. def _decryptCC(self):
  75. secret_key = settings.SECRET_KEY
  76. encryption_object = Blowfish.new(secret_key)
  77. # strip padding from decrypted credit card number
  78. ccnum = encryption_object.decrypt(base64.b64decode(self.encryptedCC)).rstrip('X')
  79. return (ccnum)
  80. decryptedCC = property(_decryptCC)
  81. def _expireDate(self):
  82. return(str(self.expireMonth) + "/" + str(self.expireYear))
  83. expirationDate = property(_expireDate)
  84. class Meta:
  85. verbose_name = _("Credit Card")
  86. verbose_name_plural = _("Credit Cards")
  87. from satchmo.payment import admin