1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
//! Cart and Checkout operations for shopping cart management
//!
//! Based on the Agentic Commerce Protocol (ACP) checkout system.
//!
//! # Example
//!
//! ```rust,no_run
//! use stateset_embedded::{Commerce, CreateCart, AddCartItem};
//! use rust_decimal_macros::dec;
//! use uuid::Uuid;
//!
//! let commerce = Commerce::new("./store.db")?;
//!
//! // Create a cart
//! let cart = commerce.carts().create(CreateCart {
//! customer_email: Some("alice@example.com".into()),
//! customer_name: Some("Alice Smith".into()),
//! ..Default::default()
//! })?;
//!
//! // Add items to cart
//! commerce.carts().add_item(cart.id, AddCartItem {
//! sku: "SKU-001".into(),
//! name: "Premium Widget".into(),
//! quantity: 2,
//! unit_price: dec!(49.99),
//! ..Default::default()
//! })?;
//!
//! // Set shipping address
//! commerce.carts().set_shipping_address(cart.id, stateset_embedded::CartAddress {
//! first_name: "Alice".into(),
//! last_name: "Smith".into(),
//! line1: "123 Main St".into(),
//! city: "Anytown".into(),
//! postal_code: "12345".into(),
//! country: "US".into(),
//! ..Default::default()
//! })?;
//!
//! // Complete checkout
//! let result = commerce.carts().complete(cart.id)?;
//! println!("Order created: {}", result.order_number);
//! # Ok::<(), stateset_embedded::CommerceError>(())
//! ```
use crate::Database;
use rust_decimal::Decimal;
use stateset_core::{
AddCartItem, Cart, CartAddress, CartFilter, CartId, CartItem, CheckoutResult, CreateCart,
CustomerId, Result, SetCartPayment, SetCartShipping, ShippingRate, UpdateCart, UpdateCartItem,
};
use stateset_observability::Metrics;
use std::sync::Arc;
use uuid::Uuid;
/// Cart and Checkout operations
pub struct Carts {
db: Arc<dyn Database>,
metrics: Metrics,
}
impl std::fmt::Debug for Carts {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
f.debug_struct("Carts").finish_non_exhaustive()
}
}
impl Carts {
pub(crate) fn new(db: Arc<dyn Database>, metrics: Metrics) -> Self {
Self { db, metrics }
}
/// Create a new cart/checkout session
///
/// # Example
///
/// ```rust,no_run
/// use stateset_embedded::{Commerce, CreateCart, AddCartItem};
/// use rust_decimal_macros::dec;
/// use uuid::Uuid;
///
/// let commerce = Commerce::new("./store.db")?;
///
/// // Guest checkout
/// let cart = commerce.carts().create(CreateCart {
/// customer_email: Some("guest@example.com".into()),
/// items: Some(vec![AddCartItem {
/// sku: "SKU-001".into(),
/// name: "Widget".into(),
/// quantity: 1,
/// unit_price: dec!(19.99),
/// ..Default::default()
/// }]),
/// ..Default::default()
/// })?;
///
/// // Authenticated customer checkout
/// let cart = commerce.carts().create(CreateCart {
/// customer_id: Some(Uuid::new_v4().into()),
/// currency: Some("USD".into()),
/// expires_in_minutes: Some(60),
/// ..Default::default()
/// })?;
/// # Ok::<(), stateset_embedded::CommerceError>(())
/// ```
pub fn create(&self, input: CreateCart) -> Result<Cart> {
let cart = self.db.carts().create(input)?;
self.metrics.record_cart_created(&cart.id.to_string());
Ok(cart)
}
/// Get a cart by ID
pub fn get(&self, id: CartId) -> Result<Option<Cart>> {
self.db.carts().get(id)
}
/// Get a cart by cart number (e.g., "CART-1234567890-0001")
pub fn get_by_number(&self, cart_number: &str) -> Result<Option<Cart>> {
self.db.carts().get_by_number(cart_number)
}
/// Update a cart
pub fn update(&self, id: CartId, input: UpdateCart) -> Result<Cart> {
self.db.carts().update(id, input)
}
/// List carts with optional filtering
pub fn list(&self, filter: CartFilter) -> Result<Vec<Cart>> {
self.db.carts().list(filter)
}
/// Get all carts for a customer
pub fn for_customer(&self, customer_id: CustomerId) -> Result<Vec<Cart>> {
self.db.carts().for_customer(customer_id)
}
/// Delete a cart
pub fn delete(&self, id: CartId) -> Result<()> {
self.db.carts().delete(id)
}
// === Item Operations ===
/// Add an item to the cart
///
/// # Example
///
/// ```rust,no_run
/// use stateset_embedded::{Commerce, AddCartItem, ProductId};
/// use rust_decimal_macros::dec;
/// use uuid::Uuid;
///
/// let commerce = Commerce::new("./store.db")?;
///
/// commerce.carts().add_item(Uuid::new_v4().into(), AddCartItem {
/// product_id: Some(ProductId::new()),
/// sku: "SKU-001".into(),
/// name: "Premium Widget".into(),
/// description: Some("A high-quality widget".into()),
/// image_url: Some("https://example.com/widget.jpg".into()),
/// quantity: 2,
/// unit_price: dec!(49.99),
/// original_price: Some(dec!(59.99)),
/// ..Default::default()
/// })?;
/// # Ok::<(), stateset_embedded::CommerceError>(())
/// ```
pub fn add_item(&self, cart_id: CartId, item: AddCartItem) -> Result<CartItem> {
self.db.carts().add_item(cart_id, item)
}
/// Update a cart item (quantity, etc.)
pub fn update_item(&self, item_id: Uuid, input: UpdateCartItem) -> Result<CartItem> {
self.db.carts().update_item(item_id, input)
}
/// Remove an item from the cart
pub fn remove_item(&self, item_id: Uuid) -> Result<()> {
self.db.carts().remove_item(item_id)
}
/// Get all items in the cart
pub fn get_items(&self, cart_id: CartId) -> Result<Vec<CartItem>> {
self.db.carts().get_items(cart_id)
}
/// Clear all items from the cart
pub fn clear_items(&self, cart_id: CartId) -> Result<()> {
self.db.carts().clear_items(cart_id)
}
// === Address Operations ===
/// Set the shipping address
///
/// # Example
///
/// ```rust,no_run
/// use stateset_embedded::{Commerce, CartAddress};
/// use uuid::Uuid;
///
/// let commerce = Commerce::new("./store.db")?;
///
/// let cart = commerce.carts().set_shipping_address(Uuid::new_v4().into(), CartAddress {
/// first_name: "Alice".into(),
/// last_name: "Smith".into(),
/// company: Some("Acme Corp".into()),
/// line1: "123 Main St".into(),
/// line2: Some("Suite 100".into()),
/// city: "Anytown".into(),
/// state: Some("CA".into()),
/// postal_code: "12345".into(),
/// country: "US".into(),
/// phone: Some("555-1234".into()),
/// email: Some("alice@example.com".into()),
/// })?;
/// # Ok::<(), stateset_embedded::CommerceError>(())
/// ```
pub fn set_shipping_address(&self, id: CartId, address: CartAddress) -> Result<Cart> {
self.db.carts().set_shipping_address(id, address)
}
/// Set the billing address
pub fn set_billing_address(&self, id: CartId, address: CartAddress) -> Result<Cart> {
self.db.carts().set_billing_address(id, address)
}
// === Shipping Operations ===
/// Set shipping method and address
pub fn set_shipping(&self, id: CartId, shipping: SetCartShipping) -> Result<Cart> {
self.db.carts().set_shipping(id, shipping)
}
/// Get available shipping rates for the cart
///
/// Returns available shipping options based on cart contents and shipping address.
pub fn get_shipping_rates(&self, id: CartId) -> Result<Vec<ShippingRate>> {
self.db.carts().get_shipping_rates(id)
}
// === Payment Operations ===
/// Set payment method and token
///
/// # Example
///
/// ```rust,no_run
/// use stateset_embedded::{Commerce, SetCartPayment};
/// use uuid::Uuid;
///
/// let commerce = Commerce::new("./store.db")?;
///
/// let cart = commerce.carts().set_payment(Uuid::new_v4().into(), SetCartPayment {
/// payment_method: "credit_card".into(),
/// payment_token: Some("tok_visa".into()),
/// ..Default::default()
/// })?;
/// # Ok::<(), stateset_embedded::CommerceError>(())
/// ```
pub fn set_payment(&self, id: CartId, payment: SetCartPayment) -> Result<Cart> {
self.db.carts().set_payment(id, payment)
}
// === Discount Operations ===
/// Apply a coupon/discount code to the cart
pub fn apply_discount(&self, id: CartId, coupon_code: &str) -> Result<Cart> {
self.db.carts().apply_discount(id, coupon_code)
}
/// Remove the discount from the cart
pub fn remove_discount(&self, id: CartId) -> Result<Cart> {
self.db.carts().remove_discount(id)
}
// === Checkout Flow ===
/// Mark the cart as ready for payment
///
/// This validates that all required information is present (shipping address, etc.)
pub fn mark_ready_for_payment(&self, id: CartId) -> Result<Cart> {
self.db.carts().mark_ready_for_payment(id)
}
/// Begin the checkout process (payment pending)
pub fn begin_checkout(&self, id: CartId) -> Result<Cart> {
self.db.carts().begin_checkout(id)
}
/// Complete the checkout and create an order
///
/// # Example
///
/// ```rust,no_run
/// use stateset_embedded::Commerce;
/// use uuid::Uuid;
///
/// let commerce = Commerce::new("./store.db")?;
///
/// let result = commerce.carts().complete(Uuid::new_v4().into())?;
/// println!("Order ID: {}", result.order_id);
/// println!("Order Number: {}", result.order_number);
/// println!("Total Charged: {} {}", result.total_charged, result.currency);
/// # Ok::<(), stateset_embedded::CommerceError>(())
/// ```
pub fn complete(&self, id: CartId) -> Result<CheckoutResult> {
let result = self.db.carts().complete(id)?;
self.metrics.record_cart_checkout_completed(
&result.cart_id.to_string(),
&result.order_id.to_string(),
);
Ok(result)
}
/// Cancel the cart
pub fn cancel(&self, id: CartId) -> Result<Cart> {
self.db.carts().cancel(id)
}
/// Mark the cart as abandoned
pub fn abandon(&self, id: CartId) -> Result<Cart> {
self.db.carts().abandon(id)
}
/// Expire the cart
pub fn expire(&self, id: CartId) -> Result<Cart> {
self.db.carts().expire(id)
}
// === Inventory Operations ===
/// Reserve inventory for cart items
///
/// Creates inventory reservations for all items in the cart.
/// Reservations typically expire after 15 minutes.
pub fn reserve_inventory(&self, id: CartId) -> Result<Cart> {
self.db.carts().reserve_inventory(id)
}
/// Release inventory reservations for the cart
pub fn release_inventory(&self, id: CartId) -> Result<Cart> {
self.db.carts().release_inventory(id)
}
// === Totals Operations ===
/// Recalculate cart totals
pub fn recalculate(&self, id: CartId) -> Result<Cart> {
self.db.carts().recalculate(id)
}
/// Set the tax amount for the cart
pub fn set_tax(&self, id: CartId, tax_amount: Decimal) -> Result<Cart> {
self.db.carts().set_tax(id, tax_amount)
}
// === Query Operations ===
/// Get abandoned carts (for recovery campaigns)
pub fn get_abandoned(&self) -> Result<Vec<Cart>> {
self.db.carts().get_abandoned()
}
/// Get expired carts
pub fn get_expired(&self) -> Result<Vec<Cart>> {
self.db.carts().get_expired()
}
/// Count carts matching a filter
pub fn count(&self, filter: CartFilter) -> Result<u64> {
self.db.carts().count(filter)
}
}