本文整理汇总了Python中paypal.standard.ipn.models.PayPalIPN类的典型用法代码示例。如果您正苦于以下问题:Python PayPalIPN类的具体用法?Python PayPalIPN怎么用?Python PayPalIPN使用的例子?那么恭喜您, 这里精选的类代码示例或许可以为您提供帮助。
在下文中一共展示了PayPalIPN类的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Python代码示例。
示例1: activate_subscription
def activate_subscription(user, data, ipaddress):
subscr_date = dateutil.parser.parse(data.get('payment_date'))
subscr_effective = subscr_date + timedelta(days=30)
_dict = dict(
subscr_id = data.get('subscr_id'),
business = settings.PAYPAL_ITEM_NAME,
first_name = data.get('first_name', user.first_name),
last_name = data.get('last_name', user.last_name),
payer_email = data.get('payer_email'),
payer_id = data.get('payer_id'),
amount1 = data.get('amount1', 0.0),
amount2 = data.get('amount2', 0.0),
amount3 = data.get('amount3', 0.0),
mc_amount1 = data.get('mc_amount1', 0.0),
mc_amount2 = data.get('mc_amount2', 0.0),
mc_amount3 = data.get('mc_amount3', 0.0),
subscr_date = subscr_date,
username = user.username,
notify_version = data.get('notify_version'),
receiver_email = '[email protected]',
txn_type = data.get('txn_type'),
mc_currency = data.get('mc_currency'),
recurring = 1,
test_ipn = data.get('test_ipn', False),
subscr_effective = subscr_effective,
next_payment_date = subscr_effective,
time_created = datetime.now(),
ipaddress = ipaddress,
)
log.warn("saving subscription information for %s from IPN" % user.username)
ipn = PayPalIPN(**_dict)
ipn.save()
示例2: ipn
def ipn(request, item_check_callable=None):
"""
PayPal IPN endpoint (notify_url).
Used by both PayPal Payments Pro and Payments Standard to confirm transactions.
http://tinyurl.com/d9vu9d
PayPal IPN Simulator:
https://developer.paypal.com/cgi-bin/devscr?cmd=_ipn-link-session
"""
logging.info(request)
form = PayPalIPNForm(request.POST)
logging.info(form)
logging.info(form.is_valid())
if form.is_valid():
try:
ipn_obj = form.save(commit=False)
logging.info(ipn_obj)
except Exception, e:
logging.error(e)
ipn_obj = PayPalIPN()
ipn_obj.set_flag("Exception while processing. (%s)" % form.errors)
logging.info(ipn_obj)
示例3: ap_ipn
def ap_ipn(request, item_check_callable=None):
ipn_obj = None
# Clean up the data as PayPal sends some weird values such as "N/A"
data = request.POST.copy()
date_fields = ('time_created', 'payment_date', 'next_payment_date',
'subscr_date', 'subscr_effective')
for date_field in date_fields:
if data.get(date_field) == 'N/A':
del data[date_field]
ipn_obj = PayPalIPN()
ipn_obj.initialize_adaptive_payment(request)
return HttpResponse("OKAY")
示例4: setUp
def setUp(self):
self.ipn = PayPalIPN(**DUMMY_IPN)
self.ipn.save()
self.user = User(username="[email protected]", email="[email protected]", password="p")
self.user.save()
self.famille = models.Famille(user=self.user)
self.famille.save()
示例5: test_handler_sends_email
def test_handler_sends_email(self):
ipn = PayPalIPN()
ipn.invoice = str(self.user_order.id)
payment_was_successful.send(sender=ipn)
message = self.email_message % dict(
order_number=self.user_order.id,
total=UserOrder.objects.get(id=self.user_order.id).total,
)
self.__class__.send_mail.assert_called_once_with(
'Your UCBC Order #%d' % self.user_order.id,
message,
settings.ORDER_FROM_EMAIL,
[self.user.email, settings.ORDER_FROM_EMAIL],
fail_silently=True,
auth_user=settings.ORDER_EMAIL_HOST_USER,
auth_password=settings.ORDER_EMAIL_HOST_PASSWORD,
)
示例6: ipn
def ipn(request, item_check_callable=None):
"""
PayPal IPN endpoint (notify_url).
Used by both PayPal Payments Pro and Payments Standard to confirm transactions.
http://tinyurl.com/d9vu9d
PayPal IPN Simulator:
https://developer.paypal.com/cgi-bin/devscr?cmd=_ipn-link-session
"""
#TODO: Clean up code so that we don't need to set None here and have a lot
# of if checks just to determine if flag is set.
flag = None
ipn_obj = None
# Clean up the data as PayPal sends some weird values such as "N/A"
# Also, need to cope with custom encoding, which is stored in the body (!).
# Assuming the tolerate parsing of QueryDict and an ASCII-like encoding,
# such as windows-1252, latin1 or UTF8, the following will work:
encoding = request.POST.get('charset', None)
if encoding is None:
flag = "Invalid form - no charset passed, can't decode"
data = None
else:
try:
data = QueryDict(request.body, encoding=encoding).copy()
except LookupError:
data = None
flag = "Invalid form - invalid charset"
if data is not None:
date_fields = ('time_created', 'payment_date', 'next_payment_date',
'subscr_date', 'subscr_effective')
for date_field in date_fields:
if data.get(date_field) == 'N/A':
del data[date_field]
form = PayPalIPNForm(data)
if form.is_valid():
try:
#When commit = False, object is returned without saving to DB.
ipn_obj = form.save(commit=False)
except Exception as e:
flag = "Exception while processing. (%s)" % e
else:
flag = "Invalid form. (%s)" % form.errors
if ipn_obj is None:
ipn_obj = PayPalIPN()
#Set query params and sender's IP address
ipn_obj.initialize(request)
if flag is not None:
#We save errors in the flag field
ipn_obj.set_flag(flag)
else:
# Secrets should only be used over SSL.
if request.is_secure() and 'secret' in request.GET:
ipn_obj.verify_secret(form, request.GET['secret'])
else:
ipn_obj.verify(item_check_callable)
ipn_obj.save()
return HttpResponse("OKAY")
示例7: PaymentTestCase
class PaymentTestCase(TestCase):
def setUp(self):
self.ipn = PayPalIPN(**DUMMY_IPN)
self.ipn.save()
self.user = User(username="[email protected]", email="[email protected]", password="p")
self.user.save()
self.famille = models.Famille(user=self.user)
self.famille.save()
def tearDown(self):
self.ipn.delete()
self.famille.delete()
self.user.delete()
def test_sign_user_unsign_ok(self):
signed_value = payment.signer.sign_user(self.famille)
value = payment.signer.unsign(signed_value)
expected = "f%s" % self.famille.pk
self.assertEqual(value, expected)
def test_sign_user_unsign_ko(self):
signed_value = payment.signer.sign_user(self.famille)
signed_value = signed_value[:-1]
self.assertRaises(BadSignature, payment.signer.unsign, signed_value)
def test_transaction_is_legit(self):
signed_value = payment.signer.sign_user(self.famille)
self.ipn.invoice = signed_value
self.assertTrue(payment.signer.transaction_is_legit(self.ipn))
def test_transaction_is_legit_wrong_item_number(self):
self.ipn.item_number = "toto"
self.assertFalse(payment.signer.transaction_is_legit(self.ipn))
def test_transation_is_legit_wrong_invoice(self):
self.ipn.invoice = "VDF_f%s:iaozhdazposujazdjqsio" % self.famille.pk
self.assertFalse(payment.signer.transaction_is_legit(self.ipn))
def test_user_from_ipn(self):
self.ipn.invoice = payment.signer.sign_user(self.famille)
f = payment.signer.user_from_ipn(self.ipn)
self.assertEqual(f, self.famille)
def test_user_from_ipn_no_user(self):
famille = models.Famille()
famille.pk = 122
self.ipn.invoice = payment.signer.sign_user(famille)
self.assertRaises(models.Famille.DoesNotExist, payment.signer.user_from_ipn, self.ipn)
def test_user_from_ipn_wrong_signature(self):
self.ipn.invoice = "VDF_f%s:iaozhdazposujazdjqsio" % self.famille.pk
self.assertRaises(BadSignature, payment.signer.user_from_ipn, self.ipn)
def test_premium_signup_ok(self):
self.assertFalse(self.famille.is_premium)
self.ipn.invoice = payment.signer.sign_user(self.famille)
payment.signer.premium_signup(self.ipn)
famille = models.Famille.objects.get(pk=self.famille.pk)
self.assertTrue(famille.is_premium)
expected_expires = datetime.now(utc) + timedelta(days=31)
expected_expires = expected_expires.replace(hour=0, minute=0, second=0, microsecond=0)
self.assertEqual(famille.plan_expires_at, expected_expires)
self.assertEqual(famille.ipn, self.ipn)
def test_compute_expires_at_invalid(self):
self.ipn.item_number = "blah"
self.assertRaises(ValueError, payment.compute_expires_at, self.ipn)
def test_compute_expires_at_presta(self):
self.ipn.item_number = payment.PREMIUM_IDS["12p"]
expires_at = payment.compute_expires_at(self.ipn)
expected = date.today() + timedelta(weeks=52)
self.assertEqual(expires_at, expected)
def test_compute_expires_at_famille(self):
expires_at = payment.compute_expires_at(self.ipn)
expected = date.today() + timedelta(days=31)
self.assertEqual(expires_at, expected)
示例8: ipn
def ipn(request, item_check_callable=None):
"""
PayPal IPN endpoint (notify_url).
Used by both PayPal Payments Pro and Payments Standard to confirm transactions.
http://tinyurl.com/d9vu9d
PayPal IPN Simulator:
https://developer.paypal.com/cgi-bin/devscr?cmd=_ipn-link-session
"""
#TODO: Clean up code so that we don't need to set None here and have a lot
# of if checks just to determine if flag is set.
flag = None
ipn_obj = None
# Clean up the data as PayPal sends some weird values such as "N/A"
data = request.POST.copy()
date_fields = ('time_created', 'payment_date', 'next_payment_date',
'subscr_date', 'subscr_effective')
for date_field in date_fields:
if data.get(date_field) == 'N/A':
del data[date_field]
form = PayPalIPNForm(data)
if form.is_valid():
try:
#When commit = False, object is returned without saving to DB.
ipn_obj = form.save(commit = False)
except Exception as e:
flag = "Exception while processing. (%s)" % e
else:
flag = "Invalid form. (%s)" % form.errors
if ipn_obj is None:
ipn_obj = PayPalIPN()
#Set query params and sender's IP address
ipn_obj.initialize(request)
if flag is not None:
#We save errors in the flag field
ipn_obj.set_flag(flag)
else:
# Secrets should only be used over SSL.
if request.is_secure() and 'secret' in request.GET:
ipn_obj.verify_secret(form, request.GET['secret'])
else:
ipn_obj.verify(item_check_callable)
ipn_obj.save()
return HttpResponse("OKAY")
示例9: initialize_ipn_object
from decimal import *;
import pytz;
def initialize_ipn_object(request):
flag = None
ipn_obj = None
form = PayPalIPNForm(request.POST)
if form.is_valid():
try:
ipn_obj = form.save(commit=False)
except Exception, e:
flag = "Exception while processing. (%s)" % e
else:
flag = "Invalid form. (%s)" % form.errors
if ipn_obj is None:
ipn_obj = PayPalIPN()
ipn_obj.initialize(request)
if flag is not None:
ipn_obj.set_flag(flag)
return ipn_obj;
def initialize_paypal_donation(donation, ipnObj):
created = False;
try:
donor = Donor.objects.get(paypalemail=ipnObj.payer_email.lower());
except Donor.DoesNotExist:
donor = Donor.objects.create(email=ipnObj.payer_email.lower(), paypalemail=ipnObj.payer_email.lower())
created = True;
donor.save();
if created:
donor.firstname = ipnObj.first_name;
示例10: ipn
def ipn(request, item_check_callable=None, host_id=None, trans_id=None):
"""
PayPal IPN endpoint (notify_url).
Used by both PayPal Payments Pro and Payments Standard to confirm transactions.
http://tinyurl.com/d9vu9d
PayPal IPN Simulator:
https://developer.paypal.com/cgi-bin/devscr?cmd=_ipn-link-session
#what triggers this view?
"""
#TODO: Clean up code so that we don't need to set None here and have a lot
# of if checks just to determine if flag is set.
flag = None
ipn_obj = None
# Clean up the data as PayPal sends some weird values such as "N/A"
# Also, need to cope with custom encoding, which is stored in the body (!).
# Assuming the tolerant parsing of QueryDict and an ASCII-like encoding,
# such as windows-1252, latin1 or UTF8, the following will work:
encoding = request.POST.get('charset', None)
if encoding is None:
flag = "Invalid form - no charset passed, can't decode"
data = None
else:
try:
data = QueryDict(request.body, encoding=encoding).copy()
except LookupError:
data = None
flag = "Invalid form - invalid charset"
if data is not None:
date_fields = ('time_created', 'payment_date', 'next_payment_date',
'subscr_date', 'subscr_effective')
for date_field in date_fields:
if data.get(date_field) == 'N/A':
del data[date_field]
form = PayPalIPNForm(data) #from paypal.standard.ipn.forms import PayPalIPNForm
if form.is_valid():
try:
#When commit = False, object is returned without saving to DB.
ipn_obj = form.save(commit=False)
except Exception as e:
flag = "Exception while processing. (%s)" % e
else:
flag = "Invalid form. (%s)" % form.errors
if ipn_obj is None:
ipn_obj = PayPalIPN() #from paypal.standard.ipn.models import PayPalIPN
#Set query params and sender's IP address
ipn_obj.initialize(request)
#Store the invoice value so i can use it to update the transactions model
invoice_sent = ipn_obj.invoice
#Add other host characteristicsto the model
#Eventually add transaction_id to the ipn_obj model
if host_id:
host = get_object_or_404(UserInfo, pk=host_id)
ipn_obj.host_email = host.email
ipn_obj.host_fname = host.first_name
ipn_obj.host_lname = host.last_name
ipn_obj.host_st_address1 = host.st_address1
ipn_obj.host_st_address2 = host.st_address2
if trans_id:
trans = Transaction.objects.get(pk=trans_id)
ipn_obj.trans_table_id = trans.id
#the following set_flag is defined in paypal.standard.modle.spy, flat var is passed as the "info" parameter
if flag is not None:
#We save errors in the flag field
ipn_obj.set_flag(flag)
else:
# Secrets should only be used over SSL.
if request.is_secure() and 'secret' in request.GET:
ipn_obj.verify_secret(form, request.GET['secret'])
else:
ipn_obj.verify(item_check_callable)
ipn_obj.save()
ipn_obj.send_signals()
#JMY ADDED: Update the Transaction Table to confirm we need to transation ID but only have invoice on the paypal IPN
if trans_id:
trans.payment_processed = True
trans_table_id = trans.id
trans.payment_method = "Paypal"
trans.save()
#update the userinfo table to add an account balance
new_balance = trans.balance_created_packages
userinfo = UserInfo.objects.get(pk=trans.enduser.id)
if new_balance:
userinfo.account_balance_packages = new_balance
userinfo.save()
#send emails
notify_host_shipment_paid(request,trans_table_id)
notify_enduser_shipment_paid(request, trans_table_id)
#.........这里部分代码省略.........
示例11: ipn
def ipn(request, item_check_callable=None):
"""
PayPal IPN endpoint (notify_url).
Used by both PayPal Payments Pro and Payments Standard to confirm transactions.
http://tinyurl.com/d9vu9d
PayPal IPN Simulator:
https://developer.paypal.com/cgi-bin/devscr?cmd=_ipn-link-session
"""
# TODO: Clean up code so that we don't need to set None here and have a lot
# of if checks just to determine if flag is set.
flag = None
ipn_obj = None
# Clean up the data as PayPal sends some weird values such as "N/A"
# Also, need to cope with custom encoding, which is stored in the body (!).
# Assuming the tolerant parsing of QueryDict and an ASCII-like encoding,
# such as windows-1252, latin1 or UTF8, the following will work:
encoding = request.POST.get('charset', None)
encoding_missing = encoding is None
if encoding_missing:
encoding = DEFAULT_ENCODING
try:
data = QueryDict(request.body, encoding=encoding).copy()
except LookupError:
data = None
flag = "Invalid form - invalid charset"
if data is not None:
if hasattr(PayPalIPN._meta, 'get_fields'):
date_fields = [f.attname for f in PayPalIPN._meta.get_fields() if f.__class__.__name__ == 'DateTimeField']
else:
date_fields = [f.attname for f, m in PayPalIPN._meta.get_fields_with_model()
if f.__class__.__name__ == 'DateTimeField']
for date_field in date_fields:
if data.get(date_field) == 'N/A':
del data[date_field]
form = PayPalIPNForm(data)
if form.is_valid():
try:
# When commit = False, object is returned without saving to DB.
ipn_obj = form.save(commit=False)
except Exception as e:
flag = "Exception while processing. (%s)" % e
else:
formatted_form_errors = ["{0}: {1}".format(k, ", ".join(v)) for k, v in form.errors.items()]
flag = "Invalid form. ({0})".format(", ".join(formatted_form_errors))
if ipn_obj is None:
ipn_obj = PayPalIPN()
# Set query params and sender's IP address
ipn_obj.initialize(request)
if flag is not None:
# We save errors in the flag field
ipn_obj.set_flag(flag)
else:
# Secrets should only be used over SSL.
if request.is_secure() and 'secret' in request.GET:
ipn_obj.verify_secret(form, request.GET['secret'])
else:
ipn_obj.verify(item_check_callable)
ipn_obj.save()
ipn_obj.send_signals()
if encoding_missing:
# Wait until we have an ID to log warning
log.warning("No charset passed with PayPalIPN: %s. Guessing %s", ipn_obj.id, encoding)
return HttpResponse("OKAY")
示例12: duplicate_txn_id
def duplicate_txn_id(ipn_obj):
"""Returns True if a record with this transaction id exists."""
from paypal.standard.ipn.models import PayPalIPN
return PayPalIPN.gql("WHERE txn_id = :txn_id", txn_id=ipn_obj.txn_id).get() is not None
示例13: test_payment_was_successful_handler_user_order_doesnt_exist
def test_payment_was_successful_handler_user_order_doesnt_exist(self, getLogger):
log = getLogger()
ipn = PayPalIPN()
ipn.invoice = "5"
payment_was_successful.send(sender=ipn)
log.error.assert_called_once_with("No UserOrder with id: %d" % 5)
示例14: test_handler_flags_user_order_as_paid
def test_handler_flags_user_order_as_paid(self):
ipn = PayPalIPN()
ipn.invoice = str(self.user_order.id)
payment_was_successful.send(sender=ipn)
self.assert_order_paid()
示例15: create_ipn
def create_ipn(request):
flag = None
ipnObj = None
form = PayPalIPNForm(request.POST)
if form.is_valid():
try:
ipnObj = form.save(commit=False)
except Exception as e:
flag = "Exception while processing. (%s)" % e
else:
flag = "Invalid form. (%s)" % form.errors
if ipnObj is None:
ipnObj = PayPalIPN()
ipnObj.initialize(request)
if flag is not None:
ipnObj.set_flag(flag)
else:
# Secrets should only be used over SSL.
if request.is_secure() and 'secret' in request.GET:
ipnObj.verify_secret(form, request.GET['secret'])
else:
donation = get_ipn_donation(ipnObj)
if not donation:
raise Exception('No donation associated with this IPN')
verify_ipn_recipient_email(ipnObj, donation.event.paypalemail)
ipnObj.verify(None)
ipnObj.save()
return ipnObj