Librería para la integración de Webpay Plus, Webpay OneClick y Webpay Patpass. Esta librería es mantenida por Gonzalo De Spirito de freshworkstudio.com y simplepay.cl.
composer require freshwork/transbank
Transacción Normal | Webpay OneClick | Webpay PatPass | Logs | CertificationBag | Test Data / Datos de prueba
Acá hay una tienda de prueba desarrollada en Laravel que ocupa OneClick. Laravel Demo Store using Webpay OneClick
https://github.com/freshworkstudio/demo-store
Este ejemplo ejecuta el método initInscription
de WebPayOneClick en el ambiente de integración.
This method executes initInscription
for WebpayOneClick
<?php
use Freshwork\Transbank\CertificationBagFactory;
use Freshwork\Transbank\TransbankServiceFactory;
use Freshwork\Transbank\RedirectorHelper;
include 'vendor/autoload.php';
//You always need to create a certificationBag where you put your private_key and certificate. This lines uses the integration certificates for OneClick that comes bundled into the package.
//Siempre necesitas un certificationBag, que es como una bolsa donde colocas los certificados necesarios (private key, certificado comercio, certificado tbk y defines el ambiente)
$certificationBag = CertificationBagFactory::integrationOneClick();
//OneClick Instance
$oneClick = TransbankServiceFactory::oneclick($certificationBag);
//Response from Transbank (token & url to redirect the user)
//Si todo sale bien, respuesta de transbank trae token y url a donde dirigir al usuario.
$response = $oneClick->initInscription('username', '[email protected]', 'http://test.dev/tbkresponse');
//Generates a HTML Form and a script tag that sends the form immediately. You need to pass the url and the token.
//Esta clase toma el token y la url, y genera el html de un formulario POST que se envía inmediatamente por javascript. Puedes hacerlo tu, pero aquí lo tienes listo.
echo RedirectorHelper::redirectHTML($response->urlWebpay, $response->token);
Just change this line
Para que funcione en producción en vez de integración, solo debes cambiar esta línea
$certificationBag = CertificationBagFactory::production('/path/to/private.key', '/path/to/certificate.crt');
//OR
$certificationBag = new CertificationBag('/path/to/private.key', '/path/to/certificate.crt', null, CertificationBag::PRODUCTION);
If the CertificationBag
is setted on CertificationBag::PRODUCTION
, the underlying classes (WebpayNormal
, WebpayOneClick
, etc) uses the production url endpoints of the WebService automatically.
Transacción normal con Webpay. (Pago tarjeta de crédito y débito)
Webpay Normal transaction. (Debit and credit card)
<?php
use Freshwork\Transbank\CertificationBagFactory;
use Freshwork\Transbank\TransbankServiceFactory;
use Freshwork\Transbank\RedirectorHelper;
include 'vendor/autoload.php';
//Get a certificationBag with certificates and private key of WebpayNormal for integration environment.
$bag = CertificationBagFactory::integrationWebpayNormal();
$plus = TransbankServiceFactory::normal($bag);
//For normal transactions, you can just add one TransactionDetail
//Para transacciones normales, solo se puede añadir una linea de detalle de transacción.
$plus->addTransactionDetail(10000, 'Orden824201'); //Amount and BuyOrder
$response = $plus->initTransaction('http://test.dev/response', 'http://test.dev/thanks');
echo RedirectorHelper::redirectHTML($response->url, $response->token);
$bag = CertificationBagFactory::integrationWebpayNormal();
$plus = TransbankServiceFactory::normal($bag);
$response = $plus->getTransactionResult();
//If everything goes well (check stock, check amount, etc) you can call acknowledgeTransaction to accept the payment. Otherwise, the transaction is reverted in 30 seconds.
//Si todo está bien, peudes llamar a acknowledgeTransaction. Si no se llama a este método, la transaccion se reversará en 30 segundos.
$plus->acknowledgeTransaction();
//Redirect back to Webpay Flow and then to the thanks page
return RedirectorHelper::redirectBackNormal($response->urlRedirection);
"La modalidad de pago Oneclick permite al tarjetahabiente realizar pagos en el comercio sin la necesidad de ingresar cada vez información de la tarjeta de crédito al momento de realizar la compra. El modelo de pago contempla un proceso previo de inscripción o enrolamiento del tarjetahabiente, a través del comercio, que desee utilizar el servicio. Este tipo de pago facilita la venta, disminuye el tiempo de la transacción y reduce los riesgos de ingreso erróneo de los datos del medio de pago."
El webservice de Webpay One Click contempla los siguientes métodos:
This webservice implements this methods:
- initInscription
- finishInscription
- authorize
- codeReverseOneClick
- removeUser
Permite asociar una tarjeta de crédito a un usuario en tu aplicación. Este método inicia el proceso de inscripción de tarjeta. Transbank devolverá un token y una URL donde redirigir al usuario para que realice este proceso.
This method starts the credit card inscription. It returns a token and an URL to redirect the user. Allows you to associate a credit card with a user of your application.
use Freshwork\Transbank\TransbankServiceFactory;
use Freshwork\Transbank\RedirectorHelper;
$certificationBag = CertificationBagFactory::integrationOneClick();
//OneClick Instance
$oneClick = TransbankServiceFactory::oneclick($certificationBag);
// $response: Freshwork\Transbank\WebpayOneClick\oneClickInscriptionOutput
$response = $oneClick->initInscription('username', '[email protected]', 'http://misitio.cl/webpayresponse');
//Devuelve el html un formulario <form> con los datos y un <script> que envia el formulario automáticamente.
//It returns the html of a <form> and a <script> that submits the form immediately.
echo RedirectorHelper::redirectHTML($response->urlWebpay, $response->token);
exit; //el usuario es enviado a webpay para aprobar la inscripción de su tarjeta
var_dump($response):
El usuario, tras finalizar el proceso en Webpay, será redirigido a http://misitio.cl/webpayresponse con un token enviado por POST.
Once the user completes the credit card inscription, Transbank redirected the user back to http://misitio.cl/webpayresponse with a token provided through POST data.
...
$token = $_POST['TBK_TOKEN'];
$response = $oneClick->finishInscription($token);
var_dump($response);
exit;
var_dump($response):
Ahora, deberás asociar el tbkUser (token) al usuario dentro de tu base de datos para después usar ese código para realizar cargos en la tarjeta del usuario.
Now, you have to store the token with the user data in the database, so you can charge the credit card of the user afterwards.
Realizar un cargo en la TC del usuario Charge the credit card of the user
// Identificador único de la compra generado por el comercio. Debe ser timestamp [yyyymmddhhMMss] + un correlativo de tres dígitos.
// Ej: Para la tercera transacción realizada el día 15 de julio de 2011 a las 11:55:50 la orden de compra sería: 20110715115550003.
$buyOrder = date('ymdhis') . str_pad(1, 3, '0', STR_PAD_LEFT);
//This comes from the database. The token retrieved in the finishInscription process saved with the user data in the database.
$authToken = '9bf43307-6fa0-4b3b-888d-f36b6d040162'; //$user->tbkToken;
$response = $oneClick->authorize(1000, $buyOrder, 'username', $authToken);
var_dump($response);
exit;
var_dump($response):
...
$response = $oneClick->codeReverseOneClick($buyOrder);
// $response = $oneClick->codeReverseOneClick('20110715115550003');
...
$response = $oneClick->removeUser($userToken, $username);
Una transacción de autorización de PatPass by Webpay corresponde a una solicitud de inscripción de pago recurrente con tarjetas de crédito, en donde el primer pago se resuelve al instante, y los subsiguientes quedan programados para ser ejecutados mes a mes. PatPass by Webpay cuenta con fecha de caducidad o termino, la cual debe ser proporcionada junto a otros datos para esta transacción. La transacción puede ser realizada en Dólares y Pesos, para este último caso es posible enviar el monto en UF y Webpay realizará la conversión a pesos al momento de realizar el cargo al tarjetahabiente.
El proceso de Patpass es el mismo que en una transacción Normal o Mall, pero aca se debe completar la información de la inscripción addInscriptionInfo
antes de llamar al método init
Notar que esta clase se recomienda el uso del metodo init
y no initInscription
.
This process is similar to the normal transaction and mall transaction flow, but you have to call addInscriptionInfo
before executing init
call.
<?php
use Freshwork\Transbank\CertificationBagFactory;
use Freshwork\Transbank\TransbankServiceFactory;
use Freshwork\Transbank\RedirectorHelper;
include 'vendor/autoload.php';
$bag = CertificationBagFactory::integrationPatPass();
$patpass = TransbankServiceFactory::patpass($bag);
$patpass->addTransactionDetail(1000, '50'); //Amount & BuyOrder
//Id del servicio a contratar, Rut cliente, Nombre, Apellido, Segundo apellido, Email cliente, Celular Cliente, Fecha termino contrato, Email comercio
$patpass->addInscriptionInfo('serviceID', '11.111.111-5', 'Gonzalo', 'De Spirito', 'Zúñiga', '[email protected]',
'987654321', '2017-12-01', '[email protected]');
$response = $patpass->init('http://test.dev/response', 'http://test.dev/thanks');
echo RedirectorHelper::redirectHTML($response->url, $response->token);
$response = $patpass->getTransactionResult();
//If everything goes well (check stock, check amount, etc) you can call acknowledgeTransaction to accept the payment. Otherwise, the transaction is reverted in 30 seconds.
//Si todo está bien, peudes llamar a acknowledgeTransaction. Si no se llama a este método, la transaccion se reversará en 30 segundos.
$plus->acknowledgeTransaction();
//Redirect back to Webpay Flow and then to the thanks page
return RedirectorHelper::redirectBackNormal($response->urlRedirection);
Para el proceso de certificación con Transbank, muchas veces se solicita los logs de las transacciones realizadas.
Por defecto, el sistema usa Freshwork\Transbank\Log\VoidLogger
que no guarda ni imprime los logs que emite el paquete. No hace nada :)
Puedes cambiar la configuración para usar TransbankCertificactionLogger
o crear tu propia implementación de la
interfaz Freshwork\Transbank\Log\LoggerInterface
.
Transbank asks for your logs to certificate your project. By default, the package uses an useless
Freshwork\Transbank\Log\VoidLogger
, but you can use TransbankCertificactionLogger
or create your own
implementation of Freshwork\Transbank\Log\LoggerInterface
to generate some useful logs you can send.
use Freshwork\Transbank\TransbankServiceFactory;
use Freshwork\Transbank\RedirectorHelper;
use Freshwork\Transbank\Log\LoggerFactory;
use Freshwork\Transbank\Log\TransbankCertificationLogger;
//To use TransbankCertificationLogger, but you can pass any LoggerInterface implementation. Even your own.
//After this line, any LogHandler::log(..) call will use this implementation.
LoggerFactory::setLogger(new TransbankCertificationLogger('/dir/to/save/logs'));
$certificationBag = CertificationBagFactory::integrationOneClick();
//OneClick Instance
$oneClick = TransbankServiceFactory::oneclick($certificationBag);
// $response: Freshwork\Transbank\WebpayOneClick\oneClickInscriptionOutput
$response = $oneClick->initInscription('username', '[email protected]', 'http://misitio.cl/webpayresponse');
//Devuelve el html un formulario <form> con los datos y un <script> que envia el formulario automáticamente.
//It returns the html of a <form> and a <script> that submits the form immediately.
echo RedirectorHelper::redirectHTML($response->urlWebpay, $response->token);
exit; //el usuario es enviado a webpay para aprobar la inscripción de su tarjeta
Internamente, se generan varios logs, entre ellos un log con los datos de entrada al llamar aun método de soap, el xml generado, el xml recibido, el objeto recibido y errores por si falla la validación del certificado. Si necesitas logear más información, puedes usar:
Internally, with every response/request generated, the clases generates a log.
If you need to log anything else, you can use LogHandler::log
:
LogHandler::log($data, $level = LoggerInterface::LEVEL_INFO, $type = null)
use Freshwork\Transbank\Log\LogHandler;
use Freshwork\Transbank\Log\LoggerInterface;
LogHandler::log('Comenzando proceso de pago', LoggerInterface::LEVEL_INFO);
LogHandler::log('Error!!', LoggerInterface::LEVEL_ERROR, 'mensajes_internos');
LogHandler::log(['datos' => 'más datos', 'otros_datos']);
use Freshwork\Transbank\CertificationBag;
//Para desarrollo
$bag = new CertificationBag(
'path/to/cert/597020000000.key',
'path/to/cert/597020000000.crt',
null,
CertificationBag::INTEGRATION
);
//Producción
$bag = new CertificationBag(
'path/to/cert/597020000001.key',
'path/to/cert/597020000001.crt',
null,
CertificationBag::PRODUCTION
);
Ya teniendo el CertificationBag
, se puede instanciar la clase WebpayOneClickWebService
Once you have a CertificationBaginstance, you can create a
WebpayOneClickWebService`
use Freshwork\Transbank\CertificationBag;
use Freshwork\Transbank\CertificationBag;
$bag = new CertificationBag(
'/path/to/597020000000.key',
'/path/to/597020000000.crt'
);
$bag->setEnvironment(CertificationBag::INTEGRATION);
$oneClickService = new WebpayOneClickWebService($bag);
El modo de captura diferida permite congelar fondos del cliente y poder luego en un lapso máximo de 7 dias hábiles capturar esos fondos.Este método resulta muy conveniente para negocios que necesitan verificar su stock antes de cobrar al cliente, evitando asi costos relacionado con anulación.
Este tipo de metodo de cobro ofrecido por transbank solo funciona con tarjetas de credito tanto nacional como extranjera.
Estos son los datos de tarjetas para que puedas probar en el ambiente de integración.
Just for the integration environment:
Number: 4051885600446623 CVV: 123 Year: any / cualquiera Month: any / cualquiera
Number: 5186059559590568 CVV: 123 Year: any / cualquiera Month: any / cualquiera
CardNumber: 12345678
RUT: 11.111.111-1 Password: 123
Este paquete ofrece una clase WebpayOneClick
(recomendado) ó WebpayOneClickWebService
para interactuar con el Web Service.
This package offers a WebpayOneClick
class (recommended) or a WebpayOneClickWebService
class to implement the web service easily.
Puedes crear un objeto WebpayOneClick
usando TransbankServiceFactory
You can create a WebpayOneClick
object with TransbankServiceFactory
use Freshwork\Transbank\TransbankServiceFactory;
use Freshwork\Transbank\CertificationBag;
/* TransbankServiceFactory::createOneClickWith(
$private_key,
$certificate,
$is_production = false)
*/
$oneClick = TransbankServiceFactory::createOneClickWith(
'/path/to/597020000000.key',
'/path/to/597020000000.crt',
false
);
// ó / OR
$bag = new CertificationBag(
'/path/to/597020000000.key',
'/path/to/597020000000.crt'
);
$bag->setEnvironment(CertificationBag::INTEGRATION);
$oneClick = TransbankServiceFactory::createOneClick($bag);
//$oneclick->initTransaction(...);
//$oneclick->finishTransaction(...);
//$oneclick->authorize(...);
//...
El otro método para interactuar con el webservice es la clase WebpayOneClickWebService
. WebpayOneClick
implementa todos estos métodos internamente.
Para poder instanciarla es necesario configurar al ambiente y certificados del comercio con el que se va a trabajar. Para simplificar esto, implementamos una clase llamada CertificationBag
. Piensa esta clase como una bolsa donde colocas tu certificado, tu llave privada y defines el ambiente (integración o producción). Recuerda que necesitas deferentes certificados en cada ambiente.
You have another way: WebpayOneClickWebService
. Actually, WebpayOneClick
implements this class internally.
To instantiate this class, you have to set the environment and certificates on which your are going to work. To simplify this process, we implemented a CertificationBag
class. Imagine this class, as a bag where you put the private_key, the certificate and where you define your environment (integration, production). Remember that you need different certificates based on your environment.
As you can see it's a little bit more complicated, but but it's more OOP.
use Freshwork\Transbank\CertificationBag;
use Freshwork\Transbank\WebpayOneClick\WebpayOneClickWebService;
use Freshwork\Transbank\WebpayOneClick\oneClickPayInput;
$bag = new CertificationBag(
'/path/to/597020000000.key',
'/path/to/597020000000.crt'
);
$buyOrder = date('ymdhis') . str_pad(1, 3, '0', STR_PAD_LEFT);
$oneClickService = new WebpayOneClickWebService($bag);
$oneClickPayInput = new oneClickPayInput();
$oneClickPayInput->amount = 1000;
$oneClickPayInput->buyOrder = $buyOrder;
$oneClickPayInput->tbkUser = '9bf43307-6fa0-4b3b-888d-f36b6d040162';
$oneClickPayInput->username = '[email protected]';
$oneClickauthorizeResponse = $oneClickService->authorize($oneClickPayInput);
$oneClickPayOutput = $oneClickauthorizeResponse->return;
var_dump($oneClickPayOutput);
Librería desarrollada por Simplepay Powered by Freshwork Studio
Freshwork Transbank Package is licensed under The MIT License (MIT).