- New Tools
- Posts
- Todays New Tools (10/8)
Todays New Tools (10/8)
Checkout todays newest tools
How do I raise prices with stripe? Plus a guide on how to build your first tiny saas with supabase, stripe and nextjs
GitHub link below
Free
We’ve seen an increasing debate on Twitter starting from @levelsio on how to raise prices in stripe. In the age of using stripe to easily monetize your product it is not easy to raise your prices. Some say, raise your prices for new customers but grandfather the existing. While this may work for some, if the cost of your product goes up, someone has to pay for it. In the thread we found a solution (link below) to raise your prices for all. Many, chimed in saying to give advanced notice to your customers first, then raise prices on the cutoff date. Below is script on how to do that!
Pluginlab.ai
Paid/free
Pluginlab.ai is quite possibly the coolest thing we have seen in awhile. It’s an easy way to monetize a chatGPT plugin that you have been working on. Think stripe, but managed for you and around the same fee. If you’re working on a chatGPT we highly, HIGHLY recommend using Pluginlab.ai
Unknown
Agentlabs.dev is a cool place to create your AI agent and let them handle the rest. It’s a newer platform that has a waitlist but it looks very promising
Are you ready to take your app development to the next level? Look no further! In this guide, we will show you how to create your next app using the powerful combination of Next.js, Stripe, and Supabase. With these cutting-edge technologies, you can build a high-performance, secure, and scalable app that will wow your users.
First, let's talk about Next.js. This popular React framework provides a seamless development experience with its built-in server-side rendering and static site generation capabilities. With Next.js, you can create lightning-fast apps that load instantly, ensuring a smooth user experience. Plus, its intuitive routing system and easy deployment options make it a developer's dream.
Next up, we have Stripe, the leading payment processing platform. By integrating Stripe into your app, you can easily accept payments from customers around the world. Whether you're selling products, offering subscriptions, or running a marketplace, Stripe's robust API and extensive documentation make it a breeze to implement secure and reliable payment solutions. Say goodbye to complex payment integrations and hello to seamless transactions!
Last but not least, we have Supabase, the open-source alternative to Firebase. Supabase provides a powerful backend-as-a-service (BaaS) platform that simplifies data management and authentication. With Supabase, you can effortlessly store and retrieve data, set up user authentication, and even implement real-time functionality with ease. Its intuitive interface and comprehensive documentation make it a perfect choice for developers of all skill levels.
Now that you know the power of Next.js, Stripe, and Supabase, it's time to get started on your next app. Follow our step-by-step guide, and you'll be on your way to creating a cutting-edge app that will impress your users and drive your business forward. Don't miss out on this opportunity to leverage the latest technologies and take your app development to new heights. Get ready to revolutionize the way you build apps with Next.js, Stripe, and Supabase!
Below is a detailed guide along with explanations for setting up a subscription page using Next.js, Stripe, and Supabase.
---
### Setting up the Subscription Page:
1. Creating the Subscription Page:
 - Create a new page subscribe.js within the pages directory of your Next.js project.
```jsx
// pages/subscribe.js
import React from 'react';
const SubscribePage = () => {
return (
<div></div>
<h1>Select a Subscription</h1>
// Subscription options will go here
);
};
export default SubscribePage;
```
In this snippet, we create a new page called SubscribePage that will host our subscription options.
---
### Configuring Stripe:
1. Setting up Stripe Account:
- Sign up for a Stripe account and create a new product and pricing plans on the Stripe dashboard.
2. Installing Necessary Libraries:
```bash
npm install stripe @stripe/stripe-js @stripe/react-stripe-js
```
These libraries allow us to interact with the Stripe API and create a payment form.
3. Creating a Stripe Context:
```jsx
// utils/stripe.js
import { loadStripe } from '@stripe/stripe-js';
export const getStripe = async () => {
const stripe = await loadStripe(process.env.NEXT_PUBLIC_STRIPE_PUBLIC_KEY);
return stripe;
};
```
In this snippet, we initialize Stripe with our public key.
4. Adding Stripe Elements to Your Project:
```jsx
// pages/subscribe.js
import React from 'react';
import { Elements } from '@stripe/react-stripe-js';
import { getStripe } from '../utils/stripe';
import CheckoutForm from '../components/CheckoutForm';
const stripePromise = getStripe();
const SubscribePage = () => {
return (
<div></div>
<h1>Select a Subscription</h1>
);
};
export default SubscribePage;
```
In this snippet, we use Stripe Elements to wrap our CheckoutForm component which will contain our payment form.
---
### Creating the Checkout Form:
1. Building the Checkout Form Component:
```jsx
// components/CheckoutForm.js
import React from 'react';
import { CardElement, useStripe, useElements } from '@stripe/react-stripe-js';
const CheckoutForm = () => {
const stripe = useStripe();
const elements = useElements();
const handleSubmit = async (event) => {
event.preventDefault();
if (!stripe || !elements) {
return;
}
const card = elements.getElement(CardElement);
const result = await stripe.createToken(card);
if (result.error) {
console.error(result.error.message);
} else {
const response = await fetch('/api/subscribe', {
method: 'POST',
headers: {
'Content-Type': 'application/json',
},
body: JSON.stringify({ token: result.token.id }),
});
const data = await response.json();
console.log(data);
}
};
return (
Subscribe
);
};
export default CheckoutForm;
```
In the CheckoutForm component, we create a form with Stripe's CardElement for collecting card details and a submit handler handleSubmit that creates a token via Stripe and sends it to our server.
---
### Setting Up Server-Side Handling:
1. Creating a Server-Side Handler for Subscriptions:
```jsx
// pages/api/subscribe.js
import { supabase } from '../../utils/supabase';
import Stripe from 'stripe';
const stripe = new Stripe(process.env.STRIPE_SECRET_KEY);
export default async (req, res) => {
const { token } = req.body;
try {
const customer = await stripe.customers.create({
source: token,
email: '[email protected]',
});
const subscription = await stripe.subscriptions.create({
customer: customer.id,
items: [{ price: 'price_1JH7...'}],
});
const { data, error } = await supabase
.from('users')
.update({ subscription_id: subscription.id })
.match({ email: '[email protected]' });
if (error) throw error;
res.status(200).json({ subscription });
} catch (error) {
console.error(error);
res.status(500).json({ error: error.message });
}
};
```
In this snippet, we create a server-side handler /api/subscribe to create a customer and subscription in Stripe, then update the user's subscription details in Supabase.
---
With these steps, you will have a subscription page where users can select a subscription, enter their payment details, and subscribe to your service. Upon successful payment, their subscription details will be updated in Supabase.
/


