279 lines
8.8 KiB
Go
279 lines
8.8 KiB
Go
package main
|
|
|
|
import (
|
|
"context"
|
|
"fmt"
|
|
"log"
|
|
"net"
|
|
"os"
|
|
|
|
"microservices-demo/src/internal"
|
|
|
|
"github.com/google/uuid"
|
|
"google.golang.org/grpc"
|
|
"google.golang.org/grpc/codes"
|
|
"google.golang.org/grpc/status"
|
|
|
|
pb "checkoutservice/genproto"
|
|
money "checkoutservice/money"
|
|
)
|
|
|
|
const (
|
|
listenPort = "5050"
|
|
usdCurrency = "USD"
|
|
)
|
|
|
|
type checkoutService struct {
|
|
productCatalogSvcAddr string
|
|
cartSvcAddr string
|
|
currencySvcAddr string
|
|
shippingSvcAddr string
|
|
emailSvcAddr string
|
|
paymentSvcAddr string
|
|
}
|
|
|
|
func main() {
|
|
port := listenPort
|
|
if os.Getenv("PORT") != "" {
|
|
port = os.Getenv("PORT")
|
|
}
|
|
|
|
svc := new(checkoutService)
|
|
mustMapEnv(&svc.shippingSvcAddr, "SHIPPING_SERVICE_ADDR")
|
|
mustMapEnv(&svc.productCatalogSvcAddr, "PRODUCT_CATALOG_SERVICE_ADDR")
|
|
mustMapEnv(&svc.cartSvcAddr, "CART_SERVICE_ADDR")
|
|
mustMapEnv(&svc.currencySvcAddr, "CURRENCY_SERVICE_ADDR")
|
|
mustMapEnv(&svc.emailSvcAddr, "EMAIL_SERVICE_ADDR")
|
|
mustMapEnv(&svc.paymentSvcAddr, "PAYMENT_SERVICE_ADDR")
|
|
|
|
log.Printf("service config: %+v", svc)
|
|
|
|
lis, err := net.Listen("tcp", fmt.Sprintf(":%s", port))
|
|
if err != nil {
|
|
log.Fatal(err)
|
|
}
|
|
srv := grpc.NewServer(internal.DefaultServerOptions()...)
|
|
pb.RegisterCheckoutServiceServer(srv, svc)
|
|
log.Printf("starting to listen on tcp: %q", lis.Addr().String())
|
|
log.Fatal(srv.Serve(lis))
|
|
}
|
|
|
|
func mustMapEnv(target *string, envKey string) {
|
|
v := os.Getenv(envKey)
|
|
if v == "" {
|
|
panic(fmt.Sprintf("environment variable %q not set", envKey))
|
|
}
|
|
*target = v
|
|
}
|
|
|
|
func (cs *checkoutService) PlaceOrder(ctx context.Context, req *pb.PlaceOrderRequest) (*pb.PlaceOrderResponse, error) {
|
|
log.Printf("[PlaceOrder] user_id=%q user_currency=%q", req.UserId, req.UserCurrency)
|
|
|
|
orderID, err := uuid.NewUUID()
|
|
if err != nil {
|
|
return nil, status.Errorf(codes.Internal, "failed to generate order uuid")
|
|
}
|
|
|
|
prep, err := cs.prepareOrderItemsAndShippingQuoteFromCart(ctx, req.UserId, req.UserCurrency, req.Address)
|
|
if err != nil {
|
|
return nil, status.Errorf(codes.Internal, err.Error())
|
|
}
|
|
|
|
total := pb.Money{CurrencyCode: req.UserCurrency,
|
|
Units: 0,
|
|
Nanos: 0}
|
|
total = money.Must(money.Sum(total, *prep.shippingCostLocalized))
|
|
for _, it := range prep.orderItems {
|
|
total = money.Must(money.Sum(total, *it.Cost))
|
|
}
|
|
|
|
txID, err := cs.chargeCard(ctx, &total, req.CreditCard)
|
|
if err != nil {
|
|
return nil, status.Errorf(codes.Internal, "failed to charge card: %+v", err)
|
|
}
|
|
log.Printf("payment went through (transaction_id: %s)", txID)
|
|
|
|
shippingTrackingID, err := cs.shipOrder(ctx, req.Address, prep.cartItems)
|
|
if err != nil {
|
|
return nil, status.Errorf(codes.Unavailable, "shipping error: %+v", err)
|
|
}
|
|
|
|
_ = cs.emptyUserCart(ctx, req.UserId)
|
|
|
|
orderResult := &pb.OrderResult{
|
|
OrderId: orderID.String(),
|
|
ShippingTrackingId: shippingTrackingID,
|
|
ShippingCost: prep.shippingCostLocalized,
|
|
ShippingAddress: req.Address,
|
|
Items: prep.orderItems,
|
|
}
|
|
|
|
if err := cs.sendOrderConfirmation(ctx, req.Email, orderResult); err != nil {
|
|
log.Printf("failed to send order confirmation to %q: %+v", req.Email, err)
|
|
} else {
|
|
log.Printf("order confirmation email sent to %q", req.Email)
|
|
}
|
|
resp := &pb.PlaceOrderResponse{Order: orderResult}
|
|
return resp, nil
|
|
}
|
|
|
|
type orderPrep struct {
|
|
orderItems []*pb.OrderItem
|
|
cartItems []*pb.CartItem
|
|
shippingCostLocalized *pb.Money
|
|
}
|
|
|
|
func (cs *checkoutService) prepareOrderItemsAndShippingQuoteFromCart(ctx context.Context, userID, userCurrency string, address *pb.Address) (orderPrep, error) {
|
|
var out orderPrep
|
|
cartItems, err := cs.getUserCart(ctx, userID)
|
|
if err != nil {
|
|
return out, fmt.Errorf("cart failure: %+v", err)
|
|
}
|
|
orderItems, err := cs.prepOrderItems(ctx, cartItems, userCurrency)
|
|
if err != nil {
|
|
return out, fmt.Errorf("failed to prepare order: %+v", err)
|
|
}
|
|
shippingUSD, err := cs.quoteShipping(ctx, address, cartItems)
|
|
if err != nil {
|
|
return out, fmt.Errorf("shipping quote failure: %+v", err)
|
|
}
|
|
shippingPrice, err := cs.convertCurrency(ctx, shippingUSD, userCurrency)
|
|
if err != nil {
|
|
return out, fmt.Errorf("failed to convert shipping cost to currency: %+v", err)
|
|
}
|
|
|
|
out.shippingCostLocalized = shippingPrice
|
|
out.cartItems = cartItems
|
|
out.orderItems = orderItems
|
|
return out, nil
|
|
}
|
|
|
|
func (cs *checkoutService) quoteShipping(ctx context.Context, address *pb.Address, items []*pb.CartItem) (*pb.Money, error) {
|
|
conn, err := grpc.DialContext(ctx, cs.shippingSvcAddr, internal.DefaultDialOptions()...)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("could not connect shipping service: %+v", err)
|
|
}
|
|
defer conn.Close()
|
|
|
|
shippingQuote, err := pb.NewShippingServiceClient(conn).
|
|
GetQuote(ctx, &pb.GetQuoteRequest{
|
|
Address: address,
|
|
Items: items})
|
|
if err != nil {
|
|
return nil, fmt.Errorf("failed to get shipping quote: %+v", err)
|
|
}
|
|
return shippingQuote.GetCostUsd(), nil
|
|
}
|
|
|
|
func (cs *checkoutService) getUserCart(ctx context.Context, userID string) ([]*pb.CartItem, error) {
|
|
conn, err := grpc.DialContext(ctx, cs.cartSvcAddr, internal.DefaultDialOptions()...)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("could not connect cart service: %+v", err)
|
|
}
|
|
defer conn.Close()
|
|
|
|
cart, err := pb.NewCartServiceClient(conn).GetCart(ctx, &pb.GetCartRequest{UserId: userID})
|
|
if err != nil {
|
|
return nil, fmt.Errorf("failed to get user cart during checkout: %+v", err)
|
|
}
|
|
return cart.GetItems(), nil
|
|
}
|
|
|
|
func (cs *checkoutService) emptyUserCart(ctx context.Context, userID string) error {
|
|
conn, err := grpc.DialContext(ctx, cs.cartSvcAddr, internal.DefaultDialOptions()...)
|
|
if err != nil {
|
|
return fmt.Errorf("could not connect cart service: %+v", err)
|
|
}
|
|
defer conn.Close()
|
|
|
|
if _, err = pb.NewCartServiceClient(conn).EmptyCart(ctx, &pb.EmptyCartRequest{UserId: userID}); err != nil {
|
|
return fmt.Errorf("failed to empty user cart during checkout: %+v", err)
|
|
}
|
|
return nil
|
|
}
|
|
|
|
func (cs *checkoutService) prepOrderItems(ctx context.Context, items []*pb.CartItem, userCurrency string) ([]*pb.OrderItem, error) {
|
|
out := make([]*pb.OrderItem, len(items))
|
|
|
|
conn, err := grpc.DialContext(ctx, cs.productCatalogSvcAddr, internal.DefaultDialOptions()...)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("could not connect product catalog service: %+v", err)
|
|
}
|
|
defer conn.Close()
|
|
cl := pb.NewProductCatalogServiceClient(conn)
|
|
|
|
for i, item := range items {
|
|
product, err := cl.GetProduct(ctx, &pb.GetProductRequest{Id: item.GetProductId()})
|
|
if err != nil {
|
|
return nil, fmt.Errorf("failed to get product #%q", item.GetProductId())
|
|
}
|
|
price, err := cs.convertCurrency(ctx, product.GetPriceUsd(), userCurrency)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("failed to convert price of %q to %s", item.GetProductId(), userCurrency)
|
|
}
|
|
out[i] = &pb.OrderItem{
|
|
Item: item,
|
|
Cost: price}
|
|
}
|
|
return out, nil
|
|
}
|
|
|
|
func (cs *checkoutService) convertCurrency(ctx context.Context, from *pb.Money, toCurrency string) (*pb.Money, error) {
|
|
conn, err := grpc.DialContext(ctx, cs.currencySvcAddr, internal.DefaultDialOptions()...)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("could not connect currency service: %+v", err)
|
|
}
|
|
defer conn.Close()
|
|
result, err := pb.NewCurrencyServiceClient(conn).Convert(context.TODO(), &pb.CurrencyConversionRequest{
|
|
From: from,
|
|
ToCode: toCurrency})
|
|
if err != nil {
|
|
return nil, fmt.Errorf("failed to convert currency: %+v", err)
|
|
}
|
|
return result, err
|
|
}
|
|
|
|
func (cs *checkoutService) chargeCard(ctx context.Context, amount *pb.Money, paymentInfo *pb.CreditCardInfo) (string, error) {
|
|
conn, err := grpc.DialContext(ctx, cs.paymentSvcAddr, internal.DefaultDialOptions()...)
|
|
if err != nil {
|
|
return "", fmt.Errorf("failed to connect payment service: %+v", err)
|
|
}
|
|
defer conn.Close()
|
|
|
|
paymentResp, err := pb.NewPaymentServiceClient(conn).Charge(ctx, &pb.ChargeRequest{
|
|
Amount: amount,
|
|
CreditCard: paymentInfo})
|
|
if err != nil {
|
|
return "", fmt.Errorf("could not charge the card: %+v", err)
|
|
}
|
|
return paymentResp.GetTransactionId(), nil
|
|
}
|
|
|
|
func (cs *checkoutService) sendOrderConfirmation(ctx context.Context, email string, order *pb.OrderResult) error {
|
|
conn, err := grpc.DialContext(ctx, cs.emailSvcAddr, internal.DefaultDialOptions()...)
|
|
if err != nil {
|
|
return fmt.Errorf("failed to connect email service: %+v", err)
|
|
}
|
|
defer conn.Close()
|
|
_, err = pb.NewEmailServiceClient(conn).SendOrderConfirmation(ctx, &pb.SendOrderConfirmationRequest{
|
|
Email: email,
|
|
Order: order})
|
|
return err
|
|
}
|
|
|
|
func (cs *checkoutService) shipOrder(ctx context.Context, address *pb.Address, items []*pb.CartItem) (string, error) {
|
|
conn, err := grpc.DialContext(ctx, cs.shippingSvcAddr, internal.DefaultDialOptions()...)
|
|
if err != nil {
|
|
return "", fmt.Errorf("failed to connect email service: %+v", err)
|
|
}
|
|
defer conn.Close()
|
|
resp, err := pb.NewShippingServiceClient(conn).ShipOrder(ctx, &pb.ShipOrderRequest{
|
|
Address: address,
|
|
Items: items})
|
|
if err != nil {
|
|
return "", fmt.Errorf("shipment failed: %+v", err)
|
|
}
|
|
return resp.GetTrackingId(), nil
|
|
}
|
|
|
|
// TODO: Dial and create client once, reuse.
|