Add registry curation system with role-based moderation
Implement comprehensive moderation system for the CmdForge registry: - Role-based access control (user, moderator, admin) - Tool moderation workflow: pending → approved/rejected/removed - Tool visibility: public, private, unlisted - Publisher management: ban/unban with token revocation - Report resolution with configurable actions - Audit logging for all moderation actions Database changes: - Add role, banned columns to publishers table - Add visibility, moderation_status columns to tools table - Create audit_log table for accountability API additions: - Admin endpoints for tool moderation (approve/reject/remove) - Publisher management endpoints (ban/unban/role) - Report resolution endpoint - Audit log query endpoint Web UI: - Admin dashboard with stats overview - Pending tools queue with approve/reject - Publisher management with ban/role controls - Report queue with resolve actions - Role badge in dashboard sidebar Existing tools grandfathered as approved, all publishers default to user role. Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
This commit is contained in:
parent
b1d1a3692d
commit
946a5933b4
|
|
@ -311,7 +311,7 @@ def create_app() -> Flask:
|
||||||
row = query_one(
|
row = query_one(
|
||||||
g.db,
|
g.db,
|
||||||
"""
|
"""
|
||||||
SELECT t.*, p.slug, p.display_name
|
SELECT t.*, p.slug, p.display_name, p.role, p.banned, p.ban_reason
|
||||||
FROM api_tokens t
|
FROM api_tokens t
|
||||||
JOIN publishers p ON t.publisher_id = p.id
|
JOIN publishers p ON t.publisher_id = p.id
|
||||||
WHERE t.token_hash = ? AND t.revoked_at IS NULL
|
WHERE t.token_hash = ? AND t.revoked_at IS NULL
|
||||||
|
|
@ -321,6 +321,14 @@ def create_app() -> Flask:
|
||||||
if not row:
|
if not row:
|
||||||
return error_response("UNAUTHORIZED", "Invalid or revoked token", 401)
|
return error_response("UNAUTHORIZED", "Invalid or revoked token", 401)
|
||||||
|
|
||||||
|
# Check if publisher is banned
|
||||||
|
if row["banned"]:
|
||||||
|
return error_response(
|
||||||
|
"ACCOUNT_BANNED",
|
||||||
|
f"Your account has been banned: {row['ban_reason'] or 'No reason given'}",
|
||||||
|
403,
|
||||||
|
)
|
||||||
|
|
||||||
g.db.execute(
|
g.db.execute(
|
||||||
"UPDATE api_tokens SET last_used_at = ? WHERE id = ?",
|
"UPDATE api_tokens SET last_used_at = ? WHERE id = ?",
|
||||||
[datetime.utcnow().isoformat(), row["id"]],
|
[datetime.utcnow().isoformat(), row["id"]],
|
||||||
|
|
@ -329,6 +337,7 @@ def create_app() -> Flask:
|
||||||
"id": row["publisher_id"],
|
"id": row["publisher_id"],
|
||||||
"slug": row["slug"],
|
"slug": row["slug"],
|
||||||
"display_name": row["display_name"],
|
"display_name": row["display_name"],
|
||||||
|
"role": row["role"] or "user",
|
||||||
}
|
}
|
||||||
g.current_token = {"id": row["id"], "hash": token_hash}
|
g.current_token = {"id": row["id"], "hash": token_hash}
|
||||||
g.db.commit()
|
g.db.commit()
|
||||||
|
|
@ -336,6 +345,99 @@ def create_app() -> Flask:
|
||||||
|
|
||||||
return decorated
|
return decorated
|
||||||
|
|
||||||
|
def require_role(*roles):
|
||||||
|
"""Decorator that requires the user to have one of the specified roles."""
|
||||||
|
def decorator(f):
|
||||||
|
@wraps(f)
|
||||||
|
@require_token
|
||||||
|
def decorated(*args, **kwargs):
|
||||||
|
user_role = g.current_publisher.get("role", "user")
|
||||||
|
if user_role not in roles:
|
||||||
|
return error_response(
|
||||||
|
"FORBIDDEN",
|
||||||
|
f"This action requires one of these roles: {', '.join(roles)}",
|
||||||
|
403,
|
||||||
|
)
|
||||||
|
return f(*args, **kwargs)
|
||||||
|
return decorated
|
||||||
|
return decorator
|
||||||
|
|
||||||
|
def require_admin(f):
|
||||||
|
"""Decorator that requires admin role."""
|
||||||
|
return require_role("admin")(f)
|
||||||
|
|
||||||
|
def require_moderator(f):
|
||||||
|
"""Decorator that requires moderator or admin role."""
|
||||||
|
return require_role("moderator", "admin")(f)
|
||||||
|
|
||||||
|
def log_audit(action: str, target_type: str, target_id: str, details: dict = None) -> None:
|
||||||
|
"""Log a moderation action to the audit trail."""
|
||||||
|
actor_id = g.current_publisher["id"] if hasattr(g, "current_publisher") and g.current_publisher else None
|
||||||
|
g.db.execute(
|
||||||
|
"""
|
||||||
|
INSERT INTO audit_log (action, target_type, target_id, actor_id, details)
|
||||||
|
VALUES (?, ?, ?, ?, ?)
|
||||||
|
""",
|
||||||
|
[action, target_type, str(target_id), str(actor_id) if actor_id else "system",
|
||||||
|
json.dumps(details) if details else None],
|
||||||
|
)
|
||||||
|
g.db.commit()
|
||||||
|
|
||||||
|
def get_current_user_context() -> Tuple[Optional[str], Optional[str]]:
|
||||||
|
"""Get current user's slug and role from request context.
|
||||||
|
|
||||||
|
Tries to authenticate via Bearer token without requiring it.
|
||||||
|
Returns (slug, role) tuple, both None if not authenticated.
|
||||||
|
"""
|
||||||
|
auth_header = request.headers.get("Authorization")
|
||||||
|
if not auth_header or not auth_header.startswith("Bearer "):
|
||||||
|
return None, None
|
||||||
|
|
||||||
|
token = auth_header[7:]
|
||||||
|
token_hash = hashlib.sha256(token.encode()).hexdigest()
|
||||||
|
row = query_one(
|
||||||
|
g.db,
|
||||||
|
"""
|
||||||
|
SELECT p.slug, p.role, p.banned
|
||||||
|
FROM api_tokens t
|
||||||
|
JOIN publishers p ON t.publisher_id = p.id
|
||||||
|
WHERE t.token_hash = ? AND t.revoked_at IS NULL
|
||||||
|
""",
|
||||||
|
[token_hash],
|
||||||
|
)
|
||||||
|
if not row or row["banned"]:
|
||||||
|
return None, None
|
||||||
|
return row["slug"], row["role"] or "user"
|
||||||
|
|
||||||
|
def build_visibility_filter(table_prefix: str = "") -> Tuple[str, List[Any]]:
|
||||||
|
"""Build SQL WHERE clause for tool visibility filtering.
|
||||||
|
|
||||||
|
Returns (sql_clause, params) tuple.
|
||||||
|
The clause includes leading AND or WHERE as appropriate.
|
||||||
|
"""
|
||||||
|
prefix = f"{table_prefix}." if table_prefix else ""
|
||||||
|
user_slug, user_role = get_current_user_context()
|
||||||
|
|
||||||
|
# Moderators and admins see everything
|
||||||
|
if user_role in ("moderator", "admin"):
|
||||||
|
return "", []
|
||||||
|
|
||||||
|
# Regular users see:
|
||||||
|
# 1. Approved public tools
|
||||||
|
# 2. Their own tools (any status/visibility)
|
||||||
|
if user_slug:
|
||||||
|
return (
|
||||||
|
f" AND (({prefix}visibility = 'public' AND {prefix}moderation_status = 'approved') "
|
||||||
|
f"OR {prefix}owner = ?)",
|
||||||
|
[user_slug],
|
||||||
|
)
|
||||||
|
else:
|
||||||
|
# Unauthenticated users only see approved public tools
|
||||||
|
return (
|
||||||
|
f" AND {prefix}visibility = 'public' AND {prefix}moderation_status = 'approved'",
|
||||||
|
[],
|
||||||
|
)
|
||||||
|
|
||||||
def generate_token() -> Tuple[str, str]:
|
def generate_token() -> Tuple[str, str]:
|
||||||
alphabet = "0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz"
|
alphabet = "0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz"
|
||||||
raw = secrets.token_bytes(32)
|
raw = secrets.token_bytes(32)
|
||||||
|
|
@ -415,11 +517,17 @@ def create_app() -> Flask:
|
||||||
category = request.args.get("category")
|
category = request.args.get("category")
|
||||||
offset = (page - 1) * per_page
|
offset = (page - 1) * per_page
|
||||||
|
|
||||||
|
# Build visibility filter
|
||||||
|
vis_filter, vis_params = build_visibility_filter()
|
||||||
|
|
||||||
base_where = "WHERE 1=1"
|
base_where = "WHERE 1=1"
|
||||||
params: List[Any] = []
|
params: List[Any] = []
|
||||||
if category:
|
if category:
|
||||||
base_where += " AND category = ?"
|
base_where += " AND category = ?"
|
||||||
params.append(category)
|
params.append(category)
|
||||||
|
# Add visibility filter
|
||||||
|
base_where += vis_filter
|
||||||
|
params.extend(vis_params)
|
||||||
|
|
||||||
count_row = query_one(
|
count_row = query_one(
|
||||||
g.db,
|
g.db,
|
||||||
|
|
@ -543,6 +651,13 @@ def create_app() -> Flask:
|
||||||
if not include_deprecated:
|
if not include_deprecated:
|
||||||
where_clauses.append("tools.deprecated = 0")
|
where_clauses.append("tools.deprecated = 0")
|
||||||
|
|
||||||
|
# Add visibility filtering
|
||||||
|
vis_filter, vis_params = build_visibility_filter("tools")
|
||||||
|
if vis_filter:
|
||||||
|
# Remove leading " AND " since we're adding to a list
|
||||||
|
where_clauses.append(vis_filter.strip().lstrip("AND").strip())
|
||||||
|
params.extend(vis_params)
|
||||||
|
|
||||||
where_clause = "WHERE " + " AND ".join(where_clauses)
|
where_clause = "WHERE " + " AND ".join(where_clauses)
|
||||||
|
|
||||||
# Tag filtering CTE (AND logic - must have ALL specified tags)
|
# Tag filtering CTE (AND logic - must have ALL specified tags)
|
||||||
|
|
@ -740,6 +855,22 @@ def create_app() -> Flask:
|
||||||
if not row:
|
if not row:
|
||||||
return error_response("TOOL_NOT_FOUND", f"Tool '{owner}/{name}' does not exist", 404)
|
return error_response("TOOL_NOT_FOUND", f"Tool '{owner}/{name}' does not exist", 404)
|
||||||
|
|
||||||
|
# Check visibility permissions
|
||||||
|
user_slug, user_role = get_current_user_context()
|
||||||
|
is_elevated = user_role in ("moderator", "admin")
|
||||||
|
is_owner = user_slug == row["owner"]
|
||||||
|
visibility = row.get("visibility", "public")
|
||||||
|
moderation_status = row.get("moderation_status", "approved")
|
||||||
|
|
||||||
|
# Public tools require approval, unlisted tools accessible by direct link, private only to owner
|
||||||
|
is_approved = moderation_status == "approved"
|
||||||
|
is_public_approved = visibility == "public" and is_approved
|
||||||
|
is_unlisted_approved = visibility == "unlisted" and is_approved
|
||||||
|
is_accessible = is_elevated or is_owner or is_public_approved or is_unlisted_approved
|
||||||
|
|
||||||
|
if not is_accessible:
|
||||||
|
return error_response("TOOL_NOT_FOUND", f"Tool '{owner}/{name}' does not exist", 404)
|
||||||
|
|
||||||
# Parse source attribution
|
# Parse source attribution
|
||||||
source_obj = None
|
source_obj = None
|
||||||
if row["source_json"]:
|
if row["source_json"]:
|
||||||
|
|
@ -819,6 +950,22 @@ def create_app() -> Flask:
|
||||||
},
|
},
|
||||||
)
|
)
|
||||||
|
|
||||||
|
# Check visibility permissions
|
||||||
|
user_slug, user_role = get_current_user_context()
|
||||||
|
is_elevated = user_role in ("moderator", "admin")
|
||||||
|
is_owner = user_slug == row["owner"]
|
||||||
|
visibility = row.get("visibility", "public")
|
||||||
|
moderation_status = row.get("moderation_status", "approved")
|
||||||
|
|
||||||
|
# Public tools require approval, unlisted tools accessible by direct link, private only to owner
|
||||||
|
is_approved = moderation_status == "approved"
|
||||||
|
is_public_approved = visibility == "public" and is_approved
|
||||||
|
is_unlisted_approved = visibility == "unlisted" and is_approved
|
||||||
|
is_accessible = is_elevated or is_owner or is_public_approved or is_unlisted_approved
|
||||||
|
|
||||||
|
if not is_accessible:
|
||||||
|
return error_response("TOOL_NOT_FOUND", f"Tool '{owner}/{name}' does not exist", 404)
|
||||||
|
|
||||||
if install_flag:
|
if install_flag:
|
||||||
client_id = request.headers.get("X-Client-ID")
|
client_id = request.headers.get("X-Client-ID")
|
||||||
if not client_id:
|
if not client_id:
|
||||||
|
|
@ -1351,6 +1498,11 @@ def create_app() -> Flask:
|
||||||
category = (data.get("category") or "").strip() or None
|
category = (data.get("category") or "").strip() or None
|
||||||
tags = data.get("tags") or []
|
tags = data.get("tags") or []
|
||||||
|
|
||||||
|
# Parse visibility from payload or config YAML
|
||||||
|
visibility = (payload.get("visibility") or data.get("visibility") or "public").strip().lower()
|
||||||
|
if visibility not in ("public", "private", "unlisted"):
|
||||||
|
return error_response("VALIDATION_ERROR", "Invalid visibility. Must be: public, private, unlisted")
|
||||||
|
|
||||||
# Handle source attribution - can be a dict (full ToolSource) or string (legacy)
|
# Handle source attribution - can be a dict (full ToolSource) or string (legacy)
|
||||||
source_data = data.get("source")
|
source_data = data.get("source")
|
||||||
source_json = None
|
source_json = None
|
||||||
|
|
@ -1479,13 +1631,22 @@ def create_app() -> Flask:
|
||||||
|
|
||||||
scrutiny_json = json.dumps(scrutiny_report) if scrutiny_report else None
|
scrutiny_json = json.dumps(scrutiny_report) if scrutiny_report else None
|
||||||
|
|
||||||
|
# Determine moderation_status based on visibility
|
||||||
|
# Private and unlisted tools are auto-approved (no moderation needed)
|
||||||
|
if visibility in ("private", "unlisted"):
|
||||||
|
moderation_status = "approved"
|
||||||
|
else:
|
||||||
|
# Public tools need moderation approval
|
||||||
|
moderation_status = "pending"
|
||||||
|
|
||||||
g.db.execute(
|
g.db.execute(
|
||||||
"""
|
"""
|
||||||
INSERT INTO tools (
|
INSERT INTO tools (
|
||||||
owner, name, version, description, category, tags, config_yaml, readme,
|
owner, name, version, description, category, tags, config_yaml, readme,
|
||||||
publisher_id, deprecated, deprecated_message, replacement, downloads,
|
publisher_id, deprecated, deprecated_message, replacement, downloads,
|
||||||
scrutiny_status, scrutiny_report, source, source_url, source_json, published_at
|
scrutiny_status, scrutiny_report, source, source_url, source_json,
|
||||||
) VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?)
|
visibility, moderation_status, published_at
|
||||||
|
) VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?)
|
||||||
""",
|
""",
|
||||||
[
|
[
|
||||||
owner,
|
owner,
|
||||||
|
|
@ -1506,6 +1667,8 @@ def create_app() -> Flask:
|
||||||
source,
|
source,
|
||||||
source_url,
|
source_url,
|
||||||
source_json,
|
source_json,
|
||||||
|
visibility,
|
||||||
|
moderation_status,
|
||||||
datetime.utcnow().isoformat(),
|
datetime.utcnow().isoformat(),
|
||||||
],
|
],
|
||||||
)
|
)
|
||||||
|
|
@ -1517,7 +1680,8 @@ def create_app() -> Flask:
|
||||||
"name": name,
|
"name": name,
|
||||||
"version": version,
|
"version": version,
|
||||||
"pr_url": "",
|
"pr_url": "",
|
||||||
"status": scrutiny_status,
|
"status": moderation_status,
|
||||||
|
"visibility": visibility,
|
||||||
"suggestions": suggestions,
|
"suggestions": suggestions,
|
||||||
}
|
}
|
||||||
})
|
})
|
||||||
|
|
@ -1936,6 +2100,595 @@ def create_app() -> Flask:
|
||||||
|
|
||||||
return jsonify({"data": {"deployed": True, "message": "Deploy triggered"}})
|
return jsonify({"data": {"deployed": True, "message": "Deploy triggered"}})
|
||||||
|
|
||||||
|
# ─── Admin API Endpoints ─────────────────────────────────────────────────────
|
||||||
|
|
||||||
|
@app.route("/api/v1/admin/tools/pending", methods=["GET"])
|
||||||
|
@require_moderator
|
||||||
|
def admin_pending_tools() -> Response:
|
||||||
|
"""List tools pending moderation."""
|
||||||
|
page = request.args.get("page", 1, type=int)
|
||||||
|
per_page = min(request.args.get("per_page", 20, type=int), 100)
|
||||||
|
offset = (page - 1) * per_page
|
||||||
|
|
||||||
|
rows = query_all(
|
||||||
|
g.db,
|
||||||
|
"""
|
||||||
|
SELECT t.*, p.display_name as publisher_name
|
||||||
|
FROM tools t
|
||||||
|
JOIN publishers p ON t.publisher_id = p.id
|
||||||
|
WHERE t.moderation_status = 'pending'
|
||||||
|
ORDER BY t.published_at ASC
|
||||||
|
LIMIT ? OFFSET ?
|
||||||
|
""",
|
||||||
|
[per_page, offset],
|
||||||
|
)
|
||||||
|
|
||||||
|
count_row = query_one(
|
||||||
|
g.db,
|
||||||
|
"SELECT COUNT(*) as total FROM tools WHERE moderation_status = 'pending'",
|
||||||
|
)
|
||||||
|
total = count_row["total"] if count_row else 0
|
||||||
|
|
||||||
|
data = []
|
||||||
|
for row in rows:
|
||||||
|
data.append({
|
||||||
|
"id": row["id"],
|
||||||
|
"owner": row["owner"],
|
||||||
|
"name": row["name"],
|
||||||
|
"version": row["version"],
|
||||||
|
"description": row["description"],
|
||||||
|
"category": row["category"],
|
||||||
|
"published_at": row["published_at"],
|
||||||
|
"publisher_name": row["publisher_name"],
|
||||||
|
"visibility": row["visibility"],
|
||||||
|
})
|
||||||
|
|
||||||
|
return jsonify({
|
||||||
|
"data": data,
|
||||||
|
"meta": paginate(page, per_page, total),
|
||||||
|
})
|
||||||
|
|
||||||
|
@app.route("/api/v1/admin/tools/<int:tool_id>/approve", methods=["POST"])
|
||||||
|
@require_moderator
|
||||||
|
def admin_approve_tool(tool_id: int) -> Response:
|
||||||
|
"""Approve a pending tool."""
|
||||||
|
tool = query_one(g.db, "SELECT * FROM tools WHERE id = ?", [tool_id])
|
||||||
|
if not tool:
|
||||||
|
return error_response("TOOL_NOT_FOUND", "Tool not found", 404)
|
||||||
|
|
||||||
|
g.db.execute(
|
||||||
|
"""
|
||||||
|
UPDATE tools
|
||||||
|
SET moderation_status = 'approved',
|
||||||
|
moderated_by = ?,
|
||||||
|
moderated_at = ?
|
||||||
|
WHERE id = ?
|
||||||
|
""",
|
||||||
|
[g.current_publisher["slug"], datetime.utcnow().isoformat(), tool_id],
|
||||||
|
)
|
||||||
|
g.db.commit()
|
||||||
|
|
||||||
|
log_audit("approve_tool", "tool", str(tool_id), {
|
||||||
|
"tool": f"{tool['owner']}/{tool['name']}",
|
||||||
|
"version": tool["version"],
|
||||||
|
})
|
||||||
|
|
||||||
|
return jsonify({"data": {"status": "approved", "tool_id": tool_id}})
|
||||||
|
|
||||||
|
@app.route("/api/v1/admin/tools/<int:tool_id>/reject", methods=["POST"])
|
||||||
|
@require_moderator
|
||||||
|
def admin_reject_tool(tool_id: int) -> Response:
|
||||||
|
"""Reject a pending tool with a reason."""
|
||||||
|
data = request.get_json() or {}
|
||||||
|
reason = (data.get("reason") or "").strip()
|
||||||
|
|
||||||
|
if not reason:
|
||||||
|
return error_response("VALIDATION_ERROR", "Rejection reason is required", 400)
|
||||||
|
|
||||||
|
tool = query_one(g.db, "SELECT * FROM tools WHERE id = ?", [tool_id])
|
||||||
|
if not tool:
|
||||||
|
return error_response("TOOL_NOT_FOUND", "Tool not found", 404)
|
||||||
|
|
||||||
|
g.db.execute(
|
||||||
|
"""
|
||||||
|
UPDATE tools
|
||||||
|
SET moderation_status = 'rejected',
|
||||||
|
moderation_note = ?,
|
||||||
|
moderated_by = ?,
|
||||||
|
moderated_at = ?
|
||||||
|
WHERE id = ?
|
||||||
|
""",
|
||||||
|
[reason, g.current_publisher["slug"], datetime.utcnow().isoformat(), tool_id],
|
||||||
|
)
|
||||||
|
g.db.commit()
|
||||||
|
|
||||||
|
log_audit("reject_tool", "tool", str(tool_id), {
|
||||||
|
"tool": f"{tool['owner']}/{tool['name']}",
|
||||||
|
"version": tool["version"],
|
||||||
|
"reason": reason,
|
||||||
|
})
|
||||||
|
|
||||||
|
return jsonify({"data": {"status": "rejected", "tool_id": tool_id}})
|
||||||
|
|
||||||
|
@app.route("/api/v1/admin/tools/<int:tool_id>/remove", methods=["POST"])
|
||||||
|
@require_moderator
|
||||||
|
def admin_remove_tool(tool_id: int) -> Response:
|
||||||
|
"""Remove an approved tool (soft delete)."""
|
||||||
|
data = request.get_json() or {}
|
||||||
|
reason = (data.get("reason") or "").strip()
|
||||||
|
|
||||||
|
tool = query_one(g.db, "SELECT * FROM tools WHERE id = ?", [tool_id])
|
||||||
|
if not tool:
|
||||||
|
return error_response("TOOL_NOT_FOUND", "Tool not found", 404)
|
||||||
|
|
||||||
|
g.db.execute(
|
||||||
|
"""
|
||||||
|
UPDATE tools
|
||||||
|
SET moderation_status = 'removed',
|
||||||
|
moderation_note = ?,
|
||||||
|
moderated_by = ?,
|
||||||
|
moderated_at = ?
|
||||||
|
WHERE id = ?
|
||||||
|
""",
|
||||||
|
[reason or None, g.current_publisher["slug"], datetime.utcnow().isoformat(), tool_id],
|
||||||
|
)
|
||||||
|
g.db.commit()
|
||||||
|
|
||||||
|
log_audit("remove_tool", "tool", str(tool_id), {
|
||||||
|
"tool": f"{tool['owner']}/{tool['name']}",
|
||||||
|
"version": tool["version"],
|
||||||
|
"reason": reason,
|
||||||
|
})
|
||||||
|
|
||||||
|
return jsonify({"data": {"status": "removed", "tool_id": tool_id}})
|
||||||
|
|
||||||
|
@app.route("/api/v1/admin/tools/<int:tool_id>", methods=["DELETE"])
|
||||||
|
@require_admin
|
||||||
|
def admin_delete_tool(tool_id: int) -> Response:
|
||||||
|
"""Hard delete a tool (admin only)."""
|
||||||
|
tool = query_one(g.db, "SELECT * FROM tools WHERE id = ?", [tool_id])
|
||||||
|
if not tool:
|
||||||
|
return error_response("TOOL_NOT_FOUND", "Tool not found", 404)
|
||||||
|
|
||||||
|
# Delete associated records first
|
||||||
|
g.db.execute("DELETE FROM download_stats WHERE tool_id = ?", [tool_id])
|
||||||
|
g.db.execute("DELETE FROM reports WHERE tool_id = ?", [tool_id])
|
||||||
|
g.db.execute("DELETE FROM featured_tools WHERE tool_id = ?", [tool_id])
|
||||||
|
g.db.execute("DELETE FROM tools WHERE id = ?", [tool_id])
|
||||||
|
g.db.commit()
|
||||||
|
|
||||||
|
log_audit("delete_tool", "tool", str(tool_id), {
|
||||||
|
"tool": f"{tool['owner']}/{tool['name']}",
|
||||||
|
"version": tool["version"],
|
||||||
|
})
|
||||||
|
|
||||||
|
return jsonify({"data": {"status": "deleted", "tool_id": tool_id}})
|
||||||
|
|
||||||
|
@app.route("/api/v1/admin/publishers", methods=["GET"])
|
||||||
|
@require_moderator
|
||||||
|
def admin_list_publishers() -> Response:
|
||||||
|
"""List all publishers with stats."""
|
||||||
|
page = request.args.get("page", 1, type=int)
|
||||||
|
per_page = min(request.args.get("per_page", 20, type=int), 100)
|
||||||
|
offset = (page - 1) * per_page
|
||||||
|
|
||||||
|
rows = query_all(
|
||||||
|
g.db,
|
||||||
|
"""
|
||||||
|
SELECT p.*,
|
||||||
|
(SELECT COUNT(*) FROM tools WHERE publisher_id = p.id) as tool_count,
|
||||||
|
(SELECT SUM(downloads) FROM tools WHERE publisher_id = p.id) as total_downloads
|
||||||
|
FROM publishers p
|
||||||
|
ORDER BY p.created_at DESC
|
||||||
|
LIMIT ? OFFSET ?
|
||||||
|
""",
|
||||||
|
[per_page, offset],
|
||||||
|
)
|
||||||
|
|
||||||
|
count_row = query_one(g.db, "SELECT COUNT(*) as total FROM publishers")
|
||||||
|
total = count_row["total"] if count_row else 0
|
||||||
|
|
||||||
|
data = []
|
||||||
|
for row in rows:
|
||||||
|
data.append({
|
||||||
|
"id": row["id"],
|
||||||
|
"slug": row["slug"],
|
||||||
|
"display_name": row["display_name"],
|
||||||
|
"email": row["email"],
|
||||||
|
"role": row["role"] or "user",
|
||||||
|
"banned": bool(row["banned"]),
|
||||||
|
"ban_reason": row["ban_reason"],
|
||||||
|
"verified": bool(row["verified"]),
|
||||||
|
"tool_count": row["tool_count"] or 0,
|
||||||
|
"total_downloads": row["total_downloads"] or 0,
|
||||||
|
"created_at": row["created_at"],
|
||||||
|
})
|
||||||
|
|
||||||
|
return jsonify({
|
||||||
|
"data": data,
|
||||||
|
"meta": paginate(page, per_page, total),
|
||||||
|
})
|
||||||
|
|
||||||
|
@app.route("/api/v1/admin/publishers/<int:publisher_id>", methods=["GET"])
|
||||||
|
@require_moderator
|
||||||
|
def admin_get_publisher(publisher_id: int) -> Response:
|
||||||
|
"""Get detailed publisher info."""
|
||||||
|
publisher = query_one(g.db, "SELECT * FROM publishers WHERE id = ?", [publisher_id])
|
||||||
|
if not publisher:
|
||||||
|
return error_response("PUBLISHER_NOT_FOUND", "Publisher not found", 404)
|
||||||
|
|
||||||
|
# Get their tools
|
||||||
|
tools = query_all(
|
||||||
|
g.db,
|
||||||
|
"""
|
||||||
|
SELECT id, owner, name, version, moderation_status, visibility, downloads, published_at
|
||||||
|
FROM tools
|
||||||
|
WHERE publisher_id = ?
|
||||||
|
ORDER BY published_at DESC
|
||||||
|
""",
|
||||||
|
[publisher_id],
|
||||||
|
)
|
||||||
|
|
||||||
|
# Get their tokens (just counts, not the hashes)
|
||||||
|
token_count = query_one(
|
||||||
|
g.db,
|
||||||
|
"SELECT COUNT(*) as cnt FROM api_tokens WHERE publisher_id = ? AND revoked_at IS NULL",
|
||||||
|
[publisher_id],
|
||||||
|
)
|
||||||
|
|
||||||
|
return jsonify({
|
||||||
|
"data": {
|
||||||
|
"id": publisher["id"],
|
||||||
|
"slug": publisher["slug"],
|
||||||
|
"display_name": publisher["display_name"],
|
||||||
|
"email": publisher["email"],
|
||||||
|
"bio": publisher["bio"],
|
||||||
|
"website": publisher["website"],
|
||||||
|
"role": publisher["role"] or "user",
|
||||||
|
"banned": bool(publisher["banned"]),
|
||||||
|
"banned_at": publisher["banned_at"],
|
||||||
|
"banned_by": publisher["banned_by"],
|
||||||
|
"ban_reason": publisher["ban_reason"],
|
||||||
|
"verified": bool(publisher["verified"]),
|
||||||
|
"created_at": publisher["created_at"],
|
||||||
|
"active_tokens": token_count["cnt"] if token_count else 0,
|
||||||
|
"tools": [
|
||||||
|
{
|
||||||
|
"id": t["id"],
|
||||||
|
"owner": t["owner"],
|
||||||
|
"name": t["name"],
|
||||||
|
"version": t["version"],
|
||||||
|
"moderation_status": t["moderation_status"],
|
||||||
|
"visibility": t["visibility"],
|
||||||
|
"downloads": t["downloads"],
|
||||||
|
"published_at": t["published_at"],
|
||||||
|
}
|
||||||
|
for t in tools
|
||||||
|
],
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
@app.route("/api/v1/admin/publishers/<int:publisher_id>/ban", methods=["POST"])
|
||||||
|
@require_admin
|
||||||
|
def admin_ban_publisher(publisher_id: int) -> Response:
|
||||||
|
"""Ban a publisher."""
|
||||||
|
data = request.get_json() or {}
|
||||||
|
reason = (data.get("reason") or "").strip()
|
||||||
|
|
||||||
|
if not reason:
|
||||||
|
return error_response("VALIDATION_ERROR", "Ban reason is required", 400)
|
||||||
|
|
||||||
|
publisher = query_one(g.db, "SELECT * FROM publishers WHERE id = ?", [publisher_id])
|
||||||
|
if not publisher:
|
||||||
|
return error_response("PUBLISHER_NOT_FOUND", "Publisher not found", 404)
|
||||||
|
|
||||||
|
if publisher["role"] == "admin":
|
||||||
|
return error_response("FORBIDDEN", "Cannot ban an admin", 403)
|
||||||
|
|
||||||
|
now = datetime.utcnow().isoformat()
|
||||||
|
|
||||||
|
# Ban the publisher
|
||||||
|
g.db.execute(
|
||||||
|
"""
|
||||||
|
UPDATE publishers
|
||||||
|
SET banned = 1,
|
||||||
|
banned_at = ?,
|
||||||
|
banned_by = ?,
|
||||||
|
ban_reason = ?
|
||||||
|
WHERE id = ?
|
||||||
|
""",
|
||||||
|
[now, g.current_publisher["slug"], reason, publisher_id],
|
||||||
|
)
|
||||||
|
|
||||||
|
# Revoke all their tokens
|
||||||
|
g.db.execute(
|
||||||
|
"UPDATE api_tokens SET revoked_at = ? WHERE publisher_id = ? AND revoked_at IS NULL",
|
||||||
|
[now, publisher_id],
|
||||||
|
)
|
||||||
|
|
||||||
|
# Remove all their tools from public view
|
||||||
|
g.db.execute(
|
||||||
|
"""
|
||||||
|
UPDATE tools
|
||||||
|
SET moderation_status = 'removed',
|
||||||
|
moderation_note = 'Publisher banned',
|
||||||
|
moderated_by = ?,
|
||||||
|
moderated_at = ?
|
||||||
|
WHERE publisher_id = ? AND moderation_status != 'removed'
|
||||||
|
""",
|
||||||
|
[g.current_publisher["slug"], now, publisher_id],
|
||||||
|
)
|
||||||
|
|
||||||
|
g.db.commit()
|
||||||
|
|
||||||
|
log_audit("ban_publisher", "publisher", str(publisher_id), {
|
||||||
|
"slug": publisher["slug"],
|
||||||
|
"reason": reason,
|
||||||
|
})
|
||||||
|
|
||||||
|
return jsonify({"data": {"status": "banned", "publisher_id": publisher_id}})
|
||||||
|
|
||||||
|
@app.route("/api/v1/admin/publishers/<int:publisher_id>/unban", methods=["POST"])
|
||||||
|
@require_admin
|
||||||
|
def admin_unban_publisher(publisher_id: int) -> Response:
|
||||||
|
"""Unban a publisher."""
|
||||||
|
publisher = query_one(g.db, "SELECT * FROM publishers WHERE id = ?", [publisher_id])
|
||||||
|
if not publisher:
|
||||||
|
return error_response("PUBLISHER_NOT_FOUND", "Publisher not found", 404)
|
||||||
|
|
||||||
|
if not publisher["banned"]:
|
||||||
|
return error_response("VALIDATION_ERROR", "Publisher is not banned", 400)
|
||||||
|
|
||||||
|
g.db.execute(
|
||||||
|
"""
|
||||||
|
UPDATE publishers
|
||||||
|
SET banned = 0,
|
||||||
|
banned_at = NULL,
|
||||||
|
banned_by = NULL,
|
||||||
|
ban_reason = NULL
|
||||||
|
WHERE id = ?
|
||||||
|
""",
|
||||||
|
[publisher_id],
|
||||||
|
)
|
||||||
|
g.db.commit()
|
||||||
|
|
||||||
|
log_audit("unban_publisher", "publisher", str(publisher_id), {
|
||||||
|
"slug": publisher["slug"],
|
||||||
|
})
|
||||||
|
|
||||||
|
return jsonify({"data": {"status": "unbanned", "publisher_id": publisher_id}})
|
||||||
|
|
||||||
|
@app.route("/api/v1/admin/publishers/<int:publisher_id>/role", methods=["POST"])
|
||||||
|
@require_admin
|
||||||
|
def admin_change_role(publisher_id: int) -> Response:
|
||||||
|
"""Change a publisher's role."""
|
||||||
|
data = request.get_json() or {}
|
||||||
|
new_role = (data.get("role") or "").strip()
|
||||||
|
|
||||||
|
if new_role not in ("user", "moderator", "admin"):
|
||||||
|
return error_response("VALIDATION_ERROR", "Invalid role. Must be: user, moderator, admin", 400)
|
||||||
|
|
||||||
|
publisher = query_one(g.db, "SELECT * FROM publishers WHERE id = ?", [publisher_id])
|
||||||
|
if not publisher:
|
||||||
|
return error_response("PUBLISHER_NOT_FOUND", "Publisher not found", 404)
|
||||||
|
|
||||||
|
old_role = publisher["role"] or "user"
|
||||||
|
|
||||||
|
g.db.execute(
|
||||||
|
"UPDATE publishers SET role = ? WHERE id = ?",
|
||||||
|
[new_role, publisher_id],
|
||||||
|
)
|
||||||
|
g.db.commit()
|
||||||
|
|
||||||
|
log_audit("change_role", "publisher", str(publisher_id), {
|
||||||
|
"slug": publisher["slug"],
|
||||||
|
"old_role": old_role,
|
||||||
|
"new_role": new_role,
|
||||||
|
})
|
||||||
|
|
||||||
|
return jsonify({"data": {"status": "updated", "publisher_id": publisher_id, "role": new_role}})
|
||||||
|
|
||||||
|
@app.route("/api/v1/admin/reports", methods=["GET"])
|
||||||
|
@require_moderator
|
||||||
|
def admin_list_reports() -> Response:
|
||||||
|
"""List unresolved reports."""
|
||||||
|
page = request.args.get("page", 1, type=int)
|
||||||
|
per_page = min(request.args.get("per_page", 20, type=int), 100)
|
||||||
|
status_filter = request.args.get("status", "pending")
|
||||||
|
offset = (page - 1) * per_page
|
||||||
|
|
||||||
|
where_clause = "WHERE r.status = ?" if status_filter else "WHERE 1=1"
|
||||||
|
params = [status_filter] if status_filter else []
|
||||||
|
|
||||||
|
rows = query_all(
|
||||||
|
g.db,
|
||||||
|
f"""
|
||||||
|
SELECT r.*, t.owner, t.name as tool_name, t.version,
|
||||||
|
p.display_name as reporter_name
|
||||||
|
FROM reports r
|
||||||
|
JOIN tools t ON r.tool_id = t.id
|
||||||
|
LEFT JOIN publishers p ON r.reporter_id = p.id
|
||||||
|
{where_clause}
|
||||||
|
ORDER BY r.created_at DESC
|
||||||
|
LIMIT ? OFFSET ?
|
||||||
|
""",
|
||||||
|
params + [per_page, offset],
|
||||||
|
)
|
||||||
|
|
||||||
|
count_row = query_one(
|
||||||
|
g.db,
|
||||||
|
f"SELECT COUNT(*) as total FROM reports r {where_clause}",
|
||||||
|
params,
|
||||||
|
)
|
||||||
|
total = count_row["total"] if count_row else 0
|
||||||
|
|
||||||
|
data = []
|
||||||
|
for row in rows:
|
||||||
|
data.append({
|
||||||
|
"id": row["id"],
|
||||||
|
"tool": f"{row['owner']}/{row['tool_name']}",
|
||||||
|
"tool_id": row["tool_id"],
|
||||||
|
"version": row["version"],
|
||||||
|
"reason": row["reason"],
|
||||||
|
"details": row["details"],
|
||||||
|
"reporter_name": row["reporter_name"],
|
||||||
|
"status": row["status"],
|
||||||
|
"created_at": row["created_at"],
|
||||||
|
"resolved_at": row["resolved_at"],
|
||||||
|
"resolution_note": row["resolution_note"],
|
||||||
|
})
|
||||||
|
|
||||||
|
return jsonify({
|
||||||
|
"data": data,
|
||||||
|
"meta": paginate(page, per_page, total),
|
||||||
|
})
|
||||||
|
|
||||||
|
@app.route("/api/v1/admin/reports/<int:report_id>/resolve", methods=["POST"])
|
||||||
|
@require_moderator
|
||||||
|
def admin_resolve_report(report_id: int) -> Response:
|
||||||
|
"""Resolve a report with an action."""
|
||||||
|
data = request.get_json() or {}
|
||||||
|
action = (data.get("action") or "").strip()
|
||||||
|
note = (data.get("note") or "").strip()
|
||||||
|
|
||||||
|
if action not in ("dismiss", "warn", "remove_tool", "ban_publisher"):
|
||||||
|
return error_response(
|
||||||
|
"VALIDATION_ERROR",
|
||||||
|
"Invalid action. Must be: dismiss, warn, remove_tool, ban_publisher",
|
||||||
|
400,
|
||||||
|
)
|
||||||
|
|
||||||
|
report = query_one(g.db, "SELECT * FROM reports WHERE id = ?", [report_id])
|
||||||
|
if not report:
|
||||||
|
return error_response("REPORT_NOT_FOUND", "Report not found", 404)
|
||||||
|
|
||||||
|
if report["status"] != "pending":
|
||||||
|
return error_response("VALIDATION_ERROR", "Report already resolved", 400)
|
||||||
|
|
||||||
|
now = datetime.utcnow().isoformat()
|
||||||
|
|
||||||
|
# Mark report as resolved
|
||||||
|
g.db.execute(
|
||||||
|
"""
|
||||||
|
UPDATE reports
|
||||||
|
SET status = 'resolved',
|
||||||
|
resolved_by = ?,
|
||||||
|
resolved_at = ?,
|
||||||
|
resolution_note = ?
|
||||||
|
WHERE id = ?
|
||||||
|
""",
|
||||||
|
[g.current_publisher["id"], now, f"{action}: {note}" if note else action, report_id],
|
||||||
|
)
|
||||||
|
|
||||||
|
# Take action
|
||||||
|
if action == "remove_tool":
|
||||||
|
g.db.execute(
|
||||||
|
"""
|
||||||
|
UPDATE tools
|
||||||
|
SET moderation_status = 'removed',
|
||||||
|
moderation_note = ?,
|
||||||
|
moderated_by = ?,
|
||||||
|
moderated_at = ?
|
||||||
|
WHERE id = ?
|
||||||
|
""",
|
||||||
|
[f"Removed due to report: {note}" if note else "Removed due to report",
|
||||||
|
g.current_publisher["slug"], now, report["tool_id"]],
|
||||||
|
)
|
||||||
|
elif action == "ban_publisher":
|
||||||
|
# Get tool's publisher
|
||||||
|
tool = query_one(g.db, "SELECT publisher_id FROM tools WHERE id = ?", [report["tool_id"]])
|
||||||
|
if tool:
|
||||||
|
g.db.execute(
|
||||||
|
"""
|
||||||
|
UPDATE publishers
|
||||||
|
SET banned = 1, banned_at = ?, banned_by = ?, ban_reason = ?
|
||||||
|
WHERE id = ?
|
||||||
|
""",
|
||||||
|
[now, g.current_publisher["slug"],
|
||||||
|
f"Banned due to report: {note}" if note else "Banned due to report",
|
||||||
|
tool["publisher_id"]],
|
||||||
|
)
|
||||||
|
# Revoke tokens
|
||||||
|
g.db.execute(
|
||||||
|
"UPDATE api_tokens SET revoked_at = ? WHERE publisher_id = ?",
|
||||||
|
[now, tool["publisher_id"]],
|
||||||
|
)
|
||||||
|
|
||||||
|
g.db.commit()
|
||||||
|
|
||||||
|
log_audit("resolve_report", "report", str(report_id), {
|
||||||
|
"action": action,
|
||||||
|
"tool_id": report["tool_id"],
|
||||||
|
"note": note,
|
||||||
|
})
|
||||||
|
|
||||||
|
return jsonify({"data": {"status": "resolved", "report_id": report_id, "action": action}})
|
||||||
|
|
||||||
|
@app.route("/api/v1/admin/audit-log", methods=["GET"])
|
||||||
|
@require_admin
|
||||||
|
def admin_audit_log() -> Response:
|
||||||
|
"""View audit log entries."""
|
||||||
|
page = request.args.get("page", 1, type=int)
|
||||||
|
per_page = min(request.args.get("per_page", 50, type=int), 200)
|
||||||
|
target_type = request.args.get("target_type")
|
||||||
|
target_id = request.args.get("target_id")
|
||||||
|
actor_id = request.args.get("actor_id")
|
||||||
|
since = request.args.get("since")
|
||||||
|
offset = (page - 1) * per_page
|
||||||
|
|
||||||
|
where_clauses = []
|
||||||
|
params: List[Any] = []
|
||||||
|
|
||||||
|
if target_type:
|
||||||
|
where_clauses.append("target_type = ?")
|
||||||
|
params.append(target_type)
|
||||||
|
if target_id:
|
||||||
|
where_clauses.append("target_id = ?")
|
||||||
|
params.append(target_id)
|
||||||
|
if actor_id:
|
||||||
|
where_clauses.append("actor_id = ?")
|
||||||
|
params.append(actor_id)
|
||||||
|
if since:
|
||||||
|
where_clauses.append("created_at >= ?")
|
||||||
|
params.append(since)
|
||||||
|
|
||||||
|
where_sql = "WHERE " + " AND ".join(where_clauses) if where_clauses else ""
|
||||||
|
|
||||||
|
rows = query_all(
|
||||||
|
g.db,
|
||||||
|
f"""
|
||||||
|
SELECT * FROM audit_log
|
||||||
|
{where_sql}
|
||||||
|
ORDER BY created_at DESC
|
||||||
|
LIMIT ? OFFSET ?
|
||||||
|
""",
|
||||||
|
params + [per_page, offset],
|
||||||
|
)
|
||||||
|
|
||||||
|
count_row = query_one(
|
||||||
|
g.db,
|
||||||
|
f"SELECT COUNT(*) as total FROM audit_log {where_sql}",
|
||||||
|
params,
|
||||||
|
)
|
||||||
|
total = count_row["total"] if count_row else 0
|
||||||
|
|
||||||
|
data = []
|
||||||
|
for row in rows:
|
||||||
|
data.append({
|
||||||
|
"id": row["id"],
|
||||||
|
"action": row["action"],
|
||||||
|
"target_type": row["target_type"],
|
||||||
|
"target_id": row["target_id"],
|
||||||
|
"actor_id": row["actor_id"],
|
||||||
|
"details": json.loads(row["details"]) if row["details"] else None,
|
||||||
|
"created_at": row["created_at"],
|
||||||
|
})
|
||||||
|
|
||||||
|
return jsonify({
|
||||||
|
"data": data,
|
||||||
|
"meta": paginate(page, per_page, total),
|
||||||
|
})
|
||||||
|
|
||||||
return app
|
return app
|
||||||
|
|
||||||
|
|
||||||
|
|
|
||||||
|
|
@ -20,6 +20,11 @@ CREATE TABLE IF NOT EXISTS publishers (
|
||||||
verified BOOLEAN DEFAULT FALSE,
|
verified BOOLEAN DEFAULT FALSE,
|
||||||
locked_until TIMESTAMP,
|
locked_until TIMESTAMP,
|
||||||
failed_login_attempts INTEGER DEFAULT 0,
|
failed_login_attempts INTEGER DEFAULT 0,
|
||||||
|
role TEXT DEFAULT 'user',
|
||||||
|
banned INTEGER DEFAULT 0,
|
||||||
|
banned_at TIMESTAMP,
|
||||||
|
banned_by TEXT,
|
||||||
|
ban_reason TEXT,
|
||||||
created_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP,
|
created_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP,
|
||||||
updated_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP
|
updated_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP
|
||||||
);
|
);
|
||||||
|
|
@ -54,6 +59,11 @@ CREATE TABLE IF NOT EXISTS tools (
|
||||||
source TEXT,
|
source TEXT,
|
||||||
source_url TEXT,
|
source_url TEXT,
|
||||||
source_json TEXT,
|
source_json TEXT,
|
||||||
|
visibility TEXT DEFAULT 'public',
|
||||||
|
moderation_status TEXT DEFAULT 'pending',
|
||||||
|
moderation_note TEXT,
|
||||||
|
moderated_by TEXT,
|
||||||
|
moderated_at TIMESTAMP,
|
||||||
published_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP,
|
published_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP,
|
||||||
UNIQUE(owner, name, version)
|
UNIQUE(owner, name, version)
|
||||||
);
|
);
|
||||||
|
|
@ -188,6 +198,16 @@ CREATE TABLE IF NOT EXISTS reports (
|
||||||
created_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP
|
created_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP
|
||||||
);
|
);
|
||||||
|
|
||||||
|
CREATE TABLE IF NOT EXISTS audit_log (
|
||||||
|
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
||||||
|
action TEXT NOT NULL,
|
||||||
|
target_type TEXT NOT NULL,
|
||||||
|
target_id TEXT NOT NULL,
|
||||||
|
actor_id TEXT NOT NULL,
|
||||||
|
details TEXT,
|
||||||
|
created_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP
|
||||||
|
);
|
||||||
|
|
||||||
CREATE TABLE IF NOT EXISTS consents (
|
CREATE TABLE IF NOT EXISTS consents (
|
||||||
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
||||||
client_id TEXT,
|
client_id TEXT,
|
||||||
|
|
@ -220,6 +240,12 @@ CREATE INDEX IF NOT EXISTS idx_featured_tools_placement ON featured_tools(placem
|
||||||
CREATE INDEX IF NOT EXISTS idx_featured_contributors_placement ON featured_contributors(placement, status);
|
CREATE INDEX IF NOT EXISTS idx_featured_contributors_placement ON featured_contributors(placement, status);
|
||||||
CREATE INDEX IF NOT EXISTS idx_reports_status ON reports(status, created_at DESC);
|
CREATE INDEX IF NOT EXISTS idx_reports_status ON reports(status, created_at DESC);
|
||||||
CREATE INDEX IF NOT EXISTS idx_content_pages_type ON content_pages(content_type, published);
|
CREATE INDEX IF NOT EXISTS idx_content_pages_type ON content_pages(content_type, published);
|
||||||
|
CREATE INDEX IF NOT EXISTS idx_audit_log_target ON audit_log(target_type, target_id);
|
||||||
|
CREATE INDEX IF NOT EXISTS idx_audit_log_actor ON audit_log(actor_id);
|
||||||
|
CREATE INDEX IF NOT EXISTS idx_audit_log_created ON audit_log(created_at DESC);
|
||||||
|
CREATE INDEX IF NOT EXISTS idx_tools_moderation ON tools(moderation_status, visibility);
|
||||||
|
CREATE INDEX IF NOT EXISTS idx_publishers_role ON publishers(role);
|
||||||
|
CREATE INDEX IF NOT EXISTS idx_publishers_banned ON publishers(banned);
|
||||||
|
|
||||||
CREATE TABLE IF NOT EXISTS pageviews (
|
CREATE TABLE IF NOT EXISTS pageviews (
|
||||||
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
||||||
|
|
@ -289,28 +315,72 @@ def migrate_db(conn: sqlite3.Connection) -> None:
|
||||||
"""Add missing columns to existing tables (for schema updates)."""
|
"""Add missing columns to existing tables (for schema updates)."""
|
||||||
# Get existing columns in tools table
|
# Get existing columns in tools table
|
||||||
cursor = conn.execute("PRAGMA table_info(tools)")
|
cursor = conn.execute("PRAGMA table_info(tools)")
|
||||||
existing_cols = {row[1] for row in cursor.fetchall()}
|
tools_cols = {row[1] for row in cursor.fetchall()}
|
||||||
|
|
||||||
# Columns that may need to be added (column_name, type, default)
|
# Get existing columns in publishers table
|
||||||
migrations = [
|
cursor = conn.execute("PRAGMA table_info(publishers)")
|
||||||
|
publishers_cols = {row[1] for row in cursor.fetchall()}
|
||||||
|
|
||||||
|
# Tools table migrations (column_name, type, default)
|
||||||
|
tools_migrations = [
|
||||||
("scrutiny_status", "TEXT", "'pending'"),
|
("scrutiny_status", "TEXT", "'pending'"),
|
||||||
("scrutiny_report", "TEXT", "NULL"),
|
("scrutiny_report", "TEXT", "NULL"),
|
||||||
("source", "TEXT", "NULL"),
|
("source", "TEXT", "NULL"),
|
||||||
("source_url", "TEXT", "NULL"),
|
("source_url", "TEXT", "NULL"),
|
||||||
("source_json", "TEXT", "NULL"),
|
("source_json", "TEXT", "NULL"),
|
||||||
|
("visibility", "TEXT", "'public'"),
|
||||||
|
("moderation_status", "TEXT", "'pending'"),
|
||||||
|
("moderation_note", "TEXT", "NULL"),
|
||||||
|
("moderated_by", "TEXT", "NULL"),
|
||||||
|
("moderated_at", "TIMESTAMP", "NULL"),
|
||||||
]
|
]
|
||||||
|
|
||||||
for col_name, col_type, default in migrations:
|
for col_name, col_type, default in tools_migrations:
|
||||||
if col_name not in existing_cols:
|
if col_name not in tools_cols:
|
||||||
try:
|
try:
|
||||||
conn.execute(f"ALTER TABLE tools ADD COLUMN {col_name} {col_type} DEFAULT {default}")
|
conn.execute(f"ALTER TABLE tools ADD COLUMN {col_name} {col_type} DEFAULT {default}")
|
||||||
conn.commit()
|
conn.commit()
|
||||||
except sqlite3.OperationalError:
|
except sqlite3.OperationalError:
|
||||||
pass # Column might already exist or other issue
|
pass # Column might already exist or other issue
|
||||||
|
|
||||||
|
# Publishers table migrations
|
||||||
|
publishers_migrations = [
|
||||||
|
("role", "TEXT", "'user'"),
|
||||||
|
("banned", "INTEGER", "0"),
|
||||||
|
("banned_at", "TIMESTAMP", "NULL"),
|
||||||
|
("banned_by", "TEXT", "NULL"),
|
||||||
|
("ban_reason", "TEXT", "NULL"),
|
||||||
|
]
|
||||||
|
|
||||||
|
for col_name, col_type, default in publishers_migrations:
|
||||||
|
if col_name not in publishers_cols:
|
||||||
|
try:
|
||||||
|
conn.execute(f"ALTER TABLE publishers ADD COLUMN {col_name} {col_type} DEFAULT {default}")
|
||||||
|
conn.commit()
|
||||||
|
except sqlite3.OperationalError:
|
||||||
|
pass
|
||||||
|
|
||||||
|
# Grandfather existing tools: set moderation_status to 'approved' for tools that have NULL
|
||||||
|
# This ensures existing tools remain visible after migration
|
||||||
|
try:
|
||||||
|
conn.execute("""
|
||||||
|
UPDATE tools
|
||||||
|
SET moderation_status = 'approved'
|
||||||
|
WHERE moderation_status IS NULL OR moderation_status = 'pending'
|
||||||
|
""")
|
||||||
|
conn.commit()
|
||||||
|
except sqlite3.OperationalError:
|
||||||
|
pass
|
||||||
|
|
||||||
# Ensure indexes exist
|
# Ensure indexes exist
|
||||||
try:
|
try:
|
||||||
conn.execute("CREATE INDEX IF NOT EXISTS idx_tools_owner ON tools(owner)")
|
conn.execute("CREATE INDEX IF NOT EXISTS idx_tools_owner ON tools(owner)")
|
||||||
|
conn.execute("CREATE INDEX IF NOT EXISTS idx_tools_moderation ON tools(moderation_status, visibility)")
|
||||||
|
conn.execute("CREATE INDEX IF NOT EXISTS idx_publishers_role ON publishers(role)")
|
||||||
|
conn.execute("CREATE INDEX IF NOT EXISTS idx_publishers_banned ON publishers(banned)")
|
||||||
|
conn.execute("CREATE INDEX IF NOT EXISTS idx_audit_log_target ON audit_log(target_type, target_id)")
|
||||||
|
conn.execute("CREATE INDEX IF NOT EXISTS idx_audit_log_actor ON audit_log(actor_id)")
|
||||||
|
conn.execute("CREATE INDEX IF NOT EXISTS idx_audit_log_created ON audit_log(created_at DESC)")
|
||||||
conn.commit()
|
conn.commit()
|
||||||
except sqlite3.OperationalError:
|
except sqlite3.OperationalError:
|
||||||
pass
|
pass
|
||||||
|
|
|
||||||
|
|
@ -159,13 +159,17 @@ def _load_current_publisher() -> Optional[Dict[str, Any]]:
|
||||||
row = query_one(
|
row = query_one(
|
||||||
conn,
|
conn,
|
||||||
"""
|
"""
|
||||||
SELECT id, slug, display_name, email, verified, bio, website, created_at
|
SELECT id, slug, display_name, email, verified, bio, website, role, created_at
|
||||||
FROM publishers
|
FROM publishers
|
||||||
WHERE slug = ?
|
WHERE slug = ?
|
||||||
""",
|
""",
|
||||||
[slug],
|
[slug],
|
||||||
)
|
)
|
||||||
return dict(row) if row else None
|
if row:
|
||||||
|
data = dict(row)
|
||||||
|
data["role"] = data.get("role") or "user"
|
||||||
|
return data
|
||||||
|
return None
|
||||||
finally:
|
finally:
|
||||||
conn.close()
|
conn.close()
|
||||||
|
|
||||||
|
|
@ -822,3 +826,124 @@ def collection_detail(name: str):
|
||||||
"pages/collection_detail.html",
|
"pages/collection_detail.html",
|
||||||
collection=collection,
|
collection=collection,
|
||||||
)
|
)
|
||||||
|
|
||||||
|
|
||||||
|
# ============================================
|
||||||
|
# Admin Dashboard Routes
|
||||||
|
# ============================================
|
||||||
|
|
||||||
|
def _require_moderator_role():
|
||||||
|
"""Check if current user has moderator or admin role."""
|
||||||
|
redirect_response = _require_login()
|
||||||
|
if redirect_response:
|
||||||
|
return redirect_response
|
||||||
|
user = _load_current_publisher()
|
||||||
|
if not user or user.get("role") not in ("moderator", "admin"):
|
||||||
|
return render_template("errors/403.html"), 403
|
||||||
|
return None
|
||||||
|
|
||||||
|
|
||||||
|
@web_bp.route("/dashboard/admin", endpoint="admin_dashboard")
|
||||||
|
def admin_dashboard():
|
||||||
|
"""Admin dashboard overview."""
|
||||||
|
forbidden = _require_moderator_role()
|
||||||
|
if forbidden:
|
||||||
|
return forbidden
|
||||||
|
|
||||||
|
user = _load_current_publisher()
|
||||||
|
token = session.get("auth_token")
|
||||||
|
|
||||||
|
# Get pending tools count
|
||||||
|
status, payload = _api_get("/api/v1/admin/tools/pending?per_page=1", token=token)
|
||||||
|
pending_count = payload.get("meta", {}).get("total", 0) if status == 200 else 0
|
||||||
|
|
||||||
|
# Get pending reports count
|
||||||
|
status, payload = _api_get("/api/v1/admin/reports?status=pending&per_page=1", token=token)
|
||||||
|
reports_count = payload.get("meta", {}).get("total", 0) if status == 200 else 0
|
||||||
|
|
||||||
|
# Get publisher count
|
||||||
|
status, payload = _api_get("/api/v1/admin/publishers?per_page=1", token=token)
|
||||||
|
publishers_count = payload.get("meta", {}).get("total", 0) if status == 200 else 0
|
||||||
|
|
||||||
|
return render_template(
|
||||||
|
"admin/index.html",
|
||||||
|
user=user,
|
||||||
|
active_page="admin_overview",
|
||||||
|
pending_count=pending_count,
|
||||||
|
reports_count=reports_count,
|
||||||
|
publishers_count=publishers_count,
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
|
@web_bp.route("/dashboard/admin/pending", endpoint="admin_pending")
|
||||||
|
def admin_pending():
|
||||||
|
"""List pending tools for moderation."""
|
||||||
|
forbidden = _require_moderator_role()
|
||||||
|
if forbidden:
|
||||||
|
return forbidden
|
||||||
|
|
||||||
|
user = _load_current_publisher()
|
||||||
|
token = session.get("auth_token")
|
||||||
|
page = request.args.get("page", 1, type=int)
|
||||||
|
|
||||||
|
status, payload = _api_get(f"/api/v1/admin/tools/pending?page={page}", token=token)
|
||||||
|
tools = payload.get("data", []) if status == 200 else []
|
||||||
|
meta = payload.get("meta", {})
|
||||||
|
|
||||||
|
return render_template(
|
||||||
|
"admin/pending.html",
|
||||||
|
user=user,
|
||||||
|
active_page="admin_pending",
|
||||||
|
tools=tools,
|
||||||
|
meta=meta,
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
|
@web_bp.route("/dashboard/admin/publishers", endpoint="admin_publishers")
|
||||||
|
def admin_publishers():
|
||||||
|
"""List all publishers."""
|
||||||
|
forbidden = _require_moderator_role()
|
||||||
|
if forbidden:
|
||||||
|
return forbidden
|
||||||
|
|
||||||
|
user = _load_current_publisher()
|
||||||
|
token = session.get("auth_token")
|
||||||
|
page = request.args.get("page", 1, type=int)
|
||||||
|
|
||||||
|
status, payload = _api_get(f"/api/v1/admin/publishers?page={page}", token=token)
|
||||||
|
publishers = payload.get("data", []) if status == 200 else []
|
||||||
|
meta = payload.get("meta", {})
|
||||||
|
|
||||||
|
return render_template(
|
||||||
|
"admin/publishers.html",
|
||||||
|
user=user,
|
||||||
|
active_page="admin_publishers",
|
||||||
|
publishers=publishers,
|
||||||
|
meta=meta,
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
|
@web_bp.route("/dashboard/admin/reports", endpoint="admin_reports")
|
||||||
|
def admin_reports():
|
||||||
|
"""List pending reports."""
|
||||||
|
forbidden = _require_moderator_role()
|
||||||
|
if forbidden:
|
||||||
|
return forbidden
|
||||||
|
|
||||||
|
user = _load_current_publisher()
|
||||||
|
token = session.get("auth_token")
|
||||||
|
page = request.args.get("page", 1, type=int)
|
||||||
|
status_filter = request.args.get("status", "pending")
|
||||||
|
|
||||||
|
status, payload = _api_get(f"/api/v1/admin/reports?page={page}&status={status_filter}", token=token)
|
||||||
|
reports = payload.get("data", []) if status == 200 else []
|
||||||
|
meta = payload.get("meta", {})
|
||||||
|
|
||||||
|
return render_template(
|
||||||
|
"admin/reports.html",
|
||||||
|
user=user,
|
||||||
|
active_page="admin_reports",
|
||||||
|
reports=reports,
|
||||||
|
meta=meta,
|
||||||
|
status_filter=status_filter,
|
||||||
|
)
|
||||||
|
|
|
||||||
|
|
@ -0,0 +1,95 @@
|
||||||
|
{% extends "dashboard/base.html" %}
|
||||||
|
|
||||||
|
{% block dashboard_header %}
|
||||||
|
<div class="flex items-center justify-between">
|
||||||
|
<div>
|
||||||
|
<h1 class="text-2xl font-bold text-gray-900">Admin Panel</h1>
|
||||||
|
<p class="mt-1 text-gray-600">
|
||||||
|
Registry moderation and management
|
||||||
|
<span class="ml-2 inline-flex items-center px-2 py-0.5 rounded text-xs font-medium {% if user.role == 'admin' %}bg-red-100 text-red-800{% else %}bg-purple-100 text-purple-800{% endif %}">
|
||||||
|
{{ user.role|capitalize }}
|
||||||
|
</span>
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
{% endblock %}
|
||||||
|
|
||||||
|
{% block dashboard_content %}
|
||||||
|
<div class="space-y-6">
|
||||||
|
<!-- Quick Stats -->
|
||||||
|
<div class="grid grid-cols-1 md:grid-cols-3 gap-6">
|
||||||
|
<a href="{{ url_for('web.admin_pending') }}" class="bg-white rounded-lg border border-gray-200 p-6 hover:border-indigo-500 transition-colors">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div class="flex-shrink-0 bg-yellow-100 rounded-lg p-3">
|
||||||
|
<svg class="h-6 w-6 text-yellow-600" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M12 8v4l3 3m6-3a9 9 0 11-18 0 9 9 0 0118 0z"/>
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-4">
|
||||||
|
<p class="text-sm font-medium text-gray-500">Pending Tools</p>
|
||||||
|
<p class="text-2xl font-semibold text-gray-900">{{ pending_count }}</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</a>
|
||||||
|
|
||||||
|
<a href="{{ url_for('web.admin_reports') }}" class="bg-white rounded-lg border border-gray-200 p-6 hover:border-indigo-500 transition-colors">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div class="flex-shrink-0 bg-red-100 rounded-lg p-3">
|
||||||
|
<svg class="h-6 w-6 text-red-600" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M12 9v2m0 4h.01m-6.938 4h13.856c1.54 0 2.502-1.667 1.732-3L13.732 4c-.77-1.333-2.694-1.333-3.464 0L3.34 16c-.77 1.333.192 3 1.732 3z"/>
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-4">
|
||||||
|
<p class="text-sm font-medium text-gray-500">Open Reports</p>
|
||||||
|
<p class="text-2xl font-semibold text-gray-900">{{ reports_count }}</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</a>
|
||||||
|
|
||||||
|
<a href="{{ url_for('web.admin_publishers') }}" class="bg-white rounded-lg border border-gray-200 p-6 hover:border-indigo-500 transition-colors">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div class="flex-shrink-0 bg-blue-100 rounded-lg p-3">
|
||||||
|
<svg class="h-6 w-6 text-blue-600" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M12 4.354a4 4 0 110 5.292M15 21H3v-1a6 6 0 0112 0v1zm0 0h6v-1a6 6 0 00-9-5.197m9 5.197v1"/>
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class="ml-4">
|
||||||
|
<p class="text-sm font-medium text-gray-500">Publishers</p>
|
||||||
|
<p class="text-2xl font-semibold text-gray-900">{{ publishers_count }}</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</a>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Quick Actions -->
|
||||||
|
<div class="bg-white rounded-lg border border-gray-200 p-6">
|
||||||
|
<h3 class="text-lg font-medium text-gray-900 mb-4">Quick Actions</h3>
|
||||||
|
<div class="grid grid-cols-1 md:grid-cols-2 gap-4">
|
||||||
|
<a href="{{ url_for('web.admin_pending') }}" class="flex items-center p-4 bg-gray-50 rounded-lg hover:bg-gray-100 transition-colors">
|
||||||
|
<svg class="h-5 w-5 text-gray-400 mr-3" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M9 5H7a2 2 0 00-2 2v12a2 2 0 002 2h10a2 2 0 002-2V7a2 2 0 00-2-2h-2M9 5a2 2 0 002 2h2a2 2 0 002-2M9 5a2 2 0 012-2h2a2 2 0 012 2"/>
|
||||||
|
</svg>
|
||||||
|
<span class="text-sm font-medium text-gray-700">Review pending tools</span>
|
||||||
|
</a>
|
||||||
|
<a href="{{ url_for('web.admin_reports') }}" class="flex items-center p-4 bg-gray-50 rounded-lg hover:bg-gray-100 transition-colors">
|
||||||
|
<svg class="h-5 w-5 text-gray-400 mr-3" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M15 17h5l-1.405-1.405A2.032 2.032 0 0118 14.158V11a6.002 6.002 0 00-4-5.659V5a2 2 0 10-4 0v.341C7.67 6.165 6 8.388 6 11v3.159c0 .538-.214 1.055-.595 1.436L4 17h5m6 0v1a3 3 0 11-6 0v-1m6 0H9"/>
|
||||||
|
</svg>
|
||||||
|
<span class="text-sm font-medium text-gray-700">Handle reports</span>
|
||||||
|
</a>
|
||||||
|
<a href="{{ url_for('web.admin_publishers') }}" class="flex items-center p-4 bg-gray-50 rounded-lg hover:bg-gray-100 transition-colors">
|
||||||
|
<svg class="h-5 w-5 text-gray-400 mr-3" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M17 20h5v-2a3 3 0 00-5.356-1.857M17 20H7m10 0v-2c0-.656-.126-1.283-.356-1.857M7 20H2v-2a3 3 0 015.356-1.857M7 20v-2c0-.656.126-1.283.356-1.857m0 0a5.002 5.002 0 019.288 0M15 7a3 3 0 11-6 0 3 3 0 016 0z"/>
|
||||||
|
</svg>
|
||||||
|
<span class="text-sm font-medium text-gray-700">Manage publishers</span>
|
||||||
|
</a>
|
||||||
|
<a href="{{ url_for('web.dashboard') }}" class="flex items-center p-4 bg-gray-50 rounded-lg hover:bg-gray-100 transition-colors">
|
||||||
|
<svg class="h-5 w-5 text-gray-400 mr-3" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M11 15l-3-3m0 0l3-3m-3 3h8M3 12a9 9 0 1118 0 9 9 0 01-18 0z"/>
|
||||||
|
</svg>
|
||||||
|
<span class="text-sm font-medium text-gray-700">Back to dashboard</span>
|
||||||
|
</a>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
{% endblock %}
|
||||||
|
|
@ -0,0 +1,164 @@
|
||||||
|
{% extends "dashboard/base.html" %}
|
||||||
|
|
||||||
|
{% block dashboard_header %}
|
||||||
|
<div class="flex items-center justify-between">
|
||||||
|
<div>
|
||||||
|
<h1 class="text-2xl font-bold text-gray-900">Pending Tools</h1>
|
||||||
|
<p class="mt-1 text-gray-600">Review and approve submitted tools</p>
|
||||||
|
</div>
|
||||||
|
<a href="{{ url_for('web.admin_dashboard') }}" class="text-sm text-indigo-600 hover:text-indigo-700">← Back to Admin</a>
|
||||||
|
</div>
|
||||||
|
{% endblock %}
|
||||||
|
|
||||||
|
{% block dashboard_content %}
|
||||||
|
<div class="bg-white rounded-lg border border-gray-200">
|
||||||
|
{% if tools %}
|
||||||
|
<div class="overflow-x-auto">
|
||||||
|
<table class="min-w-full divide-y divide-gray-200">
|
||||||
|
<thead class="bg-gray-50">
|
||||||
|
<tr>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">Tool</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">Publisher</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">Category</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">Submitted</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-right text-xs font-medium text-gray-500 uppercase tracking-wider">Actions</th>
|
||||||
|
</tr>
|
||||||
|
</thead>
|
||||||
|
<tbody class="bg-white divide-y divide-gray-200">
|
||||||
|
{% for tool in tools %}
|
||||||
|
<tr id="tool-row-{{ tool.id }}" class="hover:bg-gray-50">
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div>
|
||||||
|
<div class="text-sm font-medium text-gray-900">{{ tool.owner }}/{{ tool.name }}</div>
|
||||||
|
<div class="text-sm text-gray-500">v{{ tool.version }}</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap">
|
||||||
|
<div class="text-sm text-gray-900">{{ tool.publisher_name }}</div>
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap">
|
||||||
|
<span class="px-2 inline-flex text-xs leading-5 font-semibold rounded-full bg-gray-100 text-gray-800">
|
||||||
|
{{ tool.category or 'Uncategorized' }}
|
||||||
|
</span>
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap text-sm text-gray-500">
|
||||||
|
{{ tool.published_at[:10] if tool.published_at else 'Unknown' }}
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap text-right text-sm font-medium">
|
||||||
|
<button onclick="approveTool({{ tool.id }})" class="text-green-600 hover:text-green-900 mr-3">Approve</button>
|
||||||
|
<button onclick="rejectTool({{ tool.id }})" class="text-red-600 hover:text-red-900">Reject</button>
|
||||||
|
</td>
|
||||||
|
</tr>
|
||||||
|
{% endfor %}
|
||||||
|
</tbody>
|
||||||
|
</table>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Pagination -->
|
||||||
|
{% if meta.total_pages > 1 %}
|
||||||
|
<div class="bg-gray-50 px-6 py-3 flex items-center justify-between border-t border-gray-200">
|
||||||
|
<div class="text-sm text-gray-700">
|
||||||
|
Page {{ meta.page }} of {{ meta.total_pages }} ({{ meta.total }} total)
|
||||||
|
</div>
|
||||||
|
<div class="flex space-x-2">
|
||||||
|
{% if meta.page > 1 %}
|
||||||
|
<a href="?page={{ meta.page - 1 }}" class="px-3 py-1 border rounded text-sm hover:bg-gray-100">Previous</a>
|
||||||
|
{% endif %}
|
||||||
|
{% if meta.page < meta.total_pages %}
|
||||||
|
<a href="?page={{ meta.page + 1 }}" class="px-3 py-1 border rounded text-sm hover:bg-gray-100">Next</a>
|
||||||
|
{% endif %}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
{% endif %}
|
||||||
|
{% else %}
|
||||||
|
<div class="text-center py-12">
|
||||||
|
<svg class="mx-auto h-12 w-12 text-gray-400" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M9 12l2 2 4-4m6 2a9 9 0 11-18 0 9 9 0 0118 0z"/>
|
||||||
|
</svg>
|
||||||
|
<h3 class="mt-2 text-sm font-medium text-gray-900">No pending tools</h3>
|
||||||
|
<p class="mt-1 text-sm text-gray-500">All submitted tools have been reviewed.</p>
|
||||||
|
</div>
|
||||||
|
{% endif %}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Reject Modal -->
|
||||||
|
<div id="reject-modal" class="fixed inset-0 bg-gray-600 bg-opacity-50 hidden overflow-y-auto h-full w-full z-50">
|
||||||
|
<div class="relative top-20 mx-auto p-5 border w-96 shadow-lg rounded-md bg-white">
|
||||||
|
<div class="mt-3">
|
||||||
|
<h3 class="text-lg font-medium text-gray-900 mb-4">Reject Tool</h3>
|
||||||
|
<textarea id="reject-reason" rows="3" class="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-indigo-500" placeholder="Reason for rejection (required)"></textarea>
|
||||||
|
<div class="mt-4 flex justify-end space-x-3">
|
||||||
|
<button onclick="closeRejectModal()" class="px-4 py-2 text-sm font-medium text-gray-700 hover:text-gray-500">Cancel</button>
|
||||||
|
<button onclick="confirmReject()" class="px-4 py-2 bg-red-600 text-white text-sm font-medium rounded-md hover:bg-red-700">Reject</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<script>
|
||||||
|
let currentToolId = null;
|
||||||
|
|
||||||
|
async function approveTool(toolId) {
|
||||||
|
if (!confirm('Approve this tool?')) return;
|
||||||
|
try {
|
||||||
|
const response = await fetch(`/api/v1/admin/tools/${toolId}/approve`, {
|
||||||
|
method: 'POST',
|
||||||
|
headers: {
|
||||||
|
'Authorization': 'Bearer {{ session.get("auth_token") }}',
|
||||||
|
'Content-Type': 'application/json'
|
||||||
|
}
|
||||||
|
});
|
||||||
|
if (response.ok) {
|
||||||
|
document.getElementById(`tool-row-${toolId}`).remove();
|
||||||
|
location.reload();
|
||||||
|
} else {
|
||||||
|
const data = await response.json();
|
||||||
|
alert(data.error?.message || 'Failed to approve tool');
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
alert('Network error');
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
function rejectTool(toolId) {
|
||||||
|
currentToolId = toolId;
|
||||||
|
document.getElementById('reject-modal').classList.remove('hidden');
|
||||||
|
document.getElementById('reject-reason').value = '';
|
||||||
|
}
|
||||||
|
|
||||||
|
function closeRejectModal() {
|
||||||
|
document.getElementById('reject-modal').classList.add('hidden');
|
||||||
|
currentToolId = null;
|
||||||
|
}
|
||||||
|
|
||||||
|
async function confirmReject() {
|
||||||
|
const reason = document.getElementById('reject-reason').value.trim();
|
||||||
|
if (!reason) {
|
||||||
|
alert('Rejection reason is required');
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
try {
|
||||||
|
const response = await fetch(`/api/v1/admin/tools/${currentToolId}/reject`, {
|
||||||
|
method: 'POST',
|
||||||
|
headers: {
|
||||||
|
'Authorization': 'Bearer {{ session.get("auth_token") }}',
|
||||||
|
'Content-Type': 'application/json'
|
||||||
|
},
|
||||||
|
body: JSON.stringify({ reason })
|
||||||
|
});
|
||||||
|
if (response.ok) {
|
||||||
|
closeRejectModal();
|
||||||
|
document.getElementById(`tool-row-${currentToolId}`).remove();
|
||||||
|
location.reload();
|
||||||
|
} else {
|
||||||
|
const data = await response.json();
|
||||||
|
alert(data.error?.message || 'Failed to reject tool');
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
alert('Network error');
|
||||||
|
}
|
||||||
|
}
|
||||||
|
</script>
|
||||||
|
{% endblock %}
|
||||||
|
|
@ -0,0 +1,237 @@
|
||||||
|
{% extends "dashboard/base.html" %}
|
||||||
|
|
||||||
|
{% block dashboard_header %}
|
||||||
|
<div class="flex items-center justify-between">
|
||||||
|
<div>
|
||||||
|
<h1 class="text-2xl font-bold text-gray-900">Publishers</h1>
|
||||||
|
<p class="mt-1 text-gray-600">Manage registry publishers</p>
|
||||||
|
</div>
|
||||||
|
<a href="{{ url_for('web.admin_dashboard') }}" class="text-sm text-indigo-600 hover:text-indigo-700">← Back to Admin</a>
|
||||||
|
</div>
|
||||||
|
{% endblock %}
|
||||||
|
|
||||||
|
{% block dashboard_content %}
|
||||||
|
<div class="bg-white rounded-lg border border-gray-200">
|
||||||
|
{% if publishers %}
|
||||||
|
<div class="overflow-x-auto">
|
||||||
|
<table class="min-w-full divide-y divide-gray-200">
|
||||||
|
<thead class="bg-gray-50">
|
||||||
|
<tr>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">Publisher</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">Role</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">Tools</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">Downloads</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">Status</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-right text-xs font-medium text-gray-500 uppercase tracking-wider">Actions</th>
|
||||||
|
</tr>
|
||||||
|
</thead>
|
||||||
|
<tbody class="bg-white divide-y divide-gray-200">
|
||||||
|
{% for pub in publishers %}
|
||||||
|
<tr id="pub-row-{{ pub.id }}" class="hover:bg-gray-50">
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap">
|
||||||
|
<div class="flex items-center">
|
||||||
|
<div>
|
||||||
|
<div class="text-sm font-medium text-gray-900">{{ pub.display_name }}</div>
|
||||||
|
<div class="text-sm text-gray-500">@{{ pub.slug }}</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap">
|
||||||
|
<span class="px-2 inline-flex text-xs leading-5 font-semibold rounded-full
|
||||||
|
{% if pub.role == 'admin' %}bg-red-100 text-red-800
|
||||||
|
{% elif pub.role == 'moderator' %}bg-purple-100 text-purple-800
|
||||||
|
{% else %}bg-gray-100 text-gray-800{% endif %}">
|
||||||
|
{{ pub.role }}
|
||||||
|
</span>
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap text-sm text-gray-900">
|
||||||
|
{{ pub.tool_count }}
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap text-sm text-gray-500">
|
||||||
|
{{ pub.total_downloads|default(0)|int }}
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap">
|
||||||
|
{% if pub.banned %}
|
||||||
|
<span class="px-2 inline-flex text-xs leading-5 font-semibold rounded-full bg-red-100 text-red-800">
|
||||||
|
Banned
|
||||||
|
</span>
|
||||||
|
{% elif pub.verified %}
|
||||||
|
<span class="px-2 inline-flex text-xs leading-5 font-semibold rounded-full bg-green-100 text-green-800">
|
||||||
|
Verified
|
||||||
|
</span>
|
||||||
|
{% else %}
|
||||||
|
<span class="px-2 inline-flex text-xs leading-5 font-semibold rounded-full bg-gray-100 text-gray-800">
|
||||||
|
Active
|
||||||
|
</span>
|
||||||
|
{% endif %}
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap text-right text-sm font-medium">
|
||||||
|
{% if user.role == 'admin' and pub.role != 'admin' %}
|
||||||
|
{% if pub.banned %}
|
||||||
|
<button onclick="unbanPublisher({{ pub.id }})" class="text-green-600 hover:text-green-900 mr-2">Unban</button>
|
||||||
|
{% else %}
|
||||||
|
<button onclick="banPublisher({{ pub.id }}, '{{ pub.slug }}')" class="text-red-600 hover:text-red-900 mr-2">Ban</button>
|
||||||
|
{% endif %}
|
||||||
|
<button onclick="changeRole({{ pub.id }}, '{{ pub.slug }}', '{{ pub.role }}')" class="text-indigo-600 hover:text-indigo-900">Role</button>
|
||||||
|
{% endif %}
|
||||||
|
</td>
|
||||||
|
</tr>
|
||||||
|
{% endfor %}
|
||||||
|
</tbody>
|
||||||
|
</table>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Pagination -->
|
||||||
|
{% if meta.total_pages > 1 %}
|
||||||
|
<div class="bg-gray-50 px-6 py-3 flex items-center justify-between border-t border-gray-200">
|
||||||
|
<div class="text-sm text-gray-700">
|
||||||
|
Page {{ meta.page }} of {{ meta.total_pages }} ({{ meta.total }} total)
|
||||||
|
</div>
|
||||||
|
<div class="flex space-x-2">
|
||||||
|
{% if meta.page > 1 %}
|
||||||
|
<a href="?page={{ meta.page - 1 }}" class="px-3 py-1 border rounded text-sm hover:bg-gray-100">Previous</a>
|
||||||
|
{% endif %}
|
||||||
|
{% if meta.page < meta.total_pages %}
|
||||||
|
<a href="?page={{ meta.page + 1 }}" class="px-3 py-1 border rounded text-sm hover:bg-gray-100">Next</a>
|
||||||
|
{% endif %}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
{% endif %}
|
||||||
|
{% else %}
|
||||||
|
<div class="text-center py-12">
|
||||||
|
<h3 class="text-sm font-medium text-gray-900">No publishers found</h3>
|
||||||
|
</div>
|
||||||
|
{% endif %}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Ban Modal -->
|
||||||
|
<div id="ban-modal" class="fixed inset-0 bg-gray-600 bg-opacity-50 hidden overflow-y-auto h-full w-full z-50">
|
||||||
|
<div class="relative top-20 mx-auto p-5 border w-96 shadow-lg rounded-md bg-white">
|
||||||
|
<div class="mt-3">
|
||||||
|
<h3 class="text-lg font-medium text-gray-900 mb-2">Ban Publisher</h3>
|
||||||
|
<p class="text-sm text-gray-500 mb-4" id="ban-publisher-name"></p>
|
||||||
|
<textarea id="ban-reason" rows="3" class="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-indigo-500" placeholder="Reason for ban (required)"></textarea>
|
||||||
|
<div class="mt-4 flex justify-end space-x-3">
|
||||||
|
<button onclick="closeBanModal()" class="px-4 py-2 text-sm font-medium text-gray-700 hover:text-gray-500">Cancel</button>
|
||||||
|
<button onclick="confirmBan()" class="px-4 py-2 bg-red-600 text-white text-sm font-medium rounded-md hover:bg-red-700">Ban</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Role Modal -->
|
||||||
|
<div id="role-modal" class="fixed inset-0 bg-gray-600 bg-opacity-50 hidden overflow-y-auto h-full w-full z-50">
|
||||||
|
<div class="relative top-20 mx-auto p-5 border w-96 shadow-lg rounded-md bg-white">
|
||||||
|
<div class="mt-3">
|
||||||
|
<h3 class="text-lg font-medium text-gray-900 mb-2">Change Role</h3>
|
||||||
|
<p class="text-sm text-gray-500 mb-4" id="role-publisher-name"></p>
|
||||||
|
<select id="new-role" class="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-indigo-500">
|
||||||
|
<option value="user">User</option>
|
||||||
|
<option value="moderator">Moderator</option>
|
||||||
|
<option value="admin">Admin</option>
|
||||||
|
</select>
|
||||||
|
<div class="mt-4 flex justify-end space-x-3">
|
||||||
|
<button onclick="closeRoleModal()" class="px-4 py-2 text-sm font-medium text-gray-700 hover:text-gray-500">Cancel</button>
|
||||||
|
<button onclick="confirmRole()" class="px-4 py-2 bg-indigo-600 text-white text-sm font-medium rounded-md hover:bg-indigo-700">Update</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<script>
|
||||||
|
let currentPublisherId = null;
|
||||||
|
|
||||||
|
function banPublisher(pubId, slug) {
|
||||||
|
currentPublisherId = pubId;
|
||||||
|
document.getElementById('ban-publisher-name').textContent = `Banning @${slug}`;
|
||||||
|
document.getElementById('ban-modal').classList.remove('hidden');
|
||||||
|
document.getElementById('ban-reason').value = '';
|
||||||
|
}
|
||||||
|
|
||||||
|
function closeBanModal() {
|
||||||
|
document.getElementById('ban-modal').classList.add('hidden');
|
||||||
|
currentPublisherId = null;
|
||||||
|
}
|
||||||
|
|
||||||
|
async function confirmBan() {
|
||||||
|
const reason = document.getElementById('ban-reason').value.trim();
|
||||||
|
if (!reason) {
|
||||||
|
alert('Ban reason is required');
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
try {
|
||||||
|
const response = await fetch(`/api/v1/admin/publishers/${currentPublisherId}/ban`, {
|
||||||
|
method: 'POST',
|
||||||
|
headers: {
|
||||||
|
'Authorization': 'Bearer {{ session.get("auth_token") }}',
|
||||||
|
'Content-Type': 'application/json'
|
||||||
|
},
|
||||||
|
body: JSON.stringify({ reason })
|
||||||
|
});
|
||||||
|
if (response.ok) {
|
||||||
|
location.reload();
|
||||||
|
} else {
|
||||||
|
const data = await response.json();
|
||||||
|
alert(data.error?.message || 'Failed to ban publisher');
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
alert('Network error');
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
async function unbanPublisher(pubId) {
|
||||||
|
if (!confirm('Unban this publisher?')) return;
|
||||||
|
try {
|
||||||
|
const response = await fetch(`/api/v1/admin/publishers/${pubId}/unban`, {
|
||||||
|
method: 'POST',
|
||||||
|
headers: {
|
||||||
|
'Authorization': 'Bearer {{ session.get("auth_token") }}',
|
||||||
|
'Content-Type': 'application/json'
|
||||||
|
}
|
||||||
|
});
|
||||||
|
if (response.ok) {
|
||||||
|
location.reload();
|
||||||
|
} else {
|
||||||
|
const data = await response.json();
|
||||||
|
alert(data.error?.message || 'Failed to unban publisher');
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
alert('Network error');
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
function changeRole(pubId, slug, currentRole) {
|
||||||
|
currentPublisherId = pubId;
|
||||||
|
document.getElementById('role-publisher-name').textContent = `Changing role for @${slug}`;
|
||||||
|
document.getElementById('new-role').value = currentRole;
|
||||||
|
document.getElementById('role-modal').classList.remove('hidden');
|
||||||
|
}
|
||||||
|
|
||||||
|
function closeRoleModal() {
|
||||||
|
document.getElementById('role-modal').classList.add('hidden');
|
||||||
|
currentPublisherId = null;
|
||||||
|
}
|
||||||
|
|
||||||
|
async function confirmRole() {
|
||||||
|
const role = document.getElementById('new-role').value;
|
||||||
|
try {
|
||||||
|
const response = await fetch(`/api/v1/admin/publishers/${currentPublisherId}/role`, {
|
||||||
|
method: 'POST',
|
||||||
|
headers: {
|
||||||
|
'Authorization': 'Bearer {{ session.get("auth_token") }}',
|
||||||
|
'Content-Type': 'application/json'
|
||||||
|
},
|
||||||
|
body: JSON.stringify({ role })
|
||||||
|
});
|
||||||
|
if (response.ok) {
|
||||||
|
location.reload();
|
||||||
|
} else {
|
||||||
|
const data = await response.json();
|
||||||
|
alert(data.error?.message || 'Failed to change role');
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
alert('Network error');
|
||||||
|
}
|
||||||
|
}
|
||||||
|
</script>
|
||||||
|
{% endblock %}
|
||||||
|
|
@ -0,0 +1,177 @@
|
||||||
|
{% extends "dashboard/base.html" %}
|
||||||
|
|
||||||
|
{% block dashboard_header %}
|
||||||
|
<div class="flex items-center justify-between">
|
||||||
|
<div>
|
||||||
|
<h1 class="text-2xl font-bold text-gray-900">Reports</h1>
|
||||||
|
<p class="mt-1 text-gray-600">Review and resolve tool reports</p>
|
||||||
|
</div>
|
||||||
|
<a href="{{ url_for('web.admin_dashboard') }}" class="text-sm text-indigo-600 hover:text-indigo-700">← Back to Admin</a>
|
||||||
|
</div>
|
||||||
|
{% endblock %}
|
||||||
|
|
||||||
|
{% block dashboard_content %}
|
||||||
|
<div class="space-y-6">
|
||||||
|
<!-- Status Filter -->
|
||||||
|
<div class="flex space-x-2">
|
||||||
|
<a href="?status=pending" class="px-4 py-2 rounded-md text-sm font-medium {% if status_filter == 'pending' %}bg-indigo-600 text-white{% else %}bg-gray-100 text-gray-700 hover:bg-gray-200{% endif %}">
|
||||||
|
Pending
|
||||||
|
</a>
|
||||||
|
<a href="?status=resolved" class="px-4 py-2 rounded-md text-sm font-medium {% if status_filter == 'resolved' %}bg-indigo-600 text-white{% else %}bg-gray-100 text-gray-700 hover:bg-gray-200{% endif %}">
|
||||||
|
Resolved
|
||||||
|
</a>
|
||||||
|
<a href="?status=" class="px-4 py-2 rounded-md text-sm font-medium {% if not status_filter %}bg-indigo-600 text-white{% else %}bg-gray-100 text-gray-700 hover:bg-gray-200{% endif %}">
|
||||||
|
All
|
||||||
|
</a>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="bg-white rounded-lg border border-gray-200">
|
||||||
|
{% if reports %}
|
||||||
|
<div class="overflow-x-auto">
|
||||||
|
<table class="min-w-full divide-y divide-gray-200">
|
||||||
|
<thead class="bg-gray-50">
|
||||||
|
<tr>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">Tool</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">Reason</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">Reporter</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">Date</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">Status</th>
|
||||||
|
<th scope="col" class="px-6 py-3 text-right text-xs font-medium text-gray-500 uppercase tracking-wider">Actions</th>
|
||||||
|
</tr>
|
||||||
|
</thead>
|
||||||
|
<tbody class="bg-white divide-y divide-gray-200">
|
||||||
|
{% for report in reports %}
|
||||||
|
<tr id="report-row-{{ report.id }}" class="hover:bg-gray-50">
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap">
|
||||||
|
<div class="text-sm font-medium text-gray-900">{{ report.tool }}</div>
|
||||||
|
<div class="text-sm text-gray-500">v{{ report.version }}</div>
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4">
|
||||||
|
<div class="text-sm text-gray-900">{{ report.reason }}</div>
|
||||||
|
{% if report.details %}
|
||||||
|
<div class="text-xs text-gray-500 mt-1 max-w-xs truncate">{{ report.details }}</div>
|
||||||
|
{% endif %}
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap text-sm text-gray-500">
|
||||||
|
{{ report.reporter_name or 'Anonymous' }}
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap text-sm text-gray-500">
|
||||||
|
{{ report.created_at[:10] if report.created_at else 'Unknown' }}
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap">
|
||||||
|
<span class="px-2 inline-flex text-xs leading-5 font-semibold rounded-full
|
||||||
|
{% if report.status == 'pending' %}bg-yellow-100 text-yellow-800
|
||||||
|
{% else %}bg-green-100 text-green-800{% endif %}">
|
||||||
|
{{ report.status }}
|
||||||
|
</span>
|
||||||
|
</td>
|
||||||
|
<td class="px-6 py-4 whitespace-nowrap text-right text-sm font-medium">
|
||||||
|
{% if report.status == 'pending' %}
|
||||||
|
<button onclick="resolveReport({{ report.id }}, {{ report.tool_id }})" class="text-indigo-600 hover:text-indigo-900">Resolve</button>
|
||||||
|
{% else %}
|
||||||
|
<span class="text-gray-400">{{ report.resolution_note or 'Resolved' }}</span>
|
||||||
|
{% endif %}
|
||||||
|
</td>
|
||||||
|
</tr>
|
||||||
|
{% endfor %}
|
||||||
|
</tbody>
|
||||||
|
</table>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Pagination -->
|
||||||
|
{% if meta.total_pages > 1 %}
|
||||||
|
<div class="bg-gray-50 px-6 py-3 flex items-center justify-between border-t border-gray-200">
|
||||||
|
<div class="text-sm text-gray-700">
|
||||||
|
Page {{ meta.page }} of {{ meta.total_pages }} ({{ meta.total }} total)
|
||||||
|
</div>
|
||||||
|
<div class="flex space-x-2">
|
||||||
|
{% if meta.page > 1 %}
|
||||||
|
<a href="?page={{ meta.page - 1 }}&status={{ status_filter }}" class="px-3 py-1 border rounded text-sm hover:bg-gray-100">Previous</a>
|
||||||
|
{% endif %}
|
||||||
|
{% if meta.page < meta.total_pages %}
|
||||||
|
<a href="?page={{ meta.page + 1 }}&status={{ status_filter }}" class="px-3 py-1 border rounded text-sm hover:bg-gray-100">Next</a>
|
||||||
|
{% endif %}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
{% endif %}
|
||||||
|
{% else %}
|
||||||
|
<div class="text-center py-12">
|
||||||
|
<svg class="mx-auto h-12 w-12 text-gray-400" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M9 12l2 2 4-4m6 2a9 9 0 11-18 0 9 9 0 0118 0z"/>
|
||||||
|
</svg>
|
||||||
|
<h3 class="mt-2 text-sm font-medium text-gray-900">No reports</h3>
|
||||||
|
<p class="mt-1 text-sm text-gray-500">No reports matching this filter.</p>
|
||||||
|
</div>
|
||||||
|
{% endif %}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Resolve Modal -->
|
||||||
|
<div id="resolve-modal" class="fixed inset-0 bg-gray-600 bg-opacity-50 hidden overflow-y-auto h-full w-full z-50">
|
||||||
|
<div class="relative top-20 mx-auto p-5 border w-96 shadow-lg rounded-md bg-white">
|
||||||
|
<div class="mt-3">
|
||||||
|
<h3 class="text-lg font-medium text-gray-900 mb-4">Resolve Report</h3>
|
||||||
|
<div class="mb-4">
|
||||||
|
<label class="block text-sm font-medium text-gray-700 mb-2">Action</label>
|
||||||
|
<select id="resolve-action" class="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-indigo-500">
|
||||||
|
<option value="dismiss">Dismiss (no action)</option>
|
||||||
|
<option value="warn">Warn publisher</option>
|
||||||
|
<option value="remove_tool">Remove tool</option>
|
||||||
|
<option value="ban_publisher">Ban publisher</option>
|
||||||
|
</select>
|
||||||
|
</div>
|
||||||
|
<div>
|
||||||
|
<label class="block text-sm font-medium text-gray-700 mb-2">Note (optional)</label>
|
||||||
|
<textarea id="resolve-note" rows="2" class="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-indigo-500" placeholder="Resolution notes"></textarea>
|
||||||
|
</div>
|
||||||
|
<div class="mt-4 flex justify-end space-x-3">
|
||||||
|
<button onclick="closeResolveModal()" class="px-4 py-2 text-sm font-medium text-gray-700 hover:text-gray-500">Cancel</button>
|
||||||
|
<button onclick="confirmResolve()" class="px-4 py-2 bg-indigo-600 text-white text-sm font-medium rounded-md hover:bg-indigo-700">Resolve</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<script>
|
||||||
|
let currentReportId = null;
|
||||||
|
let currentToolId = null;
|
||||||
|
|
||||||
|
function resolveReport(reportId, toolId) {
|
||||||
|
currentReportId = reportId;
|
||||||
|
currentToolId = toolId;
|
||||||
|
document.getElementById('resolve-modal').classList.remove('hidden');
|
||||||
|
document.getElementById('resolve-action').value = 'dismiss';
|
||||||
|
document.getElementById('resolve-note').value = '';
|
||||||
|
}
|
||||||
|
|
||||||
|
function closeResolveModal() {
|
||||||
|
document.getElementById('resolve-modal').classList.add('hidden');
|
||||||
|
currentReportId = null;
|
||||||
|
currentToolId = null;
|
||||||
|
}
|
||||||
|
|
||||||
|
async function confirmResolve() {
|
||||||
|
const action = document.getElementById('resolve-action').value;
|
||||||
|
const note = document.getElementById('resolve-note').value.trim();
|
||||||
|
|
||||||
|
try {
|
||||||
|
const response = await fetch(`/api/v1/admin/reports/${currentReportId}/resolve`, {
|
||||||
|
method: 'POST',
|
||||||
|
headers: {
|
||||||
|
'Authorization': 'Bearer {{ session.get("auth_token") }}',
|
||||||
|
'Content-Type': 'application/json'
|
||||||
|
},
|
||||||
|
body: JSON.stringify({ action, note })
|
||||||
|
});
|
||||||
|
if (response.ok) {
|
||||||
|
location.reload();
|
||||||
|
} else {
|
||||||
|
const data = await response.json();
|
||||||
|
alert(data.error?.message || 'Failed to resolve report');
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
alert('Network error');
|
||||||
|
}
|
||||||
|
}
|
||||||
|
</script>
|
||||||
|
{% endblock %}
|
||||||
|
|
@ -6,8 +6,19 @@
|
||||||
<div class="bg-white border-b border-gray-200">
|
<div class="bg-white border-b border-gray-200">
|
||||||
<div class="max-w-7xl mx-auto px-4 sm:px-6 lg:px-8 py-8">
|
<div class="max-w-7xl mx-auto px-4 sm:px-6 lg:px-8 py-8">
|
||||||
{% block dashboard_header %}
|
{% block dashboard_header %}
|
||||||
<h1 class="text-2xl font-bold text-gray-900">Dashboard</h1>
|
<div class="flex items-center justify-between">
|
||||||
<p class="mt-1 text-gray-600">Welcome back, {{ user.display_name }}</p>
|
<div>
|
||||||
|
<h1 class="text-2xl font-bold text-gray-900">Dashboard</h1>
|
||||||
|
<p class="mt-1 text-gray-600">
|
||||||
|
Welcome back, {{ user.display_name }}
|
||||||
|
{% if user.role in ('moderator', 'admin') %}
|
||||||
|
<span class="ml-2 inline-flex items-center px-2 py-0.5 rounded text-xs font-medium {% if user.role == 'admin' %}bg-red-100 text-red-800{% else %}bg-purple-100 text-purple-800{% endif %}">
|
||||||
|
{{ user.role|capitalize }}
|
||||||
|
</span>
|
||||||
|
{% endif %}
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
{% endblock %}
|
{% endblock %}
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
@ -46,6 +57,17 @@
|
||||||
</svg>
|
</svg>
|
||||||
Settings
|
Settings
|
||||||
</a>
|
</a>
|
||||||
|
{% if user.role in ('moderator', 'admin') %}
|
||||||
|
<div class="border-t border-gray-200 mt-2 pt-2">
|
||||||
|
<a href="{{ url_for('web.admin_dashboard') }}"
|
||||||
|
class="flex items-center px-4 py-3 text-sm font-medium {{ 'bg-red-50 text-red-700 border-l-4 border-red-600' if active_page and active_page.startswith('admin') else 'text-red-600 hover:bg-red-50' }}">
|
||||||
|
<svg class="w-5 h-5 mr-3" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M9 12l2 2 4-4m5.618-4.016A11.955 11.955 0 0112 2.944a11.955 11.955 0 01-8.618 3.04A12.02 12.02 0 003 9c0 5.591 3.824 10.29 9 11.622 5.176-1.332 9-6.03 9-11.622 0-1.042-.133-2.052-.382-3.016z"/>
|
||||||
|
</svg>
|
||||||
|
Admin Panel
|
||||||
|
</a>
|
||||||
|
</div>
|
||||||
|
{% endif %}
|
||||||
</nav>
|
</nav>
|
||||||
|
|
||||||
<!-- Quick Stats (mobile hidden) -->
|
<!-- Quick Stats (mobile hidden) -->
|
||||||
|
|
|
||||||
|
|
@ -0,0 +1,25 @@
|
||||||
|
{% extends "base.html" %}
|
||||||
|
|
||||||
|
{% block title %}Access Denied - CmdForge{% endblock %}
|
||||||
|
|
||||||
|
{% block content %}
|
||||||
|
<div class="min-h-[60vh] flex items-center justify-center px-4">
|
||||||
|
<div class="text-center max-w-md">
|
||||||
|
<p class="text-6xl font-bold text-red-600">403</p>
|
||||||
|
<h1 class="mt-4 text-3xl font-bold text-gray-900">Access Denied</h1>
|
||||||
|
<p class="mt-4 text-gray-600">
|
||||||
|
Sorry, you don't have permission to access this page. This area is restricted to administrators and moderators.
|
||||||
|
</p>
|
||||||
|
<div class="mt-8 flex flex-col sm:flex-row items-center justify-center gap-4">
|
||||||
|
<a href="{{ url_for('web.dashboard') }}"
|
||||||
|
class="w-full sm:w-auto inline-flex justify-center items-center px-6 py-3 text-base font-medium text-white bg-indigo-600 rounded-md hover:bg-indigo-700">
|
||||||
|
Go to Dashboard
|
||||||
|
</a>
|
||||||
|
<a href="{{ url_for('web.home') }}"
|
||||||
|
class="w-full sm:w-auto inline-flex justify-center items-center px-6 py-3 text-base font-medium text-gray-700 border border-gray-300 rounded-md hover:bg-gray-50">
|
||||||
|
Go Home
|
||||||
|
</a>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
{% endblock %}
|
||||||
Loading…
Reference in New Issue