forked from ~ljy/RK356X_SDK_RELEASE

hc
2023-12-06 d38611ca164021d018c1b23eee65bbebc09c63e0
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
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
1890
1891
1892
1893
1894
1895
1896
1897
1898
1899
1900
1901
1902
1903
1904
1905
1906
1907
1908
1909
1910
1911
1912
1913
1914
1915
1916
1917
1918
1919
1920
1921
1922
1923
1924
1925
1926
1927
1928
1929
1930
1931
1932
1933
1934
1935
1936
1937
1938
1939
1940
1941
1942
1943
1944
1945
1946
1947
1948
1949
1950
1951
1952
1953
1954
1955
1956
1957
1958
1959
1960
1961
1962
1963
1964
1965
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
1976
1977
1978
1979
1980
1981
1982
1983
1984
1985
1986
1987
1988
1989
1990
1991
1992
1993
1994
1995
1996
1997
1998
1999
2000
2001
2002
2003
2004
2005
2006
2007
2008
2009
2010
2011
2012
2013
2014
2015
2016
2017
2018
2019
2020
2021
2022
2023
2024
2025
2026
2027
2028
2029
2030
2031
2032
2033
2034
2035
2036
2037
2038
2039
2040
2041
2042
2043
2044
2045
2046
2047
2048
2049
2050
2051
2052
2053
2054
2055
2056
2057
2058
2059
2060
2061
2062
2063
2064
2065
2066
2067
2068
2069
2070
2071
2072
2073
2074
2075
2076
2077
2078
2079
2080
2081
2082
2083
2084
2085
2086
2087
2088
2089
2090
2091
2092
2093
2094
2095
2096
2097
2098
2099
2100
2101
2102
2103
2104
2105
2106
2107
2108
2109
2110
2111
2112
2113
2114
2115
2116
2117
2118
2119
2120
2121
2122
2123
2124
2125
2126
2127
2128
2129
2130
2131
2132
2133
2134
2135
2136
2137
2138
2139
2140
2141
2142
2143
2144
2145
2146
2147
2148
2149
2150
2151
2152
2153
2154
2155
2156
2157
2158
2159
2160
2161
2162
2163
2164
2165
2166
2167
2168
2169
2170
2171
2172
2173
2174
2175
2176
2177
2178
2179
2180
2181
2182
2183
2184
2185
2186
2187
2188
2189
2190
2191
2192
2193
2194
2195
2196
2197
2198
2199
2200
2201
2202
2203
2204
2205
2206
2207
2208
2209
2210
2211
2212
2213
2214
2215
2216
2217
2218
2219
2220
2221
2222
2223
2224
2225
2226
2227
2228
2229
2230
2231
2232
2233
2234
2235
2236
2237
2238
2239
2240
2241
2242
2243
2244
2245
2246
2247
2248
2249
2250
2251
2252
2253
2254
2255
2256
2257
2258
2259
2260
2261
2262
2263
2264
2265
2266
2267
2268
2269
2270
2271
2272
2273
2274
2275
2276
2277
2278
2279
2280
2281
2282
2283
2284
2285
2286
2287
2288
2289
2290
2291
2292
2293
2294
2295
2296
2297
2298
2299
2300
2301
2302
2303
2304
2305
2306
2307
2308
2309
2310
2311
2312
2313
2314
2315
2316
2317
2318
2319
2320
2321
2322
2323
2324
2325
2326
2327
2328
2329
2330
2331
2332
2333
2334
2335
2336
2337
2338
2339
2340
2341
2342
2343
2344
2345
2346
2347
2348
2349
2350
2351
2352
2353
2354
2355
2356
2357
2358
2359
2360
2361
2362
2363
2364
2365
2366
2367
2368
2369
2370
2371
2372
2373
2374
2375
2376
2377
2378
2379
2380
2381
2382
2383
2384
2385
2386
2387
2388
2389
2390
2391
2392
2393
2394
2395
2396
2397
2398
2399
2400
2401
2402
2403
2404
2405
2406
2407
2408
2409
2410
2411
2412
2413
2414
2415
2416
2417
2418
2419
2420
2421
2422
2423
2424
2425
2426
2427
2428
2429
2430
2431
2432
2433
2434
2435
2436
2437
2438
2439
2440
2441
2442
2443
2444
2445
2446
2447
2448
2449
2450
2451
2452
2453
2454
2455
2456
2457
2458
2459
2460
2461
2462
2463
2464
2465
2466
2467
2468
2469
2470
2471
2472
2473
2474
2475
2476
2477
2478
2479
2480
2481
2482
2483
2484
2485
2486
2487
2488
2489
2490
2491
2492
2493
2494
2495
2496
2497
2498
2499
2500
2501
2502
2503
2504
2505
2506
2507
2508
2509
2510
2511
2512
2513
2514
2515
2516
2517
2518
2519
2520
2521
2522
2523
2524
2525
2526
2527
2528
2529
2530
2531
2532
2533
2534
2535
2536
2537
2538
2539
2540
2541
2542
2543
2544
2545
2546
2547
2548
2549
2550
Þ•Ùä.ͬ]à|á| ô|}},}E}"d}+‡}³}Ó}ë}ý}&~=~ X~d~ ƒ~¤~ ¼~Ý~'õ~76=n¬½Î ì&ø(€H€;e€6¡€E؀
4?F[:¢6݁‚1#‚,U‚.‚‚,±‚ ނê‚ù‚ ƒ#!ƒ#Eƒ%iƒ+ƒ*»ƒæƒøƒ „)*„-T„‚„(œ„ń Մá„2ü„0/…,`…(…+¶…%â….†,7†+d††?¡†6á†1‡3J‡~‡E‡ևTï‡Dˆ `ˆCnˆB²ˆAõˆ=7‰Eu‰X»‰¼Š3ъ8‹S>‹N’‹;á‹:ŒRXŒ3«ŒNߌ0.8_F˜Gߍ'Ž7Ž QŽ]ŽoނޑŽ!­ŽώáŽõŽ#6E^ w…Y£bý`*{¦<¸3õ3)‘:]‘/˜‘Dȑ2 ’4@’,u’4¢’<ג5“7J“5‚“3¸“8ì“%”+=”8i”9¢”8ܔ8•:N•+‰•0µ•0æ•2–'J–8r–"«–0Ζ7ÿ–H7—J€—9˗R˜7X˜L˜7ݘ2™RH™:›™?֙>š=Uš>“š6Қ<    ›7F›8~›<·›<ô›I1œN{œ=ʜH)Q={A¹>û:žMž7`ž3˜ž̞âžõžŸ#Ÿ4ŸQŸ`Ÿ€Ÿ@’Ÿ8ӟ   2 E ] s 3‡ » Ö $ê ¡'¡C¡X¡k¡ƒ¡¡®¡á"Ó¡&ö¡¯¢çÍ¢9µ¤+ï¤A¥³]¥)¦â;§¡Á§ÀÆÍhÉM6Ðq„×éö×¹àØ    šÙ*¤Ù(ÏÙ
øÙÚÚ;Ú$[Ú(€Ú-©Ú×Ú(èÚ
ÛÛ"0ÛSÛ"[Û/~Û(®Û×Û%óÛÜ 0Ü
<ÜGÜ-OÜ}Ü—Ü«Ü"ÂÜ+åÜ#Ý 5Ý"VÝ"yÝ(œÝ ÅÝ"ÑÝ"ôÝÞ (ÞIÞ#^Þ_‚ÞBâÞ:%ß!`ß ‚ß(ß(¹ß(âßH àQTà-¦à"Ôà%÷à á>á"Wázáá«áÃá"ãáâ4â#Râvâ(â¶âÍâ3íâ!ã3ãDãWãkã‰ãžã+ºã1æã1ä1Jä2|ä6¯äæä5üä@2å\såJÐå(æDæ#Wæ{æ&—æ)¾æ'èæ#ç*4ç+_ç+‹ç·ç(×ç/è(0è&Yè7€è.¸è çèCôèQ8éYŠé3äé-ê%Fêlê,€ê1­ê@ßê> ë._ë)Žë6¸ëQïëAì1^ìì3¯ìãìüìí .í-:í!híŠí£í¼íÑíêíÿíî-îHîcî~î™î´îÏî êî ï%ï@ï[ïvï‘ï¬ïÇïâïýïð3ð4Hð5}ðI³ðýðñ,ñ+Jñvñ…ñžñ·ñ-Ðñþñò:ò2SòN†òÕò    Üòæòêòûòó8%ó    ^óhó$€ó¥ó´óÄóÔóãóûó ô+ô=ôVô    ^ô7hô ô5¶ô7ìô?$õ,dõ‘õ0§õ+Øõ3ö<8ö,uö;¢ö4Þö
÷/÷N÷Q`÷5²÷è÷*ø÷/#øSødø uø–ø^œøûø ù7ùBLùKù9ÛùBú;Xú”=¨)æ$E7}7’    Ê    ÷ÔtÌÜANJmœ¸®U$2Ws‘¢¹'¾æÿ #/3E y‡œ¼D×Liy •¡´HÉ "! D -K Sy 
Í Ø 3í #!!E!Z!_!v!‘!ª!Ã!×!ñ!" "!@" b"n""'­"!Õ"$÷"#(2#5[#3‘#7Å#%ý#%#$&I$#p$)”$ ¾$Ì$ç$ú$%9%Q%%l%’%(ª%@Ó%&"1&:T&!&.±&1à&@'%S'&y'+ '*Ì'%÷'((F(e(v(#’($¶(Û(õ($)%,)R)o)„)$ )'Å)í)**-*)H*r* *œ*¹*Ð*cç*,K+x+_˜+/ø+(, ;,=I,2‡,*º,#å,    -(-E-H-M-k-~-’-*–-Á-+à-* .7.M.!h.Š.›. «. Ì.    í.÷. // $/    2/ </H/ Q/ _/m/ / / ›/#©/Í/Ñ/×/Ü/Iâ/,020;0D0_0}0†0Ž0"–0¹0Ñ0á0ô01+1:1"L1o1€1‘1¡1    ±1»1    Ó1Ý1ä1 ø12282N2 ]2    k2 u2ƒ2 ’2 2°20¶2ç2î2 3)313 63C3\3 s33”3¦3Ã3"ß3"4 %434D4KY4¥4%À4&æ4$ 525K5h5€5š5D«5 ð5ü56$6A6]6z6’6<¦62ã6#7%:7`7s77¥7Â76à7.8%F8"l8/81¿86ñ8$(9M9^9x99I«9õ9 :!:7:M:g::}: ¸:Ù:#ò:6;2M;    €;VŠ;Xá;/:<j<Š<©<!È<ê<B=:F==+‘=½=Î= à=$í='>:>Q> c>)p>š>¬>Á>ÒØ>&«?#Ò?$ö?#@<?@|@-@-»@+é@ AE#AiAxAÊA?JCŠCŽC¥CÀC ÉC!ÕC÷CD5DID \DhDxD ’D&³D$ÚD&ÿDN&E>uE´E.ÃEòEDFGF OF!pF6’FÉF0àF(GN:G%‰G¯GÅGØGìG H)HÞGHé&IJ!%JGJ[JqJ†J J:°J+ëJK2K:KTKK K4¿KôKL LL/L$JL&oL –L+·L"ãL/M"6M$YM"~M¡M ÀM áM$N'NDN%cN.‰N%¸N#ÞN-O00O(aOŠO©O¾OÞOöOP.PFPaPyP‰P¤P¿PÏPàP úP)Q(1QZQwQ`|QPÝQ.R    ?R"IRlRpRŠR¢RÀR&ÙR*S+SAS+WS'ƒS«S°S<¶S6óS*T    CTMT]TToT5ÄTúT4U4JU@UÀUÚUMùUGV,VV-ƒV3±V@åV?&W9fW. WÏWÕWÝWíW X'X,FX3sX?§X)çXY$Y:YRYiYYšY)±Y+ÛYZ    Z(Z9ZRZeZ1yZ«Z5ÃZ5ùZ7/[g[-{[#©[
Í[FØ[K\k\€\/\'Í\ õ\]%]6]O]b]k]"~]¡]À]2Æ]Où]?I^8‰^4Â^/÷^7'_3__;“_qÏ_wA`ù`}aa  a¬a»a$Áaæa!ëa" b0bEb    Vb`b,tb>¡b;àb2c(OcRxcËcéc"d+)d$Udzd(šd&Ãd5êd e@e_e/e¯eÀe)Þe7f@f[fqf‰fœf³fÈfâfüfg)g;gWgwg#—g$»gàgøgh&,h Sh!th!–h|¸hj5i  i Ái+âi#j12jdj)ƒj­j'Êj òjþj( k66k;mk©k Ék5Ök: l+Gl9sl­l9¾l%øl*m+Im6um.¬mÛmðmnnn2n 8n4En*zn+¥n$Ñn önoo
-o8oIogo{oo¤o´o Ão+äop/p&Np(upžp(ºp ãp6q;qMq&dq‹qªq&Äqëq'r*rAr"`rƒr˜r(¸r$árs%$s5Js€s#•s¹sÎsèsüst"t@tYtvtŽt©tÅtßtýtu3uILu–u3Ÿu Óuôu!v+5v1av5“v2Év5üv 2w>w-Ewsw
‚w w/›w1Ëw!ýw'x'Gx/ox2Ÿx7Òx+
y 6y1Wy#‰y"­y+Ðy&üy##z)Gz.qz# zÄz*äz{{2{E{ \{j{{{    •{Ÿ{!´{4Ö{ ||8|T|k|€||¯|)Ì|(ö|#}9C}9}}·}Ñ}ë}~"~&B~*i~&”~*»~3æ~2E W!xš­Å Ôáéý€ €+€
?€J€ \€i€ ƒ€)€º€ـì€(',4T‰-¥AӁ!‚-7‚e‚ ‚ ‚ ½‚ނ ú‚ƒ*ƒ=ƒ.Sƒ‚ƒ ˜ƒ¤ƒ¬ƒÁƒ׃éƒ „ „ „ *„8„A„Q„a„t„‰„ „¯„΄ä„ó„+…2…N…j…$†… «…·…υSê…%>† d†r†І¢† ¹† Ɔ+҆þ†‡= ‡J‡P‡4o‡¤‡2µ‡ è‡.õ‡$ˆ,ˆ!Jˆ-lˆ#šˆ ¾ˆcʈ].‰Œ‰¢‰#²‰$։û‰Š Š +Š9ŠLŠ bŠFnŠ@µŠFöŠ=‹![‹=}‹D»‹Œ ŒŒ .Œ;ŒJŒcŒyŒŽŒ§Œ½ŒόàŒòŒ7FM;” ЍލùŽ#Ž<Ž!YŽ#{Ž ŸŽ¬Žʎݎ÷Ž
)H\o w'„A¬Fî:5;p¬)ǐ8ñ$*‘$O‘t‘(’‘»‘!ّû‘’%’?’X’'w’)Ÿ’/ɒ&ù’ “@“^“p“‡“*¥“'Гø“1”*D”/o”Ÿ”#º”ޔæ”÷”• •7•P•`•u•“•¬•&ɕ ð• ü•
–(–'8–*`–&‹–²–Öã–ú–—6—%S—y—–—!¶—ؗ÷—' ˜3˜E˜W˜$s˜˜˜@´˜õ˜ ™ ™ #™0™(?™ h™ u™™‘™4¬™ á™î™šš-šBšVšgš{š'„š&¬š,Ӛ ›'!›II›9“›9͛4œ0<œ2mœ= œ ޜ 뜖÷œŽž7¦žޞàžóž
Ÿ!(Ÿ3JŸ"~Ÿ¡Ÿ¼ŸΟ&êŸ$ 
6 #A 'e  %¬ Ò (ï ¡=6¡Dt¡¹¡Ô¡#ì¡¢5$¢FZ¢$¡¢JÆ¢8£_J£ª£
À£&Ë£Xò£LK¤M˜¤æ¤<¥I?¥0‰¥&º¥á¥ð¥¦¦#9¦2]¦'¦+¸¦*䦧*§)E§0o§; §%ܧ4¨7¨N¨b¨=|¨3º¨7î¨)&©/P©%€©4¦©3Û©/ª?ªVWªA®ª=ðª;.«j«E„«Ê«Xâ«;¬ W¬Cd¬B¨¬Aë¬=-­Ek­i±­Ð®8ì®C%¯Wi¯ZÁ¯G°?d°\¤°6±P8±0‰±Aº±Fü±GC²‹²œ²    ¹²òÕ²è²"þ²/!³Q³k³г"¥³ȳ߳ﳴ /´=´X[´c´´µ+4µ`µPsµ7ĵ7üµA4¶Av¶X¸¶5·?G·/‡·;··Pó·9D¸<~¸C»¸4ÿ¸B4¹w¹-¹H¾¹<º7Dº7|ºC´º6øºB/»:r»8­»1æ»<¼(U¼8~¼;·¼Qó¼bE½7¨½Pà½51¾Ng¾<¶¾9ó¾f-¿C”¿SØ¿E,À<rÀ<¯À=ìÀ=*Á6hÁ9ŸÁ=ÙÁAÂQYÂ`«ÂF Ã[SÃ,¯Ã<ÜÃQÄ;kħĻÄ:ÏÄ6
Å$AÅfÅ"~Å¡ÅÀÅÓÅðÅ#Æ%Æ@7Æ8xƱÆ!ÃÆåÆôÆÇ&Ç3:ÇnÇŽÇ+¢ÇÎÇèÇÈÈ*È@ÈZÈkÈ€È)È0ºÈÅëÈ(±É<ÚË.ÌNFÌѕÌ[gÍrÃÎ96ìûpòàlõMýsc×æÚ    Á-Ë(ù ".Hb%€)¦-Ðþ(     8    D    ([    „    "    H°    (ù    "
%A
g
 |
 
ˆ
“
-š
È
â
ø
" +4 #`  „ "¥ "È (ë   "  "C "f -‰ "· ,Ú d Bl :¯ #ê  ((E(nG—Rß-2"`%ƒ ©Ê"é =Y"yœA¶.ø'EBˆ£DÃ1K c„œ6»1ò0$0U5†9¼ö6@J\‹Jè(3\&q"˜9»5õ7+3c*—+Â+î-:/h-˜)ÆCð44 iDwR¼ZOj2º*í2+5^D”AÙ1,M:zlµ".B2q3¤Øñ
 #-/!]˜±Æßô "=XsީĠß5Pk†¡¼×ò  ( 5= :s Y® $!-!<!+Z!†!•!®!Ç!7à!"4"T"-m"O›"ë"    ò"ü"##/#6A#x##&™#À#Ô#é#û# $+$*<$g$%}$£$
¬$9·$ñ$9
%:D%I%+É%õ%/ &*;&4f&?›&0Û&G 'DT'™'9¡'Û'Rë'>>(}(1’(7Ä(ü( )&!)H)cQ)µ)    Ç)6Ñ)A*KJ*8–*CÏ*++3>D3)ƒ3­3¿3‹Ò3f^6sÅ89<k>B{ªG{&Hl¢LLNè\N·EQýQR*-RXR-rR R±RÈR%ÏR!õRS%S
CSNS3hS œSªSÃSãSDþSLCTT¥T ÃTÐTãTHüTEU#TUxU4UT´U
   VV3)V)]V‡VšVŸVµVÐV çVWW=W"PW.sW/¢W ÒW+ßW0 X1<X.nX2XÐX+ìX3Y<LYA‰Y.ËY.úY/)Z,YZ,†Z³Z'ÄZìZ'[.*["Y[%|[0¢[#Ó[>÷[?6\#v\5š\IÐ\/]LJ]N—]Næ]15^2g^?š^CÚ^5_;T_"_³_!Ê_,ì_-` G`h`+~`,ª`+×`a%a=Ea*ƒa!®aÐaãab3"b'Vb~bŽb«bÃbsÝb.Qc$€ci¥cFdVdgdNxdBÇd4
e.?e&ne•e´e·e¼eÛeøef9f-Pf:~f3¹f$íf-g'@ghg|g'‘g$¹gÞgíghh$h 4hAhQh Zh ghth…h—h©h-»héhíhóhøhVþhUi[idiliˆi§i¯i·i¿i%Ûijj)jEj^jrj4‰j¾jÓjèjüj kk ;k    IkSk ok{k(škÃkÞkñk ll#l6lHl\lAbl¤l'¬l-Ôl    m
m m%m>mXmnmˆm œm+½m,ém,nCnTnen_~nÞn+ûn+'o*So~o&™oÀoÜoøoU    p _pkp'tp1œp$Îp'óp"q>qT]q>²q5ñq7'r_rvr”r°rÍr9ër.%s6Ts+‹sB·sCús@>t2t²t"Âtåt$uR&uyuu¥u»u#Ñuõu?v)Uvv3œvHÐvFw`wpw~x<€x(½x'æx'y)6y&`yV‡yEÞy$z;=zyz‘z¤z1·z6éz {7{M{)`{Š{¤{¿{ùÝ{8×|-},>},k}Q˜}ê}8ú}73~/k~›~J³~þ~7VO¦ª(ȁ    ñ û#‚+‚ K‚l‚„‚Ÿ‚°‚Ȃ-ã‚5ƒ1Gƒ2yƒO¬ƒ?üƒ<„9S„„J „ë„'ô„(…BE…ˆ…6§…0ޅd†2t†§†Á†؆)ï†(‡(B‡k‡!ˆ£‰%¹‰߉ú‰Š3ŠOŠDmŠ:²ŠíŠ
‹‹c%‹ ‰‹Aª‹ì‹þ‹ŒŒ-Œ%JŒ'pŒ'˜Œ;ÀŒ&üŒ=#"a$„!©ˍ é 
Ž$+ŽPŽmŽ)ŒŽ5¶Ž*ìŽ,2D1w2©܏û#5.R¡"Áä‘ ‘$1‘V‘f‘w‘ ’‘)Ÿ‘&ɑ"ð‘’`’Py’ʒ    à’%ê’““1“9Q“‹“(«“6ԓ ”&”3C”7w”¯”·”4À”Hõ”>•
\•g•w•uŽ•I–N–7j–7¢–Oږ*—$E—Tj—¿—-їIÿ—HI˜[’˜dî˜WS™<«™ è™
õ™šš/š"Jš1mšNŸš@îš6/›f›y››­›̛ê›    œ?œ5_œ"•œ    ¸œœלðœ>]C{E¿GžMž4`ž1•ž    ÇžFўKŸdŸ }Ÿ8žŸ*ן   0$ U n „  '  %È î Mô [B¡Rž¡Añ¡93¢/m¢7¢;Õ¢C£uU£ˆË£ãT¤8¥H¥ X¥f¥z¥(€¥©¥0®¥2ߥ¦2¦ G¦U¦:p¦^«¦I
§9T§9ާjȧ'3¨#[¨*¨3ª¨(Þ¨(©90©+j©9–©$Щ'õ©(ª<Fªƒª/—ª:ǪL«O«o«Š«§«¾«Ú«!ô«!¬"8¬[¬p¬†¬'¦¬&ά,õ¬+"­N­k­ˆ­ ¦­Ç­á­ü­€®n›®
¯)¯-C¯"q¯3”¯ȯ+毰 .°O°a°9r°D¬°@ñ°'2± Z±Jh±E³±0ù±A*²l²G€²)Ȳ4ò²5'³<]³2š³ͳâ³õ³ ´´ (´ 6´+B´#n´*’´-½´ ë´ø´µ    'µ1µ3Eµyµ’µ¨µŵص*êµ.¶$D¶$i¶9޶<ȶ&·;,·*h·@“·%Ô·&ú·.!¸&P¸"w¸0š¸˸9é¸#¹(B¹.k¹(š¹*ù?î¹8.º(gº4ºSź»66»m»&‰»°»Ê»"å».¼$7¼*\¼"‡¼0ª¼.Û¼-
½=8½2v½&©½*нeû½    a¾Fk¾"²¾'Õ¾ý¾1¿;O¿B‹¿7οGÀNÀ^À2fÀ™À    °ÀºÀ4ÎÀEÁ'IÁ(qÁ-šÁ3ÈÁ>üÁ<;Â.xÂ%§Â<ÍÂ$
Ã*/Ã1ZÃ+ŒÃ)¸Ã*âÃ9 Ä4GÄ$|Ä.¡ÄÐÄáÄüÄ5ÅMÅbÅ+uÅ    ¡Å«Å,ÈÅBõÅ8Æ/IÆ0yÆ ªÆËÆéÆ%üÆ'"Ç7JÇ:‚Ç&½ÇOäÇS4È)ˆÈ%²È&ØÈ#ÿÈ.#É2RÉ6…É1¼É5îÉ5$Ê+ZÊ*†Ê ±Ê(ÒÊ/ûÊ!+ËMË iË w˄ˌË"¤ËÇËÜË"îËÌ!"ÌDÌMÌ mÌ0{̬ÌËÌãÌ.Í-/Í>]Í&œÍDÃÍXÎ2aÎ2”ÎÇÎ%äÎ&
Ï)1Ï[Ï,zϧϹÏ"ÐÏ7óÏ+ÐCÐRÐZÐvЍТпÐÏÐâÐöÐÑÑ&Ñ8ÑPÑgряѭÑÈÑÙÑ/ñÑ!!Ò!CÒ!eÒ2‡Ò ºÒÈÒ!çÒ    Ó/‰Ó¹Ó ÎÓ!ïÓÔ0Ô@Ô;PԌԔÔH£ÔìÔ"ñÔ:ÕOÕ4aÕ –Õ7£ÕÛÕ,ãÕ"Ö;3Ö+oÖ ›Ö“§ÖŒ;×È×ç×/Ø/1Ø*aØ ŒØ˜Ø©Ø!¼ØÞØ úØIÙHPÙP™Ù#êÙ(ÚD7ÚU|ÚÒÚêÚúÚÛ)Û"HÛ%kÛ‘Û«Û$ËÛðÛ# Ü1ÜQÜlÜK~ÜVÊÜ@!Ý bÝ#pݔݩÝ*¿Ý#êÝ8Þ3GÞ{Þ#Þ³Þ#ÇÞëÞ1    ß;ßYßmß†ß Žß2›ßGÎßCà=ZàC˜à*Üà0áO8á,ˆá-µá'ãá2 â%>â'dâŒâ¥â½âÛâ"øâ)ã?Eã@…ã)Æã'ðã%ä>äNä!fä2ˆä/»äëä?å8Hå;å½å/Úå
ææ+æ?æ_æ{æ›æ±æ$Êæ ïæ&ç37çkç{ç'çµç4Éç:þç19èkè(è¨è"Äè%çè# é71é+ié(•é/¾é%îéê/,ê\êqê"†ê,©ê$ÖêSûêOëlëëšë³ë)Êëôëìì%9ìO_ì¯ìÅìãì!í#íCí(`í‰í ¡í+¯í*Ûí2î-9î+gîX“îNìîL;ï?ˆïHÈïRðMdð²ðÇð8ƒ7ÇÊ_А¯Ñ»rŒ-Tu¬öÌ•ñŒÁ¼Õ8x³`Y&žóVÒ©ª!Ê Ä;5Ke/.©-\jÞÆ"“¤ž™cflÄ—¬ßÛ ²5xzö%·;ü™®J a¢þ©X@yŲyTiG  í®“áS–Q%¸Íü×$.›Þ±0d¹\ÈQ0jcIŸ¡‹lÏé †’37Â!Ç;WekEÌðеËdËÁ\œËî×Õ¾(ýðÃ
\p<êÙ¹__Õ+o½«!‡½í={™ºx©xè
Þ §'V6­!?¡­ìº{ ¦²ÆòSe‚ÏÆYµ    ‚•WÎz)ÞI^|D5Ÿ;YB/‘¤,½ý¯ÿX³šÀMÉžÝK3‹T~Ør¨Ù‡5ɹ…6A÷‰¾ÉVîbUÅ»UaywÇ÷Rù'F)q>Χ8š*|}>ͺG»¥    ú^Ts§ãœžAPk*ü…}Î@Üß ÆÄ¤…’Ûª¨tIþx²ãóó•uÔ
ŽÁ’¯©£$¶Ü!™|ƒ99t¢ú‘Ò]ñÕ·С=fD.˜‹x„âðÖDOk,HL‹Z a£7:€bÝp˜'‡ÀAN.otÒ-ÝV{ š%Kvûô:¢Dha˜ë‹[ GGžªâÈŸzZSÜ/]ßÅ5ÓUg­ê×–m¥†*d ?,¨UÔq?›Ëè'‘*û:í·Ÿg¸F…YÂé2ˆl]¿˜½ŒJïpÿ«p·æ[\H%úeРyг±y‰;‚+ÚWÚRED˹ãßà®uv¬—È"r¿#Ñòæ*±=¶5}òh¯/ì    ‘ËsÑëøÍd«áÑ óq1£Ó­Ú¤Ö¨h,t¤†VQt"NðlcÚÆq?îH@¡°’°~–(òK8zF¶Éœ/äð‹`ì fFå(ï3‘rP›™ÝJ4´¢«ÔÖ6¾³T“:agnŽ„þäsfCª^S¿ÚÄ~ÏX¼Ó1Ónÿdƒâ®jà6ô—åÓØ*Wž()¨qRÀÆu±•—4Ð RCà¼òC\¾=½]Àw&1$mO€{`ZÌ}÷[çʘÉ哟2ùJ÷ô#iQ^ï-Ðý0übnèÛ3­ÊKùÍgÃ^[`vÖþ”9é?ú%:~¬n´²ªíÎiˆjPMÀ£¡”¢M¤>€ íK^0Ôo63U<&+¿›o¶âå¼2œ«LüºÅ1ïk| b’7}8”F<Š—·_f§Â4Nÿϲ̦c†äýi}> £æ‚Ò–ú<"®„Ì¥?~    ¾sC”ŒšL#û4h°P+ëÜÅ0Ûêy¥ƒÊBµøØuSv7î{g á›Ù[¹çY•@_ÇÎ ÍfN€éèÙt°«ìGϬUºw¦ŽØ=÷'X)>hOŠ`Œªù T×Y–ý6i°ä€nÓœöZ»#“1z—m<Ö¦„M@ÁÇpHìõ    ¾¦‚ï´IQRmEØM[|@<)¬(#¸JrLjX„k.¯2êþÿ    F=ë$ÑÃøÒ»+é
çša0å¥à%H-³1ß_Ä·lV4õvÞBºk; ù-Û9$´|mÈ9“Ïnöw¡AÖ€¢ñ&:z¯‡
øÁCû䊈†Ì]ø®Žvs•PâEe hCZ±ŽµA±¥ˆ¦Ž>œ–§Ùo”]sd†QBÙwŠPbW ³ãêÕÔÜ"õö)p‰Dô´ J$`NÔuƒ OXˆR/‰Z’×õ("ΘذiOr7Ÿ…2¸‰£.ójIÐŒ‘µIÈEb¿¶S…ëôû!æ8èLL¿¸HÈ~l©¸j4Eà{Ú‰¼ñg™õçN­,áá§A‡À‚Õ9¨w»ÃoÊBµB×OÁ„&Lq&ÑÝ ÍĽÅMæ'îe2¹cÂçcñ ,G›m”¼ã+
W#‡¶ÉÒ3ƒÃ´    Unknown version.
   codepage settings are ignored.
 
 
 
Symbols from %s:
 
 
 
Symbols from %s[%s]:
 
 
 
Undefined symbols from %s:
 
 
 
Undefined symbols from %s[%s]:
 
 
      [Requesting program interpreter: %s]
    Address            Length
 
    Address    Length
 
    Offset    Name
 
   Link flags  : 0x%016
  Start of program headers:          
 Line Number Statements:
 
 Opcodes:
 
 Section to Segment mapping:
 
 The Directory Table is empty.
 
 The Directory Table:
 
 The File Name Table is empty.
 
 The File Name Table:
 
 The following switches are optional:
 
%s:     file format %s
 
%sgroup section [%5u] `%s' [%s] contains %u sections:
 
'%s' relocation section at offset 0x%lx contains %ld bytes:
 
Address table:
 
Archive index:
 
Assembly dump of section %s
 
CU table:
 
Can't get contents for section '%s'.
 
Could not find unwind info section for 
Disassembly of section %s:
 
Dynamic info segment at offset 0x%lx contains %d entries:
 
Dynamic section at offset 0x%lx contains %u entries:
 
Dynamic symbol information is not available for displaying symbols.
 
Elf file type is %s
 
File: %s
 
Hex dump of section '%s':
 
Histogram for `.gnu.hash' bucket list length (total of %lu buckets):
 
Histogram for bucket list length (total of %lu buckets):
 
Image fixups for needed library #%d: %s - ident: %lx
 
Image relocs
 
Library list section '%s' contains %lu entries:
 
No version information found in this file.
 
Notes at offset 0x%08lx with length 0x%08lx:
 
Options supported for -P/--private switch:
 
PLT GOT:
 
 
Primary GOT:
 
Program Headers:
 
Relocation section 
Section '%s' contains %d entries:
 
Section '%s' has no data to dump.
 
Section '%s' has no debugging data.
 
Section '.conflict' contains %lu entries:
 
Section '.liblist' contains %lu entries:
 
Section Header:
 
Section Headers:
 
String dump of section '%s':
 
Symbol table '%s' contains %lu entries:
 
Symbol table '%s' has a sh_entsize of zero!
 
Symbol table for image:
 
Symbol table of `.gnu.hash' for image:
 
Symbol table:
 
TU table:
 
The %s section is empty.
 
There are %d program headers, starting at offset 
There are no dynamic relocations in this file.
 
There are no program headers in this file.
 
There are no relocations in this file.
 
There are no section groups in this file.
 
There are no sections in this file.
 
There are no sections to group in this file.
 
There are no unwind sections in this file.
 
There is no dynamic section in this file.
 
Unwind section 
Unwind table index '%s' at offset 0x%lx contains %lu entries:
 
Version definition section '%s' contains %u entries:
 
Version needs section '%s' contains %u entries:
 
Version symbols section '%s' contains %d entries:
 
start address 0x                 FileSiz            MemSiz              Flags  Align
            Flags: %08x         possible <machine>: arm[_interwork], i386, mcore[-elf]{-le|-be}, ppc, thumb
       %s -M [<mri-script]
       Flags
       Size              EntSize          Flags  Link  Info  Align
       Size              EntSize          Info              Align
       Type              Address          Offset            Link
       Type            Addr     Off    Size   ES   Lk Inf Al
       Type            Address          Off    Size   ES   Lk Inf Al
      --add-stdcall-underscore Add underscores to stdcall symbols in interface library.
      --dwarf-depth=N        Do not display DIEs at depth N or greater
      --dwarf-start=N        Display DIEs starting with N, at the same depth
                             or deeper
 
      --exclude-symbols <list> Don't export <list>
      --export-all-symbols   Export all symbols to .def
      --identify-strict      Causes --identify to report error when multiple DLLs.
      --leading-underscore   All symbols should be prefixed by an underscore.
      --no-default-excludes  Clear default exclude symbols
      --no-export-all-symbols  Only export listed symbols
      --no-leading-underscore All symbols shouldn't be prefixed by an underscore.
      --plugin NAME      Load the specified plugin
      --use-nul-prefixed-import-tables Use zero prefixed idata$4 and idata$5.
     # value     sc IFEW ty class file  pa name
     --yydebug                 Turn on parser debugging
     Library              Time Stamp          Checksum   Version Flags     Library              Time Stamp          Checksum   Version Flags
     [Reserved]     [unsupported opcode]     finish     sp = sp + %d    Arguments: %s
    Build ID:     Creation date  : %.17s
    Global symbol table name: %s
    Image id: %s
    Image name: %s
    Invalid size
    Last patch date: %.17s
    Linker id: %s
    Location:     Module name    : %s
    Module version : %s
    Name: %s
    OS: %s, ABI: %ld.%ld.%ld
    Offset             Info             Type               Symbol's Value  Symbol's Name
    Offset             Info             Type               Symbol's Value  Symbol's Name + Addend
    Offset   Begin    End
    Offset   Begin    End      Expression
    Provider: %s
   --add-indirect         Add dll indirects to export file.
   --add-stdcall-alias    Add aliases without @<n>
   --as <name>            Use <name> for assembler
   --base-file <basefile> Read linker generated base file
   --def <deffile>        Name input .def file
   --dllname <name>       Name of input dll to put into output lib.
   --dlltool-name <dlltool> Defaults to "dlltool"
   --driver-flags <flags> Override default ld flags
   --driver-name <driver> Defaults to "gcc"
   --dry-run              Show what needs to be run
   --entry <entry>        Specify alternate DLL entry point
   --exclude-symbols <list> Exclude <list> from .def
   --export-all-symbols     Export all symbols to .def
   --image-base <base>    Specify image base address
   --implib <outname>     Synonym for --output-lib
   --leading-underscore     Entrypoint with underscore.
   --machine <machine>
   --mno-cygwin           Create Mingw DLL
   --no-default-excludes    Zap default exclude symbols
   --no-export-all-symbols  Only export .drectve symbols
   --no-idata4           Don't generate idata$4 section
   --no-idata5           Don't generate idata$5 section
   --no-leading-underscore  Entrypoint without underscore
   --nodelete             Keep temp files.
   --output-def <deffile> Name output .def file
   --output-exp <outname> Generate export file.
   --output-lib <outname> Generate input library.
   --quiet, -q            Work quietly
   --target <machine>     i386-cygwin32 or i386-mingw32
   --verbose, -v          Verbose
   --version              Print dllwrap version
   -A --add-stdcall-alias    Add aliases without @<n>.
   -C --compat-implib        Create backward compatible import library.
   -D --dllname <name>       Name of input dll to put into interface lib.
   -F --linker-flags <flags> Pass <flags> to the linker.
   -I --identify <implib>    Report the name of the DLL associated with <implib>.
   -L --linker <name>        Use <name> as the linker.
   -M --mcore-elf <outname>  Process mcore-elf object files into <outname>.
   -S --as <name>            Use <name> for assembler.
   -U                     Add underscores to .lib
   -U --add-underscore       Add underscores to all symbols in interface library.
   -V --version              Display the program version.
   -a --add-indirect         Add dll indirects to export file.
   -b --base-file <basefile> Read linker generated base file.
   -c --no-idata5            Don't generate idata$5 section.
   -d --input-def <deffile>  Name of .def file to be read in.
   -e --output-exp <outname> Generate an export file.
   -f --as-flags <flags>     Pass <flags> to the assembler.
   -h --help                 Display this information.
   -k                     Kill @<n> from exported names
   -k --kill-at              Kill @<n> from exported names.
   -l --output-lib <outname> Generate an interface library.
   -m --machine <machine>    Create as DLL for <machine>.  [default: %s]
   -n --no-delete            Keep temp files (repeat for extra preservation).
   -p --ext-prefix-alias <prefix> Add aliases with <prefix>.
   -t --temp-prefix <prefix> Use <prefix> to construct temp file names.
   -v --verbose              Be verbose.
   -x --no-idata4            Don't generate idata$4 section.
   -y --output-delaylib <outname> Create a delay-import library.
   -z --output-def <deffile> Name of .def file to be created.
   0 (*local*)       1 (*global*)      @<file>                   Read options from <file>.
   @<file>                Read options from <file>
   Abbrev Offset: %s
   FP mode: 0x%016   Header flags: 0x%08x
   Image id    : %s
   Language: %s
   Length:        0x%s (%s)
   Link time:    Major id: %u,  minor id: %u
   Manip date  :    Num:    Value          Size Type    Bind   Vis      Ndx Name
   Num:    Value  Size Type    Bind   Vis      Ndx Name
   Patch time:    Pointer Size:  %d
   Signature:        Type Offset:   0x%s
   Version:       %d
   [Index]    Name
  # sc         value    section  type aux name/off
  %#06x:   Name index: %lx  %#06x:   Name: %s  %#06x: Parent %d, name index: %ld
  %#06x: Parent %d: %s
  %#06x: Rev: %d  Flags: %s  %#06x: Version: %d  %*s %*s Purpose
  %*s %10s %*s Purpose
  %-20s %10s    Description
  %02x     %02x   %08x %3u %c%c %2u   %4u %08x %3u   (Starting at file offset: 0x%lx)  (Unknown inline attribute value: %s)  --dwarf-depth=N        Do not display DIEs at depth N or greater
  --dwarf-start=N        Display DIEs starting with N, at the same depth
                         or deeper
  --input-mach <machine>      Set input machine type to <machine>
  --output-mach <machine>     Set output machine type to <machine>
  --input-type <type>         Set input file type to <type>
  --output-type <type>        Set output file type to <type>
  --input-osabi <osabi>       Set input OSABI to <osabi>
  --output-osabi <osabi>      Set output OSABI to <osabi>
  -h --help                   Display this information
  -v --version                Display the version number of %s
  --plugin <name>              Load the specified plugin
  --plugin <p> - load the specified plugin
  --target=BFDNAME - specify the target object format as BFDNAME
  -H --help                    Print this help message
  -v --verbose                 Verbose - tells you what it's doing
  -V --version                 Print version information
  -I --histogram         Display histogram of bucket list lengths
  -W --wide              Allow output width to exceed 80 characters
  @<file>                Read options from <file>
  -H --help              Display this information
  -v --version           Display the version number of readelf
  -I --input-target <bfdname>      Assume input file is in format <bfdname>
  -O --output-target <bfdname>     Create an output file in format <bfdname>
  -B --binary-architecture <arch>  Set output arch, when input is arch-less
  -F --target <bfdname>            Set both input and output format to <bfdname>
     --debugging                   Convert debugging information, if possible
  -p --preserve-dates              Copy modified/access timestamps to the output
  -j --only-section <name>         Only copy section <name> into the output
     --add-gnu-debuglink=<file>    Add section .gnu_debuglink linking to <file>
  -R --remove-section <name>       Remove section <name> from the output
  -S --strip-all                   Remove all symbol and relocation information
  -g --strip-debug                 Remove all debugging symbols & sections
     --strip-unneeded              Remove all symbols not needed by relocations
  -N --strip-symbol <name>         Do not copy symbol <name>
     --strip-unneeded-symbol <name>
                                   Do not copy symbol <name> unless needed by
                                     relocations
     --only-keep-debug             Strip everything but the debug information
     --extract-symbol              Remove section contents but keep symbols
  -K --keep-symbol <name>          Do not strip symbol <name>
     --keep-file-symbols           Do not strip file symbol(s)
     --localize-hidden             Turn all ELF hidden symbols into locals
  -L --localize-symbol <name>      Force symbol <name> to be marked as a local
     --globalize-symbol <name>     Force symbol <name> to be marked as a global
  -G --keep-global-symbol <name>   Localize all symbols except <name>
  -W --weaken-symbol <name>        Force symbol <name> to be marked as a weak
     --weaken                      Force all global symbols to be marked as weak
  -w --wildcard                    Permit wildcard in symbol comparison
  -x --discard-all                 Remove all non-global symbols
  -X --discard-locals              Remove any compiler-generated symbols
  -i --interleave [<number>]       Only copy N out of every <number> bytes
     --interleave-width <number>   Set N for --interleave
  -b --byte <num>                  Select byte <num> in every interleaved block
     --gap-fill <val>              Fill gaps between sections with <val>
     --pad-to <addr>               Pad the last section up to address <addr>
     --set-start <addr>            Set the start address to <addr>
    {--change-start|--adjust-start} <incr>
                                   Add <incr> to the start address
    {--change-addresses|--adjust-vma} <incr>
                                   Add <incr> to LMA, VMA and start addresses
    {--change-section-address|--adjust-section-vma} <name>{=|+|-}<val>
                                   Change LMA and VMA of section <name> by <val>
     --change-section-lma <name>{=|+|-}<val>
                                   Change the LMA of section <name> by <val>
     --change-section-vma <name>{=|+|-}<val>
                                   Change the VMA of section <name> by <val>
    {--[no-]change-warnings|--[no-]adjust-warnings}
                                   Warn if a named section does not exist
     --set-section-flags <name>=<flags>
                                   Set section <name>'s properties to <flags>
     --add-section <name>=<file>   Add section <name> found in <file> to output
     --rename-section <old>=<new>[,<flags>] Rename section <old> to <new>
     --long-section-names {enable|disable|keep}
                                   Handle long section names in Coff objects.
     --change-leading-char         Force output format's leading character style
     --remove-leading-char         Remove leading character from global symbols
     --reverse-bytes=<num>         Reverse <num> bytes at a time, in output sections with content
     --redefine-sym <old>=<new>    Redefine symbol name <old> to <new>
     --redefine-syms <file>        --redefine-sym for all symbol pairs 
                                     listed in <file>
     --srec-len <number>           Restrict the length of generated Srecords
     --srec-forceS3                Restrict the type of generated Srecords to S3
     --strip-symbols <file>        -N for all symbols listed in <file>
     --strip-unneeded-symbols <file>
                                   --strip-unneeded-symbol for all symbols listed
                                     in <file>
     --keep-symbols <file>         -K for all symbols listed in <file>
     --localize-symbols <file>     -L for all symbols listed in <file>
     --globalize-symbols <file>    --globalize-symbol for all in <file>
     --keep-global-symbols <file>  -G for all symbols listed in <file>
     --weaken-symbols <file>       -W for all symbols listed in <file>
     --alt-machine-code <index>    Use the target's <index>'th alternative machine
     --writable-text               Mark the output text as writable
     --readonly-text               Make the output text write protected
     --pure                        Mark the output file as demand paged
     --impure                      Mark the output file as impure
     --prefix-symbols <prefix>     Add <prefix> to start of every symbol name
     --prefix-sections <prefix>    Add <prefix> to start of every section name
     --prefix-alloc-sections <prefix>
                                   Add <prefix> to start of every allocatable
                                     section name
     --file-alignment <num>        Set PE file alignment to <num>
     --heap <reserve>[,<commit>]   Set PE reserve/commit heap to <reserve>/
                                   <commit>
     --image-base <address>        Set PE image base to <address>
     --section-alignment <num>     Set PE section alignment to <num>
     --stack <reserve>[,<commit>]  Set PE reserve/commit stack to <reserve>/
                                   <commit>
     --subsystem <name>[:<version>]
                                   Set PE subsystem to <name> [& <version>]
     --compress-debug-sections     Compress DWARF debug sections using zlib
     --decompress-debug-sections   Decompress DWARF debug sections using zlib
  -v --verbose                     List all object files modified
  @<file>                          Read options from <file>
  -V --version                     Display this program's version number
  -h --help                        Display this output
     --info                        List object formats & architectures supported
  -I --input-target=<bfdname>      Assume input file is in format <bfdname>
  -O --output-target=<bfdname>     Create an output file in format <bfdname>
  -F --target=<bfdname>            Set both input and output format to <bfdname>
  -p --preserve-dates              Copy modified/access timestamps to the output
  -R --remove-section=<name>       Remove section <name> from the output
  -s --strip-all                   Remove all symbol and relocation information
  -g -S -d --strip-debug           Remove all debugging symbols & sections
     --strip-unneeded              Remove all symbols not needed by relocations
     --only-keep-debug             Strip everything but the debug information
  -N --strip-symbol=<name>         Do not copy symbol <name>
  -K --keep-symbol=<name>          Do not strip symbol <name>
     --keep-file-symbols           Do not strip file symbol(s)
  -w --wildcard                    Permit wildcard in symbol comparison
  -x --discard-all                 Remove all non-global symbols
  -X --discard-locals              Remove any compiler-generated symbols
  -v --verbose                     List all object files modified
  -V --version                     Display this program's version number
  -h --help                        Display this output
     --info                        List object formats & architectures supported
  -o <file>                        Place stripped output into <file>
  -S, --print-size       Print size of defined symbols
  -s, --print-armap      Include index for symbols from archive members
      --size-sort        Sort symbols by size
      --special-syms     Include special symbols in the output
      --synthetic        Display synthetic symbols as well
  -t, --radix=RADIX      Use RADIX for printing symbol values
      --target=BFDNAME   Specify the target object format as BFDNAME
  -u, --undefined-only   Display only undefined symbols
  -X 32_64               (ignored)
  @FILE                  Read options from FILE
  -h, --help             Display this information
  -V, --version          Display this program's version number
 
  -a, --archive-headers    Display archive header information
  -f, --file-headers       Display the contents of the overall file header
  -p, --private-headers    Display object format specific file header contents
  -P, --private=OPT,OPT... Display object format specific contents
  -h, --[section-]headers  Display the contents of the section headers
  -x, --all-headers        Display the contents of all headers
  -d, --disassemble        Display assembler contents of executable sections
  -D, --disassemble-all    Display assembler contents of all sections
  -S, --source             Intermix source code with disassembly
  -s, --full-contents      Display the full contents of all sections requested
  -g, --debugging          Display debug information in object file
  -e, --debugging-tags     Display debug information using ctags style
  -G, --stabs              Display (in raw form) any STABS info in the file
  -W[lLiaprmfFsoRt] or
  --dwarf[=rawline,=decodedline,=info,=abbrev,=pubnames,=aranges,=macro,=frames,
          =frames-interp,=str,=loc,=Ranges,=pubtypes,
          =gdb_index,=trace_info,=trace_abbrev,=trace_aranges]
                           Display DWARF info in the file
  -t, --syms               Display the contents of the symbol table(s)
  -T, --dynamic-syms       Display the contents of the dynamic symbol table
  -r, --reloc              Display the relocation entries in the file
  -R, --dynamic-reloc      Display the dynamic relocation entries in the file
  @<file>                  Read options from <file>
  -v, --version            Display this program's version number
  -i, --info               List object formats and architectures supported
  -H, --help               Display this information
  -b, --target=BFDNAME           Specify the target object format as BFDNAME
  -m, --architecture=MACHINE     Specify the target architecture as MACHINE
  -j, --section=NAME             Only display information for section NAME
  -M, --disassembler-options=OPT Pass text OPT on to the disassembler
  -EB --endian=big               Assume big endian format when disassembling
  -EL --endian=little            Assume little endian format when disassembling
      --file-start-context       Include context from start of file (with -S)
  -I, --include=DIR              Add DIR to search list for source files
  -l, --line-numbers             Include line numbers and filenames in output
  -F, --file-offsets             Include file offsets when displaying information
  -C, --demangle[=STYLE]         Decode mangled/processed symbol names
                                  The STYLE, if specified, can be `auto', `gnu',
                                  `lucid', `arm', `hp', `edg', `gnu-v3', `java'
                                  or `gnat'
  -w, --wide                     Format output for more than 80 columns
  -z, --disassemble-zeroes       Do not skip blocks of zeroes when disassembling
      --start-address=ADDR       Only process data whose address is >= ADDR
      --stop-address=ADDR        Only process data whose address is <= ADDR
      --prefix-addresses         Print complete address alongside disassembly
      --[no-]show-raw-insn       Display hex alongside symbolic disassembly
      --insn-width=WIDTH         Display WIDTH bytes on a single line for -d
      --adjust-vma=OFFSET        Add OFFSET to all displayed section addresses
      --special-syms             Include special symbols in symbol dumps
      --prefix=PREFIX            Add PREFIX to absolute paths for -S
      --prefix-strip=LEVEL       Strip initial directory names for -S
  -i --instruction-dump=<number|name>
                         Disassemble the contents of section <number|name>
  -r                           Ignored for compatibility with rc
  @<file>                      Read options from <file>
  -h --help                    Print this help message
  -V --version                 Print version information
  -t                           Update the archive's symbol map timestamp
  -h --help                    Print this help message
  -v --version                 Print version information
  0x%02x   @<file>      - read options from <file>
  ABI Version:                       %d
  Addr: 0x  Advance Line by %s to %d
  Advance PC by %s to 0x%s
  Advance PC by %s to 0x%s[%d]
  Advance PC by constant %s to 0x%s
  Advance PC by constant %s to 0x%s[%d]
  Advance PC by fixed size amount %s to 0x%s
  CTL[%u]: %08x
  Class:                             %s
  Cnt: %d
  Compact model %d
  Compilation Unit @ offset 0x%s:
  Copy
  DWARF Version:               %d
  DW_CFA_??? (User defined call frame op: %#x)
  Data:                              %s
  Entry    Dir    Time    Size    Name
  Entry point address:                 Extended opcode %d:   File: %lx  File: %s  Flags  Flags:                             0x%lx%s
  Flags: %s  Version: %d
  Generic options:
  Index: %d  Cnt: %d    Initial value of 'is_stmt':  %d
  Length:                              %ld
  Length:                      %ld
  Length:                   %ld
  Line Base:                   %d
  Line Range:                  %d
  Machine:                           %s
  Magic:     Maximum Ops per Instruction: %d
  Minimum Instruction Length:  %d
  No aux header
  No emulation specific options
  No section header
  No strings found in this section.  Note: This section has relocations against it, but these have NOT been applied to this dump.
  Num Buc:    Value          Size   Type   Bind Vis      Ndx Name
  Num Buc:    Value  Size   Type   Bind Vis      Ndx Name
  Num:    Index       Value  Name  Number TAG
  Number of program headers:         %ld  Number of section headers:         %ld  OS/ABI:                            %s
  Offset          Info           Type           Sym. Value    Sym. Name
  Offset          Info           Type           Sym. Value    Sym. Name + Addend
  Offset into .debug_info section:     0x%lx
  Offset into .debug_info:  0x%lx
  Offset:                      0x%lx
  Offset: %#08lx  Link: %u (%s)
  Opcode %d has %d args
  Opcode Base:                 %d
  Options for %s:
  Options passed to DLLTOOL:
  Personality routine:   Pointer Size:             %d
  Prologue Length:             %d
  Registers restored:   Rest are passed unmodified to the language driver
  Restore stack from frame pointer
  Return register: %s
  Section header string table index: %ld  Segment Sections...
  Segment Size:             %d
  Set File Name to entry %s in the File Name Table
  Set ISA to %lu
  Set ISA to %s
  Set basic block
  Set column to %s
  Set epilogue_begin to true
  Set is_stmt to %s
  Set prologue_end to true
  Size of area in .debug_info section: %ld
  Size of program headers:           %ld (bytes)
  Size of section headers:           %ld (bytes)
  Size of this header:               %ld (bytes)
  Special opcode %d: advance Address by %s to 0x%s  Special opcode %d: advance Address by %s to 0x%s[%d]  Stack increment %d
  Tag        Type                         Name/Value
  Type           Offset             VirtAddr           PhysAddr
  Type           Offset   VirtAddr           PhysAddr           FileSiz  MemSiz   Flg Align
  Type           Offset   VirtAddr   PhysAddr   FileSiz MemSiz  Flg Align
  Type:                              %s
  Unhandled magic
  Unknown opcode %d with operands:   Unknown section contexts
  Version def aux past end of section
  Version definition past end of section
  Version need aux past end of section
  Version need past end of section
  Version:                             %d
  Version:                           %d %s
  Version:                           0x%lx
  Version:                  %d
  [-X32]       - ignores 64 bit objects
  [-X32_64]    - accepts 32 and 64 bit objects
  [-X64]       - ignores 32 bit objects
  [-g]         - 32 bit small archive
  [D]          - use zero for timestamps and uids/gids
  [N]          - use instance [count] of name
  [Nr] Name
  [Nr] Name              Type             Address           Offset
  [Nr] Name              Type            Addr     Off    Size   ES Flg Lk Inf Al
  [Nr] Name              Type            Address          Off    Size   ES Flg Lk Inf Al
  [P]          - use full path names when matching
  [S]          - do not build a symbol table
  [T]          - make a thin archive
  [Truncated data]
  [V]          - display the version number
  [a]          - put file(s) after [member-name]
  [b]          - put file(s) before [member-name] (same as [i])
  [c]          - do not warn if the library had to be created
  [f]          - truncate inserted file names
  [o]          - preserve original dates
  [s]          - create an archive index (cf. ranlib)
  [u]          - only replace files that are newer than current archive contents
  [v]          - be verbose
  d            - delete file(s) from the archive
  define new File Table entry
  exptr: %08x fsize: %08x lnnoptr: %08x endndx: %u
  flags:         0x%04x   import file off:   %u
  import strtab len: %u
  lnno: %u
  m[ab]        - move file(s) in the archive
  magic:         0x%04x (0%04o)    nbr import files:  %u
  nbr relocs:        %u
  nbr sections:  %d
  nbr symbols:       %u
  nbr symbols:   %d
  o_algndata:      %u
  o_algntext:      %u
  o_cputype:       0x%04x
  o_data_start:    0x%08x
  o_debugger:      0x%08x
  o_dsize:         0x%08x
  o_entry:         0x%08x
  o_maxdata:       0x%08x
  o_maxstack:      0x%08x
  o_mflag (magic): 0x%04x 0%04o
  o_modtype:       0x%04x  o_snbss:         0x%04x
  o_sndata:        0x%04x
  o_snentry:       0x%04x
  o_snloader:      0x%04x
  o_sntext:        0x%04x
  o_sntoc:         0x%04x
  o_text_start:    0x%08x
  o_toc:           0x%08x
  o_tsize:         0x%08x
  o_vstamp:        0x%04x
  opt hdr sz:    %d
  p            - print file(s) found in the archive
  q[f]         - quick append file(s) to the archive
  r[ab][f][u]  - replace existing or insert new file(s) into the archive
  s            - act as ranlib
  scnlen: %08x  scnlen: %08x  nreloc: %-6u
  scnlen: %08x  nreloc: %-6u  nlinno: %-6u
  scnsym: %-8u  string table len:  %u
  string table off:  %u
  symbols off:   0x%08x
  t            - display contents of archive
  time and date: 0x%08x  -   vaddr    sec    sz typ   sym
  version:           %u
  x[o]         - extract file(s) from the archive
 # Name     paddr    vaddr    size     scnptr   relptr   lnnoptr  nrel  nlnno
 %-6u  %3u %3u  %s %s byte block:  (File Offset: 0x%lx) (bytes into file)
 (bytes into file)
  Start of section headers:           (bytes)
 (end of tags at %08x)
 (indirect string, offset: 0x%s): %s (inlined by)  (no strings):
 (start == end) (start > end) (strings size: %08x):
 <%d><%lx>: ...
 <%d><%lx>: Abbrev Number: %lu <corrupt: %14ld> <corrupt: out of range> Addr:  Addr: 0x At least one of the following switches must be given:
 Canonical gp value:  Convert addresses into line number/file name pairs.
 Convert an object file into a NetWare Loadable Module
 Copies a binary file, possibly transforming it in the process
 DW_MACINFO_define - lineno : %d macro : %s
 DW_MACINFO_end_file
 DW_MACINFO_start_file - lineno: %d filenum: %d
 DW_MACINFO_undef - lineno : %d macro : %s
 DW_MACINFO_vendor_ext - constant : %d string : %s
 Display information about the contents of ELF format files
 Display information from object <file(s)>.
 Display printable strings in [file(s)] (stdin by default)
 Displays the sizes of sections inside binary files
 Entries:
 Generate an index to speed access to archives
 Global entries:
 If no addresses are specified on the command line, they will be read from stdin
 If no input file(s) are specified, a.out is assumed
 Lazy resolver
 Length  Number     %% of total  Coverage
 List symbols in [file(s)] (a.out by default).
 Local entries:
 Module pointer
 Module pointer (GNU extension)
 NONE NOTE: This section has relocations against it, but these have NOT been applied to this dump.
 Name (len: %u):  None
 Num: Name                           BoundTo     Flags
 Offset     Info    Type                Sym. Value  Symbol's Name
 Offset     Info    Type                Sym. Value  Symbol's Name + Addend
 Offset     Info    Type            Sym.Value  Sym. Name
 Offset     Info    Type            Sym.Value  Sym. Name + Addend
 Options are:
  -a --all               Equivalent to: -h -l -S -s -r -d -V -A -I
  -h --file-header       Display the ELF file header
  -l --program-headers   Display the program headers
     --segments          An alias for --program-headers
  -S --section-headers   Display the sections' header
     --sections          An alias for --section-headers
  -g --section-groups    Display the section groups
  -t --section-details   Display the section details
  -e --headers           Equivalent to: -h -l -S
  -s --syms              Display the symbol table
     --symbols           An alias for --syms
  --dyn-syms             Display the dynamic symbol table
  -n --notes             Display the core notes (if present)
  -r --relocs            Display the relocations (if present)
  -u --unwind            Display the unwind info (if present)
  -d --dynamic           Display the dynamic section (if present)
  -V --version-info      Display the version sections (if present)
  -A --arch-specific     Display architecture specific information (if any).
  -c --archive-index     Display the symbol/file index in an archive
  -D --use-dynamic       Use the dynamic section info when displaying symbols
  -x --hex-dump=<number|name>
                         Dump the contents of section <number|name> as bytes
  -p --string-dump=<number|name>
                         Dump the contents of section <number|name> as strings
  -R --relocated-dump=<number|name>
                         Dump the contents of section <number|name> as relocated bytes
  -w[lLiaprmfFsoRt] or
  --debug-dump[=rawline,=decodedline,=info,=abbrev,=pubnames,=aranges,=macro,=frames,
               =frames-interp,=str,=loc,=Ranges,=pubtypes,
               =gdb_index,=trace_info,=trace_abbrev,=trace_aranges]
                         Display the contents of DWARF2 debug sections
 PLT lazy resolver
 Print a human readable interpretation of a COFF object file
 Removes symbols and sections from files
 Reserved entries:
 The options are:
 The options are:
  -A|-B     --format={sysv|berkeley}  Select output style (default is %s)
  -o|-d|-x  --radix={8|10|16}         Display numbers in octal, decimal or hex
  -t        --totals                  Display the total sizes (Berkeley only)
            --common                  Display total size for *COM* syms
            --target=<bfdname>        Set the binary file format
            @<file>                   Read options from <file>
  -h        --help                    Display this information
  -v        --version                 Display the program's version
 
 The options are:
  -I --input-target=<bfdname>   Set the input binary file format
  -O --output-target=<bfdname>  Set the output binary file format
  -T --header-file=<file>       Read <file> for NLM header information
  -l --linker=<linker>          Use <linker> for any linking
  -d --debug                    Display on stderr the linker command line
  @<file>                       Read options from <file>.
  -h --help                     Display this information
  -v --version                  Display the program's version
 The options are:
  -a - --all                Scan the entire file, not just the data section
  -f --print-file-name      Print the name of the file before each string
  -n --bytes=[number]       Locate & print any NUL-terminated sequence of at
  -<number>                   least [number] characters (default 4).
  -t --radix={o,d,x}        Print the location of the string in base 8, 10 or 16
  -o                        An alias for --radix=o
  -T --target=<BFDNAME>     Specify the binary file format
  -e --encoding={s,S,b,l,B,L} Select character size and endianness:
                            s = 7-bit, S = 8-bit, {b,l} = 16-bit, {B,L} = 32-bit
  @<file>                   Read options from <file>
  -h --help                 Display this information
  -v -V --version           Print the program's version number
 The options are:
  -a --ascii_in                Read input file as ASCII file
  -A --ascii_out               Write binary messages as ASCII
  -b --binprefix               .bin filename is prefixed by .mc filename_ for uniqueness.
  -c --customflag              Set custom flags for messages
  -C --codepage_in=<val>       Set codepage when reading mc text file
  -d --decimal_values          Print values to text files decimal
  -e --extension=<extension>   Set header extension used on export header file
  -F --target <target>         Specify output target for endianness.
  -h --headerdir=<directory>   Set the export directory for headers
  -u --unicode_in              Read input file as UTF16 file
  -U --unicode_out             Write binary messages as UFT16
  -m --maxlength=<val>         Set the maximal allowed message length
  -n --nullterminate           Automatic add a zero termination to strings
  -o --hresult_use             Use HRESULT definition instead of status code definition
  -O --codepage_out=<val>      Set codepage used for writing text file
  -r --rcdir=<directory>       Set the export directory for rc files
  -x --xdbg=<directory>        Where to create the .dbg C include file
                               that maps message ID's to their symbolic name.
 The options are:
  -a, --debug-syms       Display debugger-only symbols
  -A, --print-file-name  Print name of the input file before every symbol
  -B                     Same as --format=bsd
  -C, --demangle[=STYLE] Decode low-level symbol names into user-level names
                          The STYLE, if specified, can be `auto' (the default),
                          `gnu', `lucid', `arm', `hp', `edg', `gnu-v3', `java'
                          or `gnat'
      --no-demangle      Do not demangle low-level symbol names
  -D, --dynamic          Display dynamic symbols instead of normal symbols
      --defined-only     Display only defined symbols
  -e                     (ignored)
  -f, --format=FORMAT    Use the output format FORMAT.  FORMAT can be `bsd',
                           `sysv' or `posix'.  The default is `bsd'
  -g, --extern-only      Display only external symbols
  -l, --line-numbers     Use debugging information to find a filename and
                           line number for each symbol
  -n, --numeric-sort     Sort symbols numerically by address
  -o                     Same as -A
  -p, --no-sort          Do not sort the symbols
  -P, --portability      Same as --format=posix
  -r, --reverse-sort     Reverse the sense of the sort
 The options are:
  -h --help        Display this information
  -v --version     Print the program's version number
 The options are:
  -i --input=<file>            Name input file
  -o --output=<file>           Name output file
  -J --input-format=<format>   Specify input format
  -O --output-format=<format>  Specify output format
  -F --target=<target>         Specify COFF target
     --preprocessor=<program>  Program to use to preprocess rc file
     --preprocessor-arg=<arg>  Additional preprocessor argument
  -I --include-dir=<dir>       Include directory when preprocessing rc file
  -D --define <sym>[=<val>]    Define SYM when preprocessing rc file
  -U --undefine <sym>          Undefine SYM when preprocessing rc file
  -v --verbose                 Verbose - tells you what it's doing
  -c --codepage=<codepage>     Specify default codepage
  -l --language=<val>          Set language when reading rc file
     --use-temp-file           Use a temporary file instead of popen to read
                               the preprocessor output
     --no-use-temp-file        Use popen (default)
 The options are:
  -q --quick       (Obsolete - ignored)
  -n --noprescan   Do not perform a scan to convert commons into defs
  -d --debug       Display information about what is being done
  @<file>          Read options from <file>
  -h --help        Display this information
  -v --version     Print the program's version number
 The options are:
  @<file>                      Read options from <file>
 The options are:
  @<file>                Read options from <file>
  -a --addresses         Show addresses
  -b --target=<bfdname>  Set the binary file format
  -e --exe=<executable>  Set the input file name (default is a.out)
  -i --inlines           Unwind inlined functions
  -j --section=<name>    Read section-relative offsets instead of addresses
  -p --pretty-print      Make the output easier to read for humans
  -s --basenames         Strip directory names
  -f --functions         Show function names
  -C --demangle[=style]  Demangle function names
  -h --help              Display this information
  -v --version           Display the program's version
 
 The options are:
  @<file>                Read options from <file>
  -h --help              Display this information
  -v --version           Display the program's version
 
 Truncated .text section
 Unhandled version
 Update the ELF header of ELF files
 [without DW_AT_frame_base] address beyond section size
 alloca reg: %u
 and Line by %s to %d
 at  at offset 0x%lx contains %lu entries:
 bad symbol index: %08lx cl:  command specific modifiers:
 commands:
 emulation options: 
 fixparms: %-3u  floatparms: %-3u  parm_on_stk: %u
 ftype: %02x  generic modifiers:
 h: parm=%08x sn=%04x al: 2**%u hand_mask_offset: 0x%08x
 has_ctl: %u, tocless: %u, fp_pres: %u, log_abort: %u, int_hndl: %u
 name_pres: %u, uses_alloca: %u, cl_dis_inv: %u, saves_cr: %u, saves_lr: %u
 no tags found
 number of CTL anchors: %u
 optional:
 parminfo: 0x%08x
 program interpreter stores_bc: %u, fixup: %u, fpr_saved: %-2u, spare3: %u, gpr_saved: %-2u
 tags at %08x
 tb_offset: 0x%08x (start=0x%08x)
 typ:  type: %lx, namesize: %08lx, descsize: %08lx
 version: %u, lang: %u, global_link: %u, is_eprol: %u, has_tboff: %u, int_proc: %u
#lines %d %08x  %c   %c  %-2u %2d %-8.8s %08x %08x %08x %08x %08x %08x %-5d %-5d
%ld: .bf without preceding function%ld: unexpected .ef
%lu
%s %s%c0x%s never used%s both copied and removed%s exited with status %d%s has no archive index
%s is not a library%s is not a valid archive%s section data%s: %s: address out of bounds%s: Can't open input archive %s
%s: Can't open output archive %s
%s: Error: %s: Failed to read ELF header
%s: Failed to read file header
%s: Failed to read file's magic number
%s: Failed to seek to ELF header
%s: Failed to update ELF header: %s
%s: Matching formats:%s: Multiple redefinition of symbol "%s"%s: Not an ELF file - wrong magic bytes at the start
%s: Path components stripped from image name, '%s'.%s: Symbol "%s" is target of more than one redefinition%s: Unmatched EI_CLASS: %d is not %d
%s: Unmatched EI_OSABI: %d is not %d
%s: Unmatched e_machine: %d is not %d
%s: Unmatched e_type: %d is not %d
%s: Unsupported EI_VERSION: %d is not %d
%s: Warning: %s: bad archive file name
%s: bad number: %s%s: bad version in PE subsystem%s: can't find module file %s
%s: can't open file %s
%s: cannot find section %s%s: cannot get addresses from archive%s: cannot set time: %s%s: did not find a valid archive header
%s: end of the symbol table reached before the end of the index
%s: execution of %s failed: %s: failed to read archive header
%s: failed to read archive header following archive index
%s: failed to read archive index
%s: failed to read archive index symbol table
%s: failed to read long symbol name string table
%s: failed to seek back to start of object files in the archive
%s: failed to seek to archive member
%s: failed to seek to archive member.
%s: failed to seek to first archive header
%s: failed to seek to next archive header
%s: failed to seek to next file name
%s: failed to skip archive symbol table
%s: file %s is not an archive
%s: fread failed%s: fseek to %lu failed: %s%s: invalid commit value for --heap%s: invalid commit value for --stack%s: invalid output format%s: invalid radix%s: invalid reserve value for --heap%s: invalid reserve value for --stack%s: no archive map to update%s: no open archive
%s: no open output archive
%s: no output archive specified yet
%s: no recognized debugging information%s: no resource section%s: no symbols%s: not a dynamic object%s: not enough binary data%s: printing debugging information failed%s: read of %lu returned %lu%s: read: %s%s: supported architectures:%s: supported formats:%s: supported targets:%s: symbols remain in the index symbol table, but without corresponding entries in the index table
%s: the archive has an index but no symbols
%s: the archive index is empty
%s: the archive index is supposed to have %ld entries, but the size in the header is too small
%s: unable to dump the index as none was found
%s: unexpected EOF%s: warning: %s: warning: shared libraries can not have uninitialized data%s: warning: unknown size for field `%s' in struct%s:%d: Ignoring rubbish found on this line%s:%d: garbage found at end of line%s:%d: missing new symbol name%s:%d: premature end of file%u'%s''%s' is not an ordinary file
'%s': No such file'%s': No such file
(%s(DW_OP_GNU_implicit_pointer in frame info)(DW_OP_call_ref in frame info)(ROMAGIC: readonly sharablee text segments)(TOCMAGIC: readonly text segments and TOC)(Unknown location op)(User defined location op)(WRMAGIC: writable text segments)(bad offset: %u)(base address)
(declared as inline and inlined)(declared as inline but ignored)(inlined)(location list)(not inlined)(start == end)(start > end)*invalid*, <unknown>, Base: , Semaphore: , relocatable, relocatable-lib, unknown ABI, unknown CPU, unknown ISA, unknown v850 architecture variant,%s,%s)
.bss.data.debug_info offset of 0x%lx in %s section does not point to a CU header.
.text16-byte
2 bytes
2's complement, big endian2's complement, little endian4 bytes
4-byte
8-byte
8-byte and up to %d-byte extended
8-byte, except leaf SP
:
  No symbols
: duplicate value
: expected to be a directory
: expected to be a leaf
<End of list>
<OS specific>: %d<corrupt string table index: %3ld><corrupt: %14ld><corrupt: %19ld><corrupt: %9ld><corrupt: %ld>
<corrupt><no .debug_str section><no-name><none><offset is too big><other>: %x<processor specific>: %d<string table index: %3ld><unknown addend: %lx><unknown: %lx><unknown: %x><unknown><unknown>: %d<unknown>: %lx<unknown>: %x<unknown>: 0x%x@%08xA codepage was specified switch `%s' and UTF16.
AccessAdded exports to output fileAdding exports to output fileAddressAny
Application
Application or Realtime
Attribute Section: %s
Audit libraryAuxiliary header:
Auxiliary libraryBCD float type not supportedBFD header file version %s
Bad sh_info in group section `%s'
Bad sh_link in group section `%s'
Bad stab: %s
Bare-metal C6000Binary %s contains:
Bogus end-of-siblings marker detected at offset %lx in .debug_info section
C++ base class not definedC++ base class not found in containerC++ data member not found in containerC++ default values not in a functionC++ object has no fieldsC++ reference is not pointerC++ reference not foundC++ static virtual methodCORE (Core file)CU at offset %s contains corrupt or unsupported version number: %d.
CU: %s/%s:
CU: %s:
Can't create .lib file: %s: %sCan't fill gap after sectionCan't have LIBRARY and NAMECan't open .lib file: %s: %sCan't open def file: %sCan't open file %s
Cannot interpret virtual addresses without program headers.
Cannot produce mcore-elf dll from archive file: %sCode addressing position-dependent
Code addressing position-independent
Configuration fileContents of %s section:
 
Contents of section %s:Contents of the %s section:
Contents of the %s section:
 
Convert a COFF object file into a SYSROFF object file
Copyright 2011 Free Software Foundation, Inc.
Corrupt header in group section `%s'
Corrupt header in the %s section.
Corrupt unit length (0x%s) found in section %s
Could not locate '%s'.  System error message: %s
Could not locate .ARM.extab section containing 0x%lx.
Couldn't get demangled builtin type
Created lib fileCreating library file: %sCreating stub file: %sCurrent open archive is %s
DIE at offset %lx refers to abbreviation number %lu which does not exist
DLLTOOL name    : %s
DLLTOOL options : %s
DRIVER name     : %s
DRIVER options  : %s
DSBT addressing not used
DSBT addressing used
DW_FORM_data8 is unsupported when sizeof (dwarf_vma) != 8
DW_FORM_strp offset too big: %s
DYN (Shared object file)Data addressing position-dependent
Data addressing position-independent, GOT far from DP
Data addressing position-independent, GOT near DP
Data sizeDebug info is corrupted, abbrev offset (%lx) is larger than abbrev section size (%lx)
Debug info is corrupted, length of CU at %s extends beyond end of section (length = %s)
Decoded dump of debug contents of section %s:
 
Deleting temporary base file %sDeleting temporary def file %sDeleting temporary exp file %sDemangled name is not a function
Dependency audit libraryDisplaying the debug contents of section %s is not yet supported.
Don't know about relocations on this machine architecture
Done reading %sDuplicate symbol entered into keyword list.Dynamic relocs:
Dynamic symbols:
ELF Header:
ERROR: Bad section length (%d > %d)
ERROR: Bad subsection length (%d > %d)
EXEC (Executable file)End of Sequence
 
Entry point Error, duplicate EXPORT with ordinals: %sException table:
Excluding symbol: %sExecution of %s failedFORMAT is one of rc, res, or coff, and is deduced from the file name
extension if not specified.  A single file name is an input file.
No input-file is stdin, default rc.  No output-file is stdout, default rc.
Failed to determine last chain length
Failed to print demangled template
Failed to read in number of buckets
Failed to read in number of chains
File %s is not an archive so its index cannot be displayed.
File Attributes
File contains multiple dynamic string tables
File contains multiple dynamic symbol tables
File contains multiple symtab shndx tables
File header:
File name                            Line number    Starting address
Filter libraryFlags:For XCOFF files:
  header      Display the file header
  aout        Display the auxiliary header
  sections    Display the section headers
  syms        Display the symbols table
  relocs      Display the relocation entries
  lineno      Display the line number entries
  loader      Display loader section
  except      Display exception table
  typchk      Display type-check section
  traceback   Display traceback tags
  toc         Display toc symbols
Further warnings about bogus end-of-sibling markers suppressed
GOTGenerated exports fileGenerating export file: %sGeneric
Hard float
Hard float (MIPS32r2 64-bit FPU)
Hard float (double precision)
Hard float (single precision)
Hard or soft float
ID directory entryID resourceID subdirectoryIEEE numeric overflow: 0xIEEE string length overflow: %u
IEEE unsupported complex type size %u
IEEE unsupported float type size %u
IEEE unsupported integer type size %u
Idx Name          Size      VMA               LMA               File off  AlgnIdx Name          Size      VMA       LMA       File off  AlgnImport files:
Import library `%s' specifies two or more dllsIn archive %s:
Index of archive %s: (%ld entries, 0x%lx bytes in the symbol table)
InitialInput file '%s' is not readable
Input file '%s' is not readable.
Input file `%s' ignores binary architecture parameter.Interface Version: %s
Internal error: DWARF version is not 2, 3 or 4.
Internal error: Unknown machine type: %dInternal error: failed to create format string to display program interpreter
Invalid maximum operations per insn.
Invalid option '-%c'
Invalid radix: %s
Invalid sh_entsize
Keeping temporary base file %sKeeping temporary def file %sKeeping temporary exp file %sKey to Flags:
  W (write), A (alloc), X (execute), M (merge), S (strings)
  I (info), L (link order), G (group), T (TLS), E (exclude), x (unknown)
  O (extra OS processing required) o (OS specific), p (processor specific)
Key to Flags:
  W (write), A (alloc), X (execute), M (merge), S (strings), l (large)
  I (info), L (link order), G (group), T (TLS), E (exclude), x (unknown)
  O (extra OS processing required) o (OS specific), p (processor specific)
LIBRARY: %s base: %xLast stabs entries before error:
Library rpath: [%s]Library runpath: [%s]Library soname: [%s]Line numbers for %s (%u)
Loader header:
Location list starting at offset 0x%lx is not terminated.
Location lists in %s section start at 0x%s
Machine '%s' not supportedMemory
Microcontroller
Missing knowledge of 32-bit reloc types used in DWARF sections of machine number %d
Multiple renames of section %sMust provide at least one of -o or --dllname optionsNAME: %s base: %xNONE
NONE (None)NT_ARCH (architecture)NT_AUXV (auxiliary vector)NT_FPREGS (floating point registers)NT_FPREGSET (floating point registers)NT_GNU_ABI_TAG (ABI version tag)NT_GNU_BUILD_ID (unique build ID bitstring)NT_GNU_GOLD_VERSION (gold version)NT_GNU_HWCAP (DSO-supplied software HWCAP info)NT_LWPSINFO (lwpsinfo_t structure)NT_LWPSTATUS (lwpstatus_t structure)NT_PPC_VMX (ppc Altivec registers)NT_PPC_VSX (ppc VSX registers)NT_PRPSINFO (prpsinfo structure)NT_PRSTATUS (prstatus structure)NT_PRXFPREG (user_xfpregs structure)NT_PSINFO (psinfo structure)NT_PSTATUS (pstatus structure)NT_S390_CTRS (s390 control registers)NT_S390_HIGH_GPRS (s390 upper register halves)NT_S390_PREFIX (s390 prefix register)NT_S390_TIMER (s390 timer register)NT_S390_TODCMP (s390 TOD comparator register)NT_S390_TODPREG (s390 TOD programmable register)NT_STAPSDT (SystemTap probe descriptors)NT_TASKSTRUCT (task structure)NT_VERSION (version)NT_VMS_EIDC (consistency check)NT_VMS_FPMODE (FP mode)NT_VMS_GSTNAM (sym table name)NT_VMS_IMGBID (build id)NT_VMS_IMGID (image id)NT_VMS_IMGNAM (image name)NT_VMS_LINKID (link id)NT_VMS_LINKTIMENT_VMS_LNM (language name)NT_VMS_MHD (module header)NT_VMS_ORIG_DYNNT_VMS_PATCHTIMENT_VMS_SRC (source files)NT_VMS_TITLENT_WIN32PSTATUS (win32_pstatus structure)NT_X86_XSTATE (x86 XSAVE extended state)N_LBRAC not within function
NameName                  Value           Class        Type         Size             Line  Section
 
Name                  Value   Class        Type         Size     Line  Section
 
Name index: %ld
Name: %s
Nbr entries: %-8u Size: %08x (%u)
NdxNetBSD procinfo structureNo %s section present
 
No comp units in %s section ?No entry %s in archive.
No filename following the -fo option.
No location lists in .debug_info section!
No mangling for "%s"
No member named `%s'
No note segments present in the core file.
No range lists in .debug_info section!
NoneNone
Not an ELF file - it has the wrong magic bytes at the start
Not enough memory for a debug info array of %u entriesNot needed object: [%s]
Not used
Nothing to do.
OS Specific: (%x)Offset %s used as value for DW_AT_import attribute of DIE at offset %lx is too big.
Offset 0x%lx is bigger than .debug_loc section size.
Only -X 32_64 is supportedOnly DWARF 2 and 3 aranges are currently supported.
Only DWARF 2 and 3 pubnames are currently supported
Only DWARF version 2, 3 and 4 line info is currently supported.
Opened temporary file: %sOperating System specific: %lxOption -I is deprecated for setting the input format, please use -J instead.
Out of memory
Out of memory allocating 0x%lx bytes for %s
Out of memory allocating dump request table.
Out of memory reading long symbol names in archive
Out of memory whilst trying to convert the archive symbol index
Out of memory whilst trying to read archive index symbol table
Out of memory whilst trying to read archive symbol index
Output file cannot represent architecture `%s'OwnerPLT GOTPT_FIRSTMACH+%dPT_GETFPREGS (fpreg structure)PT_GETREGS (reg structure)Pascal file name not supportedPath components stripped from dllname, '%s'.Pointer size + Segment size is not a power of two.
Print a human readable interpretation of a SYSROFF object file
Print width has not been initialized (%d)Processed def fileProcessed definitionsProcessing def file: %sProcessing definitionsProcessor Specific: %lxProcessor Specific: (%x)REL (Relocatable file)Range lists in %s section start at 0x%lx
Raw dump of debug contents of section %s:
 
Reading section failedRealtime
Refuse to unwindRelocations for %s (%u)
Report bugs to %s
Report bugs to %s.
Reserved length value (0x%s) found in section %s
Scanning object file %sSection %d has invalid sh_entsize %lx (expected %lx)
Section %d was not dumped because it does not exist!
Section '%s' was not dumped because it does not exist!
Section Attributes:Section headers (at %u+%u=0x%08x to 0x%08x):
Section headers are not available!
Sections:
Seg Offset           Type                             SymVec DataType
Seg Offset   Type                            Addend            Seg Sym Off
Shared library: [%s]Single-precision hard float
Skipping unexpected relocation at offset 0x%lx
Skipping unexpected relocation type %s
Soft float
Standalone AppSucking in info from %s section in %sSupported architectures:Supported targets:Sym.Val.Symbol Attributes:Symbols table (strtable at 0x%08x)Syntax error in def file %s:%dTOC:
The address table data in version 3 may be wrong.
The information in section %s appears to be corrupt - the section is too small
The line info appears to be corrupt - the section is too small
There are %d section headers, starting at offset 0x%lx:
There are %ld unused bytes at the end of section %s
There is a hole [0x%lx - 0x%lx] in %s section.
There is a hole [0x%lx - 0x%lx] in .debug_loc section.
There is an overlap [0x%lx - 0x%lx] in %s section.
There is an overlap [0x%lx - 0x%lx] in .debug_loc section.
This executable has been built without support for a
64 bit data type and so it cannot process 64 bit ELF files.
This instance of readelf has been built without support for a
64 bit data type and so it cannot read 64 bit ELF files.
This program is free software; you may redistribute it under the terms of
the GNU General Public License version 3 or (at your option) any later version.
This program has absolutely no warranty.
Time Stamp: %s
Too many N_RBRACs
Tried `%s'
Tried file: %sTrue
Truncated header in the %s section.
TypeType file number %d out of range
Type index number %d out of range
Type-check section:
UNKNOWN (%*.*lx)UNKNOWN: UNKNOWN: length %d
Unable to change endianness of input file(s)Unable to determine dll name for `%s' (not an import library?)Unable to determine the length of the dynamic string table
Unable to determine the number of symbols to load
Unable to find program interpreter name
Unable to load/parse the .debug_info section, so cannot interpret the %s section.
Unable to locate %s section!
Unable to open base-file: %sUnable to open object file: %s: %sUnable to open temporary assembler file: %sUnable to read in 0x%lx bytes of %s
Unable to read in dynamic data
Unable to read program interpreter name
Unable to recognise the format of fileUnable to recognise the format of the input file `%s'Unable to seek to 0x%lx for %s
Unable to seek to end of file
Unable to seek to end of file!
Unable to seek to start of dynamic information
Undefined N_EXCLUnexpected demangled varargs
Unexpected type in v3 arglist demangling
Unhandled MN10300 reloc type found after SYM_DIFF relocUnhandled data length: %d
Unknown AT value: %lxUnknown FORM value: %lxUnknown OSABI: %s
Unknown TAG value: %lxUnknown format '%c'
Unknown machine type: %d
Unknown machine type: %s
Unknown note type: (0x%08x)Unknown tag: %d
Unknown type: %s
Unrecognized XCOFF type %d
Unrecognized debug option '%s'
Unrecognized debug section: %s
Unrecognized demangle component %d
Unrecognized demangled builtin type
Unrecognized form: %lu
Unsupported EI_CLASS: %d
Unsupported version %lu.
Usage %s <option(s)> <object-file(s)>
Usage: %s <option(s)> <file(s)>
Usage: %s <option(s)> elffile(s)
Usage: %s <option(s)> in-file(s)
Usage: %s [emulation options] [-]{dmpqrstx}[abcDfilMNoPsSTuvV] [--plugin <name>] [member-name] [count] archive-file file...
Usage: %s [emulation options] [-]{dmpqrstx}[abcDfilMNoPsSTuvV] [member-name] [count] archive-file file...
Usage: %s [option(s)] [addr(s)]
Usage: %s [option(s)] [file(s)]
Usage: %s [option(s)] [in-file [out-file]]
Usage: %s [option(s)] [input-file]
Usage: %s [option(s)] [input-file] [output-file]
Usage: %s [option(s)] in-file
Usage: %s [option(s)] in-file [out-file]
Usage: %s [options] archive
Usage: readelf <option(s)> elf-file(s)
Using `%s'
Using file: %sUsing popen to read preprocessor output
Using temporary file `%s' to read preprocessor output
Using the --size-sort and --undefined-only options togetherValue for `N' must be positive.Version %ld
Version 4 does not support case insensitive lookups.
Virtual address 0x%lx not located in any PT_LOAD segment.
Warning, ignoring duplicate EXPORT %s %d,%dWarning, machine type (%d) not supported for delayimport.Warning: %s: %s
Warning: '%s' has negative size, probably it is too largeWarning: '%s' is not an ordinary fileWarning: changing type size from %d to %d
Warning: could not locate '%s'.  reason: %sWarning: ignoring previous --reverse-bytes value of %dWarning: truncating gap-fill from 0x%s to 0x%x[%3u] 0x%lx - 0x%lx
[%3u] 0x%lx 0x%lx [<unknown>: 0x%x] [Spare][Truncated opcode]
[pad][truncated]
`N' is only meaningful with the `x' and `d' options.`u' is not meaningful with the `D' option.`u' is only meaningful with the `r' option.`x' cannot be used on thin archives.acceleratorarchitecture %s unknownarchitecture: %s, attributesbad ATN65 recordbad C++ field bit pos or sizebad dynamic symbol
bad format for %sbad mangled name `%s'
bad misc recordbad register: bad type for C++ method functionbadly formed extended line op encountered!
bfd_coff_get_auxent failed: %sbfd_coff_get_syment failed: %sbfd_open failed open stub file: %s: %sbfd_open failed reopen stub file: %s: %sblocks left on stack at endbyte number must be less than interleavebyte number must be non-negativecan not determine type of file `%s'; use the -J optioncan't add paddingcan't add section '%s'can't create %s file `%s' for output.
can't create debugging sectioncan't create section `%s'can't disassemble for architecture %s
can't execute `%s': %scan't get BFD_RELOC_RVA relocation typecan't open %s `%s': %scan't open `%s' for output: %scan't open temporary file `%s': %scan't popen `%s': %scan't redirect stdout: `%s': %scan't set BFD default target to `%s': %scan't set debugging section contentscan't use supplied machine %scannot create debug link section `%s'cannot create tempdir for archive copying (error: %s)cannot delete %s: %scannot fill debug link section `%s'cannot open '%s': %scannot open input file %scannot open: %s: %scannot read auxhdrcannot read headercannot read line number entrycannot read line numberscannot read relocation entrycannot read relocationscannot read section headercannot read section headerscannot read strings tablecannot read strings table lencannot read symbol aux entrycannot read symbol entrycannot read symbol tablecannot reverse bytes: length of section %s must be evenly divisible by %dconflictconflict list found without a dynamic symbol table
const/volatile indicator missingcontrol data requires DIALOGEXcopy from `%s' [%s] to `%s' [%s]
copy from `%s' [unknown] to `%s' [unknown]
corrupt note found at offset %lx into core notes
could not create temporary file to hold stripped copycould not determine the type of symbol number %ld
couldn't open symbol redefinition file %s (error: %s)creating %scursorcursor file `%s' does not contain cursor datacustom sectiondata entrydata size %lddebug_add_to_current_namespace: no current filedebug_end_block: attempt to close top level blockdebug_end_block: no current blockdebug_end_common_block: not implementeddebug_end_function: no current functiondebug_end_function: some blocks were not closeddebug_find_named_type: no current compilation unitdebug_get_real_type: circular debug information for %s
debug_make_undefined_type: unsupported kinddebug_name_type: no current filedebug_record_function: no debug_set_filename calldebug_record_label: not implementeddebug_record_line: no current unitdebug_record_parameter: no current functiondebug_record_variable: no current filedebug_start_block: no current blockdebug_start_common_block: not implementeddebug_start_source: no debug_set_filename calldebug_tag_type: extra tag attempteddebug_tag_type: no current filedebug_write_type: illegal type encountereddialog controldialog control datadialog control enddialog font point sizedialog headerdialogex controldialogex font informationdirectorydirectory entry namedisassemble_fn returned length %ddon't know how to write debugging information for %sdynamic sectiondynamic section image fixupsdynamic section image relasdynamic string sectiondynamic string tabledynamic stringserror copying private BFD dataerror in private header dataerror: instruction width must be positiveerror: prefix strip must be non-negativeerror: the input file '%s' is emptyerror: the start address should be before the end addresserror: the stop address should be after the start addressexpression stack mismatchexpression stack overflowexpression stack underflowfailed to copy private datafailed to create output sectionfailed to open temporary head file: %sfailed to open temporary head file: %s: %sfailed to open temporary tail file: %sfailed to open temporary tail file: %s: %sfailed to read the number of entries from base filefailed to set alignmentfailed to set sizefailed to set vmafilename required for COFF inputfilename required for COFF outputfixed version infoflag = %d, vendor = %s
flags 0x%08x:
fname: %.14sfontdirfontdir device namefontdir face namefontdir headergroup cursorgroup cursor headergroup icongroup icon headerhas childrenhelp ID requires DIALOGEXhelp sectionicon file `%s' does not contain icon dataignoring the alternative valueillegal type indexillegal variable indexinput and output files must be differentinput file does not seems to be UFT16.
input file named both on command line and with INPUTinterleave must be positiveinterleave start byte must be set with --byteinterleave width must be less than or equal to interleave - byte`interleave width must be positiveinternal error -- this option not implementedinternal stat error on %sinvalid argument to --format: %sinvalid codepage specified.
invalid index into symbol array
invalid integer argument %sinvalid minimum string length %dinvalid numberinvalid option -f
invalid string lengthinvalid value specified for pragma code_page.
lang reason sym/addr
length %d [liblistliblist string tablelineno  symndx/paddr
make .bss sectionmake .nlmsections sectionmake sectionmenu headermenuex headermenuex offsetmenuitemmenuitem headermessage sectionmissing index typemissing required ASNmissing required ATN65module sectionmore than one dynamic segment
named directory entrynamed resourcenamed subdirectoryno .dynamic section in the dynamic segment
no .except section in file
no .loader section in file
no .typchk section in file
no argument types in mangled string
no childrenno entry %s in archive
no entry %s in archive %s!no export definition file provided.
Creating one, but that may not be what you wantno information for symbol number %ld
no input fileno input file specifiedno name for output fileno operation specifiedno resourcesno symbols
no type information for C++ method functionnonenot set
not stripping symbol `%s' because it is named in a relocationnotesnull terminated unicode stringnumber of bytes to reverse must be positive and evennumeric overflowoffset    len  lang-id general-hash language-hash
offset: %08xoption -P/--private not supported by this fileoptionsout of memory parsing relocs
overflow - nreloc: %u, nlnno: %u
overflow when adjusting relocation against %sparse_coff_type: Bad type code 0x%xpop frame {possibly corrupt ELF file header - it has a non-zero section header offset, but no section headers
possibly corrupt ELF header - it has a non-zero program header offset, but no program headerspreprocessing failed.program headersreading %s section of %s failed: %sreference parameter is not a pointerrelocation count is negativerelocsresource IDresource dataresource data sizeresource type unknownrpc sectionsection %u: sh_link value of %u is larger than the number of sections
section '%s' has the NOBITS type - its contents are unreliable.
section '%s' mentioned in a -j option, but not found in any input filesection .loader is too short
section 0 in group section [%5u]
section [%5u] in group section [%5u] > maximum section [%5u]
section [%5u] in group section [%5u] already in group section [%5u]
section contentssection datasection headersset .bss vmaset .data sizeset .nlmsection contentsset .nlmsections sizeset Address to 0x%s
set Discriminator to %s
set section alignmentset section flagsset section sizeset start addresssh_entsize is zero
shared sectionskipping invalid relocation offset 0x%lx in section %s
skipping unexpected symbol type %s in %ld'th relocation in section %s
sorry - this program has been built without plugin support
sp = sp + %ldstab_int_type: bad size %ustack overflowstack underflowstat failed on bitmap file `%s': %sstat failed on file `%s': %sstat failed on font file `%s': %sstat returns negative size for `%s'string tablestring_hash_lookup failed: %sstringtable stringstringtable string lengthstub section sizessubprocess got fatal signal %dsupport not compiled in for %ssupported flags: %ssymbol informationsymbolssymtab shndxtarget specific dump '%s' not supportedthe .dynamic section is not contained within the dynamic segment
the .dynamic section is not the first section in the dynamic segment.
this target does not support %lu alternative machine codestreating that number as an absolute e_machine value insteadtry to add a ill language.two different operation options specifiedunable to apply unsupported reloc type %d to section %s
unable to copy file '%s'; reason: %sunable to open file `%s' for input.
unable to open output file %sunable to parse alternative machine codeunable to read contents of %sunable to rename '%s'; reason: %sundefined C++ objectundefined C++ vtableundefined variable in ATNundefined variable in TYunexpected DIALOGEX version %dunexpected end of debugging informationunexpected fixed version info version %luunexpected fixed version information length %ldunexpected fixed version signature %luunexpected group cursor type %dunexpected group icon type %dunexpected numberunexpected record typeunexpected string in C++ miscunexpected stringfileinfo value length %ldunexpected varfileinfo value length %ldunexpected version stringunexpected version string length %ld != %ld + %ldunexpected version string length %ld < %ldunexpected version stringtable value length %ldunexpected version type %dunexpected version value length %ldunknownunknown ATN typeunknown BB typeunknown C++ encoded nameunknown C++ visibilityunknown PE subsystem: %sunknown TY codeunknown builtin typeunknown demangling style `%s'unknown format type `%s'unknown input EFI target: %sunknown long section names option '%s'unknown macunknown magicunknown output EFI target: %sunknown sectionunknown virtual character for baseclassunknown visibility character for baseclassunknown visibility character for fieldunnamed $vb typeunrecognized --endian type `%s'unrecognized -E optionunrecognized C++ abbreviationunrecognized C++ default typeunrecognized C++ misc recordunrecognized C++ object overhead specunrecognized C++ object specunrecognized C++ reference typeunrecognized cross reference typeunrecognized section flag `%s'unrecognized: %-7lxunresolved PC relative reloc against %sunsupported ATN11unsupported ATN12unsupported C++ object typeunsupported IEEE expression operatorunsupported menu version %dunsupported or unknown Dwarf Call Frame Instruction number: %#x
unsupported qualifierunwind dataunwind infounwind tableuser defined: vaddr    sgn mod sz type  symndx symbol
version dataversion defversion def auxversion definition sectionversion length %d does not match resource length %luversion needversion need aux (2)version need aux (3)version need sectionversion string tableversion symbol dataversion var infoversion varfileinfowait: %swarning: CHECK procedure %s not definedwarning: EXIT procedure %s not definedwarning: FULLMAP is not supported; try ld -Mwarning: No version number givenwarning: START procedure %s not definedwarning: could not create temporary file whilst copying '%s', (error: %s)warning: could not locate '%s'.  System error message: %swarning: file alignment (0x%s) > section alignment (0x%s)warning: input and output formats are not compatiblewarning: optionnal header size too large (> %d)
warning: symbol %s imported but not in import listwill produce no output, since undefined symbols have no size.writing stub| <unknown>Project-Id-Version: binutils-2.21.53
Report-Msgid-Bugs-To: bug-binutils@gnu.org
POT-Creation-Date: 2011-06-02 14:35+0100
PO-Revision-Date: 2012-04-15 00:32+0200
Last-Translator: Sergio Zanchetta <primes2h@ubuntu.com>
Language-Team: Italian <tp@lists.linux.it>
Language: it
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=2; plural= (n != 1)
   Versione sconosciuta.
   le impostazioni della pagina codici vengono ignorate.
 
 
 
Simboli da %s:
 
 
 
Simboli da %s[%s]:
 
 
 
Simboli indefiniti da %s:
 
 
 
Simboli indefiniti da %s[%s]:
 
 
      [Richiesta dell'interprete di programma: %s]
    Indirizzo          Lunghezza
 
    Indirizzo  Lunghezza
 
    Offset    Nome
 
   Flag del link  : 0x%016
  Inizio intestazioni di programma   
 Dichiarazioni dei numeri di riga:
 
 Opcode:
 
 Mappatura da sezione a segmento:
 
 La tabella delle directory Ã¨ vuota.
 
 La tabella delle directory:
 
 La tabella dei nomi file Ã¨ vuota.
 
 La tabella dei nomi file:
 
 Le seguenti opzioni sono facoltative:
 
%s:     formato del file %s
 
%sla sezione di gruppo [%5u] "%s" [%s] contiene %u sezioni:
 
La sezione di rilocazione "%s" all'offset 0x%lx contiene %ld byte:
 
Tabella degli indirizzi:
 
Indice dell'archivio:
 
Dump in assembly della sezione %s
 
Tabella della UC:
 
Impossibile ottenere contenuti per la sezione "%s".
 
Impossibile trovare la sezione con le informazioni di espansione per 
Disassemblamento della sezione %s:
 
Il segmento di informazioni dinamiche all'offset 0x%lx contiene %d voci:
 
La sezione dinamica all'offset 0x%lx contiene %u voci:
 
Le informazioni sui simboli dinamici non sono disponibili per la visualizzazione dei simboli.
 
File elf di tipo %s
 
File: %s
 
Dump esadecimale della sezione "%s":
 
Istogramma per la lunghezza dell'elenco dei bucket ".gnu.hash" (totale di %lu bucket):
 
Istogramma per la lunghezza dell'elenco dei bucket (totale di %lu bucket):
 
Correzioni dell'immagine per la libreria necessaria n° %d: %s - ident: %lx
 
Rilocazioni dell'immagine
 
La sezione dell'elenco di librerie "%s" contiene %lu voci:
 
In questo file non Ã¨ stata trovata alcuna informazione sulla versione.
 
Note all'offset 0x%08lx con lunghezza 0x%08lx:
 
Opzioni supportate per -P/--private:
 
GOT di PLT:
 
 
GOT primario:
 
Intestazioni di programma:
 
La sezione di rilocazione 
La sezione "%s" contiene %d voci:
 
La sezione "%s" non ha dati di cui fare il dump.
 
La sezione "%s" non ha dati di debug.
 
La sezione ".conflict" contiene %lu voci:
 
La sezione ".liblist" contiene %lu voci:
 
Intestazione di sezione:
 
Intestazioni di sezione:
 
Dump delle stringhe della sezione "%s":
 
La tabella dei simboli "%s" contiene %lu voci:
 
La tabella dei simboli "%s" ha un sh_entsize pari a zero.
 
Tabella dei simboli per l'immagine:
 
Tabella dei simboli di ".gnu.hash" per l'immagine:
 
Tabella dei simboli:
 
Tabella della UT:
 
La sezione %s Ã¨ vuota.
 
Ci sono %d intestazioni di programma, iniziando dall'offset 
Non ci sono rilocazioni dinamiche in questo file.
 
Non ci sono intestazioni di programma in questo file.
 
Non ci sono rilocazioni in questo file.
 
Non ci sono gruppi di sezioni in questo file.
 
Non ci sono sezioni in questo file.
 
Non ci sono sezioni da raggruppare in questo file.
 
Non ci sono sezioni di espansione in questo file.
 
Non ci sono sezioni dinamiche in questo file.
 
Sezione di espansione 
L'indice della tabella delle espansioni "%s" alla posizione 0x%lx contiene %lu voci:
 
La sezione "%s" di definizione della versione contiene %u voci:
 
La sezione dei requisiti di versione "%s" contiene %u voci:
 
La sezione "%s" dei simboli di versione contiene %d voci:
 
indirizzo di partenza 0x                 DimFile            DimMem              Flag   Allin
            Flag: %08x         <macchina> può essere: arm[_interwork], i386, mcore[-elf]{-le|-be}, ppc, thumb
       %s -M [<script-mri]
       Flag
       Dimensione        DimEnt           Flag   Link  Info  Allin
       Dimensione        DimEnt           Info              Allin
       Tipo              Indirizzo        Offset            Link
       Tipo            Indir    Off    Dimen  ES   Lk Inf Al
       Tipo            Indirizzo        Off    Dimen  ES   Lk Inf Al
      --add-stdcall-underscore Aggiunge trattini bassi ai simboli stdcall nella libreria di interfaccia.
      --dwarf-depth=N        Non visualizza i DIE alla profondità N o superiore
      --dwarf-start=N        Visualizza i DIE partendo da N, alla stessa profondità
                             o superiore
 
      --exclude-symbols <elenco> Non esporta l'<elenco>
      --export-all-symbols   Esporta tutti i simboli nel file .def
      --identify-strict      In presenza di DLL multiple --identify segnala un errore.
      --leading-underscore   Aggiunge sempre un trattino basso come prefisso dei simboli.
      --no-default-excludes  Azzera i simboli predefiniti da escludere
      --no-export-all-symbols  Esporta solo i simboli elencati
      --no-leading-underscore Non aggiunge mai un trattino basso come prefisso dei simboli.
      --plugin NOME      Carica il plugin specificato
      --use-nul-prefixed-import-tables Usa idata$4 e idata$5 con prefisso zero.
     # valore    sz ti IFEW class file  pa nome
     --yydebug                 Attiva il debug dell'analizzatore
     Libreria             Data e ora          Checksum   Versione Flag     Libreria             Data e ora          Checksum   Versione Flag
     [Riservato]     [opcode non supportato]     fine     sp = sp + %d    Argomenti: %s
    ID di creazione:     Data di creazione     : %.17s
    Nome della tabella dei simboli globali: %s
    Id dell'immagine: %s
    Nome dell'immagine   : %s
    Dimensione non valida
    Data dell'ultima patch: %.17s
    Id del linker: %s
    Posizione:     Nome del modulo       : %s
    Versione del modulo   : %s
    Nome: %s
    OS: %s, ABI: %ld.%ld.%ld
    Offset             Info             Tipo               Valore simbolo  Nome simbolo
    Offset             Info             Tipo               Valore simbolo   Nome simbolo + Addendo
    Offset   Inizio   Fine
    Offset   Inizio   Fine     Espressione
    Fornitore: %s
   --add-indirect         Aggiunge indiretti della dll al file di esportazione.
   --add-stdcall-alias    Aggiunge sinonimi senza @<n>
   --as <nome>            Usa <nome> come assemblatore
   --base-file <filebase> Legge il file base generato dal linker
   --def <filedef>        Fornisce un nome al file .def di input
   --dllname <nome>       Nome della dll di input da inserire nella libreria di output.
   --dlltool-name <dlltool> Predefinito Ã¨ "dlltool"
   --driver-flags <flag>  Sovrascrive i flag predefiniti di ld
   --driver-name <driver> Predefinito Ã¨ "gcc"
   --dry-run              Mostra cosa deve essere eseguito
   --entry <ingresso>     Specifica un punto di ingresso alternativo per la DLL
   --exclude-symbols <elenco> Esclude l'<elenco> da .def
   --export-all-symbols     Esporta tutti i simboli su .def
   --image-base <base>    Specifica l'indirizzo base dell'immagine
   --implib <nomeoutput>  Sinonimo per --output-lib
   --leading-underscore     Punto di ingresso con trattino basso.
   --machine <macchina>
   --mno-cygwin           Crea una DLL Mingw
   --no-default-excludes    Elimina i simboli di esclusione predefiniti
   --no-export-all-symbols  Esporta solo i simboli .drectve
   --no-idata4           Non genera la sezione idata$4
   --no-idata5           Non genera la sezione idata$5
   --no-leading-underscore  Punto di ingresso senza trattino basso
   --nodelete             Mantiene i file temporanei.
   --output-def <filedef> Fornisce un nome al file .def di output
   --output-exp <nomeout> Genera un file di esportazione.
   --output-lib <nomeout> Genera una libreria di input.
   --quiet, -q            Lavora silenziosamente
   --target <macchina>    i386-cygwin32 oppure i386-mingw32
   --verbose, -v          Modo prolisso
   --version              Stampa la versione di dllwrap
   -A --add-stdcall-alias    Aggiunge sinonimi senza @<n>.
   -C --compat-implib        Crea una libreria di importazione retrocompatibile.
   -D --dllname <nome>       Nome della dll di input da inserire nella libreria dell'interfaccia.
   -F --linker-flags <flag>  Passa i <flag> al linker.
   -I --identify <libimp>    Riporta il nome della DLL associata alla <libimp>.
   -L --linker <nome>        Usa <nome> come linker.
   -M --mcore-elf <nomeout>  Analizza i file oggetto mcore-elf nel <nomeout>.
   -S --as <nome>            Usa <nome> per l'assemblatore.
   -U                     Aggiunge trattini bassi a .lib
   -U --add-underscore       Aggiunge trattini bassi a tutti i simboli nella libreria di interfaccia.
   -V --version              Visualizza la versione del programma.
   -a --add-indirect         Aggiunge indiretti della dll al file di esportazione.
   -b --base-file <filebase> Legge il file base generato dal linker.
   -c --no-idata5            Non genera la sezione idata$5.
   -d --input-def <filedef>  Nome del file .def da leggere.
   -e --output-exp <nomeout> Genera un file di esportazione.
   -f --as-flags <flag>     Passa i <flag> all'assemblatore.
  -h, --help                 Visualizza questo aiuto.
   -k                     Uccide @<n> dai nomi esportati
   -k --kill-at              Uccide @<n> dai nomi esportati.
   -l --output-lib <nomeout> Genera una libreria di interfaccia.
   -m --machine <macchina>   Crea come DLL per la <macchina>.  [predefinita: %s]
   -n --no-delete            Conserva i file temporanei (ripetere per mantenimento aggiuntivo).
   -p --ext-prefix-alias <prefisso> Aggiunge sinonimi con <prefisso>.
   -t --temp-prefix <prefisso> Usa il <prefisso> per costruire i nomi dei file temporanei.
   -v --verbose              Modo prolisso.
   -x --no-idata4            Non genera la sezione idata$4.
   -y --output-delaylib <nomeout> Crea una libreria di importazione con ritardo.
   -z --output-def <filedef> Nome del file .def da creare.
   0 (*locale*)       1 (*globale*)      @<file>                   Legge le opzioni dal <file>.
   @<file>                Legge le opzioni dal <file>
   Posizione dell'abbreviazione: %s
   Modalità FP: 0x%016   Flag dell'intestazione: 0x%08x
   Id dell'immagine      : %s
   Linguaggio: %s
   Lunghezza:     0x%s (%s)
   Orario link:    Id maggiore: %u,  id minore: %u
   Data manip  :    Num:    Valore         Dim  Tipo    Assoc  Vis      Ind Nome
   Num:    Valore Dim  Tipo    Assoc  Vis      Ind Nome
   Orario patch:    Dimensione del puntatore:  %d
   Firma:        Offset del tipo:   0x%s
   Versione:      %d
   [Indice]   Nome
  # sc         valore   sezione  tipo aus nome/pos
  %#06x:   indice del nome: %lx  %#06x:   nome: %s  %#06x: genitore %d, indice del nome: %ld
  %#06x: genitore %d: %s
  %#06x: Rev: %d  Flag: %s  %#06x: versione: %d  %*s %*s Scopo
  %*s %10s %*s Scopo
  %-20s %10s    Descrizione
  %02x     %02x   %08x %3u %c%c %2u   %4u %08x %3u   (Iniziando dall'offset del file: 0x%lx)  (Valore dell'attributo inline sconosciuto: %s)  --dwarf-depth=N        Non visualizza i DIE alla profondità N o superiore
  --dwarf-start=N        Visualizza i DIE partendo da N, alla stessa profondità
                         o superiore
  --input-mach <macchina>     Imposta il tipo di macchina di input a <macchina>
  --output-mach <macchina>    Imposta il tipo di macchina di output a <macchina>
  --input-type <tipo>         Imposta il tipo di file di input a <tipo>
  --output-type <tipo>        Imposta il file di output a <tipo>
  --input-osabi <osabi>       Imposta l'OSABI di input a <osabi>
  --output-osabi <osabi>      Imposta l'OSABI di output a <osabi>
  -h --help                   Visualizza questo aiuto
  -v --version                Visualizza il numero di versione di %s
  --plugin <nome>              Carica il plugin specificato
  --plugin <p> - Carica il plugin specificato
  --target=NOMEBFD - Specifica il formato dell'oggetto obiettivo come NOMEBFD
  -H --help                    Stampa questo messaggio di aiuto
  -v --verbose                 Modalità prolissa, descrive ciò che accade
  -V --version                 Stampa le informazioni sulla versione
  -I --histogram         Visualizza l'istogramma delle lunghezze degli elenchi dei bucket
  -W --wide              Permette all'output di superare gli 80 caratteri di ampiezza
  @<file>                Legge le opzioni dal <file>
  -H --help              Visualizza questo aiuto
  -v --version           Visualizza il numero di versione di readelf
  -I --input-target <nomebfd>      Assume che il file di input sia in formato <nomebfd>
  -O --output-target <nomebfd>     Crea un file di output in formato <nomebfd>
  -B --binary-architecture <arch>  Imposta l'architettura di output quando l'input ne Ã¨ privo
  -F --target <nomebfd>            Imposta il formato di input e di output a <nomebfd>
     --debugging                   Converte le informazioni di debug, se possibile
  -p --preserve-dates              Copia in output le marcature temporali di modifica/accesso
  -j --only-section <nome>         Copia in output solo la sezione <nome>
     --add-gnu-debuglink=<file>    Aggiunge la sezione .gnu_debuglink con link al <file>
  -R --remove-section <nome>       Rimuove la sezione <nome> dall'output
  -S --strip-all                   Rimuove tutti i simboli e le informazioni di rilocazione
  -g --strip-debug                 Rimuove tutti i simboli e le sezioni di debug
     --strip-unneeded              Rimuove tutti i simboli non necessari alle rilocazioni
  -N --strip-symbol <nome>         Non copia il simbolo <nome>
     --strip-unneeded-symbol <nome>
                                   Non copia il simbolo <nome> a meno che non sia 
                                     necessario alle rilocazioni
     --only-keep-debug             Elimina tutto tranne le informazioni di debug
     --extract-symbol              Rimuove i contenuti delle sezioni ma tiene i simboli
  -K --keep-symbol <nome>          Non elimina il simbolo <nome>
     --keep-file-symbols           Non elimina i simboli dei file
     --localize-hidden             Trasforma in locali tutti i simboli ELF nascosti
  -L --localize-symbol <nome>      Forza il simbolo <nome> a essere contrassegnato come locale
     --globalize-symbol <nome>     Forza il simbolo <nome> a essere contrassegnato come globale
  -G --keep-global-symbol <nome>   Rende locali tutti i simboli eccetto <nome>
  -W --weaken-symbol <nome>        Forza il simbolo <nome> a essere contrassegnato come debole
     --weaken                      Forza tutti i simboli globali a essere contrassegnati come deboli
  -w --wildcard                    Ammette i metacaratteri nella comparazione di simboli
  -x --discard-all                 Rimuove tutti simboli non globali
  -X --discard-locals              Rimuove tutti i simboli generati da compilatore
  -i --interleave [<numero>]       Copia solo N byte ogni <numero> di byte
     --interleave-width <numero>   Imposta N per --interleave
  -b --byte <num>                  Seleziona il byte <num> in ogni blocco intermedio
     --gap-fill <val>              Riempie gli intervalli tra le sezioni con il valore <val>
     --pad-to <indir>              Riempie l'ultima sezione fino all'indirizzo <indir>
     --set-start <indir>           Imposta l'indirizzo di partenza a <indir>
    {--change-start|--adjust-start} <incr>
                                   Aggiunge <incr> all'indirizzo di partenza
    {--change-addresses|--adjust-vma} <incr>
                                   Aggiunge <incr> a LMA, VMA e agli indirizzi di partenza
    {--change-section-address|--adjust-section-vma} <nome>{=|+|-}<val>
                                   Cambia l'LMA e il VMA della sezione <nome> con <val>
     --change-section-lma <nome>{=|+|-}<val>
                                   Cambia l'LMA della sezione <nome> con <val>
     --change-section-vma <nome>{=|+|-}<val>
                                   Cambia il VMA della sezione <nome> con <val>
    {--[no-]change-warnings|--[no-]adjust-warnings}
                                   Avverte se una sezione nominata non esiste
     --set-section-flags <nome>=<flag>
                                   Imposta le proprietà della sezione <nome> a <flag>
     --add-section <nome>=<file>   Aggiunge la sezione <nome> trovata in <file> all'output
     --rename-section <vecchia>=<nuova>[,<flag>] Rinomina la sezione <vecchia> a <nuova>
     --long-section-names {enable|disable|keep}
                                   Gestisce i nomi lunghi di sezione negli oggetti Coff
     --change-leading-char         Forza lo stile con carattere iniziale come formato di output 
     --remove-leading-char         Rimuove il carattere iniziale dai simboli globali
     --reverse-bytes=<num>         Inverte <num> byte alla volta, nelle sezioni di output 
                                     con contenuti
     --redefine-sym <vecchio>=<nuovo>
                                   Ridefinisce il nome del simbolo da <vecchio> a <nuovo>
     --redefine-syms <file>        Corrisponde a --redefine-sym per tutte le coppie di simboli 
                                     elencate in <file>
     --srec-len <numero>           Limita la lunghezza degli Srecord generati
     --srec-forceS3                Limita il tipo di Srecord generati a S3
     --strip-symbols <file>        Corrisponde a -N per tutti i simboli elencati in <file>
     --strip-unneeded-symbols <file>
                                   Corrisponde a --strip-unneeded-symbol per tutti i simboli 
                                     elencati in <file>
     --keep-symbols <file>         Corrisponde a -K per tutti i simboli elencati in <file>
     --localize-symbols <file>     Corrisponde a -L per tutti i simboli elencati in <file>
     --globalize-symbols <file>    Corrisponde a --globalize-symbol per tutti i simboli 
                                     elencati in <file>
     --keep-global-symbols <file>  Corrisponde a -G per tutti i simboli elencati in <file>
     --weaken-symbols <file>       Corrisponde a -W per tutti i simboli elencati in <file>
     --alt-machine-code <indice>   Usa l'<indice>-simo codice macchina alternativo per l'obiettivo
     --writable-text               Marca il testo in output come aperto in scrittura
     --readonly-text               Rende il testo in output protetto in scrittura
     --pure                        Marca il file di output come paginato su richiesta
     --impure                      Marca il file di output come impuro
     --prefix-symbols <prefisso>   Aggiunge il <prefisso> all'inizio di ogni nome di simbolo
     --prefix-sections <prefisso>  Aggiunge il <prefisso> all'inizio di ogni nome di sezione
     --prefix-alloc-sections <prefisso>
                                   Aggiunge il <prefisso> all'inizio di ogni nome di sezione
                                     allocabile
     --file-alignment <num>        Imposta l'allineamento del file PE a <num>
     --heap <riserva>[,<conferma>]   Imposta l'heap riserva/conferma PE a <riserva>/<conferma>
     --image-base <indirizzo>      Imposta l'immagine base PE all'<indirizzo>
     --section-alignment <num>     Imposta l'allineamento di sezione PE a <num>
     --stack <riserva>[,<conferma>]
                                   Imposta lo stack riserva/conferma PE a <riserva>/<conferma>
     --subsystem <nome>[:<versione>]
                                   Imposta il sottosistema PE a <nome> [e <versione>]
     --compress-debug-sections     Comprime le sezioni di debug DWARF con zlib
     --decompress-debug-sections   Decomprime le sezioni di debug DWARF con zlib
  -v --verbose                     Elenca tutti i file oggetto modificati
  @<file>                          Legge le opzioni dal <file>
  -V --version                     Visualizza il numero di versione di questo programma
  -h --help                        Visualizza questo aiuto
     --info                        Elenca i formati e le architetture supportate per gli oggetti
  -I --input-target=<nomebfd>      Assume <nomebfd> come formato del file di input
  -O --output-target=<nomebfd>     Crea un file di output nel formato <nomebfd>
  -F --target=<nomebfd>            Imposta <nomebfd> sia come formato di input che di output
  -p --preserve-dates              Copia in output le marcature temporali di modifica/accesso
  -R --remove-section=<nome>       Rimuove la sezione <nome> dall'output
  -s --strip-all                   Rimuove tutte le informazioni sui simboli e sulle rilocazioni
  -g -S -d --strip-debug           Rimuove tutti i simboli e le sezioni di debug
     --strip-unneeded              Rimuove tutti i simboli non necessari alle rilocazioni
     --only-keep-debug             Rimuove tutto eccetto le informazioni di debug
  -N --strip-symbol=<nome>         Non copia il simbolo <nome>
  -K --keep-symbol=<nome>          Non elimina il simbolo <nome>
     --keep-file-symbols           Non elimina i simboli dei file
  -w --wildcard                    Ammette metacaratteri nella comparazione di simboli
  -x --discard-all                 Rimuove tutti i simboli non globali
  -X --discard-locals              Rimuove tutti i simboli generati dal compilatore
  -v --verbose                     Elenca tutti i file oggetto modificati
  -V --version                     Visualizza il numero di versione di questo programma
  -h --help                        Visualizza questo aiuto
     --info                        Elenca i formati e le architetture supportate dall'oggetto
  -o <file>                        Mette l'output rimosso nel <file>
  -S, --print-size       Stampa la dimensione dei simboli definiti
  -s, --print-armap      Include l'indice per i simboli dai membri dell'archivio
      --size-sort        Ordina i simboli per dimensione
      --special-syms     Include i simboli speciali nell'output
      --synthetic        Visualizza anche i simboli sintetici
  -t, --radix=RADICE     Usa la RADICE per stampare i valori dei simboli
      --target=NOMEBFD   Specifica il formato dell'oggetto obiettivo come NOMEBFD
  -u, --undefined-only   Visualizza solo i simboli indefiniti
  -X 32_64               (ignorata)
  @FILE                  Legge le opzioni dal FILE
  -h, --help             Visualizza questo aiuto
  -V, --version          Visualizza il numero di versione di questo programma
 
  -a, --archive-headers    Visualizza le informazioni sulle intestazioni dell'archivio
  -f, --file-headers       Visualizza i contenuti delle intestazioni globali del file
  -p, --private-headers    Visualizza i contenuti delle intestazioni dei file specifici del formato dell'oggetto
  -P, --private=OPT,OPT... Visualizza i contenuti specifici del formato dell'oggetto
  -h, --[section-]headers  Visualizza i contenuti delle intestazioni della sezione
  -x, --all-headers        Visualizza i contenuti di tutte le intestazioni
  -d, --disassemble        Visualizza i contenuti assembler delle sezioni eseguibili
  -D, --disassemble-all    Visualizza i contenuti assembler di tutte le sezioni
  -S, --source             Mescola codice sorgente con disassemblato
  -s, --full-contents      Visualizza i contenuti completi di tutte le sezioni richieste
  -g, --debugging          Visualizza le informazioni di debug nel file oggetto
  -e, --debugging-tags     Visualizza le informazioni di debug usando lo stile ctags
  -G, --stabs              Visualizza (in forma grezza) tutte le informazioni STAB presenti nel file
  -W[lLiaprmfFsoRt] o
  --dwarf[=rawline,=decodedline,=info,=abbrev,=pubnames,=aranges,=macro,=frames,
          =frames-interp,=str,=loc,=Ranges,=pubtypes,
          =gdb_index,=trace_info,=trace_abbrev,=trace_aranges]
                           Visualizza le informazioni DWARF presenti nel file
  -t, --syms               Visualizza i contenuti delle tabelle dei simboli
  -T, --dynamic-syms       Visualizza i contenuti delle tabelle dei simboli dinamici
  -r, --reloc              Visualizza le voci di rilocazione presenti nel file
  -R, --dynamic-reloc      Visualizza le voci di rilocazione dinamica presenti nel file
  @<file>                  Legge le opzioni dal <file>
  -v, --version            Visualizza il numero di versione di questo programma
  -i, --info               Elenca i formati e le architetture supportate dall'oggetto
  -H, --help               Visualizza questo aiuto
  -b, --target=NOMEBFD           Specifica il formato dell'oggetto obiettivo come NOMEBFD
  -m, --architecture=MACCHINA    Specifica l'architettura obiettivo come MACCHINA
  -j, --section=NOME             Visualizza solo le informazioni per la sezione NOME
  -M, --disassembler-options=OPZ Inoltra l'OPZ al disassemblatore
  -EB --endian=big               Assume il formato big endian nel disassemblare
  -EL --endian=little            Assume il formato little endian nel disassemblare
      --file-start-context       Include il contesto dall'inizio del file (con -S)
  -I, --include=DIR              Aggiunge DIR all'elenco di ricerca per i file sorgente
  -l, --line-numbers             Include i numeri di riga e i nomi dei file nell'output
  -F, --file-offsets             Include le posizioni dei file quando visualizza le informazioni
  -C, --demangle[=STILE]         Decodifica i nomi dei simboli codificati/elaborati
                                  Lo STILE, se specificato, può essere "auto", "gnu",
                                  "lucid", "arm", "hp", "edg", "gnu-v3", "java"
                                  o "gnat"
  -w, --wide                     Imposta il formato di output a più di 80 colonne
  -z, --disassemble-zeroes       Non salta i blocchi di zeri nel disassemblare
      --start-address=INDIR      Elabora solo i dati con indirizzo >= INDIR
      --stop-address=INDIR       Elabora solo i dati con indirizzo <= INDIR
      --prefix-addresses         Stampa l'indirizzo completo accanto al disassemblato
      --[no-]show-raw-insn       Visualizza l'esadecimale accanto al disassemblato simbolico
      --insn-width=AMPIEZZA      Visualizza un numero AMPIEZZA di byte su una singola riga per -d
      --adjust-vma=SCOSTAMENTO   Aggiunge uno SCOSTAMENTO a tutti gli indirizzi di sezione visualizzati
      --special-syms             Include i simboli speciali nei dump dei simboli
      --prefix=PREFISSO          Aggiunge il PREFISSO ai percorsi assoluti per -S
      --prefix-strip=LIVELLO     Rimuove i prefissi delle directory per -S
  -i --instruction-dump=<numero|nome>
                         Disassembla i contenuti della sezione <numero|nome>
  -r                           Ignorato per compatibilità con rc
  @<file>                      Legge le opzioni dal <file>
  -h --help                    Stampa questo messaggio di aiuto
  -V --version                 Stampa le informazioni sulla versione
  -t                           Aggiorna la marcatura temporale della mappa simboli dell'archivio
  -h --help                    Stampa questo messaggio di aiuto
  -v --version                 Stampa le informazioni sulla versione
  0x%02x   @<file>      - Legge le opzioni dal <file>
  Versione ABI:                      %d
  Indir: 0x  Avanza riga di %s a %d
  Avanza PC di %s a 0x%s
  Avanza PC di %s a 0x%s[%d]
  Avanza PC della costante %s a 0x%s
  Avanza PC della costante %s a 0x%s[%d]
  Avanza PC della dimensione fissa %s a 0x%s
  CTL[%u]: %08x
  Classe:                            %s
  Cont: %d
  Modello compatto %d
  Unità di compilazione @ offset 0x%s:
  Copia
  Versione di DWARF:           %d
  DW_CFA_??? (Operatore di frame di chiamata definito dall'utente: %#x)
  Dati:                              %s
  Voce    Dir    Tempo    Dimens.    Nome
  Indirizzo punto d'ingresso:          Opcode esteso %d:   File: %lx  File: %s  Flag  Flag:                              0x%lx%s
  Flag: %s  versione: %d
  Opzioni generiche:
  Indice: %d  Cont: %d    Valore iniz. di "is_stmt":   %d
  Lunghezza:                           %ld
  Lunghezza:                   %ld
  Lunghezza:                %ld
  Base della riga:             %d
  Intervallo di riga:          %d
  Macchina:                          %s
  Magic:     Opcode max per istruzione:   %d
  Lunghezza minima istruzione: %d
  Nessuna intestazione ausiliaria
  Nessuna opzione specifica per l'emulazione
  Nessuna intestazione di sezione
  Nessuna stringa trovata in questa sezione.  NOTA: ci sono delle rilocazioni contro questa sezione, ma NON sono state applicate a questo dump.
  Num Buc:    Valore         Dim    Tipo   Assoc Vis     Ind Nome
  Num Buc:    Valore Dim    Tipo   Assoc Vis     Ind Nome
  Num:    Indice       Valore  Nome  Numero TAG
  Numero intestazioni di programma:  %ld  Numero di intestazioni di sezione: %ld  SO/ABI:                            %s
  Offset          Info           Tipo           Valore sim    Nome sim
  Offset          Info           Tipo           Valore sim     Nome sim + Addendo
  Offset nella sezione .debug_info:    0x%lx
  Offset in .debug_info:    0x%lx
  Offset:                      0x%lx
  Offset: %#08lx  Link: %u (%s)
  L'opcode %d ha %d argomenti
  Base dell'opcode:            %d
  Opzioni per %s:
  Opzioni passate a DLLTOOL:
  Routine di personalità:   Dimensione puntatore:     %d
  Lunghezza del prologo:       %d
  Registri ripristinati:   Il rimanente Ã¨ fornito non modificato al driver di linguaggio
  Ripristina lo stack dal puntatore del frame
  Registro di ritorno: %s
  Indice della tabella di stringhe delle intestazioni di sezione: %ld  Sezioni del segmento...
  Dimensione segmento:      %d
  Imposta il nome del file alla voce %s nella tabella dei nomi file
  Imposta ISA a %lu
  Imposta ISA a %s
  Imposta blocco di base
  Imposta colonna a %s
  Imposta epilogue_begin a vero
  Imposta is_stmt a %s
  Imposta prologue_end a vero
  Dimensione dell'area nella sezione .debug_info: %ld
  Dimens. intestazioni di programma:  %ld (byte)
  Dimens. intestazioni di sezione:   %ld (byte)
  Dimensione di questa intestazione: %ld (byte)
  Opcode speciale %d: avanza l'indirizzo di %s a 0x%s  Opcode speciale %d: avanza l'indirizzo di %s a 0x%s[%d]  Incremento dello stack %d
  Tag        Tipo                         Nome/Valore
  Tipo           Offset             IndirVirt          IndirFis
  Tipo           Offset   IndirVirt          IndirFis           DimFile  DimMem   Flg Allin
  Tipo           Offset   IndirVirt  IndirFis   DimFile DimMem  Flg Allin
  Tipo:                              %s
  Magic non gestito
  Opcode sconosciuto %d con operandi:   Contesti di sezione sconosciuti
  Definizione di versione aux dopo la fine della sezione
  Definizione di versione dopo la fine della sezione
  Requisito di versione aux dopo la fine della sezione
  Requisito di versione dopo la fine della sezione
  Versione:                            %d
  Versione:                          %d %s
  Versione:                          0x%lx
  Versione:                 %d
  [-X32]       - Ignora gli oggetti a 64 bit
  [-X32_64]    - Accetta oggetti a 32 e 64 bit
  [-X64]       - Ignora gli oggetti a 32 bit
  [-g]         - Archivio small a 32 bit
  [D]          - Usa zero per le marcature temporali e gli uid/gid
  [N]          - Usa la richiesta [numero] del nome
  [N°] Nome
  [N°] Nome              Tipo             Indirizzo         Offset
  [N°] Nome              Tipo            Indir    Off    Dimen  ES Flg Lk Inf Al
  [N°] Nome              Tipo            Indirizzo        Off    Dimen  ES Flg Lk Inf Al
  [P]          - Usa i nomi di percorso completi quando ricerca corrispondenze
  [S]          - Non crea una tabella dei simboli
  [T]          - Crea un archivio leggero
  [Dati troncati]
  [V]          - Visualizza il numero di versione
  [a]          - Posiziona i file dopo [nome-membro]
  [b]          - Posiziona i file prima di [nome-membro] (come [i])
  [c]          - Non avverte in caso di creazione della libreria
  [f]          - Tronca i nomi dei file inseriti
  [o]          - Mantiene le date originali
  [s]          - Crea un indice di archivio (cfr. ranlib)
  [u]          - Sostituisce solo i file che sono più recenti di quelli attualmente presenti nell'archivio
  [v]          - Modo prolisso
  d            - Elimina i file dall'archivio
  definisce una nuova voce nella tabella dei file
  pntecc: %08x dimf: %08x pntnrig: %08x indfin: %u
  flag:          0x%04x   pos file import:   %u
  lun strtab import: %u
  nrig: %u
  m[ab]        - Sposta i file nell'archivio
  magic:         0x%04x (0%04o)    num file import:   %u
  num rilocazioni:   %u
  num sezioni:   %d
  num simboli:       %u
  num simboli:   %d
  o_algndata:      %u
  o_algntext:      %u
  o_cputype:       0x%04x
  o_data_start:    0x%08x
  o_debugger:      0x%08x
  o_dsize:         0x%08x
  o_entry:         0x%08x
  o_maxdata:       0x%08x
  o_maxstack:      0x%08x
  o_mflag (magic): 0x%04x 0%04o
  o_modtype:       0x%04x  o_snbss:         0x%04x
  o_sndata:        0x%04x
  o_snentry:       0x%04x
  o_snloader:      0x%04x
  o_sntext:        0x%04x
  o_sntoc:         0x%04x
  o_text_start:    0x%08x
  o_toc:           0x%08x
  o_tsize:         0x%08x
  o_vstamp:        0x%04x
  dim int opz:   %d
  p            - Stampa i file trovati nell'archivio
  q[f]         - Aggiunge rapidamente i file all'archivio
  r[ab][f][u]  - Sostituisce i file esistenti o ne aggiunge di nuovi dentro all'archivio
  s            - Agisce come ranlib
  lunsez: %08x  lunsez: %08x  nriloc: %-6u
  lunsez: %08x  nriloc: %-6u  numrig: %-6u
  simsez: %-8u  lun tab stringhe:  %u
  pos tab stringhe:  %u
  pos simboli:   0x%08x
  t            - Visualizza il contenuto dell'archivio
  orario e data: 0x%08x  -   indv     sez   dim tip   sim
  versione:          %u
  x[o]         - Estrae i file dall'archivio
 # Nome     indfis   indvir   dimens   pntsez   pntril   pntnrig  nril  numrig
 %-6u  %3u %3u  %s blocco da %s byte:  (Offset del file: 0x%lx) (byte nel file)
 (byte nel file)
  Inizio intestazioni di sezione:     (byte)
 (fine dei tag a %08x)
 (stringa indiretta, offset: 0x%s): %s (posta inline da)  (nessuna stringa):
 (inizio == fine) (inizio > fine) (dimensione stringhe: %08x):
 <%d><%lx>: ...
 <%d><%lx>: Numero dell'abbreviazione: %lu <danneggiato: %14ld> <danneggiato: fuori dall'intervallo> Indir:  Indir: 0x Deve essere fornita almeno una tra le seguenti opzioni:
 Valore canonico di gp:  Converte gli indirizzi in coppie numero riga/nome file.
 Converte un file oggetto in un modulo caricabile NetWare
 Copia un file binario, trasformandolo eventualmente durante il processo
 DW_MACINFO_define - nriga : %d macro : %s
 DW_MACINFO_end_file
 DW_MACINFO_start_file - nriga: %d numfile: %d
 DW_MACINFO_undef - nriga : %d macro : %s
 DW_MACINFO_vendor_ext - costante : %d stringa : %s
 Visualizza informazioni sul contenuto dei file in formato ELF
 Visualizza le informazioni dai <file> oggetto.
 Visualizza le stringhe stampabili nei [file] (stdin come predefinito)
 Visualizza la dimensione delle sezioni all'interno dei file binari
 Voci:
 Genera un indice per velocizzare l'accesso agli archivi
 Voci globali:
 Se sulla riga di comando non sono specificati indirizzi, verranno letti da stdin
 Se non Ã¨ specificato alcun file di input, viene usato a.out
 Risolutore apatico
 Lunghezza  Numero     %% della copertura totale
 Elenca i simboli in [file] (a.out Ã¨ il predefinito).
 Voci locali:
 Puntatore al modulo
 Puntatore al modulo (estensione GNU)
 NESSUNO NOTA: ci sono delle rilocazioni contro questa sezione, ma NON sono state applicate a questo dump.
 Nome (lun: %u):  Nessuno
 Num: Nome                           Legato a    Flag
 Offset     Info    Tipo                Valore sim  Nome simbolo
 Offset     Info    Tipo                Valore sim  Nome simbolo + Addendo
 Offset     Info    Tipo            Valore sim Nome sim
 Offset     Info    Tipo            Valore sim  Nome sim + Addendo
 Le opzioni sono:
  -a --all               Equivalente a: -h -l -S -s -r -d -V -A -I
  -h --file-header       Visualizza l'intestazione del file ELF
  -l --program-headers   Visualizza le intestazioni del programma
     --segments          Un sinonimo per --program-headers
  -S --section-headers   Visualizza l'intestazione delle sezioni
     --sections          Un sinonimo per --section-headers
  -g --section-groups    Visualizza i gruppi delle sezioni
  -t --section-details   Visualizza i dettagli delle sezioni
  -e --headers           Equivalente a: -h -l -S
  -s --syms              Visualizza la tabella dei simboli
     --symbols           Un sinonimo per --syms
  --dyn-syms             Visualizza la tabella dei simboli dinamici
  -n --notes             Visualizza le note sul core (se presenti)
  -r --relocs            Visualizza le rilocazioni (se presenti)
  -u --unwind            Visualizza le informazioni di espansione (se presenti)
  -d --dynamic           Visualizza la sezione dinamica (se presente)
  -V --version-info      Visualizza le sezioni sulla versione (se presenti)
  -A --arch-specific     Visualizza le informazioni specifiche sull'architettura (se presenti)
  -c --archive-index     Visualizza l'indice del simbolo/file in un archivio
  -D --use-dynamic       Usa le informazioni sulla sezione dinamica nel visualizzare i simboli
  -x --hex-dump=<numero|nome>
                         Esegue il dump del contenuto della sezione <numero|nome> in byte
  -p --string-dump=<numero|nome>
                         Esegue il dump del contenuto della sezione <numero|nome> in stringhe
  -R --relocated-dump=<numero|nome>
                         Esegue il dump del contenuto della sezione <numero|nome> in byte rilocati
  -w[lLiaprmfFsoRt] oppure
  --debug-dump[=rawline,=decodedline,=info,=abbrev,=pubnames,=aranges,=macro,=frames,
               =frames-interp,=str,=loc,=Ranges,=pubtypes,
               =gdb_index,=trace_info,=trace_abbrev,=trace_aranges]
                         Visualizza il contenuto delle sezioni di debug di DWARF2
 Risolutore apatico PLT
 Stampa una interpretazione leggibile di un file oggetto COFF
 Rimuove i simboli e le sezioni dai file
 Voci riservate:
 Le opzioni sono:
 Le opzioni sono:
  -A|-B     --format={sysv|berkeley}  Seleziona lo stile di output (predefinito Ã¨ %s)
  -o|-d|-x  --radix={8|10|16}         Visualizza i numeri in ottale, decimale o esadecimale
  -t        --totals                  Visualizza le dimensioni totali (solo Berkeley)
            --common                  Visualizza la dimensione totale per i simboli *COM*
            --target=<nomebfd>        Imposta il formato del file binario
            @<file>                   Legge le opzioni dal <file>
  -h        --help                    Visualizza questo aiuto
  -v        --version                 Visualizza la versione del programma
 
 Le opzioni sono:
  -I --input-target=<nomebfd>   Imposta il formato del file binario di input
  -O --output-target=<nomebfd>  Imposta il formato del file binario di output
  -T --header-file=<file>       Legge il <file> per le informazioni sull'intestazione NLM
  -l --linker=<linker>          Usa il <linker> per tutte le operazioni di link
  -d --debug                    Visualizza la riga di comando del linker sullo stderr
  @<file>                       Legge le opzioni dal <file>
  -h --help                     Visualizza questo aiuto
  -v --version                  Visualizza la versione del programma
 Le opzioni sono:
  -a - --all                Analizza l'intero file, non solo la sezione dei dati
  -f --print-file-name      Stampa il nome del file prima di ciascuna stringa
  -n --bytes=[numero]       Localizza e stampa tutte le sequenze che terminano con NUL
  -<numero>                   di almeno [numero] caratteri (predefinito 4).
  -t --radix={o,d,x}        Stampa la posizione della stringa in base 8, 10 o 16
  -o                        Un sinonimo per --radix=o
  -T --target=<NOMEBFD>     Specifica il formato del file binario
  -e --encoding={s,S,b,l,B,L} Seleziona la dimensione e gli endian del carattere:
                            s = 7 bit, S = 8 bit, {b,l} = 16 bit, {B,L} = 32 bit
  @<file>                   Legge le opzioni dal <file>
  -h --help                 Visualizza questo aiuto
  -v -V --version           Stampa il numero di versione del programma
 Le opzioni sono:
  -a --ascii_in                Legge il file di input come ASCII
  -A --ascii_out               Scrive i messaggi binari come ASCII
  -b --binprefix               Aggiunge il prefisso .mc filename_ al nome del file .bin per l'unicità.
  -c --customflag              Imposta flag personalizzati per i messaggi
  -C --codepage_in=<val>       Imposta la pagina codici quando viene letto il file di testo mc
  -d --decimal_values          Stampa i valori sul file di testo come decimali
  -e --extension=<estensione>  Imposta l'estensione dell'intestazione usata nell'esportazione del file di intestazione
  -F --target <obiettivo>      Specifica l'obiettivo di output per gli endian.
  -h --headerdir=<directory>   Imposta la directory di esportazione per le intestazioni
  -u --unicode_in              Legge il file di input come UTF16
  -U --unicode_out             Scrive i messaggi binari come UTF16
  -m --maxlength=<val>         Imposta la lunghezza massima ammessa per i messaggi
  -n --nullterminate           Aggiunge automaticamente zero come valore finale per le stringhe
  -o --hresult_use             Usa la definizione di HRESULT al posto di quella del codice di stato
  -O --codepage_out=<val>      Imposta la pagina codici usata per scrivere il file di testo
  -r --rcdir=<directory>       Imposta la directory di esportazione per i file rc
  -x --xdbg=<directory>        Specifica dove creare il file di inclusione C .dbg
                               che mappa gli ID dei messaggi al loro nome simbolico.
 Le opzioni sono:
  -a, --debug-syms       Visualizza solo i simboli del debugger
  -A, --print-file-name  Stampa il nome del file di input prima di ciascun simbolo
  -B                     Equivale a --format=bsd
  -C, --demangle[=STILE] Decodifica i nomi dei simboli di basso livello in nomi a livello utente
                          Lo STILE, se specificato, può essere "auto" (predefinito),
                          "gnu", "lucid", "arm", "hp", "edg", "gnu-v3", "java"
                          o "gnat"
      --no-demangle      Non decodifica i nomi dei simboli di basso livello
  -D, --dynamic          Visualizza i simboli dinamici al posto di quelli normali
      --defined-only     Visualizza solo i simboli definiti
  -e                     (ignorata)
  -f, --format=FORMATO   Usa il FORMATO di output. FORMATO può essere "bsd",
                           "sysv" o "posix". Quello predefinito Ã¨ "bsd"
  -g, --extern-only      Visualizza solo i simboli esterni
  -l, --line-numbers     Usa le informazioni di debug per trovare un nome di file e
                           un numero di riga per ciascun simbolo
  -n, --numeric-sort     Ordina numericamente i simboli per indirizzo
  -o                     Equivale a -A
  -p, --no-sort          Non ordina i simboli
  -P, --portability      Equivale a --format=posix
  -r, --reverse-sort     Inverte il verso di ordinamento
 Le opzioni sono:
  -h --help        Visualizza questo aiuto
  -v --version     Stampa il numero di versione del programma
 Le opzioni sono:
  -i --input=<file>             Nome del file di input
  -o --output=<file>            Nome del file di output
  -J --input-format=<formato>   Specifica il formato di input
  -O --output-format=<formato>  Specifica il formato di output
  -F --target=<obiettivo>       Specifica l'obiettivo COFF
     --preprocessor=<programma> Programma da usare per preprocessare il file rc
     --preprocessor-arg=<arg>   Argomento aggiuntivo del preprocessore
  -I --include-dir=<dir>        Include la directory quando viene preprocessato il file rc
  -D --define <sim>[=<val>]     Definisce il SIM quando viene preprocessato il file rc
  -U --undefine <sim>           Azzera il SIM quando viene preprocessato il file rc
  -v --verbose                  Prolisso, spiega le operazioni in corso
  -c --codepage=<paginacodici>  Specifica la pagina codici predefinita
  -l --language=<val>           Imposta la lingua quando viene letto il file rc
     --use-temp-file            Usa un file temporaneo invece di popen per leggere
                                l'output del preprocessore
     --no-use-temp-file         Usa popen (predefinita)
 Le opzioni sono:
  -q --quick       (Obsoleta, ignorata)
  -n --noprescan   Non effettua un'analisi per convertire i comuni in definizioni
  -d --debug       Visualizza le informazioni sulle operazioni in corso
  @<file>          Legge le opzioni dal <file>
  -h --help        Visualizza questo aiuto
  -v --version     Stampa il numero di versione del programma
 Le opzioni sono:
  @<file>                      Legge le opzioni da <file>
 Le opzioni sono:
  @<file>                Legge le opzioni dal <file>
  -a --addresses         Mostra gli indirizzi
  -b --target=<nomebfd>  Imposta il formato del file binario
  -e --exe=<eseguibile>  Imposta il nome del file di input (predefinito Ã¨ a.out)
  -i --inlines           Espande le funzioni inline
  -j --section=<nome>    Legge le posizioni relative alla sezione invece degli indirizzi
  -p --pretty-print      Rende l'output di più facile lettura
  -s --basenames         Rimuove i nomi delle directory
  -f --functions         Mostra i nomi della funzioni
  -C --demangle[=stile]  Decodifica i nomi delle funzioni
  -h --help              Visualizza questo aiuto
  -v --version           Visualizza la versione del programma
 
 Le opzioni sono:
  @<file>                Legge le opzioni dal <file>
  -h --help              Visualizza questo aiuto
  -v --version           Visualizza la versione del programma
 
 Sezione .text troncata
 Versione non gestita
 Aggiorna l'intestazione ELF dei file ELF
 [senza DW_AT_frame_base] indirizzo oltre la dimensione della sezione
 reg alloc:  %u
 e la riga di %s a %d
 alla  all'offset 0x%lx contiene %lu voci:
 indice errato del simbolo: %08lx cl:  modificatori specifici del comando:
 comandi:
 opzioni di emulazione: 
 fixparms: %-3u  floatparms: %-3u  parm_on_stk: %u
 tipof: %02x  modificatori generici:
 h: parm=%08x sn=%04x al: 2**%u hand_mask_offset: 0x%08x
 has_ctl: %u, tocless: %u, fp_pres: %u, log_abort: %u, int_hndl: %u
 name_pres: %u, uses_alloca: %u, cl_dis_inv: %u, saves_cr: %u, saves_lr: %u
 nessun tag trovato
 numero di ancoraggi CTL: %u
 opzionale:
 parminfo: 0x%08x
 interprete di programma stores_bc: %u, fixup: %u, fpr_saved: %-2u, spare3: %u, gpr_saved: %-2u
 tag a 0x%08x
 tb_offset: 0x%08x (inizio=0x%08x)
 tip:  tipo: %lx, dim-nome: %08lx, dim-descrizione: %08lx
 versione: %u, ling: %u, global_link: %u, is_eprol: %u, has_tboff: %u, int_proc: %u
#righe %d %08x  %c   %c  %-2u %2d %-8.8s %08x %08x %08x %08x %08x %08x %-5d %-5d
%ld: .bf senza la funzione che lo precede%ld: .ef inatteso
%lu
%s %s%c0x%s mai usato%s sia copiato che rimosso%s uscito con stato %d%s non ha un indice di archivio
%s non Ã¨ una libreria%s non è un archivio valido%s dati di sezione%s: %s: indirizzo fuori dai limiti%s: impossibile aprire l'archivio di input %s
%s: impossibile aprire l'archivio di output %s
%s: errore: %s: impossibile leggere l'intestazione ELF
%s: impossibile leggere l'intestazione del file
%s: impossibile leggere il numero magic del file
%s: impossibile cercare nell'intestazione ELF
%s: impossibile aggiornare l'intestazione ELF: %s
%s: formati corrispondenti:%s: ridefinizione multipla del simbolo "%s"%s: Non Ã¨ un file ELF, byte magic iniziali errati
%s: componenti del percorso rimosse dal nome immagine, "%s".%s: il simbolo "%s" Ã¨ un obiettivo per più di una ridefinizione%s: EI_CLASS non corrispondente: %d non Ã¨ %d
%s: EI_OSABI non corrispondente: %d non Ã¨ %d
%s: e_machine non corrispondente: %d non Ã¨ %d
%s: e_type non corrispondente: %d non Ã¨ %d
%s: EI_VERSION non supportata: %d non Ã¨ %d
%s: attenzione: %s: nome errato del file dell'archivio
%s: numero errato: %s%s: versione errata nel sottosistema PE%s: impossibile trovare il file %s dei moduli
%s: impossibile aprire il file %s
%s: impossibile trovare la sezione %s%s: impossibile ottenere indirizzi dall'archivio%s: impossibile impostare l'ora: %s%s: non Ã¨ stata trovata un'intestazione valida dell'archivio
%s: la tabella dei simboli Ã¨ finita prima del relativo indice
%s: esecuzione di %s non riuscita: %s: impossibile leggere l'intestazione dell'archivio
%s: impossibile leggere l'intestazione dell'archivio seguendone l'indice
%s: impossibile leggere l'indice dell'archivio
%s: lettura non riuscita della tabella dei simboli degli indici di archivio
%s: errore nella lettura della tabella di stringhe dei nomi lunghi di simbolo
%s: impossibile ritornare a cercare all'inizio dei file oggetto nell'archivio
%s: impossibile cercare nel membro dell'archivio
%s: impossibile cercare nel membro dell'archivio.
%s: impossibile cercare nella prima intestazione dell'archivio
%s: impossibile cercare nell'intestazione dell'archivio successivo
%s: impossibile cercare nel successivo nome del file
%s: impossibile saltare la tabella dei simboli di archivio
%s: il file %s non Ã¨ un archivio
%s: fread non riuscita%s: fseek su %lu non riuscita: %s%s: valore di conferma per --heap non valido%s: valore di conferma per --stack non valido%s: formato di output non valido%s: radice non valida%s: valore di riserva per --heap non valido%s: valore di riserva per --stack non valido%s: nessuna mappa di archivio da aggiornare%s: nessun archivio aperto
%s: nessun archivio di output aperto
%s: non Ã¨ ancora stato specificato alcun archivio di output
%s: informazioni di debug non riconosciute%s: nessuna sezione delle risorse%s: nessun simbolo%s: non Ã¨ un oggetto dinamico%s: dati binari non sufficienti%s: stampa delle informazioni di debug non riuscita%s: la lettura di %lu ha restituito %lu%s: lettura: %s%s: architetture supportate:%s: formati supportati:%s: obiettivi supportati:%s: i simboli restano nella tabella dei simboli indice, ma senza le corrispondenti voci nella tabella degli indici
%s: l'archivio ha un indice ma nessun simbolo
%s: l'indice dell'archivio Ã¨ vuoto
%s: l'indice dell'archivio dovrebbe avere %ld voci, ma la dimensione nell'intestazione Ã¨ troppo piccola
%s: impossibile fare il dump dell'indice perché non Ã¨ stato trovato
%s: EOF inatteso%s: attenzione: %s: attenzione: le librerie condivise non possono avere dati non inizializzati%s: attenzione: dimensione sconosciuta per il campo "%s" in struct%s:%d: ignorata la spazzatura trovata in questa riga%s:%d: trovata spazzatura alla fine della riga%s:%d: manca il nuovo nome del simbolo%s:%d: fine prematura del file%u"%s""%s" non Ã¨ un file ordinario
"%s": questo file non esiste"%s": il file non esiste
(%s(DW_OP_GNU_implicit_pointer nelle informazioni del frame)(DW_OP_call_ref nelle informazioni del frame)(ROMAGIC: segmenti di testo condivisibili in sola lettura)(TOCMAGIC: segmenti di testo e TOC in sola lettura)(Operatore di posizione sconosciuto)(Operatore di posizione definito dall'utente)(WRMAGIC: segmenti di testo scrivibili)(offset errato: %u)(indirizzo di base)
(dichiarato come inline e posto inline)(dichiarato come inline ma ignorato)(posto inline)(elenco posizioni)(non posto inline)(inizio == fine)(inizio > fine)*non valido*, <sconosciuta>, base: , semaforo: , rilocabile, lib rilocabile, ABI sconosciuto, CPU sconosciuta, ISA sconosciuta, variante dell'architettura v850 sconosciuta,%s,%s)
.bss.dataL'offset .debug_info di 0x%lx nella sezione %s non punta a una intestazione della UC.
.text16 byte
2 byte
complemento a 2, big endiancomplemento a 2, little endian4 byte
4 byte
8 byte
esteso da 8 fino a %d byte
8 byte, ad eccezione della foglia SP
:
  Nessun simbolo
: valore duplicato
: era attesa una directory
: era attesa una foglia
<Fine dell'elenco>
<specifico del SO>: %d<indice della tabella di stringhe danneggiato: %3ld><danneggiato: %14ld><danneggiato: %19ld><danneggiato: %9ld><danneggiato: %ld>
<danneggiato><nessuna sezione .debug_str><nessun-nome><nessuno><l'offset Ã¨ troppo grande><altro>: %x<specifico del processore>: %d<indice della tabella di stringhe: %3ld><addendo sconosciuto: %lx><sconosciuta: %lx><sconosciuta: %x><sconosciuto><sconosciuto>: %d<sconosciuto>: %lx<sconosciuto>: %x<sconosciuta>: 0x%x@%08xÈ stata specificata una pagina codici con opzione "%s" e UTF16.
AccessoEsportazioni aggiunte al file di outputAggiunta delle esportazioni al file di outputIndirizzoQualsiasi
Applicazione
Applicazione o realtime
Sezione di attributo: %s
Libreria di controlloIntestazione ausiliaria:
Libreria ausiliariatipo di float BCD non supportatoVersione dell'intestazione BFD del file %s
sh_info errato nella sezione di gruppo "%s"
sh_link errato nella sezione di gruppo "%s"
Stab errato: %s
C6000 Bare-metalIl binario %s contiene:
Indicatore "end-of-siblings" inesistente rilevato alla posizione %lx nella sezione .debug_info
classe base C++ non definitaclasse base C++ non trovata nel contenitoredati membro C++ non trovati nel contenitorevalori predefiniti C++ non in una funzionel'oggetto C++ non ha campiil riferimento C++ non Ã¨ un puntatoreriferimento C++ non trovatometodo virtuale statico C++CORE (file core)La UC all'offset %s contiene un numero di versione danneggiato o non supportato: %d.
UC: %s/%s:
UC: %s:
Impossibile creare il file .lib: %s: %sImpossibile riempire l'intervallo dopo la sezioneImpossibile ottenere LIBRERIA e NOMEImpossibile aprire il file .lib: %s: %sImpossibile aprire il file def: %sImpossibile aprire il file %s
Impossibile interpretare gli indirizzi virtuali senza le intestazioni di programma.
Impossibile produrre la dll mcore-elf dal file di archivio: %sIndirizzamento del codice dipendente dalla posizione
Indirizzamento del codice indipendente dalla posizione
File di configurazioneContenuto della sezione %s:
 
Contenuto della sezione %s:Contenuti della sezione %s:
Contenuto della sezione %s:
 
Converte un file oggetto COFF in un file oggetto SYSROFF
Copyright 2011 Free Software Foundation, Inc.
Intestazione danneggiata nella sezione di gruppo "%s"
Intestazione danneggiata nella sezione %s.
Lunghezza dell'unità danneggiata (0x%s) trovata nella sezione %s
Impossibile localizzare "%s".  Messaggio di errore del sistema: %s
Impossibile localizzare la sezione .ARM.extab contenente 0x%lx.
Impossibile ottenere il tipo interno decodificato
File lib creatoCreazione del file di libreria: %sCreazione del file stub: %sL'archivio attualmente aperto Ã¨ %s
DIE alla posizione %lx si riferisce al numero di abbreviazione %lu che non esiste
Nome DLLTOOL    : %s
Opzioni DLLTOOL : %s
Nome DRIVER     : %s
Opzioni DRIVER  : %s
Indirizzamento DSBT non utilizzato
Utilizzato indirizzamento DSBT
DW_FORM_data8 non Ã¨ supportato quando sizeof (dwarf_vma) != 8
offset di DW_FORM_strp troppo grande: %s
DYN (file oggetto condiviso)Indirizzamento dei dati dipendente dalla posizione
Indirizzamento dei dati indipendente dalla posizione, GOT lontano da DP
Indirizzamento dei dati indipendente dalla posizione, GOT vicino a DP
Dimensione datiLe informazioni di debug sono danneggiate, la posizione dell'abbreviazione (%lx) Ã¨ più grande della dimensione della sezione abbreviata (%lx)
Le informazioni di debug sono danneggiate, la lunghezza della UC a %s si estende oltre la fine della sezione (lunghezza = %s)
Dump decodificato dei contenuti di debug della sezione %s:
 
Eliminazione del file base temporaneo %sEliminazione del file def temporaneo %sEliminazione del file exp temporaneo %sIl nome decodificato non Ã¨ una funzione
Libreria di controllo delle dipendenzeLa visualizzazione dei contenuti dei debug della sezione %s non Ã¨ ancora supportata.
Non si conoscono le rilocazioni dell'architettura di questa macchina
Lettura di %s completataSimbolo duplicato inserito nell'elenco delle parole chiave.Rilocazioni dinamiche:
Simboli dinamici:
Intestazione ELF:
ERRORE: lunghezza errata della sezione (%d > %d)
ERRORE: lunghezza errata della sottosezione (%d > %d)
EXEC (file eseguibile)Fine della sequenza
 
Punto di ingresso Errore, EXPORT duplicato con ordinali: %sTabella delle eccezioni:
Esclusione del simbolo: %sEsecuzione di %s non riuscitaFORMAT Ã¨ uno tra rc, res o coff.  Se non specificato, viene dedotto dall'estensione
del nome del file. Un nome singolo corrisponde a un file di input. Senza alcun nome 
il file di input Ã¨ stdin e il file di output Ã¨ stdout, il predefinito Ã¨ rc.
Impossibile determinare la lunghezza dell'ultima catena
Impossibile stampare il modello decodificato
Impossibile memorizzare il numero di bucket
Impossibile memorizzare il numero di catene
Il file %s non Ã¨ un archivio quindi il suo indice non può essere visualizzato.
Attributi file
Il file contiene tabelle di stringhe dinamiche multiple
Il file contiene tabelle dei simboli dinamici multiple
Il file contiene tabelle shndx symtab multiple
Intestazione del file:
Nome del file                        Numero riga    Indirizzo di partenza
Libreria di filtroFlag:Per file XCOFF:
  header      Visualizza l'intestazione del file
  aout        Visualizza l'intestazione ausiliaria
  sections    Visualizza le intestazioni delle sezioni
  syms        Visualizza la tabella dei simboli
  relocs      Visualizza le voci di rilocazione
  lineno      Visualizza le voci dei numeri di riga
  loader      Visualizza la sezione del caricatore
  except      Visualizza la tabella delle eccezioni
  typchk      Visualizza la sezione di controllo dei tipi
  traceback   Visualizza i tag del tracciamento
  toc         Visualizza i simboli toc
Ulteriori avvertimenti riguardo gli indicatori "end-of-sibling" inesistenti soppressi
GOTFile di esportazione generatiGenerazione del file di esportazione: %sGenerico
Hard float
Hard float (FPU a 64 bit MIPS32r2)
Hard float (precisione doppia)
Hard float (precisione singola)
Hard oppure soft float
ID della voce di directoryID della risorsaID della sottodirectoryoverflow numerico IEEE: 0xoverflow della lunghezza di stringa IEEE: %u
dimensione %u non supportata del tipo complesso IEEE
dimensione %u non supportata del tipo float IEEE
dimensione %u non supportata del tipo intero IEEE
Ind Nome          Dimens    VMA               LMA               Pos file  AllinInd Nome          Dimens    VMA       LMA       Pos file  AllinFile di importazione:
La libreria di importazione "%s" specifica due o più dllNell'archivio %s:
Indice dell'archivio %s: (%ld voci, 0x%lx byte nella tabella dei simboli)
InizialeIl file di input "%s" non Ã¨ leggibile
Il file di input "%s" non Ã¨ leggibile.
Il file di input "%s" ignora il parametro di architettura binaria.Versione dell'interfaccia: %s
Errore interno: la versione di DWARF non Ã¨ 2, 3 o 4.
Errore interno: macchina di tipo sconosciuto: %dErrore interno: impossibile creare la stringa di formato per visualizzare l'interprete di programma
Numero massimo di operazioni per insn non valido.
Opzione "-%c" non valida
Radice non valida: %s
sh_entsize non valida
Conservazione del file base temporaneo %sConservazione del file def temporaneo %sConservazione del file exp temporaneo %sLegenda dei flag:
  W (scrittura), A (allocazione), X (esecuzione), M (unione), S (stringhe)
  I (informazioni), L (ordine link), G (gruppo), T (TLS), E (esclusione), x (sconosciuto)
  O (richiesta elaborazione aggiuntiva SO) o (specifico del SO), p (specifico del processore)
Legenda dei flag:
  W (scrittura), A (allocazione), X (esecuzione), M (unione), S (stringhe), l (grande)
  I (informazioni), L (ordine link), G (gruppo), T (TLS), E (esclusione), x (sconosciuto)
  O (richiesta elaborazione aggiuntiva SO) o (specifico del SO), p (specifico del processore)
LIBRERIA: base %s: %xUltime voci stabs prima dell'errore:
rpath della libreria: [%s]runpath della libreria: [%s]soname della libreria: [%s]Numeri di riga per %s (%u)
Intestazione del caricatore:
L'elenco di posizioni che inizia all'offset 0x%lx non Ã¨ terminato.
Gli elenchi di posizioni nella sezione %s iniziano a 0x%s
Macchina "%s" non supportataMemoria
Microcontrollore
Non si conoscono i tipi di rilocazione a 32 bit usati nelle sezioni DWARF della macchina numero %d
Sezione %s rinominata più volteDeve essere fornita almeno una tra le opzioni -o oppure --dllnameNOME: base %s: %xNESSUNO
NONE (nessuno)NT_ARCH (architettura)NT_AUXV (vettore ausiliario)NT_FPREGS (registri a virgola mobile)NT_FPREGSET (registri a virgola mobile)NT_GNU_ABI_TAG (tag della versione ABI)NT_GNU_BUILD_ID (stringa di bit unica dell'ID di creazione)NT_GNU_GOLD_VERSION (versione di gold)NT_GNU_HWCAP (informazioni HWCAP sul software fornito da DSO)NT_LWPSINFO (struttura lwpsinfo_t)NT_LWPSTATUS (struttura lwpstatus_t)NT_PPC_VMX (registri Altivec ppc)NT_PPC_VSX (registri VSX ppc)NT_PRPSINFO (struttura prpsinfo)NT_PRSTATUS (struttura prstatus)NT_PRXFPREG (struttura user_xfpregs)NT_PSINFO (struttura psinfo)NT_PSTATUS (struttura pstatus)NT_S390_CTRS (registri di controllo s390)NT_S390_HIGH_GPRS (metà del registro superiore s390)NT_S390_PREFIX (registro di prefisso s390)NT_S390_TIMER (registro temporizzatore s390)NT_S390_TODCMP (registro di comparazione TOD s390)NT_S390_TODPREG (registro programmabile TOD s390)NT_STAPSDT (descrittori di esplorazione SystemTap)NT_TASKSTRUCT (struttura task)NT_VERSION (versione)NT_VMS_EIDC (controllo di coerenza)NT_VMS_FPMODE (modalità FP)NT_VMS_GSTNAM (nome della tabella dei simboli)NT_VMS_IMGBID (id di creazione)NT_VMS_IMGID (id dell'immagine)NT_VMS_IMGNAM (nome dell'immagine)NT_VMS_LINKID (id del link)NT_VMS_LINKTIMENT_VMS_LNM (nome del linguaggio)NT_VMS_MHD (intestazione del modulo)NT_VMS_ORIG_DYNNT_VMS_PATCHTIMENT_VMS_SRC (file sorgente)NT_VMS_TITLENT_WIN32PSTATUS (struttura win32_pstatus)NT_X86_XSTATE (stato esteso XSAVE x86)N_LBRAC non Ã¨ dentro la funzione
NomeNome                  Valore          Classe       Tipo         Dimensione       Riga  Sezione
 
Nome                  Valore  Classe       Tipo         Dimens   Riga  Sezione
 
Indice del nome: %ld
Nome: %s
Num voci: %-8u Dimensione: %08x (%u)
IndStruttura procinfo di NetBSDLa sezione %s non Ã¨ presente
 
Forse non ci sono unità di compilazione nella sezione %sNessuna voce %s nell'archivio.
Nessun nome di file dopo l'opzione -fo.
Nessun elenco di posizioni nella sezione .debug_info.
Nessuna codifica per "%s"
Nessun membro chiamato "%s"
Nessun segmento di nota presente nel file di core.
Nessun elenco di intervalli nella sezione .debug_info.
NessunaNessuno
Non Ã¨ un file ELF, ha i byte magic iniziali errati
Memoria non sufficiente per un array di informazioni di debug di %u vociOggetto non necessario: [%s]
Non usato
Nulla da fare.
Specifico del SO: (%x)La posizione %s usata come valore per l'attributo DW_AT_import di DIE alla posizione %lx ha un valore troppo grande.
L'offset 0x%lx Ã¨ più grande della dimensione della sezione .debug_loc.
È supportata solo -X 32_64Attualmente Ã¨ supportata solo aranges di DWARF 2 e 3.
Attualmente Ã¨ supportata solo pubnames di DWARF 2 e 3
Attualmente sono supportate solo informazioni di riga DWARF versione 2, 3 e 4.
File temporaneo aperto: %sSpecifico del sistema operativo: %lxL'opzione -I Ã¨ deprecata per l'impostazione del formato di input, usare invece -J.
Memoria esaurita
Memoria esaurita allocando 0x%lx byte per %s
Memoria esaurita nell'allocazione della tabella delle richieste di dump.
Memoria esaurita nella lettura dei nomi lunghi di simbolo nell'archivio
Memoria esaurita durante il tentativo di conversione dell'indice dei simboli dell'archivio
Memoria esaurita durante il tentativo di lettura della tabella dei simboli degli indici di archivio
Memoria esaurita durante il tentativo di lettura dell'indice dei simboli dell'archivio
Il file di output non può rappresentare l'architettura "%s"ProprietarioGOT di PLTPT_FIRSTMACH+%dPT_GETFPREGS (struttura fpreg)PT_GETREGS (struttura reg)nome di file Pascal non supportatoComponenti del percorso rimossi da dllname, "%s".Dimensione del puntatore + dimensione del segmento non Ã¨ una potenza di due.
Stampa una interpretazione leggibile di un file oggetto SYSROFF
La larghezza di stampa non Ã¨ stata inizializzata (%d)File def elaboratoDefinizioni elaborateElaborazione del file def: %sElaborazione delle definizioniSpecifico del processore: %lxSpecifico del processore: (%x)REL (file rilocabile)Gli elenchi degli intervalli nella sezione %s iniziano a 0x%lx
Dump grezzo dei contenuti di debug della sezione %s:
Lettura della sezione non riuscitaRealtime
Espansione rifiutataRilocazioni per %s (%u)
Segnalare i bug a %s
Segnalare i bug su %s.
Valore di lunghezza riservato (0x%s) trovato nella sezione %s
Scansione del file oggetto %sLa sezione %d ha una sh_entsize pari a %lx non valida (attesa %lx)
Il dump della sezione %d non Ã¨ stato effettuato perché non esiste.
Il dump della sezione "%s" non Ã¨ stato effettuato perché non esiste.
Attributi sezione:Intestazioni di sezione (a %u+%u=0x%08x su 0x%08x):
Le intestazioni di sezione non sono disponibili.
Sezioni:
Seg Posizione        Tipo                             VetSim TipoDati
Seg Posiz    Tipo                            Addendo           Seg Pos Sim
Libreria condivisa: [%s]Hard float a precisione singola
Saltati i tipi di rilocazione inattesi all'offset 0x%lx
Saltati i tipi di rilocazione inattesi %s
Soft float
Applicazione autonomaPrelevamento informazioni dalla sezione %s in %sArchitetture supportate:Obiettivi supportati:Val.Sim.Attributi simbolo:Tabella dei simboli (strtable a 0x%08x)Errore di sintassi nel file def %s:%dTOC:
I dati della tabella degli indirizzi nella versione 3 possono essere errati.
Le informazioni nella sezione %s sembrano essere danneggiate, la sezione Ã¨ troppo piccola
Le informazioni di riga sembrano essere danneggiate, la sezione Ã¨ troppo piccola
Ci sono %d intestazioni di sezione, iniziando dall'offset 0x%lx:
Ci sono %ld byte inutilizzati alla fine della sezione %s
C'è un buco [0x%lx - 0x%lx] nella sezione %s.
C'è un buco [0x%lx - 0x%lx] nella sezione .debug_loc.
C'è una sovrapposizione [0x%lx - 0x%lx] nella sezione %s.
C'è una sovrapposizione [0x%lx - 0x%lx] nella sezione .debug_loc.
Questo eseguibile Ã¨ stato creato senza il supporto per
dati a 64 bit e quindi non può gestire i file ELF a 64 bit.
Questa istanza di readelf Ã¨ stata creata senza il supporto per
un tipo di dati a 64 bit e quindi non può leggere i file ELF a 64 bit.
Questo programma Ã¨ software libero; potete redistribuirlo secondo i termini della
GNU General Public License versione 3 o (a vostra scelta) qualsiasi versione successiva.
Questo programma non ha assolutamente alcuna garanzia.
Data e ora: %s
Troppi N_RBRAC
Provato "%s"
Provato il file: %sVero
Intestazione troncata nella sezione %s.
TipoNumero di tipo di file %d fuori dall'intervallo
Numero di tipo di indice %d fuori dall'intervallo
Sezione di controllo dei tipi:
SCONOSCIUTO (%*.*lx)SCONOSCIUTO: SCONOSCIUTO: lunghezza %d
Impossibile modificare l'ordine dei byte dei file di inputImpossibile determinare il nome della dll per "%s" (forse non Ã¨ una libreria di importazione)Impossibile determinare la lunghezza della tabella di stringhe dinamiche
Impossibile determinare il numero di simboli da caricare
Impossibile trovare il nome dell'interprete di programma
Impossibile caricare/analizzare la sezione .debug_info, quindi Ã¨ impossibile interpretare la sezione %s.
Impossibile localizzare la sezione %s.
Impossibile aprire il file base: %sImpossibile aprire il file oggetto: %s: %sImpossibile aprire il file assembler temporaneo: %sImpossibile leggere in 0x%lx byte di %s
Impossibile memorizzare i dati dinamici
Impossibile leggere il nome dell'interprete di programma
Impossibile riconoscere il formato del fileImpossibile riconoscere il formato del file di input "%s"Impossibile cercare in 0x%lx per %s
Impossibile cercare alla fine del file
Impossibile cercare alla fine del file.
Impossibile cercare all'inizio delle informazioni dinamiche
N_EXCL non definitoDecodificati argomenti di variabile non attesi
Tipo non atteso nella decodifica dell'elenco argomenti v3
Tipo di rilocazione MN10300 non gestito trovato dopo la rilocazione SYM_DIFFLunghezza dati non gestita: %d
Valore AT sconosciuto: %lxValore FORM sconosciuto: %lxOSABI sconosciuto: %s
Valore TAG sconosciuto: %lxFormato sconosciuto "%c"
Macchina di tipo sconosciuto: %d
Macchina di tipo sconosciuto: %s
Tipo di nota sconosciuto: (0x%08x)Tag sconosciuto: %d
Tipo sconosciuto: %s
Tipo XCOFF non riconosciuto %d
Opzione di debug "%s" non riconosciuta
Sezione di debug non riconosciuta: %s
Componente decodificato non riconosciuto %d
Tipo interno decodificato non riconosciuto
Forma non riconosciuta: %lu
EI_CLASS non supportata: %d
Versione %lu non supportata.
Uso %s <opzioni> <file-oggetto>
Uso: %s <opzioni> <file>
Uso: %s <opzioni> fileelf
Uso: %s <opzioni> file-input
Uso: %s [opzioni di emulazione] [-]{dmpqrstx}[abcDfilMNoPsSTuvV] [--plugin <nome>] [nome-membro] [numero] file-archivio file...
Uso: %s [opzioni di emulazione] [-]{dmpqrstx}[abcDfilMNoPsSTuvV] [nome-membro] [numero] file-archivio file...
Uso: %s [opzioni] [indirizzi]
Uso: %s [opzioni] [file]
Uso: %s [opzioni] [file-input [file-output]]
Uso: %s [opzioni] [file-di-input]
Uso: %s [opzioni] [file-di-input] [file-di-output]
Uso: %s [opzioni] file-input
Uso: %s [opzioni] file-input [file-output]
Uso: %s [opzioni] archivio
Uso: readelf <opzioni> file-elf
Viene usato "%s"
Uso del file: %sViene usata popen per leggere l'output del preprocessore
Uso del file temporaneo "%s" per leggere l'output del preprocessore
L'uso contemporaneo delle opzioni --size-sort e --undefined-onlyIl valore per "N" deve essere positivo.Versione %ld
La versione 4 non supporta le ricerche insensibili a maiuscole/minuscole.
L'indirizzo virtuale 0x%lx non Ã¨ situato in alcun segmento PT_LOAD.
Attenzione, ignorato l'EXPORT duplicato %s %d,%dAttenzione, tipo di macchina (%d) non supportato per delayimport.Attenzione: %s: %s
Attenzione: "%s" ha dimensione negativa, probabilmente Ã¨ troppo grandeAttenzione: "%s" non Ã¨ un file ordinarioAttenzione: modifica dimensione del tipo da %d a %d
Attenzione: impossibile localizzare "%s".  Motivo: %sAttenzione: valore --reverse-bytes precedente di %d ignoratoAttenzione: troncato il riempimento da 0x%s a 0x%x[%3u] 0x%lx - 0x%lx
[%3u] 0x%lx 0x%lx [<sconosciuto>: 0x%x] [Libero][Opcode troncato]
[riempimento][troncato]
"N" ha senso solo con le opzioni "x" e "d"."u" non ha senso con l'opzione "D"."u" ha senso solo insieme all'opzione "r"."x" non può essere usato su archivi leggeri.acceleratorearchitettura %s sconosciutaarchitettura: %s, attributirecord ATN65 erratoposizione o dimensione del bit del campo C++ erratasimbolo dinamico errato
formato errato per %snome codificato errato "%s"
record misc erratoregistro errato: tipo errato per la funzione del metodo C++trovato operando della riga estesa malformato
bfd_coff_get_auxent non riuscita: %sbfd_coff_get_syment non riuscita: %sbfd_open non riuscita nell'apertura del file stub: %s: %sbfd_open non riuscita nella riapertura del file stub: %s: %sblocchi lasciati alla fine dello stackil numero di byte deve essere inferiore all'interfoliazioneil numero di byte deve essere non-negativoimpossibile determinare il tipo di file "%s"; usare l'opzione -Jimpossibile aggiungere il riempimentoimpossibile aggiungere la sezione "%s"impossibile creare %s file "%s" per l'output.
impossibile creare la sezione di debugimpossibile creare la sezione "%s"impossibile disassemblare per l'architettura %s
impossibile eseguire "%s": %simpossibile ottenere il tipo di rilocazione BFD_RELOC_RVAimpossibile aprire %s "%s": %simpossibile aprire "%s" per l'output: %simpossibile aprire il file temporaneo "%s": %sImpossibile effettuare popen di "%s": %simpossibile ridirigere lo stdout: "%s": %simpossibile impostare l'obiettivo predefinito di BFD a "%s": %simpossibile impostare i contenuti della sezione di debugimpossibile usare la macchina %s fornitaimpossibile creare la sezione dei link di debug "%s"impossibile creare una directory temporanea per la copia dell'archivio (errore: %s)impossibile eliminare %s: %simpossibile riempire la sezione dei link di debug "%s"impossibile aprire "%s": %simpossibile aprire il file di input %simpossibile aprire %s: %simpossibile leggere auxhdrimpossibile leggere l'intestazioneimpossibile leggere la voce del numero di rigaimpossibile leggere i numeri di rigaimpossibile leggere la voce di rilocazioneimpossibile leggere le rilocazioniimpossibile leggere l'intestazione della sezioneimpossibile leggere le intestazioni di sezioneimpossibile leggere la tabella delle stringheimpossibile leggere la lunghezza della tabella delle stringheimpossibile leggere la voce ausiliaria del simboloimpossibile leggere la voce di simboloimpossibile leggere la tabella dei simboliimpossibile invertire i byte: la lunghezza della sezione %s deve essere divisibile per %d senza restoconflittotrovato un elenco di conflitti senza una tabella dei simboli dinamici
indicatore const/volatile mancantei dati di controllo richiedono DIALOGEXcopia da "%s" [%s] a "%s" [%s]
copia da "%s" [sconosciuto] a "%s" [sconosciuto]
nota danneggiata trovata all'offset %lx nelle note di core
impossibile creare un file temporaneo per tenere una copia rimossaimpossibile determinare il tipo del simbolo numero %ld
impossibile aprire il file di ridefinizione dei simboli %s (errore: %s)creazione di %scursoreIl file "%s" del cursore non contiene dati cursoresezione personalizzatavoce datidimensione dati %lddebug_add_to_current_namespace: nessun file correntedebug_end_block: tentativo di chiudere il blocco di livello superioredebug_end_block: nessun blocco correntedebug_end_common_block: non implementatadebug_end_function: nessuna funzione correntedebug_end_function: alcuni blocchi non erano chiusidebug_find_named_type: nessuna unità di compilazione correntedebug_get_real_type: informazioni di debug circolari per %s
debug_make_undefined_type: tipo non supportatodebug_name_type: nessun file correntedebug_record_function: nessuna chiamata a debug_set_filenamedebug_record_label: non implementatadebug_record_line: nessuna unità correntedebug_record_parameter: nessuna funzione correntedebug_record_variable: nessun file correntedebug_start_block: nessun blocco correntedebug_start_common_block: non implementatadebug_start_source: nessuna chiamata a debug_set_filenamedebug_tag_type: tentativo di usare un tag aggiuntivodebug_tag_type: nessun file correntedebug_write_type: riscontrato un tipo illecitocontrollo dialogdati del controllo dialogofine del controllo dialogodimensione in punti del tipo di carattere del dialogointestazione dialogocontrollo dialogexinformazioni del tipo di carattere dialogexdirectorynome della voce di directorydisassemble_fn ha restituito la lunghezza %dnon si conosce il modo di scrivere le informazioni di debug per %ssezione dinamicacorrezioni dell'immagine della sezione dinamicarilocazioni dell'immagine della sezione dinamicasezione delle stringhe dinamichetabella di stringhe dinamichestringhe dinamicheerrore nel copiare i dati BFD privatierrore nei dati di intestazione privatierrore: l'ampiezza dell'istruzione deve essere positivaerrore: la rimozione del prefisso deve essere non negativaerrore: il file di input "%s" Ã¨ vuotoerrore: l'indirizzo di partenza dovrebbe essere precedente all'indirizzo finaleerrore: l'indirizzo di arresto dovrebbe essere successivo all'indirizzo di partenzastack dell'espressione non corrispondenteoverflow dello stack dell'espressioneunderflow dello stack dell'espressionecopia dei dati privati non riuscitacreazione della sezione di output non riuscitaerrore nell'aprire il file di testa temporaneo: %serrore nell'aprire il file di testa temporaneo: %s: %serrore nell'aprire il file di coda temporaneo: %serrore nell'aprire il file di coda temporaneo: %s: %slettura del numero di voci dal file base non riuscitaimpostazione dell'allineamento non riuscitaimpostazione della dimensione non riuscitaimpostazione di vma non riuscitanome del file richiesto per l'input COFFè richiesto il nome del file per l'output COFFinformazioni sulla versione fissaflag = %d, produttore = %s
flag 0x%08x:
nomef: %.14sfontdirnome del device fontdirnome del tipo di carattere fontdirintestazione fontdircursore di gruppointestazione del cursore di gruppoicona del gruppointestazione dell'icona di gruppoha figlil'ID di aiuto richiede DIALOGEXsezione aiutoil file di icona "%s" non contiene dati di iconaignorato il valore alternativoindice di tipo illecitoindice di variabile illecitoi file di input e output devono essere diversiil file di input non sembra essere in UTF16.
file di input nominato sia sulla riga di comando che con INPUTl'interfoliazione deve essere positivail byte iniziale di interfoliazione deve essere impostato con --bytel'ampiezza di interfoliazione deve essere inferiore o uguale all'interfoliazione - byte"l'ampiezza di interfoliazione deve essere positivaerrore interno, questa opzione non Ã¨ implementataerrore interno di stat su %sargomento non valido per --format: %sspecificata pagina codici non valida.
indice non valido nell'array dei simboli
argomento intero non valido %slunghezza minima della stringa non valida %dnumero non validoopzione -f non valida
lunghezza della stringa non validaspecificato un valore non valido per pragma code_page.
ling motivo simb/indir
lunghezza %d [liblisttabella di stringhe liblistnumrig  indsim/indfis
crea la sezione .bsscrea la sezione .nlmsectionscrea la sezioneintestazione menùintestazione menuexposizione menuexmenuitemintestazione menuitemsezione messaggiotipo di indice mancanteASN richiesto mancanteATN65 richiesto mancantesezione modulopiù di un segmento dinamico
voce di directory con nomerisorsa con nomesottodirectory con nomenessuna sezione .dynamic nel segmento dinamico
nessuna sezione .except nel file
nessuna sezione .loader nel file
nessuna sezione .typchk nel file
nessun tipo di argomento nella stringa codificata
nessun figlionessuna voce %s nell'archivio
nessuna voce %s nell'archivio %s.nessun file di definizione delle esportazioni fornito.
Ne viene creato uno, ma potrebbe non risultare conforme alle aspettativenessuna informazione per il simbolo numero %ld
nessun file di inputnessun file di input specificatonessun nome per il file di outputnessuna operazione specificatanessuna risorsanessun simbolo
nessuna informazione di tipo per la funzione del metodo C++nessunanon impostati
il simbolo "%s" non viene rimosso perché Ã¨ nominato in una rilocazionenotestringa unicode terminata con nullil numero di byte da invertire deve essere positivo e parioverflow numericoposiz     lun  id-ling hash-general hash-linguaggio
offset: %08xl'opzione -P/--private non Ã¨ supportata da questo fileopzionimemoria esaurita analizzando le rilocazioni
overflow - nriloc: %u, numrig: %u
overflow durante la regolazione della rilocazione contro %sparse_coff_type: codice di tipo errato 0x%xpop frame {forse l'intestazione del file ELF Ã¨ danneggiata, ha un offset di intestazione di sezione diverso da zero, ma senza alcuna intestazione di sezione
forse l'intestazione ELF Ã¨ danneggiata, ha un offset di intestazione di programma diverso da zero ma senza alcuna intestazione di programmapreprocessamento non riuscito.intestazioni di programmaLettura della sezione %s di %s non riuscita: %sil parametro di riferimento non Ã¨ un puntatoreil conteggio delle rilocazioni Ã¨ negativorilocazioniID della risorsadati delle risorsedimensione dei dati delle risorsetipo di risorsa sconosciutasezione rpcsezione %u: il valore sh_link di %u Ã¨ più grande del numero di sezioni
la sezione "%s" Ã¨ di tipo NOBITS, il suo contenuto non Ã¨ attendibile.
sezione "%s" menzionata in una opzione -j, ma non trovata in alcun file di inputla sezione .loader Ã¨ troppo corta
sezione 0 nella sezione di gruppo [%5u]
sezione [%5u] nella sezione di gruppo [%5u] > sezione massima [%5u]
la sezione [%5u] nella sezione di gruppo [%5u] Ã¨ già nella sezione di gruppo [%5u]
contenuto della sezionedati di sezioneintestazioni di sezioneimposta il vma di .bssimposta la dimensione di .dataimposta i contenuti di .nlmsectionimposta la dimensione di .nlmsectionsimposta indirizzo a 0x%s
imposta il discriminatore a %s
imposta l'allineamento della sezioneimposta i flag della sezioneimposta la dimensione della sezioneimposta l'indirizzo di partenzash_entsize Ã¨ pari a zero
sezione condivisaviene saltato l'offset della rilocazione non valida 0x%lx nella sezione %s
viene saltato il tipo di simbolo inatteso %s nella %ldª rilocazione nella sezione %s
questo programma Ã¨ stato creato senza il supporto per i plugin
sp = sp + %ldstab_int_type: dimensione errata %uoverflow dello stackunderflow dello stackstat non riuscita sul file bitmap "%s": %sstat non riuscita sul file "%s": %sstat non riuscita sul file di tipo di caratteri "%s": %sstat ha restituito una dimensione negativa per "%s"tabella di stringhestring_hash_lookup non riuscita: %sstringa stringtablelunghezza della stringa stringtabledimensioni delle sezioni stubil sottoprocesso ha ricevuto il segnale fatale %dsupporto non compilato per %sflag supportati: %sinformazioni sul simbolosimbolishndx symtabdump specifico per l'obiettivo "%s" non supportatola sezione .dynamic non Ã¨ contenuta all'interno del segmento dinamico
la sezione .dynamic non Ã¨ la prima sezione nel segmento dinamico.
questo obiettivo non supporta %lu codici macchina alternativiquel numero viene invece trattato come un valore e_machine assolutotentativo di aggiungere una lingua errata.specificate due diverse opzioni per l'operazioneimpossibile applicare il tipo di rilocazione %d non supportato alla sezione %s
impossibile copiare il file "%s"; motivo: %simpossibile aprire il file "%s" per l'input.
impossibile aprire il file di output %simpossibile analizzare codice macchina alternativoimpossibile leggere i contenuti di %simpossibile rinominare "%s"; motivo: %soggetto C++ non definitovtable C++ non definitavariabile non definita in ATNvariabile non definita in TYversione di DIALOGEX non attesa %dfine inattesa delle informazioni di debugversione delle informazioni sulla versione fissa non attesa %lulunghezza delle informazioni sulla versione fissa non attesa %ldfirma della versione fissa non attesa %lutipo di cursore di gruppo non atteso %dtipo di icona di gruppo non attesa %dnumero inattesotipo di record inattesostringa non attesa in misc di C++lunghezza del valore stringfileinfo non attesa %ldlunghezza del valore varfileinfo non attesa %ldstringa di versione inattesalunghezza della stringa di versione non attesa %ld != %ld + %ldlunghezza della stringa di versione non attesa %ld < %ldlunghezza del valore stringtable di versione non attesa %ldtipo di versione inatteso %dlunghezza del valore di versione non attesa %ldsconosciutatipo ATN sconosciutotipo BB sconosciutonome codificato C++ sconosciutovisibilità C++ sconosciutasottosistema PE sconosciuto: %scodice TY sconosciutotipo interno sconosciutostile di decodifica "%s" sconosciutotipo di formato "%s" sconosciutoobiettivo di input EFI sconosciuto: %sopzione "%s" dei nomi lunghi di sezione sconosciutamac sconosciutamagic sconosciutoobiettivo di output EFI sconosciuto: %ssezione sconosciutacarattere virtuale sconosciuto per la classe di basecarattere di visibilità sconosciuto per la classe di basecarattere di visibilità sconosciuto per il campotipo $vb senza nometipo non riconosciuto per --endian: "%s"opzione -E non riconosciutaabbreviazione C++ non riconosciutatipo predefinito C++ non riconosciutorecord misc di C++ non riconosciutospecifica di overhead dell'oggetto C++ non riconosciutaspecifica dell'oggetto C++ non riconosciutatipo di riferimento C++ non riconosciutotipo di riferimento incrociato non riconosciutoflag di sezione non riconosciuto "%s"non riconosciuto: %-7lxrilocazione relativa a PC non risolta contro %sATN11 non supportatoATN12 non supportatotipo di oggetto C++ non supportatooperatore di espressione IEEE non supportatoversione del menù non supportata %dnumero di istruzione del frame di chiamata dwarf non supportato o sconosciuto: %#x
qualificatore non supportatodati di espansioneinformazioni di espansionetabella delle espansionidefinito dall'utente: indv    seg mod dim tipo  indsim simbolo
dati di versionedefinizione di versionedefinizione di versione auxsezione di definizione della versionela lunghezza della versione %d non corrisponde alla lunghezza della risorsa %lurequisito di versionerequisito di versione aux (2)requisito di versione aux (3)sezione del requisito di versionetabella di stringhe di versionedati dei simboli di versioneinformazioni sulla variabile di versionevarfileinfo di versioneattendere: %sattenzione: procedura CHECK %s non definitaattenzione: procedura EXIT %s non definitaattenzione: FULLMAP non Ã¨ supportata; usare ld -Mattenzione: nessun numero di versione fornitoattenzione: procedura START %s non definitaattenzione: impossibile creare un file temporaneo durante la copia di "%s", (errore: %s)attenzione: impossibile localizzare "%s".  Messaggio di errore del sistema: %sattenzione: allineamento del file (0x%s) > allineamento della sezione (0x%s)attenzione: i formati di input e di output non sono compatibiliattenzione: dimensione dell'intestazione opzionale troppo grande (> %d)
attenzione: il simbolo %s Ã¨ stato importato ma non Ã¨ nell'elenco di importazionenon produce alcun output, dato che i simboli indefiniti non hanno dimensione.scrittura dello stub| <sconosciuto>