/satchmo/branches/0.7-bugfixes/satchmo/payment/models.py

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