1
0
mirror of https://github.com/VCMP-SqMod/SqMod.git synced 2025-01-31 09:57:14 +01:00

Rewrite logger to account for multiple-threads.

Implement error handling for worker VMs.
This commit is contained in:
Sandu Liviu Catalin 2020-09-08 22:44:04 +03:00
parent 054a7983a5
commit d6f3f52eec
8 changed files with 482 additions and 178 deletions

View File

@ -876,19 +876,19 @@ void Core::PrintFunc(HSQUIRRELVM /*vm*/, CSStr msg, ...)
va_list args; va_list args;
va_start(args, msg); va_start(args, msg);
// Forward the message to the logger // Forward the message to the logger
Logger::Get().Send(LOGL_USR, false, msg, args); Logger::Get().SendFv(LOGL_USR, false, msg, args);
// Finalize the variable argument list // Finalize the variable argument list
va_end(args); va_end(args);
} }
// ------------------------------------------------------------------------------------------------ // ------------------------------------------------------------------------------------------------
void Core::ErrorFunc(HSQUIRRELVM /*vm*/, CSStr msg, ...) void Core::ErrorFunc(HSQUIRRELVM vm, CSStr msg, ...)
{ {
// Initialize the variable argument list // Initialize the variable argument list
va_list args; va_list args;
va_start(args, msg); va_start(args, msg);
// Tell the logger to display debugging information // Tell the logger to display debugging information
Logger::Get().Debug(msg, args); Logger::Get().DebugFv(vm, msg, args);
// Finalize the variable argument list // Finalize the variable argument list
va_end(args); va_end(args);
} }
@ -906,11 +906,11 @@ SQInteger Core::RuntimeErrorHandler(HSQUIRRELVM vm)
// Have we failed to retrieve the string? // Have we failed to retrieve the string?
if (SQ_FAILED(val.Proc(false))) if (SQ_FAILED(val.Proc(false)))
{ {
Logger::Get().Debug(_SC("Unknown runtime error has occurred")); Logger::Get().DebugF(vm, _SC("Unknown runtime error has occurred"));
} }
else else
{ {
Logger::Get().Debug(_SC("%s"), val.mPtr); Logger::Get().DebugF(vm, _SC("%s"), val.mPtr);
} }
// We handled the error // We handled the error
return SQ_OK; return SQ_OK;

View File

@ -6,7 +6,7 @@ namespace SqMod {
*/ catch (const Sqrat::Exception & e) /* */ catch (const Sqrat::Exception & e) /*
*/ { /* */ { /*
*/ LogErr("Squirrel exception caught " action); /* */ LogErr("Squirrel exception caught " action); /*
*/ Logger::Get().Debug("%s", e.what()); /* */ Logger::Get().DebugF(SqVM(), "%s", e.what()); /*
*/ } /* */ } /*
*/ */

View File

@ -80,18 +80,6 @@ void Worker::Process(size_t jobs)
} }
for (auto & t : workers) for (auto & t : workers)
{ {
const size_t logs = std::min(t->m_Logs.size_approx(), size_t{32});
// Flush log messages
for (size_t n = 0; n < logs; ++n)
{
std::unique_ptr< Log > log;
// Try to get a log from the queue
if (t->m_Logs.try_dequeue(log))
{
// Send it to the logger
Logger::Get().Send(log->first, false, log->second.data(), log->second.size());
}
}
for (size_t n = 0; n < jobs; ++n) for (size_t n = 0; n < jobs; ++n)
{ {
std::unique_ptr< BaseJob > job; std::unique_ptr< BaseJob > job;
@ -149,6 +137,12 @@ void Worker::Start()
sq_setforeignptr(m_VM, this); sq_setforeignptr(m_VM, this);
// Tell the VM to use these functions to output user on error messages // Tell the VM to use these functions to output user on error messages
sq_setprintfunc(m_VM, PrintFunc, ErrorFunc); sq_setprintfunc(m_VM, PrintFunc, ErrorFunc);
// Tell the VM to trigger this function on compile time errors
sq_setcompilererrorhandler(m_VM, CompilerErrorHandler);
// Push the runtime error handler on the stack and create a closure
sq_newclosure(m_VM, RuntimeErrorHandler, 0);
// Tell the VM to trigger this function on runtime errors
sq_seterrorhandler(m_VM);
// This is now running // This is now running
m_Running.test_and_set(); m_Running.test_and_set();
} }
@ -188,18 +182,13 @@ void Worker::Work()
} }
} }
// ------------------------------------------------------------------------------------------------ // ------------------------------------------------------------------------------------------------
void Worker::PrintFunc(HSQUIRRELVM vm, CSStr msg, ...) void Worker::PrintFunc(HSQUIRRELVM /*vm*/, CSStr msg, ...)
{ {
auto worker = reinterpret_cast< Worker * >(sq_getforeignptr(vm));
// Initialize the variable argument list // Initialize the variable argument list
va_list args; va_list args;
va_start(args, msg); va_start(args, msg);
// Initialize an empty log message // Forward the message to the logger
std::unique_ptr< Log > ptr(new Log{uint8_t{LOGL_USR}, String{}}); Logger::Get().SendFv(LOGL_USR, false, msg, args);
// Attempt to generate the message
PrintToStrFv(ptr->second, msg, args);
// Let the main thread deal with it
worker->m_Logs.enqueue(std::move(ptr));
// Finalize the variable argument list // Finalize the variable argument list
va_end(args); va_end(args);
} }
@ -207,19 +196,43 @@ void Worker::PrintFunc(HSQUIRRELVM vm, CSStr msg, ...)
// ------------------------------------------------------------------------------------------------ // ------------------------------------------------------------------------------------------------
void Worker::ErrorFunc(HSQUIRRELVM vm, CSStr msg, ...) void Worker::ErrorFunc(HSQUIRRELVM vm, CSStr msg, ...)
{ {
auto worker = reinterpret_cast< Worker * >(sq_getforeignptr(vm));
// Initialize the variable argument list // Initialize the variable argument list
va_list args; va_list args;
va_start(args, msg); va_start(args, msg);
// Initialize an empty log message // Tell the logger to display debugging information
std::unique_ptr< Log > ptr(new Log{uint8_t{LOGL_ERR}, String{}}); Logger::Get().DebugFv(vm, msg, args);
// Attempt to generate the message
PrintToStrFv(ptr->second, msg, args);
// Let the main thread deal with it
worker->m_Logs.enqueue(std::move(ptr));
// Finalize the variable argument list // Finalize the variable argument list
va_end(args); va_end(args);
} }
// ------------------------------------------------------------------------------------------------
SQInteger Worker::RuntimeErrorHandler(HSQUIRRELVM vm)
{
// Was there a value thrown?
if (sq_gettop(vm) < 1)
{
return SQ_OK; // No error to display!
}
// Attempt to generate the string value
StackStrF val(vm, 2);
// Have we failed to retrieve the string?
if (SQ_FAILED(val.Proc(false)))
{
Logger::Get().DebugF(vm, _SC("Unknown runtime error has occurred"));
}
else
{
Logger::Get().DebugF(vm, _SC("%s"), val.mPtr);
}
// We handled the error
return SQ_OK;
}
// ------------------------------------------------------------------------------------------------
void Worker::CompilerErrorHandler(HSQUIRRELVM /*vm*/, CSStr desc, CSStr src, SQInteger line, SQInteger column)
{
LogFtl("Message: %s\n[\n=>Location: %s\n=>Line: %" PRINT_INT_FMT "\n=>Column: %" PRINT_INT_FMT "\n]", desc, src, line, column);
}
// ------------------------------------------------------------------------------------------------ // ------------------------------------------------------------------------------------------------
void TerminateWorkers() void TerminateWorkers()
{ {

View File

@ -150,6 +150,7 @@ struct Worker
m_PendingJobs.enqueue(job.Grab()); m_PendingJobs.enqueue(job.Grab());
} }
private: private:
/* -------------------------------------------------------------------------------------------- /* --------------------------------------------------------------------------------------------
* Worker thread container. * Worker thread container.
*/ */
@ -162,14 +163,6 @@ private:
* *
*/ */
using Jobs = ConcurrentQueue< std::unique_ptr< BaseJob > >; using Jobs = ConcurrentQueue< std::unique_ptr< BaseJob > >;
/* --------------------------------------------------------------------------------------------
*
*/
using Log = std::pair< uint8_t, String >;
/* --------------------------------------------------------------------------------------------
*
*/
using Logs = ConcurrentQueue< std::unique_ptr< Log > >;
/* -------------------------------------------------------------------------------------------- /* --------------------------------------------------------------------------------------------
* Pending job queue. * Pending job queue.
*/ */
@ -178,10 +171,6 @@ private:
* Finished job queue. * Finished job queue.
*/ */
Jobs m_FinishedJobs; Jobs m_FinishedJobs;
/* --------------------------------------------------------------------------------------------
* Log message queue.
*/
Logs m_Logs;
/* -------------------------------------------------------------------------------------------- /* --------------------------------------------------------------------------------------------
* Loop state. * Loop state.
*/ */
@ -215,6 +204,14 @@ private:
*/ */
static void PrintFunc(HSQUIRRELVM vm, CSStr msg, ...); static void PrintFunc(HSQUIRRELVM vm, CSStr msg, ...);
static void ErrorFunc(HSQUIRRELVM vm, CSStr msg, ...); static void ErrorFunc(HSQUIRRELVM vm, CSStr msg, ...);
/* --------------------------------------------------------------------------------------------
* Script error handlers.
*/
static SQInteger RuntimeErrorHandler(HSQUIRRELVM vm);
static void CompilerErrorHandler(HSQUIRRELVM vm, CSStr desc, CSStr src,
SQInteger line, SQInteger column);
}; };
} // Namespace:: SqMod } // Namespace:: SqMod

View File

@ -108,11 +108,26 @@ struct EvaluateJob : public BaseJob
*/ */
bool Start(HSQUIRRELVM vm, Worker & worker) override bool Start(HSQUIRRELVM vm, Worker & worker) override
{ {
sq_compilebuffer(vm, mCode.data(), mCode.size(), mName.data(), SQTrue); SQRESULT r = sq_compilebuffer(vm, mCode.data(), mCode.size(), mName.data(), SQTrue);
// See if the code could be compiled
if (SQ_FAILED(r))
{
return false; // Job failed
}
// Backup the stack top
SQInteger top = sq_gettop(vm); SQInteger top = sq_gettop(vm);
// Push the root table as environment
sq_pushroottable(vm); sq_pushroottable(vm);
sq_call(vm, 1, false, true); // Attempt to invoke the compiled code
r = sq_call(vm, 1, SQFalse, SQTrue);
// Restore the stack top
sq_settop(vm, top); sq_settop(vm, top);
// See if the code could be evaluated
if (SQ_FAILED(r))
{
return false; // Job failed
}
// Job completed
return true; return true;
} }
}; };

View File

@ -161,56 +161,124 @@ static inline CCStr GetColoredLevelTagDim(Uint8 level)
/* ------------------------------------------------------------------------------------------------ /* ------------------------------------------------------------------------------------------------
* Output a logging message to the console window. * Output a logging message to the console window.
*/ */
static inline void OutputConsoleMessage(Uint8 level, bool sub, CCStr tms, CCStr msg) static inline void OutputConsoleMessage(const Logger::MsgPtr & msg)
{ {
#ifdef SQMOD_OS_WINDOWS #ifdef SQMOD_OS_WINDOWS
HANDLE hstdout = GetStdHandle(STD_OUTPUT_HANDLE); HANDLE hstdout = GetStdHandle(STD_OUTPUT_HANDLE);
CONSOLE_SCREEN_BUFFER_INFO csb_state; CONSOLE_SCREEN_BUFFER_INFO csb_state;
GetConsoleScreenBufferInfo(hstdout, &csb_state); GetConsoleScreenBufferInfo(hstdout, &csb_state);
SetConsoleTextAttribute(hstdout, GetLevelColor(level)); SetConsoleTextAttribute(hstdout, GetLevelColor(msg->mLvl));
if (tms) if (msg->mTms)
{ {
std::printf("%s %s ", GetLevelTag(level), tms); std::printf("%s %s ", GetLevelTag(msg->mLvl), msg->mBuf);
} }
else else
{ {
std::printf("%s ", GetLevelTag(level)); std::printf("%s ", GetLevelTag(msg->mLvl));
} }
SetConsoleTextAttribute(hstdout, sub ? LC_NORMAL : LC_WHITE); SetConsoleTextAttribute(hstdout, msg->mSub ? LC_NORMAL : LC_WHITE);
std::printf("%s\n", msg); std::printf("%s\n", msg->mStr.c_str());
SetConsoleTextAttribute(hstdout, csb_state.wAttributes); SetConsoleTextAttribute(hstdout, csb_state.wAttributes);
#else #else
if (tms) if (msg->mTms)
{ {
std::printf("%s %s %s\033[0m\n", std::printf("%s %s %s\033[0m\n",
sub ? GetColoredLevelTagDim(level) : GetColoredLevelTag(level), tms, msg); msg->mSub ? GetColoredLevelTagDim(msg->mLvl) : GetColoredLevelTag(msg->mLvl), msg->mBuf, msg);
} }
else else
{ {
std::printf("%s %s\033[0m\n", std::printf("%s %s\033[0m\n",
sub ? GetColoredLevelTagDim(level) : GetColoredLevelTag(level), msg); msg->mSub ? GetColoredLevelTagDim(msg->mLvl) : GetColoredLevelTag(msg->mLvl), msg);
} }
#endif // SQMOD_OS_WINDOWS #endif // SQMOD_OS_WINDOWS
} }
/* ------------------------------------------------------------------------------------------------
* Identify the associated message color.
*/
static inline CCStr GetTimeStampStr()
{
static CharT tmbuff[80];
std::time_t t = std::time(nullptr);
std::strftime(tmbuff, sizeof(tmbuff), "%Y-%m-%d %H:%M:%S", std::localtime(&t));
// Return the resulted buffer
return tmbuff;
}
// ------------------------------------------------------------------------------------------------ // ------------------------------------------------------------------------------------------------
Logger Logger::s_Inst; Logger Logger::s_Inst;
// ------------------------------------------------------------------------------------------------
void Logger::Message::Stamp()
{
std::time_t t = std::time(nullptr);
mTms = true; // Mark this message as being time-stamped
std::strftime(mBuf, sizeof(mBuf), "%Y-%m-%d %H:%M:%S", std::localtime(&t));
}
// ------------------------------------------------------------------------------------------------
uint32_t Logger::Message::Append(CSStr str)
{
// Validate string
if (str)
{
return Append(str, std::strlen(str));
}
// No string to append
return 0;
}
// ------------------------------------------------------------------------------------------------
uint32_t Logger::Message::Append(CSStr str, size_t len)
{
// Discard trailing characters
mStr.resize(mLen);
// Append the given string
mStr.append(str, len);
// Update message length
mLen += static_cast< uint32_t >(len);
// Return back the written character count
return static_cast< uint32_t >(len);
}
// ------------------------------------------------------------------------------------------------
uint32_t Logger::Message::AppendF(CSStr str, ...)
{
// Initialize the variable argument list
va_list args;
va_start(args, str);
// Forward to the actual implementation
const size_t r = AppendFv(str, args);
// Finalize the variable argument list
va_end(args);
// Return result
return r;
}
// ------------------------------------------------------------------------------------------------
uint32_t Logger::Message::AppendFv(CSStr str, va_list vl)
{
va_list args;
// The estimated buffer required
int len = static_cast< int >(mInc);
begin:
// Do not modify the original va_list
va_copy(args, vl);
// Do we need to reserve space?
if (static_cast< size_t >(mLen + len) > mStr.size())
{
mStr.resize(mLen + len, '\0'); // Reserve the necessary space
}
// Attempt to generate the specified string
int res = std::vsnprintf((&mStr.front()) + mLen, static_cast< size_t >(len), str, args);
// Do we need more space?
if (res >= len)
{
// Adjust to required size
len = res + 1;
// Try again
goto begin;
}
else if (res > 0)
{
mLen += static_cast< uint32_t >(res); // Update message size
}
else
{
res = 0; // Format failed
}
// Return the number of written characters
return static_cast< uint32_t >(res);
}
// ------------------------------------------------------------------------------------------------ // ------------------------------------------------------------------------------------------------
Logger::Logger() noexcept Logger::Logger() noexcept
: m_Buffer() : m_ThreadID(std::this_thread::get_id())
, m_Message()
, m_Queue(4094)
, m_ConsoleLevels(LOGL_ANY) , m_ConsoleLevels(LOGL_ANY)
, m_LogFileLevels(~LOGL_DBG) , m_LogFileLevels(~LOGL_DBG)
, m_ConsoleTime(false) , m_ConsoleTime(false)
@ -257,14 +325,14 @@ void Logger::SetLogFilename(CCStr filename)
{ {
return; // We're done here! return; // We're done here!
} }
// Make sure the internal buffer has some memory // This should be enough for any kind of path
m_Buffer.Adjust(1024); char buffer[1024];
// Obtain the current time for generating the filename // Obtain the current time for generating the filename
const std::time_t t = std::time(nullptr); const std::time_t t = std::time(nullptr);
// Generate the filename using the current time-stamp // Generate the filename using the current time-stamp
if (std::strftime(m_Buffer.Data(), m_Buffer.Size(), filename, std::localtime(&t)) > 0) if (std::strftime(buffer, sizeof(buffer), filename, std::localtime(&t)) > 0)
{ {
m_Filename.assign(m_Buffer.Data()); m_Filename.assign(buffer);
} }
else else
{ {
@ -298,10 +366,10 @@ void Logger::BindCb(Uint8 level, Function & func)
// ------------------------------------------------------------------------------------------------ // ------------------------------------------------------------------------------------------------
void Logger::Initialize(CCStr filename) void Logger::Initialize(CCStr filename)
{ {
// Close the logging file // Set which thread is allowed to output directly
m_ThreadID = std::this_thread::get_id();
// Close the logging file, if any
Close(); Close();
// Allocate some memory in the buffer
m_Buffer.Adjust(1024);
// Set the log file name and open the file if necessary // Set the log file name and open the file if necessary
SetLogFilename(filename); SetLogFilename(filename);
} }
@ -309,8 +377,10 @@ void Logger::Initialize(CCStr filename)
// ------------------------------------------------------------------------------------------------ // ------------------------------------------------------------------------------------------------
void Logger::Terminate() void Logger::Terminate()
{ {
// Release all the buffer resources and references // Process whatever is in the queue
m_Buffer.ResetAll(); ProcessQueue();
// Close the stream, if any
Close();
} }
// ------------------------------------------------------------------------------------------------ // ------------------------------------------------------------------------------------------------
@ -323,10 +393,26 @@ void Logger::Release()
} }
// ------------------------------------------------------------------------------------------------ // ------------------------------------------------------------------------------------------------
SQBool Logger::ProcessCb(Uint8 level, bool sub) void Logger::ProcessQueue()
{
// Process only what's currently in the queue
const size_t count = m_Queue.size_approx();
// Retrieve each message individually and process it
for (size_t n = 0; n <= count; ++n)
{
// Try to get a message from the queue
if (m_Queue.try_dequeue(m_Message))
{
ProcessMessage(); // Process it
}
}
}
// ------------------------------------------------------------------------------------------------
SQBool Logger::ProcessCb()
{ {
// Get the index of this log level // Get the index of this log level
const Uint8 idx = GetLevelIdx(level); const Uint8 idx = GetLevelIdx(m_Message->mLvl);
// Is the log level valid and is there a callback associated? // Is the log level valid and is there a callback associated?
if (idx > 6 || m_LogCb[idx].IsNull()) if (idx > 6 || m_LogCb[idx].IsNull())
{ {
@ -342,9 +428,9 @@ SQBool Logger::ProcessCb(Uint8 level, bool sub)
sq_pushobject(vm, fn.GetFunc()); sq_pushobject(vm, fn.GetFunc());
sq_pushobject(vm, fn.GetEnv()); sq_pushobject(vm, fn.GetEnv());
// Push the log message // Push the log message
sq_pushstring(vm, m_Buffer.Get< SQChar >(), -1); sq_pushstring(vm, m_Message->mStr.c_str(), static_cast< SQInteger >(m_Message->mStr.size()));
// Specify whether this is a sub message // Specify whether this is a sub message
sq_pushbool(vm, static_cast< SQBool >(sub)); sq_pushbool(vm, static_cast< SQBool >(m_Message->mSub));
// Make the function call and store the result // Make the function call and store the result
SQRESULT res = sq_call(vm, 3, static_cast< SQBool >(true), SQRESULT res = sq_call(vm, 3, static_cast< SQBool >(true),
static_cast< SQBool >(ErrorHandling::IsEnabled())); static_cast< SQBool >(ErrorHandling::IsEnabled()));
@ -362,15 +448,83 @@ SQBool Logger::ProcessCb(Uint8 level, bool sub)
} }
// ------------------------------------------------------------------------------------------------ // ------------------------------------------------------------------------------------------------
void Logger::Proccess(Uint8 level, bool sub) void Logger::PushMessage(MsgPtr & msg)
{ {
// Are we in the main thread?
if (m_ThreadID == std::this_thread::get_id())
{
// Take ownership of this message and mark it as current/last message
m_Message = std::move(msg);
// Finish the message
m_Message->Finish();
// Time-stamp the message, if necessary
if (m_ConsoleTime || m_LogFileTime)
{
m_Message->Stamp();
}
// Deal with it now
ProcessMessage();
}
else
{
// Finish the message
msg->Finish();
// Time-stamp the message
msg->Stamp();
// Queue it for later
m_Queue.enqueue(std::move(msg));
}
}
// ------------------------------------------------------------------------------------------------
void Logger::PushMessage(MsgPtr * msg, size_t len)
{
// Are we in the main thread?
if (std::this_thread::get_id() == m_ThreadID)
{
for (size_t i = 0; i < len; ++i)
{
// Take ownership of this message and mark it as current/last message
m_Message = std::move(msg[i]);
// Finish the message
m_Message->Finish();
// Time-stamp the message, if necessary
if (m_ConsoleTime || m_LogFileTime)
{
m_Message->Stamp();
}
// Deal with it now
ProcessMessage();
}
}
else
{
for (size_t i = 0; i < len; ++i)
{
// Finish the message
msg[i]->Finish();
// Time-stamp the messages
msg[i]->Stamp();
}
// Queue it for later
m_Queue.enqueue_bulk(std::make_move_iterator(msg), len);
}
}
// ------------------------------------------------------------------------------------------------
void Logger::ProcessMessage()
{
// Is there a message to process
if (!m_Message)
{
return; // Nothing to process
}
// Is there a cyclic lock on the logger? // Is there a cyclic lock on the logger?
if (!m_CyclicLock) if (!m_CyclicLock)
{ {
// Lock the logger to prevent a cyclic dependency // Lock the logger to prevent a cyclic dependency
m_CyclicLock = true; m_CyclicLock = true;
// Attempt to process the script callback first // Attempt to process the script callback first
const bool greedy = static_cast< bool >(ProcessCb(level, sub)); const bool greedy = static_cast< bool >(ProcessCb());
// Unlock the logger after the callback was invoked // Unlock the logger after the callback was invoked
m_CyclicLock = false; m_CyclicLock = false;
// Is the callback for this level greedy? // Is the callback for this level greedy?
@ -379,27 +533,27 @@ void Logger::Proccess(Uint8 level, bool sub)
return; return;
} }
} }
// Obtain the time-stamp if necessary // Override time-stamp requirements
CCStr tms = (m_ConsoleTime || m_LogFileTime) ? GetTimeStampStr() : nullptr; m_Message->mTms = (m_ConsoleTime || m_LogFileTime);
// Are we allowed to send this message level to console? // Are we allowed to send this message level to console?
if (m_ConsoleLevels & level) if (m_ConsoleLevels & m_Message->mLvl)
{ {
OutputConsoleMessage(level, sub, (m_ConsoleTime ? tms : nullptr), m_Buffer.Get()); OutputConsoleMessage(m_Message);
} }
// Are we allowed to write it to a file? // Are we allowed to write it to a file?
if (m_File && (m_LogFileLevels & level)) if (m_File && (m_LogFileLevels & m_Message->mLvl))
{ {
// Write the level tag // Write the level tag
std::fputs(GetLevelTag(level), m_File); std::fputs(GetLevelTag(m_Message->mLvl), m_File);
std::fputc(' ', m_File); std::fputc(' ', m_File);
// Should we include the time-stamp? // Should we include the time-stamp?
if (m_LogFileTime && tms) if (m_Message->mTms)
{ {
std::fputs(tms, m_File); std::fputs(m_Message->mBuf, m_File);
std::fputc(' ', m_File); std::fputc(' ', m_File);
} }
// Write the message // Write the message
std::fputs(m_Buffer.Get(), m_File); std::fputs(m_Message->mStr.data(), m_File);
// Append a new line // Append a new line
std::fputc('\n', m_File); std::fputc('\n', m_File);
} }
@ -411,85 +565,95 @@ void Logger::Send(Uint8 level, bool sub, CCStr msg, size_t len)
// Is this level even allowed? // Is this level even allowed?
if ((m_ConsoleLevels & level) || (m_LogFileLevels & level)) if ((m_ConsoleLevels & level) || (m_LogFileLevels & level))
{ {
// Generate the message in the buffer // Create a new message builder
m_Buffer.Write(0, msg, static_cast< Buffer::SzType >(len)); MsgPtr message(new Message(level, sub));
// Generate the log message
message->Append(msg, len);
// Process the message in the buffer // Process the message in the buffer
Proccess(level, sub); PushMessage(message);
} }
} }
// ------------------------------------------------------------------------------------------------ // ------------------------------------------------------------------------------------------------
void Logger::Send(Uint8 level, bool sub, CCStr fmt, va_list args) void Logger::SendFv(Uint8 level, bool sub, CCStr fmt, va_list args)
{ {
// Is this level even allowed? // Is this level even allowed?
if ((m_ConsoleLevels & level) || (m_LogFileLevels & level)) if ((m_ConsoleLevels & level) || (m_LogFileLevels & level))
{ {
// Generate the message in the buffer // Create a new message builder
m_Buffer.WriteF(0, fmt, args); MsgPtr message(new Message(level, sub));
// Generate the log message
message->AppendFv(fmt, args);
// Process the message in the buffer // Process the message in the buffer
Proccess(level, sub); PushMessage(message);
} }
} }
// ------------------------------------------------------------------------------------------------ // ------------------------------------------------------------------------------------------------
void Logger::Write(Uint8 level, bool sub, CCStr fmt, ...) void Logger::WriteF(Uint8 level, bool sub, CCStr fmt, ...)
{ {
if ((m_ConsoleLevels & level) || (m_LogFileLevels & level)) if ((m_ConsoleLevels & level) || (m_LogFileLevels & level))
{ {
// Initialize the variable argument list // Initialize the variable argument list
va_list args; va_list args;
va_start(args, fmt); va_start(args, fmt);
// Generate the message in the buffer // Create a new message builder
m_Buffer.WriteF(0, fmt, args); MsgPtr message(new Message(level, sub));
// Generate the log message
message->AppendFv(fmt, args);
// Finalize the variable argument list // Finalize the variable argument list
va_end(args); va_end(args);
// Process the message in the buffer // Process the message in the buffer
Proccess(level, sub); PushMessage(message);
} }
} }
// ------------------------------------------------------------------------------------------------ // ------------------------------------------------------------------------------------------------
void Logger::Debug(CCStr fmt, ...) void Logger::DebugF(HSQUIRRELVM vm, CCStr fmt, ...)
{ {
// Initialize the variable argument list // Initialize the variable argument list
va_list args; va_list args;
va_start(args, fmt); va_start(args, fmt);
// Forward the call to the actual debug function // Forward the call to the actual debug function
Debug(fmt, args); DebugFv(vm, fmt, args);
// Finalize the variable argument list // Finalize the variable argument list
va_end(args); va_end(args);
} }
void Logger::Debug(CCStr fmt, va_list args) void Logger::DebugFv(HSQUIRRELVM vm, CCStr fmt, va_list args)
{ {
using namespace Sqrat; using namespace Sqrat;
// Retrieve the default Squirrel VM // We want to make sure these messages appear in succession
HSQUIRRELVM vm = SqVM(); // So we will push them in bulk after generating them
// Used to acquire std::array< MsgPtr, 3 > messages{};
// Create a new message builder
MsgPtr message(new Message(LOGL_ERR, true));
// Used to acquire stack information
SQStackInfos si; SQStackInfos si;
// Write the message to the buffer // Write the given error message
Int32 ret = m_Buffer.WriteF(0, fmt, args); message->AppendFv(fmt, args);
// Obtain information about the current stack level // Obtain information about the current stack level
if (SQ_SUCCEEDED(sq_stackinfos(vm, 1, &si))) if (SQ_SUCCEEDED(sq_stackinfos(vm, 1, &si)))
{ {
// Whether we should fall back to normal message // Whether we should fall back to normal message
bool fall_back = true; bool fall_back = true;
// Should (can) we include a snippet of code in the traceback? // Should (can) we include a snippet of code in the traceback?
if (Core::Get().IsDebugging() && si.source && (si.line > 0)) { // This feature is currently available only for main thread!
if ((m_ThreadID == std::this_thread::get_id()) && Core::Get().IsDebugging() && si.source && (si.line > 0)) {
// Grab the associated line of code // Grab the associated line of code
String code = Core::Get().FetchCodeLine(si.source, si.line-1, true); String code = Core::Get().FetchCodeLine(si.source, si.line-1, true);
// Valid line of code? // Valid line of code?
if (!code.empty()) if (!code.empty())
{ {
m_Buffer.WriteF(static_cast< Buffer::SzType >(ret), "\n[\n=>Location: %s\n=>Line: %d\n=>Function: %s\n=>Code: %s\n]" message->AppendF("\n[\n=>Location: %s\n=>Line: %d\n=>Function: %s\n=>Code: %s\n]"
, si.source, si.line, si.funcname ? si.funcname : _SC("unknown"), code.c_str()); , si.source, si.line, si.funcname ? si.funcname : _SC("unknown"), code.c_str());
fall_back = false; // No need to fall back to normal message! fall_back = false; // No need to fall back to normal message!
} }
} }
// Should the regular message be shown instead? // Should the regular message be shown instead?
if (fall_back) if (fall_back)
{ {
m_Buffer.WriteF(static_cast< Buffer::SzType >(ret), "\n[\n=>Location: %s\n=>Line: %d\n=>Function: %s\n]" message->AppendF("\n[\n=>Location: %s\n=>Line: %d\n=>Function: %s\n]"
, si.source ? si.source : _SC("unknown") , si.source ? si.source : _SC("unknown")
, si.line , si.line
, si.funcname ? si.funcname : _SC("unknown")); , si.funcname ? si.funcname : _SC("unknown"));
@ -497,37 +661,40 @@ void Logger::Debug(CCStr fmt, va_list args)
} }
else else
{ {
m_Buffer.WriteF( message->AppendF("\n[\n=>Location: unknown\n=>Line: unknown\n=>Function: unknown\n]");
static_cast< Buffer::SzType >(ret), "\n[\n=>Location: unknown\n=>Line: unknown\n=>Function: unknown\n]");
} }
// Process the message in the buffer // Assign the error message
Proccess(LOGL_ERR, true); messages[0] = std::move(message);
// Create a new message builder
message.reset(new Message(LOGL_INF, true));
// Begin the traceback process // Begin the traceback process
ret = m_Buffer.WriteF(0, "Traceback:\n[\n"); message->Append("Traceback:\n[\n");
// Traceback the function call // Traceback the function call
for (Int32 level = 1; SQ_SUCCEEDED(sq_stackinfos(vm, level, &si)); ++level) for (Int32 level = 1; SQ_SUCCEEDED(sq_stackinfos(vm, level, &si)); ++level)
{ {
ret += m_Buffer.WriteF(static_cast< Buffer::SzType >(ret), "=> [%d] %s (%d) [%s]\n", level message->AppendF("=> [%d] %s (%d) [%s]\n", level
, si.source ? si.source : _SC("unknown") , si.source ? si.source : _SC("unknown")
, si.line , si.line
, si.funcname ? si.funcname : _SC("unknown")); , si.funcname ? si.funcname : _SC("unknown"));
} }
// End the function call traceback // End the function call traceback
m_Buffer.WriteF(static_cast< Buffer::SzType >(ret), "]"); message->Append("]");
// Process the message in the buffer // Assign the error message
Proccess(LOGL_INF, true); messages[1] = std::move(message);
// Create a new message builder
message.reset(new Message(LOGL_INF, true));
// Temporary variables to retrieve stack information // Temporary variables to retrieve stack information
CSStr s_ = nullptr, name = nullptr; CSStr s_ = nullptr, name = nullptr;
SQInteger i_, seq = 0; SQInteger i_;
SQFloat f_; SQFloat f_;
SQUserPointer p_; SQUserPointer p_;
StackStrF ssf_; StackStrF ssf_;
// Begin the local variables information // Begin the local variables information
ret = m_Buffer.WriteF(0, "Locals:\n[\n"); message->Append("Locals:\n[\n");
// Process each stack level // Process each stack level
for (Int32 level = 0; level < 10; level++) for (Int32 level = 0; level < 10; level++)
{ {
seq = 0; SQInteger seq = 0;
// Display all locals in the current stack level // Display all locals in the current stack level
while((name = sq_getlocal(vm, static_cast< SQUnsignedInteger >(level), static_cast< SQUnsignedInteger >(seq)))) while((name = sq_getlocal(vm, static_cast< SQUnsignedInteger >(level), static_cast< SQUnsignedInteger >(seq))))
{ {
@ -535,41 +702,35 @@ void Logger::Debug(CCStr fmt, va_list args)
switch(sq_gettype(vm, -1)) switch(sq_gettype(vm, -1))
{ {
case OT_NULL: case OT_NULL:
ret += m_Buffer.WriteF(static_cast< Buffer::SzType >(ret), "=> [%d] NULL [%s]\n", level, name); message->AppendF("=> [%d] NULL [%s]\n", level, name);
break; break;
case OT_INTEGER: case OT_INTEGER:
sq_getinteger(vm, -1, &i_); sq_getinteger(vm, -1, &i_);
ret += m_Buffer.WriteF( message->AppendF("=> [%d] INTEGER [%s] with value: %" PRINT_INT_FMT "\n", level, name, i_);
static_cast< Buffer::SzType >(ret), "=> [%d] INTEGER [%s] with value: %" PRINT_INT_FMT "\n", level, name, i_);
break; break;
case OT_FLOAT: case OT_FLOAT:
sq_getfloat(vm, -1, &f_); sq_getfloat(vm, -1, &f_);
ret += m_Buffer.WriteF( message->AppendF("=> [%d] FLOAT [%s] with value: %f\n", level, name, f_);
static_cast< Buffer::SzType >(ret), "=> [%d] FLOAT [%s] with value: %f\n", level, name, f_);
break; break;
case OT_USERPOINTER: case OT_USERPOINTER:
sq_getuserpointer(vm, -1, &p_); sq_getuserpointer(vm, -1, &p_);
ret += m_Buffer.WriteF( message->AppendF("=> [%d] USERPOINTER [%s] pointing at: %p\n", level, name, p_);
static_cast< Buffer::SzType >(ret), "=> [%d] USERPOINTER [%s] pointing at: %p\n", level, name, p_);
break; break;
case OT_STRING: case OT_STRING:
sq_getstringandsize(vm, -1, &s_, &i_); sq_getstringandsize(vm, -1, &s_, &i_);
if (i_ > 0) { if (i_ > 0) {
ret += m_Buffer.WriteF( message->AppendF("=> [%d] STRING [%s] of %" PRINT_INT_FMT " characters: %.*s\n", level, name, i_, m_StringTruncate, s_);
static_cast< Buffer::SzType >(ret), "=> [%d] STRING [%s] of %" PRINT_INT_FMT " characters: %.*s\n", level, name, i_, m_StringTruncate, s_);
} else { } else {
ret += m_Buffer.WriteF(static_cast< Buffer::SzType >(ret), "=> [%d] STRING [%s] empty\n", level, name); message->AppendF("=> [%d] STRING [%s] empty\n", level, name);
} }
break; break;
case OT_TABLE: case OT_TABLE:
i_ = sq_getsize(vm, -1); i_ = sq_getsize(vm, -1);
ret += m_Buffer.WriteF( message->AppendF("=> [%d] TABLE [%s] with %" PRINT_INT_FMT " elements\n", level, name, i_);
static_cast< Buffer::SzType >(ret), "=> [%d] TABLE [%s] with %" PRINT_INT_FMT " elements\n", level, name, i_);
break; break;
case OT_ARRAY: case OT_ARRAY:
i_ = sq_getsize(vm, -1); i_ = sq_getsize(vm, -1);
ret += m_Buffer.WriteF( message->AppendF("=> [%d] ARRAY [%s] with %" PRINT_INT_FMT " elements\n", level, name, i_);
static_cast< Buffer::SzType >(ret), "=> [%d] ARRAY [%s] with %" PRINT_INT_FMT " elements\n", level, name, i_);
break; break;
case OT_CLOSURE: case OT_CLOSURE:
s_ = _SC("@anonymous"); s_ = _SC("@anonymous");
@ -579,7 +740,7 @@ void Logger::Debug(CCStr fmt, va_list args)
} }
sq_poptop(vm); sq_poptop(vm);
} }
ret += m_Buffer.WriteF(static_cast< Buffer::SzType >(ret), "=> [%d] CLOSURE [%s] with name: %s\n", level, name, s_); message->AppendF("=> [%d] CLOSURE [%s] with name: %s\n", level, name, s_);
break; break;
case OT_NATIVECLOSURE: case OT_NATIVECLOSURE:
s_ = _SC("@unknown"); s_ = _SC("@unknown");
@ -589,17 +750,16 @@ void Logger::Debug(CCStr fmt, va_list args)
} }
sq_poptop(vm); sq_poptop(vm);
} }
ret += m_Buffer.WriteF( message->AppendF("=> [%d] NATIVECLOSURE [%s] with name: %s\n", level, name, s_);
static_cast< Buffer::SzType >(ret), "=> [%d] NATIVECLOSURE [%s] with name: %s\n", level, name, s_);
break; break;
case OT_GENERATOR: case OT_GENERATOR:
ret += m_Buffer.WriteF(static_cast< Buffer::SzType >(ret), "=> [%d] GENERATOR [%s]\n", level, name); message->AppendF("=> [%d] GENERATOR [%s]\n", level, name);
break; break;
case OT_USERDATA: case OT_USERDATA:
ret += m_Buffer.WriteF(static_cast< Buffer::SzType >(ret), "=> [%d] USERDATA [%s]\n", level, name); message->AppendF("=> [%d] USERDATA [%s]\n", level, name);
break; break;
case OT_THREAD: case OT_THREAD:
ret += m_Buffer.WriteF(static_cast< Buffer::SzType >(ret), "=> [%d] THREAD [%s]\n", level, name); message->AppendF("=> [%d] THREAD [%s]\n", level, name);
break; break;
case OT_CLASS: case OT_CLASS:
// Brute force our way into getting the name of this class without blowing up // Brute force our way into getting the name of this class without blowing up
@ -617,7 +777,7 @@ void Logger::Debug(CCStr fmt, va_list args)
// Pop the dummy instance // Pop the dummy instance
sq_poptop(vm); sq_poptop(vm);
} }
ret += m_Buffer.WriteF(static_cast< Buffer::SzType >(ret), "=> [%d] CLASS [%s] of type: %s\n", level, name, s_); message->AppendF("=> [%d] CLASS [%s] of type: %s\n", level, name, s_);
break; break;
case OT_INSTANCE: case OT_INSTANCE:
s_ = _SC("@unknown"); s_ = _SC("@unknown");
@ -627,8 +787,7 @@ void Logger::Debug(CCStr fmt, va_list args)
} }
sq_poptop(vm); sq_poptop(vm);
} }
ret += m_Buffer.WriteF( message->AppendF("=> [%d] INSTANCE [%s] of type: %s\n", level, name, s_);
static_cast< Buffer::SzType >(ret), "=> [%d] INSTANCE [%s] of type: %s\n", level, name, s_);
break; break;
case OT_WEAKREF: case OT_WEAKREF:
s_ = _SC("@unknown"); s_ = _SC("@unknown");
@ -645,23 +804,26 @@ void Logger::Debug(CCStr fmt, va_list args)
// Pop the referenced value // Pop the referenced value
sq_poptop(vm); sq_poptop(vm);
} }
ret += m_Buffer.WriteF(static_cast< Buffer::SzType >(ret), "=> [%d] WEAKREF [%s] of type: %s\n", level, name, s_); message->AppendF("=> [%d] WEAKREF [%s] of type: %s\n", level, name, s_);
break; break;
case OT_BOOL: case OT_BOOL:
sq_getinteger(vm, -1, &i_); sq_getinteger(vm, -1, &i_);
ret += m_Buffer.WriteF(static_cast< Buffer::SzType >(ret), "=> [%d] BOOL [%s] with value: %s\n", level, name, i_ ? _SC("true") : _SC("false")); message->AppendF("=> [%d] BOOL [%s] with value: %s\n", level, name, i_ ? _SC("true") : _SC("false"));
break; break;
default: default:
ret += m_Buffer.WriteF(static_cast< Buffer::SzType >(ret), "=> [%d] UNKNOWN [%s]\n", level, name); message->AppendF("=> [%d] UNKNOWN [%s]\n", level, name);
break; break;
} }
sq_pop(vm, 1); sq_pop(vm, 1);
} }
} }
// End the variables information // End the variables information
m_Buffer.WriteF(static_cast< Buffer::SzType >(ret), "]"); message->Append("]");
// Process the message in the buffer // Assign the error message
Proccess(LOGL_INF, true); messages[2] = std::move(message);
puts("sending debug message");
// Submit the error messages in bulk
PushMessage(messages.data(), messages.size());
} }
// ------------------------------------------------------------------------------------------------ // ------------------------------------------------------------------------------------------------
@ -670,7 +832,7 @@ void Logger::Debug(CCStr fmt, va_list args)
*/ { /* */ { /*
*/ va_list args; /* */ va_list args; /*
*/ va_start(args, fmt); /* */ va_start(args, fmt); /*
*/ Logger::Get().Send(L_, S_, fmt, args); /* */ Logger::Get().SendFv(L_, S_, fmt, args); /*
*/ va_end(args); /* */ va_end(args); /*
*/ } /* */ } /*
*/ */
@ -697,7 +859,7 @@ SQMOD_LOG(LogSFtl, LOGL_FTL, true)
#define SQMOD_VLOG(N_, L_, S_) /* #define SQMOD_VLOG(N_, L_, S_) /*
*/ void N_(CCStr fmt, va_list vlist) /* */ void N_(CCStr fmt, va_list vlist) /*
*/ { /* */ { /*
*/ Logger::Get().Send(L_, S_, fmt, vlist); /* */ Logger::Get().SendFv(L_, S_, fmt, vlist); /*
*/ } /* */ } /*
*/ */
@ -729,7 +891,7 @@ SQMOD_VLOG(LogSFtlV, LOGL_FTL, true)
*/ } /* */ } /*
*/ va_list args; /* */ va_list args; /*
*/ va_start(args, fmt); /* */ va_start(args, fmt); /*
*/ Logger::Get().Send(L_, S_, fmt, args); /* */ Logger::Get().SendFv(L_, S_, fmt, args); /*
*/ va_end(args); /* */ va_end(args); /*
*/ return c; /* */ return c; /*
*/ } /* */ } /*
@ -770,7 +932,7 @@ template < Uint8 L, bool S > static SQInteger LogBasicMessage(HSQUIRRELVM vm)
return val.mRes; // Propagate the error! return val.mRes; // Propagate the error!
} }
// Forward the resulted string value to the logger // Forward the resulted string value to the logger
Logger::Get().Write(L, S, "%s", val.mPtr); Logger::Get().WriteF(L, S, "%s", val.mPtr);
// This function does not return a value // This function does not return a value
return 0; return 0;
} }

View File

@ -8,8 +8,12 @@
#include <cstdio> #include <cstdio>
#include <string> #include <string>
// ------------------------------------------------------------------------------------------------
#include <thread>
// ------------------------------------------------------------------------------------------------ // ------------------------------------------------------------------------------------------------
#include <sqrat/sqratFunction.h> #include <sqrat/sqratFunction.h>
#include <concurrentqueue.h>
// ------------------------------------------------------------------------------------------------ // ------------------------------------------------------------------------------------------------
namespace SqMod { namespace SqMod {
@ -35,6 +39,93 @@ enum LogLvl
*/ */
class Logger class Logger
{ {
protected:
/* --------------------------------------------------------------------------------------------
* Message storage and builder.
*/
struct Message
{
// ----------------------------------------------------------------------------------------
static constexpr size_t TMS_LEN = (128-sizeof(String)-6-sizeof(bool));
// ----------------------------------------------------------------------------------------
String mStr; // Message string.
uint32_t mLen; // Message length.
uint8_t mLvl; // Message level.
uint8_t mInc; // Message increments.
bool mSub; // Message hierarchy.
bool mTms; // Message hierarchy.
char mBuf[TMS_LEN]; // Message time-stamp.
/* ----------------------------------------------------------------------------------------
* Default constructor.
*/
Message()
: mStr(), mLen(0), mLvl(LOGL_NIL)
, mInc(std::numeric_limits< uint8_t >::max()), mSub(false), mTms(false), mBuf{'\0'}
{
}
/* ----------------------------------------------------------------------------------------
* Explicit type constructor.
*/
Message(uint8_t lvl, bool sub)
: mStr(), mLen(0), mLvl(lvl)
, mInc(std::numeric_limits< uint8_t >::max()), mSub(sub), mTms(false), mBuf{'\0'}
{
}
/* ----------------------------------------------------------------------------------------
* Explicit constructor.
*/
Message(uint8_t lvl, bool sub, uint32_t len)
: Message(lvl, sub, len, std::numeric_limits< uint8_t >::max())
{
}
/* ----------------------------------------------------------------------------------------
* Explicit constructor.
*/
Message(uint8_t lvl, bool sub, uint32_t len, uint8_t inc)
: mStr(), mLen(0), mLvl(lvl), mInc(inc), mSub(sub), mTms(false), mBuf{'\0'}
{
mStr.resize(len, '\0');
}
/* ----------------------------------------------------------------------------------------
* Copy constructor (disabled).
*/
Message(const Message & o) = delete;
/* ----------------------------------------------------------------------------------------
* Stamp the log message.
*/
void Stamp();
/* ----------------------------------------------------------------------------------------
* Finished the string message.
*/
void Finish()
{
mStr.resize(mLen); // Discard trailing characters
}
/* ----------------------------------------------------------------------------------------
* Append a C string to the message.
*/
uint32_t Append(CSStr str);
/* ----------------------------------------------------------------------------------------
* Append a fixed width string to the message.
*/
uint32_t Append(CSStr str, size_t len);
/* ----------------------------------------------------------------------------------------
* Append a formatted string to the message.
*/
uint32_t AppendF(CSStr str, ...);
/* ----------------------------------------------------------------------------------------
* Append a formatted string to the message.
*/
uint32_t AppendFv(CSStr str, va_list vl);
};
public:
/* --------------------------------------------------------------------------------------------
* Smart message pointer.
*/
using MsgPtr = std::unique_ptr< Message >;
private: private:
// -------------------------------------------------------------------------------------------- // --------------------------------------------------------------------------------------------
@ -50,36 +141,55 @@ private:
*/ */
~Logger(); ~Logger();
/* --------------------------------------------------------------------------------------------
* Queue of messages written from other threads.
*/
using MsgQueue = moodycamel::ConcurrentQueue< MsgPtr >;
private: private:
// -------------------------------------------------------------------------------------------- // --------------------------------------------------------------------------------------------
Buffer m_Buffer; // Common buffer where the message is written. std::thread::id m_ThreadID; // ID of the thread in which the logger was initialized.
// -------------------------------------------------------------------------------------------- // --------------------------------------------------------------------------------------------
Uint8 m_ConsoleLevels; // The levels allowed to be outputted to console. MsgPtr m_Message; // Last and/or currently processed log message.
Uint8 m_LogFileLevels; // The levels allowed to be outputted to log file. MsgQueue m_Queue; // Queue of messages outside of main thread.
// -------------------------------------------------------------------------------------------- // --------------------------------------------------------------------------------------------
bool m_ConsoleTime; // Whether console messages should be timestamped. Uint8 m_ConsoleLevels; // The levels allowed to be outputted to console.
bool m_LogFileTime; // Whether log file messages should be timestamped. Uint8 m_LogFileLevels; // The levels allowed to be outputted to log file.
bool m_CyclicLock; // Prevent the script callback from entering a loop.
// -------------------------------------------------------------------------------------------- // --------------------------------------------------------------------------------------------
Uint32 m_StringTruncate; // The length at which to truncate strings in debug. bool m_ConsoleTime; // Whether console messages should be timestamped.
bool m_LogFileTime; // Whether log file messages should be timestamped.
bool m_CyclicLock; // Prevent the script callback from entering a loop.
// -------------------------------------------------------------------------------------------- // --------------------------------------------------------------------------------------------
std::FILE* m_File; // Handle to the file where the logs should be saved. Uint32 m_StringTruncate; // The length at which to truncate strings in debug.
std::string m_Filename; // The name of the file where the logs are saved.
// -------------------------------------------------------------------------------------------- // --------------------------------------------------------------------------------------------
Function m_LogCb[7]; //Callback to receive debug information instead of console. std::FILE* m_File; // Handle to the file where the logs should be saved.
std::string m_Filename; // The name of the file where the logs are saved.
// --------------------------------------------------------------------------------------------
Function m_LogCb[7]; //Callback to receive debug information instead of console.
protected: protected:
/* --------------------------------------------------------------------------------------------
* Push the given message either to the screen or queue depending on the calling thread.
*/
void PushMessage(MsgPtr & msg);
/* --------------------------------------------------------------------------------------------
* Push the given messages either to the screen or queue depending on the calling thread.
*/
void PushMessage(MsgPtr * msg, size_t len);
/* -------------------------------------------------------------------------------------------- /* --------------------------------------------------------------------------------------------
* Process the message in the internal buffer. * Process the message in the internal buffer.
*/ */
void Proccess(Uint8 level, bool sub); void ProcessMessage();
public: public:
@ -131,6 +241,11 @@ public:
*/ */
void Release(); void Release();
/* --------------------------------------------------------------------------------------------
* Processes the messages that have gathered in the queue.
*/
void ProcessQueue();
/* -------------------------------------------------------------------------------------------- /* --------------------------------------------------------------------------------------------
* Enable or disable console message time stamping. * Enable or disable console message time stamping.
*/ */
@ -303,29 +418,29 @@ public:
/* -------------------------------------------------------------------------------------------- /* --------------------------------------------------------------------------------------------
* Send a log message. * Send a log message.
*/ */
void Send(Uint8 level, bool sub, CCStr fmt, va_list args); void SendFv(Uint8 level, bool sub, CCStr fmt, va_list args);
/* -------------------------------------------------------------------------------------------- /* --------------------------------------------------------------------------------------------
* Write a log message. * Write a log message.
*/ */
void Write(Uint8 level, bool sub, CCStr fmt, ...); void WriteF(Uint8 level, bool sub, CCStr fmt, ...);
/* -------------------------------------------------------------------------------------------- /* --------------------------------------------------------------------------------------------
* Generate a debug message. * Generate a debug message.
*/ */
void Debug(CCStr fmt, ...); void DebugF(HSQUIRRELVM vm, CCStr fmt, ...);
/* -------------------------------------------------------------------------------------------- /* --------------------------------------------------------------------------------------------
* Generate a debug message. * Generate a debug message.
*/ */
void Debug(CCStr fmt, va_list args); void DebugFv(HSQUIRRELVM vm, CCStr fmt, va_list args);
private: private:
/* -------------------------------------------------------------------------------------------- /* --------------------------------------------------------------------------------------------
* Forward the log message to a callback. * Forward the log message to a callback.
*/ */
SQBool ProcessCb(Uint8 level, bool sub); SQBool ProcessCb();
}; };
/* ------------------------------------------------------------------------------------------------ /* ------------------------------------------------------------------------------------------------

View File

@ -160,6 +160,8 @@ static void OnServerFrame(float elapsed_time)
// Process routines and tasks, if any // Process routines and tasks, if any
ProcessRoutines(); ProcessRoutines();
ProcessTasks(); ProcessTasks();
// Process log messages from other threads
Logger::Get().ProcessQueue();
// See if a reload was requested // See if a reload was requested
SQMOD_RELOAD_CHECK(g_Reload) SQMOD_RELOAD_CHECK(g_Reload)
} }