Coverage for app / backend / src / tests / test_donations.py: 100%

157 statements  

« prev     ^ index     » next       coverage.py v7.13.2, created at 2026-02-03 06:18 +0000

1import json 

2from unittest.mock import patch 

3 

4import pytest 

5from google.protobuf import empty_pb2 

6from sqlalchemy import select 

7 

8import couchers.servicers.donations 

9from couchers.config import config 

10from couchers.db import session_scope 

11from couchers.jobs.handlers import update_badges 

12from couchers.models import DonationInitiation, DonationType, Invoice, InvoiceType, User, UserBadge 

13from couchers.proto import donations_pb2 

14from couchers.proto.google.api import httpbody_pb2 

15from tests.fixtures.db import generate_user 

16from tests.fixtures.sessions import donations_session, real_stripe_session 

17 

18 

19@pytest.fixture(autouse=True) 

20def _(testconfig): 

21 pass 

22 

23 

24def test_one_time_donation_flow(db, monkeypatch): 

25 user, token = generate_user() 

26 user_email = user.email 

27 user_id = user.id 

28 

29 new_config = config.copy() 

30 new_config["ENABLE_DONATIONS"] = True 

31 new_config["STRIPE_API_KEY"] = "dummy_api_key" 

32 new_config["STRIPE_WEBHOOK_SECRET"] = "dummy_webhook_secret" 

33 new_config["STRIPE_RECURRING_PRODUCT_ID"] = "price_1KIbmbIfR5z29g5kFWPEUnC6" 

34 new_config["MERCH_SHOP_URL"] = "https://shop.couchershq.org" 

35 

36 monkeypatch.setattr(couchers.servicers.donations, "config", new_config) 

37 

38 ## User first makes a req to Donations.InitiateDonation 

39 with donations_session(token) as donations: 

40 with patch("couchers.servicers.donations.stripe") as mock: 

41 mock.Customer.create.return_value = type("__MockCustomer", (), {"id": "cus_Pv4uq0gT0rDZWN"}) 

42 mock.checkout.Session.create.return_value = type("__MockCheckoutSession", (), one_time_STRIPE_SESSION) 

43 

44 res = donations.InitiateDonation( 

45 donations_pb2.InitiateDonationReq( 

46 amount=100, 

47 recurring=False, 

48 source="test-one-time", 

49 ) 

50 ) 

51 

52 mock.Customer.create.assert_called_once_with( 

53 email=user_email, metadata={"user_id": user_id}, api_key="dummy_api_key" 

54 ) 

55 

56 mock.checkout.Session.create.assert_called_once_with( 

57 client_reference_id=str(user_id), 

58 submit_type="donate", 

59 customer="cus_Pv4uq0gT0rDZWN", 

60 success_url="http://localhost:3000/donate?success=true", 

61 cancel_url="http://localhost:3000/donate?cancelled=true", 

62 payment_method_types=["card"], 

63 mode="payment", 

64 line_items=[ 

65 { 

66 "price_data": { 

67 "currency": "usd", 

68 "unit_amount": 10000, 

69 "product_data": { 

70 "name": "Couchers financial supporter (one-time)", 

71 "images": ["https://couchers.org/img/share.jpg"], 

72 }, 

73 }, 

74 "quantity": 1, 

75 } 

76 ], 

77 api_key="dummy_api_key", 

78 ) 

79 

80 ## Stripe then makes some webhooks requests 

81 

82 # evt_1P5EkZIfR5z29g5kRH0e4NVx:customer.created 

83 fire_stripe_event("evt_1P5EkZIfR5z29g5kRH0e4NVx") 

84 

85 # evt_3P5El3IfR5z29g5k0TLWlfHq:charge.succeeded 

86 fire_stripe_event("evt_3P5El3IfR5z29g5k0TLWlfHq") 

87 

88 # evt_1P5El5IfR5z29g5kNedLGqCz:checkout.session.completed 

89 fire_stripe_event("evt_1P5El5IfR5z29g5kNedLGqCz") 

90 

91 # evt_3P5El3IfR5z29g5k0tueVWGH:payment_intent.succeeded 

92 fire_stripe_event("evt_3P5El3IfR5z29g5k0tueVWGH") 

93 

94 # evt_3P5El3IfR5z29g5k0mFVJ2V7:payment_intent.created 

95 fire_stripe_event("evt_3P5El3IfR5z29g5k0mFVJ2V7") 

96 

97 ## Now finally check everything was added to the DB 

98 with session_scope() as session: 

99 donation = session.execute(select(DonationInitiation)).scalar_one() 

100 assert donation.user_id == user_id 

101 assert donation.amount == 100 

102 assert ( 

103 donation.stripe_checkout_session_id == "cs_test_a12ftevGwzCAa236NeLPq6yRAdMt0V2S1gGjFcxfsY4xT4tiREPvbr5lhG" 

104 ) 

105 assert donation.donation_type == DonationType.one_time 

106 assert donation.source == "test-one-time" 

107 

108 invoice = session.execute(select(Invoice)).scalar_one() 

109 assert invoice.user_id == user_id 

110 assert invoice.amount == 100 

111 assert invoice.stripe_payment_intent_id == "pi_3P5El3IfR5z29g5k0N5TNa7R" 

112 assert invoice.invoice_type == InvoiceType.on_platform 

113 assert ( 

114 invoice.stripe_receipt_url 

115 == "https://pay.stripe.com/receipts/payment/CAcaFwoVYWNjdF8xS0V6QnlJZlI1ejI5ZzVrKIqF7LAGMgbtNxpJulk6LBaePNy_2Q2RzXJsbk7t1jLwK26AQlG05P-4EPhG7AIIcqsQLgC09iDJ2srs" 

116 ) 

117 

118 # check they get a badge 

119 update_badges(empty_pb2.Empty()) 

120 with session_scope() as session: 

121 assert ( 

122 session.execute( 

123 select(UserBadge.user_id).where(UserBadge.user_id == user_id, UserBadge.badge_id == "donor") 

124 ).scalar_one() 

125 == user_id 

126 ) 

127 

128 

129def test_recurring_donation_flow(db, monkeypatch): 

130 user, token = generate_user() 

131 user_email = user.email 

132 user_id = user.id 

133 

134 new_config = config.copy() 

135 new_config["ENABLE_DONATIONS"] = True 

136 new_config["STRIPE_API_KEY"] = "dummy_api_key" 

137 new_config["STRIPE_WEBHOOK_SECRET"] = "dummy_webhook_secret" 

138 new_config["STRIPE_RECURRING_PRODUCT_ID"] = "price_1IRoHdE5kUmYuPWz9tX8UpRv" 

139 new_config["MERCH_SHOP_URL"] = "https://shop.couchershq.org" 

140 

141 monkeypatch.setattr(couchers.servicers.donations, "config", new_config) 

142 

143 ## User first makes a req to Donations.InitiateDonation 

144 with donations_session(token) as donations: 

145 with patch("couchers.servicers.donations.stripe") as mock: 

146 mock.Customer.create.return_value = type("__MockCustomer", (), {"id": "cus_Pv4w8dxBpTVUsQ"}) 

147 mock.checkout.Session.create.return_value = type("__MockCheckoutSession", (), RECURRING_STRIPE_SESSION) 

148 

149 res = donations.InitiateDonation( 

150 donations_pb2.InitiateDonationReq( 

151 amount=25, 

152 recurring=True, 

153 source="test-recurring", 

154 ) 

155 ) 

156 

157 mock.Customer.create.assert_called_once_with( 

158 email=user_email, metadata={"user_id": user_id}, api_key="dummy_api_key" 

159 ) 

160 

161 mock.checkout.Session.create.assert_called_once_with( 

162 client_reference_id=str(user_id), 

163 customer="cus_Pv4w8dxBpTVUsQ", 

164 submit_type=None, 

165 success_url="http://localhost:3000/donate?success=true", 

166 cancel_url="http://localhost:3000/donate?cancelled=true", 

167 payment_method_types=["card"], 

168 mode="subscription", 

169 line_items=[ 

170 { 

171 "price": "price_1IRoHdE5kUmYuPWz9tX8UpRv", 

172 "quantity": 25, 

173 } 

174 ], 

175 api_key="dummy_api_key", 

176 ) 

177 

178 ## Stripe then makes some webhooks requests 

179 

180 # evt_1P5EmWIfR5z29g5kdOMc8bxr: customer.created 

181 fire_stripe_event("evt_1P5EmWIfR5z29g5kdOMc8bxr") 

182 

183 # evt_3P5EmzIfR5z29g5k0bA1H9Vg: charge.succeeded 

184 fire_stripe_event("evt_3P5EmzIfR5z29g5k0bA1H9Vg") 

185 

186 # evt_1P5En1IfR5z29g5k89Az23Na: payment_method.attached 

187 fire_stripe_event("evt_1P5En1IfR5z29g5k89Az23Na") 

188 

189 # evt_1P5En1IfR5z29g5kh279xFFB: customer.updated 

190 fire_stripe_event("evt_1P5En1IfR5z29g5kh279xFFB") 

191 

192 # evt_1P5En2IfR5z29g5khvLimtc3: customer.subscription.created 

193 fire_stripe_event("evt_1P5En2IfR5z29g5khvLimtc3") 

194 

195 # evt_1P5En2IfR5z29g5kQ3f7d9C6: customer.subscription.updated 

196 fire_stripe_event("evt_1P5En2IfR5z29g5kQ3f7d9C6") 

197 

198 # evt_3P5EmzIfR5z29g5k0taFsMsl: payment_intent.succeeded 

199 fire_stripe_event("evt_3P5EmzIfR5z29g5k0taFsMsl") 

200 

201 # evt_3P5EmzIfR5z29g5k0bxxQl9f: payment_intent.created 

202 fire_stripe_event("evt_3P5EmzIfR5z29g5k0bxxQl9f") 

203 

204 # evt_1P5En2IfR5z29g5kQZBnH8bR: invoice.created 

205 fire_stripe_event("evt_1P5En2IfR5z29g5kQZBnH8bR") 

206 

207 # evt_1P5En2IfR5z29g5kGrG7cxm7: invoice.finalized 

208 fire_stripe_event("evt_1P5En2IfR5z29g5kGrG7cxm7") 

209 

210 # evt_1P5En3IfR5z29g5kRKYnPpgc: invoice.updated 

211 fire_stripe_event("evt_1P5En3IfR5z29g5kRKYnPpgc") 

212 

213 # evt_1P5En3IfR5z29g5kXDrXUkQa: invoice.paid 

214 fire_stripe_event("evt_1P5En3IfR5z29g5kXDrXUkQa") 

215 

216 # evt_1P5En3IfR5z29g5k3ElqoMso: invoice.payment_succeeded 

217 fire_stripe_event("evt_1P5En3IfR5z29g5k3ElqoMso") 

218 

219 # evt_1P5En3IfR5z29g5kOoaABPf4: checkout.session.completed 

220 fire_stripe_event("evt_1P5En3IfR5z29g5kOoaABPf4") 

221 

222 ## Now finally check everything was added to the DB 

223 with session_scope() as session: 

224 donation = session.execute(select(DonationInitiation)).scalar_one() 

225 assert donation.user_id == user_id 

226 assert donation.amount == 25 

227 assert ( 

228 donation.stripe_checkout_session_id == "cs_test_a1JoMu1FbksL058ob6T6AC1byYR2DCXVRwi0ybLSZKwINYe868OQr25qaC" 

229 ) 

230 assert donation.donation_type == DonationType.recurring 

231 assert donation.source == "test-recurring" 

232 

233 invoice = session.execute(select(Invoice)).scalar_one() 

234 assert invoice.user_id == user_id 

235 assert invoice.amount == 25 

236 assert invoice.stripe_payment_intent_id == "pi_3P5EmzIfR5z29g5k0uVvI3kX" 

237 assert invoice.invoice_type == InvoiceType.on_platform 

238 assert ( 

239 invoice.stripe_receipt_url 

240 == "https://pay.stripe.com/receipts/invoices/CAcaFwoVYWNjdF8xS0V6QnlJZlI1ejI5ZzVrKIOG7LAGMgYTBIebo2c6LBYFs4BgdV7T4S5nHXQyHt4uh5azZ3_ss_S2wi27m52wbg4yQAoirZ9eBhbH?s=ap" 

241 ) 

242 

243 # check they get a badge 

244 update_badges(empty_pb2.Empty()) 

245 with session_scope() as session: 

246 assert ( 

247 session.execute( 

248 select(UserBadge.user_id).where(UserBadge.user_id == user_id, UserBadge.badge_id == "donor") 

249 ).scalar_one() 

250 == user_id 

251 ) 

252 

253 

254def test_customer_portal_url(db, monkeypatch): 

255 user, token = generate_user() 

256 user_email = user.email 

257 user_id = user.id 

258 

259 new_config = config.copy() 

260 new_config["ENABLE_DONATIONS"] = True 

261 new_config["STRIPE_API_KEY"] = "dummy_api_key" 

262 

263 monkeypatch.setattr(couchers.servicers.donations, "config", new_config) 

264 

265 ## User first makes a req to Donations.InitiateDonation 

266 with donations_session(token) as donations: 

267 with patch("couchers.servicers.donations.stripe") as mock: 

268 mock.Customer.create.return_value = type("__MockCustomer", (), {"id": "cus_Pv4uq0gT0rDZWN"}) 

269 mock.billing_portal.Session.create.return_value = type( 

270 "__MockBillingPortalSession", (), {"url": "https://stripe.com.invalid/subman"} 

271 ) 

272 

273 res = donations.GetDonationPortalLink(empty_pb2.Empty()) 

274 assert res.stripe_portal_url == "https://stripe.com.invalid/subman" 

275 

276 res = donations.GetDonationPortalLink(empty_pb2.Empty()) 

277 assert res.stripe_portal_url == "https://stripe.com.invalid/subman" 

278 

279 mock.Customer.create.assert_called_once_with( 

280 email=user_email, metadata={"user_id": user_id}, api_key="dummy_api_key" 

281 ) 

282 

283 

284def test_merch_invoice_flow(db, monkeypatch): 

285 """Test that external shop purchases (e.g., from merch shop) grant swagster badge but don't update last_donated""" 

286 user, token = generate_user(email="test@couchers.org.invalid", last_donated=None) 

287 

288 new_config = config.copy() 

289 new_config["STRIPE_API_KEY"] = "dummy_api_key" 

290 new_config["STRIPE_WEBHOOK_SECRET"] = "dummy_webhook_secret" 

291 new_config["MERCH_SHOP_URL"] = "https://shop.couchershq.org" 

292 

293 monkeypatch.setattr(couchers.servicers.donations, "config", new_config) 

294 

295 ## Stripe sends a charge.succeeded webhook for a merch purchase 

296 fire_stripe_event("evt_merch_charge_succeeded") 

297 

298 ## Check that no invoice was created, last_donated was not updated, but swagster badge was granted 

299 with session_scope() as session: 

300 assert not session.execute(select(Invoice.id)).scalar_one_or_none() 

301 assert session.execute(select(User.last_donated)).scalar_one() is None 

302 # Check that swagster badge was granted 

303 badge = session.execute( 

304 select(UserBadge).where(UserBadge.user_id == user.id, UserBadge.badge_id == "swagster") 

305 ).scalar_one_or_none() 

306 assert badge is not None 

307 

308 

309def test_merch_invoice_flow_nonexistent_user(db, monkeypatch): 

310 """Test that external shop purchases for non-existent users don't error and don't grant badges""" 

311 user, _ = generate_user(last_donated=None) 

312 

313 new_config = config.copy() 

314 new_config["STRIPE_API_KEY"] = "dummy_api_key" 

315 new_config["STRIPE_WEBHOOK_SECRET"] = "dummy_webhook_secret" 

316 new_config["MERCH_SHOP_URL"] = "https://shop.couchershq.org" 

317 

318 monkeypatch.setattr(couchers.servicers.donations, "config", new_config) 

319 

320 ## Stripe sends a charge.succeeded webhook for a merch purchase with a non-matching email 

321 fire_stripe_event("evt_merch_charge_succeeded") 

322 

323 ## Check that no invoice was created, last_donated was not updated, and no badge was granted 

324 with session_scope() as session: 

325 assert not session.execute(select(Invoice.id)).scalar_one_or_none() 

326 assert session.execute(select(User.last_donated)).scalar_one() is None 

327 # Check that no swagster badge was granted 

328 badge_count = session.execute(select(UserBadge).where(UserBadge.badge_id == "swagster")).all() 

329 assert len(badge_count) == 0 

330 

331 

332def fire_stripe_event(event_id): 

333 event = json.loads(STRIPE_WEBHOOK_EVENTS[event_id]) 

334 with real_stripe_session() as api: 

335 with patch("couchers.servicers.donations.stripe") as mock: 

336 mock.Webhook.construct_event.return_value = event 

337 reply = api.Webhook( 

338 httpbody_pb2.HttpBody(content_type="application/json", data=b"{}"), 

339 metadata=(("stripe-signature", "dummy_sig"),), 

340 ) 

341 mock.Webhook.construct_event.assert_called_once_with( 

342 payload=b"{}", sig_header="dummy_sig", secret="dummy_webhook_secret", api_key="dummy_api_key" 

343 ) 

344 

345 

346STRIPE_WEBHOOK_EVENTS = { 

347 "evt_1P5EkZIfR5z29g5kRH0e4NVx": '{"id": "evt_1P5EkZIfR5z29g5kRH0e4NVx", "object": "event", "api_version": "2024-04-10", "created": 1713046123, "data": {"object": {"id": "cus_Pv4uq0gT0rDZWN", "object": "customer", "address": null, "balance": 0, "created": 1713046123, "currency": null, "default_source": null, "delinquent": false, "description": null, "discount": null, "email": "aapeli@couchers.org", "invoice_prefix": "1D722509", "invoice_settings": {"custom_fields": null, "default_payment_method": null, "footer": null, "rendering_options": null}, "livemode": false, "metadata": {"user_id": "1"}, "name": null, "next_invoice_sequence": 1, "phone": null, "preferred_locales": [], "shipping": null, "tax_exempt": "none", "test_clock": null}}, "livemode": false, "pending_webhooks": 2, "request": {"id": "req_fmlaiE4CYTgEof", "idempotency_key": "8e902937-af49-4880-b3fa-6ccf88bc38ee"}, "type": "customer.created"}', 

348 "evt_1P5El5IfR5z29g5kNedLGqCz": '{"id": "evt_1P5El5IfR5z29g5kNedLGqCz", "object": "event", "api_version": "2024-04-10", "created": 1713046154, "data": {"object": {"id": "cs_test_a12ftevGwzCAa236NeLPq6yRAdMt0V2S1gGjFcxfsY4xT4tiREPvbr5lhG", "object": "checkout.session", "after_expiration": null, "allow_promotion_codes": null, "amount_subtotal": 10000, "amount_total": 10000, "automatic_tax": {"enabled": false, "liability": null, "status": null}, "billing_address_collection": null, "cancel_url": "http://localhost:3000/donate?cancelled=true", "client_reference_id": "1", "client_secret": null, "consent": null, "consent_collection": null, "created": 1713046124, "currency": "usd", "currency_conversion": null, "custom_fields": [], "custom_text": {"after_submit": null, "shipping_address": null, "submit": null, "terms_of_service_acceptance": null}, "customer": "cus_Pv4uq0gT0rDZWN", "customer_creation": null, "customer_details": {"address": {"city": null, "country": "US", "line1": null, "line2": null, "postal_code": "10001", "state": null}, "email": "aapeli@couchers.org", "name": "Aapeli Vuorinen", "phone": null, "tax_exempt": "none", "tax_ids": []}, "customer_email": null, "expires_at": 1713132523, "invoice": null, "invoice_creation": {"enabled": false, "invoice_data": {"account_tax_ids": null, "custom_fields": null, "description": null, "footer": null, "issuer": null, "metadata": {}, "rendering_options": null}}, "livemode": false, "locale": null, "metadata": {}, "mode": "payment", "payment_intent": "pi_3P5El3IfR5z29g5k0N5TNa7R", "payment_link": null, "payment_method_collection": "if_required", "payment_method_configuration_details": null, "payment_method_options": {"card": {"request_three_d_secure": "automatic"}}, "payment_method_types": ["card"], "payment_status": "paid", "phone_number_collection": {"enabled": false}, "recovered_from": null, "setup_intent": null, "shipping_address_collection": null, "shipping_cost": null, "shipping_details": null, "shipping_options": [], "status": "complete", "submit_type": "donate", "subscription": null, "success_url": "http://localhost:3000/donate?success=true", "total_details": {"amount_discount": 0, "amount_shipping": 0, "amount_tax": 0}, "ui_mode": "hosted", "url": null}}, "livemode": false, "pending_webhooks": 3, "request": {"id": null, "idempotency_key": null}, "type": "checkout.session.completed"}', 

349 "evt_1P5EmWIfR5z29g5kdOMc8bxr": '{"id": "evt_1P5EmWIfR5z29g5kdOMc8bxr", "object": "event", "api_version": "2024-04-10", "created": 1713046244, "data": {"object": {"id": "cus_Pv4w8dxBpTVUsQ", "object": "customer", "address": null, "balance": 0, "created": 1713046244, "currency": null, "default_source": null, "delinquent": false, "description": null, "discount": null, "email": "aapeli@couchers.org", "invoice_prefix": "D86E702F", "invoice_settings": {"custom_fields": null, "default_payment_method": null, "footer": null, "rendering_options": null}, "livemode": false, "metadata": {"user_id": "1"}, "name": null, "next_invoice_sequence": 1, "phone": null, "preferred_locales": [], "shipping": null, "tax_exempt": "none", "test_clock": null}}, "livemode": false, "pending_webhooks": 2, "request": {"id": "req_3k3Wk50uSmpv6d", "idempotency_key": "a6fc3ba9-0dfa-4f44-a556-4150e6c54922"}, "type": "customer.created"}', 

350 "evt_1P5En1IfR5z29g5k89Az23Na": '{"id": "evt_1P5En1IfR5z29g5k89Az23Na", "object": "event", "api_version": "2024-04-10", "created": 1713046274, "data": {"object": {"id": "pm_1P5EmyIfR5z29g5kAIZoJcSv", "object": "payment_method", "billing_details": {"address": {"city": null, "country": "US", "line1": null, "line2": null, "postal_code": "10001", "state": null}, "email": "aapeli@couchers.org", "name": "Aapeli Vuorinen", "phone": null}, "card": {"brand": "visa", "checks": {"address_line1_check": null, "address_postal_code_check": "pass", "cvc_check": "pass"}, "country": "US", "display_brand": "visa", "exp_month": 12, "exp_year": 2050, "fingerprint": "2uVHwVtZ157kRjpi", "funding": "credit", "generated_from": null, "last4": "4242", "networks": {"available": ["visa"], "preferred": null}, "three_d_secure_usage": {"supported": true}, "wallet": null}, "created": 1713046272, "customer": "cus_Pv4w8dxBpTVUsQ", "livemode": false, "metadata": {}, "type": "card"}}, "livemode": false, "pending_webhooks": 2, "request": {"id": "req_x1PqgmCHBOPD0i", "idempotency_key": "44ec8acd-be18-4de0-af2e-715760e96725"}, "type": "payment_method.attached"}', 

351 "evt_1P5En1IfR5z29g5kh279xFFB": '{"id": "evt_1P5En1IfR5z29g5kh279xFFB", "object": "event", "api_version": "2024-04-10", "created": 1713046273, "data": {"object": {"id": "cus_Pv4w8dxBpTVUsQ", "object": "customer", "address": null, "balance": 0, "created": 1713046244, "currency": "usd", "default_source": null, "delinquent": false, "description": null, "discount": null, "email": "aapeli@couchers.org", "invoice_prefix": "D86E702F", "invoice_settings": {"custom_fields": null, "default_payment_method": null, "footer": null, "rendering_options": null}, "livemode": false, "metadata": {"user_id": "1"}, "name": null, "next_invoice_sequence": 2, "phone": null, "preferred_locales": [], "shipping": null, "tax_exempt": "none", "test_clock": null}, "previous_attributes": {"currency": null}}, "livemode": false, "pending_webhooks": 2, "request": {"id": "req_x1PqgmCHBOPD0i", "idempotency_key": "44ec8acd-be18-4de0-af2e-715760e96725"}, "type": "customer.updated"}', 

352 "evt_1P5En2IfR5z29g5kGrG7cxm7": '{"id": "evt_1P5En2IfR5z29g5kGrG7cxm7", "object": "event", "api_version": "2024-04-10", "created": 1713046273, "data": {"object": {"id": "in_1P5EmzIfR5z29g5kNwA5fIXq", "object": "invoice", "account_country": "US", "account_name": "Couchers, Inc.", "account_tax_ids": null, "amount_due": 2500, "amount_paid": 0, "amount_remaining": 2500, "amount_shipping": 0, "application": null, "application_fee_amount": null, "attempt_count": 0, "attempted": false, "auto_advance": false, "automatic_tax": {"enabled": false, "liability": null, "status": null}, "billing_reason": "subscription_create", "charge": null, "collection_method": "charge_automatically", "created": 1713046273, "currency": "usd", "custom_fields": null, "customer": "cus_Pv4w8dxBpTVUsQ", "customer_address": null, "customer_email": "aapeli@couchers.org", "customer_name": null, "customer_phone": null, "customer_shipping": null, "customer_tax_exempt": "none", "customer_tax_ids": [], "default_payment_method": null, "default_source": null, "default_tax_rates": [], "description": null, "discount": null, "discounts": [], "due_date": null, "effective_at": 1713046273, "ending_balance": 0, "footer": null, "from_invoice": null, "hosted_invoice_url": "https://invoice.stripe.com/i/acct_1KEzByIfR5z29g5k/test_YWNjdF8xS0V6QnlJZlI1ejI5ZzVrLF9QdjR3dzFNVDRGcHo4ZTI1Z05tMXA5WldlMld2VGE2LDEwMzU4NzA3Ng0200xNecenik?s=ap", "invoice_pdf": "https://pay.stripe.com/invoice/acct_1KEzByIfR5z29g5k/test_YWNjdF8xS0V6QnlJZlI1ejI5ZzVrLF9QdjR3dzFNVDRGcHo4ZTI1Z05tMXA5WldlMld2VGE2LDEwMzU4NzA3Ng0200xNecenik/pdf?s=ap", "issuer": {"type": "self"}, "last_finalization_error": null, "latest_revision": null, "lines": {"object": "list", "data": [{"id": "il_1P5EmzIfR5z29g5khRFJxpUq", "object": "line_item", "amount": 2500, "amount_excluding_tax": 2500, "currency": "usd", "description": "25 \u00d7 Couchers financial supporter (Tier 2 at $1.00 / month)", "discount_amounts": [], "discountable": true, "discounts": [], "invoice": "in_1P5EmzIfR5z29g5kNwA5fIXq", "livemode": false, "metadata": {}, "period": {"end": 1715638273, "start": 1713046273}, "plan": {"id": "price_1KIbmbIfR5z29g5kFWPEUnC6", "object": "plan", "active": true, "aggregate_usage": null, "amount": null, "amount_decimal": null, "billing_scheme": "tiered", "created": 1642351245, "currency": "usd", "interval": "month", "interval_count": 1, "livemode": false, "metadata": {}, "nickname": null, "product": "prod_KyYuo4dO67NKtG", "tiers_mode": "volume", "transform_usage": null, "trial_period_days": null, "usage_type": "licensed"}, "price": {"id": "price_1KIbmbIfR5z29g5kFWPEUnC6", "object": "price", "active": true, "billing_scheme": "tiered", "created": 1642351245, "currency": "usd", "custom_unit_amount": null, "livemode": false, "lookup_key": null, "metadata": {}, "nickname": null, "product": "prod_KyYuo4dO67NKtG", "recurring": {"aggregate_usage": null, "interval": "month", "interval_count": 1, "trial_period_days": null, "usage_type": "licensed"}, "tax_behavior": "unspecified", "tiers_mode": "volume", "transform_quantity": null, "type": "recurring", "unit_amount": null, "unit_amount_decimal": null}, "proration": false, "proration_details": {"credited_items": null}, "quantity": 25, "subscription": "sub_1P5EmzIfR5z29g5k2nmkX0l3", "subscription_item": "si_Pv4w0QuX2JUBXm", "tax_amounts": [], "tax_rates": [], "type": "subscription", "unit_amount_excluding_tax": "100"}], "has_more": false, "total_count": 1, "url": "/v1/invoices/in_1P5EmzIfR5z29g5kNwA5fIXq/lines"}, "livemode": false, "metadata": {}, "next_payment_attempt": null, "number": "D86E702F-0001", "on_behalf_of": null, "paid": false, "paid_out_of_band": false, "payment_intent": "pi_3P5EmzIfR5z29g5k0uVvI3kX", "payment_settings": {"default_mandate": null, "payment_method_options": {"acss_debit": null, "bancontact": null, "card": {"request_three_d_secure": "automatic"}, "customer_balance": null, "konbini": null, "sepa_debit": null, "us_bank_account": null}, "payment_method_types": null}, "period_end": 1713046273, "period_start": 1713046273, "post_payment_credit_notes_amount": 0, "pre_payment_credit_notes_amount": 0, "quote": null, "receipt_number": null, "rendering": null, "shipping_cost": null, "shipping_details": null, "starting_balance": 0, "statement_descriptor": null, "status": "open", "status_transitions": {"finalized_at": 1713046273, "marked_uncollectible_at": null, "paid_at": null, "voided_at": null}, "subscription": "sub_1P5EmzIfR5z29g5k2nmkX0l3", "subscription_details": {"metadata": {}}, "subtotal": 2500, "subtotal_excluding_tax": 2500, "tax": null, "test_clock": null, "total": 2500, "total_discount_amounts": [], "total_excluding_tax": 2500, "total_tax_amounts": [], "transfer_data": null, "webhooks_delivered_at": null}}, "livemode": false, "pending_webhooks": 2, "request": {"id": "req_x1PqgmCHBOPD0i", "idempotency_key": "44ec8acd-be18-4de0-af2e-715760e96725"},"type": "invoice.finalized"}', 

353 "evt_1P5En2IfR5z29g5khvLimtc3": '{"id": "evt_1P5En2IfR5z29g5khvLimtc3", "object": "event", "api_version": "2024-04-10", "created": 1713046273, "data": {"object": {"id": "sub_1P5EmzIfR5z29g5k2nmkX0l3", "object": "subscription", "application": null, "application_fee_percent": null, "automatic_tax": {"enabled": false, "liability": null}, "billing_cycle_anchor": 1713046273, "billing_cycle_anchor_config": null, "billing_thresholds": null, "cancel_at": null, "cancel_at_period_end": false, "canceled_at": null, "cancellation_details": {"comment": null, "feedback": null, "reason": null}, "collection_method": "charge_automatically", "created": 1713046273, "currency": "usd", "current_period_end": 1715638273, "current_period_start": 1713046273, "customer": "cus_Pv4w8dxBpTVUsQ", "days_until_due": null, "default_payment_method": null, "default_source": null, "default_tax_rates": [], "description": null, "discount": null, "discounts": [], "ended_at": null, "invoice_settings": {"account_tax_ids": null, "issuer": {"type": "self"}}, "items": {"object": "list", "data": [{"id": "si_Pv4w0QuX2JUBXm", "object": "subscription_item", "billing_thresholds": null, "created": 1713046273, "discounts": [], "metadata": {}, "plan": {"id": "price_1KIbmbIfR5z29g5kFWPEUnC6", "object": "plan", "active": true, "aggregate_usage": null, "amount": null, "amount_decimal": null, "billing_scheme": "tiered", "created": 1642351245, "currency": "usd", "interval": "month", "interval_count": 1, "livemode": false, "metadata": {}, "nickname": null, "product": "prod_KyYuo4dO67NKtG", "tiers_mode": "volume", "transform_usage": null, "trial_period_days": null, "usage_type": "licensed"}, "price": {"id": "price_1KIbmbIfR5z29g5kFWPEUnC6", "object": "price", "active": true, "billing_scheme": "tiered", "created": 1642351245, "currency": "usd", "custom_unit_amount": null, "livemode": false, "lookup_key": null, "metadata": {}, "nickname": null, "product": "prod_KyYuo4dO67NKtG", "recurring": {"aggregate_usage": null, "interval": "month", "interval_count": 1, "trial_period_days": null, "usage_type": "licensed"}, "tax_behavior": "unspecified", "tiers_mode": "volume", "transform_quantity": null, "type": "recurring", "unit_amount": null, "unit_amount_decimal": null}, "quantity": 25, "subscription": "sub_1P5EmzIfR5z29g5k2nmkX0l3", "tax_rates": []}], "has_more": false, "total_count": 1, "url": "/v1/subscription_items?subscription=sub_1P5EmzIfR5z29g5k2nmkX0l3"}, "latest_invoice": "in_1P5EmzIfR5z29g5kNwA5fIXq", "livemode": false, "metadata": {}, "next_pending_invoice_item_invoice": null, "on_behalf_of": null, "pause_collection": null, "payment_settings": {"payment_method_options": {"acss_debit": null, "bancontact": null, "card": {"network": null, "request_three_d_secure": "automatic"}, "customer_balance": null, "konbini": null, "sepa_debit": null, "us_bank_account": null}, "payment_method_types": null, "save_default_payment_method": "off"}, "pending_invoice_item_interval": null, "pending_setup_intent": null, "pending_update": null, "plan": {"id": "price_1KIbmbIfR5z29g5kFWPEUnC6", "object": "plan", "active": true, "aggregate_usage": null, "amount": null, "amount_decimal": null, "billing_scheme": "tiered", "created": 1642351245, "currency": "usd", "interval": "month", "interval_count": 1, "livemode": false, "metadata": {}, "nickname": null, "product": "prod_KyYuo4dO67NKtG", "tiers_mode": "volume", "transform_usage": null, "trial_period_days": null, "usage_type": "licensed"}, "quantity": 25, "schedule": null, "start_date": 1713046273, "status": "incomplete", "test_clock": null, "transfer_data": null, "trial_end": null, "trial_settings": {"end_behavior": {"missing_payment_method": "create_invoice"}}, "trial_start": null}}, "livemode": false, "pending_webhooks": 2, "request": {"id": "req_x1PqgmCHBOPD0i", "idempotency_key": "44ec8acd-be18-4de0-af2e-715760e96725"}, "type": "customer.subscription.created"}', 

354 "evt_1P5En2IfR5z29g5kQ3f7d9C6": '{"id": "evt_1P5En2IfR5z29g5kQ3f7d9C6", "object": "event", "api_version": "2024-04-10", "created": 1713046275, "data": {"object": {"id": "sub_1P5EmzIfR5z29g5k2nmkX0l3", "object": "subscription", "application": null, "application_fee_percent": null, "automatic_tax": {"enabled": false, "liability": null}, "billing_cycle_anchor": 1713046273, "billing_cycle_anchor_config": null, "billing_thresholds": null, "cancel_at": null, "cancel_at_period_end": false, "canceled_at": null, "cancellation_details": {"comment": null, "feedback": null, "reason": null}, "collection_method": "charge_automatically", "created": 1713046273, "currency": "usd", "current_period_end": 1715638273, "current_period_start": 1713046273, "customer": "cus_Pv4w8dxBpTVUsQ", "days_until_due": null, "default_payment_method": "pm_1P5EmyIfR5z29g5kAIZoJcSv", "default_source": null, "default_tax_rates": [], "description": null, "discount": null, "discounts": [], "ended_at": null, "invoice_settings": {"account_tax_ids": null, "issuer": {"type": "self"}}, "items": {"object": "list", "data": [{"id": "si_Pv4w0QuX2JUBXm", "object": "subscription_item", "billing_thresholds": null, "created": 1713046273, "discounts": [], "metadata": {}, "plan": {"id": "price_1KIbmbIfR5z29g5kFWPEUnC6", "object": "plan", "active": true, "aggregate_usage": null, "amount": null, "amount_decimal": null, "billing_scheme": "tiered", "created": 1642351245, "currency": "usd", "interval": "month", "interval_count": 1, "livemode": false, "metadata": {}, "nickname": null, "product": "prod_KyYuo4dO67NKtG", "tiers_mode": "volume", "transform_usage": null, "trial_period_days": null, "usage_type": "licensed"}, "price": {"id": "price_1KIbmbIfR5z29g5kFWPEUnC6", "object": "price", "active": true, "billing_scheme": "tiered", "created": 1642351245, "currency": "usd", "custom_unit_amount": null, "livemode": false, "lookup_key": null, "metadata": {}, "nickname": null, "product": "prod_KyYuo4dO67NKtG", "recurring": {"aggregate_usage": null, "interval": "month", "interval_count": 1, "trial_period_days": null, "usage_type": "licensed"}, "tax_behavior": "unspecified", "tiers_mode": "volume", "transform_quantity": null, "type": "recurring", "unit_amount": null, "unit_amount_decimal": null}, "quantity": 25, "subscription": "sub_1P5EmzIfR5z29g5k2nmkX0l3", "tax_rates": []}], "has_more": false, "total_count": 1, "url": "/v1/subscription_items?subscription=sub_1P5EmzIfR5z29g5k2nmkX0l3"}, "latest_invoice": "in_1P5EmzIfR5z29g5kNwA5fIXq", "livemode": false, "metadata": {}, "next_pending_invoice_item_invoice": null, "on_behalf_of": null, "pause_collection": null, "payment_settings": {"payment_method_options": {"acss_debit": null, "bancontact": null, "card": {"network": null, "request_three_d_secure": "automatic"}, "customer_balance": null, "konbini": null, "sepa_debit": null, "us_bank_account": null}, "payment_method_types": null, "save_default_payment_method": "off"}, "pending_invoice_item_interval": null, "pending_setup_intent": null, "pending_update": null, "plan": {"id": "price_1KIbmbIfR5z29g5kFWPEUnC6", "object": "plan", "active": true, "aggregate_usage": null, "amount": null, "amount_decimal": null, "billing_scheme": "tiered", "created": 1642351245, "currency": "usd", "interval": "month", "interval_count": 1, "livemode": false, "metadata": {}, "nickname": null, "product": "prod_KyYuo4dO67NKtG", "tiers_mode": "volume", "transform_usage": null, "trial_period_days": null, "usage_type": "licensed"}, "quantity": 25, "schedule": null, "start_date": 1713046273, "status": "active", "test_clock": null, "transfer_data": null, "trial_end": null, "trial_settings": {"end_behavior": {"missing_payment_method": "create_invoice"}}, "trial_start": null}, "previous_attributes": {"default_payment_method": null, "status": "incomplete"}}, "livemode": false, "pending_webhooks": 2, "request": {"id": "req_x1PqgmCHBOPD0i", "idempotency_key": "44ec8acd-be18-4de0-af2e-715760e96725"}, "type": "customer.subscription.updated"}', 

355 "evt_1P5En2IfR5z29g5kQZBnH8bR": '{"id": "evt_1P5En2IfR5z29g5kQZBnH8bR", "object": "event", "api_version": "2024-04-10", "created": 1713046273, "data": {"object": {"id": "in_1P5EmzIfR5z29g5kNwA5fIXq", "object": "invoice", "account_country": "US", "account_name": "Couchers, Inc.", "account_tax_ids": null, "amount_due": 2500, "amount_paid": 0, "amount_remaining": 2500, "amount_shipping": 0, "application": null, "application_fee_amount": null, "attempt_count": 0, "attempted": false, "auto_advance": false, "automatic_tax": {"enabled": false, "liability": null, "status": null}, "billing_reason": "subscription_create", "charge": null, "collection_method": "charge_automatically", "created": 1713046273, "currency": "usd", "custom_fields": null, "customer": "cus_Pv4w8dxBpTVUsQ", "customer_address": null, "customer_email": "aapeli@couchers.org", "customer_name": null, "customer_phone": null, "customer_shipping": null, "customer_tax_exempt": "none", "customer_tax_ids": [], "default_payment_method": null, "default_source": null, "default_tax_rates": [], "description": null, "discount": null, "discounts": [], "due_date": null, "effective_at": 1713046273, "ending_balance": 0, "footer": null, "from_invoice": null, "hosted_invoice_url": "https://invoice.stripe.com/i/acct_1KEzByIfR5z29g5k/test_YWNjdF8xS0V6QnlJZlI1ejI5ZzVrLF9QdjR3dzFNVDRGcHo4ZTI1Z05tMXA5WldlMld2VGE2LDEwMzU4NzA3Ng0200xNecenik?s=ap", "invoice_pdf": "https://pay.stripe.com/invoice/acct_1KEzByIfR5z29g5k/test_YWNjdF8xS0V6QnlJZlI1ejI5ZzVrLF9QdjR3dzFNVDRGcHo4ZTI1Z05tMXA5WldlMld2VGE2LDEwMzU4NzA3Ng0200xNecenik/pdf?s=ap", "issuer": {"type": "self"}, "last_finalization_error": null, "latest_revision": null, "lines": {"object": "list", "data": [{"id": "il_1P5EmzIfR5z29g5khRFJxpUq", "object": "line_item", "amount": 2500, "amount_excluding_tax": 2500, "currency": "usd", "description": "25 \u00d7 Couchers financial supporter (Tier 2 at $1.00 / month)", "discount_amounts": [], "discountable": true, "discounts": [], "invoice": "in_1P5EmzIfR5z29g5kNwA5fIXq", "livemode": false, "metadata": {}, "period": {"end": 1715638273, "start": 1713046273}, "plan": {"id": "price_1KIbmbIfR5z29g5kFWPEUnC6", "object": "plan", "active": true, "aggregate_usage": null, "amount": null, "amount_decimal": null, "billing_scheme": "tiered", "created": 1642351245, "currency": "usd", "interval": "month", "interval_count": 1, "livemode": false, "metadata": {}, "nickname": null, "product": "prod_KyYuo4dO67NKtG", "tiers_mode": "volume", "transform_usage": null, "trial_period_days": null, "usage_type": "licensed"}, "price": {"id": "price_1KIbmbIfR5z29g5kFWPEUnC6", "object": "price", "active": true, "billing_scheme": "tiered", "created": 1642351245, "currency": "usd", "custom_unit_amount": null, "livemode": false, "lookup_key": null, "metadata": {}, "nickname": null, "product": "prod_KyYuo4dO67NKtG", "recurring": {"aggregate_usage": null, "interval": "month", "interval_count": 1, "trial_period_days": null, "usage_type": "licensed"}, "tax_behavior": "unspecified", "tiers_mode": "volume", "transform_quantity": null, "type": "recurring", "unit_amount": null, "unit_amount_decimal": null}, "proration": false, "proration_details": {"credited_items": null}, "quantity": 25, "subscription": "sub_1P5EmzIfR5z29g5k2nmkX0l3", "subscription_item": "si_Pv4w0QuX2JUBXm", "tax_amounts": [], "tax_rates": [], "type": "subscription", "unit_amount_excluding_tax": "100"}], "has_more": false, "total_count": 1, "url": "/v1/invoices/in_1P5EmzIfR5z29g5kNwA5fIXq/lines"}, "livemode": false, "metadata": {}, "next_payment_attempt": null, "number": "D86E702F-0001", "on_behalf_of": null, "paid": false, "paid_out_of_band": false, "payment_intent": "pi_3P5EmzIfR5z29g5k0uVvI3kX", "payment_settings": {"default_mandate": null, "payment_method_options": {"acss_debit": null, "bancontact": null, "card": {"request_three_d_secure": "automatic"}, "customer_balance": null, "konbini": null, "sepa_debit": null, "us_bank_account": null}, "payment_method_types": null}, "period_end": 1713046273, "period_start": 1713046273, "post_payment_credit_notes_amount": 0, "pre_payment_credit_notes_amount": 0, "quote": null, "receipt_number": null, "rendering": null, "shipping_cost": null, "shipping_details": null, "starting_balance": 0, "statement_descriptor": null, "status": "open", "status_transitions": {"finalized_at": 1713046273, "marked_uncollectible_at": null, "paid_at": null, "voided_at": null}, "subscription": "sub_1P5EmzIfR5z29g5k2nmkX0l3", "subscription_details": {"metadata": {}}, "subtotal": 2500, "subtotal_excluding_tax": 2500, "tax": null, "test_clock": null, "total": 2500, "total_discount_amounts": [], "total_excluding_tax": 2500, "total_tax_amounts": [], "transfer_data": null, "webhooks_delivered_at": null}}, "livemode": false, "pending_webhooks": 2, "request": {"id": "req_x1PqgmCHBOPD0i", "idempotency_key": "44ec8acd-be18-4de0-af2e-715760e96725"}, "type": "invoice.created"}', 

356 "evt_1P5En3IfR5z29g5k3ElqoMso": '{"id": "evt_1P5En3IfR5z29g5k3ElqoMso", "object": "event", "api_version": "2024-04-10", "created": 1713046275, "data": {"object": {"id": "in_1P5EmzIfR5z29g5kNwA5fIXq", "object": "invoice", "account_country": "US", "account_name": "Couchers, Inc.", "account_tax_ids": null, "amount_due": 2500, "amount_paid": 2500, "amount_remaining": 0, "amount_shipping": 0, "application": null, "application_fee_amount": null, "attempt_count": 1, "attempted": true, "auto_advance": false, "automatic_tax": {"enabled": false, "liability": null, "status": null}, "billing_reason": "subscription_create", "charge": "ch_3P5EmzIfR5z29g5k05Mw6ZV2", "collection_method": "charge_automatically", "created": 1713046273, "currency": "usd", "custom_fields": null, "customer": "cus_Pv4w8dxBpTVUsQ", "customer_address": null, "customer_email": "aapeli@couchers.org", "customer_name": null, "customer_phone": null, "customer_shipping": null, "customer_tax_exempt": "none", "customer_tax_ids": [], "default_payment_method": null, "default_source": null, "default_tax_rates": [], "description": null, "discount": null, "discounts": [], "due_date": null, "effective_at": 1713046273, "ending_balance": 0, "footer": null, "from_invoice": null, "hosted_invoice_url": "https://invoice.stripe.com/i/acct_1KEzByIfR5z29g5k/test_YWNjdF8xS0V6QnlJZlI1ejI5ZzVrLF9QdjR3dzFNVDRGcHo4ZTI1Z05tMXA5WldlMld2VGE2LDEwMzU4NzA3Nw0200Xbr3gdqx?s=ap", "invoice_pdf": "https://pay.stripe.com/invoice/acct_1KEzByIfR5z29g5k/test_YWNjdF8xS0V6QnlJZlI1ejI5ZzVrLF9QdjR3dzFNVDRGcHo4ZTI1Z05tMXA5WldlMld2VGE2LDEwMzU4NzA3Nw0200Xbr3gdqx/pdf?s=ap", "issuer": {"type": "self"}, "last_finalization_error": null, "latest_revision": null, "lines": {"object": "list", "data": [{"id": "il_1P5EmzIfR5z29g5khRFJxpUq", "object": "line_item", "amount": 2500, "amount_excluding_tax": 2500, "currency": "usd", "description": "25 \u00d7 Couchers financial supporter (Tier 2 at $1.00 / month)", "discount_amounts": [], "discountable": true, "discounts": [], "invoice": "in_1P5EmzIfR5z29g5kNwA5fIXq", "livemode": false, "metadata": {}, "period": {"end": 1715638273, "start": 1713046273}, "plan": {"id": "price_1KIbmbIfR5z29g5kFWPEUnC6", "object": "plan", "active": true, "aggregate_usage": null, "amount": null, "amount_decimal": null, "billing_scheme": "tiered", "created": 1642351245, "currency": "usd", "interval": "month", "interval_count": 1, "livemode": false, "metadata": {}, "nickname": null, "product": "prod_KyYuo4dO67NKtG", "tiers_mode": "volume", "transform_usage": null, "trial_period_days": null, "usage_type": "licensed"}, "price": {"id": "price_1KIbmbIfR5z29g5kFWPEUnC6", "object": "price", "active": true, "billing_scheme": "tiered", "created": 1642351245, "currency": "usd", "custom_unit_amount": null, "livemode": false, "lookup_key": null, "metadata": {}, "nickname": null, "product": "prod_KyYuo4dO67NKtG", "recurring": {"aggregate_usage": null, "interval": "month", "interval_count": 1, "trial_period_days": null, "usage_type": "licensed"}, "tax_behavior": "unspecified", "tiers_mode": "volume", "transform_quantity": null, "type": "recurring", "unit_amount": null, "unit_amount_decimal": null}, "proration": false, "proration_details": {"credited_items": null}, "quantity": 25, "subscription": "sub_1P5EmzIfR5z29g5k2nmkX0l3", "subscription_item": "si_Pv4w0QuX2JUBXm", "tax_amounts": [], "tax_rates": [], "type": "subscription", "unit_amount_excluding_tax": "100"}], "has_more": false, "total_count": 1, "url": "/v1/invoices/in_1P5EmzIfR5z29g5kNwA5fIXq/lines"}, "livemode": false, "metadata": {}, "next_payment_attempt": null, "number": "D86E702F-0001", "on_behalf_of": null, "paid": true, "paid_out_of_band": false, "payment_intent": "pi_3P5EmzIfR5z29g5k0uVvI3kX", "payment_settings": {"default_mandate": null, "payment_method_options": {"acss_debit": null, "bancontact": null, "card": {"request_three_d_secure": "automatic"}, "customer_balance": null, "konbini": null, "sepa_debit": null, "us_bank_account": null}, "payment_method_types": null}, "period_end": 1713046273, "period_start": 1713046273, "post_payment_credit_notes_amount": 0, "pre_payment_credit_notes_amount": 0, "quote": null, "receipt_number": null, "rendering": null, "shipping_cost": null, "shipping_details": null, "starting_balance": 0, "statement_descriptor": null, "status": "paid", "status_transitions": {"finalized_at": 1713046273, "marked_uncollectible_at": null, "paid_at": 1713046275, "voided_at": null}, "subscription": "sub_1P5EmzIfR5z29g5k2nmkX0l3", "subscription_details": {"metadata": {}}, "subtotal": 2500, "subtotal_excluding_tax": 2500, "tax": null, "test_clock": null, "total": 2500, "total_discount_amounts": [], "total_excluding_tax": 2500, "total_tax_amounts": [], "transfer_data": null, "webhooks_delivered_at": null}}, "livemode": false, "pending_webhooks": 2, "request": {"id": "req_x1PqgmCHBOPD0i", "idempotency_key": "44ec8acd-be18-4de0-af2e-715760e96725"}, "type": "invoice.payment_succeeded"}', 

357 "evt_1P5En3IfR5z29g5kOoaABPf4": '{"id": "evt_1P5En3IfR5z29g5kOoaABPf4", "object": "event", "api_version": "2024-04-10", "created": 1713046277, "data": {"object": {"id": "cs_test_a1JoMu1FbksL058ob6T6AC1byYR2DCXVRwi0ybLSZKwINYe868OQr25qaC", "object": "checkout.session", "after_expiration": null, "allow_promotion_codes": null, "amount_subtotal": 2500, "amount_total": 2500, "automatic_tax": {"enabled": false, "liability": null, "status": null}, "billing_address_collection": null, "cancel_url": "http://localhost:3000/donate?cancelled=true", "client_reference_id": "1", "client_secret": null, "consent": null, "consent_collection": null, "created": 1713046244, "currency": "usd", "currency_conversion": null, "custom_fields": [], "custom_text": {"after_submit": null, "shipping_address": null, "submit": null, "terms_of_service_acceptance": null}, "customer": "cus_Pv4w8dxBpTVUsQ", "customer_creation": null, "customer_details": {"address": {"city": null, "country": "US", "line1": null, "line2": null, "postal_code": "10001", "state": null}, "email": "aapeli@couchers.org", "name": "Aapeli Vuorinen", "phone": null, "tax_exempt": "none", "tax_ids": []}, "customer_email": null, "expires_at": 1713132644, "invoice": "in_1P5EmzIfR5z29g5kNwA5fIXq", "invoice_creation": null, "livemode": false, "locale": null, "metadata": {}, "mode": "subscription", "payment_intent": null, "payment_link": null, "payment_method_collection": "always", "payment_method_configuration_details": null, "payment_method_options": {"card": {"request_three_d_secure": "automatic"}}, "payment_method_types": ["card"], "payment_status": "paid", "phone_number_collection": {"enabled": false}, "recovered_from": null, "setup_intent": null, "shipping_address_collection": null, "shipping_cost": null, "shipping_details": null, "shipping_options": [], "status": "complete", "submit_type": null, "subscription": "sub_1P5EmzIfR5z29g5k2nmkX0l3", "success_url": "http://localhost:3000/donate?success=true", "total_details": {"amount_discount": 0, "amount_shipping": 0, "amount_tax": 0}, "ui_mode": "hosted", "url": null}}, "livemode": false, "pending_webhooks": 3, "request": {"id": null, "idempotency_key": null}, "type": "checkout.session.completed"}', 

358 "evt_1P5En3IfR5z29g5kRKYnPpgc": '{"id": "evt_1P5En3IfR5z29g5kRKYnPpgc", "object": "event", "api_version": "2024-04-10", "created": 1713046275, "data": {"object": {"id": "in_1P5EmzIfR5z29g5kNwA5fIXq", "object": "invoice", "account_country": "US", "account_name": "Couchers, Inc.", "account_tax_ids": null, "amount_due": 2500, "amount_paid": 2500, "amount_remaining": 0, "amount_shipping": 0, "application": null, "application_fee_amount": null, "attempt_count": 1, "attempted": true, "auto_advance": false, "automatic_tax": {"enabled": false, "liability": null, "status": null}, "billing_reason": "subscription_create", "charge": "ch_3P5EmzIfR5z29g5k05Mw6ZV2", "collection_method": "charge_automatically", "created": 1713046273, "currency": "usd", "custom_fields": null, "customer": "cus_Pv4w8dxBpTVUsQ", "customer_address": null, "customer_email": "aapeli@couchers.org", "customer_name": null, "customer_phone": null, "customer_shipping": null, "customer_tax_exempt": "none", "customer_tax_ids": [], "default_payment_method": null, "default_source": null, "default_tax_rates": [], "description": null, "discount": null, "discounts": [], "due_date": null, "effective_at": 1713046273, "ending_balance": 0, "footer": null, "from_invoice": null, "hosted_invoice_url": "https://invoice.stripe.com/i/acct_1KEzByIfR5z29g5k/test_YWNjdF8xS0V6QnlJZlI1ejI5ZzVrLF9QdjR3dzFNVDRGcHo4ZTI1Z05tMXA5WldlMld2VGE2LDEwMzU4NzA3Ng0200xNecenik?s=ap", "invoice_pdf": "https://pay.stripe.com/invoice/acct_1KEzByIfR5z29g5k/test_YWNjdF8xS0V6QnlJZlI1ejI5ZzVrLF9QdjR3dzFNVDRGcHo4ZTI1Z05tMXA5WldlMld2VGE2LDEwMzU4NzA3Ng0200xNecenik/pdf?s=ap", "issuer": {"type": "self"}, "last_finalization_error": null, "latest_revision": null, "lines": {"object": "list", "data": [{"id": "il_1P5EmzIfR5z29g5khRFJxpUq", "object": "line_item", "amount": 2500, "amount_excluding_tax": 2500, "currency": "usd", "description": "25 \u00d7 Couchers financial supporter (Tier 2 at $1.00 / month)", "discount_amounts": [], "discountable": true, "discounts": [], "invoice": "in_1P5EmzIfR5z29g5kNwA5fIXq", "livemode": false, "metadata": {}, "period": {"end": 1715638273, "start": 1713046273}, "plan": {"id": "price_1KIbmbIfR5z29g5kFWPEUnC6", "object": "plan", "active": true, "aggregate_usage": null, "amount": null, "amount_decimal": null, "billing_scheme": "tiered", "created": 1642351245, "currency": "usd", "interval": "month", "interval_count": 1, "livemode": false, "metadata": {}, "nickname": null, "product": "prod_KyYuo4dO67NKtG", "tiers_mode": "volume", "transform_usage": null, "trial_period_days": null, "usage_type": "licensed"}, "price": {"id": "price_1KIbmbIfR5z29g5kFWPEUnC6", "object": "price", "active": true, "billing_scheme": "tiered", "created": 1642351245, "currency": "usd", "custom_unit_amount": null, "livemode": false, "lookup_key": null, "metadata": {}, "nickname": null, "product": "prod_KyYuo4dO67NKtG", "recurring": {"aggregate_usage": null, "interval": "month", "interval_count": 1, "trial_period_days": null, "usage_type": "licensed"}, "tax_behavior": "unspecified", "tiers_mode": "volume", "transform_quantity": null, "type": "recurring", "unit_amount": null, "unit_amount_decimal": null}, "proration": false, "proration_details": {"credited_items": null}, "quantity": 25, "subscription": "sub_1P5EmzIfR5z29g5k2nmkX0l3", "subscription_item": "si_Pv4w0QuX2JUBXm", "tax_amounts": [], "tax_rates": [], "type": "subscription", "unit_amount_excluding_tax": "100"}], "has_more": false, "total_count": 1, "url": "/v1/invoices/in_1P5EmzIfR5z29g5kNwA5fIXq/lines"}, "livemode": false, "metadata": {}, "next_payment_attempt": null, "number": "D86E702F-0001", "on_behalf_of": null, "paid": true, "paid_out_of_band": false, "payment_intent": "pi_3P5EmzIfR5z29g5k0uVvI3kX", "payment_settings": {"default_mandate": null, "payment_method_options": {"acss_debit": null, "bancontact": null, "card": {"request_three_d_secure": "automatic"}, "customer_balance": null, "konbini": null, "sepa_debit": null, "us_bank_account": null}, "payment_method_types": null}, "period_end": 1713046273, "period_start": 1713046273, "post_payment_credit_notes_amount": 0, "pre_payment_credit_notes_amount": 0, "quote": null, "receipt_number": null, "rendering": null, "shipping_cost": null, "shipping_details": null, "starting_balance": 0, "statement_descriptor": null, "status": "paid", "status_transitions": {"finalized_at": 1713046273, "marked_uncollectible_at": null, "paid_at": 1713046275, "voided_at": null}, "subscription": "sub_1P5EmzIfR5z29g5k2nmkX0l3", "subscription_details": {"metadata": {}}, "subtotal": 2500, "subtotal_excluding_tax": 2500, "tax": null, "test_clock": null, "total": 2500, "total_discount_amounts": [], "total_excluding_tax": 2500, "total_tax_amounts": [], "transfer_data": null, "webhooks_delivered_at": null}, "previous_attributes": {"amount_paid": 0, "amount_remaining": 2500, "attempt_count": 0, "attempted": false, "charge": null, "paid": false, "status": "open", "status_transitions": {"paid_at": null}}}, "livemode": false, "pending_webhooks": 2, "request": {"id": "req_x1PqgmCHBOPD0i", "idempotency_key": "44ec8acd-be18-4de0-af2e-715760e96725"}, "type": "invoice.updated"}', 

359 "evt_1P5En3IfR5z29g5kXDrXUkQa": '{"id": "evt_1P5En3IfR5z29g5kXDrXUkQa", "object": "event", "api_version": "2024-04-10", "created": 1713046275, "data": {"object": {"id": "in_1P5EmzIfR5z29g5kNwA5fIXq", "object": "invoice", "account_country": "US", "account_name": "Couchers, Inc.", "account_tax_ids": null, "amount_due": 2500, "amount_paid": 2500, "amount_remaining": 0, "amount_shipping": 0, "application": null, "application_fee_amount": null, "attempt_count": 1, "attempted": true, "auto_advance": false, "automatic_tax": {"enabled": false, "liability": null, "status": null}, "billing_reason": "subscription_create", "charge": "ch_3P5EmzIfR5z29g5k05Mw6ZV2", "collection_method": "charge_automatically", "created": 1713046273, "currency": "usd", "custom_fields": null, "customer": "cus_Pv4w8dxBpTVUsQ", "customer_address": null, "customer_email": "aapeli@couchers.org", "customer_name": null, "customer_phone": null, "customer_shipping": null, "customer_tax_exempt": "none", "customer_tax_ids": [], "default_payment_method": null, "default_source": null, "default_tax_rates": [], "description": null, "discount": null, "discounts": [], "due_date": null, "effective_at": 1713046273, "ending_balance": 0, "footer": null, "from_invoice": null, "hosted_invoice_url": "https://invoice.stripe.com/i/acct_1KEzByIfR5z29g5k/test_YWNjdF8xS0V6QnlJZlI1ejI5ZzVrLF9QdjR3dzFNVDRGcHo4ZTI1Z05tMXA5WldlMld2VGE2LDEwMzU4NzA3Nw0200Xbr3gdqx?s=ap", "invoice_pdf": "https://pay.stripe.com/invoice/acct_1KEzByIfR5z29g5k/test_YWNjdF8xS0V6QnlJZlI1ejI5ZzVrLF9QdjR3dzFNVDRGcHo4ZTI1Z05tMXA5WldlMld2VGE2LDEwMzU4NzA3Nw0200Xbr3gdqx/pdf?s=ap", "issuer": {"type": "self"}, "last_finalization_error": null, "latest_revision": null, "lines": {"object": "list", "data": [{"id": "il_1P5EmzIfR5z29g5khRFJxpUq", "object": "line_item", "amount": 2500, "amount_excluding_tax": 2500, "currency": "usd", "description": "25 \u00d7 Couchers financial supporter (Tier 2 at $1.00 / month)", "discount_amounts": [], "discountable": true, "discounts": [], "invoice": "in_1P5EmzIfR5z29g5kNwA5fIXq", "livemode": false, "metadata": {}, "period": {"end": 1715638273, "start": 1713046273}, "plan": {"id": "price_1KIbmbIfR5z29g5kFWPEUnC6", "object": "plan", "active": true, "aggregate_usage": null, "amount": null, "amount_decimal": null, "billing_scheme": "tiered", "created": 1642351245, "currency": "usd", "interval": "month", "interval_count": 1, "livemode": false, "metadata": {}, "nickname": null, "product": "prod_KyYuo4dO67NKtG", "tiers_mode": "volume", "transform_usage": null, "trial_period_days": null, "usage_type": "licensed"}, "price": {"id": "price_1KIbmbIfR5z29g5kFWPEUnC6", "object": "price", "active": true, "billing_scheme": "tiered", "created": 1642351245, "currency": "usd", "custom_unit_amount": null, "livemode": false, "lookup_key": null, "metadata": {}, "nickname": null, "product": "prod_KyYuo4dO67NKtG", "recurring": {"aggregate_usage": null, "interval": "month", "interval_count": 1, "trial_period_days": null, "usage_type": "licensed"}, "tax_behavior": "unspecified", "tiers_mode": "volume", "transform_quantity": null, "type": "recurring", "unit_amount": null, "unit_amount_decimal": null}, "proration": false, "proration_details": {"credited_items": null}, "quantity": 25, "subscription": "sub_1P5EmzIfR5z29g5k2nmkX0l3", "subscription_item": "si_Pv4w0QuX2JUBXm", "tax_amounts": [], "tax_rates": [], "type": "subscription", "unit_amount_excluding_tax": "100"}], "has_more": false, "total_count": 1, "url": "/v1/invoices/in_1P5EmzIfR5z29g5kNwA5fIXq/lines"}, "livemode": false, "metadata": {}, "next_payment_attempt": null, "number": "D86E702F-0001", "on_behalf_of": null, "paid": true, "paid_out_of_band": false, "payment_intent": "pi_3P5EmzIfR5z29g5k0uVvI3kX", "payment_settings": {"default_mandate": null, "payment_method_options": {"acss_debit": null, "bancontact": null, "card": {"request_three_d_secure": "automatic"}, "customer_balance": null, "konbini": null, "sepa_debit": null, "us_bank_account": null}, "payment_method_types": null}, "period_end": 1713046273, "period_start": 1713046273, "post_payment_credit_notes_amount": 0, "pre_payment_credit_notes_amount": 0, "quote": null, "receipt_number": null, "rendering": null, "shipping_cost": null, "shipping_details": null, "starting_balance": 0, "statement_descriptor": null, "status": "paid", "status_transitions": {"finalized_at": 1713046273, "marked_uncollectible_at": null, "paid_at": 1713046275, "voided_at": null}, "subscription": "sub_1P5EmzIfR5z29g5k2nmkX0l3", "subscription_details": {"metadata": {}}, "subtotal": 2500, "subtotal_excluding_tax": 2500, "tax": null, "test_clock": null, "total": 2500, "total_discount_amounts": [], "total_excluding_tax": 2500, "total_tax_amounts": [], "transfer_data": null, "webhooks_delivered_at": null}}, "livemode": false, "pending_webhooks": 2, "request": {"id": "req_x1PqgmCHBOPD0i", "idempotency_key": "44ec8acd-be18-4de0-af2e-715760e96725"}, "type": "invoice.paid"}', 

360 "evt_3P5El3IfR5z29g5k0mFVJ2V7": '{"id": "evt_3P5El3IfR5z29g5k0mFVJ2V7", "object": "event", "api_version": "2024-04-10", "created": 1713046153, "data": {"object": {"id": "pi_3P5El3IfR5z29g5k0N5TNa7R", "object": "payment_intent", "amount": 10000, "amount_capturable": 0, "amount_details": {"tip": {}}, "amount_received": 0, "application": null, "application_fee_amount": null, "automatic_payment_methods": null, "canceled_at": null, "cancellation_reason": null, "capture_method": "automatic", "client_secret": "pi_3P5El3IfR5z29g5k0N5TNa7R_secret_BIdVdUUKk8zPCuttemp8Jl4uf", "confirmation_method": "automatic", "created": 1713046153, "currency": "usd", "customer": "cus_Pv4uq0gT0rDZWN", "description": null, "invoice": null, "last_payment_error": null, "latest_charge": null, "livemode": false, "metadata": {}, "next_action": null, "on_behalf_of": null, "payment_method": null, "payment_method_configuration_details": null, "payment_method_options": {"card": {"installments": null, "mandate_options": null, "network": null, "request_three_d_secure": "automatic"}}, "payment_method_types": ["card"], "processing": null, "receipt_email": "aapeli@couchers.org", "review": null, "setup_future_usage": null, "shipping": null, "source": null, "statement_descriptor": null, "statement_descriptor_suffix": null, "status": "requires_payment_method", "transfer_data": null, "transfer_group": null}}, "livemode": false, "pending_webhooks": 2, "request": {"id": "req_kVsPqUwBoL4xen", "idempotency_key": "d3051b38-f32b-4118-b456-56897ce6b96d"}, "type": "payment_intent.created"}', 

361 "evt_3P5El3IfR5z29g5k0TLWlfHq": '{"id": "evt_3P5El3IfR5z29g5k0TLWlfHq", "object": "event", "api_version": "2024-04-10", "created": 1713046154, "data": {"object": {"id": "ch_3P5El3IfR5z29g5k03QfMZRt", "object": "charge", "amount": 10000, "amount_captured": 10000, "amount_refunded": 0, "application": null, "application_fee": null, "application_fee_amount": null, "balance_transaction": "txn_3P5El3IfR5z29g5k0Jmn0th5", "billing_details": {"address": {"city": null, "country": "US", "line1": null, "line2": null, "postal_code": "10001", "state": null}, "email": "aapeli@couchers.org", "name": "Aapeli Vuorinen", "phone": null}, "calculated_statement_descriptor": "COUCHERS.ORG", "captured": true, "created": 1713046154, "currency": "usd", "customer": "cus_Pv4uq0gT0rDZWN", "description": null, "destination": null, "dispute": null, "disputed": false, "failure_balance_transaction": null, "failure_code": null, "failure_message": null, "fraud_details": {}, "invoice": null, "livemode": false, "metadata": {}, "on_behalf_of": null, "order": null, "outcome": {"network_status": "approved_by_network", "reason": null, "risk_level": "normal", "risk_score": 31, "seller_message": "Payment complete.", "type": "authorized"}, "paid": true, "payment_intent": "pi_3P5El3IfR5z29g5k0N5TNa7R", "payment_method": "pm_1P5El3IfR5z29g5k33WlbWVC", "payment_method_details": {"card": {"amount_authorized": 10000, "brand": "visa", "checks": {"address_line1_check": null, "address_postal_code_check": "pass", "cvc_check": "pass"}, "country": "US", "exp_month": 12, "exp_year": 2050, "extended_authorization": {"status": "disabled"}, "fingerprint": "2uVHwVtZ157kRjpi", "funding": "credit", "incremental_authorization": {"status": "unavailable"}, "installments": null, "last4": "4242", "mandate": null, "multicapture": {"status": "unavailable"}, "network": "visa", "network_token": {"used": false}, "overcapture": {"maximum_amount_capturable": 10000, "status": "unavailable"}, "three_d_secure": null, "wallet": null}, "type": "card"}, "radar_options": {}, "receipt_email": "aapeli@couchers.org", "receipt_number": null, "receipt_url": "https://pay.stripe.com/receipts/payment/CAcaFwoVYWNjdF8xS0V6QnlJZlI1ejI5ZzVrKIqF7LAGMgbtNxpJulk6LBaePNy_2Q2RzXJsbk7t1jLwK26AQlG05P-4EPhG7AIIcqsQLgC09iDJ2srs", "refunded": false, "review": null, "shipping": null, "source": null, "source_transfer": null, "statement_descriptor": null, "statement_descriptor_suffix": null, "status": "succeeded", "transfer_data": null, "transfer_group": null}}, "livemode": false, "pending_webhooks": 2, "request": {"id": "req_kVsPqUwBoL4xen", "idempotency_key": "d3051b38-f32b-4118-b456-56897ce6b96d"}, "type": "charge.succeeded"}', 

362 "evt_3P5El3IfR5z29g5k0tueVWGH": '{"id": "evt_3P5El3IfR5z29g5k0tueVWGH", "object": "event", "api_version": "2024-04-10", "created": 1713046154, "data": {"object": {"id": "pi_3P5El3IfR5z29g5k0N5TNa7R", "object": "payment_intent", "amount": 10000, "amount_capturable": 0, "amount_details": {"tip": {}}, "amount_received": 10000, "application": null, "application_fee_amount": null, "automatic_payment_methods": null, "canceled_at": null, "cancellation_reason": null, "capture_method": "automatic", "client_secret": "pi_3P5El3IfR5z29g5k0N5TNa7R_secret_BIdVdUUKk8zPCuttemp8Jl4uf", "confirmation_method": "automatic", "created": 1713046153, "currency": "usd", "customer": "cus_Pv4uq0gT0rDZWN", "description": null, "invoice": null, "last_payment_error": null, "latest_charge": "ch_3P5El3IfR5z29g5k03QfMZRt", "livemode": false, "metadata": {}, "next_action": null, "on_behalf_of": null, "payment_method": "pm_1P5El3IfR5z29g5k33WlbWVC", "payment_method_configuration_details": null, "payment_method_options": {"card": {"installments": null, "mandate_options": null, "network": null, "request_three_d_secure": "automatic"}}, "payment_method_types": ["card"], "processing": null, "receipt_email": "aapeli@couchers.org", "review": null, "setup_future_usage": null, "shipping": null, "source": null, "statement_descriptor": null, "statement_descriptor_suffix": null, "status": "succeeded", "transfer_data": null, "transfer_group": null}}, "livemode": false, "pending_webhooks": 3, "request": {"id": "req_kVsPqUwBoL4xen", "idempotency_key": "d3051b38-f32b-4118-b456-56897ce6b96d"}, "type": "payment_intent.succeeded"}', 

363 "evt_3P5EmzIfR5z29g5k0bA1H9Vg": '{"id": "evt_3P5EmzIfR5z29g5k0bA1H9Vg", "object": "event", "api_version": "2024-04-10", "created": 1713046274, "data": {"object": {"id": "ch_3P5EmzIfR5z29g5k05Mw6ZV2", "object": "charge", "amount": 2500, "amount_captured": 2500, "amount_refunded": 0, "application": null, "application_fee": null, "application_fee_amount": null, "balance_transaction": "txn_3P5EmzIfR5z29g5k0U5iEbk1", "billing_details": {"address": {"city": null, "country": "US", "line1": null, "line2": null, "postal_code": "10001", "state": null}, "email": "aapeli@couchers.org", "name": "Aapeli Vuorinen", "phone": null}, "calculated_statement_descriptor": "COUCHERS.ORG", "captured": true, "created": 1713046274, "currency": "usd", "customer": "cus_Pv4w8dxBpTVUsQ", "description": "Subscription creation", "destination": null, "dispute": null, "disputed": false, "failure_balance_transaction": null, "failure_code": null, "failure_message": null, "fraud_details": {}, "invoice": "in_1P5EmzIfR5z29g5kNwA5fIXq", "livemode": false, "metadata": {}, "on_behalf_of": null, "order": null, "outcome": {"network_status": "approved_by_network", "reason": null, "risk_level": "normal", "risk_score": 44, "seller_message": "Payment complete.", "type": "authorized"}, "paid": true, "payment_intent": "pi_3P5EmzIfR5z29g5k0uVvI3kX", "payment_method": "pm_1P5EmyIfR5z29g5kAIZoJcSv", "payment_method_details": {"card": {"amount_authorized": 2500, "brand": "visa", "checks": {"address_line1_check": null, "address_postal_code_check": "pass", "cvc_check": "pass"}, "country": "US", "exp_month": 12, "exp_year": 2050, "extended_authorization": {"status": "disabled"}, "fingerprint": "2uVHwVtZ157kRjpi", "funding": "credit", "incremental_authorization": {"status": "unavailable"}, "installments": null, "last4": "4242", "mandate": null, "multicapture": {"status": "unavailable"}, "network": "visa", "network_token": {"used": false}, "overcapture": {"maximum_amount_capturable": 2500, "status": "unavailable"}, "three_d_secure": null, "wallet": null}, "type": "card"}, "radar_options": {}, "receipt_email": "aapeli@couchers.org", "receipt_number": null, "receipt_url": "https://pay.stripe.com/receipts/invoices/CAcaFwoVYWNjdF8xS0V6QnlJZlI1ejI5ZzVrKIOG7LAGMgYTBIebo2c6LBYFs4BgdV7T4S5nHXQyHt4uh5azZ3_ss_S2wi27m52wbg4yQAoirZ9eBhbH?s=ap", "refunded": false, "review": null, "shipping": null, "source": null, "source_transfer": null, "statement_descriptor": null, "statement_descriptor_suffix": null, "status": "succeeded", "transfer_data": null, "transfer_group": null}}, "livemode": false, "pending_webhooks": 2, "request": {"id": "req_x1PqgmCHBOPD0i", "idempotency_key": "44ec8acd-be18-4de0-af2e-715760e96725"}, "type": "charge.succeeded"}', 

364 "evt_3P5EmzIfR5z29g5k0bxxQl9f": '{"id": "evt_3P5EmzIfR5z29g5k0bxxQl9f", "object": "event", "api_version": "2024-04-10", "created": 1713046273, "data": {"object": {"id": "pi_3P5EmzIfR5z29g5k0uVvI3kX", "object": "payment_intent", "amount": 2500, "amount_capturable": 0, "amount_details": {"tip": {}}, "amount_received": 0, "application": null, "application_fee_amount": null, "automatic_payment_methods": null, "canceled_at": null, "cancellation_reason": null, "capture_method": "automatic", "client_secret": "pi_3P5EmzIfR5z29g5k0uVvI3kX_secret_mw1JYS1lig6dYcy922zoeyzkK", "confirmation_method": "automatic", "created": 1713046273, "currency": "usd", "customer": "cus_Pv4w8dxBpTVUsQ", "description": "Subscription creation", "invoice": "in_1P5EmzIfR5z29g5kNwA5fIXq", "last_payment_error": null, "latest_charge": null, "livemode": false, "metadata": {}, "next_action": null, "on_behalf_of": null, "payment_method": null, "payment_method_configuration_details": null, "payment_method_options": {"card": {"installments": null, "mandate_options": null, "network": null, "request_three_d_secure": "automatic"}, "cashapp": {}}, "payment_method_types": ["card", "cashapp"], "processing": null, "receipt_email": "aapeli@couchers.org", "review": null, "setup_future_usage": "off_session", "shipping": null, "source": null, "statement_descriptor": null, "statement_descriptor_suffix": null, "status": "requires_payment_method", "transfer_data": null, "transfer_group": null}}, "livemode": false, "pending_webhooks": 2, "request": {"id": "req_x1PqgmCHBOPD0i", "idempotency_key": "44ec8acd-be18-4de0-af2e-715760e96725"}, "type": "payment_intent.created"}', 

365 "evt_3P5EmzIfR5z29g5k0taFsMsl": '{"id": "evt_3P5EmzIfR5z29g5k0taFsMsl", "object": "event", "api_version": "2024-04-10", "created": 1713046274, "data": {"object": {"id": "pi_3P5EmzIfR5z29g5k0uVvI3kX", "object": "payment_intent", "amount": 2500, "amount_capturable": 0, "amount_details": {"tip": {}}, "amount_received": 2500, "application": null, "application_fee_amount": null, "automatic_payment_methods": null, "canceled_at": null, "cancellation_reason": null, "capture_method": "automatic", "client_secret": "pi_3P5EmzIfR5z29g5k0uVvI3kX_secret_mw1JYS1lig6dYcy922zoeyzkK", "confirmation_method": "automatic", "created": 1713046273, "currency": "usd", "customer": "cus_Pv4w8dxBpTVUsQ", "description": "Subscription creation", "invoice": "in_1P5EmzIfR5z29g5kNwA5fIXq", "last_payment_error": null, "latest_charge": "ch_3P5EmzIfR5z29g5k05Mw6ZV2", "livemode": false, "metadata": {}, "next_action": null, "on_behalf_of": null, "payment_method": "pm_1P5EmyIfR5z29g5kAIZoJcSv", "payment_method_configuration_details": null, "payment_method_options": {"card": {"installments": null, "mandate_options": null, "network": null, "request_three_d_secure": "automatic", "setup_future_usage": "off_session"}, "cashapp": {}}, "payment_method_types": ["card", "cashapp"], "processing": null, "receipt_email": "aapeli@couchers.org", "review": null, "setup_future_usage": "off_session", "shipping": null, "source": null, "statement_descriptor": null, "statement_descriptor_suffix": null, "status": "succeeded", "transfer_data": null, "transfer_group": null}}, "livemode": false, "pending_webhooks": 3, "request": {"id": "req_x1PqgmCHBOPD0i", "idempotency_key": "44ec8acd-be18-4de0-af2e-715760e96725"}, "type": "payment_intent.succeeded"}', 

366 # External shop purchase event 

367 "evt_merch_charge_succeeded": '{"id": "evt_merch_charge_succeeded", "object": "event", "api_version": "2024-04-10", "created": 1713046154, "data": {"object": {"id": "ch_merch_test_12345", "object": "charge", "amount": 5000, "amount_captured": 5000, "amount_refunded": 0, "application": null, "application_fee": null, "application_fee_amount": null, "balance_transaction": "txn_merch_test", "billing_details": {"address": {"city": null, "country": "US", "line1": null, "line2": null, "postal_code": "10001", "state": null}, "email": "test@example.org", "name": "Test User", "phone": null}, "calculated_statement_descriptor": "COUCHERS.ORG", "captured": true, "created": 1713046154, "currency": "usd", "customer": "cus_Pv4uq0gT0rDZWN", "description": null, "destination": null, "dispute": null, "disputed": false, "failure_balance_transaction": null, "failure_code": null, "failure_message": null, "fraud_details": {}, "invoice": null, "livemode": false, "metadata": {"site_url": "https://shop.couchershq.org", "order_id": "12345", "customer_email": "test@couchers.org.invalid"}, "on_behalf_of": null, "order": null, "outcome": {"network_status": "approved_by_network", "reason": null, "risk_level": "normal", "risk_score": 31, "seller_message": "Payment complete.", "type": "authorized"}, "paid": true, "payment_intent": "pi_merch_test_12345", "payment_method": "pm_merch_test", "payment_method_details": {"card": {"amount_authorized": 5000, "brand": "visa", "checks": {"address_line1_check": null, "address_postal_code_check": "pass", "cvc_check": "pass"}, "country": "US", "exp_month": 12, "exp_year": 2050, "extended_authorization": {"status": "disabled"}, "fingerprint": "2uVHwVtZ157kRjpi", "funding": "credit", "incremental_authorization": {"status": "unavailable"}, "installments": null, "last4": "4242", "mandate": null, "multicapture": {"status": "unavailable"}, "network": "visa", "network_token": {"used": false}, "overcapture": {"maximum_amount_capturable": 5000, "status": "unavailable"}, "three_d_secure": null, "wallet": null}, "type": "card"}, "radar_options": {}, "receipt_email": "test@example.org", "receipt_number": null, "receipt_url": "https://pay.stripe.com/receipts/merch_test", "refunded": false, "review": null, "shipping": null, "source": null, "source_transfer": null, "statement_descriptor": null, "statement_descriptor_suffix": null, "status": "succeeded", "transfer_data": null, "transfer_group": null}}, "livemode": false, "pending_webhooks": 2, "request": {"id": "req_merch_test", "idempotency_key": "merch-test-key"}, "type": "charge.succeeded"}', 

368} 

369 

370one_time_STRIPE_SESSION = json.loads( 

371 '{"id": "cs_test_a12ftevGwzCAa236NeLPq6yRAdMt0V2S1gGjFcxfsY4xT4tiREPvbr5lhG", "object": "checkout.session", "after_expiration": null, "allow_promotion_codes": null, "amount_subtotal": 10000, "amount_total": 10000, "automatic_tax": {"enabled": false, "liability": null, "status": null}, "billing_address_collection": null, "cancel_url": "http://localhost:3000/donate?cancelled=true", "client_reference_id": "1", "client_secret": null, "consent": null, "consent_collection": null, "created": 1713046124, "currency": "usd", "currency_conversion": null, "custom_fields": [], "custom_text": {"after_submit": null, "shipping_address": null, "submit": null, "terms_of_service_acceptance": null}, "customer": "cus_Pv4uq0gT0rDZWN", "customer_creation": null, "customer_details": {"address": null, "email": "aapeli@couchers.org", "name": null, "phone": null, "tax_exempt": "none", "tax_ids": null}, "customer_email": null, "expires_at": 1713132523, "invoice": null, "invoice_creation": {"enabled": false, "invoice_data": {"account_tax_ids": null, "custom_fields": null, "description": null, "footer": null, "issuer": null, "metadata": {}, "rendering_options": null}}, "livemode": false, "locale": null, "metadata": {}, "mode": "payment", "payment_intent": null, "payment_link": null, "payment_method_collection": "if_required", "payment_method_configuration_details": null, "payment_method_options": {"card": {"request_three_d_secure": "automatic"}}, "payment_method_types": ["card"], "payment_status": "unpaid", "phone_number_collection": {"enabled": false}, "recovered_from": null, "setup_intent": null, "shipping_address_collection": null, "shipping_cost": null, "shipping_details": null, "shipping_options": [], "status": "open", "submit_type": "donate", "subscription": null, "success_url": "http://localhost:3000/donate?success=true", "total_details": {"amount_discount": 0, "amount_shipping": 0, "amount_tax": 0}, "ui_mode": "hosted", "url": "https://checkout.stripe.com/c/pay/cs_test_a12ftevGwzCAa236NeLPq6yRAdMt0V2S1gGjFcxfsY4xT4tiREPvbr5lhG#fidkdWxOYHwnPyd1blpxYHZxWjA0TkB%2FR3xMY1cwfzc8YjBua0NNSEZjVUhUd2h%2FYW1yQGlLaU9tXVNoMVE3ZE1QQEluajNiS3xEaVxxQ3xXT1J%2FU3dWb3NhSUhIf2tXTmpVNUpUMzJDaGZLNTVVTmhTcEJocycpJ2N3amhWYHdzYHcnP3F3cGApJ2lkfGpwcVF8dWAnPyd2bGtiaWBabHFgaCcpJ2BrZGdpYFVpZGZgbWppYWB3dic%2FcXdwYHgl"}' 

372) 

373RECURRING_STRIPE_SESSION = json.loads( 

374 '{"id": "cs_test_a1JoMu1FbksL058ob6T6AC1byYR2DCXVRwi0ybLSZKwINYe868OQr25qaC", "object": "checkout.session", "after_expiration": null, "allow_promotion_codes": null, "amount_subtotal": 2500, "amount_total": 2500, "automatic_tax": {"enabled": false, "liability": null, "status": null}, "billing_address_collection": null, "cancel_url": "http://localhost:3000/donate?cancelled=true", "client_reference_id": "1", "client_secret": null, "consent": null, "consent_collection": null, "created": 1713046244, "currency": "usd", "currency_conversion": null, "custom_fields": [], "custom_text": {"after_submit": null, "shipping_address": null, "submit": null, "terms_of_service_acceptance": null}, "customer": "cus_Pv4w8dxBpTVUsQ", "customer_creation": null, "customer_details": {"address": null, "email": "aapeli@couchers.org", "name": null, "phone": null, "tax_exempt": "none", "tax_ids": null}, "customer_email": null, "expires_at": 1713132644, "invoice": null, "invoice_creation": null, "livemode": false, "locale": null, "metadata": {}, "mode": "subscription", "payment_intent": null, "payment_link": null, "payment_method_collection": "always", "payment_method_configuration_details": null, "payment_method_options": {"card": {"request_three_d_secure": "automatic"}}, "payment_method_types": ["card"], "payment_status": "unpaid", "phone_number_collection": {"enabled": false}, "recovered_from": null, "setup_intent": null, "shipping_address_collection": null, "shipping_cost": null, "shipping_details": null, "shipping_options": [], "status": "open", "submit_type": null, "subscription": null, "success_url": "http://localhost:3000/donate?success=true", "total_details": {"amount_discount": 0, "amount_shipping": 0, "amount_tax": 0}, "ui_mode": "hosted", "url": "https://checkout.stripe.com/c/pay/cs_test_a1JoMu1FbksL058ob6T6AC1byYR2DCXVRwi0ybLSZKwINYe868OQr25qaC#fid2cGd2ZndsdXFsamtQa2x0cGBrYHZ2QGtkZ2lgYSc%2FY2RpdmApJ2R1bE5gfCc%2FJ3VuWnFgdnFaMDROQH9HfExjVzB%2FNzxiMG5rQ01IRmNVSFR3aH9hbXJAaUtpT21dU2gxUTdkTVBASW5qM2JLfERpXHFDfFdPUn9Td1Zvc2FJSEh%2Fa1dOalU1SlQzMkNoZks1NVVOaFNwQmhzJyknY3dqaFZgd3Ngdyc%2FcXdwYCknaWR8anBxUXx1YCc%2FJ3Zsa2JpYFpscWBoJyknYGtkZ2lgVWlkZmBtamlhYHd2Jz9xd3BgeCUl"}' 

375)