This repository has been archived on 2026-02-24. You can view files and clone it. You cannot open issues or pull requests or push a commit.
Files
market/app.py
giles 63778d9f20
All checks were successful
Build and Deploy / build-and-deploy (push) Successful in 45s
Fix cart quantities not showing on product list after page refresh
The context processor loaded cart items but only passed aggregates
(cart_count, cart_total) — not the cart list itself. Templates need
the full list to display per-product quantities.

Co-Authored-By: Claude Opus 4.6 <noreply@anthropic.com>
2026-02-15 21:40:48 +00:00

179 lines
5.4 KiB
Python

from __future__ import annotations
import path_setup # noqa: F401 # adds shared_lib to sys.path
from pathlib import Path
from quart import g, abort, render_template, make_response
from jinja2 import FileSystemLoader, ChoiceLoader
from sqlalchemy import select
from shared.infrastructure.factory import create_base_app
from shared.config import config
from bp import register_market_bp
async def market_context() -> dict:
"""
Market app context processor.
- menu_items: direct DB query via glue layer
- cart_count/cart_total: direct DB query (same shared DB)
"""
from shared.infrastructure.context import base_context
from glue.services.navigation import get_navigation_tree
from shared.infrastructure.cart_identity import current_cart_identity
from models.market import CartItem
from sqlalchemy.orm import selectinload
ctx = await base_context()
ctx["menu_items"] = await get_navigation_tree(g.s)
# Cart data: query shared DB directly (avoids stale cross-app API responses)
ident = current_cart_identity()
cart_filters = [CartItem.deleted_at.is_(None)]
if ident["user_id"] is not None:
cart_filters.append(CartItem.user_id == ident["user_id"])
else:
cart_filters.append(CartItem.session_id == ident["session_id"])
cart_result = await g.s.execute(
select(CartItem)
.where(*cart_filters)
.options(selectinload(CartItem.product))
)
cart_items = cart_result.scalars().all()
from bp.cart.services import total
ctx["cart"] = list(cart_items)
ctx["cart_count"] = sum(ci.quantity for ci in cart_items)
ctx["cart_total"] = total(cart_items) or 0
return ctx
def create_app() -> "Quart":
from models.market_place import MarketPlace
from blog.models.ghost_content import Post
app = create_base_app("market", context_fn=market_context)
# App-specific templates override shared templates
app_templates = str(Path(__file__).resolve().parent / "templates")
app.jinja_loader = ChoiceLoader([
FileSystemLoader(app_templates),
app.jinja_loader,
])
# Market blueprint nested under post slug: /<page_slug>/<market_slug>/
app.register_blueprint(
register_market_bp(
url_prefix="/",
title=config()["coop_title"],
),
url_prefix="/<page_slug>/<market_slug>",
)
# --- Auto-inject page_slug and market_slug into url_for() calls ---
@app.url_value_preprocessor
def pull_slugs(endpoint, values):
if values:
if "page_slug" in values:
g.post_slug = values.pop("page_slug")
if "market_slug" in values:
g.market_slug = values.pop("market_slug")
@app.url_defaults
def inject_slugs(endpoint, values):
for attr, param in [("post_slug", "page_slug"), ("market_slug", "market_slug")]:
val = g.get(attr)
if val and param not in values:
if app.url_map.is_endpoint_expecting(endpoint, param):
values[param] = val
# --- Load post and market data ---
@app.before_request
async def hydrate_market():
post_slug = getattr(g, "post_slug", None)
market_slug = getattr(g, "market_slug", None)
if not post_slug or not market_slug:
return
# Load post by slug
post = (
await g.s.execute(
select(Post).where(Post.slug == post_slug)
)
).scalar_one_or_none()
if not post:
abort(404)
g.post_data = {
"post": {
"id": post.id,
"title": post.title,
"slug": post.slug,
"feature_image": post.feature_image,
"html": post.html,
"status": post.status,
"visibility": post.visibility,
"is_page": post.is_page,
},
}
# Load market scoped to post (container pattern)
market = (
await g.s.execute(
select(MarketPlace).where(
MarketPlace.slug == market_slug,
MarketPlace.container_type == "page",
MarketPlace.container_id == post.id,
MarketPlace.deleted_at.is_(None),
)
)
).scalar_one_or_none()
if not market:
abort(404)
g.market = market
@app.context_processor
async def inject_post():
post_data = getattr(g, "post_data", None)
if not post_data:
return {}
return {**post_data}
# --- Root route: market listing ---
@app.get("/")
async def markets_listing():
rows = (
await g.s.execute(
select(MarketPlace, Post)
.join(
Post,
(MarketPlace.container_type == "page")
& (MarketPlace.container_id == Post.id),
)
.where(MarketPlace.deleted_at.is_(None))
.order_by(MarketPlace.name)
)
).all()
# Attach the joined post to each market for template access
markets = []
for market, post in rows:
market.page = post
markets.append(market)
html = await render_template(
"_types/market/markets_listing.html",
markets=markets,
)
return await make_response(html)
return app
app = create_app()