lilalo

view l3-frontend @ 59:4d7e45bc659b

Исправлена ошибка с фильтром
author devi
date Sat Jan 14 17:55:48 2006 +0200 (2006-01-14)
parents 187b6636a3be
children c4bea959dbb1
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; # Сколько раз в журнале встречается какая команда
26 my %mywi_cache_for; # Кэш для экономии обращений к mywi
28 sub make_comment;
29 sub make_new_commands_table;
30 sub load_command_lines_from_xml;
31 sub load_sessions_from_xml;
32 sub sort_command_lines;
33 sub process_command_lines;
34 sub init_variables;
35 sub main;
36 sub collapse_list($);
38 sub print_all;
39 sub print_command_lines;
40 sub print_stat;
41 sub print_header;
42 sub print_footer;
44 main();
46 sub main
47 {
48 $| = 1;
50 init_variables();
51 init_config();
53 open_mywi_socket();
54 load_command_lines_from_xml($Config{"backend_datafile"});
55 load_sessions_from_xml($Config{"backend_datafile"});
56 sort_command_lines;
57 process_command_lines;
58 print_all($Config{"output"});
59 close_mywi_socket;
60 }
62 # extract_from_cline
64 # In: $what = commands | args
65 # Out: return ссылка на хэш, содержащий результаты разбора
66 # команда => позиция
68 # Разобрать командную строку $_[1] и возвратить хэш, содержащий
69 # номер первого появление команды в строке:
70 # команда => первая позиция
71 sub extract_from_cline
72 {
73 my $what = $_[0];
74 my $cline = $_[1];
75 my @lists = split /\;/, $cline;
78 my @command_lines = ();
79 for my $command_list (@lists) {
80 push(@command_lines, split(/\|/, $command_list));
81 }
83 my %position_of_command;
84 my %position_of_arg;
85 my $i=0;
86 for my $command_line (@command_lines) {
87 $command_line =~ s@^\s*@@;
88 $command_line =~ /\s*(\S+)\s*(.*)/;
89 if ($1 && $1 eq "sudo" ) {
90 $position_of_command{"$1"}=$i++;
91 $command_line =~ s/\s*sudo\s+//;
92 }
93 if ($command_line !~ m@^\s*\S*/etc/@) {
94 $command_line =~ s@^\s*\S+/@@;
95 }
97 $command_line =~ /\s*(\S+)\s*(.*)/;
98 my $command = $1;
99 my $args = $2;
100 if ($command && !defined $position_of_command{"$command"}) {
101 $position_of_command{"$command"}=$i++;
102 };
103 if ($args) {
104 my @args = split (/\s+/, $args);
105 for my $a (@args) {
106 $position_of_arg{"$a"}=$i++
107 if !defined $position_of_arg{"$a"};
108 };
109 }
110 }
112 if ($what eq "commands") {
113 return \%position_of_command;
114 } else {
115 return \%position_of_arg;
116 }
118 }
123 #
124 # Подпрограммы для работы с mywi
125 #
127 sub open_mywi_socket
128 {
129 $Mywi_Socket = IO::Socket::INET->new(
130 PeerAddr => $Config{mywi_server},
131 PeerPort => $Config{mywi_port},
132 Proto => "tcp",
133 Type => SOCK_STREAM);
134 }
136 sub close_mywi_socket
137 {
138 close ($Mywi_Socket) if $Mywi_Socket ;
139 }
142 sub mywi_client
143 {
144 my $query = $_[0];
145 my $mywi;
147 open_mywi_socket;
148 if ($Mywi_Socket) {
149 local $| = 1;
150 local $/ = "";
151 print $Mywi_Socket $query."\n";
152 $mywi = <$Mywi_Socket>;
153 $mywi = "" if $mywi =~ /nothing app/;
154 }
155 close_mywi_socket;
156 return $mywi;
157 }
159 sub make_comment
160 {
161 my $cline = $_[0];
162 #my $files = $_[1];
164 my @comments;
165 my @commands = keys %{extract_from_cline("commands", $cline)};
166 my @args = keys %{extract_from_cline("args", $cline)};
167 return if (!@commands && !@args);
168 #return "commands=".join(" ",@commands)."; files=".join(" ",@files);
170 # Commands
171 for my $command (@commands) {
172 $command =~ s/'//g;
173 $CommandsFDistribution{$command}++;
174 if (!$Commands_Description{$command}) {
175 $mywi_cache_for{$command} ||= mywi_client ($command) || "";
176 my $mywi = join ("\n", grep(/\([18]\)/, split(/\n/, $mywi_cache_for{$command})));
177 $mywi =~ s/\s+/ /;
178 if ($mywi !~ /^\s*$/) {
179 $Commands_Description{$command} = $mywi;
180 }
181 else {
182 next;
183 }
184 }
186 push @comments, $Commands_Description{$command};
187 }
188 return join("&#10;\n", @comments);
190 # Files
191 for my $arg (@args) {
192 $arg =~ s/'//g;
193 if (!$Args_Description{$arg}) {
194 my $mywi;
195 $mywi = mywi_client ($arg);
196 $mywi = join ("\n", grep(/\([5]\)/, split(/\n/, $mywi)));
197 $mywi =~ s/\s+/ /;
198 if ($mywi !~ /^\s*$/) {
199 $Args_Description{$arg} = $mywi;
200 }
201 else {
202 next;
203 }
204 }
206 push @comments, $Args_Description{$arg};
207 }
209 }
211 =cut
212 Процедура load_command_lines_from_xml выполняет загрузку разобранного lab-скрипта
213 из XML-документа в переменную @Command_Lines
215 # In: $datafile имя файла
216 # Out: @CommandLines загруженные командные строки
218 Предупреждение!
219 Процедура не в состоянии обрабатывать XML-документ любой структуры.
220 В действительности файл cache из которого загружаются данные
221 просто напоминает XML с виду.
222 =cut
223 sub load_command_lines_from_xml
224 {
225 my $datafile = $_[0];
227 open (CLASS, $datafile)
228 or die "Can't open file of the class ",$datafile,"\n";
229 local $/;
230 $data = <CLASS>;
231 close(CLASS);
233 for $command ($data =~ m@<command>(.*?)</command>@sg) {
234 my %cl;
235 while ($command =~ m@<([^>]*?)>(.*?)</\1>@sg) {
236 $cl{$1} = $2;
237 }
238 push @Command_Lines, \%cl;
239 }
240 }
242 sub load_sessions_from_xml
243 {
244 my $datafile = $_[0];
246 open (CLASS, $datafile)
247 or die "Can't open file of the class ",$datafile,"\n";
248 local $/;
249 my $data = <CLASS>;
250 close(CLASS);
252 for my $session ($data =~ m@<session>(.*?)</session>@sg) {
253 my %session;
254 while ($session =~ m@<([^>]*?)>(.*?)</\1>@sg) {
255 $session{$1} = $2;
256 }
257 $Sessions{$session{local_session_id}} = \%session;
258 }
259 }
262 # sort_command_lines
263 # In: @Command_Lines
264 # Out: @Command_Lies_Index
266 sub sort_command_lines
267 {
269 my @index;
270 for (my $i=0;$i<=$#Command_Lines;$i++) {
271 $index[$i]=$i;
272 }
274 @Command_Lines_Index = sort {
275 $Command_Lines[$index[$a]]->{"time"} <=> $Command_Lines[$index[$b]]->{"time"}
276 } @index;
278 }
280 ##################
281 # process_command_lines
282 #
283 # Обрабатываются командные строки @Command_Lines
284 # Для каждой строки определяется:
285 # class класс
286 # note комментарий
287 #
288 # In: @Command_Lines_Index
289 # In-Out: @Command_Lines
291 sub process_command_lines
292 {
293 for my $i (@Command_Lines_Index) {
294 my $cl = \$Command_Lines[$i];
296 next if !$cl;
298 $$cl->{err} ||=0;
300 # Класс команды
302 $$cl->{"class"} = $$cl->{"err"} eq 130 ? "interrupted"
303 : $$cl->{"err"} eq 127 ? "mistyped"
304 : $$cl->{"err"} ? "wrong"
305 : "normal";
307 if ($$cl->{"cline"} =~ /[^|`]\s*sudo/
308 || $$cl->{"uid"} eq 0) {
309 $$cl->{"class"}.="_root";
310 }
313 #Обработка пометок
314 # Если несколько пометок (notes) идут подряд,
315 # они все объединяются
317 if ($$cl->{cline}=~ m@cat[^#]*#([\^=v])\s*(.*)@) {
319 my $note_operator = $1;
320 my $note_title = $2;
322 if ($note_operator eq "=") {
323 $$cl->{"class"} = "note";
324 $$cl->{"note"} = $$cl->{"output"};
325 $$cl->{"note_title"} = $2;
326 }
327 else {
328 my $j = $i;
329 if ($note_operator eq "^") {
330 $j--;
331 $j-- while ($j >=0 && (!$Command_Lines[$j] || $Command_Lines[$j]->{tty} ne $$cl->{tty}));
332 }
333 elsif ($note_operator eq "v") {
334 $j++;
335 $j++ while ($j <= @Command_Lines && (!$Command_Lines[$j] || $Command_Lines[$j]->{tty} ne $$cl->{tty}));
336 }
337 $Command_Lines[$j]->{note_title}=$note_title;
338 $Command_Lines[$j]->{note}.=$$cl->{output};
339 $$cl=0;
340 }
341 }
342 elsif ($$cl->{cline}=~ /#([\^=v])(.*)/) {
344 my $note_operator = $1;
345 my $note_text = $2;
347 if ($note_operator eq "=") {
348 $$cl->{"class"} = "note";
349 $$cl->{"note"} = $note_text;
350 }
351 else {
352 my $j=$i;
353 if ($note_operator eq "^") {
354 $j--;
355 $j-- while ($j >=0 && (!$Command_Lines[$j] || $Command_Lines[$j]->{tty} ne $$cl->{tty}));
356 }
357 elsif ($note_operator eq "v") {
358 $j++;
359 $j++ while ($j <= @Command_Lines && $Command_Lines[$j]->{tty} ne $$cl->{tty} || !$Command_Lines[$j]);
360 }
361 $Command_Lines[$j]->{note}.="$note_text\n";
362 $$cl=0;
363 }
364 }
365 }
367 }
370 =cut
371 Процедура print_command_lines выводит HTML-представление
372 разобранного lab-скрипта.
374 Разобранный lab-скрипт должен находиться в массиве @Command_Lines
375 =cut
377 sub print_command_lines
378 {
380 my @toc; # Оглавление
381 my $note_number=0;
383 my $result = q();
384 my $this_day_resut = q();
386 my $cl;
387 my $last_tty="";
388 my $last_day=q();
389 my $last_wday=q();
390 my $in_range=0;
392 my $current_command=0;
394 my @known_commands;
396 my %filter;
398 if ($Config{filter}) {
399 # Инициализация фильтра
400 for (split /&/,$Config{filter}) {
401 my ($var, $val) = split /=/;
402 $filter{$var} = $val || "";
403 }
404 }
406 #$result = "Filter=".$Config{filter}."\n";
408 $Stat{LastCommand} ||= 0;
409 $Stat{TotalCommands} ||= 0;
410 $Stat{ErrorCommands} ||= 0;
411 $Stat{MistypedCommands} ||= 0;
413 COMMAND_LINE:
414 for my $k (@Command_Lines_Index) {
416 my $cl=$Command_Lines[$Command_Lines_Index[$current_command++]];
417 next unless $cl;
419 # Пропускаем команды, с одинаковым временем
420 # Это не совсем правильно.
421 # Возможно, что это команды, набираемые с помощью <completion>
422 # или запомненные с помощью <ctrl-c>
424 next if $Stat{LastCommand} == $cl->{time};
426 # Набираем статистику
427 # Хэш %Stat
429 $Stat{FirstCommand} = $cl->{time} unless $Stat{FirstCommand};
430 if ($cl->{time} - $Stat{LastCommand} < $Config{stat_inactivity_interval}) {
431 $Stat{TotalTime} += $cl->{time} - $Stat{LastCommand}
432 }
433 $Stat{LastCommand} = $cl->{time};
434 $Stat{TotalCommands}++;
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 # Пропускаем строки, выходящие за границу "signature",
452 # при условии, что границы указаны
453 # Пропускаем неправильные/прерванные/другие команды
454 if ($Config{"from"} && $cl->{"cline"} =~ /$Config{"signature"}\s*$Config{"from"}/) {
455 $in_range=1;
456 next;
457 }
458 if ($Config{"to"} && $cl->{"cline"} =~ /$Config{"signature"}\s*$Config{"to"}/) {
459 $in_range=0;
460 next;
461 }
462 next if ($Config{"from"} && $Config{"to"} && !$in_range)
463 || ($Config{"skip_empty"} =~ /^y/i && $cl->{"cline"} =~ /^\s*$/ )
464 || ($Config{"skip_wrong"} =~ /^y/i && $cl->{"err"} != 0)
465 || ($Config{"skip_interrupted"} =~ /^y/i && $cl->{"err"} == 130);
467 if ($cl->{class} eq "note") {
468 my $note = $cl->{note};
469 $note = join ("\n", map ("<p>$_</p>", split (/-\n/, $note)));
470 $note =~ s@(http:[a-zA-Z.0-9/?\_%-]*)@<a href='$1'>$1</a>@g;
471 $note =~ s@(www\.[a-zA-Z.0-9/?\_%-]*)@<a href='$1'>$1</a>@g;
472 $this_day_result .= "<tr><td colspan='6'>"
473 . "<h4 id='note$note_number'>".$cl->{note_title}."</h4>" if $cl->{note_title}
474 . "".$note."<p/><p/></td></tr>";
476 if ($cl->{note_title}) {
477 push @{$toc[@toc]},"<a href='#note$note_number'>".$cl->{note_title}."</a>";
478 $note_number++;
479 }
480 next;
481 }
484 my $output="";
485 # Выводим <head_lines> верхних строк
486 # и <tail_lines> нижних строк,
487 # если эти параметры существуют
489 my @lines = split '\n', $cl->{"output"};
490 if (($Config{"head_lines"} || $Config{"tail_lines"})
491 && $#lines > $Config{"head_lines"} + $Config{"tail_lines"} ) {
493 for (my $i=0; $i<= $#lines && $i < $Config{"head_lines"}; $i++) {
494 $output .= $lines[$i]."\n";
495 }
496 $output .= $Config{"skip_text"}."\n";
498 my $start_line=$#lines-$Config{"tail_lines"}+1;
499 for ($i=$start_line; $i<= $#lines; $i++) {
500 $output .= $lines[$i]."\n";
501 }
502 }
503 else {
504 $output .= $cl->{"output"};
505 }
507 #
508 ##
509 ## Начинается собственно вывод
510 ##
511 #
513 my ($sec,$min,$hour,$day,$mon,$year,$wday,$yday,$isdst) = localtime($cl->{time});
515 # Добавляем спереди 0 для удобочитаемости
516 $min = "0".$min if $min =~ /^.$/;
517 $hour = "0".$hour if $hour =~ /^.$/;
518 $sec = "0".$sec if $sec =~ /^.$/;
520 $class=$cl->{"class"};
521 $Stat{ErrorCommands}++ if $class =~ /wrong/;
522 $Stat{MistypedCommands}++ if $class =~ /mistype/;
525 # DAY CHANGE
526 if ( $last_day ne $day) {
527 if ($last_day) {
529 # Вычисляем разность множеств.
530 # Что-то вроде этого, если бы так можно было писать:
531 # @new_commands = keys %CommandsFDistribution - @known_commands;
534 $result .= "<h3 id='day$last_day'>".$Day_Name[$last_wday]."</h3>";
536 my $new_commands_section = make_new_commands_table(\@known_commands);
537 @known_commands = keys %CommandsFDistribution;
539 if ($new_commands_section) {
540 $result .= "<h5>Новые команды</h5>"
541 . "<table class='new_commands_table'>"
542 . "<tr class='new_commands_header'><td>Команда</td><td>Описание</td></tr>"
543 . $new_commands_section
544 . "</table>"
545 }
547 $result .= "<table width='100%'>\n";
548 $result .= $this_day_result;
549 $result .= "</table>";
550 }
552 push @toc, "<a href='#day$day'>".$Day_Name[$wday]."</a>\n";
553 $last_day=$day;
554 $last_wday=$wday;
555 $this_day_result = q();
556 }
558 $this_day_result .= "<tr class='command'>\n";
561 # CONSOLE CHANGE
562 if ( $last_tty ne $cl->{"tty"}) {
563 my $tty = $cl->{"tty"};
564 $this_day_result .= "<td colspan='6'>"
565 ."<table><tr><td class='ttychange' width='140' align='center'>"
566 . $tty
567 ."</td></tr></table>"
568 ."</td></tr><tr>";
569 $last_tty=$cl->{"tty"};
570 }
572 # TIME
573 $this_day_result .= $Config{"show_time"} =~ /^y/i
574 ? "<td valign='top' class='time' width='$Config{time_width}'>$hour:$min:$sec</td>"
575 : "<td width='0'/>";
577 # COMMAND
578 my $hint = make_comment($cl->{"cline"});
580 my $cline;
581 $cline = $cl->{"prompt"}.$cl->{"cline"};
582 $cline =~ s/\n//;
584 $cline = "<span title='$hint' class='with_hint'>$cline</span>" if $hint;
585 $cline = "<span class='without_hint'>$cline</span>" if !$hint;
587 $this_day_result .= "<td class='script'>\n";
588 $this_day_result .= "<pre class='${class}_cline'>\n" . $cline . "</pre>\n";
590 # OUTPUT
591 my $last_command = $cl->{"last_command"};
592 if (!(
593 $Config{"suppress_editors"} =~ /^y/i && grep ($_ eq $last_command, @{$Config{"editors"}}) ||
594 $Config{"suppress_pagers"} =~ /^y/i && grep ($_ eq $last_command, @{$Config{"pagers"}}) ||
595 $Config{"suppress_terminal"}=~ /^y/i && grep ($_ eq $last_command, @{$Config{"terminal"}})
596 )) {
597 $this_day_result .= "<pre class='".$class."_output'>" . $output . "</pre>\n";
598 }
600 # DIFF
601 if ( $Config{"show_diffs"} =~ /^y/i && $cl->{"diff"}) {
602 $this_day_result .= "<table><tr><td width='5'/><td class='diff'><pre>"
603 . $cl->{"diff"}
604 . "</pre></td></tr></table>";
605 }
607 #NOTES
608 if ( $Config{"show_notes"} =~ /^y/i && $cl->{"note"}) {
609 my $note=$cl->{"note"};
610 $note =~ s/\n/<br\/>\n/msg;
611 if (not $note =~ s@(http:[a-zA-Z.0-9/_?%-]*)@<a href='$1'>$1</a>@g) {
612 $note =~ s@(www\.[a-zA-Z.0-9/_?%-]*)@<a href='$1'>$1</a>@g;
613 };
614 # Ширину пока не используем
615 # $this_day_result .= "<table width='$Config{note_width}' class='note'>";
616 $this_day_result .= "<table class='note'>";
617 $this_day_result .= "<tr><td class='note_title'>".$cl->{note_title}."</td></tr>" if $cl->{note_title};
618 $this_day_result .= "<tr><td width='100%' class='note_text'>".$note."</td></tr>";
619 $this_day_result .= "</table>\n";
620 }
622 # COMMENT
623 if ( $Config{"show_comments"} =~ /^y/i) {
624 my $comment = make_comment($cl->{"cline"});
625 if ($comment) {
626 $this_day_result .= "<table width='$Config{comment_width}'><tr><td width='5'/><td>"
627 . "<table class='note' width='100%'>"
628 . $comment
629 . "</table>\n"
630 . "</td></tr></table>";
631 }
632 }
634 # Вывод очередной команды окончен
635 $this_day_result .= "</td>\n";
636 $this_day_result .= "</tr>\n";
637 }
638 last: {
639 my $new_commands_section = make_new_commands_table(\@known_commands);
640 @known_commands = keys %CommandsFDistribution;
642 $result .= "<h3 id='day$last_day'>".$Day_Name[$last_wday]."</h3>";
643 if ($new_commands_section) {
644 $result .= "<h5>Новые команды</h5>"
645 . "<table class='new_commands_table'>"
646 . "<tr class='new_commands_header'><td>Команда</td><td>Описание</td></tr>"
647 . $new_commands_section
648 . "</table>"
649 }
651 $result .= "<table width='100%'>\n";
652 $result .= $this_day_result;
653 $result .= "</table>";
654 }
656 return ($result, collapse_list (\@toc));
658 }
660 sub make_new_commands_table
661 {
662 my @known_commands = @{$_[0]};
664 my %count;
665 my @new_commands = ();
666 for my $c (keys %CommandsFDistribution, @known_commands) {
667 $count{$c}++
668 }
669 for my $c (keys %CommandsFDistribution) {
670 push @new_commands, $c if $count{$c} != 2;
671 }
674 my $new_commands_section;
675 if (@new_commands){
676 my $hint;
677 for my $c (reverse sort { $CommandsFDistribution{$a} <=> $CommandsFDistribution{$b} } @new_commands) {
678 $hint = make_comment($c);
679 my ($command, $hint) = $hint =~ m/(.*?) \s*- \s*(.*)/;
680 $new_commands_section .= "<tr><td>$command</td><td>$hint</td></tr>" if $hint;
681 }
682 }
683 return $new_commands_section;
684 }
687 #############
688 # print_all
689 #
690 #
691 #
692 # In: $_[0] output_filename
693 # Out:
696 sub print_all
697 {
698 my $output_filename=$_[0];
700 my $result;
701 my ($command_lines,$toc) = print_command_lines;
703 $result = print_header($toc);
704 $result.= "<h2 id='log'>Журнал</h2>" . $command_lines;
705 $result.= "<h2 id='stat'>Статистика</h2>" . print_stat;
706 $result.= "<h2 id='help'>Справка</h2>" . $Html_Help . "<br/>";
707 $result.= "<h2 id='about'>О программе</h2>". $Html_About. "<br/>";
708 $result.= print_footer;
710 if ($output_filename eq "-") {
711 print $result;
712 }
713 else {
714 open(OUT, ">", $output_filename)
715 or die "Can't open $output_filename for writing\n";
716 print OUT $result;
717 close(OUT);
718 }
719 }
721 #############
722 # print_header
723 #
724 #
725 #
726 # In: $_[0] Содержание
727 # Out: Распечатанный заголовок
729 sub print_header
730 {
731 my $toc = $_[0];
732 my $course_name = $Config{"course-name"};
733 my $course_code = $Config{"course-code"};
734 my $course_date = $Config{"course-date"};
735 my $course_center = $Config{"course-center"};
736 my $course_trainer = $Config{"course-trainer"};
737 my $course_student = $Config{"course-student"};
739 my $title = "Журнал лабораторных работ";
740 $title .= " -- ".$course_student if $course_student;
741 if ($course_date) {
742 $title .= " -- ".$course_date;
743 $title .= $course_code ? "/".$course_code
744 : "";
745 }
746 else {
747 $title .= " -- ".$course_code if $course_code;
748 }
750 # Управляющая форма
751 my $control_form .= "<table id='visibility_form' class='visibility_form'><tr><td>Видимые элементы</TD></tr><tr><td><form>\n";
752 for my $element (keys %Elements_Visibility)
753 {
754 my @e = split /\s+/, $element;
755 my $showhide = join "", map { "ShowHide('$_');" } @e ;
756 $control_form .= "<input type='checkbox' name='$e[0]' onclick=\"$showhide\" checked>".
757 $Elements_Visibility{$element}.
758 "</input><br>\n";
759 }
760 $control_form .= "</form></td></tr></table>\n";
762 my $result;
763 $result = <<HEADER;
764 <html>
765 <head>
766 <meta content='text/html; charset=utf-8' http-equiv='Content-Type' />
767 <link rel='stylesheet' href='$Config{frontend_css}' type='text/css'/>
768 <title>$title</title>
769 </head>
770 <body>
771 <script>
772 $Html_JavaScript
773 </script>
774 <h1>Журнал лабораторных работ</h1>
775 HEADER
776 if ( $course_student
777 || $course_trainer
778 || $course_name
779 || $course_code
780 || $course_date
781 || $course_center) {
782 $result .= "<p>";
783 $result .= "Выполнил $course_student<br/>" if $course_student;
784 $result .= "Проверил $course_trainer <br/>" if $course_trainer;
785 $result .= "Курс " if $course_name
786 || $course_code
787 || $course_date;
788 $result .= "$course_name " if $course_name;
789 $result .= "($course_code)" if $course_code;
790 $result .= ", $course_date<br/>" if $course_date;
791 $result .= "Учебный центр $course_center <br/>" if $course_center;
792 $result .= "</p>";
793 }
795 $result .= <<HEADER;
796 <table width='100%'>
797 <tr>
798 <td width='*'>
800 <table border=0 id='toc' class='toc'>
801 <tr>
802 <td>
803 <div class='toc_title'>Содержание</div>
804 <ul>
805 <li><a href='#log'>Журнал</a></li>
806 <ul>$toc</ul>
807 <li><a href='#stat'>Статистика</a></li>
808 <li><a href='#help'>Справка</a></li>
809 <li><a href='#about'>О программе</a></li>
810 </ul>
811 </td>
812 </tr>
813 </table>
815 </td>
816 <td valign='top' width=200>$control_form</td>
817 </tr>
818 </table>
819 HEADER
821 return $result;
822 }
825 #############
826 # print_footer
827 #
828 #
829 #
830 #
831 #
833 sub print_footer
834 {
835 return "</body>\n</html>\n";
836 }
841 #############
842 # print_stat
843 #
844 #
845 #
846 # In:
847 # Out:
849 sub print_stat
850 {
851 %StatNames = (
852 FirstCommand => "Время первой команды журнала",
853 LastCommand => "Время последней команды журнала",
854 TotalCommands => "Количество командных строк в журнале",
855 ErrorsPercentage => "Процент команд с ненулевым кодом завершения, %",
856 MistypesPercentage => "Процент синтаксически неверно набранных команд, %",
857 TotalTime => "Суммарное время работы с терминалом <sup><font size='-2'>*</font></sup>, час",
858 CommandsPerTime => "Количество командных строк в единицу времени, команда/мин",
859 CommandsFrequency => "Частота использования команд",
860 RareCommands => "Частота использования этих команд < 0.5%",
861 );
862 @StatOrder = (
863 FirstCommand,
864 LastCommand,
865 TotalCommands,
866 ErrorsPercentage,
867 MistypesPercentage,
868 TotalTime,
869 CommandsPerTime,
870 CommandsFrequency,
871 RareCommands,
872 );
874 # Подготовка статистики к выводу
875 # Некоторые значения пересчитываются!
876 # Дальше их лучше уже не использовать!!!
878 my %CommandsFrequency = %CommandsFDistribution;
880 $Stat{TotalTime} ||= 0;
881 my ($sec,$min,$hour,$mday,$mon,$year,$wday,$yday,$isdst) = localtime($Stat{FirstCommand} || 0);
882 $Stat{FirstCommand} = sprintf "%02i:%02i:%02i %04i-%2i-%2i", $hour, $min, $sec, $year+1900, $mon+1, $mday;
883 ($sec,$min,$hour,$mday,$mon,$year,$wday,$yday,$isdst) = localtime($Stat{LastCommand} || 0);
884 $Stat{LastCommand} = sprintf "%02i:%02i:%02i %04i-%2i-%2i", $hour, $min, $sec, $year+1900, $mon+1, $mday;
885 if ($Stat{TotalCommands}) {
886 $Stat{ErrorsPercentage} = sprintf "%5.2f", $Stat{ErrorCommands}*100/$Stat{TotalCommands};
887 $Stat{MistypesPercentage} = sprintf "%5.2f", $Stat{MistypedCommands}*100/$Stat{TotalCommands};
888 }
889 $Stat{CommandsPerTime} = sprintf "%5.2f", $Stat{TotalCommands}*60/$Stat{TotalTime}
890 if $Stat{TotalTime};
891 $Stat{TotalTime} = sprintf "%5.2f", $Stat{TotalTime}/60/60;
893 my $total_commands=0;
894 for $command (keys %CommandsFrequency){
895 $total_commands += $CommandsFrequency{$command};
896 }
897 if ($total_commands) {
898 for $command (reverse sort {$CommandsFrequency{$a} <=> $CommandsFrequency{$b}} keys %CommandsFrequency){
899 my $command_html;
900 my $percentage = sprintf "%5.2f",$CommandsFrequency{$command}*100/$total_commands;
901 if ($percentage < 0.5) {
902 my $hint = make_comment($command);
903 $command_html = "$command";
904 $command_html = "<span title='$hint' class='with_hint'>$command_html</span>" if $hint;
905 $command_html = "<span class='without_hint'>$command_html</span>" if not $hint;
906 my $command_html = "<tt>$command_html</tt>";
907 $Stat{RareCommands} .= $command_html."<sub><font size='-2'>".$CommandsFrequency{$command}."</font></sub> , ";
908 }
909 else {
910 my $hint = make_comment($command);
911 $command_html = "$command";
912 $command_html = "<span title='$hint' class='with_hint'>$command_html</span>" if $hint;
913 $command_html = "<span class='without_hint'>$command_html</span>" if not $hint;
914 my $command_html = "<tt>$command_html</tt>";
915 $percentage = sprintf "%5.2f",$percentage;
916 $Stat{CommandsFrequency} .= "<tr><td>".$command_html."</td><td>".$CommandsFrequency{$command}."</td>".
917 "<td>|".("="x int($CommandsFrequency{$command}*100/$total_commands))."| $percentage%</td></tr>";
918 }
919 }
920 $Stat{CommandsFrequency} = "<table>".$Stat{CommandsFrequency}."</table>";
921 $Stat{RareCommands} =~ s/, $// if $Stat{RareCommands};
922 }
924 my $result = q();
925 for my $stat (@StatOrder) {
926 next unless $Stat{"$stat"};
927 $result .= "<tr valign='top'><td width='300'>".$StatNames{"$stat"}."</td><td>".$Stat{"$stat"}."</td></tr>"
928 }
929 $result = "<table>$result</table>"
930 . "<font size='-2'>____<br/>*) Интервалы неактивности длительностью "
931 . ($Config{stat_inactivity_interval}/60)
932 . " минут и более не учитываются</font></br>";
934 return $result;
935 }
938 sub collapse_list($)
939 {
940 my $res = "";
941 for my $elem (@{$_[0]}) {
942 if (ref $elem eq "ARRAY") {
943 $res .= "<ul>".collapse_list($elem)."</ul>";
944 }
945 else
946 {
947 $res .= "<li>".$elem."</li>";
948 }
949 }
950 return $res;
951 }
956 sub init_variables
957 {
958 $Html_Help = <<HELP;
959 Для того чтобы использовать LiLaLo, не нужно знать ничего особенного:
960 всё происходит само собой.
961 Однако, чтобы ведение и последующее использование журналов
962 было как можно более эффективным, желательно иметь в виду следующее:
963 <ol>
964 <li><p>
965 В журнал автоматически попадают все команды, данные в любом терминале системы.
966 </p></li>
967 <li><p>
968 Для того чтобы убедиться, что журнал на текущем терминале ведётся,
969 и команды записываются, дайте команду w.
970 В поле WHAT, соответствующем текущему терминалу,
971 должна быть указана программа script.
972 </p></li>
973 <li><p>
974 Команды, при наборе которых были допущены синтаксические ошибки,
975 выводятся перечёркнутым текстом:
976 <table>
977 <tr class='command'>
978 <td class='script'>
979 <pre class='mistyped_cline'>
980 \$ l s-l</pre>
981 <pre class='mistyped_output'>bash: l: command not found
982 </pre>
983 </td>
984 </tr>
985 </table>
986 <br/>
987 </p></li>
988 <li><p>
989 Если код завершения команды равен нулю,
990 команда была выполнена без ошибок.
991 Команды, код завершения которых отличен от нуля, выделяются цветом.
992 <table>
993 <tr class='command'>
994 <td class='script'>
995 <pre class='wrong_cline'>
996 \$ test 5 -lt 4</pre>
997 </pre>
998 </td>
999 </tr>
1000 </table>
1001 Обратите внимание на то, что код завершения команды может быть отличен от нуля
1002 не только в тех случаях, когда команда была выполнена с ошибкой.
1003 Многие команды используют код завершения, например, для того чтобы показать результаты проверки
1004 <br/>
1005 </p></li>
1006 <li><p>
1007 Команды, ход выполнения которых был прерван пользователем, выделяются цветом.
1008 <table>
1009 <tr class='command'>
1010 <td class='script'>
1011 <pre class='interrupted_cline'>
1012 \$ find / -name abc</pre>
1013 <pre class='interrupted_output'>find: /home/devi-orig/.gnome2: Keine Berechtigung
1014 find: /home/devi-orig/.gnome2_private: Keine Berechtigung
1015 find: /home/devi-orig/.nautilus/metafiles: Keine Berechtigung
1016 find: /home/devi-orig/.metacity: Keine Berechtigung
1017 find: /home/devi-orig/.inkscape: Keine Berechtigung
1018 ^C
1019 </pre>
1020 </td>
1021 </tr>
1022 </table>
1023 <br/>
1024 </p></li>
1025 <li><p>
1026 Команды, выполненные с привилегиями суперпользователя,
1027 выделяются слева красной чертой.
1028 <table>
1029 <tr class='command'>
1030 <td class='script'>
1031 <pre class='_root_cline'>
1032 # id</pre>
1033 <pre class='_root_output'>
1034 uid=0(root) gid=0(root) Gruppen=0(root)
1035 </pre>
1036 </td>
1037 </tr>
1038 </table>
1039 <br/>
1040 </p></li>
1041 <li><p>
1042 Изменения, внесённые в текстовый файл с помощью редактора,
1043 запоминаются и показываются в журнале в формате ed.
1044 Строки, начинающиеся символом "&lt;", удалены, а строки,
1045 начинающиеся символом "&gt;" -- добавлены.
1046 <table>
1047 <tr class='command'>
1048 <td class='script'>
1049 <pre class='cline'>
1050 \$ vi ~/.bashrc</pre>
1051 <table><tr><td width='5'/><td class='diff'><pre>2a3,5
1052 &gt; if [ -f /usr/local/etc/bash_completion ]; then
1053 &gt; . /usr/local/etc/bash_completion
1054 &gt; fi
1055 </pre></td></tr></table></td>
1056 </tr>
1057 </table>
1058 <br/>
1059 </p></li>
1060 <li><p>
1061 Для того чтобы изменить файл в соответствии с показанными в диффшоте
1062 изменениями, можно воспользоваться командой patch.
1063 Нужно скопировать изменения, запустить программу patch, указав в
1064 качестве её аргумента файл, к которому применяются изменения,
1065 и всавить скопированный текст:
1066 <table>
1067 <tr class='command'>
1068 <td class='script'>
1069 <pre class='cline'>
1070 \$ patch ~/.bashrc</pre>
1071 </td>
1072 </tr>
1073 </table>
1074 В данном случае изменения применяются к файлу ~/.bashrc
1075 </p></li>
1076 <li><p>
1077 Для того чтобы получить краткую справочную информацию о команде,
1078 нужно подвести к ней мышь. Во всплывающей подсказке появится краткое
1079 описание команды.
1080 </p>
1081 <p>
1082 Если справочная информация о команде есть,
1083 команда выделяется голубым фоном, например: <span class="with_hint" title="главный текстовый редактор Unix">vi</span>.
1084 Если справочная информация отсутствует,
1085 команда выделяется розовым фоном, например: <span class="without_hint">notepad.exe</span>.
1086 Справочная информация может отсутствовать в том случае,
1087 если (1) команда введена неверно; (2) если распознавание команды LiLaLo выполнено неверно;
1088 (3) если информация о команде неизвестна LiLaLo.
1089 Последнее возможно для редких команд.
1090 </p></li>
1091 <li><p>
1092 Большие, в особенности многострочные, всплывающие подсказки лучше
1093 всего показываются браузерами KDE Konqueror, Apple Safari и Microsoft Internet Explorer.
1094 В браузерах Mozilla и Firefox они отображаются не полностью,
1095 а вместо перевода строки выводится специальный символ.
1096 </p></li>
1097 <li><p>
1098 Время ввода команды, показанное в журнале, соответствует времени
1099 <i>начала ввода командной строки</i>, которое равно тому моменту,
1100 когда на терминале появилось приглашение интерпретатора
1101 </p></li>
1102 <li><p>
1103 Имя терминала, на котором была введена команда, показано в специальном блоке.
1104 Этот блок показывается только в том случае, если терминал
1105 текущей команды отличается от терминала предыдущей.
1106 </p></li>
1107 <li><p>
1108 Вывод не интересующих вас в настоящий момент элементов журнала,
1109 таких как время, имя терминала и других, можно отключить.
1110 Для этого нужно воспользоваться <a href='#visibility_form'>формой управления журналом</a>
1111 вверху страницы.
1112 </p></li>
1113 <li><p>
1114 Небольшие комментарии к командам можно вставлять прямо из командной строки.
1115 Комментарий вводится прямо в командную строку, после символов #^ или #v.
1116 Символы ^ и v показывают направление выбора команды, к которой относится комментарий:
1117 ^ - к предыдущей, v - к следующей.
1118 Например, если в командной строке было введено:
1119 <pre class='cline'>
1120 \$ whoami
1121 </pre>
1122 <pre class='output'>
1123 user
1124 </pre>
1125 <pre class='cline'>
1126 \$ #^ Интересно, кто я?
1127 </pre>
1128 в журнале это будет выглядеть так:
1130 <pre class='cline'>
1131 \$ whoami
1132 </pre>
1133 <pre class='output'>
1134 user
1135 </pre>
1136 <table class='note'><tr><td width='100%' class='note_text'>
1137 <tr> <td> Интересно, кто я?<br/> </td></tr></table>
1138 </p></li>
1139 <li><p>
1140 Если комментарий содержит несколько строк,
1141 его можно вставить в журнал следующим образом:
1142 <pre class='cline'>
1143 \$ whoami
1144 </pre>
1145 <pre class='output'>
1146 user
1147 </pre>
1148 <pre class='cline'>
1149 \$ cat > /dev/null #^ Интересно, кто я?
1150 </pre>
1151 <pre class='output'>
1152 Программа whoami выводит имя пользователя, под которым
1153 мы зарегистрировались в системе.
1155 Она не может ответить на вопрос о нашем назначении
1156 в этом мире.
1157 </pre>
1158 В журнале это будет выглядеть так:
1159 <table>
1160 <tr class='command'>
1161 <td class='script'>
1162 <pre class='cline'>
1163 \$ whoami</pre>
1164 <pre class='output'>user
1165 </pre>
1166 <table class='note'><tr><td class='note_title'>Интересно, кто я?</td></tr><tr><td width='100%' class='note_text'>
1167 Программа whoami выводит имя пользователя, под которым<br/>
1168 мы зарегистрировались в системе.<br/>
1169 <br/>
1170 Она не может ответить на вопрос о нашем назначении<br/>
1171 в этом мире.<br/>
1172 </td></tr></table>
1173 </td>
1174 </tr>
1175 </table>
1176 Для разделения нескольких абзацев между собой
1177 используйте символ "-", один в строке.
1178 <br/>
1179 </p></li>
1180 <li><p>
1181 Комментарии, не относящиеся непосредственно ни к какой из команд,
1182 добавляются точно таким же способом, только вместо симолов #^ или #v
1183 нужно использовать символы #=
1184 </p></li>
1185 </ol>
1186 HELP
1188 $Html_About = <<ABOUT;
1189 <p>
1190 LiLaLo (L3) расшифровывается как Live Lab Log.<br/>
1191 Программа разработана для повышения эффективности обучения Unix/Linux-системам.<br/>
1192 (c) Игорь Чубин, 2004-2005<br/>
1193 </p>
1194 ABOUT
1195 $Html_About.='$Id$ </p>';
1197 $Html_JavaScript = <<JS;
1198 function getElementsByClassName(Class_Name)
1200 var Result=new Array();
1201 var All_Elements=document.all || document.getElementsByTagName('*');
1202 for (i=0; i<All_Elements.length; i++)
1203 if (All_Elements[i].className==Class_Name)
1204 Result.push(All_Elements[i]);
1205 return Result;
1207 function ShowHide (name)
1209 elements=getElementsByClassName(name);
1210 for(i=0; i<elements.length; i++)
1211 if (elements[i].style.display == "none")
1212 elements[i].style.display = "";
1213 else
1214 elements[i].style.display = "none";
1215 //if (elements[i].style.visibility == "hidden")
1216 // elements[i].style.visibility = "visible";
1217 //else
1218 // elements[i].style.visibility = "hidden";
1220 function filter_by_output(text)
1223 var jjj=0;
1225 elements=getElementsByClassName('command');
1226 for(i=0; i<elements.length; i++) {
1227 subelems = elements[i].getElementsByTagName('pre');
1228 for(j=0; j<subelems.length; j++) {
1229 if (subelems[j].className = 'output') {
1230 var str = new String(subelems[j].nodeValue);
1231 if (jjj != 1) {
1232 alert(str);
1233 jjj=1;
1235 if (str.indexOf(text) >0)
1236 subelems[j].style.display = "none";
1237 else
1238 subelems[j].style.display = "";
1246 JS
1248 %Search_Machines = (
1249 "google" => { "query" => "http://www.google.com/search?q=" ,
1250 "icon" => "$Config{frontend_google_ico}" },
1251 "freebsd" => { "query" => "http://www.freebsd.org/cgi/man.cgi?query=",
1252 "icon" => "$Config{frontend_freebsd_ico}" },
1253 "linux" => { "query" => "http://man.he.net/?topic=",
1254 "icon" => "$Config{frontend_linux_ico}"},
1255 "opennet" => { "query" => "http://www.opennet.ru/search.shtml?words=",
1256 "icon" => "$Config{frontend_opennet_ico}"},
1257 "local" => { "query" => "http://www.freebsd.org/cgi/man.cgi?query=",
1258 "icon" => "$Config{frontend_local_ico}" },
1260 );
1262 %Elements_Visibility = (
1263 "note" => "замечания",
1264 "diff" => "редактор",
1265 "time" => "время",
1266 "ttychange" => "терминал",
1267 "wrong_output wrong_cline wrong_root_output wrong_root_cline"
1268 => "команды с ошибками",
1269 "interrupted_output interrupted_cline interrupted_root_output interrupted_root_cline"
1270 => "прерванные команды",
1271 "tab_completion_output tab_completion_cline"
1272 => "продолжение с помощью tab"
1273 );
1275 @Day_Name = qw/ Воскресенье Понедельник Вторник Среда Четверг Пятница Суббота /;
1276 @Month_Name = qw/ Январь Февраль Март Апрель Май Июнь Июль Август Сентябрь Октябрь Ноябрь Декабрь /;
1277 @Of_Month_Name = qw/ Января Февраля Марта Апреля Мая Июня Июля Августа Сентября Октября Ноября Декабря /;
1283 # Временно удалённый код
1284 # Возможно, он не понадобится уже никогда
1287 sub search_by
1289 my $sm = shift;
1290 my $topic = shift;
1291 $topic =~ s/ /+/;
1293 return "<a href='". $Search_Machines{$sm}->{"query"}."$topic'><img width='16' height='16' src='".
1294 $Search_Machines{$sm}->{"icon"}."' border='0'/></a>";