8

我有一个收集信用卡信息的注册表。工作流程如下:

  • 用户通过条带输入注册数据和卡数据。
  • 该表格已针对注册数据进行验证。
  • 如果表格有效,则处理付款。
  • 如果付款通过,一切都很好,用户已注册并继续前进。
  • 如果付款失败,我希望能够在表单的隐藏字段上引发验证错误。那可能吗?

这是表单提交代码:

def register():
form = RegistrationForm()
if form.validate_on_submit():

    user = User(
        [...]
    )

    db.session.add(user)

    #Charge
    amount = 10000

    customer = stripe.Customer.create(
        email=job.company_email,
        card=request.form['stripeToken']
    )
    try:

        charge = stripe.Charge.create(
            customer=customer.id,
            amount=amount,
            currency='usd',
            description='Registration payment'
        )
    except StripeError as e:
        ***I want to raise a form validation error here if possible.***

    db.session.commit()
    return redirect(url_for('home'))

return render_template('register.html', form=form)
4

2 回答 2

26

我通过手动将错误附加到我想要的字段来解决它。

看起来像这样

try:

    [...]
except StripeError as e:
    form.payment.errors.append('the error message')
else:
    db.session.commit()
    return redirect(url_for('home'))
于 2013-11-07T11:27:29.073 回答
3

在您的 wtform 本身上,您可以添加一个前缀为的方法以validate_引发异常。

class RegistrationForm(Form):
  amount = IntegerField('amount', validators=[Required()])

  validate_unique_name(self, field):
    if field.data > 10000:
      raise ValidationError('too much money')

就我而言,我用它来验证用户是否已经不在数据库中:

class Registration(Form):
  email = StringField('Email', validators=[Required(), Email()]) # field for email
  # ...
  def validate_email(self, field): # here is where the magic is
    if User.query.filter_by(email=field.data).first(): # check if in database
      raise ValidationError("you're already registered")
于 2014-06-02T14:48:46.897 回答