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
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
|
# translation of gtk+-master-po-ru-9735.merged.po to Russian
# Russian translation of gtk+
# Copyright (C) 1999-2009, 2010 Free Software Foundation, Inc.
#
#
#
# Sergey Panov <sipan@mit.edu>, 1999.
# Valek Filippov <frob@df.ru>, 2000-2002.
# Dmitry Mastrukov <dmitry@taurussoft.org>, 2002-2004.
# Sun G11n <gnome_int_l10n@ireland.sun.com>, 2002.
# Andrew W. Nosenko <awn@bcs.zp.ua>, 2003.
# Leonid Kanter <leon@asplinux.ru>, 2004-2006.
# Alexander Sigachov <alexander.sigachov@gmail.com>, 2006.
# Vasiliy Faronov <qvvx@yandex.ru>, 2007.
# Anton Shestakov <engored@ya.ru>, 2008.
# Lebedev Roman <roman@lebedev.com>, 2009.
# Yuri Kozlov <yuray@komyakino.ru>, 2010.
# Yuri Myasoedov <omerta13@yandex.ru>, 2012, 2013.
# Mihail Gurin <mikegurin@yandex.ru>, 2015.
# Stas Solovey <whats_up@tut.by>, 2015.
#
msgid ""
msgstr ""
"Project-Id-Version: gtk+.master\n"
"Report-Msgid-Bugs-To: http://bugzilla.gnome.org/enter_bug.cgi?product=gtk"
"%2b&keywords=I18N+L10N&component=gdk\n"
"POT-Creation-Date: 2015-01-05 05:47+0000\n"
"PO-Revision-Date: 2015-01-06 12:22+0300\n"
"Last-Translator: Stas Solovey <whats_up@tut.by>\n"
"Language-Team: Русский <gnome-cyr@gnome.org>\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: Gtranslator 2.91.6\n"
#: ../gdk-pixbuf/gdk-pixbuf-animation.c:158 ../gdk-pixbuf/gdk-pixbuf-io.c:1101
#: ../gdk-pixbuf/gdk-pixbuf-io.c:1357
#, c-format
msgid "Failed to open file '%s': %s"
msgstr "Не удалось открыть файл «%s»: %s"
#: ../gdk-pixbuf/gdk-pixbuf-animation.c:171 ../gdk-pixbuf/gdk-pixbuf-io.c:986
#, c-format
msgid "Image file '%s' contains no data"
msgstr "Файл изображения «%s» не содержит данных"
#: ../gdk-pixbuf/gdk-pixbuf-animation.c:210
#, c-format
msgid ""
"Failed to load animation '%s': reason not known, probably a corrupt "
"animation file"
msgstr ""
"Не удалось загрузить анимацию «%s»: причина неизвестна, возможно, файл "
"анимации повреждён"
#: ../gdk-pixbuf/gdk-pixbuf-animation.c:278 ../gdk-pixbuf/gdk-pixbuf-io.c:1137
#: ../gdk-pixbuf/gdk-pixbuf-io.c:1409
#, c-format
msgid ""
"Failed to load image '%s': reason not known, probably a corrupt image file"
msgstr ""
"Не удалось загрузить изображение «%s»: причина неизвестна, возможно, файл "
"изображения повреждён"
#: ../gdk-pixbuf/gdk-pixbuf.c:161
msgid "Number of Channels"
msgstr "Число каналов"
#: ../gdk-pixbuf/gdk-pixbuf.c:162
msgid "The number of samples per pixel"
msgstr "Число сэмплов на пиксель"
#: ../gdk-pixbuf/gdk-pixbuf.c:171
msgid "Colorspace"
msgstr "Цветовое пространство"
#: ../gdk-pixbuf/gdk-pixbuf.c:172
msgid "The colorspace in which the samples are interpreted"
msgstr "Цветовое пространство, в котором интерпретируются сэмплы"
#: ../gdk-pixbuf/gdk-pixbuf.c:180
msgid "Has Alpha"
msgstr "Альфа-канал"
#: ../gdk-pixbuf/gdk-pixbuf.c:181
msgid "Whether the pixbuf has an alpha channel"
msgstr "Имеет ли pixbuf альфа-канал"
#: ../gdk-pixbuf/gdk-pixbuf.c:194
msgid "Bits per Sample"
msgstr "Битов на сэмпл"
#: ../gdk-pixbuf/gdk-pixbuf.c:195
msgid "The number of bits per sample"
msgstr "Число битов на сэмпл"
#: ../gdk-pixbuf/gdk-pixbuf.c:204
msgid "Width"
msgstr "Ширина"
#: ../gdk-pixbuf/gdk-pixbuf.c:205
msgid "The number of columns of the pixbuf"
msgstr "Число столбцов в pixbuf"
#: ../gdk-pixbuf/gdk-pixbuf.c:214
msgid "Height"
msgstr "Высота"
#: ../gdk-pixbuf/gdk-pixbuf.c:215
msgid "The number of rows of the pixbuf"
msgstr "Число строк в pixbuf"
#: ../gdk-pixbuf/gdk-pixbuf.c:231
msgid "Rowstride"
msgstr "Промежуток между строк"
#: ../gdk-pixbuf/gdk-pixbuf.c:232
msgid ""
"The number of bytes between the start of a row and the start of the next row"
msgstr "Количество байт между началом одной строки и началом другой"
#: ../gdk-pixbuf/gdk-pixbuf.c:241
msgid "Pixels"
msgstr "Пиксели"
#: ../gdk-pixbuf/gdk-pixbuf.c:242
msgid "A pointer to the pixel data of the pixbuf"
msgstr "Указатель на пиксельные данные pixbuf"
#: ../gdk-pixbuf/gdk-pixbuf.c:256
msgid "Pixel Bytes"
msgstr "Байты пикселей"
#: ../gdk-pixbuf/gdk-pixbuf.c:257
msgid "Readonly pixel data"
msgstr "Пиксельные данные только для чтения"
#: ../gdk-pixbuf/gdk-pixbuf-io.c:798
#, c-format
msgid "Unable to load image-loading module: %s: %s"
msgstr "Не удалось загрузить модуль загрузки изображений: %s: %s"
#: ../gdk-pixbuf/gdk-pixbuf-io.c:813
#, c-format
msgid ""
"Image-loading module %s does not export the proper interface; perhaps it's "
"from a different gdk-pixbuf version?"
msgstr ""
"Модуль загрузки изображений %s не предоставляет соответствующий интерфейс; "
"возможно, модуль относится к другой версии gdk-pixbuf?"
#: ../gdk-pixbuf/gdk-pixbuf-io.c:822 ../gdk-pixbuf/gdk-pixbuf-io.c:873
#, c-format
msgid "Image type '%s' is not supported"
msgstr "Тип изображения «%s» не поддерживается"
#: ../gdk-pixbuf/gdk-pixbuf-io.c:958
#, c-format
msgid "Couldn't recognize the image file format for file '%s'"
msgstr "Не удалось распознать формат изображения для файла «%s»"
#: ../gdk-pixbuf/gdk-pixbuf-io.c:966
msgid "Unrecognized image file format"
msgstr "Нераспознанный формат файла изображения"
#: ../gdk-pixbuf/gdk-pixbuf-io.c:1148
#, c-format
msgid "Failed to load image '%s': %s"
msgstr "Не удалось загрузить изображение «%s»: %s"
#: ../gdk-pixbuf/gdk-pixbuf-io.c:2175 ../gdk-pixbuf/io-gdip-utils.c:835
#, c-format
msgid "Error writing to image file: %s"
msgstr "Не удалось записать изображение: %s"
#: ../gdk-pixbuf/gdk-pixbuf-io.c:2217 ../gdk-pixbuf/gdk-pixbuf-io.c:2338
#, c-format
msgid "This build of gdk-pixbuf does not support saving the image format: %s"
msgstr ""
"Данная сборка подсистемы «gdk-pixbuf» не поддерживает сохранение изображений "
"в таком формате: %s"
#: ../gdk-pixbuf/gdk-pixbuf-io.c:2248
msgid "Insufficient memory to save image to callback"
msgstr "Недостаточно памяти для сохранения файла изображения"
#: ../gdk-pixbuf/gdk-pixbuf-io.c:2261
msgid "Failed to open temporary file"
msgstr "Не удалось открыть временный файл"
#: ../gdk-pixbuf/gdk-pixbuf-io.c:2284
msgid "Failed to read from temporary file"
msgstr "Не удалось прочитать из временного файла"
#: ../gdk-pixbuf/gdk-pixbuf-io.c:2534
#, c-format
msgid "Failed to open '%s' for writing: %s"
msgstr "Не удалось открыть файл «%s» для записи: %s"
#: ../gdk-pixbuf/gdk-pixbuf-io.c:2560
#, c-format
msgid ""
"Failed to close '%s' while writing image, all data may not have been saved: "
"%s"
msgstr ""
"Не удалось закрыть файл «%s» во время записи изображения, не все данные "
"могли быть сохранены: %s"
#: ../gdk-pixbuf/gdk-pixbuf-io.c:2781 ../gdk-pixbuf/gdk-pixbuf-io.c:2833
msgid "Insufficient memory to save image into a buffer"
msgstr "Недостаточно памяти для сохранения изображения в буфер"
#: ../gdk-pixbuf/gdk-pixbuf-io.c:2879
msgid "Error writing to image stream"
msgstr "Не удалось записать в поток изображения"
#: ../gdk-pixbuf/gdk-pixbuf-loader.c:382
#, c-format
msgid ""
"Internal error: Image loader module '%s' failed to complete an operation, "
"but didn't give a reason for the failure"
msgstr ""
"Произошла внутренняя ошибка: модуль загрузки изображений «%s» не завершил "
"загрузку, но не сообщил причину сбоя"
#: ../gdk-pixbuf/gdk-pixbuf-loader.c:424
#, c-format
msgid "Incremental loading of image type '%s' is not supported"
msgstr "Пошаговая загрузка изображения формата «%s» не поддерживается"
#: ../gdk-pixbuf/gdk-pixbuf-simple-anim.c:161
msgid "Loop"
msgstr "Цикл"
#: ../gdk-pixbuf/gdk-pixbuf-simple-anim.c:162
msgid "Whether the animation should loop when it reaches the end"
msgstr "Должна ли анимация начинаться с начала после окончания"
#: ../gdk-pixbuf/gdk-pixdata.c:163
msgid "Image header corrupt"
msgstr "Заголовок изображения повреждён"
#: ../gdk-pixbuf/gdk-pixdata.c:168
msgid "Image format unknown"
msgstr "Неизвестный формат изображения"
#: ../gdk-pixbuf/gdk-pixdata.c:173 ../gdk-pixbuf/gdk-pixdata.c:511
msgid "Image pixel data corrupt"
msgstr "Пиксельные данные изображения повреждены"
#: ../gdk-pixbuf/gdk-pixdata.c:455
#, c-format
msgid "failed to allocate image buffer of %u byte"
msgid_plural "failed to allocate image buffer of %u bytes"
msgstr[0] ""
"не удалось выделить память в размере %u байта для буфера изображения"
msgstr[1] "не удалось выделить память в размере %u байт для буфера изображения"
msgstr[2] "не удалось выделить память в размере %u байт для буфера изображения"
#: ../gdk-pixbuf/io-ani.c:242
msgid "Unexpected icon chunk in animation"
msgstr "Неожиданная последовательность кадров анимации"
#: ../gdk-pixbuf/io-ani.c:340 ../gdk-pixbuf/io-ani.c:398
#: ../gdk-pixbuf/io-ani.c:424 ../gdk-pixbuf/io-ani.c:447
#: ../gdk-pixbuf/io-ani.c:474 ../gdk-pixbuf/io-ani.c:561
msgid "Invalid header in animation"
msgstr "Недопустимый заголовок анимации"
#: ../gdk-pixbuf/io-ani.c:350 ../gdk-pixbuf/io-ani.c:372
#: ../gdk-pixbuf/io-ani.c:456 ../gdk-pixbuf/io-ani.c:483
#: ../gdk-pixbuf/io-ani.c:534 ../gdk-pixbuf/io-ani.c:606
msgid "Not enough memory to load animation"
msgstr "Недостаточно памяти для загрузки анимации"
#: ../gdk-pixbuf/io-ani.c:390 ../gdk-pixbuf/io-ani.c:416
#: ../gdk-pixbuf/io-ani.c:435
msgid "Malformed chunk in animation"
msgstr "Неверная последовательность кадров в анимации"
#: ../gdk-pixbuf/io-ani.c:628
msgid "ANI image was truncated or incomplete."
msgstr "Изображение ANI было обрезано или является неполным."
#: ../gdk-pixbuf/io-ani.c:669
msgctxt "image format"
msgid "Windows animated cursor"
msgstr "Анимированный курсор Windows"
#: ../gdk-pixbuf/io-bmp.c:227 ../gdk-pixbuf/io-bmp.c:264
#: ../gdk-pixbuf/io-bmp.c:358 ../gdk-pixbuf/io-bmp.c:381
#: ../gdk-pixbuf/io-bmp.c:484
msgid "BMP image has bogus header data"
msgstr "Изображение формата BMP имеет неправильные данные в заголовке"
#: ../gdk-pixbuf/io-bmp.c:238 ../gdk-pixbuf/io-bmp.c:421
msgid "Not enough memory to load bitmap image"
msgstr "Недостаточно памяти для загрузки изображения"
#: ../gdk-pixbuf/io-bmp.c:316
msgid "BMP image has unsupported header size"
msgstr "Изображение формата BMP имеет неподдерживаемый размер заголовка"
#: ../gdk-pixbuf/io-bmp.c:345
msgid "Topdown BMP images cannot be compressed"
msgstr "Нельзя сжимать перевёрнутые изображения в формате BMP"
#: ../gdk-pixbuf/io-bmp.c:705 ../gdk-pixbuf/io-png.c:530
#: ../gdk-pixbuf/io-pnm.c:705
msgid "Premature end-of-file encountered"
msgstr "Обнаружен преждевременный конец файла"
#: ../gdk-pixbuf/io-bmp.c:1317
msgid "Couldn't allocate memory for saving BMP file"
msgstr "Не удалось выделить память для сохранения файла в формате BMP"
#: ../gdk-pixbuf/io-bmp.c:1358
msgid "Couldn't write to BMP file"
msgstr "Не удалось записать в файл формата BMP"
#: ../gdk-pixbuf/io-bmp.c:1411 ../gdk-pixbuf/io-gdip-bmp.c:80
msgctxt "image format"
msgid "BMP"
msgstr "BMP"
#: ../gdk-pixbuf/io-gdip-emf.c:57
msgctxt "image format"
msgid "EMF"
msgstr "EMF"
#: ../gdk-pixbuf/io-gdip-gif.c:78 ../gdk-pixbuf/io-gif.c:1719
msgctxt "image format"
msgid "GIF"
msgstr "GIF"
#: ../gdk-pixbuf/io-gdip-ico.c:57 ../gdk-pixbuf/io-ico.c:1268
msgctxt "image format"
msgid "Windows icon"
msgstr "Значок Windows"
#: ../gdk-pixbuf/io-gdip-jpeg.c:51 ../gdk-pixbuf/io-jpeg.c:1292
#, c-format
msgid ""
"JPEG quality must be a value between 0 and 100; value '%s' could not be "
"parsed."
msgstr ""
"Качество формата JPEG должно иметь значение между 0 и 100; значение «%s» не "
"может быть обработано."
#: ../gdk-pixbuf/io-gdip-jpeg.c:66 ../gdk-pixbuf/io-jpeg.c:1308
#, c-format
msgid ""
"JPEG quality must be a value between 0 and 100; value '%d' is not allowed."
msgstr ""
"Качество формата JPEG должно иметь значение между 0 и 100; значение «%d» "
"недопустимо."
#: ../gdk-pixbuf/io-gdip-jpeg.c:134 ../gdk-pixbuf/io-jpeg.c:1570
msgctxt "image format"
msgid "JPEG"
msgstr "JPEG"
#: ../gdk-pixbuf/io-gdip-tiff.c:80 ../gdk-pixbuf/io-tiff.c:1018
msgctxt "image format"
msgid "TIFF"
msgstr "TIFF"
#: ../gdk-pixbuf/io-gdip-utils.c:152
#, c-format
msgid "Could not allocate memory: %s"
msgstr "Не удалось выделить память: %s"
#: ../gdk-pixbuf/io-gdip-utils.c:177 ../gdk-pixbuf/io-gdip-utils.c:291
#: ../gdk-pixbuf/io-gdip-utils.c:331
#, c-format
msgid "Could not create stream: %s"
msgstr "Не удалось создать поток: %s"
#: ../gdk-pixbuf/io-gdip-utils.c:191
#, c-format
msgid "Could not seek stream: %s"
msgstr "Не удалось сменить позицию в потоке: %s"
#: ../gdk-pixbuf/io-gdip-utils.c:203
#, c-format
msgid "Could not read from stream: %s"
msgstr "Не удалось прочитать из потока: %s"
#: ../gdk-pixbuf/io-gdip-utils.c:615
msgid "Couldn't load bitmap"
msgstr "Не удалось загрузить растровое изображение"
#: ../gdk-pixbuf/io-gdip-utils.c:771
msgid "Couldn't load metafile"
msgstr "Не удалось загрузить метафайл"
#: ../gdk-pixbuf/io-gdip-utils.c:876
msgid "Unsupported image format for GDI+"
msgstr "Данный формат изображений не поддерживается для GDI+"
#: ../gdk-pixbuf/io-gdip-utils.c:883
msgid "Couldn't save"
msgstr "Не удалось сохранить"
#: ../gdk-pixbuf/io-gdip-wmf.c:56
msgctxt "image format"
msgid "WMF"
msgstr "WMF"
#: ../gdk-pixbuf/io-gif.c:220
#, c-format
msgid "Failure reading GIF: %s"
msgstr "Не удалось прочитать файл формата GIF: %s"
#: ../gdk-pixbuf/io-gif.c:494 ../gdk-pixbuf/io-gif.c:1501
#: ../gdk-pixbuf/io-gif.c:1668
msgid "GIF file was missing some data (perhaps it was truncated somehow?)"
msgstr ""
"В файле формата GIF отсутствуют некоторые данные (возможно, файл был "
"обрезан?)"
#: ../gdk-pixbuf/io-gif.c:503
#, c-format
msgid "Internal error in the GIF loader (%s)"
msgstr ""
"Произошла внутренняя ошибка в модуле загрузки изображений формата GIF (%s)"
#: ../gdk-pixbuf/io-gif.c:577
msgid "Stack overflow"
msgstr "Переполнение стека"
#: ../gdk-pixbuf/io-gif.c:637
msgid "GIF image loader cannot understand this image."
msgstr ""
"Модуль загрузки изображений формата GIF не может понять это изображение."
#: ../gdk-pixbuf/io-gif.c:666
msgid "Bad code encountered"
msgstr "Обнаружен неправильный код"
#: ../gdk-pixbuf/io-gif.c:676
msgid "Circular table entry in GIF file"
msgstr "В файле формата GIF обнаружена круговая табличная запись"
#: ../gdk-pixbuf/io-gif.c:864 ../gdk-pixbuf/io-gif.c:1487
#: ../gdk-pixbuf/io-gif.c:1540 ../gdk-pixbuf/io-gif.c:1656
msgid "Not enough memory to load GIF file"
msgstr "Недостаточно памяти для загрузки файла формата GIF"
#: ../gdk-pixbuf/io-gif.c:958
msgid "Not enough memory to composite a frame in GIF file"
msgstr "Недостаточно памяти для создания кадра в файле GIF"
#: ../gdk-pixbuf/io-gif.c:1130
msgid "GIF image is corrupt (incorrect LZW compression)"
msgstr ""
"Изображение формата GIF повреждено (неправильное сжатие алгоритмом LZW)"
#: ../gdk-pixbuf/io-gif.c:1180
msgid "File does not appear to be a GIF file"
msgstr "Вероятно, файл не является файлом формата GIF"
#: ../gdk-pixbuf/io-gif.c:1192
#, c-format
msgid "Version %s of the GIF file format is not supported"
msgstr "Файлы формата GIF версии %s не поддерживаются"
#: ../gdk-pixbuf/io-gif.c:1239
msgid "Resulting GIF image has zero size"
msgstr "Результрующее изображение в формате GIF имеет нулевой размер"
#: ../gdk-pixbuf/io-gif.c:1318
msgid ""
"GIF image has no global colormap, and a frame inside it has no local "
"colormap."
msgstr ""
"В изображении формата GIF отсутствует глобальная карта цветов, в кадре "
"внутри него отсутствует локальная карта цветов."
#: ../gdk-pixbuf/io-gif.c:1563
msgid "GIF image was truncated or incomplete."
msgstr "Обрезанное или неполное изображение в формате GIF."
#: ../gdk-pixbuf/io-icns.c:358
#, c-format
msgid "Error reading ICNS image: %s"
msgstr "Ошибка чтения изображения в формате ICNS: %s"
#: ../gdk-pixbuf/io-icns.c:375 ../gdk-pixbuf/io-icns.c:452
msgid "Could not decode ICNS file"
msgstr "Не удалось декодировать файл формата ICNS"
#: ../gdk-pixbuf/io-icns.c:511
msgctxt "image format"
msgid "MacOS X icon"
msgstr "Значок MacOS X"
#: ../gdk-pixbuf/io-ico.c:226 ../gdk-pixbuf/io-ico.c:240
#: ../gdk-pixbuf/io-ico.c:291 ../gdk-pixbuf/io-ico.c:302
#: ../gdk-pixbuf/io-ico.c:386
msgid "Invalid header in icon"
msgstr "Недопустимый заголовок значка"
#: ../gdk-pixbuf/io-ico.c:255 ../gdk-pixbuf/io-ico.c:312
#: ../gdk-pixbuf/io-ico.c:396 ../gdk-pixbuf/io-ico.c:449
#: ../gdk-pixbuf/io-ico.c:479
msgid "Not enough memory to load icon"
msgstr "Недостаточно памяти для загрузки значка"
#: ../gdk-pixbuf/io-ico.c:338
msgid "Compressed icons are not supported"
msgstr "Сжатые значки не поддерживаются"
#: ../gdk-pixbuf/io-ico.c:434
msgid "Unsupported icon type"
msgstr "Неподдерживаемый тип значка"
#: ../gdk-pixbuf/io-ico.c:528
msgid "Not enough memory to load ICO file"
msgstr "Недостаточно памяти для загрузки файла формата ICO"
#: ../gdk-pixbuf/io-ico.c:993
msgid "Image too large to be saved as ICO"
msgstr "Слишком большое изображения для сохранения в формате ICO"
#: ../gdk-pixbuf/io-ico.c:1004
msgid "Cursor hotspot outside image"
msgstr "Активирующая область определена за границами изображения"
#: ../gdk-pixbuf/io-ico.c:1027
#, c-format
msgid "Unsupported depth for ICO file: %d"
msgstr "Неподдерживаемая глубина цвета для файла формата ICO: %d"
#: ../gdk-pixbuf/io-jasper.c:73
msgid "Couldn't allocate memory for stream"
msgstr "Не удалось выделить память для потока"
#: ../gdk-pixbuf/io-jasper.c:103
msgid "Couldn't decode image"
msgstr "Не удалось декодировать изображение"
#: ../gdk-pixbuf/io-jasper.c:121
msgid "Transformed JPEG2000 has zero width or height"
msgstr ""
"Преобразованное изображение формата JPEG2000 имеет нулевую ширину или высоту"
#: ../gdk-pixbuf/io-jasper.c:135
msgid "Image type currently not supported"
msgstr "Тип изображения не поддерживается в данной версии"
#: ../gdk-pixbuf/io-jasper.c:147 ../gdk-pixbuf/io-jasper.c:155
msgid "Couldn't allocate memory for color profile"
msgstr "Не удалось выделить память для цветового профиля"
#: ../gdk-pixbuf/io-jasper.c:181
msgid "Insufficient memory to open JPEG 2000 file"
msgstr "Недостаточно памяти для открытия файла формата JPEG 2000"
#: ../gdk-pixbuf/io-jasper.c:260
msgid "Couldn't allocate memory to buffer image data"
msgstr "Не удалось выделить память для буферизации данных изображения"
#: ../gdk-pixbuf/io-jasper.c:304
msgctxt "image format"
msgid "JPEG 2000"
msgstr "JPEG 2000"
#: ../gdk-pixbuf/io-jpeg.c:124
#, c-format
msgid "Error interpreting JPEG image file (%s)"
msgstr "Ошибка интерпретации файла изображения формата JPEG (%s)"
#: ../gdk-pixbuf/io-jpeg.c:595
msgid ""
"Insufficient memory to load image, try exiting some applications to free "
"memory"
msgstr ""
"Недостаточно памяти для загрузки изображения. Закройте другие приложения, "
"чтобы освободить память."
#: ../gdk-pixbuf/io-jpeg.c:664 ../gdk-pixbuf/io-jpeg.c:877
#, c-format
msgid "Unsupported JPEG color space (%s)"
msgstr "Цветовое пространство (%s) формата JPEG не поддерживается"
#: ../gdk-pixbuf/io-jpeg.c:776 ../gdk-pixbuf/io-jpeg.c:1057
#: ../gdk-pixbuf/io-jpeg.c:1393 ../gdk-pixbuf/io-jpeg.c:1403
msgid "Couldn't allocate memory for loading JPEG file"
msgstr "Не удалось выделить память для загрузки файла формата JPEG"
#: ../gdk-pixbuf/io-jpeg.c:1031
msgid "Transformed JPEG has zero width or height."
msgstr ""
"Преобразованное изображение формата JPEG имеет нулевую ширину или высоту"
#: ../gdk-pixbuf/io-jpeg.c:1329
#, c-format
msgid ""
"JPEG x-dpi must be a value between 1 and 65535; value '%s' is not allowed."
msgstr ""
"X-dpi формата JPEG должно иметь значение от 1 до 65535. Значение "
"«%s»недопустимо."
#: ../gdk-pixbuf/io-jpeg.c:1350
#, c-format
msgid ""
"JPEG y-dpi must be a value between 1 and 65535; value '%s' is not allowed."
msgstr ""
"Y-dpi формата JPEG должно иметь значение между 0 и 65535; значение «%s» "
"недопустимо."
#: ../gdk-pixbuf/io-jpeg.c:1364
#, c-format
msgid "Color profile has invalid length '%u'."
msgstr "Цветовой профиль имеет недопустимую длину «%u»."
#: ../gdk-pixbuf/io-pcx.c:184
msgid "Couldn't allocate memory for header"
msgstr "Не удалось выделить память для заголовка"
#: ../gdk-pixbuf/io-pcx.c:199 ../gdk-pixbuf/io-pcx.c:557
msgid "Couldn't allocate memory for context buffer"
msgstr "Не удалось выделить память для буфера контекста"
#: ../gdk-pixbuf/io-pcx.c:598
msgid "Image has invalid width and/or height"
msgstr "Изображение имеет нулевую ширину и (или) высоту"
#: ../gdk-pixbuf/io-pcx.c:610 ../gdk-pixbuf/io-pcx.c:671
msgid "Image has unsupported bpp"
msgstr "Изображение имеет неподдерживаемое количество бит на пиксел"
#: ../gdk-pixbuf/io-pcx.c:615 ../gdk-pixbuf/io-pcx.c:623
#, c-format
msgid "Image has unsupported number of %d-bit planes"
msgstr ""
"Изображение имеет неподдерживаемое количество многобитовых (%d) плоскостей"
#: ../gdk-pixbuf/io-pcx.c:639
msgid "Couldn't create new pixbuf"
msgstr "Не удалось создать новую структуру pixbuf"
#: ../gdk-pixbuf/io-pcx.c:647
msgid "Couldn't allocate memory for line data"
msgstr "Не удалось выделить память для данных строки"
#: ../gdk-pixbuf/io-pcx.c:654
msgid "Couldn't allocate memory for PCX image"
msgstr "Не удалось выделить память для изображения формата PCX"
#: ../gdk-pixbuf/io-pcx.c:701
msgid "Didn't get all lines of PCX image"
msgstr "Получены не все строки изображения формата PCX"
#: ../gdk-pixbuf/io-pcx.c:708
msgid "No palette found at end of PCX data"
msgstr "В конце данных формата PCX палитра не найдена"
#: ../gdk-pixbuf/io-pcx.c:753
msgctxt "image format"
msgid "PCX"
msgstr "PCX"
#: ../gdk-pixbuf/io-pixdata.c:146
msgid "Transformed pixbuf has zero width or height."
msgstr "Преобразованная структура pixbuf имеет нулевую ширину или высоту."
#: ../gdk-pixbuf/io-pixdata.c:184
msgctxt "image format"
msgid "GdkPixdata"
msgstr "GdkPixdata"
#: ../gdk-pixbuf/io-png.c:54
msgid "Bits per channel of PNG image is invalid."
msgstr "Недопустимое количество бит на канал для изображения формата PNG."
#: ../gdk-pixbuf/io-png.c:135 ../gdk-pixbuf/io-png.c:670
msgid "Transformed PNG has zero width or height."
msgstr ""
"Преобразованное изображение формата PNG имеет нулевую ширину или высоту."
#: ../gdk-pixbuf/io-png.c:143
msgid "Bits per channel of transformed PNG is not 8."
msgstr ""
"Количество бит на канал преобразованного изображения формата PNG не равно 8."
#: ../gdk-pixbuf/io-png.c:152
msgid "Transformed PNG not RGB or RGBA."
msgstr "Преобразованное изображение формата PNG не является ни RGB, ни RGBA."
#: ../gdk-pixbuf/io-png.c:161
msgid "Transformed PNG has unsupported number of channels, must be 3 or 4."
msgstr ""
"Преобразованное изображение формата PNG имеет неподдерживаемое количество "
"каналов; должно быть 3 или 4."
#: ../gdk-pixbuf/io-png.c:182
#, c-format
msgid "Fatal error in PNG image file: %s"
msgstr "Фатальная ошибка в файле изображения формата PNG: %s"
#: ../gdk-pixbuf/io-png.c:319
msgid "Insufficient memory to load PNG file"
msgstr "Недостаточно памяти для загрузки файла формата PNG"
#: ../gdk-pixbuf/io-png.c:685
#, c-format
msgid ""
"Insufficient memory to store a %lu by %lu image; try exiting some "
"applications to reduce memory usage"
msgstr ""
"Недостаточно памяти для хранения изображения размером %lu на %lu; попробуйте "
"закрыть некоторые приложения, чтобы уменьшить количество используемой памяти"
#: ../gdk-pixbuf/io-png.c:760
msgid "Fatal error reading PNG image file"
msgstr "Фатальная ошибка при чтении файла изображения формата PNG"
#: ../gdk-pixbuf/io-png.c:809
#, c-format
msgid "Fatal error reading PNG image file: %s"
msgstr "Фатальная ошибка при чтении файла изображения формата PNG: %s"
#: ../gdk-pixbuf/io-png.c:901
msgid ""
"Keys for PNG text chunks must have at least 1 and at most 79 characters."
msgstr ""
"Ключи для блоков текста в изображении формата PNG должны содержать не менее "
"1, и не более 79 символов."
#: ../gdk-pixbuf/io-png.c:910
msgid "Keys for PNG text chunks must be ASCII characters."
msgstr ""
"Ключи для блоков текста в изображении формата PNG должны быть символами "
"набора ASCII."
#: ../gdk-pixbuf/io-png.c:924 ../gdk-pixbuf/io-tiff.c:796
#, c-format
msgid "Color profile has invalid length %d."
msgstr "Неправильная длина (%d) цветового профиля."
#: ../gdk-pixbuf/io-png.c:937
#, c-format
msgid ""
"PNG compression level must be a value between 0 and 9; value '%s' could not "
"be parsed."
msgstr ""
"Степень сжатия PNG может уметь значение от 0 до 9, значение «%s» не может "
"быть обработано."
#: ../gdk-pixbuf/io-png.c:950
#, c-format
msgid ""
"PNG compression level must be a value between 0 and 9; value '%d' is not "
"allowed."
msgstr ""
"Степень сжатия PNG может уметь значение от 0 до 9, значение «%d» не "
"допускается."
#: ../gdk-pixbuf/io-png.c:969
#, c-format
msgid "PNG x-dpi must be greater than zero; value '%s' is not allowed."
msgstr ""
"X-dpi формата PNG должно иметь значение между 0 и 100; значение «%s» "
"недопустимо."
#: ../gdk-pixbuf/io-png.c:989
#, c-format
msgid "PNG y-dpi must be greater than zero; value '%s' is not allowed."
msgstr ""
"Y-dpi формата JPEG должно иметь значение между 0 и 100; значение «%s» "
"недопустимо."
#: ../gdk-pixbuf/io-png.c:1038
#, c-format
msgid "Value for PNG text chunk %s cannot be converted to ISO-8859-1 encoding."
msgstr ""
"Значение для блока текста в изображении формата PNG %s не может быть "
"преобразовано в кодировку ISO-8859-1."
#: ../gdk-pixbuf/io-png.c:1206
msgctxt "image format"
msgid "PNG"
msgstr "PNG"
#: ../gdk-pixbuf/io-pnm.c:246
msgid "PNM loader expected to find an integer, but didn't"
msgstr ""
"Модуль загрузки изображений формата PNM ожидал найти целое число, но не "
"нашёл его"
#: ../gdk-pixbuf/io-pnm.c:278
msgid "PNM file has an incorrect initial byte"
msgstr "Файл формата PNM имеет неправильный начальный байт"
#: ../gdk-pixbuf/io-pnm.c:308
msgid "PNM file is not in a recognized PNM subformat"
msgstr "Файл формата PNM имеет нераспознаваемый субформат PNM"
#: ../gdk-pixbuf/io-pnm.c:333
msgid "PNM file has an image width of 0"
msgstr "Ширина изображения в формате PNM равна 0"
#: ../gdk-pixbuf/io-pnm.c:354
msgid "PNM file has an image height of 0"
msgstr "Высота изображения в формате PNM равна 0"
#: ../gdk-pixbuf/io-pnm.c:377
msgid "Maximum color value in PNM file is 0"
msgstr "Максимальное значение цвета в файле формата PNM равно 0"
#: ../gdk-pixbuf/io-pnm.c:385
msgid "Maximum color value in PNM file is too large"
msgstr "Максимальное значение цвета в файле формата PNM слишком велико"
#: ../gdk-pixbuf/io-pnm.c:425 ../gdk-pixbuf/io-pnm.c:455
#: ../gdk-pixbuf/io-pnm.c:500
msgid "Raw PNM image type is invalid"
msgstr "Недопустимый тип изображения в формает raw PNM"
#: ../gdk-pixbuf/io-pnm.c:650
msgid "PNM image loader does not support this PNM subformat"
msgstr ""
"Модуль загрузки изображений формата PNM не поддерживает этот субформат PNM"
#: ../gdk-pixbuf/io-pnm.c:737 ../gdk-pixbuf/io-pnm.c:964
msgid "Raw PNM formats require exactly one whitespace before sample data"
msgstr "Форматы raw PNM требуют ровно одного пробела перед данными сэмпла"
#: ../gdk-pixbuf/io-pnm.c:764
msgid "Cannot allocate memory for loading PNM image"
msgstr "Не удалось выделить память для загрузки файла изображения PNM"
#: ../gdk-pixbuf/io-pnm.c:814
msgid "Insufficient memory to load PNM context struct"
msgstr "Недостаточно памяти для загрузки структуры формата PNM"
#: ../gdk-pixbuf/io-pnm.c:865
msgid "Unexpected end of PNM image data"
msgstr "Неожиданный конец данных в изображении формата PNM"
#: ../gdk-pixbuf/io-pnm.c:993
msgid "Insufficient memory to load PNM file"
msgstr "Недостаточно памяти для загрузки файла формата PNM"
#: ../gdk-pixbuf/io-pnm.c:1077
msgctxt "image format"
msgid "PNM/PBM/PGM/PPM"
msgstr "PNM/PBM/PGM/PPM"
#: ../gdk-pixbuf/io-qtif.c:126
msgid "Input file descriptor is NULL."
msgstr "Файловый дескриптор ввода равен NULL."
#: ../gdk-pixbuf/io-qtif.c:141
msgid "Failed to read QTIF header"
msgstr "Не удалось прочитать заголовок QTIF"
#: ../gdk-pixbuf/io-qtif.c:150 ../gdk-pixbuf/io-qtif.c:187
#: ../gdk-pixbuf/io-qtif.c:454
#, c-format
msgid "QTIF atom size too large (%d byte)"
msgid_plural "QTIF atom size too large (%d bytes)"
msgstr[0] "Слишком большой размер атома QTIF (%d байт)"
msgstr[1] "Слишком большой размер атома QTIF (%d байта)"
msgstr[2] "Слишком большой размер атома QTIF (%d байт)"
#: ../gdk-pixbuf/io-qtif.c:173
#, c-format
msgid "Failed to allocate %d byte for file read buffer"
msgid_plural "Failed to allocate %d bytes for file read buffer"
msgstr[0] ""
"Не удалось выделить память в размере %d байта для буфера чтения файла"
msgstr[1] ""
"Не удалось выделить память в размере %d байт для буфера чтения файла"
msgstr[2] ""
"Не удалось выделить память в размере %d байт для буфера чтения файла"
#: ../gdk-pixbuf/io-qtif.c:201
#, c-format
msgid "File error when reading QTIF atom: %s"
msgstr "Файловая ошибка при чтении атома QTIF: %s"
#: ../gdk-pixbuf/io-qtif.c:238
#, c-format
msgid "Failed to skip the next %d byte with seek()."
msgid_plural "Failed to skip the next %d bytes with seek()."
msgstr[0] "Не удалось переместиться на следующий %d байт с помощью seek()."
msgstr[1] "Не удалось переместиться на следующие %d байта с помощью seek()."
msgstr[2] "Не удалось переместиться на следующие %d байт с помощью seek()."
#: ../gdk-pixbuf/io-qtif.c:265
msgid "Failed to allocate QTIF context structure."
msgstr "Не удалось выделить память для структуры контекста QTIF."
#: ../gdk-pixbuf/io-qtif.c:325
msgid "Failed to create GdkPixbufLoader object."
msgstr "Не удалось создать объект GdkPixbufLoader."
#: ../gdk-pixbuf/io-qtif.c:429
msgid "Failed to find an image data atom."
msgstr "Не удалось найти атом данных изображения."
#: ../gdk-pixbuf/io-qtif.c:613
msgctxt "image format"
msgid "QuickTime"
msgstr "QuickTime"
#: ../gdk-pixbuf/io-ras.c:123
msgid "RAS image has bogus header data"
msgstr "Заголовок изображения формата RAS содержит неправильные данные"
#: ../gdk-pixbuf/io-ras.c:145
msgid "RAS image has unknown type"
msgstr "Неизвестный тТип изображения формата RAS неизвестен"
#: ../gdk-pixbuf/io-ras.c:153
msgid "unsupported RAS image variation"
msgstr "данная разновидность изображения формата RAS не поддерживается"
#: ../gdk-pixbuf/io-ras.c:168 ../gdk-pixbuf/io-ras.c:197
msgid "Not enough memory to load RAS image"
msgstr "Недостаточно памяти для загрузки изображения формата RAS"
#: ../gdk-pixbuf/io-ras.c:542
msgctxt "image format"
msgid "Sun raster"
msgstr "Sun raster"
#: ../gdk-pixbuf/io-tga.c:151
msgid "Cannot allocate memory for IOBuffer struct"
msgstr "Не удалось выделить память для структуры IOBuffer"
#: ../gdk-pixbuf/io-tga.c:170
msgid "Cannot allocate memory for IOBuffer data"
msgstr "Не удалось выделить память для данных структуры IOBuffer"
#: ../gdk-pixbuf/io-tga.c:181
msgid "Cannot realloc IOBuffer data"
msgstr "Не удалось перераспределить память для данных структуры IOBuffer"
#: ../gdk-pixbuf/io-tga.c:211
msgid "Cannot allocate temporary IOBuffer data"
msgstr "Не удалось выделить временные данные структуры IOBuffer"
#: ../gdk-pixbuf/io-tga.c:339
msgid "Cannot allocate new pixbuf"
msgstr "Не удалось выделить память для новой структуры pixbuf"
#: ../gdk-pixbuf/io-tga.c:678
msgid "Image is corrupted or truncated"
msgstr "Повреждённое или обрезанное изображение"
#: ../gdk-pixbuf/io-tga.c:685
msgid "Cannot allocate colormap structure"
msgstr "Не удалось выделить память для структуры карты цветов"
#: ../gdk-pixbuf/io-tga.c:692
msgid "Cannot allocate colormap entries"
msgstr "Не удалось выделить память для элементов карты цветов"
#: ../gdk-pixbuf/io-tga.c:714
msgid "Unexpected bitdepth for colormap entries"
msgstr "Неожиданная глубина цвета для элемента карты цветов"
#: ../gdk-pixbuf/io-tga.c:732
msgid "Cannot allocate TGA header memory"
msgstr "Не удалось выделить память для заголовка формата TGA"
#: ../gdk-pixbuf/io-tga.c:765
msgid "TGA image has invalid dimensions"
msgstr "Изображение TGA имеет недопустимые размеры"
#: ../gdk-pixbuf/io-tga.c:771 ../gdk-pixbuf/io-tga.c:780
#: ../gdk-pixbuf/io-tga.c:790 ../gdk-pixbuf/io-tga.c:800
#: ../gdk-pixbuf/io-tga.c:807
msgid "TGA image type not supported"
msgstr "Неподдерживаемый тип изображения TGA"
#: ../gdk-pixbuf/io-tga.c:854
msgid "Cannot allocate memory for TGA context struct"
msgstr "Не удалось выделить память для структуры контекста формата TGA"
#: ../gdk-pixbuf/io-tga.c:919
msgid "Excess data in file"
msgstr "Избыточные данные в файле"
#: ../gdk-pixbuf/io-tga.c:1000
msgctxt "image format"
msgid "Targa"
msgstr "Targa"
#: ../gdk-pixbuf/io-tiff.c:107
msgid "Could not get image width (bad TIFF file)"
msgstr ""
"Не удалось определить ширину изображения (испорченный файл формата TIFF)"
#: ../gdk-pixbuf/io-tiff.c:115
msgid "Could not get image height (bad TIFF file)"
msgstr ""
"Не удалось определить высоту изображения (испорченный файл формата TIFF)"
#: ../gdk-pixbuf/io-tiff.c:123
msgid "Width or height of TIFF image is zero"
msgstr "Ширина или высота изображения формата TIFF равна 0"
#: ../gdk-pixbuf/io-tiff.c:132 ../gdk-pixbuf/io-tiff.c:141
msgid "Dimensions of TIFF image too large"
msgstr "Размеры изображения формата TIFF слишком велики"
#: ../gdk-pixbuf/io-tiff.c:165 ../gdk-pixbuf/io-tiff.c:177
#: ../gdk-pixbuf/io-tiff.c:535
msgid "Insufficient memory to open TIFF file"
msgstr "Недостаточно памяти для открытия файла формата TIFF"
#: ../gdk-pixbuf/io-tiff.c:275
msgid "Failed to load RGB data from TIFF file"
msgstr "Не удалось прочитать данные RGB из файла формата TIFF"
#: ../gdk-pixbuf/io-tiff.c:337
msgid "Failed to open TIFF image"
msgstr "Не удалось открыть изображение формата TIFF"
#: ../gdk-pixbuf/io-tiff.c:471 ../gdk-pixbuf/io-tiff.c:484
msgid "Failed to load TIFF image"
msgstr "Сбой при загрузке изображения формата TIFF"
#: ../gdk-pixbuf/io-tiff.c:710
msgid "Failed to save TIFF image"
msgstr "Сбой сохранения изображения TIFF"
#: ../gdk-pixbuf/io-tiff.c:766
msgid "TIFF compression doesn't refer to a valid codec."
msgstr "Сжатие TIFF не указывает на допустимый кодек."
#: ../gdk-pixbuf/io-tiff.c:811
msgid "TIFF bits-per-sample doesn't contain a supported value."
msgstr "Значение битов-на-сэмпл в TIFF не содержит поддерживаемого значения"
#: ../gdk-pixbuf/io-tiff.c:892
msgid "Failed to write TIFF data"
msgstr "Сбой записи данных TIFF"
#: ../gdk-pixbuf/io-tiff.c:910
#, c-format
msgid "TIFF x-dpi must be greater than zero; value '%s' is not allowed."
msgstr ""
"X-dpi формата TIFF должно иметь значение между 0 и 100; значение «%s» "
"недопустимо."
#: ../gdk-pixbuf/io-tiff.c:922
#, c-format
msgid "TIFF y-dpi must be greater than zero; value '%s' is not allowed."
msgstr ""
"Y-dpi формата TIFF должно иметь значение между 0 и 100; значение «%s» "
"недопустимо."
#: ../gdk-pixbuf/io-tiff.c:963
msgid "Couldn't write to TIFF file"
msgstr "Не удалось записать в файл TIFF"
#: ../gdk-pixbuf/io-wbmp.c:243
msgid "Image has zero width"
msgstr "Ширина изображения равна нулю"
#: ../gdk-pixbuf/io-wbmp.c:261
msgid "Image has zero height"
msgstr "Высота изображения равна нулю"
#: ../gdk-pixbuf/io-wbmp.c:272
msgid "Not enough memory to load image"
msgstr "Недостаточно памяти для загрузки изображения"
#: ../gdk-pixbuf/io-wbmp.c:331
msgid "Couldn't save the rest"
msgstr "Не удалось сохранить оставшуюся часть"
#: ../gdk-pixbuf/io-wbmp.c:372
msgctxt "image format"
msgid "WBMP"
msgstr "WBMP"
#: ../gdk-pixbuf/io-xbm.c:302
msgid "Invalid XBM file"
msgstr "Недопустимый файл формата XBM"
#: ../gdk-pixbuf/io-xbm.c:312
msgid "Insufficient memory to load XBM image file"
msgstr "Недостаточно памяти для загрузки файла изображения формата XBM"
#: ../gdk-pixbuf/io-xbm.c:460
msgid "Failed to write to temporary file when loading XBM image"
msgstr ""
"Не удалось записать во временный файл во время загрузки изображения формата "
"XBM"
#: ../gdk-pixbuf/io-xbm.c:499
msgctxt "image format"
msgid "XBM"
msgstr "XBM"
#: ../gdk-pixbuf/io-xpm.c:467
msgid "No XPM header found"
msgstr "Заголовок XPM не найден"
#: ../gdk-pixbuf/io-xpm.c:476
msgid "Invalid XPM header"
msgstr "Недопустимый заголовок XPM"
#: ../gdk-pixbuf/io-xpm.c:484
msgid "XPM file has image width <= 0"
msgstr "Ширина изображения в файле формата XPM меньше или равна 0"
#: ../gdk-pixbuf/io-xpm.c:492
msgid "XPM file has image height <= 0"
msgstr "Высота изображения в файле формата XPM меньше или равна 0"
#: ../gdk-pixbuf/io-xpm.c:500
msgid "XPM has invalid number of chars per pixel"
msgstr "XPM имеет недопустимое количество символов на пиксель"
#: ../gdk-pixbuf/io-xpm.c:509
msgid "XPM file has invalid number of colors"
msgstr "Файл формата XPM имеет недопустимое количество цветов"
#: ../gdk-pixbuf/io-xpm.c:521 ../gdk-pixbuf/io-xpm.c:530
#: ../gdk-pixbuf/io-xpm.c:582
msgid "Cannot allocate memory for loading XPM image"
msgstr "Не удалось выделить память для загрузки изображения XPM"
#: ../gdk-pixbuf/io-xpm.c:544
msgid "Cannot read XPM colormap"
msgstr "Не удалось прочитать цветовую карту XPM"
#: ../gdk-pixbuf/io-xpm.c:776
msgid "Failed to write to temporary file when loading XPM image"
msgstr "Cбой при записи временного файла во время загрузки изображения XPM"
#: ../gdk-pixbuf/io-xpm.c:815
msgctxt "image format"
msgid "XPM"
msgstr "XPM"
#~ msgid "The ANI image format"
#~ msgstr "Формат изображений ANI"
#~ msgid "The BMP image format"
#~ msgstr "Формат изображений BMP"
#~ msgid "The EMF image format"
#~ msgstr "Формат изображений EMF"
#~ msgid "The GIF image format"
#~ msgstr "Формат изображений GIF"
#~ msgid "The ICO image format"
#~ msgstr "Формат изображений ICO"
#~ msgid "The JPEG image format"
#~ msgstr "Формат изображений JPEG"
#~ msgid "The WMF image format"
#~ msgstr "Формат изображений WMF"
#~ msgid "The ICNS image format"
#~ msgstr "Формат изображений ICNS"
#~ msgid "Icon has zero width"
#~ msgstr "Ширина значка равна нулю"
#~ msgid "Icon has zero height"
#~ msgstr "Высота значка равна нулю"
#~ msgid "The JPEG 2000 image format"
#~ msgstr "Формат изображений JPEG 2000"
#~ msgid "The PCX image format"
#~ msgstr "Формат изображений PCX"
#~ msgid "The PNG image format"
#~ msgstr "Формат изображений PNG"
#~ msgid "The PNM/PBM/PGM/PPM image format family"
#~ msgstr "Семейство форматов изображений PNM/PBM/PGM/PPM"
#~ msgid "The QTIF image format"
#~ msgstr "Формат изображений QTIF"
#~ msgid "The Sun raster image format"
#~ msgstr "Формат растровых изображений компании Sun"
#~ msgid "The Targa image format"
#~ msgstr "Формат изображений Targa"
#~ msgid "The TIFF image format"
#~ msgstr "Формат изображений TIFF"
#~ msgid "The WBMP image format"
#~ msgstr "Формат изображений WBMP"
#~ msgid "The XBM image format"
#~ msgstr "Формат изображений XBM"
#~ msgid "The XPM image format"
#~ msgstr "Формат изображений XPM"
#~ msgid "Unsupported animation type"
#~ msgstr "Неподдерживаемый тип анимации"
#~ msgid "TIFFClose operation failed"
#~ msgstr "Сбой в функции TIFFClose"
|