feat(web): add F+O Combined toggle to positioning dashboard
- analytics.py: add _cot_table() helper; add combined=False param to get_cot_positioning_time_series(), get_cot_positioning_latest(), get_cot_index_trend(); add get_cot_options_delta() for MM net delta between combined and futures-only - dashboard/routes.py: read ?type=fut|combined param; pass combined flag to analytics calls; conditionally fetch options_delta when combined - api/routes.py: add ?type= param to /positioning and /positioning/latest endpoints; returned JSON includes type field - positioning.html: add report type pill group (Futures / F+O Combined) with setType() JS; setRange() and popstate now preserve the type param - positioning_canvas.html: sync type pills on HTMX swap; show Opt Δ badge on MM Net card when combined+options_delta available; conditional chart title and subtitle reflect which report variant is shown Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com>
This commit is contained in:
@@ -302,17 +302,23 @@ def _validate_cot_metrics(metrics: list[str]) -> list[str]:
|
|||||||
return valid
|
return valid
|
||||||
|
|
||||||
|
|
||||||
|
def _cot_table(combined: bool) -> str:
|
||||||
|
return "serving.cot_positioning_combined" if combined else "serving.cot_positioning"
|
||||||
|
|
||||||
|
|
||||||
async def get_cot_positioning_time_series(
|
async def get_cot_positioning_time_series(
|
||||||
cftc_commodity_code: str,
|
cftc_commodity_code: str,
|
||||||
metrics: list[str],
|
metrics: list[str],
|
||||||
start_date: str | None = None,
|
start_date: str | None = None,
|
||||||
end_date: str | None = None,
|
end_date: str | None = None,
|
||||||
limit: int = 520,
|
limit: int = 520,
|
||||||
|
combined: bool = False,
|
||||||
) -> list[dict]:
|
) -> list[dict]:
|
||||||
"""Weekly COT positioning time series. limit defaults to ~10 years of weekly data."""
|
"""Weekly COT positioning time series. limit defaults to ~10 years of weekly data."""
|
||||||
assert 1 <= limit <= 2000, "limit must be between 1 and 2000"
|
assert 1 <= limit <= 2000, "limit must be between 1 and 2000"
|
||||||
metrics = _validate_cot_metrics(metrics)
|
metrics = _validate_cot_metrics(metrics)
|
||||||
cols = ", ".join(metrics)
|
cols = ", ".join(metrics)
|
||||||
|
table = _cot_table(combined)
|
||||||
|
|
||||||
where_parts = ["cftc_commodity_code = ?"]
|
where_parts = ["cftc_commodity_code = ?"]
|
||||||
params: list = [cftc_commodity_code]
|
params: list = [cftc_commodity_code]
|
||||||
@@ -329,7 +335,7 @@ async def get_cot_positioning_time_series(
|
|||||||
return await fetch_analytics(
|
return await fetch_analytics(
|
||||||
f"""
|
f"""
|
||||||
SELECT report_date, {cols}
|
SELECT report_date, {cols}
|
||||||
FROM serving.cot_positioning
|
FROM {table}
|
||||||
WHERE {where_clause}
|
WHERE {where_clause}
|
||||||
ORDER BY report_date ASC
|
ORDER BY report_date ASC
|
||||||
LIMIT ?
|
LIMIT ?
|
||||||
@@ -338,12 +344,13 @@ async def get_cot_positioning_time_series(
|
|||||||
)
|
)
|
||||||
|
|
||||||
|
|
||||||
async def get_cot_positioning_latest(cftc_commodity_code: str) -> dict | None:
|
async def get_cot_positioning_latest(cftc_commodity_code: str, combined: bool = False) -> dict | None:
|
||||||
"""Latest week's full COT positioning snapshot."""
|
"""Latest week's full COT positioning snapshot."""
|
||||||
|
table = _cot_table(combined)
|
||||||
rows = await fetch_analytics(
|
rows = await fetch_analytics(
|
||||||
"""
|
f"""
|
||||||
SELECT *
|
SELECT *
|
||||||
FROM serving.cot_positioning
|
FROM {table}
|
||||||
WHERE cftc_commodity_code = ?
|
WHERE cftc_commodity_code = ?
|
||||||
ORDER BY report_date DESC
|
ORDER BY report_date DESC
|
||||||
LIMIT 1
|
LIMIT 1
|
||||||
@@ -356,14 +363,16 @@ async def get_cot_positioning_latest(cftc_commodity_code: str) -> dict | None:
|
|||||||
async def get_cot_index_trend(
|
async def get_cot_index_trend(
|
||||||
cftc_commodity_code: str,
|
cftc_commodity_code: str,
|
||||||
weeks: int = 104,
|
weeks: int = 104,
|
||||||
|
combined: bool = False,
|
||||||
) -> list[dict]:
|
) -> list[dict]:
|
||||||
"""COT Index time series (26w and 52w) for the trailing N weeks."""
|
"""COT Index time series (26w and 52w) for the trailing N weeks."""
|
||||||
assert 1 <= weeks <= 1040, "weeks must be between 1 and 1040"
|
assert 1 <= weeks <= 1040, "weeks must be between 1 and 1040"
|
||||||
|
table = _cot_table(combined)
|
||||||
return await fetch_analytics(
|
return await fetch_analytics(
|
||||||
"""
|
f"""
|
||||||
SELECT report_date, cot_index_26w, cot_index_52w,
|
SELECT report_date, cot_index_26w, cot_index_52w,
|
||||||
managed_money_net, managed_money_net_pct_of_oi
|
managed_money_net, managed_money_net_pct_of_oi
|
||||||
FROM serving.cot_positioning
|
FROM {table}
|
||||||
WHERE cftc_commodity_code = ?
|
WHERE cftc_commodity_code = ?
|
||||||
ORDER BY report_date DESC
|
ORDER BY report_date DESC
|
||||||
LIMIT ?
|
LIMIT ?
|
||||||
@@ -372,6 +381,30 @@ async def get_cot_index_trend(
|
|||||||
)
|
)
|
||||||
|
|
||||||
|
|
||||||
|
async def get_cot_options_delta(cftc_commodity_code: str) -> dict | None:
|
||||||
|
"""Latest managed_money_net difference between combined and futures-only reports.
|
||||||
|
|
||||||
|
Shows whether the options book is reinforcing (same direction) or hedging
|
||||||
|
(opposite direction) the futures position. Returns None if either table
|
||||||
|
has no data.
|
||||||
|
"""
|
||||||
|
rows = await fetch_analytics(
|
||||||
|
"""
|
||||||
|
SELECT f.report_date,
|
||||||
|
f.managed_money_net AS fut_net,
|
||||||
|
c.managed_money_net AS combined_net,
|
||||||
|
c.managed_money_net - f.managed_money_net AS options_delta
|
||||||
|
FROM serving.cot_positioning f
|
||||||
|
JOIN serving.cot_positioning_combined c USING (report_date)
|
||||||
|
WHERE f.cftc_commodity_code = ?
|
||||||
|
ORDER BY f.report_date DESC
|
||||||
|
LIMIT 1
|
||||||
|
""",
|
||||||
|
[cftc_commodity_code],
|
||||||
|
)
|
||||||
|
return rows[0] if rows else None
|
||||||
|
|
||||||
|
|
||||||
# =============================================================================
|
# =============================================================================
|
||||||
# Coffee Prices Queries
|
# Coffee Prices Queries
|
||||||
# =============================================================================
|
# =============================================================================
|
||||||
|
|||||||
@@ -172,6 +172,7 @@ async def commodity_positioning(code: str):
|
|||||||
start_date — ISO date filter (YYYY-MM-DD)
|
start_date — ISO date filter (YYYY-MM-DD)
|
||||||
end_date — ISO date filter (YYYY-MM-DD)
|
end_date — ISO date filter (YYYY-MM-DD)
|
||||||
limit — max rows returned (default 260, max 2000)
|
limit — max rows returned (default 260, max 2000)
|
||||||
|
type — report variant: "fut" (futures-only, default) or "combined" (futures+options)
|
||||||
"""
|
"""
|
||||||
raw_metrics = request.args.getlist("metrics") or [
|
raw_metrics = request.args.getlist("metrics") or [
|
||||||
"managed_money_net", "prod_merc_net", "open_interest", "cot_index_26w"
|
"managed_money_net", "prod_merc_net", "open_interest", "cot_index_26w"
|
||||||
@@ -183,19 +184,27 @@ async def commodity_positioning(code: str):
|
|||||||
start_date = request.args.get("start_date")
|
start_date = request.args.get("start_date")
|
||||||
end_date = request.args.get("end_date")
|
end_date = request.args.get("end_date")
|
||||||
limit = min(int(request.args.get("limit", 260)), 2000)
|
limit = min(int(request.args.get("limit", 260)), 2000)
|
||||||
|
cot_type = request.args.get("type", "fut")
|
||||||
|
combined = cot_type == "combined"
|
||||||
|
|
||||||
data = await analytics.get_cot_positioning_time_series(code, metrics, start_date, end_date, limit)
|
data = await analytics.get_cot_positioning_time_series(code, metrics, start_date, end_date, limit, combined=combined)
|
||||||
return jsonify({"cftc_commodity_code": code, "metrics": metrics, "data": data})
|
return jsonify({"cftc_commodity_code": code, "type": cot_type, "metrics": metrics, "data": data})
|
||||||
|
|
||||||
|
|
||||||
@bp.route("/commodities/<code>/positioning/latest")
|
@bp.route("/commodities/<code>/positioning/latest")
|
||||||
@api_key_required(scopes=["read"])
|
@api_key_required(scopes=["read"])
|
||||||
async def commodity_positioning_latest(code: str):
|
async def commodity_positioning_latest(code: str):
|
||||||
"""Latest week's full COT positioning snapshot for a commodity."""
|
"""Latest week's full COT positioning snapshot for a commodity.
|
||||||
data = await analytics.get_cot_positioning_latest(code)
|
|
||||||
|
Query params:
|
||||||
|
type — report variant: "fut" (futures-only, default) or "combined" (futures+options)
|
||||||
|
"""
|
||||||
|
cot_type = request.args.get("type", "fut")
|
||||||
|
combined = cot_type == "combined"
|
||||||
|
data = await analytics.get_cot_positioning_latest(code, combined=combined)
|
||||||
if not data:
|
if not data:
|
||||||
return jsonify({"error": "No positioning data found for this commodity"}), 404
|
return jsonify({"error": "No positioning data found for this commodity"}), 404
|
||||||
return jsonify({"cftc_commodity_code": code, "data": data})
|
return jsonify({"cftc_commodity_code": code, "type": cot_type, "data": data})
|
||||||
|
|
||||||
|
|
||||||
@bp.route("/commodities/<code>/prices")
|
@bp.route("/commodities/<code>/prices")
|
||||||
|
|||||||
@@ -257,30 +257,45 @@ async def positioning():
|
|||||||
if range_key not in RANGE_MAP:
|
if range_key not in RANGE_MAP:
|
||||||
range_key = "1y"
|
range_key = "1y"
|
||||||
|
|
||||||
|
cot_type = request.args.get("type", "fut")
|
||||||
|
if cot_type not in ("fut", "combined"):
|
||||||
|
cot_type = "fut"
|
||||||
|
combined = cot_type == "combined"
|
||||||
|
|
||||||
rng = RANGE_MAP[range_key]
|
rng = RANGE_MAP[range_key]
|
||||||
price_limit = rng["days"]
|
price_limit = rng["days"]
|
||||||
cot_weeks = rng["weeks"]
|
cot_weeks = rng["weeks"]
|
||||||
|
|
||||||
|
options_delta = None
|
||||||
if analytics._db_path:
|
if analytics._db_path:
|
||||||
results = await asyncio.gather(
|
gather_coros = [
|
||||||
analytics.get_price_latest(analytics.COFFEE_TICKER),
|
analytics.get_price_latest(analytics.COFFEE_TICKER),
|
||||||
analytics.get_price_time_series(analytics.COFFEE_TICKER, limit=price_limit),
|
analytics.get_price_time_series(analytics.COFFEE_TICKER, limit=price_limit),
|
||||||
analytics.get_cot_positioning_latest(analytics.COFFEE_CFTC_CODE),
|
analytics.get_cot_positioning_latest(analytics.COFFEE_CFTC_CODE, combined=combined),
|
||||||
analytics.get_cot_index_trend(analytics.COFFEE_CFTC_CODE, weeks=cot_weeks),
|
analytics.get_cot_index_trend(analytics.COFFEE_CFTC_CODE, weeks=cot_weeks, combined=combined),
|
||||||
return_exceptions=True,
|
]
|
||||||
)
|
if combined:
|
||||||
defaults = [None, [], None, []]
|
gather_coros.append(analytics.get_cot_options_delta(analytics.COFFEE_CFTC_CODE))
|
||||||
price_latest, price_series, cot_latest, cot_trend = _safe(results, defaults)
|
|
||||||
|
results = await asyncio.gather(*gather_coros, return_exceptions=True)
|
||||||
|
defaults = [None, [], None, [], None] if combined else [None, [], None, []]
|
||||||
|
safe_results = _safe(results, defaults)
|
||||||
|
|
||||||
|
price_latest, price_series, cot_latest, cot_trend = safe_results[:4]
|
||||||
|
if combined:
|
||||||
|
options_delta = safe_results[4]
|
||||||
else:
|
else:
|
||||||
price_latest, price_series, cot_latest, cot_trend = None, [], None, []
|
price_latest, price_series, cot_latest, cot_trend = None, [], None, []
|
||||||
|
|
||||||
ctx = dict(
|
ctx = dict(
|
||||||
plan=plan,
|
plan=plan,
|
||||||
range_key=range_key,
|
range_key=range_key,
|
||||||
|
cot_type=cot_type,
|
||||||
price_latest=price_latest,
|
price_latest=price_latest,
|
||||||
price_series=price_series,
|
price_series=price_series,
|
||||||
cot_latest=cot_latest,
|
cot_latest=cot_latest,
|
||||||
cot_trend=cot_trend,
|
cot_trend=cot_trend,
|
||||||
|
options_delta=options_delta,
|
||||||
)
|
)
|
||||||
|
|
||||||
if request.headers.get("HX-Request"):
|
if request.headers.get("HX-Request"):
|
||||||
|
|||||||
@@ -37,6 +37,15 @@
|
|||||||
{% endfor %}
|
{% endfor %}
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
|
<!-- Report type toggle -->
|
||||||
|
<div class="filter-pills" id="type-pills" style="margin-left: 1.5rem; border-left: 1px solid var(--color-parchment); padding-left: 1.5rem;">
|
||||||
|
{% for val, label in [("fut", "Futures"), ("combined", "F+O Combined")] %}
|
||||||
|
<button type="button"
|
||||||
|
class="filter-pill {{ 'active' if cot_type == val }}"
|
||||||
|
onclick="setType('{{ val }}')">{{ label }}</button>
|
||||||
|
{% endfor %}
|
||||||
|
</div>
|
||||||
|
|
||||||
<!-- MA toggles (client-side only) -->
|
<!-- MA toggles (client-side only) -->
|
||||||
<label class="filter-check">
|
<label class="filter-check">
|
||||||
<input type="checkbox" id="ma20-toggle" checked onchange="toggleMA('sma20')"> 20d MA
|
<input type="checkbox" id="ma20-toggle" checked onchange="toggleMA('sma20')"> 20d MA
|
||||||
@@ -57,15 +66,32 @@
|
|||||||
<script>
|
<script>
|
||||||
var POSITIONING_URL = '{{ url_for("dashboard.positioning") }}';
|
var POSITIONING_URL = '{{ url_for("dashboard.positioning") }}';
|
||||||
var currentRange = {{ range_key | tojson }};
|
var currentRange = {{ range_key | tojson }};
|
||||||
|
var currentType = {{ cot_type | tojson }};
|
||||||
|
|
||||||
|
function _positioningUrl() {
|
||||||
|
return POSITIONING_URL + '?range=' + currentRange + '&type=' + currentType;
|
||||||
|
}
|
||||||
|
|
||||||
function setRange(val) {
|
function setRange(val) {
|
||||||
currentRange = val;
|
currentRange = val;
|
||||||
var url = POSITIONING_URL + '?range=' + currentRange;
|
var url = _positioningUrl();
|
||||||
window.history.pushState({}, '', url);
|
window.history.pushState({}, '', url);
|
||||||
document.getElementById('positioning-canvas').classList.add('canvas-loading');
|
document.getElementById('positioning-canvas').classList.add('canvas-loading');
|
||||||
htmx.ajax('GET', url, { target: '#positioning-canvas', swap: 'innerHTML' });
|
htmx.ajax('GET', url, { target: '#positioning-canvas', swap: 'innerHTML' });
|
||||||
}
|
}
|
||||||
|
|
||||||
|
function setType(val) {
|
||||||
|
currentType = val;
|
||||||
|
var url = _positioningUrl();
|
||||||
|
window.history.pushState({}, '', url);
|
||||||
|
document.getElementById('positioning-canvas').classList.add('canvas-loading');
|
||||||
|
htmx.ajax('GET', url, { target: '#positioning-canvas', swap: 'innerHTML' });
|
||||||
|
// Sync type pill active state immediately (canvas swap will also re-sync)
|
||||||
|
document.querySelectorAll('#type-pills .filter-pill').forEach(function (btn) {
|
||||||
|
btn.classList.toggle('active', btn.textContent.trim() === (val === 'combined' ? 'F+O Combined' : 'Futures'));
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
// MA toggles: client-side only — update Chart.js dataset visibility
|
// MA toggles: client-side only — update Chart.js dataset visibility
|
||||||
function toggleMA(key) {
|
function toggleMA(key) {
|
||||||
var chart = Chart.getChart('priceChart');
|
var chart = Chart.getChart('priceChart');
|
||||||
@@ -93,7 +119,8 @@ document.addEventListener('htmx:afterSwap', function (e) {
|
|||||||
window.addEventListener('popstate', function () {
|
window.addEventListener('popstate', function () {
|
||||||
var p = new URLSearchParams(window.location.search);
|
var p = new URLSearchParams(window.location.search);
|
||||||
currentRange = p.get('range') || '1y';
|
currentRange = p.get('range') || '1y';
|
||||||
var url = POSITIONING_URL + '?range=' + currentRange;
|
currentType = p.get('type') || 'fut';
|
||||||
|
var url = _positioningUrl();
|
||||||
document.getElementById('positioning-canvas').classList.add('canvas-loading');
|
document.getElementById('positioning-canvas').classList.add('canvas-loading');
|
||||||
htmx.ajax('GET', url, { target: '#positioning-canvas', swap: 'innerHTML' });
|
htmx.ajax('GET', url, { target: '#positioning-canvas', swap: 'innerHTML' });
|
||||||
});
|
});
|
||||||
|
|||||||
@@ -19,11 +19,16 @@
|
|||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div class="metric-card">
|
<div class="metric-card">
|
||||||
<div class="metric-label">MM Net Position</div>
|
<div class="metric-label">MM Net Position{% if cot_type == "combined" %} <span style="font-size:0.7em;opacity:0.7">F+O</span>{% endif %}</div>
|
||||||
<div class="metric-value {% if cot_latest and cot_latest.managed_money_net > 0 %}text-bean-green{% elif cot_latest and cot_latest.managed_money_net < 0 %}text-danger{% endif %}">
|
<div class="metric-value {% if cot_latest and cot_latest.managed_money_net > 0 %}text-bean-green{% elif cot_latest and cot_latest.managed_money_net < 0 %}text-danger{% endif %}">
|
||||||
{% if cot_latest %}{{ "{:+,d}".format(cot_latest.managed_money_net | int) }}{% else %}--{% endif %}
|
{% if cot_latest %}{{ "{:+,d}".format(cot_latest.managed_money_net | int) }}{% else %}--{% endif %}
|
||||||
</div>
|
</div>
|
||||||
<div class="metric-sub">contracts (long − short)</div>
|
<div class="metric-sub">contracts (long − short)</div>
|
||||||
|
{% if options_delta %}
|
||||||
|
<div class="metric-sub" style="font-family: 'Commit Mono', ui-monospace, monospace; margin-top: 0.25rem; {{ 'color: var(--color-bean-green)' if options_delta.options_delta > 0 else 'color: var(--color-copper)' }}">
|
||||||
|
Opt Δ: {{ "{:+,d}".format(options_delta.options_delta | int) }}
|
||||||
|
</div>
|
||||||
|
{% endif %}
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div class="metric-card">
|
<div class="metric-card">
|
||||||
@@ -64,8 +69,8 @@
|
|||||||
<div class="cc-chart-card">
|
<div class="cc-chart-card">
|
||||||
<div class="cc-chart-top">
|
<div class="cc-chart-top">
|
||||||
<div>
|
<div>
|
||||||
<div class="cc-chart-title">Managed Money Net Position + COT Index</div>
|
<div class="cc-chart-title">Managed Money Net Position{{ " (F+O Combined)" if cot_type == "combined" else "" }} + COT Index</div>
|
||||||
<div class="cc-chart-meta">CFTC Commitment of Traders · weekly · area = net contracts · dashed = COT index (0–100)</div>
|
<div class="cc-chart-meta">CFTC Commitment of Traders · weekly · {{ "futures + options delta-adjusted" if cot_type == "combined" else "futures only" }} · area = net contracts · dashed = COT index (0–100)</div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
<div class="cc-chart-body">
|
<div class="cc-chart-body">
|
||||||
@@ -94,13 +99,21 @@
|
|||||||
<script>
|
<script>
|
||||||
(function () {
|
(function () {
|
||||||
var range = {{ range_key | tojson }};
|
var range = {{ range_key | tojson }};
|
||||||
|
var cotType = {{ cot_type | tojson }};
|
||||||
|
|
||||||
// Sync range pills
|
// Sync range pills
|
||||||
document.querySelectorAll('#range-pills .filter-pill').forEach(function (btn) {
|
document.querySelectorAll('#range-pills .filter-pill').forEach(function (btn) {
|
||||||
btn.classList.toggle('active', btn.textContent.trim().toLowerCase() === range);
|
btn.classList.toggle('active', btn.textContent.trim().toLowerCase() === range);
|
||||||
});
|
});
|
||||||
|
|
||||||
|
// Sync type pills
|
||||||
|
document.querySelectorAll('#type-pills .filter-pill').forEach(function (btn) {
|
||||||
|
var label = cotType === 'combined' ? 'F+O Combined' : 'Futures';
|
||||||
|
btn.classList.toggle('active', btn.textContent.trim() === label);
|
||||||
|
});
|
||||||
|
|
||||||
if (typeof currentRange !== 'undefined') currentRange = range;
|
if (typeof currentRange !== 'undefined') currentRange = range;
|
||||||
|
if (typeof currentType !== 'undefined') currentType = cotType;
|
||||||
|
|
||||||
var C = {
|
var C = {
|
||||||
copper: '#B45309', green: '#15803D', roast: '#4A2C1A', stone: '#78716C',
|
copper: '#B45309', green: '#15803D', roast: '#4A2C1A', stone: '#78716C',
|
||||||
|
|||||||
Reference in New Issue
Block a user