blob: c1d0a53baafbbaef54321293f8a33420bccaf5fc [file] [log] [blame]
henrike@webrtc.org0e118e72013-07-10 00:45:36 +00001/*
2 * libjingle
3 * Copyright 2004--2011, Google Inc.
4 *
5 * Redistribution and use in source and binary forms, with or without
6 * modification, are permitted provided that the following conditions are met:
7 *
8 * 1. Redistributions of source code must retain the above copyright notice,
9 * this list of conditions and the following disclaimer.
10 * 2. Redistributions in binary form must reproduce the above copyright notice,
11 * this list of conditions and the following disclaimer in the documentation
12 * and/or other materials provided with the distribution.
13 * 3. The name of the author may not be used to endorse or promote products
14 * derived from this software without specific prior written permission.
15 *
16 * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``AS IS'' AND ANY EXPRESS OR IMPLIED
17 * WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF
18 * MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO
19 * EVENT SHALL THE AUTHOR BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
20 * SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO,
21 * PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS;
22 * OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
23 * WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR
24 * OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF
25 * ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
26 */
27
28#ifdef WIN32
29#define WIN32_LEAN_AND_MEAN
30#include <windows.h>
31#define snprintf _snprintf
32#undef ERROR // wingdi.h
33#endif
34
35#ifdef OSX
36#include <CoreServices/CoreServices.h>
37#elif defined(ANDROID)
38#include <android/log.h>
39static const char kLibjingle[] = "libjingle";
40// Android has a 1024 limit on log inputs. We use 60 chars as an
41// approx for the header/tag portion.
42// See android/system/core/liblog/logd_write.c
43static const int kMaxLogLineSize = 1024 - 60;
44#endif // OSX || ANDROID
45
46#include <time.h>
47
48#include <ostream>
49#include <iomanip>
50#include <limits.h>
51#include <vector>
52
53#include "talk/base/logging.h"
54#include "talk/base/stream.h"
55#include "talk/base/stringencode.h"
56#include "talk/base/stringutils.h"
57#include "talk/base/timeutils.h"
58
59namespace talk_base {
60
61/////////////////////////////////////////////////////////////////////////////
62// Constant Labels
63/////////////////////////////////////////////////////////////////////////////
64
65const char * FindLabel(int value, const ConstantLabel entries[]) {
66 for (int i = 0; entries[i].label; ++i) {
67 if (value == entries[i].value) {
68 return entries[i].label;
69 }
70 }
71 return 0;
72}
73
74std::string ErrorName(int err, const ConstantLabel * err_table) {
75 if (err == 0)
76 return "No error";
77
78 if (err_table != 0) {
79 if (const char * value = FindLabel(err, err_table))
80 return value;
81 }
82
83 char buffer[16];
84 snprintf(buffer, sizeof(buffer), "0x%08x", err);
85 return buffer;
86}
87
88/////////////////////////////////////////////////////////////////////////////
89// LogMessage
90/////////////////////////////////////////////////////////////////////////////
91
92const int LogMessage::NO_LOGGING = LS_ERROR + 1;
93
94#if _DEBUG
95static const int LOG_DEFAULT = LS_INFO;
96#else // !_DEBUG
97static const int LOG_DEFAULT = LogMessage::NO_LOGGING;
98#endif // !_DEBUG
99
100// Global lock for log subsystem, only needed to serialize access to streams_.
101CriticalSection LogMessage::crit_;
102
103// By default, release builds don't log, debug builds at info level
104int LogMessage::min_sev_ = LOG_DEFAULT;
105int LogMessage::dbg_sev_ = LOG_DEFAULT;
106
107// Don't bother printing context for the ubiquitous INFO log messages
108int LogMessage::ctx_sev_ = LS_WARNING;
109
110// The list of logging streams currently configured.
111// Note: we explicitly do not clean this up, because of the uncertain ordering
112// of destructors at program exit. Let the person who sets the stream trigger
113// cleanup by setting to NULL, or let it leak (safe at program exit).
114LogMessage::StreamList LogMessage::streams_;
115
116// Boolean options default to false (0)
117bool LogMessage::thread_, LogMessage::timestamp_;
118
119// If we're in diagnostic mode, we'll be explicitly set that way; default=false.
120bool LogMessage::is_diagnostic_mode_ = false;
121
122LogMessage::LogMessage(const char* file, int line, LoggingSeverity sev,
123 LogErrorContext err_ctx, int err, const char* module)
124 : severity_(sev),
125 warn_slow_logs_delay_(WARN_SLOW_LOGS_DELAY) {
henrike@webrtc.org0e118e72013-07-10 00:45:36 +0000126 if (timestamp_) {
127 uint32 time = TimeSince(LogStartTime());
128 // Also ensure WallClockStartTime is initialized, so that it matches
129 // LogStartTime.
130 WallClockStartTime();
131 print_stream_ << "[" << std::setfill('0') << std::setw(3) << (time / 1000)
132 << ":" << std::setw(3) << (time % 1000) << std::setfill(' ')
133 << "] ";
134 }
135
136 if (thread_) {
137#ifdef WIN32
138 DWORD id = GetCurrentThreadId();
139 print_stream_ << "[" << std::hex << id << std::dec << "] ";
140#endif // WIN32
141 }
henrike@webrtc.org0e118e72013-07-10 00:45:36 +0000142
143 if (severity_ >= ctx_sev_) {
144 print_stream_ << Describe(sev) << "(" << DescribeFile(file)
145 << ":" << line << "): ";
146 }
147
148 if (err_ctx != ERRCTX_NONE) {
149 std::ostringstream tmp;
150 tmp << "[0x" << std::setfill('0') << std::hex << std::setw(8) << err << "]";
151 switch (err_ctx) {
152 case ERRCTX_ERRNO:
153 tmp << " " << strerror(err);
154 break;
155#if WIN32
156 case ERRCTX_HRESULT: {
157 char msgbuf[256];
158 DWORD flags = FORMAT_MESSAGE_FROM_SYSTEM;
159 HMODULE hmod = GetModuleHandleA(module);
160 if (hmod)
161 flags |= FORMAT_MESSAGE_FROM_HMODULE;
162 if (DWORD len = FormatMessageA(
163 flags, hmod, err,
164 MAKELANGID(LANG_NEUTRAL, SUBLANG_DEFAULT),
165 msgbuf, sizeof(msgbuf) / sizeof(msgbuf[0]), NULL)) {
166 while ((len > 0) &&
167 isspace(static_cast<unsigned char>(msgbuf[len-1]))) {
168 msgbuf[--len] = 0;
169 }
170 tmp << " " << msgbuf;
171 }
172 break;
173 }
174#endif // WIN32
175#if OSX
176 case ERRCTX_OSSTATUS: {
177 tmp << " " << nonnull(GetMacOSStatusErrorString(err), "Unknown error");
178 if (const char* desc = GetMacOSStatusCommentString(err)) {
179 tmp << ": " << desc;
180 }
181 break;
182 }
183#endif // OSX
184 default:
185 break;
186 }
187 extra_ = tmp.str();
188 }
189}
190
191LogMessage::~LogMessage() {
192 if (!extra_.empty())
193 print_stream_ << " : " << extra_;
194 print_stream_ << std::endl;
195
196 const std::string& str = print_stream_.str();
197 if (severity_ >= dbg_sev_) {
198 OutputToDebug(str, severity_);
199 }
200
201 uint32 before = Time();
202 // Must lock streams_ before accessing
203 CritScope cs(&crit_);
204 for (StreamList::iterator it = streams_.begin(); it != streams_.end(); ++it) {
205 if (severity_ >= it->second) {
206 OutputToStream(it->first, str);
207 }
208 }
209 uint32 delay = TimeSince(before);
210 if (delay >= warn_slow_logs_delay_) {
211 LogMessage slow_log_warning =
212 talk_base::LogMessage(__FILE__, __LINE__, LS_WARNING);
213 // If our warning is slow, we don't want to warn about it, because
214 // that would lead to inifinite recursion. So, give a really big
215 // number for the delay threshold.
216 slow_log_warning.warn_slow_logs_delay_ = UINT_MAX;
217 slow_log_warning.stream() << "Slow log: took " << delay << "ms to write "
218 << str.size() << " bytes.";
219 }
220}
221
222uint32 LogMessage::LogStartTime() {
223 static const uint32 g_start = Time();
224 return g_start;
225}
226
227uint32 LogMessage::WallClockStartTime() {
228 static const uint32 g_start_wallclock = time(NULL);
229 return g_start_wallclock;
230}
231
232void LogMessage::LogContext(int min_sev) {
233 ctx_sev_ = min_sev;
234}
235
236void LogMessage::LogThreads(bool on) {
237 thread_ = on;
238}
239
240void LogMessage::LogTimestamps(bool on) {
241 timestamp_ = on;
242}
243
244void LogMessage::LogToDebug(int min_sev) {
245 dbg_sev_ = min_sev;
246 UpdateMinLogSeverity();
247}
248
249void LogMessage::LogToStream(StreamInterface* stream, int min_sev) {
250 CritScope cs(&crit_);
251 // Discard and delete all previously installed streams
252 for (StreamList::iterator it = streams_.begin(); it != streams_.end(); ++it) {
253 delete it->first;
254 }
255 streams_.clear();
256 // Install the new stream, if specified
257 if (stream) {
258 AddLogToStream(stream, min_sev);
259 }
260}
261
262int LogMessage::GetLogToStream(StreamInterface* stream) {
263 CritScope cs(&crit_);
264 int sev = NO_LOGGING;
265 for (StreamList::iterator it = streams_.begin(); it != streams_.end(); ++it) {
266 if (!stream || stream == it->first) {
267 sev = _min(sev, it->second);
268 }
269 }
270 return sev;
271}
272
273void LogMessage::AddLogToStream(StreamInterface* stream, int min_sev) {
274 CritScope cs(&crit_);
275 streams_.push_back(std::make_pair(stream, min_sev));
276 UpdateMinLogSeverity();
277}
278
279void LogMessage::RemoveLogToStream(StreamInterface* stream) {
280 CritScope cs(&crit_);
281 for (StreamList::iterator it = streams_.begin(); it != streams_.end(); ++it) {
282 if (stream == it->first) {
283 streams_.erase(it);
284 break;
285 }
286 }
287 UpdateMinLogSeverity();
288}
289
290void LogMessage::ConfigureLogging(const char* params, const char* filename) {
291 int current_level = LS_VERBOSE;
292 int debug_level = GetLogToDebug();
293 int file_level = GetLogToStream();
294
295 std::vector<std::string> tokens;
296 tokenize(params, ' ', &tokens);
297
298 for (size_t i = 0; i < tokens.size(); ++i) {
299 if (tokens[i].empty())
300 continue;
301
302 // Logging features
303 if (tokens[i] == "tstamp") {
304 LogTimestamps();
305 } else if (tokens[i] == "thread") {
306 LogThreads();
307
308 // Logging levels
309 } else if (tokens[i] == "sensitive") {
310 current_level = LS_SENSITIVE;
311 } else if (tokens[i] == "verbose") {
312 current_level = LS_VERBOSE;
313 } else if (tokens[i] == "info") {
314 current_level = LS_INFO;
315 } else if (tokens[i] == "warning") {
316 current_level = LS_WARNING;
317 } else if (tokens[i] == "error") {
318 current_level = LS_ERROR;
319 } else if (tokens[i] == "none") {
320 current_level = NO_LOGGING;
321
322 // Logging targets
323 } else if (tokens[i] == "file") {
324 file_level = current_level;
325 } else if (tokens[i] == "debug") {
326 debug_level = current_level;
327 }
328 }
329
330#ifdef WIN32
331 if ((NO_LOGGING != debug_level) && !::IsDebuggerPresent()) {
332 // First, attempt to attach to our parent's console... so if you invoke
333 // from the command line, we'll see the output there. Otherwise, create
334 // our own console window.
335 // Note: These methods fail if a console already exists, which is fine.
336 bool success = false;
337 typedef BOOL (WINAPI* PFN_AttachConsole)(DWORD);
338 if (HINSTANCE kernel32 = ::LoadLibrary(L"kernel32.dll")) {
339 // AttachConsole is defined on WinXP+.
340 if (PFN_AttachConsole attach_console = reinterpret_cast<PFN_AttachConsole>
341 (::GetProcAddress(kernel32, "AttachConsole"))) {
342 success = (FALSE != attach_console(ATTACH_PARENT_PROCESS));
343 }
344 ::FreeLibrary(kernel32);
345 }
346 if (!success) {
347 ::AllocConsole();
348 }
349 }
350#endif // WIN32
351
henrika@webrtc.org8485ec62014-01-14 10:00:58 +0000352 LogToDebug(debug_level);
353
354#if !defined(__native_client__) // No logging to file in NaCl.
henrike@webrtc.org0e118e72013-07-10 00:45:36 +0000355 scoped_ptr<FileStream> stream;
356 if (NO_LOGGING != file_level) {
357 stream.reset(new FileStream);
358 if (!stream->Open(filename, "wb", NULL) || !stream->DisableBuffering()) {
359 stream.reset();
360 }
361 }
362
henrike@webrtc.org0e118e72013-07-10 00:45:36 +0000363 LogToStream(stream.release(), file_level);
henrika@webrtc.org8485ec62014-01-14 10:00:58 +0000364#endif
henrike@webrtc.org0e118e72013-07-10 00:45:36 +0000365}
366
367int LogMessage::ParseLogSeverity(const std::string& value) {
368 int level = NO_LOGGING;
369 if (value == "LS_SENSITIVE") {
370 level = LS_SENSITIVE;
371 } else if (value == "LS_VERBOSE") {
372 level = LS_VERBOSE;
373 } else if (value == "LS_INFO") {
374 level = LS_INFO;
375 } else if (value == "LS_WARNING") {
376 level = LS_WARNING;
377 } else if (value == "LS_ERROR") {
378 level = LS_ERROR;
379 } else if (isdigit(value[0])) {
380 level = atoi(value.c_str()); // NOLINT
381 }
382 return level;
383}
384
385void LogMessage::UpdateMinLogSeverity() {
386 int min_sev = dbg_sev_;
387 for (StreamList::iterator it = streams_.begin(); it != streams_.end(); ++it) {
388 min_sev = _min(dbg_sev_, it->second);
389 }
390 min_sev_ = min_sev;
391}
392
393const char* LogMessage::Describe(LoggingSeverity sev) {
394 switch (sev) {
395 case LS_SENSITIVE: return "Sensitive";
396 case LS_VERBOSE: return "Verbose";
397 case LS_INFO: return "Info";
398 case LS_WARNING: return "Warning";
399 case LS_ERROR: return "Error";
400 default: return "<unknown>";
401 }
402}
403
404const char* LogMessage::DescribeFile(const char* file) {
405 const char* end1 = ::strrchr(file, '/');
406 const char* end2 = ::strrchr(file, '\\');
407 if (!end1 && !end2)
408 return file;
409 else
410 return (end1 > end2) ? end1 + 1 : end2 + 1;
411}
412
413void LogMessage::OutputToDebug(const std::string& str,
414 LoggingSeverity severity) {
415 bool log_to_stderr = true;
416#if defined(OSX) && (!defined(DEBUG) || defined(NDEBUG))
417 // On the Mac, all stderr output goes to the Console log and causes clutter.
418 // So in opt builds, don't log to stderr unless the user specifically sets
419 // a preference to do so.
420 CFStringRef key = CFStringCreateWithCString(kCFAllocatorDefault,
421 "logToStdErr",
422 kCFStringEncodingUTF8);
423 CFStringRef domain = CFBundleGetIdentifier(CFBundleGetMainBundle());
424 if (key != NULL && domain != NULL) {
425 Boolean exists_and_is_valid;
426 Boolean should_log =
427 CFPreferencesGetAppBooleanValue(key, domain, &exists_and_is_valid);
428 // If the key doesn't exist or is invalid or is false, we will not log to
429 // stderr.
430 log_to_stderr = exists_and_is_valid && should_log;
431 }
432 if (key != NULL) {
433 CFRelease(key);
434 }
435#endif
436#ifdef WIN32
437 // Always log to the debugger.
438 // Perhaps stderr should be controlled by a preference, as on Mac?
439 OutputDebugStringA(str.c_str());
440 if (log_to_stderr) {
441 // This handles dynamically allocated consoles, too.
442 if (HANDLE error_handle = ::GetStdHandle(STD_ERROR_HANDLE)) {
443 log_to_stderr = false;
444 DWORD written = 0;
445 ::WriteFile(error_handle, str.data(), static_cast<DWORD>(str.size()),
446 &written, 0);
447 }
448 }
449#endif // WIN32
450#ifdef ANDROID
451 // Android's logging facility uses severity to log messages but we
452 // need to map libjingle's severity levels to Android ones first.
453 // Also write to stderr which maybe available to executable started
454 // from the shell.
455 int prio;
456 switch (severity) {
457 case LS_SENSITIVE:
458 __android_log_write(ANDROID_LOG_INFO, kLibjingle, "SENSITIVE");
459 if (log_to_stderr) {
460 fprintf(stderr, "SENSITIVE");
461 fflush(stderr);
462 }
463 return;
464 case LS_VERBOSE:
465 prio = ANDROID_LOG_VERBOSE;
466 break;
467 case LS_INFO:
468 prio = ANDROID_LOG_INFO;
469 break;
470 case LS_WARNING:
471 prio = ANDROID_LOG_WARN;
472 break;
473 case LS_ERROR:
474 prio = ANDROID_LOG_ERROR;
475 break;
476 default:
477 prio = ANDROID_LOG_UNKNOWN;
478 }
479
480 int size = str.size();
481 int line = 0;
482 int idx = 0;
483 const int max_lines = size / kMaxLogLineSize + 1;
484 if (max_lines == 1) {
485 __android_log_print(prio, kLibjingle, "%.*s", size, str.c_str());
486 } else {
487 while (size > 0) {
488 const int len = std::min(size, kMaxLogLineSize);
489 // Use the size of the string in the format (str may have \0 in the
490 // middle).
491 __android_log_print(prio, kLibjingle, "[%d/%d] %.*s",
492 line + 1, max_lines,
493 len, str.c_str() + idx);
494 idx += len;
495 size -= len;
496 ++line;
497 }
498 }
499#endif // ANDROID
500 if (log_to_stderr) {
501 fprintf(stderr, "%s", str.c_str());
502 fflush(stderr);
503 }
504}
505
506void LogMessage::OutputToStream(StreamInterface* stream,
507 const std::string& str) {
508 // If write isn't fully successful, what are we going to do, log it? :)
509 stream->WriteAll(str.data(), str.size(), NULL, NULL);
510}
511
512//////////////////////////////////////////////////////////////////////
513// Logging Helpers
514//////////////////////////////////////////////////////////////////////
515
516void LogMultiline(LoggingSeverity level, const char* label, bool input,
517 const void* data, size_t len, bool hex_mode,
518 LogMultilineState* state) {
519 if (!LOG_CHECK_LEVEL_V(level))
520 return;
521
522 const char * direction = (input ? " << " : " >> ");
523
524 // NULL data means to flush our count of unprintable characters.
525 if (!data) {
526 if (state && state->unprintable_count_[input]) {
527 LOG_V(level) << label << direction << "## "
528 << state->unprintable_count_[input]
529 << " consecutive unprintable ##";
530 state->unprintable_count_[input] = 0;
531 }
532 return;
533 }
534
535 // The ctype classification functions want unsigned chars.
536 const unsigned char* udata = static_cast<const unsigned char*>(data);
537
538 if (hex_mode) {
539 const size_t LINE_SIZE = 24;
540 char hex_line[LINE_SIZE * 9 / 4 + 2], asc_line[LINE_SIZE + 1];
541 while (len > 0) {
542 memset(asc_line, ' ', sizeof(asc_line));
543 memset(hex_line, ' ', sizeof(hex_line));
544 size_t line_len = _min(len, LINE_SIZE);
545 for (size_t i = 0; i < line_len; ++i) {
546 unsigned char ch = udata[i];
547 asc_line[i] = isprint(ch) ? ch : '.';
548 hex_line[i*2 + i/4] = hex_encode(ch >> 4);
549 hex_line[i*2 + i/4 + 1] = hex_encode(ch & 0xf);
550 }
551 asc_line[sizeof(asc_line)-1] = 0;
552 hex_line[sizeof(hex_line)-1] = 0;
553 LOG_V(level) << label << direction
554 << asc_line << " " << hex_line << " ";
555 udata += line_len;
556 len -= line_len;
557 }
558 return;
559 }
560
561 size_t consecutive_unprintable = state ? state->unprintable_count_[input] : 0;
562
563 const unsigned char* end = udata + len;
564 while (udata < end) {
565 const unsigned char* line = udata;
566 const unsigned char* end_of_line = strchrn<unsigned char>(udata,
567 end - udata,
568 '\n');
569 if (!end_of_line) {
570 udata = end_of_line = end;
571 } else {
572 udata = end_of_line + 1;
573 }
574
575 bool is_printable = true;
576
577 // If we are in unprintable mode, we need to see a line of at least
578 // kMinPrintableLine characters before we'll switch back.
579 const ptrdiff_t kMinPrintableLine = 4;
580 if (consecutive_unprintable && ((end_of_line - line) < kMinPrintableLine)) {
581 is_printable = false;
582 } else {
583 // Determine if the line contains only whitespace and printable
584 // characters.
585 bool is_entirely_whitespace = true;
586 for (const unsigned char* pos = line; pos < end_of_line; ++pos) {
587 if (isspace(*pos))
588 continue;
589 is_entirely_whitespace = false;
590 if (!isprint(*pos)) {
591 is_printable = false;
592 break;
593 }
594 }
595 // Treat an empty line following unprintable data as unprintable.
596 if (consecutive_unprintable && is_entirely_whitespace) {
597 is_printable = false;
598 }
599 }
600 if (!is_printable) {
601 consecutive_unprintable += (udata - line);
602 continue;
603 }
604 // Print out the current line, but prefix with a count of prior unprintable
605 // characters.
606 if (consecutive_unprintable) {
607 LOG_V(level) << label << direction << "## " << consecutive_unprintable
608 << " consecutive unprintable ##";
609 consecutive_unprintable = 0;
610 }
611 // Strip off trailing whitespace.
612 while ((end_of_line > line) && isspace(*(end_of_line-1))) {
613 --end_of_line;
614 }
615 // Filter out any private data
616 std::string substr(reinterpret_cast<const char*>(line), end_of_line - line);
617 std::string::size_type pos_private = substr.find("Email");
618 if (pos_private == std::string::npos) {
619 pos_private = substr.find("Passwd");
620 }
621 if (pos_private == std::string::npos) {
622 LOG_V(level) << label << direction << substr;
623 } else {
624 LOG_V(level) << label << direction << "## omitted for privacy ##";
625 }
626 }
627
628 if (state) {
629 state->unprintable_count_[input] = consecutive_unprintable;
630 }
631}
632
633//////////////////////////////////////////////////////////////////////
634
635} // namespace talk_base