This commit is contained in:
doomtube 2025-08-09 13:51:36 -04:00
parent 875a53f499
commit d812c6aeab
8 changed files with 2688 additions and 113 deletions

View file

@ -311,19 +311,14 @@ void RealmController::getRealmStreamKey(const HttpRequestPtr &req,
void RealmController::getRealm(const HttpRequestPtr &req, void RealmController::getRealm(const HttpRequestPtr &req,
std::function<void(const HttpResponsePtr &)> &&callback, std::function<void(const HttpResponsePtr &)> &&callback,
const std::string &realmId) { const std::string &realmId) {
UserInfo user = getUserFromRequest(req); // Remove authentication requirement for public viewing
if (user.id == 0) {
callback(jsonError("Unauthorized", k401Unauthorized));
return;
}
int64_t id = std::stoll(realmId); int64_t id = std::stoll(realmId);
auto dbClient = app().getDbClient(); auto dbClient = app().getDbClient();
*dbClient << "SELECT r.*, u.username FROM realms r " *dbClient << "SELECT r.*, u.username FROM realms r "
"JOIN users u ON r.user_id = u.id " "JOIN users u ON r.user_id = u.id "
"WHERE r.id = $1 AND r.user_id = $2" "WHERE r.id = $1 AND r.is_active = true"
<< id << user.id << id
>> [callback](const Result& r) { >> [callback](const Result& r) {
if (r.empty()) { if (r.empty()) {
callback(jsonError("Realm not found", k404NotFound)); callback(jsonError("Realm not found", k404NotFound));
@ -335,7 +330,8 @@ void RealmController::getRealm(const HttpRequestPtr &req,
auto& realm = resp["realm"]; auto& realm = resp["realm"];
realm["id"] = static_cast<Json::Int64>(r[0]["id"].as<int64_t>()); realm["id"] = static_cast<Json::Int64>(r[0]["id"].as<int64_t>());
realm["name"] = r[0]["name"].as<std::string>(); realm["name"] = r[0]["name"].as<std::string>();
realm["streamKey"] = r[0]["stream_key"].as<std::string>(); // Don't expose stream key in public endpoint
// realm["streamKey"] = r[0]["stream_key"].as<std::string>();
realm["isActive"] = r[0]["is_active"].as<bool>(); realm["isActive"] = r[0]["is_active"].as<bool>();
realm["isLive"] = r[0]["is_live"].as<bool>(); realm["isLive"] = r[0]["is_live"].as<bool>();
realm["viewerCount"] = static_cast<Json::Int64>(r[0]["viewer_count"].as<int64_t>()); realm["viewerCount"] = static_cast<Json::Int64>(r[0]["viewer_count"].as<int64_t>());

View file

@ -33,6 +33,10 @@ int main() {
LOG_INFO << "Loading configuration..."; LOG_INFO << "Loading configuration...";
app().loadConfigFile("config.json"); app().loadConfigFile("config.json");
// Initialize StatsService BEFORE registering callbacks
LOG_INFO << "Initializing StatsService...";
StatsService::getInstance().initialize();
// Register a pre-routing advice to handle CORS // Register a pre-routing advice to handle CORS
app().registerPreRoutingAdvice([](const HttpRequestPtr &req, app().registerPreRoutingAdvice([](const HttpRequestPtr &req,
AdviceCallback &&acb, AdviceCallback &&acb,
@ -74,13 +78,13 @@ int main() {
resp->addHeader("Access-Control-Allow-Credentials", "true"); resp->addHeader("Access-Control-Allow-Credentials", "true");
}); });
// Register beginning advice to initialize StatsService after app starts // Register beginning advice to start the stats timer
app().registerBeginningAdvice([]() { app().registerBeginningAdvice([]() {
LOG_INFO << "Application started successfully"; LOG_INFO << "Application started successfully";
// Initialize StatsService after app is running // Start the stats polling timer
LOG_INFO << "Initializing StatsService..."; LOG_INFO << "Starting stats polling...";
StatsService::getInstance().initialize(); StatsService::getInstance().startPolling();
}); });
app().setTermSignalHandler([]() { app().setTermSignalHandler([]() {

View file

@ -16,26 +16,43 @@ public:
} }
// Get list of active streams // Get list of active streams
void getActiveStreams(std::function<void(bool, const Json::Value&)> callback) { // In backend/src/services/OmeClient.h
auto request = createRequest(drogon::Get, "/v1/vhosts/default/apps/app/streams");
void getActiveStreams(std::function<void(bool, const Json::Value&)> callback) {
getClient()->sendRequest(request, [callback](drogon::ReqResult result, const drogon::HttpResponsePtr& response) { // Try the streams endpoint first
if (result == drogon::ReqResult::Ok && response && response->getStatusCode() == drogon::k200OK) { auto request = createRequest(drogon::Get, "/v1/vhosts/default/apps/app/streams");
try {
Json::Value json = *response->getJsonObject(); getClient()->sendRequest(request, [callback](drogon::ReqResult result, const drogon::HttpResponsePtr& response) {
if (result == drogon::ReqResult::Ok && response && response->getStatusCode() == drogon::k200OK) {
try {
Json::Value json = *response->getJsonObject();
LOG_DEBUG << "OME streams response: " << json.toStyledString();
// OME might return the streams in different formats
// Sometimes it's {"response": ["stream1", "stream2"]}
// Sometimes it's {"response": {"streams": ["stream1", "stream2"]}}
if (json.isMember("response")) {
callback(true, json); callback(true, json);
} catch (const std::exception& e) { } else {
LOG_ERROR << "Failed to parse OME response: " << e.what(); // Wrap the response if needed
Json::Value empty; Json::Value wrapped;
callback(false, empty); wrapped["response"] = json;
callback(true, wrapped);
} }
} else { } catch (const std::exception& e) {
LOG_ERROR << "Failed to get active streams from OME"; LOG_ERROR << "Failed to parse OME response: " << e.what();
Json::Value empty; Json::Value empty;
empty["response"] = Json::arrayValue;
callback(false, empty); callback(false, empty);
} }
}); } else {
} LOG_ERROR << "Failed to get active streams from OME";
Json::Value empty;
empty["response"] = Json::arrayValue;
callback(false, empty);
}
});
}
// Get stats for a specific stream // Get stats for a specific stream
void getStreamStats(const std::string& streamKey, void getStreamStats(const std::string& streamKey,

View file

@ -4,6 +4,7 @@
#include "../services/OmeClient.h" #include "../services/OmeClient.h"
#include <drogon/HttpClient.h> #include <drogon/HttpClient.h>
#include <drogon/utils/Utilities.h> #include <drogon/utils/Utilities.h>
#include <set>
using namespace drogon; using namespace drogon;
@ -17,29 +18,40 @@ StatsService::~StatsService() {
void StatsService::initialize() { void StatsService::initialize() {
LOG_INFO << "Initializing Stats Service..."; LOG_INFO << "Initializing Stats Service...";
running_ = true; running_ = true;
}
void StatsService::startPolling() {
if (!running_) {
LOG_WARN << "Stats service not initialized, cannot start polling";
return;
}
drogon::app().registerBeginningAdvice([this]() { LOG_INFO << "Starting stats polling timer...";
LOG_INFO << "Starting stats polling timer...";
if (auto loop = drogon::app().getLoop()) {
if (auto loop = drogon::app().getLoop()) { try {
try { // Do an immediate poll
timerId_ = loop->runEvery( pollOmeStats();
pollInterval_.count(),
[this]() { // Then set up the timer
if (!running_) return; timerId_ = loop->runEvery(
try { pollInterval_.count(),
pollOmeStats(); [this]() {
} catch (const std::exception& e) { if (!running_) return;
LOG_ERROR << "Error in stats polling: " << e.what(); try {
} pollOmeStats();
} catch (const std::exception& e) {
LOG_ERROR << "Error in stats polling: " << e.what();
} }
); }
LOG_INFO << "Stats polling timer started with " << pollInterval_.count() << "s interval"; );
} catch (const std::exception& e) { LOG_INFO << "Stats polling timer started with " << pollInterval_.count() << "s interval";
LOG_ERROR << "Failed to create stats timer: " << e.what(); } catch (const std::exception& e) {
} LOG_ERROR << "Failed to create stats timer: " << e.what();
} }
}); } else {
LOG_ERROR << "Event loop not available for stats polling";
}
} }
void StatsService::shutdown() { void StatsService::shutdown() {
@ -73,27 +85,82 @@ int64_t StatsService::getUniqueViewerCount(const std::string& streamKey) {
} }
void StatsService::pollOmeStats() { void StatsService::pollOmeStats() {
LOG_INFO << "Polling OvenMediaEngine for active streams...";
// Get active streams from OME // Get active streams from OME
OmeClient::getInstance().getActiveStreams([this](bool success, const Json::Value& json) { OmeClient::getInstance().getActiveStreams([this](bool success, const Json::Value& json) {
if (success && json["response"].isArray()) { if (success && json.isMember("response")) {
for (const auto& stream : json["response"]) { LOG_INFO << "OME Active Streams Response: " << json["response"].toStyledString();
if (stream.isString()) {
updateStreamStats(stream.asString()); std::set<std::string> activeStreamKeys;
// Handle both array and object responses from OME
if (json["response"].isArray()) {
for (const auto& stream : json["response"]) {
if (stream.isString()) {
activeStreamKeys.insert(stream.asString());
}
}
} else if (json["response"].isMember("streams") && json["response"]["streams"].isArray()) {
for (const auto& stream : json["response"]["streams"]) {
if (stream.isString()) {
activeStreamKeys.insert(stream.asString());
} else if (stream.isMember("name")) {
activeStreamKeys.insert(stream["name"].asString());
}
} }
} }
LOG_INFO << "Found " << activeStreamKeys.size() << " active streams from OME";
// Update each active stream
for (const auto& streamKey : activeStreamKeys) {
LOG_INFO << "Processing active stream: " << streamKey;
// IMMEDIATELY update database to mark as live
auto dbClient = app().getDbClient();
*dbClient << "UPDATE realms SET is_live = true, viewer_count = 0, "
"updated_at = CURRENT_TIMESTAMP WHERE stream_key = $1"
<< streamKey
>> [streamKey](const orm::Result&) {
LOG_INFO << "Successfully marked realm as live: " << streamKey;
}
>> [streamKey](const orm::DrogonDbException& e) {
LOG_ERROR << "Failed to update realm live status: " << e.base().what();
};
// Then update detailed stats
updateStreamStats(streamKey);
}
// Mark all non-active streams as offline
auto dbClient = app().getDbClient();
*dbClient << "SELECT stream_key FROM realms WHERE is_live = true"
>> [activeStreamKeys](const orm::Result& r) {
auto db = app().getDbClient();
for (const auto& row : r) {
std::string key = row["stream_key"].as<std::string>();
if (activeStreamKeys.find(key) == activeStreamKeys.end()) {
LOG_INFO << "Marking realm as offline: " << key;
*db << "UPDATE realms SET is_live = false, viewer_count = 0, "
"updated_at = CURRENT_TIMESTAMP WHERE stream_key = $1"
<< key
>> [key](const orm::Result&) {
LOG_INFO << "Marked realm as offline: " << key;
}
>> [](const orm::DrogonDbException& e) {
LOG_ERROR << "Failed to mark realm offline: " << e.base().what();
};
}
}
}
>> [](const orm::DrogonDbException& e) {
LOG_ERROR << "Failed to query live realms: " << e.base().what();
};
} else {
LOG_ERROR << "Failed to get active streams from OME or empty response";
} }
}); });
// Poll known stream keys from Redis
services::RedisHelper::instance().keysAsync("stream_key:*",
[this](const std::vector<std::string>& keys) {
for (const auto& key : keys) {
if (auto pos = key.find(':'); pos != std::string::npos) {
updateStreamStats(key.substr(pos + 1));
}
}
}
);
} }
void StatsService::updateStreamStats(const std::string& streamKey) { void StatsService::updateStreamStats(const std::string& streamKey) {
@ -107,7 +174,7 @@ void StatsService::updateStreamStats(const std::string& streamKey) {
// Update realm in database // Update realm in database
updateRealmLiveStatus(streamKey, updatedStats); updateRealmLiveStatus(streamKey, updatedStats);
// Only broadcast if stream has meaningful data // Only broadcast if stream has meaningful data or is live
if (updatedStats.isLive || updatedStats.totalBytesIn > 0 || updatedStats.uniqueViewers > 0) { if (updatedStats.isLive || updatedStats.totalBytesIn > 0 || updatedStats.uniqueViewers > 0) {
Json::Value msg; Json::Value msg;
msg["type"] = "stats_update"; msg["type"] = "stats_update";
@ -140,11 +207,14 @@ void StatsService::updateStreamStats(const std::string& streamKey) {
void StatsService::updateRealmLiveStatus(const std::string& streamKey, const StreamStats& stats) { void StatsService::updateRealmLiveStatus(const std::string& streamKey, const StreamStats& stats) {
auto dbClient = app().getDbClient(); auto dbClient = app().getDbClient();
// Cast to int32 to match PostgreSQL integer type
int32_t viewerCount = static_cast<int32_t>(stats.uniqueViewers);
// Update realm's live status and viewer count // Update realm's live status and viewer count
*dbClient << "UPDATE realms SET is_live = $1, viewer_count = $2 WHERE stream_key = $3" *dbClient << "UPDATE realms SET is_live = $1, viewer_count = $2, updated_at = CURRENT_TIMESTAMP WHERE stream_key = $3"
<< stats.isLive << stats.uniqueViewers << streamKey << stats.isLive << viewerCount << streamKey
>> [streamKey, stats](const orm::Result&) { >> [streamKey, stats](const orm::Result&) {
LOG_DEBUG << "Updated realm status for stream " << streamKey LOG_INFO << "Updated realm status for stream " << streamKey
<< " - Live: " << stats.isLive << " - Live: " << stats.isLive
<< ", Viewers: " << stats.uniqueViewers; << ", Viewers: " << stats.uniqueViewers;
} }
@ -158,13 +228,16 @@ void StatsService::fetchStatsFromOme(const std::string& streamKey,
std::function<void(bool, const StreamStats&)> callback) { std::function<void(bool, const StreamStats&)> callback) {
LOG_DEBUG << "Fetching stats for stream: " << streamKey; LOG_DEBUG << "Fetching stats for stream: " << streamKey;
// First, try to get the stream stats
OmeClient::getInstance().getStreamStats(streamKey, [this, callback, streamKey](bool success, const Json::Value& json) { OmeClient::getInstance().getStreamStats(streamKey, [this, callback, streamKey](bool success, const Json::Value& json) {
StreamStats stats; StreamStats stats;
bool streamExists = false;
if (success && json.isMember("response") && !json["response"].isNull()) { if (success && json.isMember("response") && !json["response"].isNull()) {
try { try {
const auto& data = json["response"]; const auto& data = json["response"];
streamExists = true;
// Parse connections // Parse connections
if (data.isMember("connections")) { if (data.isMember("connections")) {
const auto& conns = data["connections"]; const auto& conns = data["connections"];
@ -186,54 +259,173 @@ void StatsService::fetchStatsFromOme(const std::string& streamKey,
stats.totalConnections = totalConns; stats.totalConnections = totalConns;
} }
// Bitrate // Check multiple indicators for live status
stats.bitrate = data.isMember("lastThroughputIn") ? bool hasInput = false;
data["lastThroughputIn"].asDouble() :
(data.isMember("avgThroughputIn") ? data["avgThroughputIn"].asDouble() : 0); // Check for input field
if (data.isMember("input") && !data["input"].isNull()) {
// Byte counters hasInput = true;
if (data.isMember("totalBytesIn")) stats.totalBytesIn = data["totalBytesIn"].asInt64(); const auto& input = data["input"];
if (data.isMember("totalBytesOut")) stats.totalBytesOut = data["totalBytesOut"].asInt64();
// Get bitrate from input tracks
stats.isLive = (stats.bitrate > 0 || stats.currentConnections > 0); if (input.isMember("tracks") && input["tracks"].isArray()) {
LOG_DEBUG << "OME stats response: " << json.toStyledString(); for (const auto& track : input["tracks"]) {
if (track["type"].asString() == "video" && track.isMember("bitrate")) {
stats.bitrate = track["bitrate"].asDouble();
}
}
}
}
// Alternative: Check lastThroughputIn
if (!hasInput && data.isMember("lastThroughputIn")) {
double throughput = data["lastThroughputIn"].asDouble();
if (throughput > 0) {
hasInput = true;
stats.bitrate = throughput;
}
}
// Alternative: Check avgThroughputIn
if (!hasInput && data.isMember("avgThroughputIn")) {
double avgThroughput = data["avgThroughputIn"].asDouble();
if (avgThroughput > 0) {
hasInput = true;
stats.bitrate = avgThroughput;
}
}
// Check bytes counters
if (data.isMember("totalBytesIn")) {
stats.totalBytesIn = data["totalBytesIn"].asInt64();
if (stats.totalBytesIn > 0) {
hasInput = true;
}
}
if (data.isMember("totalBytesOut")) {
stats.totalBytesOut = data["totalBytesOut"].asInt64();
}
// Stream is live if it has input or active bitrate
stats.isLive = hasInput || stats.bitrate > 0;
LOG_DEBUG << "Stream " << streamKey
<< " - hasInput: " << hasInput
<< ", bitrate: " << stats.bitrate
<< ", totalBytesIn: " << stats.totalBytesIn
<< ", isLive: " << stats.isLive;
} catch (const std::exception& e) { } catch (const std::exception& e) {
LOG_ERROR << "Failed to parse stats: " << e.what(); LOG_ERROR << "Failed to parse stats: " << e.what();
stats.isLive = false; stats.isLive = false;
} }
} else { } else {
// Stream doesn't exist in OME
stats.isLive = false; stats.isLive = false;
LOG_DEBUG << "Stream " << streamKey << " not found in OME";
} }
stats.lastUpdated = std::chrono::system_clock::now(); stats.lastUpdated = std::chrono::system_clock::now();
// Now fetch stream info for resolution/codec/fps // If stream exists, try to get detailed stream info
OmeClient::getInstance().getStreamInfo(streamKey, [callback, stats](bool infoSuccess, const Json::Value& infoJson) mutable { if (streamExists) {
// Parse stream metadata if available OmeClient::getInstance().getStreamInfo(streamKey, [callback, stats](bool infoSuccess, const Json::Value& infoJson) mutable {
if (infoSuccess && infoJson.isMember("response") && infoJson["response"].isMember("tracks")) { // Parse stream metadata if available
try { if (infoSuccess && infoJson.isMember("response")) {
for (const auto& track : infoJson["response"]["tracks"]) { try {
if (track["type"].asString() == "video") { const auto& response = infoJson["response"];
if (track.isMember("codec")) {
stats.codec = track["codec"].asString(); LOG_DEBUG << "Stream info response: " << response.toStyledString();
// Check if stream has input (another way to verify it's live)
if (response.isMember("input") && !response["input"].isNull()) {
stats.isLive = true;
// Try to get codec from input tracks first
if (response["input"].isMember("tracks") && response["input"]["tracks"].isArray()) {
for (const auto& track : response["input"]["tracks"]) {
if (track["type"].asString() == "video") {
if (track.isMember("codec")) {
std::string codec = track["codec"].asString();
// Clean up codec string
if (codec == "H264" || codec == "h264") {
stats.codec = "H.264";
} else if (codec == "H265" || codec == "h265") {
stats.codec = "H.265";
} else if (codec == "VP8" || codec == "vp8") {
stats.codec = "VP8";
} else if (codec == "VP9" || codec == "vp9") {
stats.codec = "VP9";
} else {
stats.codec = codec;
}
}
if (track.isMember("width") && track.isMember("height")) {
stats.resolution = std::to_string(track["width"].asInt()) + "x" +
std::to_string(track["height"].asInt());
}
if (track.isMember("framerate")) {
stats.fps = track["framerate"].asDouble();
} else if (track.isMember("frameRate")) {
stats.fps = track["frameRate"].asDouble();
}
break;
}
}
} }
if (track.isMember("width") && track.isMember("height")) {
stats.resolution = std::to_string(track["width"].asInt()) + "x" +
std::to_string(track["height"].asInt());
}
if (track.isMember("framerate")) {
stats.fps = track["framerate"].asDouble();
}
break;
} }
// If no codec found in input, try output tracks
if (stats.codec.empty() || stats.codec == "N/A") {
if (response.isMember("tracks") && response["tracks"].isArray()) {
for (const auto& track : response["tracks"]) {
if (track["type"].asString() == "video") {
if (track.isMember("codec")) {
std::string codec = track["codec"].asString();
if (codec == "H264" || codec == "h264") {
stats.codec = "H.264";
} else if (codec == "H265" || codec == "h265") {
stats.codec = "H.265";
} else if (codec == "VP8" || codec == "vp8") {
stats.codec = "VP8";
} else if (codec == "VP9" || codec == "vp9") {
stats.codec = "VP9";
} else {
stats.codec = codec;
}
}
if (stats.resolution == "N/A" && track.isMember("width") && track.isMember("height")) {
stats.resolution = std::to_string(track["width"].asInt()) + "x" +
std::to_string(track["height"].asInt());
}
if (stats.fps == 0 && track.isMember("framerate")) {
stats.fps = track["framerate"].asDouble();
} else if (stats.fps == 0 && track.isMember("frameRate")) {
stats.fps = track["frameRate"].asDouble();
}
break;
}
}
}
}
// Set defaults if still empty
if (stats.codec.empty()) {
stats.codec = "Unknown";
}
} catch (const std::exception& e) {
LOG_ERROR << "Failed to parse stream info: " << e.what();
} }
} catch (const std::exception& e) {
LOG_ERROR << "Failed to parse stream info: " << e.what();
} }
}
callback(true, stats);
});
} else {
// Stream doesn't exist, return offline stats
callback(true, stats); callback(true, stats);
}); }
}); });
} }
@ -287,7 +479,7 @@ void StatsService::getStreamStats(const std::string& streamKey,
fetchStatsFromOme(streamKey, [this, callback, streamKey](bool success, const StreamStats& stats) { fetchStatsFromOme(streamKey, [this, callback, streamKey](bool success, const StreamStats& stats) {
if (success) { if (success) {
StreamStats updatedStats = stats; StreamStats updatedStats = stats;
// FIX: Set uniqueViewers on cache miss! // Set uniqueViewers on cache miss
updatedStats.uniqueViewers = getUniqueViewerCount(streamKey); updatedStats.uniqueViewers = getUniqueViewerCount(streamKey);
callback(true, updatedStats); callback(true, updatedStats);
} else { } else {

View file

@ -41,6 +41,7 @@ public:
} }
void initialize(); void initialize();
void startPolling(); // NEW: Separate method to start polling
void shutdown(); void shutdown();
// Get cached stats from Redis // Get cached stats from Redis

2360
frontend/package-lock.json generated Normal file

File diff suppressed because it is too large Load diff

View file

@ -204,15 +204,15 @@
setTimeout(() => message = '', 2000); setTimeout(() => message = '', 2000);
} }
function formatBitrate(bitrate) { function formatBitrate(bitrate) {
if (bitrate > 1000000) { if (bitrate > 1000000) {
return (bitrate / 1000000).toFixed(2) + ' Mbps'; return (bitrate / 1000000).toFixed(2) + ' Mbps';
} else if (bitrate > 1000) { } else if (bitrate > 1000) {
return (bitrate / 1000).toFixed(0) + ' Kbps'; return Math.round(bitrate / 1000) + ' kbps'; // Changed to lowercase 'kbps' and rounded
} else { } else {
return bitrate + ' bps'; return bitrate + ' bps';
}
} }
}
</script> </script>
<style> <style>

View file

@ -11,7 +11,6 @@ const config = {
precompress: false precompress: false
}), }),
// Security improvements
csp: { csp: {
mode: 'auto', mode: 'auto',
directives: { directives: {
@ -19,14 +18,20 @@ const config = {
'script-src': ["'self'", "'unsafe-inline'"], 'script-src': ["'self'", "'unsafe-inline'"],
'style-src': ["'self'", "'unsafe-inline'", 'https://cdnjs.cloudflare.com'], 'style-src': ["'self'", "'unsafe-inline'", 'https://cdnjs.cloudflare.com'],
'img-src': ["'self'", 'data:', 'blob:'], 'img-src': ["'self'", 'data:', 'blob:'],
'font-src': ["'self'", 'https://cdnjs.cloudflare.com'], 'font-src': ["'self'", 'data:', 'https://cdnjs.cloudflare.com'], // Added 'data:' for embedded fonts
'connect-src': ["'self'", 'ws://localhost', 'wss://localhost', 'http://localhost:*'], 'connect-src': [
"'self'",
'ws://localhost:*', // Changed to include port wildcard
'wss://localhost:*', // Changed to include port wildcard
'http://localhost:*'
],
'media-src': ["'self'", 'blob:', 'http://localhost:*'], 'media-src': ["'self'", 'blob:', 'http://localhost:*'],
'object-src': ["'none'"], 'object-src': ["'none'"],
'frame-ancestors': ["'none'"], 'frame-ancestors': ["'none'"],
'form-action': ["'self'"], 'form-action': ["'self'"],
'base-uri': ["'self'"] 'base-uri': ["'self'"]
} }
}, },
// Enable CSRF protection (default is true) // Enable CSRF protection (default is true)