こんにちは!SaaSアプリケーションを構築して月10万円以上の安定収益を実現するための機能要件と実装方法についてまとめます。
機能要件の全体像
SaaSアプリケーションを成功させるためには、以下の4つの機能カテゴリをバランスよく実装する必要があります:
- コア機能 – ユーザーに直接価値を提供する機能
- サブスクリプション管理 – 収益化のための仕組み
- 共通インフラ – 運用と拡張性を支えるバックエンド
- UX&リテンション – 顧客を維持するための工夫
AWS SAMによるサーバーレスアーキテクチャ
提供されたSAMテンプレートは、以下のAWSリソースを基本構成として定義しています:
- API Gateway – RESTful APIエンドポイント
- Lambda – サーバーレスな関数実行環境
- DynamoDB – スケーラブルなNoSQLデータベース
- Cognito – ユーザー認証・認可
- CloudFront + S3 – フロントエンド配信
- SNS – 通知システム
- CloudWatch – モニタリング・アラート
- WAF – セキュリティ保護
実装のポイント
1. コア機能の実装
// src/core/handler.js の例
const AWS = require('aws-sdk');
const dynamoDB = new AWS.DynamoDB.DocumentClient();
exports.processData = async (event) => {
const userId = event.requestContext.authorizer.claims.sub;
const { data } = JSON.parse(event.body);
// ビジネスロジックの実装
const processedResult = await processBusinessLogic(data);
// 結果の保存
await dynamoDB.put({
TableName: process.env.TABLE_NAME,
Item: {
PK: `USER#${userId}`,
SK: `DATA#${new Date().toISOString()}`,
data: processedResult,
createdAt: new Date().toISOString()
}
}).promise();
return {
statusCode: 200,
body: JSON.stringify({ result: processedResult })
};
};
async function processBusinessLogic(data) {
// コアとなる価値提供ロジックをここに実装
return { /* 処理結果 */ };
}
2. サブスクリプション管理(Stripe連携)
// src/subscriptions/handler.js の例
const AWS = require('aws-sdk');
const stripe = require('stripe')(process.env.STRIPE_SECRET_KEY);
const dynamoDB = new AWS.DynamoDB.DocumentClient();
exports.createSubscription = async (event) => {
const userId = event.requestContext.authorizer.claims.sub;
const { paymentMethodId, priceId } = JSON.parse(event.body);
try {
// 1. ユーザー情報の取得
const userResponse = await dynamoDB.get({
TableName: process.env.TABLE_NAME,
Key: {
PK: `USER#${userId}`,
SK: 'PROFILE'
}
}).promise();
const user = userResponse.Item;
// 2. Stripeカスタマー作成または取得
let stripeCustomerId = user.stripeCustomerId;
if (!stripeCustomerId) {
const customer = await stripe.customers.create({
email: user.email,
payment_method: paymentMethodId,
invoice_settings: {
default_payment_method: paymentMethodId,
},
});
stripeCustomerId = customer.id;
// ユーザーにStripeカスタマーIDを関連付け
await dynamoDB.update({
TableName: process.env.TABLE_NAME,
Key: {
PK: `USER#${userId}`,
SK: 'PROFILE'
},
UpdateExpression: 'set stripeCustomerId = :stripeCustomerId',
ExpressionAttributeValues: {
':stripeCustomerId': stripeCustomerId
}
}).promise();
}
// 3. サブスクリプション作成
const subscription = await stripe.subscriptions.create({
customer: stripeCustomerId,
items: [{ price: priceId }],
expand: ['latest_invoice.payment_intent'],
});
// 4. サブスクリプション情報をDBに保存
await dynamoDB.put({
TableName: process.env.TABLE_NAME,
Item: {
PK: `USER#${userId}`,
SK: `SUBSCRIPTION#${subscription.id}`,
GSI1PK: `SUBSCRIPTION`,
GSI1SK: subscription.status,
stripeSubscriptionId: subscription.id,
stripePriceId: priceId,
status: subscription.status,
currentPeriodEnd: new Date(subscription.current_period_end * 1000).toISOString(),
createdAt: new Date().toISOString(),
updatedAt: new Date().toISOString()
}
}).promise();
return {
statusCode: 200,
body: JSON.stringify({
subscriptionId: subscription.id,
status: subscription.status,
clientSecret: subscription.latest_invoice.payment_intent.client_secret
})
};
} catch (error) {
console.error('Subscription creation error:', error);
return {
statusCode: 500,
body: JSON.stringify({ error: 'Failed to create subscription' })
};
}
};
// Stripeウェブフック処理
exports.handleStripeWebhook = async (event) => {
const sig = event.headers['stripe-signature'];
try {
const stripeEvent = stripe.webhooks.constructEvent(
event.body,
sig,
process.env.STRIPE_WEBHOOK_SECRET
);
switch (stripeEvent.type) {
case 'invoice.payment_succeeded':
await handleInvoicePaid(stripeEvent.data.object);
break;
case 'customer.subscription.updated':
await handleSubscriptionUpdated(stripeEvent.data.object);
break;
case 'customer.subscription.deleted':
await handleSubscriptionCanceled(stripeEvent.data.object);
break;
}
return {
statusCode: 200,
body: JSON.stringify({ received: true })
};
} catch (error) {
console.error('Webhook error:', error);
return {
statusCode: 400,
body: JSON.stringify({ error: `Webhook Error: ${error.message}` })
};
}
};
async function handleInvoicePaid(invoice) {
// 支払い完了時の処理を実装
}
async function handleSubscriptionUpdated(subscription) {
// サブスクリプション更新時の処理を実装
}
async function handleSubscriptionCanceled(subscription) {
// サブスクリプション解約時の処理を実装
}
3. 利用制限と追跡機能
// src/usage/handler.js の例
const AWS = require('aws-sdk');
const dynamoDB = new AWS.DynamoDB.DocumentClient();
exports.trackUsage = async (event) => {
const userId = event.requestContext.authorizer.claims.sub;
const { feature } = JSON.parse(event.body);
// 現在の年月を取得
const now = new Date();
const yearMonth = `${now.getFullYear()}${(now.getMonth() + 1).toString().padStart(2, '0')}`;
try {
// 1. ユーザーの現在のプラン取得
const userResponse = await dynamoDB.get({
TableName: process.env.TABLE_NAME,
Key: {
PK: `USER#${userId}`,
SK: 'PROFILE'
}
}).promise();
const user = userResponse.Item;
const planLimits = getPlanLimits(user.currentPlan || 'free');
// 2. 現在の使用量を取得して増やす
const response = await dynamoDB.update({
TableName: process.env.USAGE_TABLE,
Key: {
userId,
yearMonth
},
UpdateExpression: 'ADD #feature :increment SET expiresAt = :expiresAt',
ExpressionAttributeNames: {
'#feature': feature
},
ExpressionAttributeValues: {
':increment': 1,
':expiresAt': Math.floor(now.setMonth(now.getMonth() + 3) / 1000) // 3ヶ月後に削除
},
ReturnValues: 'UPDATED_NEW'
}).promise();
const currentUsage = response.Attributes[feature] || 0;
// 3. 制限に達したかチェック
if (currentUsage > planLimits[feature]) {
return {
statusCode: 429,
body: JSON.stringify({
error: 'Usage limit exceeded',
currentUsage,
limit: planLimits[feature],
upgrade: true
})
};
}
// 4. 制限に近づいていたら警告
if (currentUsage >= planLimits[feature] * 0.8) {
// 80%以上使用していれば警告
return {
statusCode: 200,
body: JSON.stringify({
success: true,
currentUsage,
limit: planLimits[feature],
warning: 'Approaching usage limit'
})
};
}
return {
statusCode: 200,
body: JSON.stringify({
success: true,
currentUsage,
limit: planLimits[feature]
})
};
} catch (error) {
console.error('Usage tracking error:', error);
return {
statusCode: 500,
body: JSON.stringify({ error: 'Failed to track usage' })
};
}
};
function getPlanLimits(plan) {
// 各プランごとの制限を定義
const limits = {
free: {
api_calls: 100,
storage_mb: 50,
exports: 5
},
basic: {
api_calls: 1000,
storage_mb: 500,
exports: 50
},
pro: {
api_calls: 10000,
storage_mb: 5000,
exports: 500
}
};
return limits[plan] || limits.free;
}
4. フロントエンド実装例(React + AWS Amplify)
// src/components/Subscription.jsx の例
import React, { useState, useEffect } from 'react';
import { API } from 'aws-amplify';
import { loadStripe } from '@stripe/stripe-js';
import { Elements, CardElement, useStripe, useElements } from '@stripe/react-stripe-js';
const stripePromise = loadStripe('YOUR_STRIPE_PUBLISHABLE_KEY');
const CheckoutForm = ({ priceId, onSuccess }) => {
const stripe = useStripe();
const elements = useElements();
const [loading, setLoading] = useState(false);
const [error, setError] = useState(null);
const handleSubmit = async (event) => {
event.preventDefault();
setLoading(true);
if (!stripe || !elements) {
return;
}
// カード情報の取得
const cardElement = elements.getElement(CardElement);
// Stripe.jsを使ってカード情報からPaymentMethod IDを作成
const { error, paymentMethod } = await stripe.createPaymentMethod({
type: 'card',
card: cardElement,
});
if (error) {
setError(error.message);
setLoading(false);
return;
}
try {
// バックエンドAPIでサブスクリプション作成
const response = await API.post('api', '/v1/subscriptions', {
body: {
paymentMethodId: paymentMethod.id,
priceId
}
});
// クライアントシークレットがある場合は追加の認証が必要
if (response.clientSecret) {
const { error: confirmError } = await stripe.confirmCardPayment(
response.clientSecret
);
if (confirmError) {
setError(confirmError.message);
} else {
onSuccess(response);
}
} else {
onSuccess(response);
}
} catch (apiError) {
setError('サブスクリプションの作成に失敗しました。');
console.error('API error:', apiError);
}
setLoading(false);
};
return (
<form onSubmit={handleSubmit}>
<div className="form-row">
<label>
カード情報
<CardElement
options={{
style: {
base: {
fontSize: '16px',
color: '#424770',
'::placeholder': {
color: '#aab7c4',
},
},
invalid: {
color: '#9e2146',
},
},
}}
/>
</label>
</div>
{error && <div className="error">{error}</div>}
<button type="submit" disabled={!stripe || loading}>
{loading ? 'Processing...' : 'Subscribe'}
</button>
</form>
);
};
export const SubscriptionPage = () => {
const [subscriptionStatus, setSubscriptionStatus] = useState(null);
const [selectedPlan, setSelectedPlan] = useState('price_basic_monthly');
const plans = [
{ id: 'price_basic_monthly', name: 'Basic', price: '¥980/月', features: ['機能A', '機能B', '5GB ストレージ'] },
{ id: 'price_pro_monthly', name: 'Pro', price: '¥1,980/月', features: ['すべての基本機能', '機能C', '機能D', '50GB ストレージ'] },
];
const handleSuccess = (result) => {
setSubscriptionStatus(result.status);
// ユーザー状態の更新やリダイレクトなど
};
return (
<div className="subscription-container">
<h1>プラン選択</h1>
<div className="plans">
{plans.map(plan => (
<div
key={plan.id}
className={`plan ${selectedPlan === plan.id ? 'selected' : ''}`}
onClick={() => setSelectedPlan(plan.id)}
>
<h2>{plan.name}</h2>
<p className="price">{plan.price}</p>
<ul>
{plan.features.map((feature, i) => (
<li key={i}>{feature}</li>
))}
</ul>
</div>
))}
</div>
{subscriptionStatus ? (
<div className="success">
<h2>サブスクリプション完了!</h2>
<p>ステータス: {subscriptionStatus}</p>
</div>
) : (
<div className="checkout">
<h2>お支払い情報</h2>
<Elements stripe={stripePromise}>
<CheckoutForm
priceId={selectedPlan}
onSuccess={handleSuccess}
/>
</Elements>
</div>
)}
</div>
);
};
DynamoDBデータモデル設計
SaaSアプリケーションでは、マルチテナントアーキテクチャを効率的に実装するために、以下のようなDynamoDBデータモデルが効果的です:
メインテーブル(シングルテーブルデザイン)
PK | SK | GSI1PK | GSI1SK | 他の属性
--------------------|-------------------------|-----------------|--------------|----------
USER#{userId} | PROFILE | EMAIL#{email} | USER | name, email, plan, ...
USER#{userId} | SUBSCRIPTION#{subId} | SUBSCRIPTION | {status} | planId, status, ...
USER#{userId} | DATA#{timestamp} | DATA#{type} | {timestamp} | content, metadata, ...
TENANT#{tenantId} | USER#{userId} | USER#{userId} | TENANT | role, permissions, ...
使用量カウンターテーブル
userId | yearMonth | api_calls | storage_mb | exports | expiresAt
---------------|------------|-----------|------------|---------|----------
user123 | 202501 | 45 | 23 | 2 | 1733011200
デプロイと運用
CI/CD パイプライン(GitHub Actions)
# .github/workflows/deploy.yml
name: Deploy SaaS Application
on:
push:
branches:
- main
- staging
jobs:
deploy:
runs-on: ubuntu-latest
steps:
- uses: actions/checkout@v3
- name: Setup Node.js
uses: actions/setup-node@v3
with:
node-version: '18'
- name: Install dependencies
run: npm ci
- name: Run tests
run: npm test
- name: Setup AWS credentials
uses: aws-actions/configure-aws-credentials@v1
with:
aws-access-key-id: ${{ secrets.AWS_ACCESS_KEY_ID }}
aws-secret-access-key: ${{ secrets.AWS_SECRET_ACCESS_KEY }}
aws-region: ap-northeast-1
- name: Deploy with SAM
run: |
ENV=$(echo ${{ github.ref }} | sed -e "s/refs\/heads\/main/prod/" -e "s/refs\/heads\/staging/staging/")
sam build
sam deploy --stack-name saas-app-$ENV --parameter-overrides Environment=$ENV --no-confirm-changeset
- name: Build frontend
run: |
cd frontend
npm ci
npm run build
- name: Deploy frontend to S3
run: |
ENV=$(echo ${{ github.ref }} | sed -e "s/refs\/heads\/main/prod/" -e "s/refs\/heads\/staging/staging/")
BUCKET_NAME=$(aws cloudformation describe-stacks --stack-name saas-app-$ENV --query "Stacks[0].Outputs[?OutputKey=='WebsiteBucket'].OutputValue" --output text)
aws s3 sync frontend/build/ s3://$BUCKET_NAME/ --delete
- name: Invalidate CloudFront cache
run: |
ENV=$(echo ${{ github.ref }} | sed -e "s/refs\/heads\/main/prod/" -e "s/refs\/heads\/staging/staging/")
CF_DIST_ID=$(aws cloudformation describe-stacks --stack-name saas-app-$ENV --query "Stacks[0].Outputs[?OutputKey=='CloudFrontURL'].OutputValue" --output text | cut -d'/' -f3)
aws cloudfront create-invalidation --distribution-id $CF_DIST_ID --paths "/*"
SaaSビジネスを月10万円まで成長させるステップ
- 最小機能でリリース
- MVP(最小実用製品)を早期にリリース
- コア機能は1〜2個に絞り込む
- プラン設計
- 初期は2つのプラン:無料プラン+有料プラン
- 有料プランは月額980円〜1,980円で設定
- 収益目標の逆算
- 月10万円 ÷ 1,000円 = 100ユーザー
- 無料から有料への転換率10%なら、1,000ユーザーが必要
- マーケティング戦略
- コンテンツマーケティング(ブログ、SEO対策)
- プロダクトハント等の製品リリースプラットフォーム活用
- ニッチな業界向けにカスタマイズ
- フィードバックループの構築
- ユーザー行動データ分析
- チャーン(解約)分析
- 機能追加優先順位付け
まとめ
SaaSアプリケーションを構築して月10万円以上の安定収益を実現するためには:
- シンプルで明確な価値を提供するコア機能を実装する
- 安定したサブスクリプション管理システムを構築する
- スケーラブルでセキュアなインフラを整備する
- 顧客体験を向上させ、リテンションを高める機能を追加する
AWS SAMを活用したサーバーレスアーキテクチャを採用することで、初期コストを抑えつつ、ユーザー数の増加に合わせてスケールできる柔軟なシステムを構築できます。
コメント