osquery-1/osquery/logger/logger.cpp

699 lines
20 KiB
C++
Raw Normal View History

/*
* Copyright (c) 2014-present, Facebook, Inc.
* All rights reserved.
*
* This source code is licensed under the BSD-style license found in the
2015-05-12 06:31:13 +00:00
* LICENSE file in the root directory of this source tree. An additional grant
* of patent rights can be found in the PATENTS file in the same directory.
*
*/
2014-07-31 00:35:19 +00:00
#ifndef WIN32
#include <syslog.h>
#endif
2014-07-31 00:35:19 +00:00
#include <algorithm>
2017-04-06 22:57:44 +00:00
#include <future>
#include <queue>
2014-07-31 00:35:19 +00:00
#include <thread>
#include <boost/noncopyable.hpp>
2015-02-16 02:15:06 +00:00
#include <osquery/database.h>
#include <osquery/events.h>
#include <osquery/extensions.h>
2015-02-16 02:15:06 +00:00
#include <osquery/filesystem.h>
#include <osquery/flags.h>
#include <osquery/logger.h>
#include <osquery/system.h>
2014-07-31 00:35:19 +00:00
#include "osquery/core/conversions.h"
#include "osquery/core/json.h"
2015-02-16 02:15:06 +00:00
namespace pt = boost::property_tree;
namespace rj = rapidjson;
2015-02-16 02:15:06 +00:00
2014-08-15 07:25:30 +00:00
namespace osquery {
2014-07-31 00:35:19 +00:00
2015-02-17 08:36:20 +00:00
FLAG(bool, verbose, false, "Enable verbose informational messages");
FLAG_ALIAS(bool, verbose_debug, verbose);
FLAG_ALIAS(bool, debug, verbose);
/// Despite being a configurable option, this is only read/used at load.
2015-02-17 08:36:20 +00:00
FLAG(bool, disable_logging, false, "Disable ERROR/INFO logging");
2015-03-03 23:03:14 +00:00
FLAG(string, logger_plugin, "filesystem", "Logger plugin name");
2015-02-17 08:36:20 +00:00
/// Log each added or removed line individually, as an "event".
FLAG(bool, logger_event_type, true, "Log scheduled results as events");
FLAG_ALIAS(bool, log_result_events, logger_event_type);
2015-02-16 02:15:06 +00:00
/// Log each row from a snapshot query individually, as an "event".
FLAG(bool,
logger_snapshot_event_type,
false,
"Log scheduled snapshot results as events");
/// Alias for the minloglevel used internally by GLOG.
FLAG(int32, logger_min_status, 0, "Minimum level for status log recording");
FLAG(bool,
logger_secondary_status_only,
false,
"Only send status logs to secondary logger plugins");
2017-04-06 22:57:44 +00:00
/**
* @brief This hidden flag is for testing status logging.
*
* When enabled, logs are pushed directly to logger plugin from Glog.
* Otherwise they are buffered and an async request for draining is sent
* for each log.
*
* Within the daemon, logs are drained every 3 seconds.
*/
HIDDEN_FLAG(bool,
logger_status_sync,
false,
"Always send status logs synchronously");
/**
* @brief Logger plugin registry.
*
* This creates an osquery registry for "logger" which may implement
* LoggerPlugin. Only strings are logged in practice, and LoggerPlugin provides
* a helper member for transforming PluginRequest%s to strings.
*/
CREATE_REGISTRY(LoggerPlugin, "logger");
class LoggerDisabler;
2015-02-16 02:15:06 +00:00
/**
* @brief A custom Glog log sink for forwarding or buffering status logs.
*
* This log sink has two modes, it can buffer Glog status logs until an osquery
* logger is initialized or forward Glog status logs to an initialized and
* appropriate logger. The appropriateness is determined by the logger when its
* LoggerPlugin::init method is called. If the `init` method returns success
* then a BufferedLogSink will start forwarding status logs to
* LoggerPlugin::logStatus.
*
* This facility will start buffering when first used and stop buffering
* (aka remove itself as a Glog sink) using the exposed APIs. It will live
* throughout the life of the process for two reasons: (1) It makes sense when
* the active logger plugin is handling Glog status logs and (2) it must remove
* itself as a Glog target.
*/
class BufferedLogSink : public google::LogSink, private boost::noncopyable {
2015-02-16 02:15:06 +00:00
public:
/// We create this as a Singleton for proper disable/shutdown.
static BufferedLogSink& get() {
2015-02-16 02:15:06 +00:00
static BufferedLogSink sink;
return sink;
}
/// The Glog-API LogSink call-in method.
void send(google::LogSeverity severity,
const char* full_filename,
const char* base_filename,
int line,
const struct ::tm* tm_time,
const char* message,
size_t message_len) override;
2015-02-16 02:15:06 +00:00
2017-04-06 22:57:44 +00:00
/// Pop from the aync sender queue and wait for one send to complete.
void WaitTillSent() override;
2015-11-24 05:52:00 +00:00
public:
2015-02-16 02:15:06 +00:00
/// Accessor/mutator to dump all of the buffered logs.
std::vector<StatusLogLine>& dump() {
return logs_;
}
2015-02-16 02:15:06 +00:00
/// Remove the buffered log sink from Glog.
void disable();
2015-02-16 02:15:06 +00:00
/// Add the buffered log sink to Glog.
void enable();
2017-04-06 22:57:44 +00:00
/// Start the Buffered Sink, without enabling forwarding to loggers.
void setUp();
2015-02-16 02:15:06 +00:00
2015-11-24 05:52:00 +00:00
/**
* @brief Add a logger plugin that should receive status updates.
*
* Since the logger may support multiple active logger plugins the sink
* will keep track of those plugins that returned success after ::init.
* This list of plugins will received forwarded messages from the sink.
*
* This list is important because sending logs to plugins that also use
* and active Glog Sink (supports multiple) will create a logging loop.
*/
void addPlugin(const std::string& name) {
sinks_.push_back(name);
2015-11-24 05:52:00 +00:00
}
void resetPlugins() {
sinks_.clear();
2017-04-06 22:57:44 +00:00
}
2015-11-24 05:52:00 +00:00
/// Retrieve the list of enabled plugins that should have logs forwarded.
const std::vector<std::string>& enabledPlugins() const {
return sinks_;
2015-11-24 05:52:00 +00:00
}
/**
* @brief Check if a given logger plugin was the first or 'primary'.
*
* Within the osquery core the BufferedLogSink acts as a router for status
* logs. While initializing it inspects the set of logger plugins and saves
* the first as the 'primary'.
*
* Checks within the core may act on this state. Checks within extensions
* cannot, and thus any check for primary logger plugins is true.
* While this is a limitation, in practice if a remote logger plugin is called
* it is intended to receive all logging data.
*
* @param plugin Check if this target plugin is primary.
* @return true of the provided plugin was the first specified.
*/
bool isPrimaryLogger(const std::string& plugin) const {
WriteLock lock(primary_mutex_);
return (primary_.empty() || plugin == primary_);
}
/// Set the primary logger plugin is none has been previously specified.
void setPrimary(const std::string& plugin) {
WriteLock lock(primary_mutex_);
if (primary_.empty()) {
primary_ = plugin;
}
}
2017-04-06 22:57:44 +00:00
public:
/// Queue of sender functions that relay status logs to all plugins.
2017-04-06 22:57:44 +00:00
std::queue<std::future<void>> senders;
2015-11-24 05:52:00 +00:00
public:
BufferedLogSink(BufferedLogSink const&) = delete;
void operator=(BufferedLogSink const&) = delete;
2015-02-16 02:15:06 +00:00
private:
/// Create the log sink as buffering or forwarding.
2017-04-06 22:57:44 +00:00
BufferedLogSink() : enabled_(false) {}
2015-02-16 02:15:06 +00:00
/// Remove the log sink.
~BufferedLogSink() {
disable();
}
2015-02-16 02:15:06 +00:00
private:
/// Intermediate log storage until an osquery logger is initialized.
std::vector<StatusLogLine> logs_;
2015-11-24 05:52:00 +00:00
/// Is the logger temporarily disabled.
2017-04-06 22:57:44 +00:00
std::atomic<bool> enabled_{false};
/// Boolean to help the logger disabler, no need to take action if not active.
2017-04-06 22:57:44 +00:00
bool active_{false};
2015-11-24 05:52:00 +00:00
/// Track multiple loggers that should receive sinks from the send forwarder.
std::vector<std::string> sinks_;
/// Keep track of the first, or 'primary' logger.
std::string primary_;
/// Mutex for checking primary status.
mutable Mutex primary_mutex_;
2017-04-06 22:57:44 +00:00
/// Mutex protecting activation and enabling of the buffered status logger.
Mutex enable_mutex_;
private:
friend class LoggerDisabler;
2015-02-16 02:15:06 +00:00
};
2017-04-06 22:57:44 +00:00
/// Mutex protecting accesses to buffered status logs.
Mutex kBufferedLogSinkLogs;
/// Mutex protecting queued status log futures.
Mutex kBufferedLogSinkSenders;
/// Scoped helper to perform logging actions without races.
class LoggerDisabler : private boost::noncopyable {
public:
LoggerDisabler()
: stderr_status_(FLAGS_logtostderr),
enabled_(BufferedLogSink::get().enabled_) {
BufferedLogSink::get().disable();
FLAGS_logtostderr = true;
}
~LoggerDisabler() {
// Only enable if the sink was enabled when the disabler was requested.
if (enabled_) {
BufferedLogSink::get().enable();
}
FLAGS_logtostderr = stderr_status_;
}
private:
/// Value of the 'logtostderr' Glog status when constructed.
bool stderr_status_;
/// Value of the BufferedLogSink's enabled status when constructed.
bool enabled_;
};
static void serializeIntermediateLog(const std::vector<StatusLogLine>& log,
PluginRequest& request) {
auto doc = JSON::newArray();
for (const auto& i : log) {
auto line = doc.getObject();
doc.add("s", static_cast<int>(i.severity), line);
doc.addRef("f", i.filename, line);
doc.add("i", i.line, line);
doc.addRef("m", i.message, line);
doc.addRef("h", i.identifier, line);
doc.addRef("c", i.calendar_time, line);
doc.add("u", i.time, line);
doc.push(line);
}
doc.toString(request["log"]);
2015-02-16 02:15:06 +00:00
}
static void deserializeIntermediateLog(const PluginRequest& request,
std::vector<StatusLogLine>& log) {
2015-02-16 02:15:06 +00:00
if (request.count("log") == 0) {
return;
}
rj::Document doc;
if (doc.Parse(request.at("log").c_str()).HasParseError()) {
2015-05-03 20:37:11 +00:00
return;
}
2015-02-16 02:15:06 +00:00
for (auto& line : doc.GetArray()) {
2015-02-16 02:15:06 +00:00
log.push_back({
static_cast<StatusLogSeverity>(line["s"].GetInt()),
line["f"].GetString(),
line["i"].GetUint64(),
line["m"].GetString(),
line["c"].GetString(),
line["u"].GetUint64(),
line["h"].GetString(),
2015-02-16 02:15:06 +00:00
});
}
}
void setVerboseLevel() {
if (Flag::getValue("verbose") == "true") {
2015-02-16 02:15:06 +00:00
// Turn verbosity up to 1.
// Do log DEBUG, INFO, WARNING, ERROR to their log files.
// Do log the above and verbose=1 to stderr.
FLAGS_minloglevel = google::GLOG_INFO;
if (FLAGS_logger_plugin != "stdout") {
// Special case for the stdout plugin.
FLAGS_stderrthreshold = google::GLOG_INFO;
}
2015-02-16 02:15:06 +00:00
FLAGS_v = 1;
} else {
// Do NOT log INFO, WARNING, ERROR to stderr.
// Do log only WARNING, ERROR to log sinks.
auto default_level = google::GLOG_INFO;
if (Initializer::isShell()) {
default_level = google::GLOG_WARNING;
}
if (Flag::isDefault("minloglevel")) {
FLAGS_minloglevel = default_level;
}
if (Flag::isDefault("stderrthreshold")) {
FLAGS_stderrthreshold = default_level;
}
}
if (!Flag::isDefault("logger_min_status")) {
auto i = Flag::getInt32Value("logger_min_status");
FLAGS_minloglevel = static_cast<decltype(FLAGS_minloglevel)>(i);
2015-02-16 02:15:06 +00:00
}
if (FLAGS_disable_logging) {
// Do log ERROR to stderr.
// Do NOT log INFO, WARNING, ERROR to their log files.
FLAGS_logtostderr = true;
}
}
void initStatusLogger(const std::string& name, bool init_glog) {
FLAGS_alsologtostderr = false;
FLAGS_colorlogtostderr = true;
FLAGS_logbufsecs = 0; // flush the log buffer immediately
FLAGS_stop_logging_if_full_disk = true;
FLAGS_max_log_size = 10; // max size for individual log file is 10MB
FLAGS_logtostderr = true;
2015-02-16 02:15:06 +00:00
setVerboseLevel();
2015-02-16 02:15:06 +00:00
// Start the logging, and announce the daemon is starting.
if (init_glog) {
google::InitGoogleLogging(name.c_str());
}
BufferedLogSink::get().setUp();
2015-02-16 02:15:06 +00:00
}
void initLogger(const std::string& name) {
// Check if logging is disabled, if so then no need to shuttle intermediates.
2015-02-16 02:15:06 +00:00
if (FLAGS_disable_logging) {
return;
}
// Stop the buffering sink and store the intermediate logs.
BufferedLogSink::get().disable();
BufferedLogSink::get().resetPlugins();
bool forward = false;
2017-04-06 22:57:44 +00:00
PluginRequest init_request = {{"init", name}};
PluginRequest features_request = {{"action", "features"}};
auto logger_plugin = RegistryFactory::get().getActive("logger");
2015-11-24 05:52:00 +00:00
// Allow multiple loggers, make sure each is accessible.
for (const auto& logger : osquery::split(logger_plugin, ",")) {
BufferedLogSink::get().setPrimary(logger);
if (!RegistryFactory::get().exists("logger", logger)) {
2015-11-24 05:52:00 +00:00
continue;
}
2015-02-16 02:15:06 +00:00
Registry::call("logger", logger, init_request);
auto status = Registry::call("logger", logger, features_request);
if ((status.getCode() & LOGGER_FEATURE_LOGSTATUS) > 0) {
// Glog status logs are forwarded to logStatus.
forward = true;
2015-11-24 05:52:00 +00:00
// To support multiple plugins we only add the names of plugins that
// return a success status after initialization.
BufferedLogSink::get().addPlugin(logger);
2015-11-24 05:52:00 +00:00
}
if ((status.getCode() & LOGGER_FEATURE_LOGEVENT) > 0) {
EventFactory::addForwarder(logger);
}
2015-02-16 02:15:06 +00:00
}
if (forward) {
2017-04-06 22:57:44 +00:00
// Begin forwarding after all plugins have been set up.
BufferedLogSink::get().enable();
2017-04-06 22:57:44 +00:00
relayStatusLogs(true);
}
}
void BufferedLogSink::setUp() {
WriteLock lock(enable_mutex_);
2017-04-06 22:57:44 +00:00
if (!active_) {
active_ = true;
google::AddLogSink(&get());
2017-04-06 22:57:44 +00:00
}
}
void BufferedLogSink::disable() {
WriteLock lock(enable_mutex_);
if (enabled_) {
enabled_ = false;
if (active_) {
active_ = false;
google::RemoveLogSink(&get());
2017-04-06 22:57:44 +00:00
}
}
}
void BufferedLogSink::enable() {
WriteLock lock(enable_mutex_);
if (!enabled_) {
enabled_ = true;
if (!active_) {
active_ = true;
google::AddLogSink(&get());
2017-04-06 22:57:44 +00:00
}
}
2015-02-16 02:15:06 +00:00
}
void BufferedLogSink::send(google::LogSeverity severity,
const char* full_filename,
const char* base_filename,
int line,
const struct ::tm* tm_time,
const char* message,
size_t message_len) {
if (FLAGS_disable_logging) {
return;
}
// WARNING, be extremely careful when accessing data here.
// This should not cause any persistent storage or logging actions.
2017-04-06 22:57:44 +00:00
{
WriteLock lock(kBufferedLogSinkLogs);
logs_.push_back({(StatusLogSeverity)severity,
std::string(base_filename),
static_cast<size_t>(line),
std::string(message, message_len),
toAsciiTimeUTC(tm_time),
toUnixTime(tm_time),
std::string()});
2015-02-16 02:15:06 +00:00
}
2017-04-06 22:57:44 +00:00
// The daemon will relay according to the schedule.
if (enabled_ && !Initializer::isDaemon()) {
2017-04-06 22:57:44 +00:00
relayStatusLogs(FLAGS_logger_status_sync);
}
}
void BufferedLogSink::WaitTillSent() {
std::future<void> first;
{
WriteLock lock(kBufferedLogSinkSenders);
if (senders.empty()) {
2017-04-06 22:57:44 +00:00
return;
}
first = std::move(senders.back());
senders.pop();
2017-04-06 22:57:44 +00:00
}
if (!isPlatform(PlatformType::TYPE_WINDOWS)) {
first.wait();
} else {
// Windows is locking by scheduling an async on the main thread.
first.wait_for(std::chrono::microseconds(100));
}
2015-02-16 02:15:06 +00:00
}
2015-01-30 18:44:25 +00:00
Status LoggerPlugin::call(const PluginRequest& request,
PluginResponse& response) {
2015-04-27 21:57:04 +00:00
QueryLogItem item;
2015-02-16 02:15:06 +00:00
std::vector<StatusLogLine> intermediate_logs;
if (request.count("string") > 0) {
return this->logString(request.at("string"));
2015-04-27 21:57:04 +00:00
} else if (request.count("snapshot") > 0) {
return this->logSnapshot(request.at("snapshot"));
2015-02-16 02:15:06 +00:00
} else if (request.count("init") > 0) {
deserializeIntermediateLog(request, intermediate_logs);
this->setProcessName(request.at("init"));
this->init(this->name(), intermediate_logs);
return Status(0);
2015-02-16 02:15:06 +00:00
} else if (request.count("status") > 0) {
deserializeIntermediateLog(request, intermediate_logs);
2015-02-16 02:15:06 +00:00
return this->logStatus(intermediate_logs);
} else if (request.count("event") > 0) {
return this->logEvent(request.at("event"));
} else if (request.count("action") && request.at("action") == "features") {
size_t features = 0;
features |= (usesLogStatus()) ? LOGGER_FEATURE_LOGSTATUS : 0;
features |= (usesLogEvent()) ? LOGGER_FEATURE_LOGEVENT : 0;
return Status(static_cast<int>(features));
2015-02-16 02:15:06 +00:00
} else {
return Status(1, "Unsupported call to logger plugin");
2015-01-30 18:44:25 +00:00
}
}
2015-04-27 21:57:04 +00:00
Status logString(const std::string& message, const std::string& category) {
return logString(
message, category, RegistryFactory::get().getActive("logger"));
2014-07-31 00:35:19 +00:00
}
2015-04-27 21:57:04 +00:00
Status logString(const std::string& message,
const std::string& category,
const std::string& receiver) {
if (FLAGS_disable_logging) {
return Status(0, "Logging disabled");
}
Status status;
for (const auto& logger : osquery::split(receiver, ",")) {
if (FLAGS_logger_secondary_status_only &&
!BufferedLogSink::get().isPrimaryLogger(logger)) {
continue;
}
if (Registry::get().exists("logger", logger, true)) {
auto plugin = Registry::get().plugin("logger", logger);
auto logger_plugin = std::dynamic_pointer_cast<LoggerPlugin>(plugin);
status = logger_plugin->logString(message);
} else {
status = Registry::call(
"logger", logger, {{"string", message}, {"category", category}});
}
}
return status;
2014-07-31 00:35:19 +00:00
}
2015-04-27 21:57:04 +00:00
Status logQueryLogItem(const QueryLogItem& results) {
return logQueryLogItem(results, RegistryFactory::get().getActive("logger"));
2014-07-31 00:35:19 +00:00
}
2015-04-27 21:57:04 +00:00
Status logQueryLogItem(const QueryLogItem& results,
const std::string& receiver) {
if (FLAGS_disable_logging) {
return Status(0, "Logging disabled");
}
std::vector<std::string> json_items;
2014-10-24 22:02:27 +00:00
Status status;
if (FLAGS_logger_event_type) {
status = serializeQueryLogItemAsEventsJSON(results, json_items);
2014-10-24 22:02:27 +00:00
} else {
std::string json;
2015-04-27 21:57:04 +00:00
status = serializeQueryLogItemJSON(results, json);
json_items.emplace_back(json);
2014-10-24 22:02:27 +00:00
}
if (!status.ok()) {
return status;
2014-07-31 00:35:19 +00:00
}
for (auto& json : json_items) {
if (!json.empty() && json.back() == '\n') {
json.pop_back();
status = logString(json, "event", receiver);
}
}
return status;
2015-04-27 21:57:04 +00:00
}
Status logSnapshotQuery(const QueryLogItem& item) {
if (FLAGS_disable_logging) {
return Status(0, "Logging disabled");
}
std::vector<std::string> json_items;
Status status;
if (FLAGS_logger_snapshot_event_type) {
status = serializeQueryLogItemAsEventsJSON(item, json_items);
} else {
std::string json;
status = serializeQueryLogItemJSON(item, json);
json_items.emplace_back(json);
2015-04-27 21:57:04 +00:00
}
if (!status.ok()) {
return status;
}
for (auto& json : json_items) {
if (!json.empty() && json.back() == '\n') {
json.pop_back();
}
auto receiver = RegistryFactory::get().getActive("logger");
for (const auto& logger : osquery::split(receiver, ",")) {
if (FLAGS_logger_secondary_status_only &&
!BufferedLogSink::get().isPrimaryLogger(logger)) {
continue;
}
if (Registry::get().exists("logger", logger, true)) {
auto plugin = Registry::get().plugin("logger", logger);
auto logger_plugin = std::dynamic_pointer_cast<LoggerPlugin>(plugin);
status = logger_plugin->logSnapshot(json);
} else {
status = Registry::call("logger", logger, {{"snapshot", json}});
}
}
}
return status;
2015-04-27 21:57:04 +00:00
}
2017-04-06 22:57:44 +00:00
size_t queuedStatuses() {
ReadLock lock(kBufferedLogSinkLogs);
return BufferedLogSink::get().dump().size();
}
2017-04-06 22:57:44 +00:00
size_t queuedSenders() {
ReadLock lock(kBufferedLogSinkSenders);
return BufferedLogSink::get().senders.size();
}
2017-04-06 22:57:44 +00:00
void relayStatusLogs(bool async) {
if (FLAGS_disable_logging || !DatabasePlugin::kDBInitialized) {
// The logger plugins may not be setUp if logging is disabled.
// If the database is not setUp, or is in a reset, status logs continue
// to buffer.
return;
}
2017-04-06 22:57:44 +00:00
{
ReadLock lock(kBufferedLogSinkLogs);
if (BufferedLogSink::get().dump().size() == 0) {
2017-04-06 22:57:44 +00:00
return;
}
}
2017-04-06 22:57:44 +00:00
auto sender = ([]() {
auto identifier = getHostIdentifier();
2017-04-06 22:57:44 +00:00
// Construct a status log plugin request.
PluginRequest request = {{"status", "true"}};
{
WriteLock lock(kBufferedLogSinkLogs);
auto& status_logs = BufferedLogSink::get().dump();
for (auto& log : status_logs) {
// Copy the host identifier into each status log.
log.identifier = identifier;
}
2017-04-06 22:57:44 +00:00
serializeIntermediateLog(status_logs, request);
// Flush the buffered status logs.
status_logs.clear();
}
2017-04-06 22:57:44 +00:00
auto logger_plugin = RegistryFactory::get().getActive("logger");
for (const auto& logger : osquery::split(logger_plugin, ",")) {
auto& enabled = BufferedLogSink::get().enabledPlugins();
2017-04-06 22:57:44 +00:00
if (std::find(enabled.begin(), enabled.end(), logger) != enabled.end()) {
// Skip the registry's logic, and send directly to the core's logger.
PluginResponse response;
Registry::call("logger", logger, request, response);
2017-04-06 22:57:44 +00:00
}
}
});
if (async) {
sender();
} else {
std::packaged_task<void()> task(std::move(sender));
auto result = task.get_future();
std::thread(std::move(task)).detach();
// Lock accesses to the sender queue.
WriteLock lock(kBufferedLogSinkSenders);
BufferedLogSink::get().senders.push(std::move(result));
2017-04-06 22:57:44 +00:00
}
}
void systemLog(const std::string& line) {
#ifndef WIN32
syslog(LOG_NOTICE, "%s", line.c_str());
#endif
}
2014-08-15 07:25:30 +00:00
}