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
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
|
msgid ""
msgstr ""
"Project-Id-Version: LuCI: statistics\n"
"POT-Creation-Date: 2017-10-17 22:00+0300\n"
"PO-Revision-Date: 2020-01-15 10:47+0000\n"
"Last-Translator: Anton Kikin <a.a.kikin@gmail.com>\n"
"Language-Team: Russian <https://hosted.weblate.org/projects/openwrt/"
"luciapplicationsstatistics/ru/>\n"
"Language: ru\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<="
"4 && (n%100<10 || n%100>=20) ? 1 : 2;\n"
"X-Generator: Weblate 3.11-dev\n"
"Project-Info: Это технический перевод, не дословный. Главное-удобный русский "
"интерфейс, все проверялось в графическом режиме, совместим с другими apps\n"
#: applications/luci-app-statistics/luasrc/statistics/plugins/apcups.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/apcups.lua:7
msgid "APC UPS"
msgstr "APC ИБП"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/apcups.lua:5
msgid "APCUPS Plugin Configuration"
msgstr "Настройка плагина «APCUPS»"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/memory.lua:15
msgid "Absolute values"
msgstr "Абсолютные значения"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iptables.lua:70
msgid "Action (target)"
msgstr "Действие (цель)"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/exec.lua:22
msgid "Add command for reading values"
msgstr "Добавить команду для чтения значений"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iptables.lua:34
msgid "Add matching rule"
msgstr "Добавить правило выборки"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/apcups.lua:18
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/ping.lua:19
msgid "Add multiple hosts separated by space."
msgstr "Добавить несколько хостов, разделённых пробелом"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/exec.lua:50
msgid "Add notification command"
msgstr "Добавить команду уведомления"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/ping.lua:24
msgid "Address family"
msgstr "Тип адреса"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/openvpn.lua:23
msgid "Aggregate number of connected users"
msgstr "Общее число подключенных пользователей"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/collectd.lua:24
msgid "Base Directory"
msgstr "Основная папка приложения"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/netlink.lua:24
msgid "Basic monitoring"
msgstr "Основная статистика"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/cpu.lua:18
msgid "By setting this, CPU is not aggregate of all processors on the system"
msgstr ""
"При установке данной опции график CPU не будет агрегировать данные всех "
"процессоров в системе"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/contextswitch.lua:4
msgid "CPU Context Switches Plugin Configuration"
msgstr "Настройка плагина переключений контекста CPU"
#: applications/luci-app-statistics/luasrc/statistics/plugins/cpufreq.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/cpufreq.lua:9
msgid "CPU Frequency"
msgstr "Частота CPU"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/cpufreq.lua:4
msgid "CPU Frequency Plugin Configuration"
msgstr "Настройка плагина частоты CPU"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/cpu.lua:5
msgid "CPU Plugin Configuration"
msgstr "Настройка плагина «CPU»"
#: applications/luci-app-statistics/luasrc/statistics/plugins/csv.lua:7
msgid "CSV Output"
msgstr "CSV вывод"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/csv.lua:5
msgid "CSV Plugin Configuration"
msgstr "Настройка плагина «CSV»"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/rrdtool.lua:91
msgid "Cache collected data for"
msgstr "Кэшировать собранную статистику в течении"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/network.lua:78
msgid "Cache flush interval"
msgstr "Интервал сброса кэша"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iptables.lua:59
msgid "Chain"
msgstr "Цепочка"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/olsrd.lua:24
msgid "CollectLinks"
msgstr "Сбор информации о соединениях (CollectLinks)"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/olsrd.lua:31
msgid "CollectRoutes"
msgstr "Сбор информации о маршрутах (CollectRoutes)"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/olsrd.lua:38
msgid "CollectTopology"
msgstr "Сбор информации о топологии (CollectTopology)"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/collectd.lua:8
msgid "Collectd Settings"
msgstr "Настройки сollectd"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/collectd.lua:10
msgid ""
"Collectd is a small daemon for collecting data from various sources through "
"different plugins. On this page you can change general settings for the "
"collectd daemon."
msgstr ""
"Collectd — это сервис для сбора данных из разных источников при помощи "
"плагинов. На этой странице вы можете изменить настройки collectd."
#: applications/luci-app-statistics/luasrc/statistics/plugins/conntrack.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/conntrack.lua:7
msgid "Conntrack"
msgstr "Отслеживание подключений (Conntrack)"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/conntrack.lua:5
msgid "Conntrack Plugin Configuration"
msgstr "Настройка плагина «Conntrack»"
#: applications/luci-app-statistics/luasrc/statistics/plugins/contextswitch.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/contextswitch.lua:6
msgid "Context Switches"
msgstr "Переключения контекста"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/df.lua:5
msgid "DF Plugin Configuration"
msgstr "Настройка плагина «DF»"
#: applications/luci-app-statistics/luasrc/statistics/plugins/dns.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/dns.lua:7
msgid "DNS"
msgstr "DNS"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/dns.lua:8
msgid "DNS Plugin Configuration"
msgstr "Настройка плагина «DNS»"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/collectd.lua:44
msgid "Data collection interval"
msgstr "Интервал сбора данных"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/collectd.lua:40
msgid "Datasets definition file"
msgstr "Файл с определением набора данных"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iptables.lua:96
msgid "Destination ip range"
msgstr "Диапазон IP-адресов назначения"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/collectd.lua:32
msgid "Directory for collectd plugins"
msgstr "Папка с плагинами collectd"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/collectd.lua:28
msgid "Directory for sub-configurations"
msgstr "Папка с config файлом"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/disk.lua:5
msgid "Disk Plugin Configuration"
msgstr "Настройка плагина «Disk»"
#: applications/luci-app-statistics/luasrc/statistics/plugins/df.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/df.lua:7
msgid "Disk Space Usage"
msgstr "Использовано места на диске"
#: applications/luci-app-statistics/luasrc/statistics/plugins/disk.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/disk.lua:7
msgid "Disk Usage"
msgstr "Использование диска"
#: applications/luci-app-statistics/luasrc/view/public_statistics/graph.htm:17
msgid "Display Host »"
msgstr "Показать хост »"
#: applications/luci-app-statistics/luasrc/view/public_statistics/graph.htm:23
msgid "Display timespan »"
msgstr "Показать за промежуток »"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/email.lua:5
msgid "E-Mail Plugin Configuration"
msgstr "Настройка плагина «E-Mail»"
#: applications/luci-app-statistics/luasrc/statistics/plugins/email.lua:7
msgid "Email"
msgstr "E-mail"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/thermal.lua:19
msgid "Empty value = monitor all"
msgstr "Если пусто = отслеживать все"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/curl.lua:17
msgid "Enable"
msgstr "Включить"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/apcups.lua:14
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/conntrack.lua:10
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/contextswitch.lua:11
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/cpu.lua:12
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/cpufreq.lua:11
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/csv.lua:15
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/curl.lua:8
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/df.lua:15
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/disk.lua:15
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/dns.lua:18
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/email.lua:18
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/entropy.lua:10
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/exec.lua:16
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/interface.lua:18
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iptables.lua:28
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/irq.lua:16
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iwinfo.lua:12
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/load.lua:14
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/memory.lua:10
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/netlink.lua:20
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/network.lua:18
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/nut.lua:9
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/olsrd.lua:10
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/openvpn.lua:13
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/ping.lua:15
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/processes.lua:15
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/rrdtool.lua:18
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/sensors.lua:70
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/splash_leases.lua:10
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/tcpconns.lua:15
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/thermal.lua:14
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/unixsock.lua:15
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/uptime.lua:10
msgid "Enable this plugin"
msgstr "Включить этот плагин"
#: applications/luci-app-statistics/luasrc/statistics/plugins/entropy.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/entropy.lua:7
msgid "Entropy"
msgstr "Энтропия"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/entropy.lua:5
msgid "Entropy Plugin Configuration"
msgstr "Настройка плагина «Энтропия»"
#: applications/luci-app-statistics/luasrc/statistics/plugins/exec.lua:2
msgid "Exec"
msgstr "Exec"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/exec.lua:5
msgid "Exec Plugin Configuration"
msgstr "Настройка плагина «Exec»"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/cpufreq.lua:15
msgid "Extra items"
msgstr "Дополнительные элементы"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/netlink.lua:68
msgid "Filter class monitoring"
msgstr "Мониторинг класса фильтров"
#: applications/luci-app-statistics/luasrc/statistics/plugins/iptables.lua:2
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/iptables.lua:7
msgid "Firewall"
msgstr "Межсетевой экран"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/rrdtool.lua:100
msgid "Flush cache after"
msgstr "Сбросить кэш после"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/network.lua:71
msgid "Forwarding between listen and server addresses"
msgstr "Перенаправление между локальным адресом и адресом сервера"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/openvpn.lua:29
msgid "Gather compression statistics"
msgstr "Сбор статистики сжатия"
#: applications/luci-app-statistics/luasrc/controller/luci_statistics/luci_statistics.lua:23
msgid "General plugins"
msgstr "Основные плагины"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/openvpn.lua:17
msgid "Generate a separate graph for each logged user"
msgstr "Создать отдельный график для каждого авторизованного пользователя"
#: applications/luci-app-statistics/luasrc/controller/luci_statistics/luci_statistics.lua:73
msgid "Graphs"
msgstr "Графики"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/exec.lua:42
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/exec.lua:71
msgid "Group"
msgstr "Группа"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/exec.lua:24
msgid ""
"Here you can define external commands which will be started by collectd in "
"order to read certain values. The values will be read from stdout."
msgstr ""
"Здесь вы можете определить внешние команды, которые будут выполнены для "
"чтения определенных значений. Значения будут считаны со стандартного вывода."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/exec.lua:52
msgid ""
"Here you can define external commands which will be started by collectd when "
"certain threshold values have been reached. The values leading to invocation "
"will be fed to the the called programs stdin."
msgstr ""
"Здесь вы можете определить внешние команды, которые будут выполнены, когда "
"значения достигнут определенного порога. Значения будут переданы на "
"стандартный ввод вызванным программам."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iptables.lua:36
msgid ""
"Here you can define various criteria by which the monitored iptables rules "
"are selected."
msgstr ""
"Здесь вы можете указать различные критерии, по которым будут выбраны правила "
"для сбора статистики."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/sensors.lua:86
msgid "Hold Ctrl to select multiple items or to deselect entries."
msgstr ""
"Удерживая нажатой клавишу Ctrl, выберите несколько элементов или отмените "
"выбор записей."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/olsrd.lua:13
msgid "Host"
msgstr "Хост"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/collectd.lua:19
msgid "Hostname"
msgstr "Имя хоста"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/olsrd.lua:13
msgid "IP or hostname where to get the txtinfo output from"
msgstr "IP-адрес или имя хоста, с которых получать текстовый вывод"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/irq.lua:5
msgid "IRQ Plugin Configuration"
msgstr "Настройка плагина «IRQ»"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/dns.lua:32
msgid "Ignore source addresses"
msgstr "Игнорировать исходящие адреса"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iptables.lua:103
msgid "Incoming interface"
msgstr "Входящий интерфейс"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/interface.lua:8
msgid "Interface Plugin Configuration"
msgstr "Настройка плагина «Интерфейсы»"
#: applications/luci-app-statistics/luasrc/statistics/plugins/interface.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/interface.lua:7
msgid "Interfaces"
msgstr "Интерфейсы"
#: applications/luci-app-statistics/luasrc/statistics/plugins/irq.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/irq.lua:7
msgid "Interrupts"
msgstr "Прерывания"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/ping.lua:38
msgid "Interval for pings"
msgstr "Интервал для ping-запросов"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iptables.lua:18
msgid "Iptables Plugin Configuration"
msgstr "Настройка плагина «Iptables»"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iwinfo.lua:16
msgid "Leave unselected to automatically determine interfaces to monitor."
msgstr ""
"Оставьте невыбранным для автоматического определения интерфейсов для "
"мониторинга."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/network.lua:33
msgid "Listen host"
msgstr "Хост для входящих соединений"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/network.lua:37
msgid "Listen port"
msgstr "Порт"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/network.lua:24
msgid "Listener interfaces"
msgstr "Прослушивать интерфейсы"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/load.lua:5
msgid "Load Plugin Configuration"
msgstr "Настройка плагина «Загрузка системы»"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/rrdtool.lua:60
msgid ""
"Max values for a period can be used instead of averages when not using 'only "
"average RRAs'"
msgstr ""
"Максимальные значения для периода могут использоваться вместо средних "
"значений, когда не используется опция «Создавать только средние RRA»"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/email.lua:41
msgid "Maximum allowed connections"
msgstr "Максимум разрешенных соединений"
#: applications/luci-app-statistics/luasrc/statistics/plugins/memory.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/memory.lua:7
msgid "Memory"
msgstr "Оперативная память (RAM)"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/memory.lua:5
msgid "Memory Plugin Configuration"
msgstr "Настройка плагина «Оперативная память (RAM)»"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/df.lua:37
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/disk.lua:25
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/interface.lua:31
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/irq.lua:25
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iwinfo.lua:22
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/netlink.lua:79
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/sensors.lua:118
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/thermal.lua:24
msgid "Monitor all except specified"
msgstr "Собирать статистику со всех кроме указанных"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/tcpconns.lua:19
msgid "Monitor all local listen ports"
msgstr "Собирать статистику со всех портов для входящих соединений"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/sensors.lua:74
msgid "Monitor all sensors"
msgstr "Мониторить все сенсоры"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/thermal.lua:18
msgid "Monitor device(s) / thermal zone(s)"
msgstr "Мониторить устройство(а) / зону(ы) нагрева"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/df.lua:19
msgid "Monitor devices"
msgstr "Мониторить устройства"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/disk.lua:19
msgid "Monitor disks and partitions"
msgstr "Мониторить диски и разделы"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/df.lua:31
msgid "Monitor filesystem types"
msgstr "Монитоить типы файловых систем"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/apcups.lua:18
msgid "Monitor host"
msgstr "Мониторить хост"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/ping.lua:19
msgid "Monitor hosts"
msgstr "Мониторить хосты"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/dns.lua:22
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/interface.lua:22
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iwinfo.lua:15
msgid "Monitor interfaces"
msgstr "Мониторить интерфейсы"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/irq.lua:20
msgid "Monitor interrupts"
msgstr "Мониторить прерывания"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/tcpconns.lua:24
msgid "Monitor local ports"
msgstr "Мониторить локальные порты"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/df.lua:25
msgid "Monitor mount points"
msgstr "Мониторить точки монтирования"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/processes.lua:19
msgid "Monitor processes"
msgstr "Мониторить процессы"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/tcpconns.lua:29
msgid "Monitor remote ports"
msgstr "Мониторить удаленные порты"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/cpufreq.lua:15
msgid "More details about frequency usage and transitions"
msgstr "Более подробная информация о частоте и переключениях"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/curl.lua:20
msgid "Name"
msgstr "Имя"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iptables.lua:45
msgid "Name of the rule"
msgstr "Имя правила"
#: applications/luci-app-statistics/luasrc/statistics/plugins/netlink.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/netlink.lua:7
msgid "Netlink"
msgstr "Netlink"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/netlink.lua:10
msgid "Netlink Plugin Configuration"
msgstr "Настройка плагина «Netlink»"
#: applications/luci-app-statistics/luasrc/statistics/plugins/network.lua:2
msgid "Network"
msgstr "Сеть"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/network.lua:5
msgid "Network Plugin Configuration"
msgstr "Настройка плагина «Сеть»"
#: applications/luci-app-statistics/luasrc/controller/luci_statistics/luci_statistics.lua:24
msgid "Network plugins"
msgstr "Сетевые плагины"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iptables.lua:81
msgid "Network protocol"
msgstr "Сетевой протокол"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/rrdtool.lua:24
msgid ""
"Note: as pages are rendered by user 'nobody', the *.rrd files, the storage "
"directory and all its parent directories need to be world readable."
msgstr ""
"Внимание: все операции осуществляются под пользователем «nobody», "
"соответственно все файлы *.rrd и папки будут доступны любому пользователю."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/collectd.lua:49
msgid "Number of threads for data collection"
msgstr "Количество потоков сбора данных"
#: applications/luci-app-statistics/luasrc/statistics/plugins/olsrd.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/olsrd.lua:7
msgid "OLSRd"
msgstr "OLSRd"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/olsrd.lua:5
msgid "OLSRd Plugin Configuration"
msgstr "Настройка плагина «OLSRd»"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/rrdtool.lua:53
msgid "Only create average RRAs"
msgstr "Создавать только средние RRA"
#: applications/luci-app-statistics/luasrc/statistics/plugins/openvpn.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/openvpn.lua:7
msgid "OpenVPN"
msgstr "OpenVPN"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/openvpn.lua:7
msgid "OpenVPN Plugin Configuration"
msgstr "Настройка плагина «OpenVPN»"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/openvpn.lua:41
msgid "OpenVPN status files"
msgstr "Файлы состояния службы OpenVPN"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iptables.lua:115
msgid "Options"
msgstr "Опции"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iptables.lua:109
msgid "Outgoing interface"
msgstr "Исходящий интерфейс"
#: applications/luci-app-statistics/luasrc/controller/luci_statistics/luci_statistics.lua:22
msgid "Output plugins"
msgstr "Плагины вывода"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/memory.lua:23
msgid "Percent values"
msgstr "Значения в процентах"
#: applications/luci-app-statistics/luasrc/statistics/plugins/ping.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/ping.lua:7
msgid "Ping"
msgstr "Пинг-запрос"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/ping.lua:5
msgid "Ping Plugin Configuration"
msgstr "Настройка плагина «Пинг-запрос»"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/olsrd.lua:18
msgid "Port"
msgstr "Порт"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/apcups.lua:23
msgid "Port for apcupsd communication"
msgstr "Порт для связи со службой apcupsd"
#: applications/luci-app-statistics/luasrc/statistics/plugins/processes.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/processes.lua:7
msgid "Processes"
msgstr "Процессы"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/processes.lua:5
msgid "Processes Plugin Configuration"
msgstr "Настройка плагина «Процессы»"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/processes.lua:20
msgid "Processes to monitor separated by space"
msgstr "Процессы для мониторинга (разделённые пробелом)"
#: applications/luci-app-statistics/luasrc/statistics/plugins/cpu.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/cpu.lua:10
msgid "Processor"
msgstr "CPU"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/netlink.lua:46
msgid "Qdisc monitoring"
msgstr "Мониторинг Qdisc"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/rrdtool.lua:82
msgid "RRD XFiles Factor"
msgstr ""
"Часть интервала консолидации, которая может состоять из неопределенных "
"значений (*UNKNOWN*), если консолидированное значение может быть определено "
"(известно)"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/rrdtool.lua:44
msgid "RRD heart beat interval"
msgstr "Максимальное количество секунд между двумя обновлениями (HeartBeat)"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/rrdtool.lua:35
msgid "RRD step interval"
msgstr "Базовый интервал между данными в RRD (StepSize)"
#: applications/luci-app-statistics/luasrc/statistics/plugins/rrdtool.lua:7
msgid "RRDTool"
msgstr "RRDTool"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/rrdtool.lua:5
msgid "RRDTool Plugin Configuration"
msgstr "Настройка плагина «RRDTool»"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/cpu.lua:17
msgid "Report by CPU"
msgstr "Отдельно для каждого процессора"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/cpu.lua:24
msgid "Report by state"
msgstr "Отдельно для каждого состояния"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/cpu.lua:31
msgid "Report in percent"
msgstr "Отображать в процентах"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/rrdtool.lua:74
msgid "Rows per RRA"
msgstr "Количество «поколений» данных в архиве RRA"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/exec.lua:32
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/exec.lua:61
msgid "Script"
msgstr "Скрипт"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/collectd.lua:44
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/network.lua:78
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/ping.lua:38
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/rrdtool.lua:35
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/rrdtool.lua:44
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/rrdtool.lua:91
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/rrdtool.lua:100
msgid "Seconds"
msgstr "Секунд(ы)"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/sensors.lua:86
msgid "Sensor list"
msgstr "Список сенсоров"
#: applications/luci-app-statistics/luasrc/statistics/plugins/sensors.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/sensors.lua:7
msgid "Sensors"
msgstr "Сенсоры"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/sensors.lua:64
msgid "Sensors Plugin Configuration"
msgstr "Настройка плагина «Сенсоры»"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/network.lua:54
msgid "Server host"
msgstr "Хост сервера"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/network.lua:58
msgid "Server port"
msgstr "Порт сервера"
#: applications/luci-app-statistics/luasrc/controller/luci_statistics/luci_statistics.lua:48
msgid "Setup"
msgstr "Настройка"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/netlink.lua:57
msgid "Shaping class monitoring"
msgstr "Мониторинг классов Shaping"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/rrdtool.lua:59
msgid "Show max values instead of averages"
msgstr "Показывать максимальные значения, а не средние"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/email.lua:22
msgid "Socket file"
msgstr "Файл сокета"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/email.lua:27
msgid "Socket group"
msgstr "Группа сокета"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/email.lua:34
msgid "Socket permissions"
msgstr "Права доступа сокета"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iptables.lua:90
msgid "Source ip range"
msgstr "Диапазон IP-адресов источника"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/olsrd.lua:25
msgid "Specifies what information to collect about links."
msgstr "Указывает, какую информацию собирать о соединениях."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/olsrd.lua:32
msgid "Specifies what information to collect about routes."
msgstr "Указывает, какую информацию собирать о маршрутах."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/olsrd.lua:39
msgid "Specifies what information to collect about the global topology."
msgstr "Указывает, какую информацию собирать о глобальной топологии."
#: applications/luci-app-statistics/luasrc/statistics/plugins/splash_leases.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/splash_leases.lua:7
msgid "Splash Leases"
msgstr "Splash Leases"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/splash_leases.lua:5
msgid "Splash Leases Plugin Configuration"
msgstr "Настройка плагина «Splash Leases»"
#: applications/luci-app-statistics/luasrc/controller/luci_statistics/luci_statistics.lua:45
#: applications/luci-app-statistics/luasrc/view/admin_statistics/index.htm:9
#: applications/luci-app-statistics/luasrc/view/public_statistics/graph.htm:9
msgid "Statistics"
msgstr "Статистика"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/rrdtool.lua:23
msgid "Storage directory"
msgstr "Папка с данными"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/csv.lua:19
msgid "Storage directory for the csv files"
msgstr "Папка для CSV-файлов"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/csv.lua:24
msgid "Store data values as rates instead of absolute values"
msgstr "Хранить данные в виде коэффициентов вместо абсолютных значений"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/rrdtool.lua:67
msgid "Stored timespans"
msgstr "Сохраняемые промежутки времени"
#: applications/luci-app-statistics/luasrc/statistics/plugins/load.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/load.lua:7
msgid "System Load"
msgstr "Загрузка системы"
#: applications/luci-app-statistics/luasrc/statistics/plugins/tcpconns.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/tcpconns.lua:7
msgid "TCP Connections"
msgstr "TCPConns"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/tcpconns.lua:5
msgid "TCPConns Plugin Configuration"
msgstr "Настройка плагина «TCPConns»"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/network.lua:64
msgid "TTL for network packets"
msgstr "TTL для сетевых пакетов"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/ping.lua:32
msgid "TTL for ping packets"
msgstr "TTL для ping-пакетов"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iptables.lua:48
msgid "Table"
msgstr "Таблица"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/apcups.lua:7
msgid "The APCUPS plugin collects statistics about the APC UPS."
msgstr "Плагин «APCUPS» собирает статистику об ИБП APC."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/nut.lua:5
msgid "The NUT plugin reads information about Uninterruptible Power Supplies."
msgstr ""
"Плагин «NUT» считывает информацию об источниках бесперебойного питания."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/olsrd.lua:6
msgid ""
"The OLSRd plugin reads information about meshed networks from the txtinfo "
"plugin of OLSRd."
msgstr ""
"Плагин «OLSRd» считывает информацию о узловых сетях с плагина txtinfo OLSRd."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/openvpn.lua:8
msgid ""
"The OpenVPN plugin gathers information about the current vpn connection "
"status."
msgstr ""
"Плагин «OpenVPN» собирает информацию о текущем состоянии VPN подключения."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/conntrack.lua:6
msgid ""
"The conntrack plugin collects statistics about the number of tracked "
"connections."
msgstr ""
"Плагин «Conntrack» собирает статистику о количестве отслеживаемых соединений."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/cpu.lua:6
msgid "The cpu plugin collects basic statistics about the processor usage."
msgstr "Плагин «CPU» собирает статистику об использовании процессора."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/csv.lua:7
msgid ""
"The csv plugin stores collected data in csv file format for further "
"processing by external programs."
msgstr ""
"Плагин «CSV» позволяет сохранить статистику в формате CSV для последующей "
"обработки."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/df.lua:7
msgid ""
"The df plugin collects statistics about the disk space usage on different "
"devices, mount points or filesystem types."
msgstr ""
"Плагин «DF» собирает статистику о доступном пространстве на различных "
"устройствах, точках монтирования или файловых системах."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/disk.lua:7
msgid ""
"The disk plugin collects detailed usage statistics for selected partitions "
"or whole disks."
msgstr ""
"Плагин «Disk» собирает подробную статистику по выбранным разделам или дискам."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/dns.lua:10
msgid ""
"The dns plugin collects detailed statistics about dns related traffic on "
"selected interfaces."
msgstr ""
"Плагин «DNS» собирает подробную статистику о DNS трафике на выбранных "
"интерфейсах."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/email.lua:7
msgid ""
"The email plugin creates a unix socket which can be used to transmit email-"
"statistics to a running collectd daemon. This plugin is primarily intended "
"to be used in conjunction with Mail::SpamAssasin::Plugin::Collectd but can "
"be used in other ways as well."
msgstr ""
"Плагин «E-mail» создает Unix-сокет, который может быть использован для "
"передачи статистики по e-mail работающему сервису collectd. В основном, этот "
"плагин предназначен для использования вместе с Mail::SpamAssasin::Plugin::"
"Collectd."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/entropy.lua:6
msgid "The entropy plugin collects statistics about the available entropy."
msgstr "Плагин «Энтропия» собирает статистику о доступной энтропии."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/exec.lua:7
msgid ""
"The exec plugin starts external commands to read values from or to notify "
"external processes when certain threshold values have been reached."
msgstr ""
"Плагин «Exec» выполняет внешнюю команду в случае, когда определенные "
"значения достигают заданного порога."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/interface.lua:10
msgid ""
"The interface plugin collects traffic statistics on selected interfaces."
msgstr ""
"Плагин «Интерфейсы» собирает статистику на выбранных сетевых интерфейсах."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iptables.lua:20
msgid ""
"The iptables plugin will monitor selected firewall rules and collect "
"information about processed bytes and packets per rule."
msgstr ""
"Плагин «Iptables» собирает статистику с определенных правил межсетевого "
"экрана."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/irq.lua:7
msgid ""
"The irq plugin will monitor the rate of issues per second for each selected "
"interrupt. If no interrupt is selected then all interrupts are monitored."
msgstr ""
"Плагин «IRQ» собирает статистику по выбранным прерываниям. Если ни одно "
"прерывание не выбрано, сбор статистики будет проводиться по всем прерываниям."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iwinfo.lua:8
msgid ""
"The iwinfo plugin collects statistics about wireless signal strength, noise "
"and quality."
msgstr ""
"Плагин «Wi-Fi» собирает статистику о качестве и шуме беспроводного сигнала."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/load.lua:7
msgid "The load plugin collects statistics about the general system load."
msgstr "Плагин «Загрузка системы» собирает статистику о загрузке системы."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/memory.lua:6
msgid "The memory plugin collects statistics about the memory usage."
msgstr ""
"Плагин «Оперативная память (RAM)» собирает статистику об использовании "
"памяти."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/netlink.lua:12
msgid ""
"The netlink plugin collects extended information like qdisc-, class- and "
"filter-statistics for selected interfaces."
msgstr ""
"Плагин «Netlink» собирает расширенную статистику с выбранных интерфейсах."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/network.lua:7
msgid ""
"The network plugin provides network based communication between different "
"collectd instances. Collectd can operate both in client and server mode. In "
"client mode locally collected data is transferred to a collectd server "
"instance, in server mode the local instance receives data from other hosts."
msgstr ""
"Плагин «Сеть» предоставляет возможность сетевого обмена данными между "
"разными сервисами collectd. Collectd может работать в режиме сервера или "
"клиента. В режиме клиента, локальная статистика передается collectd-серверу, "
"в режиме сервера collectd собирает статистику с удаленных хостов."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/ping.lua:7
msgid ""
"The ping plugin will send icmp echo replies to selected hosts and measure "
"the roundtrip time for each host."
msgstr ""
"Плагин «Пинг-запрос» посылает ICMP-запросы выбранным хостам и измеряет время "
"отклика."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/processes.lua:7
msgid ""
"The processes plugin collects information like cpu time, page faults and "
"memory usage of selected processes."
msgstr ""
"Плагин «Процессы» собирает информацию, такую как время CPU, ошибки страниц и "
"использование памяти выбранных процессов."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/rrdtool.lua:7
msgid ""
"The rrdtool plugin stores the collected data in rrd database files, the "
"foundation of the diagrams.<br /><br /><strong>Warning: Setting the wrong "
"values will result in a very high memory consumption in the temporary "
"directory. This can render the device unusable!</strong>"
msgstr ""
"Плагин «RRDTool» сохраняет статистику в формате RRD для последующего "
"построения диаграмм.<br /><br /><strong>Внимание: установка неверных "
"параметров может привезти к высокому потреблению памяти устройства. Это "
"может привести к зависанию устройства!</strong>"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/sensors.lua:65
msgid ""
"The sensors plugin uses the Linux Sensors framework to gather environmental "
"statistics."
msgstr ""
"Плагин «Сенсоры» использует сенсоры Linux, чтобы собрать статистику "
"состояния устройства."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/splash_leases.lua:6
msgid ""
"The splash leases plugin uses libuci to collect statistics about splash "
"leases."
msgstr "Плагин «Splash» использует libuci для сбора статистики работы splash."
#: applications/luci-app-statistics/luasrc/view/admin_statistics/index.htm:11
msgid ""
"The statistics package uses <a href=\"https://collectd.org/\">Collectd</a> "
"to gather data and <a href=\"http://oss.oetiker.ch/rrdtool/\">RRDtool</a> to "
"render diagram images."
msgstr ""
"Приложение статистики использует <a href=\"https://collectd.org/\">collectd</"
"a> для сбора данных и <a href=\"http://oss.oetiker.ch/rrdtool/\">RRDtool</a> "
"для представления их в виде графиков."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/tcpconns.lua:7
msgid ""
"The tcpconns plugin collects information about open tcp connections on "
"selected ports."
msgstr ""
"Плагин «TCPConns» собирает информацию об открытых TCP соединениях на "
"выбранных портах."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/thermal.lua:5
msgid ""
"The thermal plugin will monitor temperature of the system. Data is typically "
"read from /sys/class/thermal/*/temp ( '*' denotes the thermal device to be "
"read, e.g. thermal_zone1 )"
msgstr ""
"Плагин «Thermal» собирает информацию с температурных сенсоров. Данные будут "
"считываются из /sys/class/thermal/*/temp ( '*' обозначает сенсор "
"устройства , как-то thermal_zone1 )"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/unixsock.lua:7
msgid ""
"The unixsock plugin creates a unix socket which can be used to read "
"collected data from a running collectd instance."
msgstr ""
"Плагин «UnixSock» создает Unix-сокет, который может быть использован для "
"получения статистики от работающего сервиса collectd."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/uptime.lua:6
msgid "The uptime plugin collects statistics about the uptime of the system."
msgstr "Плагин «Uptime» собирает статистику о времени работы системы."
#: applications/luci-app-statistics/luasrc/statistics/plugins/thermal.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/thermal.lua:6
msgid "Thermal"
msgstr "Thermal"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/thermal.lua:4
msgid "Thermal Plugin Configuration"
msgstr "Настройка плагина «Thermal»"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/contextswitch.lua:5
msgid "This plugin collects statistics about the processor context switches."
msgstr "Данный плагин собирает статистику о переключение контекста процессора."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/cpufreq.lua:5
msgid "This plugin collects statistics about the processor frequency scaling."
msgstr "Этот плагин собирает статистику о частоте процессора масштабирования."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/network.lua:26
msgid ""
"This section defines on which interfaces collectd will wait for incoming "
"connections."
msgstr ""
"Строка задает интерфейсы, на которых collectd будет обрабатывать входящие "
"соединения."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/network.lua:47
msgid ""
"This section defines to which servers the locally collected data is sent to."
msgstr ""
"Строка задает сервера, на которые будет передаваться локальная статистика."
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/collectd.lua:54
msgid "Try to lookup fully qualified hostname"
msgstr "Пытаться определять полное имя хоста"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/nut.lua:12
#: applications/luci-app-statistics/luasrc/statistics/plugins/nut.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/nut.lua:6
msgid "UPS"
msgstr "ИБП"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/nut.lua:4
msgid "UPS Plugin Configuration"
msgstr "Настройка плагина «UPS»"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/nut.lua:12
msgid "UPS name in NUT ups@host format"
msgstr "Имя ИБП в формате NUT ups@host"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/curl.lua:22
msgid "URL"
msgstr "URL"
#: applications/luci-app-statistics/luasrc/statistics/plugins/unixsock.lua:7
msgid "UnixSock"
msgstr "UnixSock"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/unixsock.lua:5
msgid "Unixsock Plugin Configuration"
msgstr "Настройка плагина «UnixSock»"
#: applications/luci-app-statistics/luasrc/statistics/plugins/uptime.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/uptime.lua:15
msgid "Uptime"
msgstr "Время работы"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/uptime.lua:5
msgid "Uptime Plugin Configuration"
msgstr "Настройка плагина «Uptime»"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/openvpn.lua:35
msgid "Use improved naming schema"
msgstr "Использовать улучшенную схему наименования"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/collectd.lua:36
msgid "Used PID file"
msgstr "Используемый PID-файл"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/exec.lua:36
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/exec.lua:65
msgid "User"
msgstr "Пользователь"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/netlink.lua:35
msgid "Verbose monitoring"
msgstr "Расширенная статистика"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/cpu.lua:25
msgid "When set to true, reports per-state metric (system, user, idle)"
msgstr ""
"При включении, отображаются метрики для каждого состояния (system, user, "
"idle)"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/memory.lua:16
msgid "When set to true, we request absolute values"
msgstr "При включении, отображаются абсолютные значения"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/cpu.lua:32
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/memory.lua:24
msgid "When set to true, we request percentage values"
msgstr "При включении, отображаются значения в процентах"
#: applications/luci-app-statistics/luasrc/statistics/plugins/iwinfo.lua:7
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/iwinfo.lua:7
msgid "Wireless"
msgstr "Wi-Fi"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iwinfo.lua:7
msgid "Wireless iwinfo Plugin Configuration"
msgstr "Настройка плагина «Wi-Fi»"
#: applications/luci-app-statistics/luasrc/view/admin_statistics/index.htm:15
msgid ""
"You can install additional collectd-mod-* plugins to enable more statistics."
msgstr ""
"Вы можете установить плагины collectd-mod-* для включения дополнительной "
"статистики."
#: applications/luci-app-statistics/luasrc/statistics/plugins/curl.lua:2
#: applications/luci-app-statistics/luasrc/statistics/rrdtool/definitions/curl.lua:7
msgid "cUrl"
msgstr "cUrl"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/curl.lua:5
msgid "cUrl Plugin Configuration"
msgstr "Настройка плагина «cUrl»"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iptables.lua:109
msgid "e.g. br-ff"
msgstr "напр. br-ff"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iptables.lua:103
msgid "e.g. br-lan"
msgstr "напр. br-lan"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iptables.lua:115
msgid "e.g. reject-with tcp-reset"
msgstr "напр. reject-with tcp-reset"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/iptables.lua:45
msgid "max. 16 chars"
msgstr "не более 16 символов"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/rrdtool.lua:53
msgid "reduces rrd size"
msgstr "позволяет уменьшить размер RRD"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/rrdtool.lua:67
msgid "seconds; multiple separated by space"
msgstr "секунд; значения разделенные пробелом"
#: applications/luci-app-statistics/luasrc/model/cbi/luci_statistics/network.lua:45
msgid "server interfaces"
msgstr "Интерфейсы сервера"
|