Объект ответа — оплата через Mollie и Omnipay

Я пытаюсь создать платеж с помощью Omnipay и Mollie в моем проекте Laravel. Я использую следующие 2 библиотеки:

Я делаю следующее в моем коде:

$gateway = Omnipay\Omnipay::create('Mollie');

$gateway->setApiKey('test_gSDS4xNA96AfNmmdwB3fAA47zS84KN');

$params = [
'amount' => $ticket_order['order_total'] + $ticket_order['organiser_booking_fee'],
'description' => 'Bestelling voor klant: ' . $request->get('order_email'),
'returnUrl' => URL::action('EventCheckoutController@fallback'),
];$response = $gateway->purchase($params)->send();

if ($response->isSuccessful()) {
session()->push('ticket_order_' . $event_id . '.transaction_id',
$response->getTransactionReference());

return $this->completeOrder($event_id);
}

Оплата работает. Когда оплата завершена, он возвращается к функции отката. Но я не знаю, что добавить в эту функцию и как вернуться на линию if($response->isSuccesfull()...),

Самое главное, что мне нужно сделать после оплаты:

session()->push('ticket_order_' . $event_id . '.transaction_id',
$response->getTransactionReference());

return $this->completeOrder($event_id);

Может кто-нибудь помочь мне разобраться, как работать с резервной функцией и выше?

3

Решение

Типичная установка с использованием Mollie состоит из трех отдельных страниц:

  • страница для создания платежа;
  • страница, на которой Молли публикует окончательное состояние платежа в фоновом режиме; а также
  • страница, на которую потребитель возвращается после оплаты.

Полный поток описан в Молли документы. Также взгляните на блок-схему на этой странице.

ОТКАЗ ОТ ОТВЕТСТВЕННОСТИ: Я никогда не использовал Omnipay самостоятельно и не тестировал следующий код, но он должен по крайней мере дать вам представление о том, как настроить ваш проект.

Создание платежа:

$gateway = Omnipay\Omnipay::create('Mollie');
$gateway->setApiKey('test_gSDS4xNA96AfNmmdwB3fAA47zS84KN');

$params = [
'amount' => $ticket_order['order_total'] + $ticket_order['organiser_booking_fee'],
'description' => 'Bestelling voor klant: ' . $request->get('order_email'),
'notifyUrl' => '', // URL to the second script
'returnUrl' => '', // URL to the third script
];

$response = $gateway->purchase($params)->send();

if ($response->isRedirect()) {
// Store the Mollie transaction ID in your local database
store_in_database($response->getTransactionReference());
// Redirect to the Mollie payment screen
$response->redirect();
} else {
// Payment failed: display message to the customer
echo $response->getMessage();
}

Получение веб-крючка:

$gateway = Omnipay\Omnipay::create('Mollie');
$gateway->setApiKey('test_gSDS4xNA96AfNmmdwB3fAA47zS84KN');

$params = [
'transactionReference' => $_POST['id'],
];

$response = $gateway->fetchTransaction($params);

if ($response->isPaid()) {
// Store in your local database that the transaction was paid successfully
} elseif ($response->isCancelled() || $response->isExpired()) {
// Store in your local database that the transaction has failed
}

Страница, на которую потребитель возвращается:

// Check the payment status of your order in your database. If the payment was paid
// successfully, you can display an 'OK' message. If the payment has failed, you
// can show a 'try again' screen.

// Most of the time the webhook will be called before the consumer is returned. For
// some payment methods however the payment state is not known immediately. In
// these cases you can just show a 'payment is pending' screen.
2

Другие решения

Других решений пока нет …

По вопросам рекламы [email protected]