Getting Started
Dieser Inhalt ist in Ihrer Sprache noch nicht verfügbar.
- 
Install the package Terminal-Fenster npm i @capgo/native-purchasesTerminal-Fenster pnpm add @capgo/native-purchasesTerminal-Fenster yarn add @capgo/native-purchasesTerminal-Fenster bun add @capgo/native-purchases
- 
Sync with native projects Terminal-Fenster npx cap syncTerminal-Fenster pnpm cap syncTerminal-Fenster yarn cap syncTerminal-Fenster bunx cap sync
- 
Configure the plugin Initialize Purchases: import { NativePurchases } from '@capgo/native-purchases';// Initialize with your app's API keysawait NativePurchases.configure({apiKey: 'your_api_key_here',appUserID: 'user123' // Optional custom user ID});Get Products: // Fetch available productsconst { products } = await NativePurchases.getProducts({productIdentifiers: ['premium_monthly','premium_yearly']});console.log('Available products:', products);- 
Configure in App Store Connect: - Create your in-app purchases
- Submit for review
 
- 
Add to Info.plist:
 <key>SKAdNetworkItems</key><array><dict><key>SKAdNetworkIdentifier</key><string>your-network-id.skadnetwork</string></dict></array>- 
Configure in Google Play Console: - Create in-app products
- Add your app’s signing certificate
 
- 
Add to AndroidManifest.xml:
 <uses-permission android:name="com.android.vending.BILLING" />
- 
- 
Making purchases import { NativePurchases } from '@capgo/native-purchases';// Purchase a producttry {const { customerInfo } = await NativePurchases.purchaseProduct({productIdentifier: 'premium_monthly'});console.log('Purchase successful:', customerInfo);// Check if user has active entitlementsif (customerInfo.entitlements.active['premium']) {console.log('User has premium access!');}} catch (error) {console.error('Purchase failed:', error);}// Restore purchasesconst { customerInfo } = await NativePurchases.restorePurchases();console.log('Restored purchases:', customerInfo);
- 
Advanced implementation import { NativePurchases } from '@capgo/native-purchases';export class PurchaseService {private products: any[] = [];private customerInfo: any = null;async initialize(userId?: string) {try {// Configure SDKawait NativePurchases.configure({apiKey: process.env.PURCHASES_API_KEY,appUserID: userId,observerMode: false, // Set true if using with other purchase SDKsuserDefaultsSuiteName: 'group.com.yourapp'});// Set user attributesawait NativePurchases.setAttributes({'$email': 'user@example.com','user_level': 'gold','app_version': '1.0.0'});// Get initial customer infoawait this.syncCustomerInfo();// Listen for updatesthis.setupListeners();} catch (error) {console.error('Failed to initialize purchases:', error);}}private setupListeners() {// Listen for customer info updatesNativePurchases.addListener('customerInfoUpdate', (info) => {this.customerInfo = info.customerInfo;this.checkSubscriptionStatus();});// Listen for promotional purchases (iOS)NativePurchases.addListener('shouldPurchasePromoProduct', async (data) => {// Handle App Store promotional purchasesconst { product } = data;const shouldPurchase = await this.showPromotionalOffer(product);if (shouldPurchase) {await this.purchaseProduct(product.identifier);}});}async loadProducts() {const { products } = await NativePurchases.getProducts({productIdentifiers: ['premium_monthly','premium_yearly','lifetime_access']});this.products = products;return products;}async purchaseProduct(productId: string) {try {// Show loadingthis.showLoading(true);const { customerInfo } = await NativePurchases.purchaseProduct({productIdentifier: productId});this.customerInfo = customerInfo;// Handle successful purchaseif (this.hasActiveSubscription()) {this.unlockPremiumFeatures();this.showSuccessMessage();}return customerInfo;} catch (error: any) {// Handle different error casesif (error.userCancelled) {console.log('User cancelled purchase');} else if (error.code === 'PRODUCT_ALREADY_PURCHASED') {await this.restorePurchases();} else {this.showErrorMessage(error.message);}throw error;} finally {this.showLoading(false);}}async restorePurchases() {const { customerInfo } = await NativePurchases.restorePurchases();this.customerInfo = customerInfo;if (this.hasActiveSubscription()) {this.showSuccessMessage('Purchases restored!');this.unlockPremiumFeatures();} else {this.showInfoMessage('No purchases to restore');}return customerInfo;}async checkTrialOrIntroductoryPrice(productId: string) {const { eligible } = await NativePurchases.checkTrialOrIntroductoryPriceEligibility({productIdentifiers: [productId]});return eligible[productId];}hasActiveSubscription(): boolean {return this.customerInfo?.entitlements?.active?.['premium'] !== undefined;}getSubscriptionExpirationDate(): Date | null {const premium = this.customerInfo?.entitlements?.active?.['premium'];return premium ? new Date(premium.expirationDate) : null;}async syncCustomerInfo() {const { customerInfo } = await NativePurchases.getCustomerInfo();this.customerInfo = customerInfo;return customerInfo;}private unlockPremiumFeatures() {// Enable premium features in your applocalStorage.setItem('isPremium', 'true');// Update UI, enable features, etc.}private showLoading(show: boolean) {// Show/hide loading indicator}private showSuccessMessage(message = 'Purchase successful!') {// Show success notification}private showErrorMessage(message: string) {// Show error notification}private showInfoMessage(message: string) {// Show info notification}private async showPromotionalOffer(product: any): Promise<boolean> {// Show UI for promotional offerreturn true; // or false based on user choice}}
API Reference
Methods
configure(options: ConfigureOptions)
Initialize the SDK with your credentials.
Parameters:
- options.apiKey: string - Your app’s API key
- options.appUserID: string (optional) - Custom user identifier
- options.observerMode: boolean (optional) - Disable automatic transaction finishing
- options.userDefaultsSuiteName: string (optional) - iOS App Group name
getProducts(options: GetProductsOptions)
Fetch product details from the store.
Returns: Promise<{ products: Product[] }>
purchaseProduct(options: PurchaseOptions)
Initiate a purchase.
Returns: Promise<{ customerInfo: CustomerInfo }>
restorePurchases()
Restore previous purchases.
Returns: Promise<{ customerInfo: CustomerInfo }>
getCustomerInfo()
Get current customer information.
Returns: Promise<{ customerInfo: CustomerInfo }>
Events
- customerInfoUpdate: Fired when customer info changes
- shouldPurchasePromoProduct: iOS promotional purchase events
Platform Notes
iOS
- Requires iOS 11.0 or later
- App Store receipt validation
- Support for promotional offers
- StoreKit 2 support on iOS 15+
Android
- Requires Android 5.0 (API 21) or later
- Google Play Billing Library
- Supports immediate and deferred purchases
Common Use Cases
- Subscriptions: Monthly/yearly premium access
- One-time Purchases: Remove ads, unlock features
- Consumables: In-game currency, credits
- Free Trials: Introductory offers for new users
- Family Sharing: Shared subscriptions (iOS)
Best Practices
- Always Restore: Provide restore functionality
- Cache Products: Store product info locally
- Handle Errors: Graceful error handling
- Receipt Validation: Always validate on your server
- Test Thoroughly: Use sandbox/test accounts
Troubleshooting
Products not loading:
- Verify product IDs match store configuration
- Ensure agreements are signed in store consoles
- Check products are approved/active
Purchases failing:
- Check internet connectivity
- Verify test accounts are configured
- Ensure billing permissions are granted
Subscription status incorrect:
- Call syncCustomerInfo()to refresh
- Check timezone/date settings
- Verify receipt validation