lilalo

view l3-frontend @ 68:8c3d80c4891b

Правильное написание глагола "прошло"; фиксированные размеры таблиц
author devi
date Sat Jan 28 09:00:25 2006 +0200 (2006-01-28)
parents 563e3ee69ce8
children 1e1422588716
line source
1 #!/usr/bin/perl -w
3 use IO::Socket;
4 use lib '.';
5 use l3config;
6 use locale;
8 our @Command_Lines;
9 our @Command_Lines_Index;
10 our %Commands_Description;
11 our %Args_Description;
12 our $Mywi_Socket;
13 our %Sessions;
15 # vvv Инициализация переменных выполняется процедурой init_variables
16 our @Day_Name;
17 our @Month_Name;
18 our @Of_Month_Name;
19 our %Search_Machines;
20 our %Elements_Visibility;
21 # ^^^
23 our %Stat;
24 our %CommandsFDistribution; # Сколько раз в журнале встречается какая команда
25 our $table_number=1;
27 my %mywi_cache_for; # Кэш для экономии обращений к mywi
29 sub make_comment;
30 sub make_new_entries_table;
31 sub load_command_lines_from_xml;
32 sub load_sessions_from_xml;
33 sub sort_command_lines;
34 sub process_command_lines;
35 sub init_variables;
36 sub main;
37 sub collapse_list($);
39 sub print_all;
40 sub print_command_lines;
41 sub print_stat;
42 sub print_header;
43 sub print_footer;
45 main();
47 sub main
48 {
49 $| = 1;
51 init_variables();
52 init_config();
53 $Config{frontend_ico_path}=$Config{frontend_css};
54 $Config{frontend_ico_path}=~s@/[^/]*$@@;
56 open_mywi_socket();
57 load_command_lines_from_xml($Config{"backend_datafile"});
58 load_sessions_from_xml($Config{"backend_datafile"});
59 sort_command_lines;
60 process_command_lines;
61 print_all($Config{"output"});
62 close_mywi_socket;
63 }
65 # extract_from_cline
67 # In: $what = commands | args
68 # Out: return ссылка на хэш, содержащий результаты разбора
69 # команда => позиция
71 # Разобрать командную строку $_[1] и возвратить хэш, содержащий
72 # номер первого появление команды в строке:
73 # команда => первая позиция
74 sub extract_from_cline
75 {
76 my $what = $_[0];
77 my $cline = $_[1];
78 my @lists = split /\;/, $cline;
81 my @command_lines = ();
82 for my $command_list (@lists) {
83 push(@command_lines, split(/\|/, $command_list));
84 }
86 my %position_of_command;
87 my %position_of_arg;
88 my $i=0;
89 for my $command_line (@command_lines) {
90 $command_line =~ s@^\s*@@;
91 $command_line =~ /\s*(\S+)\s*(.*)/;
92 if ($1 && $1 eq "sudo" ) {
93 $position_of_command{"$1"}=$i++;
94 $command_line =~ s/\s*sudo\s+//;
95 }
96 if ($command_line !~ m@^\s*\S*/etc/@) {
97 $command_line =~ s@^\s*\S+/@@;
98 }
100 $command_line =~ /\s*(\S+)\s*(.*)/;
101 my $command = $1;
102 my $args = $2;
103 if ($command && !defined $position_of_command{"$command"}) {
104 $position_of_command{"$command"}=$i++;
105 };
106 if ($args) {
107 my @args = split (/\s+/, $args);
108 for my $a (@args) {
109 $position_of_arg{"$a"}=$i++
110 if !defined $position_of_arg{"$a"};
111 };
112 }
113 }
115 if ($what eq "commands") {
116 return \%position_of_command;
117 } else {
118 return \%position_of_arg;
119 }
121 }
126 #
127 # Подпрограммы для работы с mywi
128 #
130 sub open_mywi_socket
131 {
132 $Mywi_Socket = IO::Socket::INET->new(
133 PeerAddr => $Config{mywi_server},
134 PeerPort => $Config{mywi_port},
135 Proto => "tcp",
136 Type => SOCK_STREAM);
137 }
139 sub close_mywi_socket
140 {
141 close ($Mywi_Socket) if $Mywi_Socket ;
142 }
145 sub mywi_client
146 {
147 my $query = $_[0];
148 my $mywi;
150 open_mywi_socket;
151 if ($Mywi_Socket) {
152 local $| = 1;
153 local $/ = "";
154 print $Mywi_Socket $query."\n";
155 $mywi = <$Mywi_Socket>;
156 $mywi = "" if $mywi =~ /nothing app/;
157 }
158 close_mywi_socket;
159 return $mywi;
160 }
162 sub make_comment
163 {
164 my $cline = $_[0];
165 #my $files = $_[1];
167 my @comments;
168 my @commands = keys %{extract_from_cline("commands", $cline)};
169 my @args = keys %{extract_from_cline("args", $cline)};
170 return if (!@commands && !@args);
171 #return "commands=".join(" ",@commands)."; files=".join(" ",@files);
173 # Commands
174 for my $command (@commands) {
175 $command =~ s/'//g;
176 $CommandsFDistribution{$command}++;
177 if (!$Commands_Description{$command}) {
178 $mywi_cache_for{$command} ||= mywi_client ($command) || "";
179 my $mywi = join ("\n", grep(/\([18]|sh|script\)/, split(/\n/, $mywi_cache_for{$command})));
180 $mywi =~ s/\s+/ /;
181 if ($mywi !~ /^\s*$/) {
182 $Commands_Description{$command} = $mywi;
183 }
184 else {
185 next;
186 }
187 }
189 push @comments, $Commands_Description{$command};
190 }
191 return join("&#10;\n", @comments);
193 # Files
194 for my $arg (@args) {
195 $arg =~ s/'//g;
196 if (!$Args_Description{$arg}) {
197 my $mywi;
198 $mywi = mywi_client ($arg);
199 $mywi = join ("\n", grep(/\([5]\)/, split(/\n/, $mywi)));
200 $mywi =~ s/\s+/ /;
201 if ($mywi !~ /^\s*$/) {
202 $Args_Description{$arg} = $mywi;
203 }
204 else {
205 next;
206 }
207 }
209 push @comments, $Args_Description{$arg};
210 }
212 }
214 =cut
215 Процедура load_command_lines_from_xml выполняет загрузку разобранного lab-скрипта
216 из XML-документа в переменную @Command_Lines
218 # In: $datafile имя файла
219 # Out: @CommandLines загруженные командные строки
221 Предупреждение!
222 Процедура не в состоянии обрабатывать XML-документ любой структуры.
223 В действительности файл cache из которого загружаются данные
224 просто напоминает XML с виду.
225 =cut
226 sub load_command_lines_from_xml
227 {
228 my $datafile = $_[0];
230 open (CLASS, $datafile)
231 or die "Can't open file of the class ",$datafile,"\n";
232 local $/;
233 $data = <CLASS>;
234 close(CLASS);
236 for $command ($data =~ m@<command>(.*?)</command>@sg) {
237 my %cl;
238 while ($command =~ m@<([^>]*?)>(.*?)</\1>@sg) {
239 $cl{$1} = $2;
240 }
241 push @Command_Lines, \%cl;
242 }
243 }
245 sub load_sessions_from_xml
246 {
247 my $datafile = $_[0];
249 open (CLASS, $datafile)
250 or die "Can't open file of the class ",$datafile,"\n";
251 local $/;
252 my $data = <CLASS>;
253 close(CLASS);
255 for my $session ($data =~ m@<session>(.*?)</session>@sg) {
256 my %session;
257 while ($session =~ m@<([^>]*?)>(.*?)</\1>@sg) {
258 $session{$1} = $2;
259 }
260 $Sessions{$session{local_session_id}} = \%session;
261 }
262 }
265 # sort_command_lines
266 # In: @Command_Lines
267 # Out: @Command_Lies_Index
269 sub sort_command_lines
270 {
272 my @index;
273 for (my $i=0;$i<=$#Command_Lines;$i++) {
274 $index[$i]=$i;
275 }
277 @Command_Lines_Index = sort {
278 $Command_Lines[$index[$a]]->{"time"} <=> $Command_Lines[$index[$b]]->{"time"}
279 } @index;
281 }
283 ##################
284 # process_command_lines
285 #
286 # Обрабатываются командные строки @Command_Lines
287 # Для каждой строки определяется:
288 # class класс
289 # note комментарий
290 #
291 # In: @Command_Lines_Index
292 # In-Out: @Command_Lines
294 sub process_command_lines
295 {
296 for my $i (@Command_Lines_Index) {
297 my $cl = \$Command_Lines[$i];
299 next if !$cl;
301 $$cl->{err} ||=0;
303 # Класс команды
305 $$cl->{"class"} = $$cl->{"err"} eq 130 ? "interrupted"
306 : $$cl->{"err"} eq 127 ? "mistyped"
307 : $$cl->{"err"} ? "wrong"
308 : "normal";
310 if ($$cl->{"cline"} =~ /[^|`]\s*sudo/
311 || $$cl->{"uid"} eq 0) {
312 $$cl->{"class"}.="_root";
313 }
316 #Обработка пометок
317 # Если несколько пометок (notes) идут подряд,
318 # они все объединяются
320 if ($$cl->{cline}=~ m@cat[^#]*#([\^=v])\s*(.*)@) {
322 my $note_operator = $1;
323 my $note_title = $2;
325 if ($note_operator eq "=") {
326 $$cl->{"class"} = "note";
327 $$cl->{"note"} = $$cl->{"output"};
328 $$cl->{"note_title"} = $2;
329 }
330 else {
331 my $j = $i;
332 if ($note_operator eq "^") {
333 $j--;
334 $j-- while ($j >=0 && (!$Command_Lines[$j] || $Command_Lines[$j]->{tty} ne $$cl->{tty}));
335 }
336 elsif ($note_operator eq "v") {
337 $j++;
338 $j++ while ($j <= @Command_Lines && (!$Command_Lines[$j] || $Command_Lines[$j]->{tty} ne $$cl->{tty}));
339 }
340 $Command_Lines[$j]->{note_title}=$note_title;
341 $Command_Lines[$j]->{note}.=$$cl->{output};
342 $$cl=0;
343 }
344 }
345 elsif ($$cl->{cline}=~ /#([\^=v])(.*)/) {
347 my $note_operator = $1;
348 my $note_text = $2;
350 if ($note_operator eq "=") {
351 $$cl->{"class"} = "note";
352 $$cl->{"note"} = $note_text;
353 }
354 else {
355 my $j=$i;
356 if ($note_operator eq "^") {
357 $j--;
358 $j-- while ($j >=0 && (!$Command_Lines[$j] || $Command_Lines[$j]->{tty} ne $$cl->{tty}));
359 }
360 elsif ($note_operator eq "v") {
361 $j++;
362 $j++ while ($j <= @Command_Lines && $Command_Lines[$j]->{tty} ne $$cl->{tty} || !$Command_Lines[$j]);
363 }
364 $Command_Lines[$j]->{note}.="$note_text\n";
365 $$cl=0;
366 }
367 }
368 }
370 }
373 =cut
374 Процедура print_command_lines выводит HTML-представление
375 разобранного lab-скрипта.
377 Разобранный lab-скрипт должен находиться в массиве @Command_Lines
378 =cut
380 sub print_command_lines
381 {
383 my @toc; # Оглавление
384 my $note_number=0;
386 my $result = q();
387 my $this_day_resut = q();
389 my $cl;
390 my $last_tty="";
391 my $last_day=q();
392 my $last_wday=q();
393 my $in_range=0;
395 my $current_command=0;
397 my @known_commands;
399 my %filter;
401 if ($Config{filter}) {
402 # Инициализация фильтра
403 for (split /&/,$Config{filter}) {
404 my ($var, $val) = split /=/;
405 $filter{$var} = $val || "";
406 }
407 }
409 #$result = "Filter=".$Config{filter}."\n";
411 $Stat{LastCommand} ||= 0;
412 $Stat{TotalCommands} ||= 0;
413 $Stat{ErrorCommands} ||= 0;
414 $Stat{MistypedCommands} ||= 0;
416 my %new_entries_of = (
417 "1 1" => "программы пользователя",
418 "2 8" => "программы администратора",
419 "3 sh" => "команды интерпретатора",
420 "4 script"=> "скрипты",
421 );
423 COMMAND_LINE:
424 for my $k (@Command_Lines_Index) {
426 my $cl=$Command_Lines[$Command_Lines_Index[$current_command++]];
427 next unless $cl;
429 # Пропускаем команды, с одинаковым временем
430 # Это не совсем правильно.
431 # Возможно, что это команды, набираемые с помощью <completion>
432 # или запомненные с помощью <ctrl-c>
434 next if $Stat{LastCommand} == $cl->{time};
436 # Пропускаем строки, которые противоречат фильтру
437 # Если у нас недостаточно информации о том, подходит строка под фильтр или нет,
438 # мы её выводим
440 #$result .= "before<br/>";
441 for my $filter_key (keys %filter) {
442 #$result .= "undefined local session id<br/>\n" if !defined($cl->{local_session_id});
443 #$result .= "undefined filter key $filter_key <br/>\n" if !defined($Sessions{$cl->{local_session_id}}->{$filter_key});
444 #$result .= $Sessions{$cl->{local_session_id}}->{$filter_key}." != ".$filter{$filter_key};
445 next COMMAND_LINE if
446 defined($cl->{local_session_id})
447 && defined($Sessions{$cl->{local_session_id}}->{$filter_key})
448 && $Sessions{$cl->{local_session_id}}->{$filter_key} ne $filter{$filter_key};
449 }
451 # Набираем статистику
452 # Хэш %Stat
454 $Stat{FirstCommand} = $cl->{time} unless $Stat{FirstCommand};
455 if ($cl->{time} - $Stat{LastCommand} < $Config{stat_inactivity_interval}) {
456 $Stat{TotalTime} += $cl->{time} - $Stat{LastCommand}
457 }
458 my $seconds_since_last_command = $cl->{time} - $Stat{LastCommand};
459 $Stat{LastCommand} = $cl->{time};
460 $Stat{TotalCommands}++;
463 # Пропускаем строки, выходящие за границу "signature",
464 # при условии, что границы указаны
465 # Пропускаем неправильные/прерванные/другие команды
466 if ($Config{"from"} && $cl->{"cline"} =~ /$Config{"signature"}\s*$Config{"from"}/) {
467 $in_range=1;
468 next;
469 }
470 if ($Config{"to"} && $cl->{"cline"} =~ /$Config{"signature"}\s*$Config{"to"}/) {
471 $in_range=0;
472 next;
473 }
474 next if ($Config{"from"} && $Config{"to"} && !$in_range)
475 || ($Config{"skip_empty"} =~ /^y/i && $cl->{"cline"} =~ /^\s*$/ )
476 || ($Config{"skip_wrong"} =~ /^y/i && $cl->{"err"} != 0)
477 || ($Config{"skip_interrupted"} =~ /^y/i && $cl->{"err"} == 130);
479 if ($cl->{class} eq "note") {
480 my $note = $cl->{note};
481 $note = join ("\n", map ("<p>$_</p>", split (/-\n/, $note)));
482 $note =~ s@(http:[a-zA-Z.0-9/?\_%-]*)@<a href='$1'>$1</a>@g;
483 $note =~ s@(www\.[a-zA-Z.0-9/?\_%-]*)@<a href='$1'>$1</a>@g;
484 $this_day_result .= "<tr><td colspan='6'>"
485 . "<h4 id='note$note_number'>".$cl->{note_title}."</h4>" if $cl->{note_title}
486 . "".$note."<p/><p/></td></tr>";
488 if ($cl->{note_title}) {
489 push @{$toc[@toc]},"<a href='#note$note_number'>".$cl->{note_title}."</a>";
490 $note_number++;
491 }
492 next;
493 }
496 my $output="";
497 # Выводим <head_lines> верхних строк
498 # и <tail_lines> нижних строк,
499 # если эти параметры существуют
501 my @lines = split '\n', $cl->{"output"};
502 if (($Config{"head_lines"} || $Config{"tail_lines"})
503 && $#lines > $Config{"head_lines"} + $Config{"tail_lines"} ) {
505 for (my $i=0; $i<= $#lines && $i < $Config{"head_lines"}; $i++) {
506 $output .= $lines[$i]."\n";
507 }
508 $output .= $Config{"skip_text"}."\n";
510 my $start_line=$#lines-$Config{"tail_lines"}+1;
511 for ($i=$start_line; $i<= $#lines; $i++) {
512 $output .= $lines[$i]."\n";
513 }
514 }
515 else {
516 $output .= $cl->{"output"};
517 }
519 #
520 ##
521 ## Начинается собственно вывод
522 ##
523 #
525 my ($sec,$min,$hour,$day,$mon,$year,$wday,$yday,$isdst) = localtime($cl->{time});
527 # Добавляем спереди 0 для удобочитаемости
528 $min = "0".$min if $min =~ /^.$/;
529 $hour = "0".$hour if $hour =~ /^.$/;
530 $sec = "0".$sec if $sec =~ /^.$/;
532 $class=$cl->{"class"};
533 $Stat{ErrorCommands}++ if $class =~ /wrong/;
534 $Stat{MistypedCommands}++ if $class =~ /mistype/;
537 # DAY CHANGE
538 if ( $last_day ne $day) {
539 if ($last_day) {
541 # Вычисляем разность множеств.
542 # Что-то вроде этого, если бы так можно было писать:
543 # @new_commands = keys %CommandsFDistribution - @known_commands;
546 $result .= "<h3 id='day$last_day'>".$Day_Name[$last_wday]."</h3>";
550 for my $entry_class (sort keys %new_entries_of) {
551 my $new_commands_section = make_new_entries_table($entry_class=~/[0-9]+\s+(.*)/, \@known_commands);
553 my $table_caption = "Таблица ".$table_number++.". ".$Day_Name[$last_wday].". Новые ".$new_entries_of{$entry_class};
554 if ($new_commands_section) {
555 $result .= "<table class='new_commands_table' width='700'>"
556 . "<tr class='new_commands_caption'><td colspan='2' align='right'>$table_caption</td></tr>"
557 . "<tr class='new_commands_header'><td width=100>Команда</td><td width=600>Описание</td></tr>"
558 . $new_commands_section
559 . "</table>"
560 }
562 }
563 @known_commands = keys %CommandsFDistribution;
564 $result .= "<table width='100%'>\n";
565 $result .= $this_day_result;
566 $result .= "</table>";
567 }
569 push @toc, "<a href='#day$day'>".$Day_Name[$wday]."</a>\n";
570 $last_day=$day;
571 $last_wday=$wday;
572 $this_day_result = q();
573 }
574 elsif ($seconds_since_last_command > 600) {
575 my $height = $seconds_since_last_command > 1200 ? 100: 60;
576 my $minutes_passed = int($seconds_since_last_command/60);
579 my $passed_word = $minutes_passed % 10 == 1 ? "прошла"
580 : "прошло";
581 my $minutes_word = $minutes_passed % 100 > 10
582 && $minutes_passed % 100 < 20 ? "минут" :
583 $minutes_passed % 10 == 1 ? "минута":
584 $minutes_passed % 10 == 0 ? "минут" :
585 $minutes_passed % 10 > 4 ? "минут" :
586 "минуты";
588 $this_day_result .= "<tr height='60'>"
589 . "<td colspan='5' height='$height'>"
590 . "<font size='-1'>"
591 . $passed_word." ".$minutes_passed." ".$minutes_word
592 . "</font>"
593 . "</td></tr>\n";
594 }
596 $this_day_result .= "<tr class='command'>\n";
599 # CONSOLE CHANGE
600 if ( $last_tty ne $cl->{"tty"}) {
601 my $tty = $cl->{"tty"};
602 $this_day_result .= "<td colspan='6'>"
603 ."<table><tr><td class='ttychange' width='140' align='center'>"
604 . $tty
605 ."</td></tr></table>"
606 ."</td></tr><tr>";
607 $last_tty=$cl->{"tty"};
608 }
610 # TIME
611 $this_day_result .= $Config{"show_time"} =~ /^y/i
612 ? "<td width='100' valign='top' class='time' width='$Config{time_width}'>$hour:$min:$sec</td>"
613 : "<td width='0'/>";
615 # CLASS
616 # if ($cl->{"err"}) {
617 # $this_day_result .= "<td width='6' valign='top'>"
618 # . "<table><tr><td width='6' height='6' class='err_box'>"
619 # . "E"
620 # . "</td></tr></table>"
621 # . "</td>";
622 # }
623 # else {
624 # $this_day_result .= "<td width='10' valign='top'>"
625 # . " "
626 # . "</td>";
627 # }
629 # COMMAND
630 my $hint = make_comment($cl->{"cline"});
632 my $cline;
633 $cline = $cl->{"prompt"}.$cl->{"cline"};
634 $cline =~ s/\n//;
636 $cline = "<span title='$hint' class='with_hint'>$cline</span>" if $hint;
637 $cline = "<span class='without_hint'>$cline</span>" if !$hint;
639 $this_day_result .= "<td class='script'>\n";
640 $this_day_result .= "<pre class='${class}_cline'>\n" . $cline ;
641 $this_day_result .= "<span title='Код завершения ".$cl->{"err"}."'> <img src='".$Config{frontend_ico_path}."/error.png'/></span>" if $cl->{"err"};
642 $this_day_result .= "</pre>\n";
644 # OUTPUT
645 my $last_command = $cl->{"last_command"};
646 if (!(
647 $Config{"suppress_editors"} =~ /^y/i && grep ($_ eq $last_command, @{$Config{"editors"}}) ||
648 $Config{"suppress_pagers"} =~ /^y/i && grep ($_ eq $last_command, @{$Config{"pagers"}}) ||
649 $Config{"suppress_terminal"}=~ /^y/i && grep ($_ eq $last_command, @{$Config{"terminal"}})
650 )) {
651 $this_day_result .= "<pre class='".$class."_output'>" . $output . "</pre>\n";
652 }
654 # DIFF
655 if ( $Config{"show_diffs"} =~ /^y/i && $cl->{"diff"}) {
656 $this_day_result .= "<table><tr><td width='5'/><td class='diff'><pre>"
657 . $cl->{"diff"}
658 . "</pre></td></tr></table>";
659 }
661 #NOTES
662 if ( $Config{"show_notes"} =~ /^y/i && $cl->{"note"}) {
663 my $note=$cl->{"note"};
664 $note =~ s/\n/<br\/>\n/msg;
665 if (not $note =~ s@(http:[a-zA-Z.0-9/_?%-]*)@<a href='$1'>$1</a>@g) {
666 $note =~ s@(www\.[a-zA-Z.0-9/_?%-]*)@<a href='$1'>$1</a>@g;
667 };
668 # Ширину пока не используем
669 # $this_day_result .= "<table width='$Config{note_width}' class='note'>";
670 $this_day_result .= "<table class='note'>";
671 $this_day_result .= "<tr><td class='note_title'>".$cl->{note_title}."</td></tr>" if $cl->{note_title};
672 $this_day_result .= "<tr><td width='100%' class='note_text'>".$note."</td></tr>";
673 $this_day_result .= "</table>\n";
674 }
676 # COMMENT
677 if ( $Config{"show_comments"} =~ /^y/i) {
678 my $comment = make_comment($cl->{"cline"});
679 if ($comment) {
680 $this_day_result .= "<table width='$Config{comment_width}'><tr><td width='5'/><td>"
681 . "<table class='note' width='100%'>"
682 . $comment
683 . "</table>\n"
684 . "</td></tr></table>";
685 }
686 }
688 # Вывод очередной команды окончен
689 $this_day_result .= "</td>\n";
690 $this_day_result .= "</tr>\n";
691 }
692 last: {
693 $result .= "<h3 id='day$last_day'>".$Day_Name[$last_wday]."</h3>";
695 for my $entry_class (keys %new_entries_of) {
696 my $new_commands_section = make_new_entries_table("$entry_class", \@known_commands);
697 @known_commands = keys %CommandsFDistribution;
699 my $table_caption = "Таблица ".$table_number++.". Новые ".$new_entries_of{$entry_class}. ". ".$Day_Name[$last_wday];
700 if ($new_commands_section) {
701 $result .= "<table class='new_commands_table'>"
702 . "<tr class='new_commands_caption'><td colspan='2' align='right'>$table_caption</td></tr>"
703 . "<tr class='new_commands_header'><td width='200'>Команда</td><td width='600'>Описание</td></tr>"
704 . $new_commands_section
705 . "</table>"
706 ;
707 }
709 }
711 $result .= "<table width='100%'>\n";
712 $result .= $this_day_result;
713 $result .= "</table>";
714 }
716 return ($result, collapse_list (\@toc));
718 }
720 sub make_new_entries_table
721 {
722 my $entries_class = shift;
723 my @known_commands = @{$_[0]};
725 my %count;
726 my @new_commands = ();
727 for my $c (keys %CommandsFDistribution, @known_commands) {
728 $count{$c}++
729 }
730 for my $c (keys %CommandsFDistribution) {
731 push @new_commands, $c if $count{$c} != 2;
732 }
735 my $new_commands_section;
736 if (@new_commands){
737 my $hint;
738 for my $c (reverse sort { $CommandsFDistribution{$a} <=> $CommandsFDistribution{$b} } @new_commands) {
739 $hint = make_comment($c);
740 my ($command, $hint) = $hint =~ m/(.*?) \s*- \s*(.*)/;
741 next unless $command =~ s/\($entries_class\)//i;
742 $new_commands_section .= "<tr><td valign='top'>$command</td><td>$hint</td></tr>" if $hint;
743 }
744 }
745 return $new_commands_section;
746 }
749 #############
750 # print_all
751 #
752 #
753 #
754 # In: $_[0] output_filename
755 # Out:
758 sub print_all
759 {
760 my $output_filename=$_[0];
762 my $result;
763 my ($command_lines,$toc) = print_command_lines;
765 $result = print_header($toc);
766 $result.= "<h2 id='log'>Журнал</h2>" . $command_lines;
767 $result.= "<h2 id='stat'>Статистика</h2>" . print_stat;
768 $result.= "<h2 id='help'>Справка</h2>" . $Html_Help . "<br/>";
769 $result.= "<h2 id='about'>О программе</h2>". $Html_About. "<br/>";
770 $result.= print_footer;
772 if ($output_filename eq "-") {
773 print $result;
774 }
775 else {
776 open(OUT, ">", $output_filename)
777 or die "Can't open $output_filename for writing\n";
778 print OUT $result;
779 close(OUT);
780 }
781 }
783 #############
784 # print_header
785 #
786 #
787 #
788 # In: $_[0] Содержание
789 # Out: Распечатанный заголовок
791 sub print_header
792 {
793 my $toc = $_[0];
794 my $course_name = $Config{"course-name"};
795 my $course_code = $Config{"course-code"};
796 my $course_date = $Config{"course-date"};
797 my $course_center = $Config{"course-center"};
798 my $course_trainer = $Config{"course-trainer"};
799 my $course_student = $Config{"course-student"};
801 my $title = "Журнал лабораторных работ";
802 $title .= " -- ".$course_student if $course_student;
803 if ($course_date) {
804 $title .= " -- ".$course_date;
805 $title .= $course_code ? "/".$course_code
806 : "";
807 }
808 else {
809 $title .= " -- ".$course_code if $course_code;
810 }
812 # Управляющая форма
813 my $control_form .= "<table id='visibility_form' class='visibility_form'><tr><td>Видимые элементы</TD></tr><tr><td><form>\n";
814 for my $element (keys %Elements_Visibility)
815 {
816 my @e = split /\s+/, $element;
817 my $showhide = join "", map { "ShowHide('$_');" } @e ;
818 $control_form .= "<input type='checkbox' name='$e[0]' onclick=\"$showhide\" checked>".
819 $Elements_Visibility{$element}.
820 "</input><br>\n";
821 }
822 $control_form .= "</form></td></tr></table>\n";
824 my $result;
825 $result = <<HEADER;
826 <html>
827 <head>
828 <meta content='text/html; charset=utf-8' http-equiv='Content-Type' />
829 <link rel='stylesheet' href='$Config{frontend_css}' type='text/css'/>
830 <title>$title</title>
831 </head>
832 <body>
833 <script>
834 $Html_JavaScript
835 </script>
837 <!-- vvv Tigra Hints vvv -->
838 <script language="JavaScript" src="/tigra/hints.js"></script>
839 <script language="JavaScript" src="/tigra/hints_cfg.js"></script>
840 <style>
841 /* a class for all Tigra Hints boxes, TD object */
842 .hintsClass
843 {text-align: center; font-family: Verdana, Arial, Helvetica; padding: 0px 0px 0px 0px;}
844 /* this class is used by Tigra Hints wrappers */
845 .row
846 {background: white;}
847 </style>
848 <!-- ^^^ Tigra Hints ^^^ -->
851 <h1 onmouseover="myHint.show('1')" onmouseout="myHint.hide()">Журнал лабораторных работ</h1>
852 HEADER
853 if ( $course_student
854 || $course_trainer
855 || $course_name
856 || $course_code
857 || $course_date
858 || $course_center) {
859 $result .= "<p>";
860 $result .= "Выполнил $course_student<br/>" if $course_student;
861 $result .= "Проверил $course_trainer <br/>" if $course_trainer;
862 $result .= "Курс " if $course_name
863 || $course_code
864 || $course_date;
865 $result .= "$course_name " if $course_name;
866 $result .= "($course_code)" if $course_code;
867 $result .= ", $course_date<br/>" if $course_date;
868 $result .= "Учебный центр $course_center <br/>" if $course_center;
869 $result .= "</p>";
870 }
872 $result .= <<HEADER;
873 <table width='100%'>
874 <tr>
875 <td width='*'>
877 <table border=0 id='toc' class='toc'>
878 <tr>
879 <td>
880 <div class='toc_title'>Содержание</div>
881 <ul>
882 <li><a href='#log'>Журнал</a></li>
883 <ul>$toc</ul>
884 <li><a href='#stat'>Статистика</a></li>
885 <li><a href='#help'>Справка</a></li>
886 <li><a href='#about'>О программе</a></li>
887 </ul>
888 </td>
889 </tr>
890 </table>
892 </td>
893 <td valign='top' width=200>$control_form</td>
894 </tr>
895 </table>
896 HEADER
898 return $result;
899 }
902 #############
903 # print_footer
904 #
905 #
906 #
907 #
908 #
910 sub print_footer
911 {
912 return "</body>\n</html>\n";
913 }
918 #############
919 # print_stat
920 #
921 #
922 #
923 # In:
924 # Out:
926 sub print_stat
927 {
928 %StatNames = (
929 FirstCommand => "Время первой команды журнала",
930 LastCommand => "Время последней команды журнала",
931 TotalCommands => "Количество командных строк в журнале",
932 ErrorsPercentage => "Процент команд с ненулевым кодом завершения, %",
933 MistypesPercentage => "Процент синтаксически неверно набранных команд, %",
934 TotalTime => "Суммарное время работы с терминалом <sup><font size='-2'>*</font></sup>, час",
935 CommandsPerTime => "Количество командных строк в единицу времени, команда/мин",
936 CommandsFrequency => "Частота использования команд",
937 RareCommands => "Частота использования этих команд < 0.5%",
938 );
939 @StatOrder = (
940 FirstCommand,
941 LastCommand,
942 TotalCommands,
943 ErrorsPercentage,
944 MistypesPercentage,
945 TotalTime,
946 CommandsPerTime,
947 CommandsFrequency,
948 RareCommands,
949 );
951 # Подготовка статистики к выводу
952 # Некоторые значения пересчитываются!
953 # Дальше их лучше уже не использовать!!!
955 my %CommandsFrequency = %CommandsFDistribution;
957 $Stat{TotalTime} ||= 0;
958 my ($sec,$min,$hour,$mday,$mon,$year,$wday,$yday,$isdst) = localtime($Stat{FirstCommand} || 0);
959 $Stat{FirstCommand} = sprintf "%02i:%02i:%02i %04i-%2i-%2i", $hour, $min, $sec, $year+1900, $mon+1, $mday;
960 ($sec,$min,$hour,$mday,$mon,$year,$wday,$yday,$isdst) = localtime($Stat{LastCommand} || 0);
961 $Stat{LastCommand} = sprintf "%02i:%02i:%02i %04i-%2i-%2i", $hour, $min, $sec, $year+1900, $mon+1, $mday;
962 if ($Stat{TotalCommands}) {
963 $Stat{ErrorsPercentage} = sprintf "%5.2f", $Stat{ErrorCommands}*100/$Stat{TotalCommands};
964 $Stat{MistypesPercentage} = sprintf "%5.2f", $Stat{MistypedCommands}*100/$Stat{TotalCommands};
965 }
966 $Stat{CommandsPerTime} = sprintf "%5.2f", $Stat{TotalCommands}*60/$Stat{TotalTime}
967 if $Stat{TotalTime};
968 $Stat{TotalTime} = sprintf "%5.2f", $Stat{TotalTime}/60/60;
970 my $total_commands=0;
971 for $command (keys %CommandsFrequency){
972 $total_commands += $CommandsFrequency{$command};
973 }
974 if ($total_commands) {
975 for $command (reverse sort {$CommandsFrequency{$a} <=> $CommandsFrequency{$b}} keys %CommandsFrequency){
976 my $command_html;
977 my $percentage = sprintf "%5.2f",$CommandsFrequency{$command}*100/$total_commands;
978 if ($percentage < 0.5) {
979 my $hint = make_comment($command);
980 $command_html = "$command";
981 $command_html = "<span title='$hint' class='with_hint'>$command_html</span>" if $hint;
982 $command_html = "<span class='without_hint'>$command_html</span>" if not $hint;
983 my $command_html = "<tt>$command_html</tt>";
984 $Stat{RareCommands} .= $command_html."<sub><font size='-2'>".$CommandsFrequency{$command}."</font></sub> , ";
985 }
986 else {
987 my $hint = make_comment($command);
988 $command_html = "$command";
989 $command_html = "<span title='$hint' class='with_hint'>$command_html</span>" if $hint;
990 $command_html = "<span class='without_hint'>$command_html</span>" if not $hint;
991 my $command_html = "<tt>$command_html</tt>";
992 $percentage = sprintf "%5.2f",$percentage;
993 $Stat{CommandsFrequency} .= "<tr><td>".$command_html."</td><td>".$CommandsFrequency{$command}."</td>".
994 "<td>|".("="x int($CommandsFrequency{$command}*100/$total_commands))."| $percentage%</td></tr>";
995 }
996 }
997 $Stat{CommandsFrequency} = "<table>".$Stat{CommandsFrequency}."</table>";
998 $Stat{RareCommands} =~ s/, $// if $Stat{RareCommands};
999 }
1001 my $result = q();
1002 for my $stat (@StatOrder) {
1003 next unless $Stat{"$stat"};
1004 $result .= "<tr valign='top'><td width='300'>".$StatNames{"$stat"}."</td><td>".$Stat{"$stat"}."</td></tr>"
1006 $result = "<table>$result</table>"
1007 . "<font size='-2'>____<br/>*) Интервалы неактивности длительностью "
1008 . ($Config{stat_inactivity_interval}/60)
1009 . " минут и более не учитываются</font></br>";
1011 return $result;
1015 sub collapse_list($)
1017 my $res = "";
1018 for my $elem (@{$_[0]}) {
1019 if (ref $elem eq "ARRAY") {
1020 $res .= "<ul>".collapse_list($elem)."</ul>";
1022 else
1024 $res .= "<li>".$elem."</li>";
1027 return $res;
1033 sub init_variables
1035 $Html_Help = <<HELP;
1036 Для того чтобы использовать LiLaLo, не нужно знать ничего особенного:
1037 всё происходит само собой.
1038 Однако, чтобы ведение и последующее использование журналов
1039 было как можно более эффективным, желательно иметь в виду следующее:
1040 <ol>
1041 <li><p>
1042 В журнал автоматически попадают все команды, данные в любом терминале системы.
1043 </p></li>
1044 <li><p>
1045 Для того чтобы убедиться, что журнал на текущем терминале ведётся,
1046 и команды записываются, дайте команду w.
1047 В поле WHAT, соответствующем текущему терминалу,
1048 должна быть указана программа script.
1049 </p></li>
1050 <li><p>
1051 Команды, при наборе которых были допущены синтаксические ошибки,
1052 выводятся перечёркнутым текстом:
1053 <table>
1054 <tr class='command'>
1055 <td class='script'>
1056 <pre class='mistyped_cline'>
1057 \$ l s-l</pre>
1058 <pre class='mistyped_output'>bash: l: command not found
1059 </pre>
1060 </td>
1061 </tr>
1062 </table>
1063 <br/>
1064 </p></li>
1065 <li><p>
1066 Если код завершения команды равен нулю,
1067 команда была выполнена без ошибок.
1068 Команды, код завершения которых отличен от нуля, выделяются цветом.
1069 <table>
1070 <tr class='command'>
1071 <td class='script'>
1072 <pre class='wrong_cline'>
1073 \$ test 5 -lt 4</pre>
1074 </pre>
1075 </td>
1076 </tr>
1077 </table>
1078 Обратите внимание на то, что код завершения команды может быть отличен от нуля
1079 не только в тех случаях, когда команда была выполнена с ошибкой.
1080 Многие команды используют код завершения, например, для того чтобы показать результаты проверки
1081 <br/>
1082 </p></li>
1083 <li><p>
1084 Команды, ход выполнения которых был прерван пользователем, выделяются цветом.
1085 <table>
1086 <tr class='command'>
1087 <td class='script'>
1088 <pre class='interrupted_cline'>
1089 \$ find / -name abc</pre>
1090 <pre class='interrupted_output'>find: /home/devi-orig/.gnome2: Keine Berechtigung
1091 find: /home/devi-orig/.gnome2_private: Keine Berechtigung
1092 find: /home/devi-orig/.nautilus/metafiles: Keine Berechtigung
1093 find: /home/devi-orig/.metacity: Keine Berechtigung
1094 find: /home/devi-orig/.inkscape: Keine Berechtigung
1095 ^C
1096 </pre>
1097 </td>
1098 </tr>
1099 </table>
1100 <br/>
1101 </p></li>
1102 <li><p>
1103 Команды, выполненные с привилегиями суперпользователя,
1104 выделяются слева красной чертой.
1105 <table>
1106 <tr class='command'>
1107 <td class='script'>
1108 <pre class='_root_cline'>
1109 # id</pre>
1110 <pre class='_root_output'>
1111 uid=0(root) gid=0(root) Gruppen=0(root)
1112 </pre>
1113 </td>
1114 </tr>
1115 </table>
1116 <br/>
1117 </p></li>
1118 <li><p>
1119 Изменения, внесённые в текстовый файл с помощью редактора,
1120 запоминаются и показываются в журнале в формате ed.
1121 Строки, начинающиеся символом "&lt;", удалены, а строки,
1122 начинающиеся символом "&gt;" -- добавлены.
1123 <table>
1124 <tr class='command'>
1125 <td class='script'>
1126 <pre class='cline'>
1127 \$ vi ~/.bashrc</pre>
1128 <table><tr><td width='5'/><td class='diff'><pre>2a3,5
1129 &gt; if [ -f /usr/local/etc/bash_completion ]; then
1130 &gt; . /usr/local/etc/bash_completion
1131 &gt; fi
1132 </pre></td></tr></table></td>
1133 </tr>
1134 </table>
1135 <br/>
1136 </p></li>
1137 <li><p>
1138 Для того чтобы изменить файл в соответствии с показанными в диффшоте
1139 изменениями, можно воспользоваться командой patch.
1140 Нужно скопировать изменения, запустить программу patch, указав в
1141 качестве её аргумента файл, к которому применяются изменения,
1142 и всавить скопированный текст:
1143 <table>
1144 <tr class='command'>
1145 <td class='script'>
1146 <pre class='cline'>
1147 \$ patch ~/.bashrc</pre>
1148 </td>
1149 </tr>
1150 </table>
1151 В данном случае изменения применяются к файлу ~/.bashrc
1152 </p></li>
1153 <li><p>
1154 Для того чтобы получить краткую справочную информацию о команде,
1155 нужно подвести к ней мышь. Во всплывающей подсказке появится краткое
1156 описание команды.
1157 </p>
1158 <p>
1159 Если справочная информация о команде есть,
1160 команда выделяется голубым фоном, например: <span class="with_hint" title="главный текстовый редактор Unix">vi</span>.
1161 Если справочная информация отсутствует,
1162 команда выделяется розовым фоном, например: <span class="without_hint">notepad.exe</span>.
1163 Справочная информация может отсутствовать в том случае,
1164 если (1) команда введена неверно; (2) если распознавание команды LiLaLo выполнено неверно;
1165 (3) если информация о команде неизвестна LiLaLo.
1166 Последнее возможно для редких команд.
1167 </p></li>
1168 <li><p>
1169 Большие, в особенности многострочные, всплывающие подсказки лучше
1170 всего показываются браузерами KDE Konqueror, Apple Safari и Microsoft Internet Explorer.
1171 В браузерах Mozilla и Firefox они отображаются не полностью,
1172 а вместо перевода строки выводится специальный символ.
1173 </p></li>
1174 <li><p>
1175 Время ввода команды, показанное в журнале, соответствует времени
1176 <i>начала ввода командной строки</i>, которое равно тому моменту,
1177 когда на терминале появилось приглашение интерпретатора
1178 </p></li>
1179 <li><p>
1180 Имя терминала, на котором была введена команда, показано в специальном блоке.
1181 Этот блок показывается только в том случае, если терминал
1182 текущей команды отличается от терминала предыдущей.
1183 </p></li>
1184 <li><p>
1185 Вывод не интересующих вас в настоящий момент элементов журнала,
1186 таких как время, имя терминала и других, можно отключить.
1187 Для этого нужно воспользоваться <a href='#visibility_form'>формой управления журналом</a>
1188 вверху страницы.
1189 </p></li>
1190 <li><p>
1191 Небольшие комментарии к командам можно вставлять прямо из командной строки.
1192 Комментарий вводится прямо в командную строку, после символов #^ или #v.
1193 Символы ^ и v показывают направление выбора команды, к которой относится комментарий:
1194 ^ - к предыдущей, v - к следующей.
1195 Например, если в командной строке было введено:
1196 <pre class='cline'>
1197 \$ whoami
1198 </pre>
1199 <pre class='output'>
1200 user
1201 </pre>
1202 <pre class='cline'>
1203 \$ #^ Интересно, кто я?
1204 </pre>
1205 в журнале это будет выглядеть так:
1207 <pre class='cline'>
1208 \$ whoami
1209 </pre>
1210 <pre class='output'>
1211 user
1212 </pre>
1213 <table class='note'><tr><td width='100%' class='note_text'>
1214 <tr> <td> Интересно, кто я?<br/> </td></tr></table>
1215 </p></li>
1216 <li><p>
1217 Если комментарий содержит несколько строк,
1218 его можно вставить в журнал следующим образом:
1219 <pre class='cline'>
1220 \$ whoami
1221 </pre>
1222 <pre class='output'>
1223 user
1224 </pre>
1225 <pre class='cline'>
1226 \$ cat > /dev/null #^ Интересно, кто я?
1227 </pre>
1228 <pre class='output'>
1229 Программа whoami выводит имя пользователя, под которым
1230 мы зарегистрировались в системе.
1232 Она не может ответить на вопрос о нашем назначении
1233 в этом мире.
1234 </pre>
1235 В журнале это будет выглядеть так:
1236 <table>
1237 <tr class='command'>
1238 <td class='script'>
1239 <pre class='cline'>
1240 \$ whoami</pre>
1241 <pre class='output'>user
1242 </pre>
1243 <table class='note'><tr><td class='note_title'>Интересно, кто я?</td></tr><tr><td width='100%' class='note_text'>
1244 Программа whoami выводит имя пользователя, под которым<br/>
1245 мы зарегистрировались в системе.<br/>
1246 <br/>
1247 Она не может ответить на вопрос о нашем назначении<br/>
1248 в этом мире.<br/>
1249 </td></tr></table>
1250 </td>
1251 </tr>
1252 </table>
1253 Для разделения нескольких абзацев между собой
1254 используйте символ "-", один в строке.
1255 <br/>
1256 </p></li>
1257 <li><p>
1258 Комментарии, не относящиеся непосредственно ни к какой из команд,
1259 добавляются точно таким же способом, только вместо симолов #^ или #v
1260 нужно использовать символы #=
1261 </p></li>
1262 </ol>
1263 HELP
1265 $Html_About = <<ABOUT;
1266 <p>
1267 LiLaLo (L3) расшифровывается как Live Lab Log.<br/>
1268 Программа разработана для повышения эффективности обучения Unix/Linux-системам.<br/>
1269 (c) Игорь Чубин, 2004-2005<br/>
1270 </p>
1271 ABOUT
1272 $Html_About.='$Id$ </p>';
1274 $Html_JavaScript = <<JS;
1275 function getElementsByClassName(Class_Name)
1277 var Result=new Array();
1278 var All_Elements=document.all || document.getElementsByTagName('*');
1279 for (i=0; i<All_Elements.length; i++)
1280 if (All_Elements[i].className==Class_Name)
1281 Result.push(All_Elements[i]);
1282 return Result;
1284 function ShowHide (name)
1286 elements=getElementsByClassName(name);
1287 for(i=0; i<elements.length; i++)
1288 if (elements[i].style.display == "none")
1289 elements[i].style.display = "";
1290 else
1291 elements[i].style.display = "none";
1292 //if (elements[i].style.visibility == "hidden")
1293 // elements[i].style.visibility = "visible";
1294 //else
1295 // elements[i].style.visibility = "hidden";
1297 function filter_by_output(text)
1300 var jjj=0;
1302 elements=getElementsByClassName('command');
1303 for(i=0; i<elements.length; i++) {
1304 subelems = elements[i].getElementsByTagName('pre');
1305 for(j=0; j<subelems.length; j++) {
1306 if (subelems[j].className = 'output') {
1307 var str = new String(subelems[j].nodeValue);
1308 if (jjj != 1) {
1309 alert(str);
1310 jjj=1;
1312 if (str.indexOf(text) >0)
1313 subelems[j].style.display = "none";
1314 else
1315 subelems[j].style.display = "";
1323 JS
1325 %Search_Machines = (
1326 "google" => { "query" => "http://www.google.com/search?q=" ,
1327 "icon" => "$Config{frontend_google_ico}" },
1328 "freebsd" => { "query" => "http://www.freebsd.org/cgi/man.cgi?query=",
1329 "icon" => "$Config{frontend_freebsd_ico}" },
1330 "linux" => { "query" => "http://man.he.net/?topic=",
1331 "icon" => "$Config{frontend_linux_ico}"},
1332 "opennet" => { "query" => "http://www.opennet.ru/search.shtml?words=",
1333 "icon" => "$Config{frontend_opennet_ico}"},
1334 "local" => { "query" => "http://www.freebsd.org/cgi/man.cgi?query=",
1335 "icon" => "$Config{frontend_local_ico}" },
1337 );
1339 %Elements_Visibility = (
1340 "note" => "замечания",
1341 "diff" => "редактор",
1342 "time" => "время",
1343 "ttychange" => "терминал",
1344 "wrong_output wrong_cline wrong_root_output wrong_root_cline"
1345 => "команды с ошибками",
1346 "interrupted_output interrupted_cline interrupted_root_output interrupted_root_cline"
1347 => "прерванные команды",
1348 "tab_completion_output tab_completion_cline"
1349 => "продолжение с помощью tab"
1350 );
1352 @Day_Name = qw/ Воскресенье Понедельник Вторник Среда Четверг Пятница Суббота /;
1353 @Month_Name = qw/ Январь Февраль Март Апрель Май Июнь Июль Август Сентябрь Октябрь Ноябрь Декабрь /;
1354 @Of_Month_Name = qw/ Января Февраля Марта Апреля Мая Июня Июля Августа Сентября Октября Ноября Декабря /;
1360 # Временно удалённый код
1361 # Возможно, он не понадобится уже никогда
1364 sub search_by
1366 my $sm = shift;
1367 my $topic = shift;
1368 $topic =~ s/ /+/;
1370 return "<a href='". $Search_Machines{$sm}->{"query"}."$topic'><img width='16' height='16' src='".
1371 $Search_Machines{$sm}->{"icon"}."' border='0'/></a>";