1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
|
package MasterServer::Core::Logging;
use strict;
use warnings;
use Switch;
use POSIX qw/strftime/;
use Exporter 'import';
$|++;
our @EXPORT = qw| log error |;
################################################################################
## Split up errors in multiple log types for suppressing
## args: $self, message
################################################################################
sub error {
my ($self, $error, $instigator) = @_;
# which error?
switch ($error) {
# connection timed out
case m/Connection timed out/i {
$self->log("timeout", "on $instigator.");
}
# connection reset by peer
case m/Connection reset by peer/i {
$self->log("reset", "on $instigator.");
}
# connection refused
case m/Connection refused/i {
$self->log("refused", "on $instigator.");
}
# no such device or address
case m/No such device or address/i {
$self->log("nodevice", "on $instigator.");
}
# if all else fails
else {
$self->log("error", "$error on $instigator.");
}
}
}
################################################################################
## Log to file and print to screen.
## args: $self, message_type, message
################################################################################
sub log {
my ($self, $type, $msg) = @_;
# is the message suppressed in config?
return if (defined $type && $self->{suppress} =~ m/$type/i);
# parse time of log entry and prep for rotating log
my $time = strftime('%Y-%m-%d %H:%M:%S',localtime);
# determine filename
my $f = "MasterServer";
# rotate log filename according to config
$f .= strftime('-%Y-%m-%d',localtime) if ($self->{log_rotate} =~ /^daily$/i );
$f .= strftime('-%Y-week%U',localtime) if ($self->{log_rotate} =~ /^weekly$/i );
$f .= strftime('-%Y-%m',localtime) if ($self->{log_rotate} =~ /^monthly$/i);
$f .= strftime('-%Y',localtime) if ($self->{log_rotate} =~ /^yearly$/i );
$f .= ".log";
# put log filename together
my $logfile = $self->{log_dir}.((substr($self->{log_dir},-1) eq "/")?"":"/").$f;
# print to stdout if enabled
print "[$time]\t[$type]\t$msg\n" if $self->{printlog};
# temporarily disable the warnings-to-log, to avoid infinite recursion if
# this function throws a warning.
my $old = $SIG{__WARN__};
$SIG{__WARN__} = undef;
chomp $msg;
$msg =~ s/\n/\n | /g;
if($logfile && open my $F, '>>:utf8', $logfile) {
flock $F, 2;
seek $F, 0, 2;
print $F "[$time]\t[$type]\t$msg\n";
flock $F, 4;
close $F;
}
$SIG{__WARN__} = $old;
}
1;
|