aboutsummaryrefslogtreecommitdiff
path: root/libjava/classpath/java/util/Hashtable.java
blob: a85674637e76d80210d072db9c432dea4b3e6511 (plain)
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
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
/* Hashtable.java -- a class providing a basic hashtable data structure,
   mapping Object --> Object
   Copyright (C) 1998, 1999, 2000, 2001, 2002, 2004, 2005, 2006
   Free Software Foundation, Inc.

This file is part of GNU Classpath.

GNU Classpath is free software; you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation; either version 2, or (at your option)
any later version.

GNU Classpath is distributed in the hope that it will be useful, but
WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the GNU
General Public License for more details.

You should have received a copy of the GNU General Public License
along with GNU Classpath; see the file COPYING.  If not, write to the
Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA
02110-1301 USA.

Linking this library statically or dynamically with other modules is
making a combined work based on this library.  Thus, the terms and
conditions of the GNU General Public License cover the whole
combination.

As a special exception, the copyright holders of this library give you
permission to link this library with independent modules to produce an
executable, regardless of the license terms of these independent
modules, and to copy and distribute the resulting executable under
terms of your choice, provided that you also meet, for each linked
independent module, the terms and conditions of the license of that
module.  An independent module is a module which is not derived from
or based on this library.  If you modify this library, you may extend
this exception to your version of the library, but you are not
obligated to do so.  If you do not wish to do so, delete this
exception statement from your version. */

package java.util;

import java.io.IOException;
import java.io.ObjectInputStream;
import java.io.ObjectOutputStream;
import java.io.Serializable;

// NOTE: This implementation is very similar to that of HashMap. If you fix
// a bug in here, chances are you should make a similar change to the HashMap
// code.

/**
 * A class which implements a hashtable data structure.
 * <p>
 *
 * This implementation of Hashtable uses a hash-bucket approach. That is:
 * linear probing and rehashing is avoided; instead, each hashed value maps
 * to a simple linked-list which, in the best case, only has one node.
 * Assuming a large enough table, low enough load factor, and / or well
 * implemented hashCode() methods, Hashtable should provide O(1)
 * insertion, deletion, and searching of keys.  Hashtable is O(n) in
 * the worst case for all of these (if all keys hash to the same bucket).
 * <p>
 *
 * This is a JDK-1.2 compliant implementation of Hashtable.  As such, it
 * belongs, partially, to the Collections framework (in that it implements
 * Map).  For backwards compatibility, it inherits from the obsolete and
 * utterly useless Dictionary class.
 * <p>
 *
 * Being a hybrid of old and new, Hashtable has methods which provide redundant
 * capability, but with subtle and even crucial differences.
 * For example, one can iterate over various aspects of a Hashtable with
 * either an Iterator (which is the JDK-1.2 way of doing things) or with an
 * Enumeration.  The latter can end up in an undefined state if the Hashtable
 * changes while the Enumeration is open.
 * <p>
 *
 * Unlike HashMap, Hashtable does not accept `null' as a key value. Also,
 * all accesses are synchronized: in a single thread environment, this is
 * expensive, but in a multi-thread environment, this saves you the effort
 * of extra synchronization. However, the old-style enumerators are not
 * synchronized, because they can lead to unspecified behavior even if
 * they were synchronized. You have been warned.
 * <p>
 *
 * The iterators are <i>fail-fast</i>, meaning that any structural
 * modification, except for <code>remove()</code> called on the iterator
 * itself, cause the iterator to throw a
 * <code>ConcurrentModificationException</code> rather than exhibit
 * non-deterministic behavior.
 *
 * @author Jon Zeppieri
 * @author Warren Levy
 * @author Bryce McKinlay
 * @author Eric Blake (ebb9@email.byu.edu)
 * @see HashMap
 * @see TreeMap
 * @see IdentityHashMap
 * @see LinkedHashMap
 * @since 1.0
 * @status updated to 1.4
 */
public class Hashtable<K, V> extends Dictionary<K, V>
  implements Map<K, V>, Cloneable, Serializable
{
  // WARNING: Hashtable is a CORE class in the bootstrap cycle. See the
  // comments in vm/reference/java/lang/Runtime for implications of this fact.

  /** Default number of buckets. This is the value the JDK 1.3 uses. Some
   * early documentation specified this value as 101. That is incorrect.
   */
  private static final int DEFAULT_CAPACITY = 11;

  /**
   * The default load factor; this is explicitly specified by the spec.
   */
  private static final float DEFAULT_LOAD_FACTOR = 0.75f;

  /**
   * Compatible with JDK 1.0+.
   */
  private static final long serialVersionUID = 1421746759512286392L;

  /**
   * The rounded product of the capacity and the load factor; when the number
   * of elements exceeds the threshold, the Hashtable calls
   * <code>rehash()</code>.
   * @serial
   */
  private int threshold;

  /**
   * Load factor of this Hashtable:  used in computing the threshold.
   * @serial
   */
  private final float loadFactor;

  /**
   * Array containing the actual key-value mappings.
   */
  // Package visible for use by nested classes.
  transient HashEntry<K, V>[] buckets;

  /**
   * Counts the number of modifications this Hashtable has undergone, used
   * by Iterators to know when to throw ConcurrentModificationExceptions.
   */
  // Package visible for use by nested classes.
  transient int modCount;

  /**
   * The size of this Hashtable:  denotes the number of key-value pairs.
   */
  // Package visible for use by nested classes.
  transient int size;

  /**
   * The cache for {@link #keySet()}.
   */
  private transient Set<K> keys;

  /**
   * The cache for {@link #values()}.
   */
  private transient Collection<V> values;

  /**
   * The cache for {@link #entrySet()}.
   */
  private transient Set<Map.Entry<K, V>> entries;

  /**
   * Class to represent an entry in the hash table. Holds a single key-value
   * pair. A Hashtable Entry is identical to a HashMap Entry, except that
   * `null' is not allowed for keys and values.
   */
  private static final class HashEntry<K, V>
    extends AbstractMap.SimpleEntry<K, V>
  {
    /** The next entry in the linked list. */
    HashEntry<K, V> next;

    /**
     * Simple constructor.
     * @param key the key, already guaranteed non-null
     * @param value the value, already guaranteed non-null
     */
    HashEntry(K key, V value)
    {
      super(key, value);
    }

    /**
     * Resets the value.
     * @param newVal the new value
     * @return the prior value
     * @throws NullPointerException if <code>newVal</code> is null
     */
    public V setValue(V newVal)
    {
      if (newVal == null)
        throw new NullPointerException();
      return super.setValue(newVal);
    }
  }

  /**
   * Construct a new Hashtable with the default capacity (11) and the default
   * load factor (0.75).
   */
  public Hashtable()
  {
    this(DEFAULT_CAPACITY, DEFAULT_LOAD_FACTOR);
  }

  /**
   * Construct a new Hashtable from the given Map, with initial capacity
   * the greater of the size of <code>m</code> or the default of 11.
   * <p>
   *
   * Every element in Map m will be put into this new Hashtable.
   *
   * @param m a Map whose key / value pairs will be put into
   *          the new Hashtable.  <b>NOTE: key / value pairs
   *          are not cloned in this constructor.</b>
   * @throws NullPointerException if m is null, or if m contains a mapping
   *         to or from `null'.
   * @since 1.2
   */
  public Hashtable(Map<? extends K, ? extends V> m)
  {
    this(Math.max(m.size() * 2, DEFAULT_CAPACITY), DEFAULT_LOAD_FACTOR);
    putAll(m);
  }

  /**
   * Construct a new Hashtable with a specific inital capacity and
   * default load factor of 0.75.
   *
   * @param initialCapacity the initial capacity of this Hashtable (&gt;= 0)
   * @throws IllegalArgumentException if (initialCapacity &lt; 0)
   */
  public Hashtable(int initialCapacity)
  {
    this(initialCapacity, DEFAULT_LOAD_FACTOR);
  }

  /**
   * Construct a new Hashtable with a specific initial capacity and
   * load factor.
   *
   * @param initialCapacity the initial capacity (&gt;= 0)
   * @param loadFactor the load factor (&gt; 0, not NaN)
   * @throws IllegalArgumentException if (initialCapacity &lt; 0) ||
   *                                     ! (loadFactor &gt; 0.0)
   */
  public Hashtable(int initialCapacity, float loadFactor)
  {
    if (initialCapacity < 0)
      throw new IllegalArgumentException("Illegal Capacity: "
                                         + initialCapacity);
    if (! (loadFactor > 0)) // check for NaN too
      throw new IllegalArgumentException("Illegal Load: " + loadFactor);

    if (initialCapacity == 0)
      initialCapacity = 1;
    buckets = (HashEntry<K, V>[]) new HashEntry[initialCapacity];
    this.loadFactor = loadFactor;
    threshold = (int) (initialCapacity * loadFactor);
  }

  /**
   * Returns the number of key-value mappings currently in this hashtable.
   * @return the size
   */
  public synchronized int size()
  {
    return size;
  }

  /**
   * Returns true if there are no key-value mappings currently in this table.
   * @return <code>size() == 0</code>
   */
  public synchronized boolean isEmpty()
  {
    return size == 0;
  }

  /**
   * Return an enumeration of the keys of this table. There's no point
   * in synchronizing this, as you have already been warned that the
   * enumeration is not specified to be thread-safe.
   *
   * @return the keys
   * @see #elements()
   * @see #keySet()
   */
  public Enumeration<K> keys()
  {
    return new KeyEnumerator();
  }

  /**
   * Return an enumeration of the values of this table. There's no point
   * in synchronizing this, as you have already been warned that the
   * enumeration is not specified to be thread-safe.
   *
   * @return the values
   * @see #keys()
   * @see #values()
   */
  public Enumeration<V> elements()
  {
    return new ValueEnumerator();
  }

  /**
   * Returns true if this Hashtable contains a value <code>o</code>,
   * such that <code>o.equals(value)</code>.  This is the same as
   * <code>containsValue()</code>, and is O(n).
   * <p>
   *
   * @param value the value to search for in this Hashtable
   * @return true if at least one key maps to the value
   * @throws NullPointerException if <code>value</code> is null
   * @see #containsValue(Object)
   * @see #containsKey(Object)
   */
  public synchronized boolean contains(Object value)
  {
    if (value == null)
      throw new NullPointerException();

    for (int i = buckets.length - 1; i >= 0; i--)
      {
        HashEntry<K, V> e = buckets[i];
        while (e != null)
          {
            if (e.value.equals(value))
              return true;
            e = e.next;
          }
      }

    return false;  
  }

  /**
   * Returns true if this Hashtable contains a value <code>o</code>, such that
   * <code>o.equals(value)</code>. This is the new API for the old
   * <code>contains()</code>.
   *
   * @param value the value to search for in this Hashtable
   * @return true if at least one key maps to the value
   * @see #contains(Object)
   * @see #containsKey(Object)
   * @throws NullPointerException if <code>value</code> is null
   * @since 1.2
   */
  public boolean containsValue(Object value)
  {
    // Delegate to older method to make sure code overriding it continues 
    // to work.
    return contains(value);
  }

  /**
   * Returns true if the supplied object <code>equals()</code> a key
   * in this Hashtable.
   *
   * @param key the key to search for in this Hashtable
   * @return true if the key is in the table
   * @throws NullPointerException if key is null
   * @see #containsValue(Object)
   */
  public synchronized boolean containsKey(Object key)
  {
    int idx = hash(key);
    HashEntry<K, V> e = buckets[idx];
    while (e != null)
      {
        if (e.key.equals(key))
          return true;
        e = e.next;
      }
    return false;
  }

  /**
   * Return the value in this Hashtable associated with the supplied key,
   * or <code>null</code> if the key maps to nothing.
   *
   * @param key the key for which to fetch an associated value
   * @return what the key maps to, if present
   * @throws NullPointerException if key is null
   * @see #put(Object, Object)
   * @see #containsKey(Object)
   */
  public synchronized V get(Object key)
  {
    int idx = hash(key);
    HashEntry<K, V> e = buckets[idx];
    while (e != null)
      {
        if (e.key.equals(key))
          return e.value;
        e = e.next;
      }
    return null;
  }

  /**
   * Puts the supplied value into the Map, mapped by the supplied key.
   * Neither parameter may be null.  The value may be retrieved by any
   * object which <code>equals()</code> this key.
   *
   * @param key the key used to locate the value
   * @param value the value to be stored in the table
   * @return the prior mapping of the key, or null if there was none
   * @throws NullPointerException if key or value is null
   * @see #get(Object)
   * @see Object#equals(Object)
   */
  public synchronized V put(K key, V value)
  {
    int idx = hash(key);
    HashEntry<K, V> e = buckets[idx];

    // Check if value is null since it is not permitted.
    if (value == null)
      throw new NullPointerException();

    while (e != null)
      {
        if (e.key.equals(key))
          {
            // Bypass e.setValue, since we already know value is non-null.
            V r = e.value;
            e.value = value;
            return r;
          }
        else
          {
            e = e.next;
          }
      }

    // At this point, we know we need to add a new entry.
    modCount++;
    if (++size > threshold)
      {
        rehash();
        // Need a new hash value to suit the bigger table.
        idx = hash(key);
      }

    e = new HashEntry<K, V>(key, value);

    e.next = buckets[idx];
    buckets[idx] = e;

    return null;
  }

  /**
   * Removes from the table and returns the value which is mapped by the
   * supplied key. If the key maps to nothing, then the table remains
   * unchanged, and <code>null</code> is returned.
   *
   * @param key the key used to locate the value to remove
   * @return whatever the key mapped to, if present
   */
  public synchronized V remove(Object key)
  {
    int idx = hash(key);
    HashEntry<K, V> e = buckets[idx];
    HashEntry<K, V> last = null;

    while (e != null)
      {
        if (e.key.equals(key))
          {
            modCount++;
            if (last == null)
              buckets[idx] = e.next;
            else
              last.next = e.next;
            size--;
            return e.value;
          }
        last = e;
        e = e.next;
      }
    return null;
  }

  /**
   * Copies all elements of the given map into this hashtable.  However, no
   * mapping can contain null as key or value.  If this table already has
   * a mapping for a key, the new mapping replaces the current one.
   *
   * @param m the map to be hashed into this
   * @throws NullPointerException if m is null, or contains null keys or values
   */
  public synchronized void putAll(Map<? extends K, ? extends V> m)
  {
    final Map<K,V> addMap = (Map<K,V>) m;
    final Iterator<Map.Entry<K,V>> it = addMap.entrySet().iterator();
    while (it.hasNext())
      {
	final Map.Entry<K,V> e = it.next();
        // Optimize in case the Entry is one of our own.
        if (e instanceof AbstractMap.SimpleEntry)
          {
            AbstractMap.SimpleEntry<? extends K, ? extends V> entry
	      = (AbstractMap.SimpleEntry<? extends K, ? extends V>) e;
            put(entry.key, entry.value);
          }
        else
          {
            put(e.getKey(), e.getValue());
          }
      }
  }

  /**
   * Clears the hashtable so it has no keys.  This is O(1).
   */
  public synchronized void clear()
  {
    if (size > 0)
      {
        modCount++;
        Arrays.fill(buckets, null);
        size = 0;
      }
  }

  /**
   * Returns a shallow clone of this Hashtable. The Map itself is cloned,
   * but its contents are not.  This is O(n).
   *
   * @return the clone
   */
  public synchronized Object clone()
  {
    Hashtable<K, V> copy = null;
    try
      {
        copy = (Hashtable<K, V>) super.clone();
      }
    catch (CloneNotSupportedException x)
      {
        // This is impossible.
      }
    copy.buckets = (HashEntry<K, V>[]) new HashEntry[buckets.length];
    copy.putAllInternal(this);
    // Clear the caches.
    copy.keys = null;
    copy.values = null;
    copy.entries = null;
    return copy;
  }

  /**
   * Converts this Hashtable to a String, surrounded by braces, and with
   * key/value pairs listed with an equals sign between, separated by a
   * comma and space. For example, <code>"{a=1, b=2}"</code>.<p>
   *
   * NOTE: if the <code>toString()</code> method of any key or value
   * throws an exception, this will fail for the same reason.
   *
   * @return the string representation
   */
  public synchronized String toString()
  {
    // Since we are already synchronized, and entrySet().iterator()
    // would repeatedly re-lock/release the monitor, we directly use the
    // unsynchronized EntryIterator instead.
    Iterator<Map.Entry<K, V>> entries = new EntryIterator();
    StringBuffer r = new StringBuffer("{");
    for (int pos = size; pos > 0; pos--)
      {
        r.append(entries.next());
        if (pos > 1)
          r.append(", ");
      }
    r.append("}");
    return r.toString();
  }

  /**
   * Returns a "set view" of this Hashtable's keys. The set is backed by
   * the hashtable, so changes in one show up in the other.  The set supports
   * element removal, but not element addition.  The set is properly
   * synchronized on the original hashtable.  Sun has not documented the
   * proper interaction of null with this set, but has inconsistent behavior
   * in the JDK. Therefore, in this implementation, contains, remove,
   * containsAll, retainAll, removeAll, and equals just ignore a null key
   * rather than throwing a {@link NullPointerException}.
   *
   * @return a set view of the keys
   * @see #values()
   * @see #entrySet()
   * @since 1.2
   */
  public Set<K> keySet()
  {
    if (keys == null)
      {
        // Create a synchronized AbstractSet with custom implementations of
        // those methods that can be overridden easily and efficiently.
        Set<K> r = new AbstractSet<K>()
        {
          public int size()
          {
            return size;
          }

          public Iterator<K> iterator()
          {
            return new KeyIterator();
          }

          public void clear()
          {
            Hashtable.this.clear();
          }

          public boolean contains(Object o)
          {
            if (o == null)
              return false;
            return containsKey(o);
          }

          public boolean remove(Object o)
          {
            return Hashtable.this.remove(o) != null;
          }
        };
        // We must specify the correct object to synchronize upon, hence the
        // use of a non-public API
        keys = new Collections.SynchronizedSet<K>(this, r);
      }
    return keys;
  }

  /**
   * Returns a "collection view" (or "bag view") of this Hashtable's values.
   * The collection is backed by the hashtable, so changes in one show up
   * in the other.  The collection supports element removal, but not element
   * addition.  The collection is properly synchronized on the original
   * hashtable.  Sun has not documented the proper interaction of null with
   * this set, but has inconsistent behavior in the JDK. Therefore, in this
   * implementation, contains, remove, containsAll, retainAll, removeAll, and
   * equals just ignore a null value rather than throwing a
   * {@link NullPointerException}.
   *
   * @return a bag view of the values
   * @see #keySet()
   * @see #entrySet()
   * @since 1.2
   */
  public Collection<V> values()
  {
    if (values == null)
      {
        // We don't bother overriding many of the optional methods, as doing so
        // wouldn't provide any significant performance advantage.
        Collection<V> r = new AbstractCollection<V>()
        {
          public int size()
          {
            return size;
          }

          public Iterator<V> iterator()
          {
            return new ValueIterator();
          }

          public void clear()
          {
            Hashtable.this.clear();
          }
        };
        // We must specify the correct object to synchronize upon, hence the
        // use of a non-public API
        values = new Collections.SynchronizedCollection<V>(this, r);
      }
    return values;
  }

  /**
   * Returns a "set view" of this Hashtable's entries. The set is backed by
   * the hashtable, so changes in one show up in the other.  The set supports
   * element removal, but not element addition.  The set is properly
   * synchronized on the original hashtable.  Sun has not documented the
   * proper interaction of null with this set, but has inconsistent behavior
   * in the JDK. Therefore, in this implementation, contains, remove,
   * containsAll, retainAll, removeAll, and equals just ignore a null entry,
   * or an entry with a null key or value, rather than throwing a
   * {@link NullPointerException}. However, calling entry.setValue(null)
   * will fail.
   * <p>
   *
   * Note that the iterators for all three views, from keySet(), entrySet(),
   * and values(), traverse the hashtable in the same sequence.
   *
   * @return a set view of the entries
   * @see #keySet()
   * @see #values()
   * @see Map.Entry
   * @since 1.2
   */
  public Set<Map.Entry<K, V>> entrySet()
  {
    if (entries == null)
      {
        // Create an AbstractSet with custom implementations of those methods
        // that can be overridden easily and efficiently.
        Set<Map.Entry<K, V>> r = new AbstractSet<Map.Entry<K, V>>()
        {
          public int size()
          {
            return size;
          }

          public Iterator<Map.Entry<K, V>> iterator()
          {
            return new EntryIterator();
          }

          public void clear()
          {
            Hashtable.this.clear();
          }

          public boolean contains(Object o)
          {
            return getEntry(o) != null;
          }

          public boolean remove(Object o)
          {
            HashEntry<K, V> e = getEntry(o);
            if (e != null)
              {
                Hashtable.this.remove(e.key);
                return true;
              }
            return false;
          }
        };
        // We must specify the correct object to synchronize upon, hence the
        // use of a non-public API
        entries = new Collections.SynchronizedSet<Map.Entry<K, V>>(this, r);
      }
    return entries;
  }

  /**
   * Returns true if this Hashtable equals the supplied Object <code>o</code>.
   * As specified by Map, this is:
   * <code>
   * (o instanceof Map) && entrySet().equals(((Map) o).entrySet());
   * </code>
   *
   * @param o the object to compare to
   * @return true if o is an equal map
   * @since 1.2
   */
  public boolean equals(Object o)
  {
    // no need to synchronize, entrySet().equals() does that.
    if (o == this)
      return true;
    if (!(o instanceof Map))
      return false;

    return entrySet().equals(((Map) o).entrySet());
  }

  /**
   * Returns the hashCode for this Hashtable.  As specified by Map, this is
   * the sum of the hashCodes of all of its Map.Entry objects
   *
   * @return the sum of the hashcodes of the entries
   * @since 1.2
   */
  public synchronized int hashCode()
  {
    // Since we are already synchronized, and entrySet().iterator()
    // would repeatedly re-lock/release the monitor, we directly use the
    // unsynchronized EntryIterator instead.
    Iterator<Map.Entry<K, V>> itr = new EntryIterator();
    int hashcode = 0;
    for (int pos = size; pos > 0; pos--)
      hashcode += itr.next().hashCode();

    return hashcode;
  }

  /**
   * Helper method that returns an index in the buckets array for `key'
   * based on its hashCode().
   *
   * @param key the key
   * @return the bucket number
   * @throws NullPointerException if key is null
   */
  private int hash(Object key)
  {
    // Note: Inline Math.abs here, for less method overhead, and to avoid
    // a bootstrap dependency, since Math relies on native methods.
    int hash = key.hashCode() % buckets.length;
    return hash < 0 ? -hash : hash;
  }

  /**
   * Helper method for entrySet(), which matches both key and value
   * simultaneously. Ignores null, as mentioned in entrySet().
   *
   * @param o the entry to match
   * @return the matching entry, if found, or null
   * @see #entrySet()
   */
  // Package visible, for use in nested classes.
  HashEntry<K, V> getEntry(Object o)
  {
    if (! (o instanceof Map.Entry))
      return null;
    K key = ((Map.Entry<K, V>) o).getKey();
    if (key == null)
      return null;

    int idx = hash(key);
    HashEntry<K, V> e = buckets[idx];
    while (e != null)
      {
        if (e.equals(o))
          return e;
        e = e.next;
      }
    return null;
  }

  /**
   * A simplified, more efficient internal implementation of putAll(). clone() 
   * should not call putAll or put, in order to be compatible with the JDK 
   * implementation with respect to subclasses.
   *
   * @param m the map to initialize this from
   */
  void putAllInternal(Map<? extends K, ? extends V> m)
  {
    final Map<K,V> addMap = (Map<K,V>) m;
    final Iterator<Map.Entry<K,V>> it = addMap.entrySet().iterator();
    size = 0;
    while (it.hasNext())
      {
	final Map.Entry<K,V> e = it.next();
        size++;
	K key = e.getKey();
	int idx = hash(key);
	HashEntry<K, V> he = new HashEntry<K, V>(key, e.getValue());
	he.next = buckets[idx];
	buckets[idx] = he;
      }
  }

  /**
   * Increases the size of the Hashtable and rehashes all keys to new array
   * indices; this is called when the addition of a new value would cause
   * size() &gt; threshold. Note that the existing Entry objects are reused in
   * the new hash table.
   * <p>
   *
   * This is not specified, but the new size is twice the current size plus
   * one; this number is not always prime, unfortunately. This implementation
   * is not synchronized, as it is only invoked from synchronized methods.
   */
  protected void rehash()
  {
    HashEntry<K, V>[] oldBuckets = buckets;

    int newcapacity = (buckets.length * 2) + 1;
    threshold = (int) (newcapacity * loadFactor);
    buckets = (HashEntry<K, V>[]) new HashEntry[newcapacity];

    for (int i = oldBuckets.length - 1; i >= 0; i--)
      {
        HashEntry<K, V> e = oldBuckets[i];
        while (e != null)
          {
            int idx = hash(e.key);
            HashEntry<K, V> dest = buckets[idx];

            if (dest != null)
              {
                HashEntry next = dest.next;
                while (next != null)
                  {
                    dest = next;
                    next = dest.next;
                  }
                dest.next = e;
              }
            else
              {
                buckets[idx] = e;
              }

            HashEntry<K, V> next = e.next;
            e.next = null;
            e = next;
          }
      }
  }

  /**
   * Serializes this object to the given stream.
   *
   * @param s the stream to write to
   * @throws IOException if the underlying stream fails
   * @serialData the <i>capacity</i> (int) that is the length of the
   *             bucket array, the <i>size</i> (int) of the hash map
   *             are emitted first.  They are followed by size entries,
   *             each consisting of a key (Object) and a value (Object).
   */
  private synchronized void writeObject(ObjectOutputStream s)
    throws IOException
  {
    // Write the threshold and loadFactor fields.
    s.defaultWriteObject();

    s.writeInt(buckets.length);
    s.writeInt(size);
    // Since we are already synchronized, and entrySet().iterator()
    // would repeatedly re-lock/release the monitor, we directly use the
    // unsynchronized EntryIterator instead.
    Iterator<Map.Entry<K, V>> it = new EntryIterator();
    while (it.hasNext())
      {
        HashEntry<K, V> entry = (HashEntry<K, V>) it.next();
        s.writeObject(entry.key);
        s.writeObject(entry.value);
      }
  }

  /**
   * Deserializes this object from the given stream.
   *
   * @param s the stream to read from
   * @throws ClassNotFoundException if the underlying stream fails
   * @throws IOException if the underlying stream fails
   * @serialData the <i>capacity</i> (int) that is the length of the
   *             bucket array, the <i>size</i> (int) of the hash map
   *             are emitted first.  They are followed by size entries,
   *             each consisting of a key (Object) and a value (Object).
   */
  private void readObject(ObjectInputStream s)
    throws IOException, ClassNotFoundException
  {
    // Read the threshold and loadFactor fields.
    s.defaultReadObject();

    // Read and use capacity.
    buckets = (HashEntry<K, V>[]) new HashEntry[s.readInt()];
    int len = s.readInt();

    // Read and use key/value pairs.
    // TODO: should we be defensive programmers, and check for illegal nulls?
    while (--len >= 0)
      put((K) s.readObject(), (V) s.readObject());
  }

  /**
   * A class which implements the Iterator interface and is used for
   * iterating over Hashtables.
   * This implementation iterates entries. Subclasses are used to
   * iterate key and values. It also allows the removal of elements,
   * as per the Javasoft spec.  Note that it is not synchronized; this
   * is a performance enhancer since it is never exposed externally
   * and is only used within synchronized blocks above.
   *
   * @author Jon Zeppieri
   * @author Fridjof Siebert
   */
  private class EntryIterator 
      implements Iterator<Entry<K,V>>
  {
    /**
     * The number of modifications to the backing Hashtable that we know about.
     */
    int knownMod = modCount;
    /** The number of elements remaining to be returned by next(). */
    int count = size;
    /** Current index in the physical hash table. */
    int idx = buckets.length;
    /** The last Entry returned by a next() call. */
    HashEntry<K, V> last;
    /**
     * The next entry that should be returned by next(). It is set to something
     * if we're iterating through a bucket that contains multiple linked
     * entries. It is null if next() needs to find a new bucket.
     */
    HashEntry<K, V> next;

    /**
     * Construct a new EntryIterator
     */
    EntryIterator()
    {
    }


    /**
     * Returns true if the Iterator has more elements.
     * @return true if there are more elements
     */
    public boolean hasNext()
    {
      return count > 0;
    }

    /**
     * Returns the next element in the Iterator's sequential view.
     * @return the next element
     * @throws ConcurrentModificationException if the hashtable was modified
     * @throws NoSuchElementException if there is none
     */
    public Map.Entry<K,V> next()
    {
      if (knownMod != modCount)
        throw new ConcurrentModificationException();
      if (count == 0)
        throw new NoSuchElementException();
      count--;
      HashEntry<K, V> e = next;

      while (e == null)
	if (idx <= 0)
	  return null;
	else
	  e = buckets[--idx];

      next = e.next;
      last = e;
      return e;
    }

    /**
     * Removes from the backing Hashtable the last element which was fetched
     * with the <code>next()</code> method.
     * @throws ConcurrentModificationException if the hashtable was modified
     * @throws IllegalStateException if called when there is no last element
     */
    public void remove()
    {
      if (knownMod != modCount)
        throw new ConcurrentModificationException();
      if (last == null)
        throw new IllegalStateException();

      Hashtable.this.remove(last.key);
      last = null;
      knownMod++;
    }
  } // class EntryIterator

  /**
   * A class which implements the Iterator interface and is used for
   * iterating over keys in Hashtables.  This class uses an
   * <code>EntryIterator</code> to obtain the keys of each entry.
   *
   * @author Fridtjof Siebert
   * @author Andrew John Hughes (gnu_andrew@member.fsf.org)
   */
  private class KeyIterator 
      implements Iterator<K>
  {

    /**
     * This entry iterator is used for most operations.  Only
     * <code>next()</code> gives a different result, by returning just
     * the key rather than the whole element.
     */
    private EntryIterator iterator;

    /**
     * Construct a new KeyIterator
     */
    KeyIterator()
    {
	iterator = new EntryIterator();
    }


    /**
     * Returns true if the entry iterator has more elements.
     *
     * @return true if there are more elements
     * @throws ConcurrentModificationException if the hashtable was modified
     */
    public boolean hasNext()
    {
	return iterator.hasNext();
    }

    /**
     * Returns the next element in the Iterator's sequential view.
     *
     * @return the next element
     *
     * @throws ConcurrentModificationException if the hashtable was modified
     * @throws NoSuchElementException if there is none
     */
    public K next()
    {
      return ((HashEntry<K,V>) iterator.next()).key;
    }

    /**
     * Removes the last element used by the <code>next()</code> method
     * using the entry iterator.
     *
     * @throws ConcurrentModificationException if the hashtable was modified
     * @throws IllegalStateException if called when there is no last element
     */
    public void remove()
    {
      iterator.remove();
    }
  } // class KeyIterator
 
  /**
   * A class which implements the Iterator interface and is used for
   * iterating over values in Hashtables.  This class uses an
   * <code>EntryIterator</code> to obtain the values of each entry.
   *
   * @author Fridtjof Siebert
   * @author Andrew John Hughes (gnu_andrew@member.fsf.org)
   */
  private class ValueIterator
      implements Iterator<V>
  {

    /**
     * This entry iterator is used for most operations.  Only
     * <code>next()</code> gives a different result, by returning just
     * the value rather than the whole element.
     */
    private EntryIterator iterator;

    /**
     * Construct a new KeyIterator
     */
    ValueIterator()
    {
	iterator = new EntryIterator();
    }


    /**
     * Returns true if the entry iterator has more elements.
     *
     * @return true if there are more elements
     * @throws ConcurrentModificationException if the hashtable was modified
     */
    public boolean hasNext()
    {
	return iterator.hasNext();
    }

    /**
     * Returns the value of the next element in the iterator's sequential view.
     *
     * @return the next value
     *
     * @throws ConcurrentModificationException if the hashtable was modified
     * @throws NoSuchElementException if there is none
     */
    public V next()
    {
      return ((HashEntry<K,V>) iterator.next()).value;
    }

    /**
     * Removes the last element used by the <code>next()</code> method
     * using the entry iterator.
     *
     * @throws ConcurrentModificationException if the hashtable was modified
     * @throws IllegalStateException if called when there is no last element
     */
    public void remove()
    {
      iterator.remove();
    }

  } // class ValueIterator

  /**
   * Enumeration view of the entries in this Hashtable, providing
   * sequential access to its elements.
   *
   * <b>NOTE</b>: Enumeration is not safe if new elements are put in the table
   * as this could cause a rehash and we'd completely lose our place.  Even
   * without a rehash, it is undetermined if a new element added would
   * appear in the enumeration.  The spec says nothing about this, but
   * the "Java Class Libraries" book implies that modifications to the
   * hashtable during enumeration causes indeterminate results.  Don't do it!
   *
   * @author Jon Zeppieri
   * @author Fridjof Siebert
   */
  private class EntryEnumerator 
      implements Enumeration<Entry<K,V>>
  {
    /** The number of elements remaining to be returned by next(). */
    int count = size;
    /** Current index in the physical hash table. */
    int idx = buckets.length;
    /**
     * Entry which will be returned by the next nextElement() call. It is
     * set if we are iterating through a bucket with multiple entries, or null
     * if we must look in the next bucket.
     */
    HashEntry<K, V> next;

    /**
     * Construct the enumeration.
     */
    EntryEnumerator()
    {
      // Nothing to do here.
    }

    /**
     * Checks whether more elements remain in the enumeration.
     * @return true if nextElement() will not fail.
     */
    public boolean hasMoreElements()
    {
      return count > 0;
    }

    /**
     * Returns the next element.
     * @return the next element
     * @throws NoSuchElementException if there is none.
     */
    public Map.Entry<K,V> nextElement()
    {
      if (count == 0)
        throw new NoSuchElementException("Hashtable Enumerator");
      count--;
      HashEntry<K, V> e = next;

      while (e == null)
        if (idx <= 0)
          return null;
        else
          e = buckets[--idx];

      next = e.next;
      return e;
    }
  } // class EntryEnumerator


  /**
   * Enumeration view of this Hashtable, providing sequential access to its
   * elements.
   *
   * <b>NOTE</b>: Enumeration is not safe if new elements are put in the table
   * as this could cause a rehash and we'd completely lose our place.  Even
   * without a rehash, it is undetermined if a new element added would
   * appear in the enumeration.  The spec says nothing about this, but
   * the "Java Class Libraries" book implies that modifications to the
   * hashtable during enumeration causes indeterminate results.  Don't do it!
   *
   * @author Jon Zeppieri
   * @author Fridjof Siebert
   * @author Andrew John Hughes (gnu_andrew@member.fsf.org)
   */
  private final class KeyEnumerator
      implements Enumeration<K>
  {
    /**
     * This entry enumerator is used for most operations.  Only
     * <code>nextElement()</code> gives a different result, by returning just
     * the key rather than the whole element.
     */
    private EntryEnumerator enumerator;

    /**
     * Construct a new KeyEnumerator
     */
    KeyEnumerator()
    {
      enumerator = new EntryEnumerator();
    }


    /**
     * Returns true if the entry enumerator has more elements.
     *
     * @return true if there are more elements
     * @throws ConcurrentModificationException if the hashtable was modified
     */
    public boolean hasMoreElements()
    {
	return enumerator.hasMoreElements();
    }

    /**
     * Returns the next element.
     * @return the next element
     * @throws NoSuchElementException if there is none.
     */
    public K nextElement()
    {
      HashEntry<K,V> entry = (HashEntry<K,V>) enumerator.nextElement();
      K retVal = null;
      if (entry != null)
        retVal = entry.key;
      return retVal;
    }
  } // class KeyEnumerator


  /**
   * Enumeration view of this Hashtable, providing sequential access to its
   * values.
   *
   * <b>NOTE</b>: Enumeration is not safe if new elements are put in the table
   * as this could cause a rehash and we'd completely lose our place.  Even
   * without a rehash, it is undetermined if a new element added would
   * appear in the enumeration.  The spec says nothing about this, but
   * the "Java Class Libraries" book implies that modifications to the
   * hashtable during enumeration causes indeterminate results.  Don't do it!
   *
   * @author Jon Zeppieri
   * @author Fridjof Siebert
   * @author Andrew John Hughes (gnu_andrew@member.fsf.org)
   */
  private final class ValueEnumerator
      implements Enumeration<V>
  {
    /**
     * This entry enumerator is used for most operations.  Only
     * <code>nextElement()</code> gives a different result, by returning just
     * the value rather than the whole element.
     */
    private EntryEnumerator enumerator;

    /**
     * Construct a new ValueEnumerator
     */
    ValueEnumerator()
    {
      enumerator = new EntryEnumerator();
    }


    /**
     * Returns true if the entry enumerator has more elements.
     *
     * @return true if there are more elements
     * @throws ConcurrentModificationException if the hashtable was modified
     */
    public boolean hasMoreElements()
    {
	return enumerator.hasMoreElements();
    }

    /**
     * Returns the next element.
     * @return the next element
     * @throws NoSuchElementException if there is none.
     */
    public V nextElement()
    {
      HashEntry<K,V> entry = (HashEntry<K,V>) enumerator.nextElement();
      V retVal = null;
      if (entry != null)
        retVal = entry.value;
      return retVal;
    }
  } // class ValueEnumerator

} // class Hashtable
3'>3863 3864 3865 3866 3867 3868 3869 3870 3871 3872 3873 3874 3875 3876 3877 3878 3879 3880 3881 3882 3883 3884 3885 3886 3887 3888 3889 3890 3891 3892 3893 3894 3895 3896 3897 3898 3899 3900 3901 3902 3903 3904 3905 3906 3907 3908 3909 3910 3911 3912 3913 3914 3915 3916 3917 3918 3919 3920 3921 3922 3923 3924 3925 3926 3927 3928 3929 3930 3931 3932 3933 3934 3935 3936 3937 3938 3939 3940 3941 3942 3943 3944 3945 3946 3947 3948 3949 3950 3951 3952 3953 3954 3955 3956 3957 3958 3959 3960 3961 3962 3963 3964 3965 3966 3967 3968 3969 3970 3971 3972 3973 3974 3975 3976 3977 3978 3979 3980 3981 3982 3983 3984 3985 3986 3987 3988 3989 3990 3991 3992 3993 3994 3995 3996 3997 3998 3999 4000 4001 4002 4003 4004 4005 4006 4007 4008 4009 4010 4011 4012 4013 4014 4015 4016 4017 4018 4019 4020 4021 4022 4023 4024 4025 4026 4027 4028 4029 4030 4031 4032 4033 4034 4035 4036 4037 4038 4039 4040 4041 4042 4043 4044 4045 4046 4047 4048 4049 4050 4051 4052 4053 4054 4055 4056 4057 4058 4059 4060 4061 4062 4063 4064 4065 4066 4067 4068 4069 4070 4071 4072 4073 4074 4075 4076 4077 4078 4079 4080 4081 4082 4083 4084 4085 4086 4087 4088 4089 4090 4091 4092 4093 4094 4095 4096 4097 4098 4099 4100 4101 4102 4103 4104 4105 4106 4107 4108 4109 4110 4111 4112 4113 4114 4115 4116 4117 4118 4119 4120 4121 4122 4123 4124 4125 4126 4127 4128 4129 4130 4131 4132 4133 4134 4135 4136 4137 4138 4139 4140 4141 4142 4143 4144 4145 4146 4147 4148 4149 4150 4151 4152 4153 4154 4155 4156 4157 4158 4159 4160 4161 4162 4163 4164 4165 4166 4167 4168 4169 4170 4171 4172 4173 4174 4175 4176 4177 4178 4179 4180 4181 4182 4183 4184 4185 4186 4187 4188 4189 4190 4191 4192 4193 4194 4195 4196 4197 4198 4199 4200 4201 4202 4203 4204 4205 4206 4207 4208 4209 4210 4211 4212 4213 4214 4215 4216 4217 4218 4219 4220 4221 4222 4223 4224 4225 4226 4227 4228 4229 4230 4231 4232 4233 4234 4235 4236 4237 4238 4239 4240 4241 4242 4243 4244 4245 4246 4247 4248 4249 4250 4251 4252 4253 4254 4255 4256 4257 4258 4259 4260 4261 4262 4263 4264 4265 4266 4267 4268 4269 4270 4271 4272 4273 4274 4275 4276 4277 4278 4279 4280 4281 4282 4283 4284 4285 4286 4287 4288 4289 4290 4291 4292 4293 4294 4295 4296 4297 4298 4299 4300 4301 4302 4303 4304 4305 4306 4307 4308 4309 4310 4311 4312 4313 4314 4315 4316 4317 4318 4319 4320 4321 4322 4323 4324 4325 4326 4327 4328 4329 4330 4331 4332 4333 4334 4335 4336 4337 4338 4339 4340 4341 4342 4343 4344 4345 4346 4347 4348 4349 4350 4351 4352 4353 4354 4355 4356 4357 4358 4359 4360 4361 4362 4363 4364 4365 4366 4367 4368 4369 4370 4371 4372 4373 4374 4375 4376 4377 4378 4379 4380 4381 4382 4383 4384 4385 4386 4387 4388 4389 4390 4391 4392 4393 4394 4395 4396 4397 4398 4399 4400 4401 4402 4403 4404 4405 4406 4407 4408 4409 4410 4411 4412 4413 4414 4415 4416 4417 4418 4419 4420 4421 4422 4423 4424 4425 4426 4427 4428 4429 4430 4431 4432 4433 4434 4435 4436 4437 4438 4439 4440 4441 4442 4443 4444 4445 4446 4447 4448 4449 4450 4451 4452 4453 4454 4455 4456 4457 4458 4459 4460 4461 4462 4463 4464 4465 4466 4467 4468 4469 4470 4471 4472 4473 4474 4475 4476 4477 4478 4479 4480 4481 4482 4483 4484 4485 4486 4487 4488 4489 4490 4491 4492 4493 4494 4495 4496 4497 4498 4499 4500 4501 4502 4503 4504 4505 4506 4507 4508 4509 4510 4511 4512 4513 4514 4515 4516 4517 4518 4519 4520 4521 4522 4523 4524 4525 4526 4527 4528 4529 4530 4531 4532 4533 4534 4535 4536 4537 4538 4539 4540 4541 4542 4543 4544 4545 4546 4547 4548 4549 4550 4551 4552 4553 4554 4555 4556 4557 4558 4559 4560 4561 4562 4563 4564 4565 4566 4567 4568 4569 4570 4571 4572 4573 4574 4575 4576 4577 4578 4579 4580 4581 4582 4583 4584 4585 4586 4587 4588 4589 4590 4591 4592 4593 4594 4595 4596 4597 4598 4599 4600 4601 4602 4603 4604 4605 4606 4607 4608 4609 4610 4611 4612 4613 4614 4615 4616 4617 4618 4619 4620 4621 4622 4623 4624 4625 4626 4627 4628 4629 4630 4631 4632 4633 4634 4635 4636 4637 4638 4639 4640 4641 4642 4643 4644 4645 4646 4647 4648 4649 4650 4651 4652 4653 4654 4655 4656 4657 4658 4659 4660 4661 4662 4663 4664 4665 4666 4667 4668 4669 4670 4671 4672 4673 4674 4675 4676 4677 4678 4679 4680 4681 4682 4683 4684 4685 4686 4687 4688 4689 4690 4691 4692 4693 4694 4695 4696 4697 4698 4699 4700 4701 4702 4703 4704 4705 4706 4707 4708 4709 4710 4711 4712 4713 4714 4715 4716 4717 4718 4719 4720 4721 4722 4723 4724 4725 4726 4727 4728 4729 4730 4731 4732 4733 4734 4735 4736 4737 4738 4739 4740 4741 4742 4743 4744 4745 4746 4747 4748 4749 4750 4751 4752 4753 4754 4755 4756 4757 4758 4759 4760 4761 4762 4763 4764 4765 4766 4767 4768 4769 4770 4771 4772 4773 4774 4775 4776 4777 4778 4779 4780 4781 4782 4783 4784 4785 4786 4787 4788 4789 4790 4791 4792 4793 4794 4795 4796 4797 4798 4799 4800 4801 4802 4803 4804 4805 4806 4807 4808 4809 4810 4811 4812 4813 4814 4815 4816 4817 4818 4819 4820 4821 4822 4823 4824 4825 4826 4827 4828 4829 4830 4831 4832 4833 4834 4835 4836 4837 4838 4839 4840 4841 4842 4843 4844 4845 4846 4847 4848 4849 4850 4851 4852 4853 4854 4855 4856 4857 4858 4859 4860 4861 4862 4863 4864 4865 4866 4867 4868 4869 4870 4871 4872 4873 4874 4875 4876 4877 4878 4879 4880 4881 4882 4883 4884 4885 4886 4887 4888 4889 4890 4891 4892 4893 4894 4895 4896 4897 4898 4899 4900 4901 4902 4903 4904 4905 4906 4907 4908 4909 4910 4911 4912 4913 4914 4915 4916 4917 4918 4919 4920 4921 4922 4923 4924 4925 4926 4927 4928 4929 4930 4931 4932 4933 4934 4935 4936 4937 4938 4939 4940 4941 4942 4943 4944 4945 4946 4947 4948 4949 4950 4951 4952 4953 4954 4955 4956 4957 4958 4959 4960 4961 4962 4963 4964 4965 4966 4967 4968 4969 4970 4971 4972 4973 4974 4975 4976 4977 4978 4979 4980 4981 4982 4983 4984 4985 4986 4987 4988 4989 4990 4991 4992 4993 4994 4995 4996 4997 4998 4999 5000 5001 5002 5003 5004 5005 5006 5007 5008 5009 5010 5011 5012 5013 5014 5015 5016 5017 5018 5019 5020 5021 5022 5023 5024 5025 5026 5027 5028 5029 5030 5031 5032 5033 5034 5035 5036 5037 5038 5039 5040 5041 5042 5043 5044 5045 5046 5047 5048 5049 5050 5051 5052 5053 5054 5055 5056 5057 5058 5059 5060 5061 5062 5063 5064 5065 5066 5067 5068 5069 5070 5071 5072 5073 5074 5075 5076 5077 5078 5079 5080 5081 5082 5083 5084 5085 5086 5087 5088 5089 5090 5091 5092 5093 5094 5095 5096 5097 5098 5099 5100 5101 5102 5103 5104 5105 5106 5107 5108 5109 5110 5111 5112 5113 5114 5115 5116 5117 5118 5119 5120 5121 5122 5123 5124 5125 5126 5127 5128 5129 5130 5131 5132 5133 5134 5135 5136 5137 5138 5139 5140 5141 5142 5143 5144 5145 5146 5147 5148 5149 5150 5151 5152 5153 5154 5155 5156 5157 5158 5159 5160 5161 5162 5163 5164 5165 5166 5167 5168 5169 5170 5171 5172 5173 5174 5175 5176 5177 5178 5179 5180 5181 5182 5183 5184 5185 5186 5187 5188 5189 5190 5191 5192 5193 5194 5195 5196 5197 5198 5199 5200 5201 5202 5203 5204 5205 5206 5207 5208 5209 5210 5211 5212 5213 5214 5215 5216 5217 5218 5219 5220 5221 5222 5223 5224 5225 5226 5227 5228 5229 5230 5231 5232 5233 5234 5235 5236 5237 5238 5239 5240 5241 5242 5243 5244 5245 5246 5247 5248 5249 5250 5251 5252 5253 5254 5255 5256 5257 5258 5259 5260 5261 5262 5263 5264 5265 5266 5267 5268 5269 5270 5271 5272 5273 5274 5275 5276 5277 5278 5279 5280 5281 5282 5283 5284 5285 5286 5287 5288 5289 5290 5291 5292 5293 5294 5295 5296 5297 5298 5299 5300 5301 5302 5303 5304 5305 5306 5307 5308 5309 5310 5311 5312 5313 5314 5315 5316 5317 5318 5319 5320 5321 5322 5323 5324 5325 5326 5327 5328 5329 5330 5331 5332 5333 5334 5335 5336 5337 5338 5339 5340 5341 5342 5343 5344 5345 5346 5347 5348 5349 5350 5351 5352 5353 5354 5355 5356 5357 5358 5359 5360 5361 5362 5363 5364 5365 5366 5367 5368 5369 5370 5371 5372 5373 5374 5375 5376 5377 5378 5379 5380 5381 5382 5383 5384 5385 5386 5387 5388 5389 5390 5391 5392 5393 5394 5395 5396 5397 5398 5399 5400 5401 5402 5403 5404 5405 5406 5407 5408 5409 5410 5411 5412 5413 5414 5415 5416 5417 5418 5419 5420 5421 5422 5423 5424 5425 5426 5427 5428 5429 5430 5431 5432 5433 5434 5435 5436 5437 5438 5439 5440 5441 5442 5443 5444 5445 5446 5447 5448 5449 5450 5451 5452 5453 5454 5455 5456 5457 5458 5459 5460 5461 5462 5463 5464 5465 5466 5467 5468 5469 5470 5471 5472 5473 5474 5475 5476 5477 5478 5479 5480 5481 5482 5483 5484 5485 5486 5487 5488 5489 5490 5491 5492 5493 5494 5495 5496 5497 5498 5499 5500 5501 5502 5503 5504 5505 5506 5507 5508 5509 5510 5511 5512 5513 5514 5515 5516 5517 5518 5519 5520 5521 5522 5523 5524 5525 5526 5527 5528 5529 5530 5531 5532 5533 5534 5535 5536 5537 5538 5539 5540 5541 5542 5543 5544 5545 5546 5547 5548 5549 5550 5551 5552 5553 5554 5555 5556 5557 5558 5559 5560 5561 5562 5563 5564 5565 5566 5567 5568 5569 5570 5571 5572 5573 5574 5575 5576 5577 5578 5579 5580 5581 5582 5583 5584 5585 5586 5587 5588 5589 5590 5591 5592 5593 5594 5595 5596 5597 5598 5599 5600 5601 5602 5603 5604 5605 5606 5607 5608 5609 5610 5611 5612 5613 5614 5615 5616 5617 5618 5619 5620 5621 5622 5623 5624 5625 5626 5627 5628 5629 5630 5631 5632 5633 5634 5635 5636 5637 5638 5639 5640 5641 5642 5643 5644 5645 5646 5647 5648 5649 5650 5651 5652 5653 5654 5655 5656 5657 5658 5659 5660 5661 5662 5663 5664 5665 5666 5667 5668 5669 5670 5671 5672 5673 5674 5675 5676 5677 5678 5679 5680 5681 5682 5683 5684 5685 5686 5687 5688 5689 5690 5691 5692 5693 5694 5695 5696 5697 5698 5699 5700 5701 5702 5703 5704 5705 5706 5707 5708 5709 5710 5711 5712 5713 5714 5715 5716 5717 5718 5719 5720 5721 5722 5723 5724 5725 5726 5727 5728 5729 5730 5731 5732 5733 5734 5735 5736 5737 5738 5739 5740 5741 5742 5743 5744 5745 5746 5747 5748 5749 5750 5751 5752 5753 5754 5755 5756 5757 5758 5759 5760 5761 5762 5763 5764 5765 5766 5767 5768 5769 5770 5771 5772 5773 5774 5775 5776 5777 5778 5779 5780 5781 5782 5783 5784 5785 5786 5787 5788 5789 5790 5791 5792 5793 5794 5795 5796 5797 5798 5799 5800 5801 5802 5803 5804 5805 5806 5807 5808 5809 5810 5811 5812 5813 5814 5815 5816 5817 5818 5819 5820 5821 5822 5823 5824 5825 5826 5827 5828 5829 5830 5831 5832 5833 5834 5835 5836 5837 5838 5839 5840 5841 5842 5843 5844 5845 5846 5847 5848 5849 5850 5851 5852 5853 5854 5855 5856 5857 5858 5859 5860 5861 5862 5863 5864 5865 5866 5867 5868 5869 5870 5871 5872 5873 5874 5875 5876 5877 5878 5879 5880 5881 5882 5883 5884 5885 5886 5887 5888 5889 5890 5891 5892 5893 5894 5895 5896 5897 5898 5899 5900 5901 5902 5903 5904 5905 5906 5907 5908 5909 5910 5911 5912 5913 5914 5915 5916 5917 5918 5919 5920 5921 5922 5923 5924 5925 5926 5927 5928 5929 5930 5931 5932 5933 5934 5935 5936 5937 5938 5939 5940 5941 5942 5943 5944 5945 5946 5947 5948 5949 5950 5951 5952 5953 5954 5955 5956 5957 5958 5959 5960 5961 5962 5963 5964 5965 5966 5967 5968 5969 5970 5971 5972 5973 5974 5975 5976 5977 5978 5979 5980 5981 5982 5983 5984 5985 5986 5987 5988 5989 5990 5991 5992 5993 5994 5995 5996 5997 5998 5999 6000 6001 6002 6003 6004 6005 6006 6007 6008 6009 6010 6011 6012 6013 6014 6015 6016 6017 6018 6019 6020 6021 6022 6023 6024 6025 6026 6027 6028 6029 6030 6031 6032 6033 6034 6035 6036 6037 6038 6039 6040 6041 6042 6043 6044 6045 6046 6047 6048 6049 6050 6051 6052 6053 6054 6055 6056 6057 6058 6059 6060 6061 6062 6063 6064 6065 6066 6067 6068 6069 6070 6071 6072 6073 6074 6075 6076 6077 6078 6079 6080 6081 6082 6083 6084 6085 6086 6087 6088 6089 6090 6091 6092 6093 6094 6095 6096 6097 6098 6099 6100 6101 6102 6103 6104 6105 6106 6107 6108 6109 6110 6111 6112 6113 6114 6115 6116 6117 6118 6119 6120 6121 6122 6123 6124 6125 6126 6127 6128 6129 6130 6131 6132 6133 6134 6135 6136 6137 6138 6139 6140 6141 6142 6143 6144 6145 6146 6147 6148 6149 6150 6151 6152 6153 6154 6155 6156 6157 6158 6159 6160 6161 6162 6163 6164 6165 6166 6167 6168 6169 6170 6171 6172 6173 6174 6175 6176 6177 6178 6179 6180 6181 6182 6183 6184 6185 6186 6187 6188 6189 6190 6191 6192 6193 6194 6195 6196 6197 6198 6199 6200 6201 6202 6203 6204 6205 6206 6207 6208 6209 6210 6211 6212 6213 6214 6215 6216 6217 6218 6219 6220 6221 6222 6223 6224 6225 6226 6227 6228 6229 6230 6231 6232 6233 6234 6235 6236 6237 6238 6239 6240 6241 6242 6243 6244 6245 6246 6247 6248 6249 6250 6251 6252 6253 6254 6255 6256 6257 6258 6259 6260 6261 6262 6263 6264 6265 6266 6267 6268 6269 6270 6271 6272 6273 6274 6275 6276 6277 6278 6279 6280 6281 6282 6283 6284 6285 6286 6287 6288 6289 6290 6291 6292 6293 6294 6295 6296 6297 6298 6299 6300 6301 6302 6303 6304 6305 6306 6307 6308 6309 6310 6311 6312 6313 6314 6315 6316 6317 6318 6319 6320 6321 6322 6323 6324 6325 6326 6327 6328 6329 6330 6331 6332 6333 6334 6335 6336 6337 6338 6339 6340 6341 6342 6343 6344 6345 6346 6347 6348 6349 6350 6351 6352 6353 6354 6355 6356 6357 6358 6359 6360 6361 6362 6363 6364 6365 6366 6367 6368 6369 6370 6371 6372 6373 6374 6375 6376 6377 6378 6379 6380 6381 6382 6383 6384 6385 6386 6387 6388 6389 6390 6391 6392 6393 6394 6395 6396 6397 6398 6399 6400 6401 6402 6403 6404 6405 6406 6407 6408 6409 6410 6411 6412 6413 6414 6415 6416 6417 6418 6419 6420 6421 6422 6423 6424 6425 6426 6427 6428 6429 6430 6431 6432 6433 6434 6435 6436 6437 6438 6439 6440 6441 6442 6443 6444 6445 6446 6447 6448 6449 6450 6451 6452 6453 6454 6455 6456 6457 6458 6459 6460 6461 6462 6463 6464 6465 6466 6467 6468 6469 6470 6471 6472 6473 6474 6475 6476 6477 6478 6479 6480 6481 6482 6483 6484 6485 6486 6487 6488 6489 6490 6491 6492 6493 6494 6495 6496 6497 6498 6499 6500 6501 6502 6503 6504 6505 6506 6507 6508 6509 6510 6511 6512 6513 6514 6515 6516 6517 6518 6519 6520 6521 6522 6523 6524 6525 6526 6527 6528 6529 6530 6531 6532 6533 6534 6535 6536 6537 6538 6539 6540 6541 6542 6543 6544 6545 6546 6547 6548 6549 6550 6551 6552 6553 6554 6555 6556 6557 6558 6559 6560 6561 6562 6563 6564 6565 6566 6567 6568 6569 6570 6571 6572 6573 6574 6575 6576 6577 6578 6579 6580 6581 6582 6583 6584 6585 6586 6587 6588 6589 6590 6591 6592 6593 6594 6595 6596 6597 6598 6599 6600 6601 6602 6603 6604 6605 6606 6607 6608 6609 6610 6611 6612 6613 6614 6615 6616 6617 6618 6619 6620 6621 6622 6623 6624 6625 6626 6627 6628 6629 6630 6631 6632 6633 6634 6635 6636 6637 6638 6639 6640 6641 6642 6643 6644 6645 6646 6647 6648 6649 6650 6651 6652 6653 6654 6655 6656 6657 6658 6659 6660 6661 6662 6663 6664 6665 6666 6667 6668 6669 6670 6671 6672 6673 6674 6675 6676 6677 6678 6679 6680 6681 6682 6683 6684 6685 6686 6687 6688 6689 6690 6691 6692 6693 6694 6695 6696 6697 6698 6699 6700 6701 6702 6703 6704 6705 6706 6707 6708 6709 6710 6711 6712 6713 6714 6715 6716 6717 6718 6719 6720 6721 6722 6723 6724 6725 6726 6727 6728 6729 6730 6731 6732 6733 6734 6735 6736 6737 6738 6739 6740 6741 6742 6743 6744 6745 6746 6747 6748 6749 6750 6751 6752 6753 6754 6755 6756 6757 6758 6759 6760 6761 6762 6763 6764 6765 6766 6767 6768 6769 6770 6771 6772 6773 6774 6775 6776 6777 6778 6779 6780 6781 6782 6783 6784 6785 6786 6787 6788 6789 6790 6791 6792 6793 6794 6795 6796 6797 6798 6799 6800 6801 6802 6803 6804 6805 6806 6807 6808 6809 6810 6811 6812 6813 6814 6815 6816 6817 6818 6819 6820 6821 6822 6823 6824 6825 6826 6827 6828 6829 6830 6831 6832 6833 6834 6835 6836 6837 6838 6839 6840 6841 6842 6843 6844 6845 6846 6847 6848 6849 6850 6851 6852 6853 6854 6855 6856 6857 6858 6859 6860 6861 6862 6863 6864 6865 6866 6867 6868 6869 6870 6871 6872 6873 6874 6875 6876 6877 6878 6879 6880 6881 6882 6883 6884 6885 6886 6887 6888 6889 6890 6891 6892 6893 6894 6895 6896 6897 6898 6899 6900 6901 6902 6903 6904 6905 6906 6907 6908 6909 6910 6911 6912 6913 6914 6915 6916 6917 6918 6919 6920 6921 6922 6923 6924 6925 6926 6927 6928 6929 6930 6931 6932 6933 6934 6935 6936 6937 6938 6939 6940 6941 6942 6943 6944 6945 6946 6947 6948 6949 6950 6951 6952 6953 6954 6955 6956 6957 6958 6959 6960 6961 6962 6963 6964 6965 6966 6967 6968 6969 6970 6971 6972 6973 6974 6975 6976 6977 6978 6979 6980 6981 6982 6983 6984 6985 6986 6987 6988 6989 6990 6991 6992 6993 6994 6995 6996 6997 6998 6999 7000 7001 7002 7003 7004 7005 7006 7007 7008 7009 7010 7011 7012 7013 7014 7015 7016 7017 7018 7019 7020 7021 7022 7023 7024 7025 7026 7027 7028 7029 7030 7031 7032 7033 7034 7035 7036 7037 7038 7039 7040 7041 7042 7043 7044 7045 7046 7047 7048 7049 7050 7051 7052 7053 7054 7055 7056 7057 7058 7059 7060 7061 7062 7063 7064 7065 7066 7067 7068 7069 7070 7071 7072 7073 7074 7075 7076 7077 7078 7079 7080 7081 7082 7083 7084 7085 7086 7087 7088 7089 7090 7091 7092 7093 7094 7095 7096 7097 7098 7099 7100 7101 7102 7103 7104 7105 7106 7107 7108 7109 7110 7111 7112 7113 7114 7115 7116 7117 7118 7119 7120 7121 7122 7123 7124 7125 7126 7127 7128 7129 7130 7131 7132 7133 7134 7135 7136 7137 7138 7139 7140 7141 7142 7143 7144 7145 7146 7147 7148 7149 7150 7151 7152 7153 7154 7155 7156 7157 7158 7159 7160 7161 7162 7163 7164 7165 7166 7167 7168 7169 7170 7171 7172 7173 7174 7175 7176 7177 7178 7179 7180 7181 7182 7183 7184 7185 7186 7187 7188 7189 7190 7191 7192 7193 7194 7195 7196 7197 7198 7199 7200 7201 7202 7203 7204 7205 7206 7207
# Serbian translation of binutils ld.
# Copyright © 2017 Free Software Foundation, Inc.
# This file is distributed under the same license as the binutils package.
# Мирослав Николић <miroslavnikolic@rocketmail.com>, 2017–2025.
#
# # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # #
#
# Порука будућим преводиоцима овог модула: Немојте брисати празнине на
# почетку неких ниски, а негде и у другом реду у реченици.
# Оне служе да би испис наредбе „ld --help“ у терминалу био под „конац“,
# а не да објашњења за поједине опције у испису штрче за 2-8 места.
#
# # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # #
#
msgid ""
msgstr ""
"Project-Id-Version: ld-2.43.90\n"
"Report-Msgid-Bugs-To: https://sourceware.org/bugzilla/\n"
"POT-Creation-Date: 2025-01-19 12:28+0000\n"
"PO-Revision-Date: 2025-01-19 18:09+0100\n"
"Last-Translator: Мирослав Николић <miroslavnikolic@rocketmail.com>\n"
"Language-Team: Serbian <(nothing)>\n"
"Language: sr\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-Bugs: Report translation errors to the Language-Team address.\n"
"X-Generator: Poedit 3.5\n"

#: ldcref.c:170
msgid "%X%P: bfd_hash_table_init of cref table failed: %E\n"
msgstr "%X%P: „bfd_hash_table_init“ табеле унакрсне упуте није успело: %E\n"

#: ldcref.c:176
msgid "%X%P: cref_hash_lookup failed: %E\n"
msgstr "%X%P: „cref_hash_lookup“ није успело: %E\n"

#: ldcref.c:186
msgid "%X%P: cref alloc failed: %E\n"
msgstr "%X%P: додељивање унакрсне упуте није успело: %E\n"

#: ldcref.c:371
#, c-format
msgid ""
"\n"
"Cross Reference Table\n"
"\n"
msgstr ""
"\n"
"Табела унакрсне упуте\n"
"\n"

#: ldcref.c:372
msgid "Symbol"
msgstr "Симбол"

#: ldcref.c:380
#, c-format
msgid "File\n"
msgstr "Датотека\n"

#: ldcref.c:384
#, c-format
msgid "No symbols\n"
msgstr "Нема симбола\n"

#: ldcref.c:413 ldcref.c:565
msgid "%P: symbol `%pT' missing from main hash table\n"
msgstr "%P: симбол „%pT“ недостаје у главној хеш табели\n"

#: ldcref.c:517 ldcref.c:628 ldmain.c:1357 ldmisc.c:327 pe-dll.c:780
#: pe-dll.c:1350 pe-dll.c:1471 pe-dll.c:1573 eaarch64pe.c:1580 earm64pe.c:1580
#: earm_wince_pe.c:1583 earm_wince_pe.c:1770 earmpe.c:1583 earmpe.c:1770
#: ei386pe.c:1583 ei386pe.c:1770 ei386pe_posix.c:1583 ei386pe_posix.c:1770
#: ei386pep.c:1580 emcorepe.c:1583 emcorepe.c:1770 eshpe.c:1583 eshpe.c:1770
msgid "%F%P: %pB: could not read symbols: %E\n"
msgstr "%F%P: %pB: не могу да читам симболе: %E\n"

#: ldcref.c:690 ldcref.c:697 ldmain.c:1419 ldmain.c:1426
msgid "%F%P: %pB: could not read relocs: %E\n"
msgstr "%F%P: %pB: не могу да читам премештања: %E\n"

#. We found a reloc for the symbol.  The symbol is defined
#. in OUTSECNAME.  This reloc is from a section which is
#. mapped into a section from which references to OUTSECNAME
#. are prohibited.  We must report an error.
#: ldcref.c:724
msgid "%X%P: %H: prohibited cross reference from %s to `%pT' in %s\n"
msgstr "%X%P: %H: забрањена унакрсна упута из „%s“ у „%pT“ у „%s\n"

#: ldctor.c:85
msgid "%X%P: different relocs used in set %s\n"
msgstr "%X%P: Другачија премештања су коришћена у скупу „%s\n"

#: ldctor.c:103
msgid "%X%P: different object file formats composing set %s\n"
msgstr "%X%P: Другачији формати објектне датотеке чине скуп „%s\n"

#: ldctor.c:279 ldctor.c:300
msgid "%X%P: %s does not support reloc %s for set %s\n"
msgstr "%X%P: „%s“ не подржава премештање „%s“ за скуп „%s\n"

#: ldctor.c:295
msgid "%X%P: special section %s does not support reloc %s for set %s\n"
msgstr "%X%P: „%s“ не подржава премештање „%s“ за скуп „%s\n"

#: ldctor.c:321
msgid "%X%P: unsupported size %d for set %s\n"
msgstr "%X%P: Неподржана величина од %d за скуп „%s\n"

#: ldctor.c:344
msgid ""
"\n"
"Set                 Symbol\n"
"\n"
msgstr ""
"\n"
"Скуп                Симбол\n"
"\n"

#: ldelf.c:98
msgid "%F%P: common page size (0x%v) > maximum page size (0x%v)\n"
msgstr "%F%P: уобичајена величина странице (0x%v) > највећа величина странице (0x%v)\n"

#: ldelf.c:124
msgid "%F%P: %pB: --just-symbols may not be used on DSO\n"
msgstr "%F%P: %pB: „--just-symbols“ се не могу нкористити на „DSO“\n"

#: ldelf.c:226
msgid "%P: %pB: bfd_stat failed: %E\n"
msgstr "%P: %pB: „bfd_stat“ није успело: %E\n"

#: ldelf.c:267
msgid "%P: warning: %s, needed by %pB, may conflict with %s\n"
msgstr "%P: упозорење: „%s“, које је потребно „%pB“-у, се може сукобити са „%s\n"

#: ldelf.c:287 ldfile.c:356
#, c-format
msgid "attempt to open %s failed\n"
msgstr "покушај отварања „%s“ није успео\n"

#: ldelf.c:324
msgid "%F%P: %pB: bfd_elf_get_bfd_needed_list failed: %E\n"
msgstr "%F%P: %pB: „bfd_elf_get_bfd_needed_list“ није успело: %E\n"

#: ldelf.c:372
msgid "%F%P: %pB: bfd_stat failed: %E\n"
msgstr "%F%P: %pB: „bfd_stat“ није успело: %E\n"

#: ldelf.c:378
#, c-format
msgid "found %s at %s\n"
msgstr "нађох „%s“ на „%s\n"

#: ldelf.c:411 ldlang.c:3177 ldlang.c:3191 ldlang.c:10994
msgid "%F%P: %pB: error adding symbols: %E\n"
msgstr "%F%P: %pB: грешка додавања симбола: %E\n"

#. We only issue an "unrecognised" message in verbose mode
#. as the $<foo> token might be a legitimate component of
#. a path name in the target's file system.
#: ldelf.c:601
#, c-format
msgid "unrecognised or unsupported token '%s' in search path\n"
msgstr "непозната или неподржана скупина „%s“ у путањи претраге\n"

#: ldelf.c:1084
#, c-format
msgid "%s needed by %pB\n"
msgstr "„%s“ је потребно за „%pB“\n"

#: ldelf.c:1193
msgid "%P: warning: %s, needed by %pB, not found (try using -rpath or -rpath-link)\n"
msgstr "%P: упозорење: „%s“, које је потребно „%pB“-у, нисам нашао (покушајте да користите „-rpath“ или „-rpath-link“)\n"

#: ldelf.c:1209
msgid "%F%P: failed to add DT_NEEDED dynamic tag\n"
msgstr "%F%P: нисам успео да додам „DT_NEEDED“ динамичку ознаку\n"

#: ldelf.c:1261
msgid "%F%P: %s: can't open for writing: %E\n"
msgstr "%F%P: %s: не могу да отворим за писање: %E\n"

#: ldelf.c:1317
msgid "%F%P: cannot use executable file '%pB' as input to a link\n"
msgstr "%F%P: не могу да користим извршну датотеку „%pB“ као улаз за везу\n"

#: ldelf.c:1371
msgid "%F%P: compact frame descriptions incompatible with DWARF2 .eh_frame from %pB\n"
msgstr "%F%P: сажети описи оквира нису сагласни са „DWARF2 .eh_frame“ из „%pB“\n"

#: ldelf.c:1407
msgid "%P: warning: cannot create .eh_frame_hdr section, --eh-frame-hdr ignored\n"
msgstr "%P: упозорење: не могу да направим „.eh_frame_hdr“ одељак, „--eh-frame-hdr“ је занемарено\n"

#: ldelf.c:1413
msgid "%F%P: failed to parse EH frame entries\n"
msgstr "%F%P: нисам успео да обрадим уносе „EH“ оквира\n"

#: ldelf.c:1455
msgid "%P: warning: .note.gnu.build-id section discarded, --build-id ignored\n"
msgstr "%P: упозорење: „.note.gnu.build-id“ одељак је одбачен, „--build-id“ је занемарено\n"

#: ldelf.c:1505 eaarch64pe.c:1354 earm64pe.c:1354 earm_wince_pe.c:1339
#: earmpe.c:1339 ei386pe.c:1339 ei386pe_posix.c:1339 ei386pep.c:1354
#: emcorepe.c:1339 eshpe.c:1339
msgid "%P: warning: unrecognized --build-id style ignored\n"
msgstr "%P: упозорење: непознат „--build-id“ стил је занемарен\n"

#: ldelf.c:1524
msgid "%P: warning: cannot create .note.gnu.build-id section, --build-id ignored\n"
msgstr "%P: упозорење: не могу да направим „.note.gnu.build-id“ одељак, „--build-id“ је занемарено\n"

#: ldelf.c:1545
msgid "%P: warning: .note.package section discarded, --package-metadata ignored\n"
msgstr "%P: упозорење: „.note.package“ одељак је одбачен, „--package-metadata“ је занемарено\n"

#: ldelf.c:1601
msgid "%P: warning: --package-metadata is empty, ignoring\n"
msgstr "%P: упозорење: „--package-metadata“ је празно, занемарујем\n"

#: ldelf.c:1611
msgid "%P: warning: --package-metadata=%s does not contain valid JSON, ignoring: %s\n"
msgstr "%P: упозорење: „--package-metadata=%s“ не садржи исправан ЈСОН, занемарујем: %s\n"

#: ldelf.c:1640
msgid "%P: warning: cannot create .note.package section, --package-metadata ignored\n"
msgstr "%P: упозорење: не могу да направим „.note.package“ одељак, „--package-metadata“ је занемарено\n"

#: ldelf.c:1672 eaix5ppc.c:1546 eaix5rs6.c:1546 eaixppc.c:1546 eaixrs6.c:1546
#: eppcmacos.c:1546
msgid "%F%P: failed to record assignment to %s: %E\n"
msgstr "%F%P: нисам успео да прибележим доделу за „%s“: %E\n"

#: ldelf.c:1850 ldelf.c:1915 eaix5ppc.c:816 eaix5rs6.c:816 eaixppc.c:816
#: eaixrs6.c:816 eelf64_ia64_vms.c:209 eppcmacos.c:816
msgid "%F%P: failed to set dynamic section sizes: %E\n"
msgstr "%F%P: нисам успео да поставим величине динамичког одељка: %E\n"

#: ldelf.c:1887
msgid "%F%P: %pB: can't read contents of section .gnu.warning: %E\n"
msgstr "%F%P: %pB: не могу да читам садржаје одељка „.gnu.warning“: %E\n"

#: ldelfgen.c:285
msgid "%F%P: %pA has both ordered and unordered sections\n"
msgstr "%F%P: „%pA“ има и сређене и несређене одељке\n"

#: ldelfgen.c:310 eelf32loongarch.c:106 eelf64loongarch.c:106
msgid "%F%P: map sections to segments failed: %E\n"
msgstr "%F%P: мапирање одељака у подеоке није успело: %E\n"

#: ldelfgen.c:330
msgid "%F%P: looping in map_segments\n"
msgstr "%F%P: кружење у подеоцима_мапе\n"

#: ldelfgen.c:342
msgid "%F%P: failed to strip zero-sized dynamic sections\n"
msgstr "%F%P: нисам успео да покидам динамичке одељке нулте величине\n"

#: ldelfgen.c:420
msgid "%F%P: warning: CTF strtab association failed; strings will not be shared: %s\n"
msgstr "%F%P: упозорење: придруживање „CTF“ таб_ниске није успело; ниске неће бити дељене: %s\n"

#: ldelfgen.c:447
msgid "%F%P: warning: CTF symbol addition failed; CTF will not be tied to symbols: %s\n"
msgstr "%F%P: упозорење: придодавање „CTF“ симбола није успело; „CTF“ неће бити везано за симболе: %s\n"

#: ldelfgen.c:457
msgid "%F%P: warning: CTF symbol shuffling failed; CTF will not be tied to symbols: %s\n"
msgstr "%F%P: упозорење: мешање „CTF“ симбола није успело; „CTF“ неће бити везано за симболе: %s\n"

#: ldemul.c:323
#, c-format
msgid "%pS SYSLIB ignored\n"
msgstr "„%pS SYSLIB“ је занемарено\n"

#: ldemul.c:329
#, c-format
msgid "%pS HLL ignored\n"
msgstr "„%pS HLL“ је занемарено\n"

#: ldemul.c:349
msgid "%P: unrecognised emulation mode: %s\n"
msgstr "%P: непзнат режим емулације: %s\n"

#: ldemul.c:350
msgid "Supported emulations: "
msgstr "Подржане емулације: "

#: ldemul.c:392
#, c-format
msgid "  no emulation specific options.\n"
msgstr "  нема посебних опција емулације.\n"

#: ldexp.c:285
msgid "%F%P: bfd_hash_allocate failed creating symbol %s\n"
msgstr "%F%P: „bfd_hash_allocate“ није успело са стварањем симбола „%s\n"

#: ldexp.c:316
msgid "%F%P: bfd_hash_lookup failed creating symbol %s\n"
msgstr "%F%P: „bfd_hash_lookup“ није успело са стварањем симбола „%s\n"

#: ldexp.c:562
msgid "%P: warning: address of `%s' isn't multiple of maximum page size\n"
msgstr "%P: упозорење: адреса од „%s“ није множилац највеће величине странице\n"

#: ldexp.c:641
msgid "%F%P:%pS %% by zero\n"
msgstr "%F%P:%pS %% нулом\n"

#: ldexp.c:650
msgid "%F%P:%pS / by zero\n"
msgstr "%F%P:%pS / нулом\n"

#: ldexp.c:764 ldlang.c:4035 ldmain.c:1324 eaarch64pe.c:1168 eaarch64pe.c:1784
#: earm64pe.c:1168 earm64pe.c:1784 earm_wince_pe.c:1154 earm_wince_pe.c:1881
#: earmpe.c:1154 earmpe.c:1881 ei386pe.c:1154 ei386pe.c:1881
#: ei386pe_posix.c:1154 ei386pe_posix.c:1881 ei386pep.c:1168 ei386pep.c:1784
#: emcorepe.c:1154 emcorepe.c:1881 eshpe.c:1154 eshpe.c:1881
msgid "%F%P: bfd_link_hash_lookup failed: %E\n"
msgstr "%F%P: „bfd_link_hash_lookup“ није успело: %E\n"

#: ldexp.c:777
msgid "%X%P:%pS: unresolvable symbol `%s' referenced in expression\n"
msgstr "%X%P:%pS: нерешиви симбол „%s“ има упуту у изразу\n"

#: ldexp.c:792
msgid "%F%P:%pS: undefined symbol `%s' referenced in expression\n"
msgstr "%F%P:%pS: недефинисани симбол „%s“ има упуту у изразу\n"

#: ldexp.c:830 ldexp.c:848 ldexp.c:876
msgid "%F%P:%pS: undefined section `%s' referenced in expression\n"
msgstr "%F%P:%pS: недефинисани одељак „%s“ има упуту у изразу\n"

#: ldexp.c:915 ldexp.c:929
msgid "%F%P:%pS: undefined MEMORY region `%s' referenced in expression\n"
msgstr "%F%P:%pS: недефинисана област МЕМОРИЈЕ „%s“ има упуту у изразу\n"

#: ldexp.c:941
msgid "%F%P:%pS: unknown constant `%s' referenced in expression\n"
msgstr "%F%P:%pS непозната константа „%s“ има упуту у изразу\n"

#: ldexp.c:1089
msgid "%F%P:%pS can not PROVIDE assignment to location counter\n"
msgstr "„%F%P:%pS“ не може да ОБЕЗБЕДИ додељивање бројачу места\n"

#: ldexp.c:1122
msgid "%F%P:%pS invalid assignment to location counter\n"
msgstr "„%F%P:%pS“ неисправно додељивање бројачу места\n"

#: ldexp.c:1126
msgid "%F%P:%pS assignment to location counter invalid outside of SECTIONS\n"
msgstr "„%F%P:%pS“ додељивање бројачу места неисправно изван ОДЕЉАКА\n"

#: ldexp.c:1145
msgid "%F%P:%pS cannot move location counter backwards (from %V to %V)\n"
msgstr "„%F%P:%pS“ не може да помери бројач места уназад (од %V до %V)\n"

#: ldexp.c:1205
msgid "%F%P:%s: hash creation failed\n"
msgstr "%F%P:%s: стварање хеша није успело\n"

#: ldexp.c:1581 ldexp.c:1624 ldexp.c:1684
msgid "%F%P:%pS: nonconstant expression for %s\n"
msgstr "%F%P:%pS: неконстантни израз за „%s\n"

#: ldexp.c:1711 ldlang.c:1355 ldlang.c:3510 ldlang.c:8236
msgid "%F%P: can not create hash table: %E\n"
msgstr "%F%P: не могу да направим хеш табелу: %E\n"

#: ldfile.c:239
#, c-format
msgid "remap input file '%s' to '%s' based upon pattern '%s'\n"
msgstr "поново мапира улазну датотеку „%s“ у „%s“ на основу шаблона „%s\n"

#: ldfile.c:242
#, c-format
msgid "remove input file '%s' based upon pattern '%s'\n"
msgstr "уклања улазну датотеку „%s“ на основу шаблона „%s\n"

#: ldfile.c:248
#, c-format
msgid "remap input file '%s' to '%s'\n"
msgstr "поново мапира улазну датотеку „%s“ у „%s\n"

#: ldfile.c:251
#, c-format
msgid "remove input file '%s'\n"
msgstr "уклања улазну датотеку „%s\n"

#: ldfile.c:269
msgid ""
"\n"
"Input File Remapping\n"
"\n"
msgstr ""
"\n"
"Поновно мапирање улазне датотеке\n"
"\n"

#: ldfile.c:274
#, c-format
msgid "  Pattern: %s\tMaps To: %s\n"
msgstr "  Шаблон: %s\tМапира у: %s\n"

#: ldfile.c:275
msgid "<discard>"
msgstr "<одбаци>"

#: ldfile.c:358
#, c-format
msgid "attempt to open %s succeeded\n"
msgstr "покушај отварања „%s“ је успео\n"

#: ldfile.c:364
msgid "%F%P: invalid BFD target `%s'\n"
msgstr "%F%P: неисправна БФД мета „%s\n"

#: ldfile.c:494 ldfile.c:524
msgid "%P: skipping incompatible %s when searching for %s\n"
msgstr "%P: прескачем несагласно „%s“ када тражим „%s\n"

#: ldfile.c:507
msgid "%F%P: attempted static link of dynamic object `%s'\n"
msgstr "%F%P: покушах статичку везу динамичког објекта „%s\n"

#: ldfile.c:636
msgid "%P: cannot find %s (%s): %E\n"
msgstr "%P: не могу да нађем „%s“ (%s): %E\n"

#. We ignore the return status of the script
#. and always print the error message.
#: ldfile.c:639 ldfile.c:723 ldfile.c:727
msgid "%P: cannot find %s: %E\n"
msgstr "%P: не могу да нађем „%s“: %E\n"

#: ldfile.c:691
msgid "%P: cannot find %s inside %s\n"
msgstr "%P: не могу да нађем „%s“ унутар „%s\n"

#: ldfile.c:706 ldmain.c:1504
msgid "%P: About to run error handling script '%s' with arguments: '%s' '%s'\n"
msgstr "%P: Покренућу скрипту рада са грешком „%s“ са аргументима: „%s“ „%s\n"

#: ldfile.c:710 ldmain.c:1508
msgid "error handling script"
msgstr "грешка рада са скриптом"

#: ldfile.c:716 ldmain.c:1514
msgid "%P: Failed to run error handling script '%s', reason: "
msgstr "%P: Нисам успео да покренем скрипту рада са грешком „%s“, разлог: "

#: ldfile.c:732
msgid "%P: have you installed the static version of the %s library ?\n"
msgstr "%P: Да ли сте инсталирали статичко издање библиотеке „%s“?\n"

#: ldfile.c:743
msgid "%P: note to link with %s use -l:%s or rename it to lib%s\n"
msgstr "%P: напомена ка вези са „%s“ користи „-l:%s“ или га преименује у „lib%s\n"

#: ldfile.c:775
#, c-format
msgid "cannot find script file %s\n"
msgstr "не могу да нађем датотеку скрипте „%s\n"

#: ldfile.c:777
#, c-format
msgid "opened script file %s\n"
msgstr "отворих датотеку скрипте „%s\n"

#: ldfile.c:913
msgid "%F%P: error: linker script file '%s' appears multiple times\n"
msgstr "%F%P: грешка: датотека скрипте повезивача „%s“ се јавља више пута\n"

#: ldfile.c:932
msgid "%F%P: cannot open linker script file %s: %E\n"
msgstr "%F%P: не могу да отворим датотеку скрипте повезивача „%s“: %E\n"

#: ldfile.c:1026
msgid "%F%P: cannot represent machine `%s'\n"
msgstr "%F%P: не могу да представим машину „%s\n"

#: ldlang.c:1446
msgid "%P:%pS: warning: redeclaration of memory region `%s'\n"
msgstr "%P:%pS: упозорење: поновно декларисање области меморије „%s\n"

#: ldlang.c:1452
msgid "%P:%pS: warning: memory region `%s' not declared\n"
msgstr "%P:%pS: упозорење: област меморије „%s“ није декларисана\n"

#: ldlang.c:1488
msgid "%F%P:%pS: error: alias for default memory region\n"
msgstr "%F%P:%pS: грешка: алијас за основну област меморије\n"

#: ldlang.c:1499
msgid "%F%P:%pS: error: redefinition of memory region alias `%s'\n"
msgstr "%F%P:%pS: грешка: поновно дефинисање алијаса области меморије „%s\n"

#: ldlang.c:1506
msgid "%F%P:%pS: error: memory region `%s' for alias `%s' does not exist\n"
msgstr "%F%P:%pS: грешка: област меморије „%s“ за алијаса „%s“ не постоји\n"

#: ldlang.c:1567 ldlang.c:1610
msgid "%F%P: failed creating section `%s': %E\n"
msgstr "%F%P: нисам успео да направим одељак „%s“: %E\n"

#: ldlang.c:2328
msgid ""
"\n"
"As-needed library included to satisfy reference by file (symbol)\n"
"\n"
msgstr ""
"\n"
"Библиотека као-што-је-потребно је укључена да би задовољила упуту датотеком (симболом)\n"
"\n"

#: ldlang.c:2393
msgid ""
"\n"
"Discarded input sections\n"
"\n"
msgstr ""
"\n"
"Одбачени одељци улаза\n"
"\n"

#: ldlang.c:2401
msgid ""
"\n"
"There are no discarded input sections\n"
msgstr ""
"\n"
"Нема одбачених одељака улаза\n"

#: ldlang.c:2403
msgid ""
"\n"
"Memory Configuration\n"
"\n"
msgstr ""
"\n"
"Подешавање меморије\n"
"\n"

#: ldlang.c:2405
msgid "Name"
msgstr "Назив"

#: ldlang.c:2405
msgid "Origin"
msgstr "Порекло"

#: ldlang.c:2405
msgid "Length"
msgstr "Дужина"

#: ldlang.c:2405
msgid "Attributes"
msgstr "Атрибути"

#: ldlang.c:2429
msgid ""
"\n"
"Linker script and memory map\n"
"\n"
msgstr ""
"\n"
"Скрипта повезивача и мапа меморије\n"
"\n"

#: ldlang.c:2482
msgid "%F%P: illegal use of `%s' section\n"
msgstr "%F%P: неисправна употреба одељка „%s\n"

#: ldlang.c:2491
msgid "%F%P: output format %s cannot represent section called %s: %E\n"
msgstr "%F%P: формат излаза „%s“ не може да представља одељак под називом „%s: %E\n"

#: ldlang.c:2672
msgid "%P:%pS: warning: --enable-non-contiguous-regions makes section `%pA' from `%pB' match /DISCARD/ clause.\n"
msgstr "%P:%pS: упозорење: „--enable-non-contiguous-regions“ чини да одељак „%pA“ из „%pB“ одговара клаузули „/DISCARD/“.\n"

#: ldlang.c:2696
msgid "%P:%pS: warning: --enable-non-contiguous-regions may change behaviour for section `%pA' from `%pB' (assigned to %pA, but additional match: %pA)\n"
msgstr "%P:%pS: упозорење: „--enable-non-contiguous-regions“ може променити понашање за одељак „%pA“ из „%pB“ (додељено за „%pA“, али додатно се поклапа са: %pA)\n"

#: ldlang.c:3074
msgid "%P: %pB: file not recognized: %E; matching formats:"
msgstr "%P: %pB: датотека није препозната: %E; одговарајући записи:"

#: ldlang.c:3083
msgid "%F%P: %pB: file not recognized: %E\n"
msgstr "%F%P: %pB: датотека није препозната: %E\n"

#: ldlang.c:3156
msgid "%F%P: %pB: member %pB in archive is not an object\n"
msgstr "%F%P: %pB: члан „%pB“ у архиви није објекат\n"

#: ldlang.c:3432
msgid "%F%P: input file '%s' is the same as output file\n"
msgstr "%F%P: улазна датотека „%s“ је иста као излазна датотека\n"

#: ldlang.c:3480
msgid "%P: warning: could not find any targets that match endianness requirement\n"
msgstr "%P: упозорење: не могу да нађем ниједну мету која одговар захтевима крајњости\n"

#: ldlang.c:3494
msgid "%F%P: target %s not found\n"
msgstr "%F%P: нисам нашао мету „%s\n"

#: ldlang.c:3496
msgid "%F%P: cannot open output file %s: %E\n"
msgstr "%F%P: не могу да отворим излазну датотеку „%s“: %E\n"

#: ldlang.c:3502
msgid "%F%P: %s: can not make object file: %E\n"
msgstr "%F%P: %s: не могу да направим објектну датотеку: %E\n"

#: ldlang.c:3506
msgid "%F%P: %s: can not set architecture: %E\n"
msgstr "%F%P: %s: не могу да подесим архитектуру: %E\n"

#: ldlang.c:3693
msgid "%P: warning: %s contains output sections; did you forget -T?\n"
msgstr "%P: упозорење: „%s“ садржи излазне одељке; да ли сте заборавили „-T“?\n"

#: ldlang.c:3740
#, c-format
msgid "%s: %s\n"
msgstr "%s: %s\n"

#: ldlang.c:3740
msgid "CTF warning"
msgstr "„CTF“ упозорење"

#: ldlang.c:3740
msgid "CTF error"
msgstr "„CTF“ грешка"

#: ldlang.c:3746
#, c-format
msgid "CTF error: cannot get CTF errors: `%s'\n"
msgstr "„CTF“ грешка: не могу да добавим „CTF“ грешке: %s\n"

#: ldlang.c:3780
msgid "%P: warning: CTF section in %pB not loaded; its types will be discarded: %s\n"
msgstr "%P: упозорење: „CTF“ одељак у „%pB“ није учитан; његове врсте биће одбачене: „%s\n"

#: ldlang.c:3809
msgid "%P: warning: CTF output not created: `%s'\n"
msgstr "%P: упозорење: „CTF“ излаз није направљен: „%s\n"

#: ldlang.c:3852
msgid "%P: warning: CTF section in %pB cannot be linked: `%s'\n"
msgstr "%P: упозорење: „CTF“ одељак у „%pB“ се не може повезати: %s\n"

#: ldlang.c:3872
msgid "%P: warning: CTF linking failed; output will have no CTF section: %s\n"
msgstr "%P: упозорење: „CTF“ повезивање није успело; излаз неће имати „CTF“ одељак: %s\n"

#: ldlang.c:3943
msgid "%P: warning: CTF section emission failed; output will have no CTF section: %s\n"
msgstr "%P: емитовање „CTF“ одељка није успело; излаз неће имати „CTF“ одељак: %s\n"

#: ldlang.c:3982
msgid "%P: warning: CTF section in %pB not linkable: %P was built without support for CTF\n"
msgstr "%P: упозорење: „CTF“ одељак у „%pB“ није свезив: „%P“ је уграђен без подршке за „CTF“\n"

#: ldlang.c:4120
msgid "%X%P: required symbol `%s' not defined\n"
msgstr "%X%P: затражен симбол „%s“ није дефинисан\n"

#: ldlang.c:4321 ldlang.c:4330
msgid "%F%P: invalid type for output section `%s'\n"
msgstr "%F%P: неисправна врста за излазни одељак „%s\n"

#: ldlang.c:4466
msgid "warning: INSERT statement in linker script is incompatible with --enable-non-contiguous-regions.\n"
msgstr "warning: „INSERT“ тврдња у скрипти свезача није сагласна са „--enable-non-contiguous-regions“.\n"

#: ldlang.c:4479
msgid "%F%P: %s not found for insert\n"
msgstr "%F%P: нисам нашао „%s“ за уметање\n"

#: ldlang.c:4751
msgid " load address 0x%V"
msgstr " адреса учитавања 0x%V"

#: ldlang.c:5013
msgid "%W (size before relaxing)\n"
msgstr "%W (величина пре одмора)\n"

#: ldlang.c:5142
#, c-format
msgid "Address of section %s set to "
msgstr "Адреса одељка „%s“ је постављена на "

#: ldlang.c:5344
#, c-format
msgid "Fail with %d\n"
msgstr "Нисам успео са стањем „%d\n"

#: ldlang.c:5561
msgid "%F%P: Output section `%pA' not large enough for the linker-created stubs section `%pA'.\n"
msgstr "%F%P: Излазни одељак „%pA“ није довољно велик за свезачем направљен одељак окрајка „%pA“.\n"

#: ldlang.c:5566
msgid "%F%P: Relaxation not supported with --enable-non-contiguous-regions (section `%pA' would overflow `%pA' after it changed size).\n"
msgstr "%F%P: Опуштање није подржано са „--enable-non-contiguous-regions“ (одељак „%pA“ ће преплавити „%pA“ након његове промењене величине).\n"

#: ldlang.c:5675
msgid "%X%P: section %s VMA wraps around address space\n"
msgstr "%X%P: одељак „%s VMA“ се прелама око простора адресе\n"

#: ldlang.c:5681
msgid "%X%P: section %s LMA wraps around address space\n"
msgstr "%X%P: одељак „%s LMA“ се прелама око простора адресе\n"

#: ldlang.c:5733
msgid "%X%P: section %s LMA [%V,%V] overlaps section %s LMA [%V,%V]\n"
msgstr "%X%P: одељак „%s LMA“ [%V,%V] преклапа одељак „%s LMA“ [%V,%V]\n"

#: ldlang.c:5777
msgid "%X%P: section %s VMA [%V,%V] overlaps section %s VMA [%V,%V]\n"
msgstr "%X%P: одељак „%s VMA“ [%V,%V] преклапа одељак „%s VMA“ [%V,%V]\n"

#: ldlang.c:5800
msgid "%X%P: region `%s' overflowed by %lu byte\n"
msgid_plural "%X%P: region `%s' overflowed by %lu bytes\n"
msgstr[0] "%X%P: област „%s“ је препуњена са %lu бајтом\n"
msgstr[1] "%X%P: област „%s“ је препуњена са %lu бајта\n"
msgstr[2] "%X%P: област „%s“ је препуњена са %lu бајтова\n"

#: ldlang.c:5825
msgid "%X%P: address 0x%v of %pB section `%s' is not within region `%s'\n"
msgstr "%X%P: адреса 0x%v %pB одељка „%s“ није унутар области „%s\n"

#: ldlang.c:5836
msgid "%X%P: %pB section `%s' will not fit in region `%s'\n"
msgstr "%X%P: %pB одељак „%s“ неће стати у област „%s\n"

#: ldlang.c:5922
msgid "%F%P:%pS: non constant or forward reference address expression for section %s\n"
msgstr "%F%P:%pS: не константа или следећи израз адресе упуте за одељак „%s\n"

#: ldlang.c:5947
msgid "%X%P: internal error on COFF shared library section %s\n"
msgstr "%X%P: унутрашња грешка на „COFF“  дељеном одељку библиотеке „%s\n"

#: ldlang.c:6005
msgid "%F%P: error: no memory region specified for loadable section `%s'\n"
msgstr "%F%P: грешка: није наведена област меморије за учитљив одељак „%s\n"

#: ldlang.c:6009
msgid "%P: warning: no memory region specified for loadable section `%s'\n"
msgstr "%P: упозорење: није наведена област меморије за учитљив одељак „%s\n"

#: ldlang.c:6043
msgid "%P: warning: start of section %s changed by %ld\n"
msgstr "%P: упозорење: почетак одељка „%s“ је измењен за %lu\n"

#: ldlang.c:6136
msgid "%P: warning: dot moved backwards before `%s'\n"
msgstr "%P: упозорење: тачка је померена уназад пре „%s\n"

#: ldlang.c:6312
msgid "%F%P: can't relax section: %E\n"
msgstr "%F%P: не могу да одморим одељак: %E\n"

#: ldlang.c:6721
msgid "%F%P: invalid data statement\n"
msgstr "%F%P: неисправна изјава података\n"

#: ldlang.c:6754
msgid "%F%P: invalid reloc statement\n"
msgstr "%F%P: неисправна изјава премештања\n"

#: ldlang.c:7172
msgid "%F%P: --gc-sections requires a defined symbol root specified by -e or -u\n"
msgstr "%F%P: „--gc-sections“ захтева дефинисани корен симбола одређеног са „-e“ или „-u“\n"

#: ldlang.c:7197
msgid "%F%P: %s: can't set start address\n"
msgstr "%F%P: %s: не могу да подесим почетну адресу\n"

#: ldlang.c:7210 ldlang.c:7229
msgid "%F%P: can't set start address\n"
msgstr "%F%P: не могу да подесим почетну адресу\n"

#: ldlang.c:7223
msgid "%P: warning: cannot find entry symbol %s; defaulting to %V\n"
msgstr "%P: упозорење: не могу да нађем улазни симбол „%s“; постављам на основно „%V\n"

#: ldlang.c:7234 ldlang.c:7242
msgid "%P: warning: cannot find entry symbol %s; not setting start address\n"
msgstr "%P: упозорење: не могу да нађем улазни симбол „%s“; не подешавам почетну адресу\n"

#: ldlang.c:7298
msgid "%F%P: relocatable linking with relocations from format %s (%pB) to format %s (%pB) is not supported\n"
msgstr "%F%P: преместиво повезивање са премештањима из формата „%s“ (%pB) у формат „%s“ (%pB) није подржано\n"

#: ldlang.c:7308
msgid "%X%P: %s architecture of input file `%pB' is incompatible with %s output\n"
msgstr "%X%P: „%s“ архитектура улазне датотеке „%pB“ није сагласна са излазом „%s\n"

#: ldlang.c:7332
msgid "%X%P: failed to merge target specific data of file %pB\n"
msgstr "%X%P: нисма успео да спојим мети специфичне податке датотеке „%pB“\n"

#: ldlang.c:7403
msgid "%F%P: could not define common symbol `%pT': %E\n"
msgstr "%F%P: не могу да дефинишем општи симбол „%pT“: %E\n"

#: ldlang.c:7415
msgid ""
"\n"
"Allocating common symbols\n"
msgstr ""
"\n"
"Додељујем опште симболе\n"

#: ldlang.c:7416
msgid ""
"Common symbol       size              file\n"
"\n"
msgstr ""
"Општи симбол        величина          датотека\n"
"\n"

#: ldlang.c:7473
msgid "%X%P: error: unplaced orphan section `%pA' from `%pB'\n"
msgstr "%X%P: грешка: није стављен напуштен одељак „%pA“ из „%pB“\n"

#: ldlang.c:7491
msgid "%P: warning: orphan section `%pA' from `%pB' being placed in section `%s'\n"
msgstr "%P: упозорење: напуштен одељак „%pA“ из „%pB“ је стављен у одељак „%s\n"

#: ldlang.c:7581
msgid "%F%P: invalid character %c (%d) in flags\n"
msgstr "%F%P: неисправан знак „%c“ (%d) у заставицама\n"

#. && in_section_ordering
#: ldlang.c:7675
msgid "%F%P:%pS: error: output section '%s' must already exist\n"
msgstr "%F%P:%pS: грешка: област меморије „%s“ мора већ да постоји\n"

#: ldlang.c:7699
msgid "%F%P:%pS: error: align with input and explicit align specified\n"
msgstr "%F%P:%pS: грешка: поравнање са улазом и изричитим поравнањем је наведено\n"

#: ldlang.c:8170
msgid "%P: warning: --enable-non-contiguous-regions discards section `%pA' from `%pB'\n"
msgstr "%P: упозорење: „--enable-non-contiguous-regions“ одбацује одељак „%pA“ из „%pB“\n"

#: ldlang.c:8274
msgid "%F%P: %s: plugin reported error after all symbols read\n"
msgstr "%F%P: %s: извештена грешка прикључка након читања свих симбола\n"

#: ldlang.c:8399
msgid ""
"Object-only input files:\n"
" "
msgstr ""
"Објекта-само улазне датотеке:\n"
" "

#: ldlang.c:8511
msgid "%F%P: bfd_merge_sections failed: %E\n"
msgstr "%F%P: клонирање одељка није успело: %E\n"

#: ldlang.c:8888
msgid "%F%P: multiple STARTUP files\n"
msgstr "%F%P: неколико ПОЧЕТНИХ датотека\n"

#: ldlang.c:8934
msgid "%X%P:%pS: section has both a load address and a load region\n"
msgstr "%X%P:%pS: одељак има и адресу учитавања и област учитавања\n"

#: ldlang.c:9043
msgid "%X%P:%pS: PHDRS and FILEHDR are not supported when prior PT_LOAD headers lack them\n"
msgstr "%X%P:%pS: „PHDRS“ и „FILEHDR“ нису подржани када недостају у претходним „PT_LOAD“ заглављима\n"

#: ldlang.c:9116
msgid "%F%P: no sections assigned to phdrs\n"
msgstr "%F%P: ниједан одељак није додељен „phdrs“-у\n"

#: ldlang.c:9154
msgid "%F%P: bfd_record_phdr failed: %E\n"
msgstr "%F%P: „bfd_record_phdr“ није успело: %E\n"

#: ldlang.c:9174
msgid "%X%P: section `%s' assigned to non-existent phdr `%s'\n"
msgstr "%X%P: одељак „%s“ је додељен непостојећем „phdr“-у „%s\n"

#: ldlang.c:9590
msgid "%X%P: unknown language `%s' in version information\n"
msgstr "%X%P: непознат језик „%s“ у подацима о издању\n"

#: ldlang.c:9735
msgid "%X%P: anonymous version tag cannot be combined with other version tags\n"
msgstr "%X%P: анонимна ознака издања се не може комбиновати са другим ознакама издања\n"

#: ldlang.c:9744
msgid "%X%P: duplicate version tag `%s'\n"
msgstr "%X%P: удвостручена ознака издања „%s\n"

#: ldlang.c:9765 ldlang.c:9774 ldlang.c:9792 ldlang.c:9802
msgid "%X%P: duplicate expression `%s' in version information\n"
msgstr "%X%P: удвостручени израз „%s“ у подацима о издању\n"

#: ldlang.c:9842
msgid "%X%P: unable to find version dependency `%s'\n"
msgstr "%X%P: не могу да нађем зависност издања „%s\n"

#: ldlang.c:9865
msgid "%X%P: unable to read .exports section contents\n"
msgstr "%X%P: не могу да прочитам садржаје одељка „.exports“ (извоза)\n"

#: ldlang.c:9911
msgid "%P: invalid origin for memory region %s\n"
msgstr "%P: неисправно порекло за област меморије „%s\n"

#: ldlang.c:9923
msgid "%P: invalid length for memory region %s\n"
msgstr "%P: неисправна дужина за област меморије „%s\n"

#: ldlang.c:10035
msgid "%X%P: unknown feature `%s'\n"
msgstr "%X%P: непозната функција „%s\n"

#: ldlang.c:10401
msgid "failed to create output section"
msgstr "нисам успео да направим излазни одељак"

#: ldlang.c:10435
msgid "failed to copy private data"
msgstr "нисам успео да умножим личне податке"

#: ldlang.c:10444
msgid "%P%F: setup_section: %s: %s\n"
msgstr "%P%F: setup_section: %s: %s\n"

#: ldlang.c:10507
msgid "relocation count is negative"
msgstr "збир премештаја је негативан"

#: ldlang.c:10539
msgid "%P%F: copy_section: %s: %s\n"
msgstr "%P%F: copy_section: %s: %s\n"

#: ldlang.c:10694
msgid "error setting up sections"
msgstr "грешка подешавања одељака"

#: ldlang.c:10702
msgid "error copying private header data"
msgstr "грешка умножавања личних података заглавља"

#: ldlang.c:10715
msgid "can't create object-only section"
msgstr "не могу да направим објекта-само одељак"

#: ldlang.c:10721
msgid "can't set object-only section size"
msgstr "не могу да поставим величину одељка објекта-само"

#: ldlang.c:10752
msgid "error copying sections"
msgstr "грешка умножавања одељака"

#: ldlang.c:10759
msgid "error adding object-only section"
msgstr "грешка додавања одељка објекта-само"

#: ldlang.c:10769
msgid "error copying private BFD data"
msgstr "грешка умножавања личних BFD података"

#: ldlang.c:10776
msgid "%P%F: failed to finish output with object-only section\n"
msgstr "%P%F: нисам успео да довршим изл\\аз са одељком само објекта\n"

#: ldlang.c:10786
msgid "%P%F: failed to rename output with object-only section\n"
msgstr "%P%F: нисам успео да преименујем излаз са одељком само објекта\n"

#: ldlang.c:10802
msgid "%P%F: failed to add object-only section: %s\n"
msgstr "%P%F: нисам успео да додам одељак само објекта: %s\n"

#: ldlang.c:10835
msgid "%P%F: Failed to create hash table\n"
msgstr "%P%F: Нисам успео да направим хеш табелу\n"

#: ldlang.c:10899
msgid "%P%F:%s: final close failed on object-only output: %E\n"
msgstr "%P%F:%s: завршно затварање није успело на излазу само објекта: %E\n"

#: ldlang.c:10909
msgid "%P%F:%s: cannot open object-only output: %E\n"
msgstr "%P%F:%s: не могу да отворим излаз само објекта: %E\n"

#: ldlang.c:10917
msgid "%P%F:%s: cannot stat object-only output: %E\n"
msgstr "%P%F:%s: не могу да добијем стање излаза само објекта: %E\n"

#: ldlang.c:10932
msgid "%P%F:%s: read failed on object-only output: %E\n"
msgstr "%P%F:%s: читање није успело на излазу само објекта: %E\n"

#: ldlang.c:10959
msgid "%P%F: cannot extract object-only section from %B: %E\n"
msgstr "%P%F: не могу да распакујем одељак само објекта из „%B“: %E\n"

#: ldmain.c:198
msgid "%F%P: cannot open dependency file %s: %E\n"
msgstr "%F%P: не могу да отворим датотеку зависности „%s“: %E\n"

#: ldmain.c:291
msgid "%F%P: fatal error: libbfd ABI mismatch\n"
msgstr "%F%P: кобна грешка: „libbfd ABI“ не одговара\n"

#: ldmain.c:330
msgid "%X%P: can't set BFD default target to `%s': %E\n"
msgstr "%X%P: не могу да поставим основну БФД мету на „%s“: %E\n"

#: ldmain.c:435
msgid "built in linker script"
msgstr "уграђена скрипта повезивача"

#: ldmain.c:445
#, c-format
msgid "using external linker script: %s"
msgstr "користи спољну скрипту свезача: %s"

#: ldmain.c:447
msgid "using internal linker script:"
msgstr "користим унутрашњу скрипту повезивача:"

#: ldmain.c:497
msgid "%F%P: --no-define-common may not be used without -shared\n"
msgstr "%F%P: „--no-define-common“ се не може користити без „-shared“\n"

#: ldmain.c:504
msgid "%F%P: no input files\n"
msgstr "%F%P: нема улазних датотека\n"

#: ldmain.c:508
msgid "%P: mode %s\n"
msgstr "%P: режим „%s\n"

#: ldmain.c:526 ends32belf.c:473 ends32belf16m.c:473 ends32belf_linux.c:606
#: ends32elf.c:473 ends32elf16m.c:473 ends32elf_linux.c:606
msgid "%F%P: cannot open map file %s: %E\n"
msgstr "%F%P: не могу да отворим датотеку мапе „%s“: %E\n"

#: ldmain.c:590
msgid "%P: link errors found, deleting executable `%s'\n"
msgstr "%P: нађох грешке везе, бришем извршног „%s\n"

#: ldmain.c:601
msgid "%F%P: %s: final close failed: %E\n"
msgstr "%F%P: %s: завршно затварање није успело: %E\n"

#: ldmain.c:630
msgid "%F%P: unable to open for source of copy `%s'\n"
msgstr "%F%P: не могу да отворим за извором умношка „%s\n"

#: ldmain.c:633
msgid "%F%P: unable to open for destination of copy `%s'\n"
msgstr "%F%P: не могу да отворим за одредиштем умношка „%s\n"

#: ldmain.c:640
msgid "%P: error writing file `%s'\n"
msgstr "%P: грешка писања датотеке „%s\n"

#: ldmain.c:645 pe-dll.c:2009
#, c-format
msgid "%P: error closing file `%s'\n"
msgstr "%P: грешка затварања датотеке „%s\n"

#: ldmain.c:660
#, c-format
msgid "%s: total time in link: %ld.%06ld\n"
msgstr "%s: укупно време у вези: %ld.%06ld\n"

#: ldmain.c:747
msgid "%F%P: missing argument to -m\n"
msgstr "%F%P: недостаје аргумент за „-m“\n"

#: ldmain.c:801 ldmain.c:818 ldmain.c:838 ldmain.c:870 pe-dll.c:1431
msgid "%F%P: bfd_hash_table_init failed: %E\n"
msgstr "%F%P: „bfd_hash_table_init“ није успело: %E\n"

#: ldmain.c:805 ldmain.c:822 ldmain.c:842
msgid "%F%P: bfd_hash_lookup failed: %E\n"
msgstr "%F%P: „bfd_hash_lookup“ није успело: %E\n"

#: ldmain.c:856
msgid "%X%P: error: duplicate retain-symbols-file\n"
msgstr "%X%P: грешка: удвостручено задржи-датотеку-симбола\n"

#: ldmain.c:900
msgid "%F%P: bfd_hash_lookup for insertion failed: %E\n"
msgstr "%F%P: „bfd_hash_lookup“ за уметање није успело: %E\n"

#: ldmain.c:905
msgid "%P: `-retain-symbols-file' overrides `-s' and `-S'\n"
msgstr "%P: „-retain-symbols-file“ преписује `-s' и „-S“\n"

#: ldmain.c:1026
msgid ""
"Archive member included to satisfy reference by file (symbol)\n"
"\n"
msgstr ""
"Члан архиве је укључен да би задовољио упуту датотеком (симболом)\n"
"\n"

#: ldmain.c:1132
msgid "%P: %C: warning: multiple definition of `%pT'"
msgstr "%P: %C: упозорење: вишеструка дефиниција за „%pT“"

#: ldmain.c:1135
msgid "%X%P: %C: multiple definition of `%pT'"
msgstr "%X%P: %C: вишеструка дефиниција за „%pT“"

#: ldmain.c:1138
msgid "; %D: first defined here"
msgstr "; %D: прво је дефинисано овде"

#: ldmain.c:1143
msgid "%P: disabling relaxation; it will not work with multiple definitions\n"
msgstr "%P: искључујем опуштање: неће радити са вишеструким дефиницијама\n"

#: ldmain.c:1196
msgid "%P: %pB: warning: definition of `%pT' overriding common from %pB\n"
msgstr "%P: %pB: упозорење: дефиниција за „%pT“ преписује опште из „%pB“\n"

#: ldmain.c:1200
msgid "%P: %pB: warning: definition of `%pT' overriding common\n"
msgstr "%P: %pB: упозорење: дефиниција за „%pT“ преписује опште\n"

#: ldmain.c:1209
msgid "%P: %pB: warning: common of `%pT' overridden by definition from %pB\n"
msgstr "%P: %pB: упозорење: опште за „%pT“ је преписано дефиницијом из „%pB“\n"

#: ldmain.c:1213
msgid "%P: %pB: warning: common of `%pT' overridden by definition\n"
msgstr "%P: %pB: упозорење: опште за „%pT“ је преписано дефиницијом\n"

#: ldmain.c:1222
msgid "%P: %pB: warning: common of `%pT' overridden by larger common from %pB\n"
msgstr "%P: %pB: упозорење: опште за „%pT“ је преписано већим општим из „%pB“\n"

#: ldmain.c:1226
msgid "%P: %pB: warning: common of `%pT' overridden by larger common\n"
msgstr "%P: %pB: упозорење: опште за „%pT“ је преписано већим општим\n"

#: ldmain.c:1233
msgid "%P: %pB: warning: common of `%pT' overriding smaller common from %pB\n"
msgstr "%P: %pB: упозорење: опште за „%pT“ преписује мањег општег из „%pB“\n"

#: ldmain.c:1237
msgid "%P: %pB: warning: common of `%pT' overriding smaller common\n"
msgstr "%P: %pB: упозорење: опште за „%pT“ преписује мањег општег\n"

#: ldmain.c:1244
msgid "%P: %pB and %pB: warning: multiple common of `%pT'\n"
msgstr "%P: „%pB“ и „%pB“: упозорење: више општих за „%pT“\n"

#: ldmain.c:1247
msgid "%P: %pB: warning: multiple common of `%pT'\n"
msgstr "%P: %pB: упозорење: више општих за „%pT“\n"

#: ldmain.c:1266 ldmain.c:1302
msgid "%P: warning: global constructor %s used\n"
msgstr "%P: упозорење: глобални конструктор „%s“ је коришћен\n"

#: ldmain.c:1312
msgid "%F%P: BFD backend error: BFD_RELOC_CTOR unsupported\n"
msgstr "%F%P: грешка БФД позадинца: „BFD_RELOC_CTOR“ није подржано\n"

#. We found a reloc for the symbol we are looking for.
#: ldmain.c:1384 ldmain.c:1386 ldmain.c:1388 ldmain.c:1396 ldmain.c:1439
msgid "warning: "
msgstr "упозорење: "

#: ldmain.c:1529
msgid "%X%P: %H: undefined reference to `%pT'\n"
msgstr "%X%P: %H: недефинисана упута ка „%pT“\n"

#: ldmain.c:1532
msgid "%P: %H: warning: undefined reference to `%pT'\n"
msgstr "%P: %H: упозорење: недефинисана упута ка „%pT“\n"

#: ldmain.c:1538
msgid "%X%P: %D: more undefined references to `%pT' follow\n"
msgstr "%X%P: %D: још недефинисаних упута ка „%pT“ следи\n"

#: ldmain.c:1541
msgid "%P: %D: warning: more undefined references to `%pT' follow\n"
msgstr "%P: %D: упозорење: још недефинисаних упута ка „%pT“ следи\n"

#: ldmain.c:1552
msgid "%X%P: %pB: undefined reference to `%pT'\n"
msgstr "%X%P: %pB: недефинисана упута ка „%pT“\n"

#: ldmain.c:1555
msgid "%P: %pB: warning: undefined reference to `%pT'\n"
msgstr "%P: %pB: упозорење: недефинисана упута ка „%pT“\n"

#: ldmain.c:1561
msgid "%X%P: %pB: more undefined references to `%pT' follow\n"
msgstr "%X%P: %pB: још недефинисаних упута ка „%pT“ следи\n"

#: ldmain.c:1564
msgid "%P: %pB: warning: more undefined references to `%pT' follow\n"
msgstr "%P: %pB: упозорење: још недефинисаних упута ка „%pT“ следи\n"

#: ldmain.c:1601
msgid " additional relocation overflows omitted from the output\n"
msgstr " додатна превазилажења премештања су изостављена из излаза\n"

#: ldmain.c:1614
#, c-format
msgid " relocation truncated to fit: %s against undefined symbol `%pT'"
msgstr " премештање је скраћено да стане: „%s“ наспрам недефинисаног симбола „%pT“"

#: ldmain.c:1620
#, c-format
msgid " relocation truncated to fit: %s against symbol `%pT' defined in %pA section in %pB"
msgstr " премештање је скраћено да стане: „%s“ наспрам симбола „%pT“ дефинисаног у одељку „%pA“ у „%pB“"

#: ldmain.c:1633
#, c-format
msgid " relocation truncated to fit: %s against `%pT'"
msgstr " премештање је скраћено да стане: „%s“ наспрам „%pT“"

#: ldmain.c:1649
msgid "%X%H: dangerous relocation: %s\n"
msgstr "%X%H: опасно премештање: %s\n"

#: ldmain.c:1663
msgid "%X%H: reloc refers to symbol `%pT' which is not being output\n"
msgstr "%X%H: премештање упућује на симбол „%pT“ који није био излаз\n"

#: ldmain.c:1697
msgid "%P: %pB: reference to %s\n"
msgstr "%P: %pB: упута ка „%s\n"

#: ldmain.c:1699
msgid "%P: %pB: definition of %s\n"
msgstr "%P: %pB: дефиниција за „%s\n"

#: ldmisc.c:366
#, c-format
msgid "%pB: in function `%pT':\n"
msgstr "%pB: у функцији „%pT“:\n"

#: ldmisc.c:506
#, c-format
msgid "no symbol"
msgstr "нема симбола"

#: ldmisc.c:688
msgid "%P: error: unsupported option: %s\n"
msgstr "%P: грешка: неподржана опција: „%s\n"

#: ldmisc.c:690
msgid "%P: warning: %s ignored\n"
msgstr "%P: упозорење: %s“ је занемарено\n"

#: ldmisc.c:701
msgid "%F%P: internal error %s %d\n"
msgstr "%F%P: унутрашња грешка „%s %d\n"

#: ldmisc.c:765
msgid "%P: internal error: aborting at %s:%d in %s\n"
msgstr "%P: унутрашња грешка: прекидам при „%s“: %d у „%s\n"

#: ldmisc.c:768
msgid "%P: internal error: aborting at %s:%d\n"
msgstr "%P: унутрашња грешка: прекидам при „%s“: %d\n"

#: ldmisc.c:770
msgid "%F%P: please report this bug\n"
msgstr "%F%P: пријавите ову грешку\n"

#. Output for noisy == 2 is intended to follow the GNU standards.
#: ldver.c:38
#, c-format
msgid "GNU ld %s\n"
msgstr "GNU ld %s\n"

#: ldver.c:42
#, c-format
msgid "Copyright (C) 2025 Free Software Foundation, Inc.\n"
msgstr "Ауторска права © 2025 Фондација слободног софтвера, Инк.\n"

#: ldver.c:43
#, c-format
msgid ""
"This program is free software; you may redistribute it under the terms of\n"
"the GNU General Public License version 3 or (at your option) a later version.\n"
"This program has absolutely no warranty.\n"
msgstr ""
"Овај програм је слободан софтвер; можете да га расподељујете под одредбама\n"
"Гнуове опште јавне лиценце издања 3 или (према вашем мишљењу) било ког\n"
"новијег издања. Овај програм нема никакву гаранцију.\n"

#: ldver.c:53
#, c-format
msgid "  Supported emulations:\n"
msgstr "  Подржане емулације:\n"

#: ldwrite.c:60 ldwrite.c:67 ldwrite.c:173 ldwrite.c:181 ldwrite.c:227
#: ldwrite.c:268
msgid "%F%P: bfd_new_link_order failed: %E\n"
msgstr "%F%P: „bfd_new_link_order“ није успело: %E\n"

#: ldwrite.c:337
msgid "%F%P: cannot create split section name for %s\n"
msgstr "%F%P: не могу да направим назив одељка поделе за „%s\n"

#: ldwrite.c:349
msgid "%F%P: clone section failed: %E\n"
msgstr "%F%P: клонирање одељка није успело: %E\n"

#: ldwrite.c:387
#, c-format
msgid "%8x something else\n"
msgstr "%8x нешто друго\n"

#: ldwrite.c:553
msgid "%F%P: final link failed: %E\n"
msgstr "%F%P: завршна веза није успела: %E\n"

#: ldwrite.c:555
msgid "%F%P: final link failed\n"
msgstr "%F%P: завршна веза није успела\n"

#: lexsup.c:105 lexsup.c:303
msgid "KEYWORD"
msgstr "КЉУЧНА РЕЧ"

#: lexsup.c:105
msgid "Shared library control for HP/UX compatibility"
msgstr "         Управљање дељеном библиотеком за HP/UX сагласност"

#: lexsup.c:108
msgid "ARCH"
msgstr "АРХИТЕКТУРА"

#: lexsup.c:108
msgid "Set architecture"
msgstr "Подешава архитектуру"

#: lexsup.c:110 lexsup.c:443
msgid "TARGET"
msgstr "МЕТА"

#: lexsup.c:110
msgid "Specify target for following input files"
msgstr "Наводи мету за пратеће улазне датотеке"

#: lexsup.c:113 lexsup.c:119 lexsup.c:180 lexsup.c:184 lexsup.c:223
#: lexsup.c:227 lexsup.c:242 lexsup.c:244 lexsup.c:465 lexsup.c:491
#: lexsup.c:539 lexsup.c:552 lexsup.c:556
msgid "FILE"
msgstr "ДАТОТЕКА"

#: lexsup.c:113
msgid "Read MRI format linker script"
msgstr "Чита МРИ формат скрипте повезивача"

#: lexsup.c:115
msgid "Force common symbols to be defined"
msgstr "Приморава дефинисање општих симбола"

#: lexsup.c:119
msgid "Write dependency file"
msgstr "Пише датотеку зависности"

#: lexsup.c:122
msgid "Force group members out of groups"
msgstr "Присиљава чланове групе ван група"

#: lexsup.c:124 lexsup.c:514 lexsup.c:516 lexsup.c:518 lexsup.c:520
#: lexsup.c:522 lexsup.c:524 lexsup.c:526
msgid "ADDRESS"
msgstr "АДРЕСА"

#: lexsup.c:124
msgid "Set start address"
msgstr "Подешава полазну адресу"

#: lexsup.c:126
msgid "Export all dynamic symbols"
msgstr "Извози све динамичке симболе"

#: lexsup.c:128
msgid "Undo the effect of --export-dynamic"
msgstr "Поништава дејство „--export-dynamic“"

#: lexsup.c:130
msgid "Enable support of non-contiguous memory regions"
msgstr "Омогућује подршку испрекиданих подручја меморије"

#: lexsup.c:132
msgid "Enable warnings when --enable-non-contiguous-regions may cause unexpected behaviour"
msgstr "Омогућује упозорења када „--enable-non-contiguous-regions“ може довести до неочекиваног понашања"

#: lexsup.c:134
msgid "Disable the LINKER_VERSION linker script directive"
msgstr "Искључује директиву скрипте свезача ИЗДАЊЕ_БР."

#: lexsup.c:136
msgid "Enable the LINKER_VERSION linker script directive"
msgstr "Укључује директиву скрипте свезача ИЗДАЊЕ_БР."

#: lexsup.c:138
msgid "Link big-endian objects"
msgstr "Повезује објекте велике крајњости"

#: lexsup.c:140
msgid "Link little-endian objects"
msgstr "Повезује објекте мале крајњости"

#: lexsup.c:142 lexsup.c:145
msgid "SHLIB"
msgstr "ДЕЉ_БИБЛ"

#: lexsup.c:142
msgid "Auxiliary filter for shared object symbol table"
msgstr "Помоћни филтер за табелу симбола дељеног објекта"

#: lexsup.c:145
msgid "Filter for shared object symbol table"
msgstr "Филтер за табелу симбола дељеног објекта"

#: lexsup.c:148
msgid "Ignored"
msgstr "Занемарено"

#: lexsup.c:150
msgid "SIZE"
msgstr "ВЕЛИЧИНА"

#: lexsup.c:150
msgid "Small data size (if no size, same as --shared)"
msgstr "Величина малих података (ако нема величине, исто као „--shared“)"

#: lexsup.c:153
msgid "FILENAME"
msgstr "ДАТОТЕКА"

#: lexsup.c:153
msgid "Set internal name of shared library"
msgstr "Подешава унутрашњи назив дељене библиотеке"

#: lexsup.c:155
msgid "PROGRAM"
msgstr "ПРОГРАМ"

#: lexsup.c:155
msgid "Set PROGRAM as the dynamic linker to use"
msgstr "Поставља ПРОГРАМ као динамички повезивач за коришћење"

#: lexsup.c:158
msgid "Produce an executable with no program interpreter header"
msgstr "Производи извршну без заглавља тумача програма"

#: lexsup.c:161
msgid "LIBNAME"
msgstr "НАЗИВ_БИБЛ"

#: lexsup.c:161
msgid "Search for library LIBNAME"
msgstr "Тражи библиотеку НАЗИВ_БИБЛ"

#: lexsup.c:163
msgid "DIRECTORY"
msgstr "ДИРЕКТРОРИЈУМ"

#: lexsup.c:163
msgid "Add DIRECTORY to library search path"
msgstr "Додаје ДИРЕКТРОРИЈУМ у путању тражења библиотеке"

#: lexsup.c:166
msgid "Override the default sysroot location"
msgstr "Преписује основно место системског администратора"

#: lexsup.c:168
msgid "EMULATION"
msgstr "ЕМУЛАЦИЈА"

#: lexsup.c:168
msgid "Set emulation"
msgstr "         Подешава емулацију"

#: lexsup.c:170
msgid "Print map file on standard output"
msgstr "Исписује датотеку мапе на стандардном излазу"

#: lexsup.c:172
msgid "Do not page align data"
msgstr "Не страничи податке поравнања"

#: lexsup.c:174
msgid "Do not page align data, do not make text readonly"
msgstr "Не страничи податке поравнања, не чини текст само за читање"

#: lexsup.c:177
msgid "Page align data, make text readonly"
msgstr "Страничи податке поравнања, чини текст само за читање"

#: lexsup.c:180
msgid "Set output file name"
msgstr "Поставља назив излазне датотеке"

#: lexsup.c:182
msgid "Optimize output file"
msgstr "Оптимизује излазну датотеку"

#: lexsup.c:184
msgid "Generate import library"
msgstr "Прави библиотеку увоза"

#: lexsup.c:187 lexsup.c:201
msgid "PLUGIN"
msgstr "ПРИКЉУЧАК"

#: lexsup.c:187
msgid "Load named plugin"
msgstr "         Учитава именовани прикључак"

#: lexsup.c:189 lexsup.c:203
msgid "ARG"
msgstr "АРГ"

#: lexsup.c:189
msgid "Send arg to last-loaded plugin"
msgstr "   Шаље аргумент последње учитаном прикључку"

#: lexsup.c:191
msgid "Store plugin intermediate files permanently"
msgstr "Трајно чува посредничке датотеке прикључка"

#: lexsup.c:194 lexsup.c:197
msgid "Ignored for GCC LTO option compatibility"
msgstr "Занемарено зарад сагласности ГЦЦ ЛТО опције"

#: lexsup.c:201
msgid "Load named plugin (ignored)"
msgstr "Учитава именовани прикључак (занемарено)"

#: lexsup.c:203
msgid "Send arg to last-loaded plugin (ignored)"
msgstr "Шаље аргумент последње учитаном прикључку (занемарено)"

#: lexsup.c:206
msgid "Ignored for GCC linker option compatibility"
msgstr "Занемарено зарад сагласности опције ГЦЦ повезивача"

#: lexsup.c:209 lexsup.c:212
msgid "Ignored for gold option compatibility"
msgstr "Занемарено за сагласност са опцијом „gold“"

#: lexsup.c:215
msgid "Ignored for SVR4 compatibility"
msgstr "Занемарено зарад СВР4 сагласности"

#: lexsup.c:219
msgid "Generate relocatable output"
msgstr "Ствара преместиви излаз"

#: lexsup.c:223
msgid "Just link symbols (if directory, same as --rpath)"
msgstr "Само повезује симболе (ако је директоријум, исто као „--rpath“)"

#: lexsup.c:229
msgid "PATTERN=FILE"
msgstr "ШАБЛОН=ДТТКА"

#: lexsup.c:232
msgid "Strip all symbols"
msgstr "Кида све симболе"

#: lexsup.c:234
msgid "Strip debugging symbols"
msgstr "Кида симболе прочишћавања"

#: lexsup.c:236
msgid "Strip symbols in discarded sections"
msgstr "Кида симболе у одбаченим одељцима"

#: lexsup.c:238
msgid "Do not strip symbols in discarded sections"
msgstr "Не кида симболе у одбаченим одељцима"

#: lexsup.c:240
msgid "Trace file opens"
msgstr "Прати отварања датотеке"

#: lexsup.c:242
msgid "Read linker script"
msgstr "Чита скрипту повезивача"

#: lexsup.c:244
msgid "Read default linker script"
msgstr "Чита основну скрипту повезивача"

#: lexsup.c:248 lexsup.c:251 lexsup.c:269 lexsup.c:361 lexsup.c:385
#: lexsup.c:507 lexsup.c:542 lexsup.c:554 lexsup.c:613 lexsup.c:616
msgid "SYMBOL"
msgstr "СИМБОЛ"

#: lexsup.c:248
msgid "Start with undefined reference to SYMBOL"
msgstr "Почиње са недефинисаном упутом ка СИМБОЛУ"

#: lexsup.c:251
msgid "Require SYMBOL be defined in the final output"
msgstr "Захтева да „СИМБОЛ“ буде дефинисан у крајњем излазу"

#: lexsup.c:254
msgid "[=SECTION]"
msgstr "[=ОДЕЉАК]"

#: lexsup.c:255
msgid "Don't merge input [SECTION | orphan] sections"
msgstr "      Не стапа улазне [ОДЕЉАК | сироче] одељке"

#: lexsup.c:257
msgid "Build global constructor/destructor tables"
msgstr "Гради опште табеле градитеља/рушитеља"

#: lexsup.c:259
msgid "Print version information"
msgstr "Исписује податке о издању"

#: lexsup.c:261
msgid "Print version and emulation information"
msgstr "Исписује податке о издању и емулацији"

#: lexsup.c:263
msgid "Discard all local symbols"
msgstr "Одбацује све локалне симболе"

#: lexsup.c:265
msgid "Discard temporary local symbols (default)"
msgstr "Одбацује привремене локалне симболе (основно)"

#: lexsup.c:267
msgid "Don't discard any local symbols"
msgstr "Не одбацује никакве локалне симболе"

#: lexsup.c:269
msgid "Trace mentions of SYMBOL"
msgstr "Прати помињање СИМБОЛА"

#: lexsup.c:271 lexsup.c:467 lexsup.c:469
msgid "PATH"
msgstr "ПУТАЊА"

#: lexsup.c:271
msgid "Default search path for Solaris compatibility"
msgstr "      Основна путања претраге за сагласност са Соларисом"

#: lexsup.c:274
msgid "Start a group"
msgstr "Започиње групу"

#: lexsup.c:276
msgid "End a group"
msgstr "Завршава групу"

#: lexsup.c:280
msgid "Accept input files whose architecture cannot be determined"
msgstr "Прихвата улазне датотеке чија се архитектура не може одредити"

#: lexsup.c:284
msgid "Reject input files whose architecture is unknown"
msgstr "Одбија улазне датотеке чија је архитектура непозната"

#: lexsup.c:296
msgid "Only set DT_NEEDED for following dynamic libs if used"
msgstr "Само поставља „DT_NEEDED“ за пратеће динамичке библиотеке ако се користе"

#: lexsup.c:299
msgid ""
"Always set DT_NEEDED for dynamic libraries mentioned on\n"
"                                the command line"
msgstr ""
"Увек поставља „DT_NEEDED“ за динамичке библиотеке поменуте на\n"
"                              линији наредби"

#: lexsup.c:303
msgid "Ignored for SunOS compatibility"
msgstr "         Занемарено зарад СанОС сагласности"

#: lexsup.c:305
msgid "Link against shared libraries"
msgstr "Повезује дељене библиотеке"

#: lexsup.c:311
msgid "Do not link against shared libraries"
msgstr "Не повезује дељене библиотеке"

#: lexsup.c:319
msgid "Don't bind global references locally"
msgstr "Не свезује опште упуте локално"

#: lexsup.c:321
msgid "Bind global references locally"
msgstr "Свезује опште упуте локално"

#: lexsup.c:323
msgid "Bind global function references locally"
msgstr "Свезује опште упуте функције локално"

#: lexsup.c:325
msgid "Check section addresses for overlaps (default)"
msgstr "Проверава адресе одељка за преклапањима (основно)"

#: lexsup.c:328
msgid "Do not check section addresses for overlaps"
msgstr "Не проверава адресе одељка за преклапањима"

#: lexsup.c:332
msgid "Copy DT_NEEDED links mentioned inside DSOs that follow"
msgstr "Умножава „DT_NEEDED“ везе споменуте унутар ДСО-а који следи"

#: lexsup.c:336
msgid "Do not copy DT_NEEDED links mentioned inside DSOs that follow"
msgstr "Не умножава „DT_NEEDED“ везе споменуте унутар ДСО-а који следи"

#: lexsup.c:340
msgid "Output cross reference table"
msgstr "Исписује табелу унакрсне упуте"

#: lexsup.c:342
msgid "SYMBOL=EXPRESSION"
msgstr "СИМБОЛ=ИЗРАЗ"

#: lexsup.c:342
msgid "Define a symbol"
msgstr "Дефинише симбол"

#: lexsup.c:344
msgid "[=STYLE]"
msgstr "[=СТИЛ]"

#: lexsup.c:344
msgid "Demangle symbol names [using STYLE]"
msgstr "    Прекрштава називе симбола [користећи СТИЛ]"

#: lexsup.c:348
msgid ""
"Do not allow multiple definitions with symbols included\n"
"                                in filename invoked by -R or --just-symbols"
msgstr ""
"Не допушта више дефиниција са симболима укљученим\n"
"                              у називу датотеке призване са „-R“ или „--just-symbols“"

#: lexsup.c:353
msgid "Generate embedded relocs"
msgstr "Ствара угнежђена премештања"

#: lexsup.c:355
msgid "Treat warnings as errors"
msgstr "Сматра упозорења грешкама"

#: lexsup.c:358
msgid "Do not treat warnings as errors (default)"
msgstr "Не сматра упозорења грешкама (основно)"

#: lexsup.c:361
msgid "Call SYMBOL at unload-time"
msgstr "      Позива СИМБОЛ за време истовара"

#: lexsup.c:363
msgid "Force generation of file with .exe suffix"
msgstr "Приморава стварање датотеке са суфиксом „.exe“"

#: lexsup.c:365
msgid "Remove unused sections (on some targets)"
msgstr "Уклања некоришћене одељке (на неким метама)"

#: lexsup.c:368
msgid "Don't remove unused sections (default)"
msgstr "Не уклања некоришћене одељке (основно)"

#: lexsup.c:371
msgid "List removed unused sections on stderr"
msgstr "Исписује уклоњене некоришћене одељке на стандардној грешци"

#: lexsup.c:374
msgid "Do not list removed unused sections"
msgstr "Не исписује уклоњене некоришћене одељке"

#: lexsup.c:377
msgid "Keep exported symbols when removing unused sections"
msgstr "Задржава извезене симболе када уклања некоришћене одељке"

#: lexsup.c:380
msgid "Set default hash table size close to <NUMBER>"
msgstr "Поставља основну величину хеш табеле приближно на <БРОЈ>"

#: lexsup.c:383
msgid "Print option help"
msgstr "Исписује помоћ опције"

#: lexsup.c:385
msgid "Call SYMBOL at load-time"
msgstr "      Позива СИМБОЛ за време учитавања"

#: lexsup.c:387
msgid "FILE/DIR"
msgstr "ДАТОТЕКА/ДИРЕКТРОРИЈУМ"

#: lexsup.c:387
msgid "Write a linker map to FILE or DIR/<outputname>.map"
msgstr "Пише мапу свезача у ДАТОТЕКУ или ДИРЕКТРОРИЈУМ/<излазног_назива>.map"

#: lexsup.c:389
msgid "Do not define Common storage"
msgstr "Не дефинише општи смештај"

#: lexsup.c:391
msgid "Do not demangle symbol names"
msgstr "Не прекрштава називе симбола"

#: lexsup.c:393
msgid "Use less memory and more disk I/O"
msgstr "Користи мање меморије а више У/И диска"

#: lexsup.c:395
msgid "Do not allow unresolved references in object files"
msgstr "Не дозвољава нерешене упуте у објектним датотекама"

#: lexsup.c:398
msgid "Do not display any warning or error messages"
msgstr "Не приказује никакво упозорење или поруке о грешкама"

#: lexsup.c:401
msgid "Allow unresolved references in shared libraries"
msgstr "Дозвољава нерешене упуте у дељеним библиотекама"

#: lexsup.c:405
msgid "Do not allow unresolved references in shared libs"
msgstr "Не дозвољава нерешене упуте у дељеним библиотекама"

#: lexsup.c:409
msgid "Allow multiple definitions"
msgstr "Дозвољава више дефиниција"

#: lexsup.c:413
msgid "SCRIPT"
msgstr "СКРИПТА"

#: lexsup.c:413
msgid "Provide a script to help with undefined symbol errors"
msgstr "Обезбеђује скрипту да помогне са недефинисаним грешкама симбола"

#: lexsup.c:416
msgid "Allow undefined version"
msgstr "Омогућава недефинисано издање"

#: lexsup.c:418
msgid "Disallow undefined version"
msgstr "Искључује недефинисано издање"

#: lexsup.c:420
msgid "Create default symbol version"
msgstr "Ствара основно издање симбола"

#: lexsup.c:423
msgid "Create default symbol version for imported symbols"
msgstr "Ствара основно издање симбола за увезене симболе"

#: lexsup.c:426
msgid "Don't warn about mismatched input files"
msgstr "Не упозорава о неодговарајућим улазним датотекама"

#: lexsup.c:429
msgid "Don't warn on finding an incompatible library"
msgstr "Не упозорава о налажењу несагласне библиотеке"

#: lexsup.c:432
msgid "Turn off --whole-archive"
msgstr "Искључује „--whole-archive“"

#: lexsup.c:434
msgid "Create an output file even if errors occur"
msgstr "Ствара излазну датотеку чак и ако дође до грешака"

#: lexsup.c:439
msgid ""
"Only use library directories specified on\n"
"                                the command line"
msgstr ""
"Само користи директоријуме библиотеке наведене на\n"
"                              линији наредби"

#: lexsup.c:443
msgid "Specify target of output file"
msgstr "    Наводи мету излазне датотеке"

#: lexsup.c:446
msgid "Print default output format"
msgstr "Исписује основни излазни формат"

#: lexsup.c:448
msgid "Print current sysroot"
msgstr "Исписује текућег администратора система"

#: lexsup.c:450
msgid "Ignored for Linux compatibility"
msgstr "Занемарено зарад Линукс сагласности"

#: lexsup.c:453
msgid "Reduce memory overheads, possibly taking much longer"
msgstr "Умањује утрошке меморије, вероватно трајући дуже"

#: lexsup.c:457
msgid "Set the maximum cache size to SIZE bytes"
msgstr "Поставља највећу величину оставе на ВЕЛИЧИНА бајтова"

#: lexsup.c:460
msgid "Reduce code size by using target specific optimizations"
msgstr "Смањује величину кода користећи оптимизације специфичне мети"

#: lexsup.c:462
msgid "Do not use relaxation techniques to reduce code size"
msgstr "Не користи технике опуштања да умањи величину кода"

#: lexsup.c:465
msgid "Keep only symbols listed in FILE"
msgstr "Користи само симболе исписане у ДАТОТЕЦИ"

#: lexsup.c:467
msgid "Set runtime shared library search path"
msgstr "      Поставља путању претраге дељене библиотеке времена извршавања"

#: lexsup.c:469
msgid "Set link time shared library search path"
msgstr "      Поставља путању претраге дељене библиотеке времена везе"

#: lexsup.c:472
msgid "Create a shared library"
msgstr "Прави дељену библиотеку"

#: lexsup.c:476
msgid "Create a position independent executable"
msgstr "Ствара извршног независног од положаја"

#: lexsup.c:480
msgid "Create a position dependent executable (default)"
msgstr "Ствара извршног зависног од положаја (основно)"

#: lexsup.c:482
msgid "[=ascending|descending]"
msgstr "[=растуће|опадајуће]"

#: lexsup.c:483
msgid "Sort common symbols by alignment [in specified order]"
msgstr "Ређа опште симболе према поравнању [наведеним редом]"

#: lexsup.c:488
msgid "name|alignment"
msgstr "назив|поравнање"

#: lexsup.c:489
msgid "Sort sections by name or maximum alignment"
msgstr "Ређа одељке према називу или највећем поравнању"

#: lexsup.c:492
msgid "Sort sections by statements in FILE"
msgstr "Ређа одељке према тврдњама у ДАТОТЕЦИ"

#: lexsup.c:494
msgid "COUNT"
msgstr "БРОЈ"

#: lexsup.c:494
msgid "How many tags to reserve in .dynamic section"
msgstr "Колико ознака да резервише у одељку „.dynamic“"

#: lexsup.c:497
msgid "[=SIZE]"
msgstr "[=ВЕЛИЧИНА]"

#: lexsup.c:497
msgid "Split output sections every SIZE octets"
msgstr "Дели излазне одељке свака ВЕЛИЧИНА октета"

#: lexsup.c:500
msgid "[=COUNT]"
msgstr "[=БРОЈ]"

#: lexsup.c:500
msgid "Split output sections every COUNT relocs"
msgstr "Дели излазне одељке свака ВЕЛИЧИНА премештања"

#: lexsup.c:503
msgid "Print memory usage statistics"
msgstr "Исписује статистику коришћења меморије"

#: lexsup.c:505
msgid "Display target specific options"
msgstr "Приказује опције специфичне за мету"

#: lexsup.c:507
msgid "Do task level linking"
msgstr "      Обавља повезивање на нивоу задатка"

#: lexsup.c:509
msgid "Use same format as native linker"
msgstr "Користи исти формат као матични повезивач"

#: lexsup.c:511
msgid "SECTION=ADDRESS"
msgstr "ОДЕЉАК=АДРЕСА"

#: lexsup.c:511
msgid "Set address of named section"
msgstr "Поставља адресу именованог одељка"

#: lexsup.c:514
msgid "Set image base address"
msgstr "Подешава основну адресу слике"

#: lexsup.c:516
msgid "Set address of .bss section"
msgstr "      Поставља адресу одељка „.bss“"

#: lexsup.c:518
msgid "Set address of .data section"
msgstr "      Поставља адресу одељка „.data“"

#: lexsup.c:520
msgid "Set address of .text section"
msgstr "      Поставља адресу одељка „.text“"

#: lexsup.c:522
msgid "Set address of text segment"
msgstr "      Поставља адресу одељка текста"

#: lexsup.c:524
msgid "Set address of rodata segment"
msgstr "Поставља адресу одељка ро-података"

#: lexsup.c:526
msgid "Set address of ldata segment"
msgstr "Поставља адресу одељка л-података"

#: lexsup.c:529
msgid ""
"How to handle unresolved symbols.  <method> is:\n"
"                                ignore-all, report-all, ignore-in-object-files,\n"
"                                ignore-in-shared-libs"
msgstr ""
"Шта да ради са нерешеним симболима.  <метод> је: „ignore-all“ (занемари све),\n"
"                              „report-all“ (пријави све), „ignore-in-object-files“ (занемари у објектним датотекама),\n"
"                              „ignore-in-shared-libs“ (занемари у дељеним библиотекама)"

#: lexsup.c:534
msgid "[=NUMBER]"
msgstr "[=БРОЈ]"

#: lexsup.c:535
msgid "Output lots of information during link"
msgstr "    Исписује доста података за време повезивања"

#: lexsup.c:539
msgid "Read version information script"
msgstr "Чита скрипту података о издању"

#: lexsup.c:542
msgid ""
"Take export symbols list from .exports, using\n"
"                                SYMBOL as the version."
msgstr ""
"Узима извозни списак симбола из „.exports“, користећи\n"
"                              СИМБОЛ као издање."

#: lexsup.c:546
msgid "Add data symbols to dynamic list"
msgstr "Додаје симболе података на динамички списак"

#: lexsup.c:548
msgid "Use C++ operator new/delete dynamic list"
msgstr "Користи нови/обриши динамички списак Ц++ оператора"

#: lexsup.c:550
msgid "Use C++ typeinfo dynamic list"
msgstr "Користи Ц++ динамички списак врсте података"

#: lexsup.c:552
msgid "Read dynamic list"
msgstr "Чита динамички списак"

#: lexsup.c:554
msgid "Export the specified symbol"
msgstr "Извози наведени симбол"

#: lexsup.c:556
msgid "Read export dynamic symbol list"
msgstr "Чита списак извоза динамичког симбола"

#: lexsup.c:558
msgid "Warn about duplicate common symbols"
msgstr "Упозорава о удвострученим општим симболима"

#: lexsup.c:560
msgid "Warn if global constructors/destructors are seen"
msgstr "Упозорава ако је виђен општи градитељ/рушитељ"

#: lexsup.c:584
msgid "Warn if the multiple GP values are used"
msgstr "Упозорава ако је коришћено више ГП вредности"

#: lexsup.c:586
msgid "Warn only once per undefined symbol"
msgstr "Упозорава само једном по недефинисаном симболу"

#: lexsup.c:588
msgid "Warn if start of section changes due to alignment"
msgstr "Упозорава ако се почетак одељка промени у току поравнања"

#: lexsup.c:593
msgid "Warn if output has DT_TEXTREL (default)"
msgstr "Упозорава ако излаз има „DT_TEXTREL“ (основно)"

#: lexsup.c:595
msgid "Warn if output has DT_TEXTREL"
msgstr "Упозорава ако излаз има „DT_TEXTREL“"

#: lexsup.c:601
msgid "Warn if an object has alternate ELF machine code"
msgstr "Упозорава ако објект има заменски ЕЛФ машински код"

#: lexsup.c:605
msgid "Report unresolved symbols as warnings"
msgstr "Представља нерешене симболе као упозорења"

#: lexsup.c:608
msgid "Report unresolved symbols as errors"
msgstr "Представља нерешене симболе као грешке"

#: lexsup.c:610
msgid "Include all objects from following archives"
msgstr "Укључује све објкете из пратећих архива"

#: lexsup.c:613
msgid "Use wrapper functions for SYMBOL"
msgstr "      Користи функције омотача за СИМБОЛ"

#: lexsup.c:617
msgid "Unresolved SYMBOL will not cause an error or warning"
msgstr "Нерешени СИМБОЛ неће довести до грешке или упозорења"

#: lexsup.c:619
msgid "Push state of flags governing input file handling"
msgstr "Стање гурања заставица влада руковањем улазне датотеке"

#: lexsup.c:622
msgid "Pop state of flags governing input file handling"
msgstr "Стање избацивања у први план заставица влада руковањем улазне датотеке"

#: lexsup.c:625
msgid "Report target memory usage"
msgstr "Извештава коришћење меморије циља"

#: lexsup.c:627
msgid "=MODE"
msgstr "=РЕЖИМ"

#: lexsup.c:627
msgid "Control how orphan sections are handled."
msgstr "Контролише како се ради са напуштеним одељцима."

#: lexsup.c:630
msgid "Show discarded sections in map file output (default)"
msgstr "Приказује одбачене одељке у излазу датотеке мапе (основно)"

#: lexsup.c:633
msgid "Do not show discarded sections in map file output"
msgstr "Приказује одбачене одељке у излазу датотеке мапе"

#: lexsup.c:636
msgid "Show local symbols in map file output"
msgstr "Приказује локалне симболе у излазу датотеке мапе"

#: lexsup.c:639
msgid "Do not show local symbols in map file output (default)"
msgstr "Не приказује локалне симболе у излазу датотеке мапе (основно)"

#: lexsup.c:642
msgid "Emit names and types of static variables in CTF"
msgstr "Емитује називе и врсте статичких променљивих у „CTF“-у"

#: lexsup.c:645
msgid "Do not emit names and types of static variables in CTF"
msgstr "Не емитује називе и врсте статичких променљивих у „CTF“-у"

#: lexsup.c:649
msgid ""
"How to share CTF types between translation units.\n"
"                                <method> is: share-unconflicted (default),\n"
"                                             share-duplicated"
msgstr ""
"Како да дели „CTF“ врсте између јединица превођења.\n"
"                              <метода> је: „share-unconflicted“ (основно),\n"
"                              „share-duplicated“"

#: lexsup.c:813
msgid "%F%P: Error: unable to disambiguate: %s (did you mean -%s ?)\n"
msgstr "%F%P: Грешка: не могу да разликујем: %s (да ли сте мислили „-%s“ ?)\n"

#: lexsup.c:816
msgid "%P: Warning: grouped short command line options are deprecated: %s\n"
msgstr "%P: Упозорење: груписане кратке опције линије наредби су застареле: %s\n"

#: lexsup.c:843
msgid "%P: %s: missing argument\n"
msgstr "%P: %s: недостаје аргумент\n"

#: lexsup.c:848
msgid "%P: unrecognized option '%s'\n"
msgstr "%P: непозната опција „%s\n"

#: lexsup.c:853
msgid "%F%P: use the --help option for usage information\n"
msgstr "%F%P: користите опцију „--help“ за податке о коришћењу\n"

#: lexsup.c:872
msgid "%F%P: unrecognized -a option `%s'\n"
msgstr "%F%P: непозната „-a“ опција „%s\n"

#: lexsup.c:885
msgid "%F%P: unrecognized -assert option `%s'\n"
msgstr "%F%P: непозната „-assert“ опција „%s\n"

#: lexsup.c:929
msgid "%F%P: unknown demangling style `%s'\n"
msgstr "%F%P: непознат стил прекрштавања „%s\n"

#: lexsup.c:1037 lexsup.c:1533 eaarch64cloudabi.c:986 eaarch64cloudabib.c:986
#: eaarch64elf.c:986 eaarch64elf32.c:986 eaarch64elf32b.c:986
#: eaarch64elfb.c:986 eaarch64fbsd.c:991 eaarch64fbsdb.c:991
#: eaarch64haiku.c:986 eaarch64linux.c:991 eaarch64linux32.c:991
#: eaarch64linux32b.c:991 eaarch64linuxb.c:991 eaarch64nto.c:1148
#: earmelf.c:1135 earmelf_fbsd.c:1135 earmelf_fuchsia.c:1140
#: earmelf_haiku.c:1140 earmelf_linux.c:1140 earmelf_linux_eabi.c:1140
#: earmelf_linux_fdpiceabi.c:1140 earmelf_nacl.c:1140 earmelf_nbsd.c:1135
#: earmelf_phoenix.c:1140 earmelf_vxworks.c:1167 earmelfb.c:1135
#: earmelfb_fbsd.c:1135 earmelfb_fuchsia.c:1140 earmelfb_linux.c:1140
#: earmelfb_linux_eabi.c:1140 earmelfb_linux_fdpiceabi.c:1140
#: earmelfb_nacl.c:1140 earmelfb_nbsd.c:1135 earmnto.c:1095 ecskyelf.c:602
#: ecskyelf_linux.c:789 eelf32metag.c:788 eelf64lppc.c:1225
#: eelf64lppc_fbsd.c:1225 eelf64ppc.c:1225 eelf64ppc_fbsd.c:1225 ehppaelf.c:613
#: ehppalinux.c:825 ehppanbsd.c:825 ehppaobsd.c:825
msgid "%F%P: invalid number `%s'\n"
msgstr "%F%P: неисправан број „%s\n"

#: lexsup.c:1133
msgid "%F%P: bad --unresolved-symbols option: %s\n"
msgstr "%F%P: лоша опција „--unresolved-symbols“: %s\n"

#: lexsup.c:1220
msgid "%F%P: bad -plugin-opt option\n"
msgstr "%F%P: лоша опција „-plugin-opt“\n"

#. This can happen if the user put "-rpath,a" on the command
#. line.  (Or something similar.  The comma is important).
#. Getopt becomes confused and thinks that this is a -r option
#. but it cannot parse the text after the -r so it refuses to
#. increment the optind counter.  Detect this case and issue
#. an error message here.  We cannot just make this a warning,
#. increment optind, and continue because getopt is too confused
#. and will seg-fault the next time around.
#: lexsup.c:1240
msgid "%F%P: unrecognised option: %s\n"
msgstr "%F%P: непозната опција „%s\n"

#: lexsup.c:1243 lexsup.c:1353 lexsup.c:1374 lexsup.c:1502
msgid "%F%P: -r and %s may not be used together\n"
msgstr "%F%P: „-r“ и „%s“ се не могу користити заједно\n"

#: lexsup.c:1365
msgid "%F%P: -shared not supported\n"
msgstr "%F%P: „-shared“ није подржана\n"

#: lexsup.c:1379
msgid "%F%P: -pie not supported\n"
msgstr "%F%P: „-pie“ није подржана\n"

#: lexsup.c:1385
msgid "%P: SONAME must not be empty string; keeping previous one\n"
msgstr "%P: „SONAME“ не сме бити празна ниска; задржавам претходну\n"

#: lexsup.c:1391
msgid "descending"
msgstr "опадајуће"

#: lexsup.c:1393
msgid "ascending"
msgstr "растуће"

#: lexsup.c:1396
msgid "%F%P: invalid common section sorting option: %s\n"
msgstr "%F%P: неисправна опција ређања општег одељка: %s\n"

#: lexsup.c:1400
msgid "name"
msgstr "назив"

#: lexsup.c:1402
msgid "alignment"
msgstr "поравнање"

#: lexsup.c:1405
msgid "%F%P: invalid section sorting option: %s\n"
msgstr "%F%P: неисправна опција ређања одељка: %s\n"

#: lexsup.c:1411
msgid "%P: warning: section ordering file changed.  Ignoring earlier definition\n"
msgstr "%P: упозорење: одељак ређања датотеке је измењен.  Занемарујем ранију дефиницију\n"

#: lexsup.c:1448
msgid "%F%P: invalid argument to option \"--section-start\"\n"
msgstr "%F%P: неисправан аргумент за опцију „--section-start“\n"

#: lexsup.c:1455
msgid "%F%P: missing argument(s) to option \"--section-start\"\n"
msgstr "%F%P: недостаје аргумент за опцију „--section-start“\n"

#: lexsup.c:1728
msgid "%F%P: group ended before it began (--help for usage)\n"
msgstr "%F%P: група је завршена пре почетка („--help“ за коришћење)\n"

#: lexsup.c:1744
msgid "%F%P: failed to add remap file %s\n"
msgstr "%F%P: нисам успео да додам датотеку поновног мапирања „%s\n"

#. FIXME: Should we allow --remap-inputs=@myfile as a synonym
#. for --remap-inputs-file=myfile ?
#: lexsup.c:1753
msgid "%F%P: invalid argument to option --remap-inputs\n"
msgstr "%F%P: неисправан аргумент за опцију „--remap-inputs“\n"

#: lexsup.c:1774
msgid "%F%P: invalid cache memory size: %s\n"
msgstr "%F%P: неисправна величина оставе: %s\n"

#: lexsup.c:1788
msgid "%X%P: --hash-size needs a numeric argument\n"
msgstr "%X%P: „--hash-size“ је потребан бројевни аргумент\n"

#: lexsup.c:1800
msgid "%F%P: no state pushed before popping\n"
msgstr "%F%P: ниједно стање није погурано пре издизања\n"

#: lexsup.c:1823
msgid "%F%P: invalid argument to option \"--orphan-handling\"\n"
msgstr "%F%P: неисправан аргумент за опцију „--orphan-handling“\n"

#: lexsup.c:1861
msgid "%F%P: bad --ctf-share-types option: %s\n"
msgstr "%F%P: лоша „--ctf-share-types“ опција: %s\n"

#: lexsup.c:1878
msgid "%P: no file/directory name provided for map output; ignored\n"
msgstr "%P: није достављен ниједан назив датотеке/директоријума за излаз мапе; занемарено\n"

#: lexsup.c:1906
msgid "%P: cannot stat linker map file: %E\n"
msgstr "%P: не могу да добавим податке датотеке мапе свезача: %E\n"

#: lexsup.c:1917
msgid "%P: linker map file is not a regular file\n"
msgstr "%P: датотека мапе свезача није обична датотека\n"

#: lexsup.c:1932
msgid "%P: SONAME must not be empty string; ignored\n"
msgstr "%P: „SONAME“ не сме бити празна ниска; занемарено\n"

#: lexsup.c:1938
msgid "%P: missing --end-group; added as last command line option\n"
msgstr "%P: недостаје „--end-group“; додато је као последња опција линије наредби\n"

#: lexsup.c:2047
msgid "%F%P: -r and -z nosectionheader may not be used together\n"
msgstr "%F%P: „-r“ и „-z“ nosectionheader се не могу користити заједно\n"

#: lexsup.c:2055
msgid "%F%P: -F may not be used without -shared\n"
msgstr "%F%P: „-F“ се не може користити са „-shared“\n"

#: lexsup.c:2057
msgid "%F%P: -f may not be used without -shared\n"
msgstr "%F%P: „-f“ се не може користити без „-shared“\n"

#: lexsup.c:2098 lexsup.c:2111
msgid "%F%P: invalid hex number `%s'\n"
msgstr "%F%P: неисправан хексадецимални број „%s\n"

#: lexsup.c:2141
#, c-format
msgid "  --audit=AUDITLIB            Specify a library to use for auditing\n"
msgstr "  --audit=БИБЛ_НАДГЛЕДАЊА             Наводи библиотеку која ће се користити за надгледање\n"

#: lexsup.c:2143
#, c-format
msgid "  -Bgroup                     Selects group name lookup rules for DSO\n"
msgstr "  -Bgroup                             Бира правила тражења назива групе за „DSO“\n"

#: lexsup.c:2145
#, c-format
msgid "  --disable-new-dtags         Disable new dynamic tags\n"
msgstr "  --disable-new-dtags                 Онемогућује нове динамичке ознаке\n"

#: lexsup.c:2147
#, c-format
msgid "  --enable-new-dtags          Enable new dynamic tags\n"
msgstr "  --enable-new-dtags                  Омогућује нове динамичке ознаке\n"

#: lexsup.c:2149
#, c-format
msgid "  --eh-frame-hdr              Create .eh_frame_hdr section\n"
msgstr "  --eh-frame-hdr                      Прави „.eh_frame_hdr“ одељак\n"

#: lexsup.c:2151
#, c-format
msgid "  --no-eh-frame-hdr           Do not create .eh_frame_hdr section\n"
msgstr "  --no-eh-frame-hdr                   Не прави „.eh_frame_hdrд одељак\n"

#: lexsup.c:2153
#, c-format
msgid "  --exclude-libs=LIBS         Make all symbols in LIBS hidden\n"
msgstr "  --exclude-libs=БИБЛЕ                Чини све симболе у БИБЛИОТЕКАМА скривеним\n"

#: lexsup.c:2155
#, c-format
msgid "  --hash-style=STYLE          Set hash style to sysv/gnu/both.  Default: "
msgstr "  --hash-style=СТИЛ                   Поставља хеш стил на сисв/гну/оба.  Основно: "

#: lexsup.c:2174
#, c-format
msgid ""
"  -P AUDITLIB, --depaudit=AUDITLIB\n"
"                              Specify a library to use for auditing dependencies\n"
msgstr ""
"  -P БИБЛ_НАДГЛЕДАЊА, --depaudit=БИБЛ_НАДГЛЕДАЊА\n"
"                                      Наводи библиотеку која ће се користити за надгледање зависности\n"

#: lexsup.c:2177
#, c-format
msgid "  -z combreloc                Merge dynamic relocs into one section and sort\n"
msgstr "  -z combreloc                        Стапа динамичке премештаје у један одељак и ређа\n"

#: lexsup.c:2179
#, c-format
msgid "  -z nocombreloc              Don't merge dynamic relocs into one section\n"
msgstr "  -z nocombreloc                      Не стапа динамичке премештаје у један одељак\n"

#: lexsup.c:2181
#, c-format
msgid ""
"  -z global                   Make symbols in DSO available for subsequently\n"
"                                loaded objects\n"
msgstr ""
"  -z global                           Чини симболе у „DSO“ доступним за накнадно\n"
"                                      учитане објекте\n"

#: lexsup.c:2184
#, c-format
msgid "  -z initfirst                Mark DSO to be initialized first at runtime\n"
msgstr "  -z initfirst                        Означава „DSO“ да буде први покренут у време извршења\n"

#: lexsup.c:2186
#, c-format
msgid "  -z interpose                Mark object to interpose all DSOs but executable\n"
msgstr "  -z interpose                        Означава објекте да уметну све „DSO“-ове осим извршне\n"

#: lexsup.c:2188
#, c-format
msgid "  -z unique                   Mark DSO to be loaded at most once by default, and only in the main namespace\n"
msgstr "  -z unique                           Означава „DSO за учитавање највише једном по основи, и само у главном називном простору\n"

#: lexsup.c:2190
#, c-format
msgid "  -z nounique                 Don't mark DSO as a loadable at most once\n"
msgstr "  -z nounique                         Не означава „DSO“ за учитавање највише једном\n"

#: lexsup.c:2192
#, c-format
msgid "  -z lazy                     Mark object lazy runtime binding (default)\n"
msgstr "  -z lazy                             Означава лењо време извршења увезивања објекта (основно)\n"

#: lexsup.c:2194
#, c-format
msgid "  -z loadfltr                 Mark object requiring immediate process\n"
msgstr "  -z loadfltr                         Означава објекте да захтевају моменталну обраду\n"

#: lexsup.c:2196
#, c-format
msgid "  -z nocopyreloc              Don't create copy relocs\n"
msgstr "  -z nocopyreloc                      Не ствара умножак премештаја\n"

#: lexsup.c:2198
#, c-format
msgid "  -z nodefaultlib             Mark object not to use default search paths\n"
msgstr "  -z nodefaultlib                     Означава објекат да не користи основне путање претраге\n"

#: lexsup.c:2200
#, c-format
msgid "  -z nodelete                 Mark DSO non-deletable at runtime\n"
msgstr "  -z nodelete                         Означава „DSO“ необрисивим у време извршења\n"

#: lexsup.c:2202
#, c-format
msgid "  -z nodlopen                 Mark DSO not available to dlopen\n"
msgstr "  -z nodlopen                         Означава „DSO“ недоступним за „dlopen“\n"

#: lexsup.c:2204
#, c-format
msgid "  -z nodump                   Mark DSO not available to dldump\n"
msgstr "  -z nodump                           Означава „DSO“ недоступним за „dldump“\n"

#: lexsup.c:2206
#, c-format
msgid "  -z now                      Mark object non-lazy runtime binding\n"
msgstr "  -z now                              Означава не лењо време извршења увезивања објекта\n"

#: lexsup.c:2208
#, c-format
msgid ""
"  -z origin                   Mark object requiring immediate $ORIGIN\n"
"                                processing at runtime\n"
msgstr ""
"  -z origin                           Означава објекат да захтева тренутну „$ORIGIN“\n"
"                                      обраду у време извршавања\n"

#: lexsup.c:2212
#, c-format
msgid "  -z relro                    Create RELRO program header (default)\n"
msgstr "  -z relro                            Ствара „RELRO“ заглавље програма (основно)\n"

#: lexsup.c:2214
#, c-format
msgid "  -z norelro                  Don't create RELRO program header\n"
msgstr "  -z norelro                          Не ствара „RELRO“ заглавље програма\n"

#: lexsup.c:2217
#, c-format
msgid "  -z relro                    Create RELRO program header\n"
msgstr "  -z relro                            Ствара „RELRO“ заглавље програма\n"

#: lexsup.c:2219
#, c-format
msgid "  -z norelro                  Don't create RELRO program header (default)\n"
msgstr "  -z norelro                          Не ствара „RELRO“ заглавље програма (основно)\n"

#: lexsup.c:2223
#, c-format
msgid "  -z separate-code            Create separate code program header (default)\n"
msgstr "  -z separate-code                    Ствара одвојено заглавље програма кода (основно)\n"

#: lexsup.c:2225
#, c-format
msgid "  -z noseparate-code          Don't create separate code program header\n"
msgstr "  -z noseparate-code                  Не ствара одвојено заглавље програма кода\n"

#: lexsup.c:2228
#, c-format
msgid "  -z separate-code            Create separate code program header\n"
msgstr "  -z separate-code                    Ствара одвојено заглавље програма кода\n"

#: lexsup.c:2230
#, c-format
msgid "  -z noseparate-code          Don't create separate code program header (default)\n"
msgstr "  -z noseparate-code                  Не ствара одвојено заглавље програма кода (основно)\n"

#: lexsup.c:2234
#, c-format
msgid "  --rosegment                 With -z separate-code, create a single read-only segment (default)\n"
msgstr "  --rosegment                         Са -z раздвојеним кȏдом, ствара један подеок само за читање (основно)\n"

#: lexsup.c:2236
#, c-format
msgid "  --no-rosegment              With -z separate-code, creste two read-only segments\n"
msgstr "  --no-rosegment                      Са -z раздвојеним кȏдом, ствара два подеока само за читање\n"

#: lexsup.c:2239
#, c-format
msgid "  --rosegment                 With -z separate-code, create a single read-only segment\n"
msgstr "  --rosegment                         Са -z раздвојеним кȏдом, ствара један подеок само за читање\n"

#: lexsup.c:2241
#, c-format
msgid "  --no-rosegment              With -z separate-code, creste two read-only segments (default)\n"
msgstr "  --no-rosegment                      Са -z раздвојеним кȏдом, ствара два подеока само за читање (основно)\n"

#: lexsup.c:2244
#, c-format
msgid "  -z common                   Generate common symbols with STT_COMMON type\n"
msgstr "  -z common                           Ствара опште симболе са „STT_COMMON“ врстом\n"

#: lexsup.c:2246
#, c-format
msgid "  -z nocommon                 Generate common symbols with STT_OBJECT type\n"
msgstr "  -z nocommon                         Ствара опште симболе са „STT_OBJECT“ врстом\n"

#: lexsup.c:2249
#, c-format
msgid "  -z text                     Treat DT_TEXTREL in output as error (default)\n"
msgstr "  -z текст                            Сматра грешком „DT_TEXTREL“ у излазу (основно)\n"

#: lexsup.c:2252
#, c-format
msgid "  -z text                     Treat DT_TEXTREL in output as error\n"
msgstr "  -z текст                            Сматра грешком „DT_TEXTREL“ у излазу\n"

#: lexsup.c:2256
#, c-format
msgid "  -z notext                   Don't treat DT_TEXTREL in output as error (default)\n"
msgstr "  -z без-текста                       Не сматра грешком „DT_TEXTREL“ у излазу (основно)\n"

#: lexsup.c:2258
#, c-format
msgid "  -z textoff                  Don't treat DT_TEXTREL in output as error (default)\n"
msgstr "  -z искљ-текст                       Не сматра грешком „DT_TEXTREL“ у излазу (основно)\n"

#: lexsup.c:2263
#, c-format
msgid "  -z notext                   Don't treat DT_TEXTREL in output as error\n"
msgstr "  -z без-текста                       Не сматра грешком „DT_TEXTREL“ у излазу\n"

#: lexsup.c:2265
#, c-format
msgid "  -z textoff                  Don't treat DT_TEXTREL in output as error\n"
msgstr "  -z искљ-текст                       Не сматра грешком „DT_TEXTREL“ у излазу\n"

#: lexsup.c:2269
#, c-format
msgid "  -z memory-seal              Mark object be memory sealed (default)\n"
msgstr "  -z memory-seal              Означава објект да је запечаћен меморијом (основно)\n"

#: lexsup.c:2271
#, c-format
msgid "  -z nomemory-seal            Don't mark oject to be memory sealed\n"
msgstr "  -z nomemory-seal            Не означава објект да је запечаћен меморијом\n"

#: lexsup.c:2274
#, c-format
msgid "  -z memory-seal              Mark object be memory sealed\n"
msgstr "  -z memory-seal              Означава објект да је запечаћен меморијом\n"

#: lexsup.c:2276
#, c-format
msgid "  -z nomemory-seal            Don't mark oject to be memory sealed (default)\n"
msgstr "  -z nomemory-seal            Не означава објект да је запечаћен меморијом (основно)\n"

#: lexsup.c:2284
#, c-format
msgid "  --build-id[=STYLE]          Generate build ID note\n"
msgstr "  --build-id[=СТИЛ]                   Ствара напомену ИБ-а изградње\n"

#: lexsup.c:2288
#, c-format
msgid "                                Styles: none,md5,sha1,xx,uuid,0xHEX\n"
msgstr "                                Стилови: none,md5,sha1,xx,uuid,0xHEX\n"

#: lexsup.c:2292
#, c-format
msgid "                                Styles: none,md5,sha1,uuid,0xHEX\n"
msgstr "                                Стилови: none,md5,sha1,uuid,0xHEX\n"

#: lexsup.c:2295
#, c-format
msgid "  --package-metadata[=JSON]   Generate package metadata note\n"
msgstr "  --package-metadata[=JSON]           Ствара белешку метаподатака пакета\n"

#: lexsup.c:2297
#, c-format
msgid ""
"  --compress-debug-sections=[none|zlib|zlib-gnu|zlib-gabi|zstd]\n"
"\t\t\t      Compress DWARF debug sections\n"
msgstr ""
"  --compress-debug-sections=[ништа|zlib|zlib-gnu|zlib-gabi|zstd]\n"
"\t\t\t              Сажима DWARF одељке прочишћавања\n"

#: lexsup.c:2300
#, c-format
msgid "                                Default: %s\n"
msgstr "                                      Основно: %s\n"

#: lexsup.c:2303
#, c-format
msgid "  -z common-page-size=SIZE    Set common page size to SIZE\n"
msgstr "  -z common-page-size=ВЕЛЧ            Поставља општу величину странице на „ВЕЛИЧИНУ“\n"

#: lexsup.c:2305
#, c-format
msgid "  -z max-page-size=SIZE       Set maximum page size to SIZE\n"
msgstr "  -z max-page-size=ВЕЛЧ               Поставља највећу величину странице на „ВЕЛИЧИНУ“\n"

#: lexsup.c:2307
#, c-format
msgid "  -z defs                     Report unresolved symbols in object files\n"
msgstr "  -z defs                             Пријављује нерешене симболе у ојкетним датотекама\n"

#: lexsup.c:2309
#, c-format
msgid "  -z undefs                   Ignore unresolved symbols in object files\n"
msgstr "  -z undefs                           Занемарује нерешене симболе у датотекама објекта\n"

#: lexsup.c:2311
#, c-format
msgid "  -z muldefs                  Allow multiple definitions\n"
msgstr "  -z muldefs                          Допушта више дефиниција\n"

#: lexsup.c:2313
#, c-format
msgid "  -z stack-size=SIZE          Set size of stack segment\n"
msgstr "  -z stack-size=ВЕЛИЧИНА              Поставља величину подеока спремника\n"

#: lexsup.c:2316
#, c-format
msgid "  -z execstack                Mark executable as requiring executable stack\n"
msgstr "  -z execstack                        Означава извршну као да захтева извршни спремник\n"

#: lexsup.c:2318
#, c-format
msgid "  -z noexecstack              Mark executable as not requiring executable stack\n"
msgstr "  -z noexecstack                      Означава извршну као да не захтева извршни спремник\n"

#: lexsup.c:2320
#, c-format
msgid "  --warn-execstack-objects    Generate a warning if an object file requests an executable stack\n"
msgstr "  --warn-execstack-objects            Ствара упозорење ако датотека објекта захтева извршив спремник\n"

#: lexsup.c:2323
#, c-format
msgid "  --warn-execstack            Generate a warning if creating an executable stack\n"
msgstr "  --warn-execstack                    Ствара упозорење ако ствара извршив спремник\n"

#: lexsup.c:2326
#, c-format
msgid "  --warn-execstack            Generate a warning if creating an executable stack (default)\n"
msgstr "  --warn-execstack                    Ствара упозорење ако ствара извршив спремник (основно)\n"

#: lexsup.c:2330
#, c-format
msgid "  --no-warn-execstack         Do not generate a warning if creating an executable stack (default)\n"
msgstr "  --no-warn-execstack                 Не ствара упозорење ако ствара извршив спремник (основно)\n"

#: lexsup.c:2333
#, c-format
msgid "  --no-warn-execstack         Do not generate a warning if creating an executable stack\n"
msgstr "  --no-warn-execstack                 Не ствара упозорење ако ствара извршив спремник\n"

#: lexsup.c:2336
#, c-format
msgid "  --error-execstack           Turn warnings about executable stacks into errors\n"
msgstr "  --error-execstack                   Преобраћа упозорења о извршним спремницима у грешке\n"

#: lexsup.c:2338
#, c-format
msgid "  --no-error-execstack        Do not turn warnings about executable stacks into errors\n"
msgstr "  --no-error-execstack                Не преобраћа упозорења о извршним спремницима у грешке\n"

#: lexsup.c:2342
#, c-format
msgid "  --warn-rwx-segments         Generate a warning if a LOAD segment has RWX permissions (default)\n"
msgstr "  --warn-rwx-segments                 Ствара упозорење ако „LOAD“ сегмент има „RWX“ дозволе (основно)\n"

#: lexsup.c:2344
#, c-format
msgid "  --no-warn-rwx-segments      Do not generate a warning if a LOAD segments has RWX permissions\n"
msgstr "  --no-warn-rwx-segments              Не ствара упозорење ако „LOAD“ сегмент има „RWX“ дозволе\n"

#: lexsup.c:2347
#, c-format
msgid "  --warn-rwx-segments         Generate a warning if a LOAD segment has RWX permissions\n"
msgstr "  --warn-rwx-segments                 Ствара упозорење ако „LOAD“ сегмент има „RWX“ дозволе\n"

#: lexsup.c:2349
#, c-format
msgid "  --no-warn-rwx-segments      Do not generate a warning if a LOAD segments has RWX permissions (default)\n"
msgstr "  --no-warn-rwx-segments              Не ствара упозорење ако „LOAD“ сегмент има „RWX“ дозволе (основно)\n"

#: lexsup.c:2352
#, c-format
msgid "  --error-rwx-segments        Turn warnings about loadable RWX segments into errors\n"
msgstr "  --error-rwx-segments                Преобраћа упозорења о отпремивим RWX одломцима у грешке\n"

#: lexsup.c:2354
#, c-format
msgid "  --no-error-rwx-segments     Do not turn warnings about loadable RWX segments into errors\n"
msgstr "  --no-error-rwx-segments             Не претвара упозорења о отпремивим RWX одломцима у грешке\n"

#: lexsup.c:2357
#, c-format
msgid "  -z unique-symbol            Avoid duplicated local symbol names\n"
msgstr "  -z unique-symbol                    Избегава удвостручене локалне називе симбола\n"

#: lexsup.c:2359
#, c-format
msgid "  -z nounique-symbol          Keep duplicated local symbol names (default)\n"
msgstr "  -z nounique-symbol                  Задржава удвостручене локалне називе симбола (основно)\n"

#: lexsup.c:2361
#, c-format
msgid "  -z globalaudit              Mark executable requiring global auditing\n"
msgstr "  -z globalaudit                      Означава извршне који захтевају опште надгледање\n"

#: lexsup.c:2363
#, c-format
msgid "  -z start-stop-gc            Enable garbage collection on __start/__stop\n"
msgstr "  -z start-stop-gc                    Укључује скупљање смећа на „__start/__stop“\n"

#: lexsup.c:2365
#, c-format
msgid "  -z nostart-stop-gc          Don't garbage collect __start/__stop (default)\n"
msgstr "  -z nostart-stop-gc                  Не скупља смеће на „__start/__stop“ (основно)\n"

#: lexsup.c:2367
#, c-format
msgid ""
"  -z start-stop-visibility=V  Set visibility of built-in __start/__stop symbols\n"
"                                to DEFAULT, PROTECTED, HIDDEN or INTERNAL\n"
msgstr ""
"  -z start-stop-visibility=V          Поставља видљивост уграђених „__start/__stop“ симбола\n"
"                                      на „DEFAULT“, „PROTECTED“, „HIDDEN“ или „INTERNAL“\n"

#: lexsup.c:2370
#, c-format
msgid "  -z sectionheader            Generate section header (default)\n"
msgstr "  -z sectionheader                    Ствара заглавље одељка (основно)\n"

#: lexsup.c:2372
#, c-format
msgid "  -z nosectionheader          Do not generate section header\n"
msgstr "  -z nosectionheader                  Не ствара заглавље одељка\n"

#: lexsup.c:2379
#, c-format
msgid "  --ld-generated-unwind-info  Generate exception handling info for PLT\n"
msgstr "  --ld-generated-unwind-info          Ствара податке руковања изузетком за „PLT“\n"

#: lexsup.c:2381
#, c-format
msgid ""
"  --no-ld-generated-unwind-info\n"
"                              Don't generate exception handling info for PLT\n"
msgstr ""
"  --no-ld-generated-unwind-info\n"
"                                      Не ствара податке руковања изузетком за „PLT“\n"

#: lexsup.c:2391
#, c-format
msgid "ELF emulations:\n"
msgstr "„ELF“ емулације:\n"

#: lexsup.c:2409
#, c-format
msgid "Usage: %s [options] file...\n"
msgstr "Употреба: %s [опције] датотека...\n"

#: lexsup.c:2411
#, c-format
msgid "Options:\n"
msgstr "Опције:\n"

#: lexsup.c:2489
#, c-format
msgid "  @FILE"
msgstr "  @ДАТОТЕКА"

#: lexsup.c:2492
#, c-format
msgid "Read options from FILE\n"
msgstr "    Чита опције из ДАТОТЕКЕ\n"

#. Note: Various tools (such as libtool) depend upon the
#. format of the listings below - do not change them.
#: lexsup.c:2497
#, c-format
msgid "%s: supported targets:"
msgstr "%s: подржане мете:"

#: lexsup.c:2505
#, c-format
msgid "%s: supported emulations: "
msgstr "%s: подржане емулације: "

#: lexsup.c:2510
#, c-format
msgid "%s: emulation specific options:\n"
msgstr "%s: посебне опције емулације:\n"

#: lexsup.c:2517
#, c-format
msgid "Report bugs to %s\n"
msgstr "Грешке пријавите на „%s\n"

#: mri.c:291
msgid "%F%P: unknown format type %s\n"
msgstr "%F%P: непозната врста формата „%s\n"

#: pdb.c:845 pdb.c:1136
msgid "%P: CodeView symbol references out of range type %v\n"
msgstr "%P: CodeView симбол упућује на ван опсега врсту „%v\n"

#: pdb.c:1014
msgid "%P: warning: truncated CodeView record S_LDATA32/S_GDATA32/S_LTHREAD32/S_GTHREAD32\n"
msgstr "%P: упозорење: скраћен је CodeView запис S_LDATA32/S_GDATA32/S_LTHREAD32/S_GTHREAD32\n"

#: pdb.c:1033
msgid "%P: warning: name for S_LDATA32/S_GDATA32/S_LTHREAD32/S_GTHREAD32 has no terminating zero\n"
msgstr "%P: упозорење: назив за S_LDATA32/S_GDATA32/S_LTHREAD32/S_GTHREAD32 нема завршну нулу\n"

#: pdb.c:1081 pdb.c:1751
msgid "%P: warning: truncated CodeView record S_GPROC32/S_LPROC32\n"
msgstr "%P: упозорење: скраћен је CodeView запис S_GPROC32/S_LPROC32\n"

#: pdb.c:1093 pdb.c:1768
msgid "%P: warning: could not find end of S_GPROC32/S_LPROC32 record\n"
msgstr "%P: упозорење: не могу да нађем крај записа S_GPROC32/S_LPROC32\n"

#: pdb.c:1119
msgid "%P: warning: name for S_GPROC32/S_LPROC32 has no terminating zero\n"
msgstr "%P: упозорење: назив за S_GPROC32/S_LPROC32 нема завршну нулу\n"

#: pdb.c:1175
msgid "%P: CodeView S_GPROC32_ID/S_LPROC32_ID symbol referenced unknown type as ID\n"
msgstr "%P: CodeView S_GPROC32_ID/S_LPROC32_ID симбол је направио упутио за непознату врсту као ИД\n"

#: pdb.c:1249
msgid "%P: warning: truncated CodeView record S_UDT\n"
msgstr "%P: упозорење: скраћен је CodeView запис S_UDT\n"

#: pdb.c:1260
msgid "%P: warning: name for S_UDT has no terminating zero\n"
msgstr "%P: упозорење: назив за S_UDT нема завршну нулу\n"

#: pdb.c:1297
msgid "%P: warning: truncated CodeView record S_CONSTANT\n"
msgstr "%P: упозорење: скраћен је CodeView запис S_CONSTANT\n"

#: pdb.c:1314
msgid "%P: warning: unhandled type %v within S_CONSTANT\n"
msgstr "%P: упозорење: неурађена врста „%v“ унутар S_CONSTANT\n"

#: pdb.c:1328
msgid "%P: warning: name for S_CONSTANT has no terminating zero\n"
msgstr "%P: упозорење: назив за S_CONSTANT нема завршну нулу\n"

#: pdb.c:1388
msgid "%P: warning: unexpected CodeView scope start record %v\n"
msgstr "%P: упозорење: неочекиван запис почетка CodeView досега „%v\n"

#: pdb.c:1410
msgid "%P: warning: truncated CodeView record S_BUILDINFO\n"
msgstr "%P: упозорење: скраћен је CodeView запис S_BUILDINFO\n"

#: pdb.c:1436
msgid "%P: warning: truncated CodeView record S_BLOCK32\n"
msgstr "%P: упозорење: скраћен је CodeView запис S_BLOCK32\n"

#: pdb.c:1448
msgid "%P: warning: could not find end of S_BLOCK32 record\n"
msgstr "%P: упозорење: не могу да нађем крај записа S_BLOCK32\n"

#: pdb.c:1473
msgid "%P: warning: truncated CodeView record S_BPREL32\n"
msgstr "%P: упозорење: скраћен је CodeView запис S_BPREL32\n"

#: pdb.c:1497
msgid "%P: warning: truncated CodeView record S_REGISTER\n"
msgstr "%P: упозорење: скраћен је CodeView запис S_REGISTER\n"

#: pdb.c:1521
msgid "%P: warning: truncated CodeView record S_REGREL32\n"
msgstr "%P: упозорење: скраћен је CodeView запис S_REGREL32\n"

#: pdb.c:1545
msgid "%P: warning: truncated CodeView record S_LOCAL\n"
msgstr "%P: упозорење: скраћен је CodeView запис S_LOCAL\n"

#: pdb.c:1571
msgid "%P: warning: truncated CodeView record S_INLINESITE\n"
msgstr "%P: упозорење: скраћен је CodeView запис S_INLINESITE\n"

#: pdb.c:1583
msgid "%P: warning: could not find end of S_INLINESITE record\n"
msgstr "%P: упозорење: не могу да нађем крај записа S_INLINESITE\n"

#: pdb.c:1616
msgid "%P: warning: truncated CodeView record S_THUNK32\n"
msgstr "%P: упозорење: скраћен је CodeView запис S_THUNK32\n"

#: pdb.c:1628
msgid "%P: warning: could not find end of S_THUNK32 record\n"
msgstr "%P: упозорење: не могу да нађем крај записа S_THUNK32\n"

#: pdb.c:1653
msgid "%P: warning: truncated CodeView record S_HEAPALLOCSITE\n"
msgstr "%P: упозорење: скраћен је CodeView запис S_HEAPALLOCSITE\n"

#: pdb.c:1687 pdb.c:1831
msgid "%P: warning: unrecognized CodeView record %v\n"
msgstr "%P: упозорење: непознат CodeView запис „%v\n"

#: pdb.c:1723
msgid "%P: warning: truncated CodeView record S_LDATA32/S_LTHREAD32\n"
msgstr "%P: упозорење: скраћен је CodeView запис S_LDATA32/S_LTHREAD32\n"

#: pdb.c:1879
msgid "%P: warning: truncated DEBUG_S_INLINEELINES data\n"
msgstr "%P: упозорење: скраћени DEBUG_S_INLINEELINES подаци\n"

#: pdb.c:1886
msgid "%P: warning: unexpected DEBUG_S_INLINEELINES version %u\n"
msgstr "%P: упозорење: неочекивано DEBUG_S_INLINEELINES издање %u\n"

#: pdb.c:2239
msgid "%P: CodeView type %v references other type %v not yet declared\n"
msgstr "%P: CodeView врста „%v“ која упућује на другу врсту „%v“ још није објављена\n"

#: pdb.c:2246
msgid "%P: CodeView type %v references out of range type %v\n"
msgstr "%P: CodeView врста „%v“ упућује на ван опсега врсту „%v\n"

#: pdb.c:2306
msgid "%P: warning: truncated CodeView type record LF_UDT_SRC_LINE\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_UDT_SRC_LINE\n"

#: pdb.c:2319
msgid "%P: warning: CodeView type record LF_UDT_SRC_LINE referred to unknown type %v\n"
msgstr "%P: упозорење: CodeView запис врсте LF_UDT_SRC_LINE је показао на непознату врсту „%v\n"

#: pdb.c:2341
msgid "%P: warning: CodeView type record LF_UDT_SRC_LINE referred to unknown string %v\n"
msgstr "%P: упозорење: CodeView запис врсте LF_UDT_SRC_LINE је показао на непознату ниску „%v\n"

#: pdb.c:2350
msgid "%P: warning: CodeView type record LF_UDT_SRC_LINE pointed to unexpected record type\n"
msgstr "%P: упозорење: CodeView запис врсте LF_UDT_SRC_LINE је показао на неочекивану врсту записа\n"

#: pdb.c:2399
msgid "%P: warning: duplicate CodeView type record LF_UDT_MOD_SRC_LINE\n"
msgstr "%P: упозорење: удвостручен CodeView врсте запис LF_UDT_MOD_SRC_LINE\n"

#: pdb.c:2448
msgid "%P: warning: truncated CodeView type record LF_MODIFIER\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_MODIFIER\n"

#: pdb.c:2466 pdb.c:2481
msgid "%P: warning: truncated CodeView type record LF_POINTER\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_POINTER\n"

#: pdb.c:2499
msgid "%P: warning: truncated CodeView type record LF_PROCEDURE\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_PROCEDURE\n"

#: pdb.c:2519
msgid "%P: warning: truncated CodeView type record LF_MFUNCTION\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_MFUNCTION\n"

#: pdb.c:2547 pdb.c:2557
msgid "%P: warning: truncated CodeView type record LF_ARGLIST\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_ARGLIST\n"

#: pdb.c:2582 pdb.c:2652 pdb.c:2789 pdb.c:2836 pdb.c:3054 pdb.c:3101
msgid "%P: warning: truncated CodeView type record LF_FIELDLIST\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_FIELDLIST\n"

#: pdb.c:2599 pdb.c:2627
msgid "%P: warning: truncated CodeView type record LF_MEMBER\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_MEMBER\n"

#: pdb.c:2618
msgid "%P: warning: unhandled type %v within LF_MEMBER\n"
msgstr "%P: упозорење: неурађена врста „%v“ унутар LF_MEMBER\n"

#: pdb.c:2638
msgid "%P: warning: name for LF_MEMBER has no terminating zero\n"
msgstr "%P: упозорење: назив за LF_MEMBER нема завршну нулу\n"

#: pdb.c:2671 pdb.c:2694 pdb.c:2721
msgid "%P: warning: truncated CodeView type record LF_ENUMERATE\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_ENUMERATE\n"

#: pdb.c:2687
msgid "%P: warning: unhandled type %v within LF_ENUMERATE\n"
msgstr "%P: упозорење: неурађена врста „%v“ унутар LF_ENUMERATE\n"

#: pdb.c:2707
msgid "%P: warning: name for LF_ENUMERATE has no terminating zero\n"
msgstr "%P: упозорење: назив за LF_ENUMERATE нема завршну нулу\n"

#: pdb.c:2738
msgid "%P: warning: truncated CodeView type record LF_INDEX\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_INDEX\n"

#: pdb.c:2759
msgid "%P: warning: truncated CodeView type record LF_ONEMETHOD\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_ONEMETHOD\n"

#: pdb.c:2774
msgid "%P: warning: name for LF_ONEMETHOD has no terminating zero\n"
msgstr "%P: упозорење: назив за LF_ONE METHOD нема завршну нулу\n"

#: pdb.c:2807
msgid "%P: warning: truncated CodeView type record LF_METHOD\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_METHOD\n"

#: pdb.c:2822
msgid "%P: warning: name for LF_METHOD has no terminating zero\n"
msgstr "%P: упозорење: назив за LF_METHOD нема завршну нулу\n"

#: pdb.c:2855 pdb.c:2884 pdb.c:2895
msgid "%P: warning: truncated CodeView type record LF_BCLASS\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_BCLASS\n"

#: pdb.c:2875
msgid "%P: warning: unhandled type %v within LF_BCLASS\n"
msgstr "%P: упозорење: неурађена врста „%v“ унутар LF_BCLASS\n"

#: pdb.c:2912
msgid "%P: warning: truncated CodeView type record LF_VFUNCTAB\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_VFUNCTAB\n"

#: pdb.c:2935 pdb.c:2969 pdb.c:2994 pdb.c:3005
msgid "%P: warning: truncated CodeView type record LF_VBCLASS/LF_IVBCLASS\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_VBCLASS/LF_IVBCLASS\n"

#: pdb.c:2960 pdb.c:2985
msgid "%P: warning: unhandled type %v within LF_VBCLASS/LF_IVBCLASS\n"
msgstr "%P: упозорење: неурађена врста „%v“ унутар LF_VBCLASS/LF_IVBCLASS\n"

#: pdb.c:3024
msgid "%P: warning: truncated CodeView type record LF_STMEMBER\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_STMEMBER\n"

#: pdb.c:3039
msgid "%P: warning: name for LF_STMEMBER has no terminating zero\n"
msgstr "%P: упозорење: назив за LF_STMEMBER нема завршну нулу\n"

#: pdb.c:3072
msgid "%P: warning: truncated CodeView type record LF_NESTTYPE\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_NESTTYPE\n"

#: pdb.c:3086
msgid "%P: warning: name for LF_NESTTYPE has no terminating zero\n"
msgstr "%P: упозорење: назив за LF_NESTTYPE нема завршну нулу\n"

#: pdb.c:3113
msgid "%P: warning: unrecognized CodeView subtype %v\n"
msgstr "%P: упозорење: непозната CodeView подврста „%v\n"

#: pdb.c:3128
msgid "%P: warning: truncated CodeView type record LF_BITFIELD\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_BITFIELD\n"

#: pdb.c:3146
msgid "%P: warning: truncated CodeView type record LF_METHODLIST\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_METHODLIST\n"

#: pdb.c:3154
msgid "%P: warning: malformed CodeView type record LF_METHODLIST\n"
msgstr "%P: упозорење: лош CodeView врсте запис LF_METHODLIST\n"

#: pdb.c:3178
msgid "%P: warning: truncated CodeView type record LF_ARRAY\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_ARRAY\n"

#: pdb.c:3201 pdb.c:3235
msgid "%P: warning: truncated CodeView type record LF_CLASS/LF_STRUCTURE\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_CLASS/LF_STRUCTURE\n"

#: pdb.c:3226
msgid "%P: warning: unhandled type %v within LF_CLASS/LF_STRUCTURE\n"
msgstr "%P: упозорење: неурађена врста „%v“ унутар LF_CLASS/LF_STRUCTURE\n"

#: pdb.c:3245
msgid "%P: warning: name for LF_CLASS/LF_STRUCTURE has no terminating zero\n"
msgstr "%P: упозорење: назив за LF_CLASS/LF_STRUCTURE нема завршну нулу\n"

#: pdb.c:3264
msgid "%P: warning: unique name for LF_CLASS/LF_STRUCTURE has no terminating zero\n"
msgstr "%P: упозорење: јединствен назив за LF_CLASS/LF_STRUCTURE нема завршну нулу\n"

#: pdb.c:3288 pdb.c:3316
msgid "%P: warning: truncated CodeView type record LF_UNION\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_UNION\n"

#: pdb.c:3307
msgid "%P: warning: unhandled type %v within LF_UNION\n"
msgstr "%P: упозорење: неурађена врста „%v“ унутар LF_UNION\n"

#: pdb.c:3326
msgid "%P: warning: name for LF_UNION has no terminating zero\n"
msgstr "%P: упозорење: назив за LF_UNION нема завршну нулу\n"

#: pdb.c:3345
msgid "%P: warning: unique name for LF_UNION has no terminating zero\n"
msgstr "%P: упозорење: јединствен назив за LF_UNION нема завршну нулу\n"

#: pdb.c:3369
msgid "%P: warning: truncated CodeView type record LF_ENUM\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_ENUM\n"

#: pdb.c:3384
msgid "%P: warning: name for LF_ENUM has no terminating zero\n"
msgstr "%P: упозорење: назив за LF_ENUM нема завршну нулу\n"

#: pdb.c:3402
msgid "%P: warning: unique name for LF_ENUM has no terminating zero\n"
msgstr "%P: упозорење: јединствен назив за LF_ENUM нема завршну нулу\n"

#: pdb.c:3421
msgid "%P: warning: truncated CodeView type record LF_VFTABLE\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_VFTABLE\n"

#: pdb.c:3442
msgid "%P: warning: truncated CodeView type record LF_STRING_ID\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_STRING_ID\n"

#: pdb.c:3455
msgid "%P: warning: string for LF_STRING_ID has no terminating zero\n"
msgstr "%P: упозорење: ниска за LF_STRING_ID нема завршну нулу\n"

#: pdb.c:3472 pdb.c:3482
msgid "%P: warning: truncated CodeView type record LF_SUBSTR_LIST\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_SUBSTR_LIST\n"

#: pdb.c:3505 pdb.c:3515
msgid "%P: warning: truncated CodeView type record LF_BUILDINFO\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_BUILDINFO\n"

#: pdb.c:3538
msgid "%P: warning: truncated CodeView type record LF_FUNC_ID\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_FUNC_ID\n"

#: pdb.c:3554
msgid "%P: warning: string for LF_FUNC_ID has no terminating zero\n"
msgstr "%P: упозорење: ниска за LF_FUNC_ID нема завршну нулу\n"

#: pdb.c:3571
msgid "%P: warning: truncated CodeView type record LF_MFUNC_ID\n"
msgstr "%P: упозорење: скраћен је CodeView врсте запис LF_MFUNC_ID\n"

#: pdb.c:3587
msgid "%P: warning: string for LF_MFUNC_ID has no terminating zero\n"
msgstr "%P: упозорење: ниска за LF_MFUNC_ID нема завршну нулу\n"

#: pdb.c:3602
msgid "%P: warning: unrecognized CodeView type %v\n"
msgstr "%P: упозорење: непозната CodeView врста „%v\n"

#: pdb.c:3776
msgid "%P: warning: unable to get working directory\n"
msgstr "%P: упозорење: не могу да добавим радни директоријум\n"

#: pdb.c:3784
msgid "%P: warning: unable to get program name\n"
msgstr "%P: упозорење: не могу да добавим назив програма\n"

#: pdb.c:3793
msgid "%P: warning: unable to get full path to PDB\n"
msgstr "%P: упозорење: не могу да добавим пуну путању до PDB-а\n"

#: pdb.c:5249
msgid "%P: warning: cannot create PDB file: %E\n"
msgstr "%P: упозорење: не могу да направим PDB датотеку: %E\n"

#: pdb.c:5264
msgid "%P: warning: cannot create old directory stream in PDB file: %E\n"
msgstr "%P: упозорење: не могу да направим ток старог директоријума у PDB датотеци: %E\n"

#: pdb.c:5273
msgid "%P: warning: cannot create info stream in PDB file: %E\n"
msgstr "%P: упозорење: не могу да направим „info“ ток у PDB датотеци: %E\n"

#: pdb.c:5282
msgid "%P: warning: cannot create TPI stream in PDB file: %E\n"
msgstr "%P: упозорење: не могу да направим TPI ток у PDB датотеци: %E\n"

#: pdb.c:5291
msgid "%P: warning: cannot create DBI stream in PDB file: %E\n"
msgstr "%P: упозорење: не могу да направим DBI ток у PDB датотеци: %E\n"

#: pdb.c:5300
msgid "%P: warning: cannot create IPI stream in PDB file: %E\n"
msgstr "%P: упозорење: не могу да направим IPI ток у PDB датотеци: %E\n"

#: pdb.c:5309
msgid "%P: warning: cannot create /names stream in PDB file: %E\n"
msgstr "%P: упозорење: не могу да направим „/names“ ток у PDB датотеци: %E\n"

#: pdb.c:5318
msgid "%P: warning: cannot create symbol record stream in PDB file: %E\n"
msgstr "%P: упозорење: не могу да направим ток записа симбола у PDB датотеци: %E\n"

#: pdb.c:5327
msgid "%P: warning: cannot create publics stream in PDB file: %E\n"
msgstr "%P: упозорење: не могу да направим јавни ток у PDB датотеци: %E\n"

#: pdb.c:5334
msgid "%P: warning: cannot create section header stream in PDB file: %E\n"
msgstr "%P: упозорење: не могу да ток заглавља одељка у PDB датотеци: %E\n"

#: pdb.c:5353
msgid "%P: warning: cannot populate DBI stream in PDB file: %E\n"
msgstr "%P: упозорење: не могу да попуним DBI ток у PDB датотеци: %E\n"

#: pdb.c:5362
msgid "%P: warning: cannot populate TPI stream in PDB file: %E\n"
msgstr "%P: упозорење: не могу да попуним TPI ток у PDB датотеци: %E\n"

#: pdb.c:5373
msgid "%P: warning: cannot populate IPI stream in PDB file: %E\n"
msgstr "%P: упозорење: не могу да попуним IPI ток у PDB датотеци: %E\n"

#: pdb.c:5385
msgid "%P: warning: cannot populate names stream in PDB file: %E\n"
msgstr "%P: упозорење: не могу да попуним ток назива у PDB датотеци: %E\n"

#: pdb.c:5392
msgid "%P: warning: cannot populate publics stream in PDB file: %E\n"
msgstr "%P: упозорење: не могу да попуним јавни ток у PDB датотеци: %E\n"

#: pdb.c:5399
msgid "%P: warning: cannot populate info stream in PDB file: %E\n"
msgstr "%P: упозорење: не могу да попуним инфо ток у PDB датотеци: %E\n"

#: pe-dll.c:480
msgid "%X%P: unsupported PEI architecture: %s\n"
msgstr "%X%P: неподржана ПЕИ архитектура: %s\n"

#: pe-dll.c:869
msgid "%X%P: cannot export %s: invalid export name\n"
msgstr "%X%P: не могу да извезем „%s“: неисправан назив извоза\n"

#: pe-dll.c:921
#, c-format
msgid "%X%P: error, duplicate EXPORT with ordinals: %s (%d vs %d)\n"
msgstr "%X%P: грешка, удвостручени ИЗВОЗ са редним бројевима: %s (%d vs %d)\n"

#: pe-dll.c:928
#, c-format
msgid "%P: warning, duplicate EXPORT: %s\n"
msgstr "%P: упозорење, удвостручено „ИЗВЕЗИ“: %s\n"