If you’re a PHP developer eager to add a reliable payment system to your project, Stripe is an excellent choice. Known for its robust API and developer-friendly tools, Stripe simplifies accepting payments online. For instance, whether you’re crafting an e-commerce site, a subscription model, or a basic payment feature, integrating Stripe with PHP can streamline the process effectively. In this guide, we’ll explore every step—setting up your environment, coding examples, and managing common tasks—all tailored for PHP enthusiasts. So, let’s get started with the essentials.
What Makes Stripe Stand Out?
Stripe is a payment platform that helps businesses handle transactions effortlessly. Launched in 2010 by Patrick and John Collison, it has become a go-to solution worldwide. Why? Because it blends powerful features with easy integration, including a PHP library called stripe/stripe-php
. This library takes the headache out of dealing with Stripe’s API, letting you focus on building your app.
Moreover, PHP developers love Stripe for several reasons. First, it’s simple to set up payments for cards, digital wallets, or bank transfers. Next, it scales with your needs—from one-time sales to recurring plans. Additionally, Stripe handles security and compliance, saving you time. To learn more about its features, check out Stripe’s official overview (imagine this as an internal link to a related post).
Getting Ready to Roll
Before we dive into coding, ensure you have these basics covered:
- Stripe Account: Sign up at stripe.com and grab your API keys (publishable and secret).
- PHP Setup: Use a PHP environment (version 7.4 or later works best) with Composer installed.
- Skills: A bit of PHP, HTML, and JavaScript knowledge will go a long way.
- cURL: Confirm your PHP has cURL enabled for API calls.
With these in place, you’re ready to set up your project.
Step 1: Preparing Your PHP Project
Adding the Stripe Library
To begin, you’ll need Stripe’s PHP library. Thankfully, Composer makes this quick. Open your terminal, navigate to your project folder, and run:
composer require stripe/stripe-php
After that, Composer downloads the library into a vendor
folder. Simple, right?
Loading It Up
Next, include the library in your PHP file. Add this line at the top:
require_once 'vendor/autoload.php';
This loads Stripe’s classes so you can use them easily.
Setting Your API Keys
Stripe gives you two keys: a publishable one for the frontend and a secret one for the backend. Find them in your Stripe Dashboard under “Developers” > “API Keys.” Then, in your PHP code, set the secret key like this:
\Stripe\Stripe::setApiKey('sk_test_your_secret_key_here');
Replace the placeholder with your secret key. Also, stick to test keys during development to avoid real charges. Curious about test mode? See this guide (another placeholder link).
Step 2: Building a Payment Form
Now, let’s create a basic form for users to pay $20. This involves a frontend piece and a backend script.
Frontend: Crafting the Form
Stripe offers Stripe.js and Elements to collect card details securely. Here’s an easy HTML setup:
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<title>Stripe Payment Example</title>
<script src="https://js.stripe.com/v3/"></script>
<style>
.StripeElement { padding: 10px; border: 1px solid #ccc; border-radius: 4px; max-width: 300px; }
</style>
</head>
<body>
<form id="payment-form">
<div id="card-element"></div>
<button type="submit">Pay $20</button>
<div id="error-message" style="color: red;"></div>
</form>
<script>
const stripe = Stripe('pk_test_your_publishable_key_here');
const elements = stripe.elements();
const card = elements.create('card');
card.mount('#card-element');
const form = document.getElementById('payment-form');
form.addEventListener('submit', async (event) => {
event.preventDefault();
const response = await fetch('/create-payment.php', {
method: 'POST',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify({ amount: 2000 }) // $20 in cents
});
const { clientSecret } = await response.json();
const { paymentIntent, error } = await stripe.confirmCardPayment(clientSecret, {
payment_method: { card }
});
const errorMessage = document.getElementById('error-message');
if (error) {
errorMessage.textContent = error.message;
} else {
errorMessage.textContent = 'Payment worked!';
}
});
</script>
</body>
</html>
Swap in your publishable key. This code sets up a card field and calls a PHP script when submitted.
Backend: Handling the Payment
For security, create the PaymentIntent on the server. Here’s create-payment.php
:
<?php
require_once 'vendor/autoload.php';
\Stripe\Stripe::setApiKey('sk_test_your_secret_key_here');
header('Content-Type: application/json');
try {
$data = json_decode(file_get_contents('php://input'), true);
$amount = $data['amount'];
$paymentIntent = \Stripe\PaymentIntent::create([
'amount' => $amount,
'currency' => 'usd',
'payment_method_types' => ['card'],
]);
echo json_encode(['clientSecret' => $paymentIntent->client_secret]);
} catch (Exception $e) {
http_response_code(500);
echo json_encode(['error' => $e->getMessage()]);
}
This script generates a PaymentIntent and sends its client_secret
back to the frontend. Consequently, Stripe.js uses it to complete the payment.
Step 3: Setting Up Subscriptions
What if you want recurring payments? Stripe’s subscription tools are perfect. Let’s create a $10/month plan.
Define a Plan in Stripe
First, log into your Stripe Dashboard. Then, go to “Products,” click “Add Product,” name it “Monthly Plan,” set it to $10/month, and save. Note the Price ID (like price_xxx
).
Backend: Starting the Subscription
Here’s subscribe.php
to kick off a subscription:
<?php
require_once 'vendor/autoload.php';
\Stripe\Stripe::setApiKey('sk_test_your_secret_key_here');
header('Content-Type: application/json');
try {
$data = json_decode(file_get_contents('php://input'), true);
$paymentMethodId = $data['paymentMethodId'];
$customer = \Stripe\Customer::create();
\Stripe\PaymentMethod::attach($paymentMethodId, ['customer' => $customer->id]);
\Stripe\Customer::update($customer->id, [
'invoice_settings' => ['default_payment_method' => $paymentMethodId]
]);
$subscription = \Stripe\Subscription::create([
'customer' => $customer->id,
'items' => [['price' => 'price_your_price_id_here']],
]);
echo json_encode(['success' => true, 'subscriptionId' => $subscription->id]);
} catch (Exception $e) {
http_response_code(500);
echo json_encode(['error' => $e->getMessage()]);
}
Frontend: Subscription Form
Update your HTML to handle subscriptions:
<form id="subscription-form">
<div id="card-element"></div>
<button type="submit">Subscribe for $10/month</button>
<div id="error-message" style="color: red;"></div>
</form>
<script>
const stripe = Stripe('pk_test_your_publishable_key_here');
const elements = stripe.elements();
const card = elements.create('card');
card.mount('#card-element');
const form = document.getElementById('subscription-form');
form.addEventListener('submit', async (event) => {
event.preventDefault();
const { paymentMethod, error } = await stripe.createPaymentMethod({
type: 'card',
card
});
const errorMessage = document.getElementById('error-message');
if (error) {
errorMessage.textContent = error.message;
} else {
const response = await fetch('/subscribe.php', {
method: 'POST',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify({ paymentMethodId: paymentMethod.id })
});
const result = await response.json();
if (result.error) {
errorMessage.textContent = result.error;
} else {
errorMessage.textContent = 'Subscription started!';
}
}
});
</script>
Insert your Price ID in the PHP code. This creates a customer and subscribes them to your plan.
Step 4: Using Webhooks
Stripe sends updates—like payment success—via webhooks. Let’s catch those.
Set Up a Webhook
In your Stripe Dashboard, go to “Developers” > “Webhooks.” Add an endpoint (e.g., https://yourdomain.com/webhook.php
), select events like payment_intent.succeeded
, and save. Copy the signing secret.
Process Webhooks in PHP
Here’s webhook.php
:
<?php
require_once 'vendor/autoload.php';
\Stripe\Stripe::setApiKey('sk_test_your_secret_key_here');
$secret = 'whsec_your_signing_secret_here';
$payload = @file_get_contents('php://input');
$signature = $_SERVER['HTTP_STRIPE_SIGNATURE'];
try {
$event = \Stripe\Webhook::constructEvent($payload, $signature, $secret);
if ($event->type === 'payment_intent.succeeded') {
$paymentIntent = $event->data->object;
file_put_contents('log.txt', "Payment OK: " . $paymentIntent->id . "\n", FILE_APPEND);
}
http_response_code(200);
echo json_encode(['status' => 'success']);
} catch (Exception $e) {
http_response_code(400);
echo json_encode(['error' => $e->getMessage()]);
}
Use your signing secret here. This logs successful payments. For local testing, try ngrok (placeholder link).
Tips for Success
- Keep It Safe: Store your secret key in an environment variable, not in code.
- Handle Errors: Wrap API calls in try-catch and show clear messages.
- Test Well: Use Stripe’s test cards (e.g.,
4242 4242 4242 4242
). - Log Events: Track payments for troubleshooting.
- Check Inputs: Validate data before sending it to Stripe.
Final Thoughts
Integrating Stripe with PHP is a game-changer for adding payments to your app. From simple charges to subscriptions, Stripe’s PHP library makes it manageable. By following this guide—setting up, coding forms, managing subscriptions, and catching webhooks—you’re equipped to handle payments like a pro. Want more? Explore Stripe’s advanced features (placeholder link) or their docs. Now, go build something great!