forked from ~ljy/RK356X_SDK_RELEASE

hc
2023-03-21 4b55d97acc464242bcd6a8ae77b8ff37c22dec58
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
2551
2552
2553
2554
2555
2556
2557
2558
2559
2560
2561
2562
2563
2564
2565
2566
2567
2568
2569
2570
2571
2572
2573
2574
2575
2576
2577
2578
2579
2580
2581
2582
2583
2584
2585
2586
2587
2588
2589
2590
2591
2592
2593
2594
2595
2596
2597
2598
2599
2600
2601
2602
2603
2604
2605
2606
2607
2608
2609
2610
2611
2612
2613
2614
2615
2616
2617
2618
2619
2620
2621
2622
2623
2624
2625
2626
2627
2628
2629
2630
2631
2632
2633
2634
2635
2636
2637
2638
2639
2640
2641
2642
2643
2644
2645
2646
2647
2648
2649
2650
2651
2652
2653
2654
2655
2656
2657
2658
2659
2660
2661
2662
2663
2664
2665
2666
2667
2668
2669
2670
2671
2672
2673
2674
2675
2676
2677
2678
2679
2680
2681
2682
2683
2684
2685
2686
2687
2688
2689
2690
2691
2692
2693
2694
2695
2696
2697
2698
2699
2700
2701
2702
2703
2704
2705
2706
2707
2708
2709
2710
2711
2712
2713
2714
2715
2716
2717
2718
2719
2720
2721
2722
2723
2724
2725
2726
2727
2728
2729
2730
2731
2732
2733
2734
2735
2736
2737
2738
2739
2740
2741
2742
2743
2744
2745
2746
2747
2748
2749
2750
2751
2752
2753
2754
2755
2756
2757
2758
2759
2760
2761
2762
2763
2764
2765
2766
2767
2768
2769
2770
2771
2772
2773
2774
2775
2776
2777
2778
2779
2780
2781
2782
2783
2784
2785
2786
2787
2788
2789
2790
2791
2792
2793
2794
2795
2796
2797
2798
2799
2800
2801
2802
2803
2804
2805
2806
2807
2808
2809
2810
2811
2812
2813
2814
Þ•£45ÛLj¸¹¿ύ⍠÷Ž-ŽFŽ"eŽ+ˆŽ´ŽԎ쎠þŽ&2 Ye&„ «&̏ ó'!<^{7”=̐
‘‘,‘ J‘&V‘(}‘¦‘DÑ;’6D’E{’Á’
גâ’Fþ’:E“6€“·“1Ɠ,ø“,%”R”a”t”#‰”#­”%є+÷”*#•N•`•s•)’•-¼•ê•(–-– =–I–Qd–2¶–0é–,—(G—+p—%œ—.—,ñ—+˜J˜?[˜6›˜1Ҙ3™38™l™E~™ęTݙ2š NšC\šB šAãš=%›Ec›X©›œ38IS‚N֝;%ž:ažRœž3ïžN#Ÿ8rŸF«ŸGòŸ: J  d p ( (¨ (Ñ (ú #¡6¡.E¡t¡!¡'²¡!Ú¡ü¡¢"¢4¢P¢c¢*r¢-¢*Ë¢7ö¢.£G£ `£n£YŒ£bæ£I¤*d¤¤Ÿ¤&±¤ ؤ<æ¤3#¥3W¥:‹¥/Æ¥Dö¥2;¦4n¦,£¦4Ц<§5B§7x§5°§3æ§8¨S¨+k¨8—¨9Ш8
©8C©:|©+·©0ã©0ª2Eª'xª8 ª"Ùª0üª7-«He«J®«9ù«R3¬7†¬L¾¬7 ­2C­Rv­:É­?®>D®=ƒ®>Á®6¯<7¯7t¯8¬¯<å¯<"°I_°N©°=ø°H6±)±=©±Aç±>)²h²{²7޲3Ʋú²³+³D³Y³j³³œ³«³@˳8 ´E´U´k´†´ž´¶´Ì´à´3ñ´%µ@µ$Tµyµ‘µ­µµÕµíµ¶¶",¶&O¶¯v¶ç&·9¹+H¹At¹Š¶¹AºäϺ䴻³™¼)M½Õw¾;MÀ¡‰Á§+ÆèÓÈM¼Ïq
×Õ|×éRð¹<ñöñ
òò*3ò(^ò
‡ò’ò®òÊò$êò(ó-8ó(fó
óšó"µóØó"àó/ô(3ô\ô%xôžôµô Ôô
àôëô-óô!õ';õcõwõ"Žõ+±õ#Ýõ ö""ö"Eö(hö ‘ö"ö"Àöãö ôö÷#*÷_N÷B®÷:ñ÷!,øNødø(ƒø(¬øÕøõø(ùH=ùQ†ù-Øù"ú%)ú"Oúrú%‚ú ¨úÉú"âúûû 6ûDû\û"|ûŸû4¶û#ëûü(&üOüfü3†üºüÌüÝüðüý"ý7ý+Sý1ý1±ý1ãý þ2#þ6Vþþ5£þ@Ùþ\ÿJwÿ(Âÿëÿ    #@\&s)š*Ä+ï+"GjŠ ©$¶(Û/(4&]7„A¼.þ -C:Q~YÐ3*-^%Œ²5Æ?ü,<1i@›Ü>ò.1)`Š 6«âQ÷If1³Îç#=az+“-¿!í    *    C    \    +q        ¶    Ë    4à    
50
If
°
Ð
ë
+     5 P k „  -¶ ä   4 2K .~     ­ · È Þ $ö  8/     h r Š $¦ Ë Ú ë û  2Cb€’«    ³7½õ5 7A?y,¹æ0ü+-3Y¡.¶7åEc2{C®3ò7&-^6ŒDÃ<,E;r4®
ã/îQ05‚¸*Èó/ =N _€^†å÷7BSK–9âBZ_º=Î) 6JE]£!7¸#    ð&÷ú+tò0Üg1ND5J“6œÞ6®{9*:D: X:$y:ž:º:Ø:ï:'ô:;5; S;_;s;Œ;¢;»;Ð;å;ô;<<6<F< b<n<ƒ<–<ª<3¹<
í< ø<=#=8=M=R=l=ƒ=œ=µ=É=ã=_ó=S> q>!’> ´>À>ß>'ÿ>!'?$I?n?(„?5­?3ã?7@%O@%u@&›@#Â@)æ@ AA9ALAlA‹A£A%¾AäA&üA$#B(HB@qB²B"ÏB:òB!-C.OC1~C@°C%ñC&D+>D*jD%•D(»DäDEE#0E$TEyE“E$¥E%ÊEðE F"F$>F'cF‹F£F²FËF)æFG -G:GWGnG,…G²G\ÒG//H_H rH=€H2¾H*ñH#I@I_I|IIŸI²I*ÆIñI+J*<JgJ }J‹J:¦J!áJKK4K DK eK!†K"¨KËK    èK òKL L L)LALPLeLtL‰LžL²LÁL    ÄL ÎL ÚLæL ïL ýL M M +M 9M#GM*kMI–M)àM
NN N)NDNbNyN‚NŠN¡N"©NÌNäNôN O O>O    WO&aOˆO—O"©O ÌOØOéOúO    
PP".PQPbP{P“P¯P#ÏP    óPýPQ Q$Q=QXQnQ }Q    ‹Q •Q£Q ²QÀQ0ÐQRR%RCRKRPR `RmR<†RÃR ÚRèRûR S*S"FS"iS ŒSšSB«SîS%    T&/T$VT{T”T±TÉTãTDôT 9UEUNUmUŠU¦UÃUÛU1ïU8!V<ZV2—V#ÊV%îVW'W AWbWzW—W6µW.ìW X+)XUX%tX"šX?½X/ýX1-Y6_Y$–Y»YÌYæYýY ZI&ZpZ†ZœZ²ZÈZâZ2øZ)+[:U[ [&±[BØ[.\J\#c\6‡\2¾\    ñ\Vû\XR]/«]Û]û]^!9^[^Bt^:·^ò^+_._?_ Q_$^_'ƒ_«_Â_Æ_ Ø_å_)û_%`7`L`Òc`&6a#]a$a#¦a<Êab-b-Fb+tb  bE®bôbcQ
cú\d?Wf    —f¡f¸fÓfÜf õf!g#gBgagug ˆg”g¤g ¾g&ßg$h&+hNRh>¡hàh.ïhi.iDEiŠi ’i!³i6Õi j0"j(SjN|j0Ëj$üj!!k%Ckikk’k¦kÅkãkÞléàlÊmßm!æmnn2nGnanqn†n–n:¦n+án
oo o)o9oTo\oqo,‚o"¯oTÒo'p4Fp{pp¥p ªp#¶p Úpûp5q5Hq ~qŸq¾qÙq$ðq&r <r+]r"‰r/¬r"Ür$ÿr"$sGs fs ‡s$¨sÍsês%    t./t5^t%”t3ºt/ît#u-Bu0pu¡u(½uæuvv:vRvqvŠv¢v½vÕvðv w)%w(Owxw•w`šwPûwLx    ]x"gxŠxŽx¨xÀxÞx&÷x*yIy_y+uy'¡yÉyÎy<Ôy6zHz    azkz{zTz5âz#{<{4W{4Œ{@Á{<|?|Y|Mx|Æ|,Õ|-}30}@d}?¥}9å}.~N~T~s~ Ž~š~,¹~3æ~?)Z„¡´Êâù€*€)A€+k€—€    ®€¸€ ɀՀ1G
Y dp&ˆ5¯/å0‚$F‚7k‚£‚-·‚#å‚
   ƒFƒK[ƒ§ƒ¿ƒԃ/ñƒ'!„I„ P„\„k„{„Š„„%¨„΄ç„ú„…!…"4…W…v…2|…?¯…8ï…4(†/]†7†3ņ;ù†q5‡w§‡Ãˆãˆòˆ ‰‰ ‰$&‰K‰!P‰"r‰•‰ª‰»‰    Ô‰,މ> Š;JŠ2†Š(¹ŠRâŠ5‹S‹"p‹+“‹$¿‹ä‹(Œ&-Œ5TŒŠŒªŒɌ/錍*;)Y7ƒ6»ò, Ž:ŽPŽhŽ{Ž’Ž'§Žώ鎏0B^~#ž$çÿGIa«&Ő ì! ‘!/‘|Q‘jΑ 9’ Z’+{’#§’1˒ý’)“F“'c“ ‹“—“(¦“6ϓ;”B”Q” q”5~”.´”.㔕:(•c• k•+x•9¤•ޕ9ï•%)–*O–+z–6¦–.ݖ ——'—:—M—U—i— o—4|—*±—+ܗ7˜$@˜ e˜q˜‰˜    œ˜ ¦˜
´˜¿˜И™+™;™ J™+k™—™¶™&ՙ(ü™
%š0š7š(Sš |š6šԚæš&ýš$›C›&]›+„›'°› Ø›ù›'œ8œOœ"nœ‘œ¦œ(Ɯ$2%J5p¦#»ߝôž"ž5žUžhž†žŸž½žڞòž Ÿ)ŸHŸ bŸƒŸ Ÿ¹ŸIҟ ! 3*  ^  !ž +À 'ì ¡'¡ F¡S¡5m¡6£¡2Ú¡  ¢#.¢5R¢ ˆ¢”¢-›¢É¢
Ø¢ ã¢/ñ¢1!£!S£'u£'£/Å£2õ£7(¤+`¤ Œ¤1­¤#ߤ"¥+&¥&R¥#y¥)¥.Ç¥#ö¥¦*:¦e¦‚¦‘¦¥¦¸¦ Ϧݦî¦    §§!'§4I§~§…§•§!²§Ô§ë§¨¨#¨3¨B¨a¨!~¨" ¨"è)æ¨(©69©#p©9”©9Ωª"ª<ªWªsª&“ª*ºª&åª* «37«k«ƒ«–« ¨«!É«ë«þ«¬5¬D¬L¬`¬r¬¬Ь¬Ÿ¬ ¦¬³¬
ǬÒ¬ ä¬ñ¬ ­)­B­a­t­(‹­'´­4Ü­®--®A[®!®-¿®í® ¯(¯ E¯f¯ ‚¯£¯²¯ů.Û¯
°°+°@° V°d°v° ° ° ©° ·°ŰΰÞ°î°±±-±<±[±q±€±+“±¿±Û±÷±$² 8²D²\²Sw²˲%Ó² ù²³³7³ N³ [³+g³“³˜³=¡³=ß³´#´4B´w´ ˆ´ •´.¡´дØ´Þ´!ü´-µ#Lµ
pµ {µc‡µ]ëµI¶_¶o¶#¶$¥¶ʶ ç¶ ó¶·· *·
6·A·8C·F|·@÷F¸K¸!i¸=‹¸Dɸ¹ ¹!,¹N¹(^¹ ‡¹”¹£¹¼¹Ò¹ç¹ºº(º9ºKº_º    nºxº    º7‹º=úF»;H» „»’»­»¼»#Ì»ð»! ¼#/¼S¼ Z¼g¼…¼˜¼²¼ǼÛ¼û¼½-½L½`½s½‘½'™½AÁ½F¾:J¾;…¾Á¾)ܾ¿8 ¿$D¿$i¿Ž¿(¬¿Õ¿!ó¿À*À?ÀYÀrÀ'‘À)¹À/ãÀ&Á:ÁZÁxÁŠÁ¡Á*¿Á'êÁÂ1,Â*^Â/‰Â¹Â#ÔÂøÂÃÃ!Ã:ÃQÃjÃzÏíüÃÕÃ&òÃ Ä %Ä3ÄQÄ'aÄ*‰Ä&´ÄÛÄìÄ Å#ÅAÅ_Å%|ŢſÅ!ßÅÆ Æ'4Æ\ÆnÆ€Æ$œÆÁÆ@ÝÆÇ4Ç<ÇDÇ LÇ XÇ dÇqÇ€Ç‰Ç ‘Ç žÇªÇºÇ4ÕÇ
ÈÈ,ÈAÈPÈeÈyȍȞȲÈ'»È&ãÈ,
É 7É'XÉI€É9ÊÉ9Ê4>Ê/sÊ2£Ê=ÖÊ Ë !Ëm-˛̡̰ÌÂÌÝÌýÌÍ#/Í'SÍ"{͞;ÍÖÍ!èÍ
Î'Î FÎ#SÎ$wΜÎ%¸ÎÞÎ$ûÎ! ÏBÏaÏ@xÏH¹ÏÐ Ð( Ð IÐ3VÐ*ŠÐ µÐDÖÐ@ÑE\ÑS¢ÑöÑ    
Ò+ÒI@Ò;ŠÒ=ÆÒÓ8Ó2WÓ/ŠÓºÓÉÓÛÓ)òÓ0Ô6MÔ3„Ô2¸ÔëÔüÔ&Õ/6Õ5fÕœÕ0ºÕëÕ ûÕÖX Ö5yÖ8¯Ö,èÖ.×-D×'r×4š×2Ï×/Ø2ØJGØ;’Ø6ÎØ7Ù.=ÙlÙD|ÙÁÙSÜÙ0ÚLÚC\ÚA ÚCâÚ=&ÛEdÛqªÛÜB%Ý?hÝR¨ÝMûÝPIÞCšÞSÞÞ;2ßSnß<ÂßIÿßJIà”à¦à    ¾àÈà(×à(á()á(Rá{á á9›áÕá óá(â!=â_âsâˆâžâ¼â Ðâ4Üâ:ã6LãEƒãÉãäã ÿã äW+äbƒäæä,å0åAå$Vå {åE‰å3Ïå:æ9>æ+xæS¤æ;øæ@4ç2uçO¨ç@øçE9è>è1¾è4ðèB%éhé*éFªé?ñé81ê8jêB£ê4æê+ë.Gë4vë/«ë;Ûë$ì@<ì7}ìFµìWüì@TíR•í:èíK#î>oî7®îlæîESïH™ï@âï=#ð=að3ŸðBÓð:ñ?QñC‘ñ@ÕñIòQ`òA²òOôò1Dó=vóN´ó:ô>ôQô7dô3œôÐôêôýôõ+õ:õPõnõ†õA¦õ9èõ"ö:öPödö|ö•ö«ö¿ö5Ñö÷!÷'5÷]÷y÷—÷«÷¼÷Ò÷ì÷ü÷"ø$2øWøÎèøA·ú3ùú>-û¢lû¢üè²üè›ýµ„þ*:ÿÙe5?íu³cÑ ¾éq¨ëî6¹õ6¯7Ã7×7*ì7(8    @8 J8)k8-•84Ã86ø89/9(i9    ’9œ9%·9
Ý9"è94 :(@:i:&‰:°: Æ:
ç:    ò:    ü:-;4;,P;};“;&ª;,Ñ;$þ;!#<"E<#h<(Œ< µ<"Á<#ä<=##=G=+^=hŠ=Có=;7>"s>–>­>(Ì>(õ>?>?(^?J‡?UÒ?.(@#W@&{@#¢@Æ@&Ù@#A$A"AAdA'xA A°AÇA#çA BC&B$jBB)¤BÎBåB2C8CNCcCwC!‘C³CÌC,ìC0D0JD0{D¬D5¾D9ôD.E6AE>xE[·EIF(]F†F¡F ¼FÝFùF-G.<G*kG+–G+ÂG"îGH1H PH%]H+ƒH4¯H+äH'I;8IFtI5»I ñIEþIQDJY–J9ðJ1*K&\KƒK<–KGÓK*L4FLD{LÀL9ÚL+M+@MlMM=‘MÏM@ãM$$NIN*eNN«NÄNáNüN$OAOZO*zO*¥O!ÐOòO P&P?P,TPPšP¯P<ÄPQ:QJWQ$¢QÇQãQ,R/RJReR€RšR,³RàRüRS0S.GS-vS    ¤S®S¿SÕS'íST9)TcTlT‰T'¨TÐT ßTíTUU"U<U$MU#rU–U§UÇUÎU+×UV1V7LV4„V)¹VãV+ùV(%W4NWƒW—W-¬W6ÚWGXYX/qX?¡X5áX;Y,SY5€YF¶Y6ýY(4Z?]Z,Z    ÊZ@ÔZ[J'[(r[›[,¬[Ù[1ì[\ /\=\[\ga\É\Þ\ö\7ý\@5]Kv];Â]Fþ]@E^†e;›e-×effy,f    ¦h°jlÐm1=smox¬ÝxDŠ|HÏ}›~¬´€az"$³؁$ñ‚5‚*;‚f‚(„‚ ­‚º‚΂ç‚ý‚ƒ+ƒDƒSƒhƒ‚ƒœƒ²ƒ
Ƀ ԃáƒôƒ„@„
\„g„x„"‡„ª„½„„ۄø„…,…F…d…Vy…&Ѕ%÷…%†    C†$M†#r†+–†)†,솇,.‡1[‡A‡0χ(ˆ()ˆ)Rˆ&|ˆ)£ˆ ͈ۈ÷ˆ% ‰3‰N‰j‰*Љµ‰'Ӊ#û‰'Š>GІŠ%£Š6Ɋ%‹-&‹BT‹J—‹)â‹* Œ27Œ/jŒ,šŒ5njýŒ#3+W,ƒ°ʍ+ݍ,    Ž6ŽTŽlŽ"ŠŽ'­ŽՎíŽÿŽ"0@ q’¢Áڏ,ñU9:ʐ ߐ9í='‘/e‘•‘µ‘ӑî‘ ÷‘’3’-O’!}’.Ÿ’/Βþ’ ““H<“ …“¦“¿“ ٓ%æ“% ”#2”$V”{” ›”§”¸”Ȕ הå” û”    • •*•?•R•l•‚•
…• •
ž•©• ±•½•ϕ ë• ø• –%–08–Ki–/µ–å–õ–þ–——;—Y—a—i—‡—$—´—ʗݗó— 
˜+˜J˜'S˜{˜Ž˜# ˜
ĘϘߘï˜þ˜ ™'(™P™`™|™—™"¶™&ٙ š šš 1š=šUšqš †š ”š¡š ªš ·š ŚҚ-áš››"6›Y›`›r›Ž›—›N®›ý›œ)œ=œMœmœ+†œ+²œޜ    ñœMûœI)b,Œ)¹ãÿž;žVžNgž ¶žž˞%ëž"Ÿ 4ŸUŸqŸ@‰ŸHʟ5 6I !€ "¢ Å × 'ó ¡5¡P¡8k¡.¤¡Ó¡2å¡¢(3¢\¢]{¢4Ù¢4£;C£-£­£Å£Þ£#ò£ ¤M#¤q¤‰¤¡¤¹¤Ѥñ¤: ¥2G¥6z¥)±¥*Û¥G¦1N¦€¦"–¦8¹¦1ò¦ $§a0§e’§9ø§2¨O¨m¨$¨²¨=Ш9©H©+^©Š©§© ¼©'È©*ð©ª1ª6ªKªZª&yª ª²ªƪáݪ+¿«$ë«!¬!2¬;T¬ ¬2¬8Ь.    ­
8­@C­„­”­A­Øß®I¸° ±±#±;±D±`±(p±"™±!¼±Þ±ú±        ²²#²&A²,h²-•²,òNð²>?³ ~³8Œ³ ųÒ³?ç³'´ /´#P´;t´°´.È´!÷´Qµ.kµ%šµ Àµ5áµ¶1¶E¶Y¶w¶ –¶î·¶ø¦·Ÿ¸³¸%¹¸߸ø¸¹,¹D¹W¹n¹ƒ¹>”¹.Ó¹    º ººº,ºJºQºeº0tº$¥ºbʺ-»5L»‚»“»ª» ¯»"¼» ß»¼6¼>L¼‹¼«¼ɼà¼ø¼½!4½)V½!€½4¢½!×½#ù½!¾?¾]¾}¾#¾Á¾ݾ$û¾- ¿8N¿$‡¿8¬¿.å¿(À.=À2lÀŸÀ%»ÀáÀÿÀ Á5Á NÁoÁ‡Á¡Á½ÁÖÁîÁÂ(Â,GÂt‘Âa–ÂQøÂJà    ZÃ$dÉÍéÃ!ÆÃèÃ!Ä*$ÄOÄjÄ*‡Ä-²ÄàÄæÄ5íÄN#ÅrÅ ‰Å—Å©År»ÅC.Æ.rÆ¡Æ<ºÆ9÷ÆA1ÇDsǸÇÓÇPðÇAÈ4QÈB†È8ÉÈ>É?AÉ9É3»ÉïÉöÉÊ .Ê:Ê8VÊ:Ê=ÊÊ)Ë2ËNËf˄˚˱ËÈËàË0ùË5*Ì`Ì~Ì‡Ì ›Ì§Ì]ÆÌ_$Í5„ͺÍËÍ
ÚÍåÍ$ûÍ3 Î5TÎAŠÎ,ÌÎ;ùÎ5Ï0GÏ(xÏ ¡ÏF­ÏKôÏ@ÐXÐnÐ:ŽÐ,ÉÐöÐýÐ ÑÑ-ÑEÑKÑ(bÑ‹Ñ¦Ñ    ¹ÑÃÑâÑ"òÑÒ5Ò+;Ò?gÒ<§Ò6äÒ3Ó;OÓ;‹ÓCÇÓ| ÔˆÔÎÕ×ÕèÕÿÕÖ!Ö'ÖGÖ*KÖ,vÖ£Ö¸ÖÈÖàÖ,éÖE×@\×;×(Ù×MØPØnØ#‹Ø*¯Ø#ÚØ&þØ(%ÙNÙ/nÙ"žÙ"ÁÙ%äÙ9
ÚDÚWÚjÚ.ˆÚK·ÚJÛ,NÛ1{Û­ÛÃÛÛÛíÛÜ"Ü?ÜUÜk܊ܛܫÜ%ÀÜæÜÝ&ÝDÝYÝNqÝPÀÝÞ*.Þ$YÞ&~Þ$¥ÞpÊÞl;ß(¨ß$Ñß*öß"!à*Dà oà(à ¹à+Úàáá-,á<Zá9—áÑá-àá â=â2Yâ*Œâ·â9Íâãã)ã8Gã€ãE‘ã(×ã5ä.6ä=eä9£äÝäáäöä    åå$å7å >åCJå=Žå5ÌåIæ+Læ xæ…æžæ¯æ¸æÇæÐæ8äæç7ç Oçpçƒç"˜ç1»ç$íç$è07è3hèœè¬è!²è<Ôè"é>4ésé%’é1¸é(êéê,3ê3`ê5”ê)Êêôê2ëFë+fë)’ë"¼ë-ßë4 ì3Bì)vì% ì<Æì=íAí=Xí–í´íÍíåíûíî1îQî,jî%—î!½î ßîï)ïIï+hï”ï³ïÏïQíï?ðCð.Lð{ð›ð0¹ð7êð&"ñIñ [ñ |ñ‰ñ6§ñ4Þñ1ò&Eò%lòB’ò    Õòßò0çòó/ó8ó1Hó>zó%¹ó*ßó*
ô05ô6fô>ô/Üô" õ:/õ&jõ2‘õ.Äõ(óõ'ö,Dö7qö9©ö!ãö-÷3÷P÷_÷s÷!‡÷ ©÷µ÷ É÷ê÷ò÷&ø8)øbøiø)zø&¤ø Ëøìøùù*ùAù(^ù‡ù$žù%Ãù%éù&ú46úEkú±ú0Ïú/û0ûLûiû%†û#¬û+Ðû/üû+,ü/Xü4ˆü#½ü!áüýý?ý_ýqý$ýµýÆý×ýöýþ-þ6þJþLþ Sþ`þ    sþ}þþ–þ ±þ*¿þêþÿÿ#3ÿ Wÿ4xÿ&­ÿ+ÔÿJ$K-pž#·Û!ô2 R_r/ˆ ¸ÄÙï+ F    T^n
Š›­À× ðý2C1ZŒ«Ê,é     9WS
«)¶ àìÿ 0>)Mw}D†IË !:@{ Ÿ.­Üä0ê3:%n    ” žwªq"”³Â)×%    %'        M    
W    b    y     Š     –    ¢    9¤    EÞ    H$
Gm
 µ
Ö
>ö
B5 x  Š %— ½ 3Í   * H g  œ ´ Ê à ò       * D7 G| IÄ A P"^–*«$Ö1û,-Z b#p”$®Óâ÷!*+Lx‘!£Å'Î9öM04~>³'ò:D>*ƒ,®Û#ô*8cz“® È+é00F"wš· ÑÞï3 /?o5ˆ-¾9ì&+>jq €Ž¤¹ Ñßò 93P
„¢½%Ì%ò";Mj{“ª¿ßþ, K2YŒ ´'ÒúC[    w        ‹ •£³ÅÛ ä ñ þ <8 uƒ›³ÃÙï,.5-d.’#Á.åK<`79Õ>CNH’Û
êK« ÏZÄJÓ=ôyb¶â°™    Jä×ËÞ#!I 'q™OÉÑWAĆM@‹%§„    žŒqÍÙÉz ¼_S£mõR†¤®‡5‘ò‡Â<€»õk}ùrd“IðŒÀ›¼0Ú:—ÆåBó¹YšRâÁº¢”ÈdAyj «Û&ž:Šaš º±™ièL¿SÎ 4SD8Û1ë˜üªi-ïÖ6ÙßoöøƒŒI¦Ñ›¡„ØêwµcæU¾“”müÇVgI1”ýß{S°“}ub›Ç•2RmZ…‚jÑöîBR´ ÌK…¨8    ¶’˜†ÿò·Iœ½«ÅãzÞ½ŸŒW"ŠêÈþo¸¨ù£Ž\SEh)?*@XXä
˜–wx C³á °þÊ 0]GÈãQá);åö0Œ\¿˜ˆ_Mt„¢ë'–î.äU.k4ž*¹]ÅÚ5³3H9N®f'lÊϘ‰
Ô}®<#G$‹$gÔVXmÏÞ¥^÷º<:ªÔ¯:Út!2Þ»¦D…mÿ*xÒêUQÎ!ÅÊ.ËÑ£Ûe6úöµBÎZn†'-=ÕÇW†j†b½E¶y”ž/ïF7&¦dÁÕ~`úhzÕ¯MFHËe[û_‘2𘁴¡]³›*â4R¦sz}(N! Åé¿£¼Â÷;ÁØCâ%/ ûvãux5ƒB>x0Ýêl.ÜKŠŸf`U«ØkN©¯XP    ÷Vö‚+/aÍ,°œ Q.? U‰W¨Ú ZSO‚]5ͼ5…(xÜ‘YaÎÔó݃v2W wßN^q~D5ð€kji®\§F‹çª §>Îy NŽ͏h¦„ì""´û V1Ꜳ+–ap­çÊÀ¤,bw·[ùݱÃ#TŒº–[
Gæn|ëQÉ5³!©Ùúà·ó¼u(Ç^ãL”ú 8MˆýÖT¬ЃV`õíðÉñ®³&B9KµÈÆùš¯8€ÒW{>ršc´‰ ñpšP£zt·vÂ¸zŸ¿é×ÎZo½Íàr¼tílgœÌdrE(^~üt„FÆ1Ä0L™Ÿµû×KI´ž°ž²d$øA\?*ùc²AÓg;­ìuGn»¡/HóèÚ :۝•JÀ=6cp\áߏ%ñ.»r„g€àCÀ«²@·¢ä"Lôo͐6uë)Mdƒ¹þ׊[íîÓ´PبÂRGYªÏ£Ì%Óµ’öÕ&Võt+ù'оEÆÄ¸ŠîAìËà婤O—Às^1”&¾ qòëŸñ¡ËW2‹<…¤|†å—)si$Ýh&óTïÆ¥ÜÃTVY8Ö²L÷>ú3ˆ{ ;Ò™%Ÿ›Ä¢Èô,š»
NôuxÓ]é‰l¸ÒÑ›‚[Cqó˜XS⸇C6|‰%p±ƒlÙ]9¶X™4¾»¬ÐÆáÛ!=ûAŒð?|O¥Ošýé9 aaÞ{|-Clm31}¿œÜi_è~…¬‰+•    ¬Á<'?¦¬"i,\s,Áø6e€û£ñhÿnÉ‘Õý¹0¡Žú€¿b\c
:Äç#Epä ŸuïâsÿmU+_“‚fèHZôH=‰õԁ±…E½/ˆï"g{‡/güPß,þ7
ÜqRjr­A”¥]Öx?®È9h    FGj  ý7à§Že­¡f3ÀDe_ïvò'ÇéTÙ@•Šk@9;Tæ-ƒJ-Ç÷É6¶î[= ·^µt`"Qkœ,íE`ÿòÞæ-¶[ÙnnêÏd.‹fލ’ºô„;$àJòsÝ{ì/)Då è™’2&鲍ØËÜJ*<cwÑ3cQ3`2 ?æîøÌïЋ`©©K­@³Š)L0h|GMá÷z’Ê¡!iÊ@#‘KYQëÖ¢¬ˆ© )§áF¾ç(B’üä•«:I•Ú’ã§Ô>4lþŽo•Ž
íqÒ~çæç rÛp‚Z±ýÌØ(7¢(O Ö7èø—o–ñÏ—#¥Å>jÿ‘‡¥4~3üf¤=¹y‡8—øv+N‚±B#P7OUêínLYˆã>Ó“ÁDyHb%Yf“F½v;HõTð^¹DÐC×<ª¾_äy}P ­|ˆJ°P¯8쑇peÕ4ß$ºb17    }ÝXw“ÒåÌ€+sœMa$eþ9*v‹×¢Ðw–k-ìo~—ž›Ö¨Ÿ{    %d:        Index    Address
   Unknown version.
   [Abbrev Number: %ld    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
 
    Offset  Kind          Name
 
   Link flags  : 
  Start of program headers:          
 Opcodes:
 
 Section to Segment mapping:
 
 The Directory Table (offset 0x%lx):
 
 The Directory Table is empty.
 
 The File Name Table (offset 0x%lx):
 
 The File Name Table is empty.
 
 The following switches are optional:
 
 [Use directory table entry %d]
 
 [Use file table entry %d]
 
%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:
 
Displaying notes found at file offset 0x%08lx with length 0x%08lx:
 
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.
 
Options supported for -P/--private switch:
 
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.
 
The decoding of unwind sections for machine type %s is not currently supported.
 
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:
 
ldinfo dump not supported in 32 bits environments
 
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
      --dwarf-check          Make additional dwarf internal consistency checks.      
 
      --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.
     --yydebug                 Turn on parser debugging
     Library              Time Stamp          Checksum   Version Flags     Library              Time Stamp          Checksum   Version Flags
     [Reserved]     [unsupported opcode]     finish    %*s%*s%*s
    .debug_abbrev.dwo:       0x%s  0x%s
    .debug_line.dwo:         0x%s  0x%s
    .debug_loc.dwo:          0x%s  0x%s
    .debug_str_offsets.dwo:  0x%s  0x%s
    Arguments: %s
    Build ID:     Cannot decode 64-bit note in 32-bit build
    Creation date  : %.17s
    DW_MACRO_GNU_%02x arguments:     DW_MACRO_GNU_%02x has no arguments
    Global symbol table name: %s
    Image id: %s
    Image name: %s
    Invalid size
    Last patch date: %.17s
    Linker id: %s
    Location:     Malformed note - does not end with \0
    Malformed note - filenames end too early
    Malformed note - too short for header
    Malformed note - too short for supplied file count
    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
    Page size:     Provider: %s
    UNKNOWN DW_LNE_HP_SFC opcode (%u)
    Version:    --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: 0x%s
   Floating Point mode:    Header flags: 0x%08x
   Image id    : %s
   Language: %s
   Last modified  :    Length:        0x%s (%s)
   Link time:    Major id: %u,  minor id: %u
   Num:    Value          Size Type    Bind   Vis      Ndx Name
   Num:    Value  Size Type    Bind   Vis      Ndx Name
   Patch time:    Pointer Size:  %d
   Section contributions:
   Signature:     0x%s
   Type Offset:   0x%s
   Version:       %d
   [Index]    Name
   identity: %s
  # 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
  %4u %08x %3u   %u index entries:
  (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
  -D                           Use zero for symbol map timestamp
  -U                           Use actual symbol map timestamp (default)
  -D                           Use zero for symbol map timestamp (default)
  -U                           Use an actual symbol map timestamp
  -D --enable-deterministic-archives
                                   Produce deterministic output when stripping archives
  -U --disable-deterministic-archives
                                   Disable -D behavior (default)
  -D --enable-deterministic-archives
                                   Produce deterministic output when stripping archives (default)
  -U --disable-deterministic-archives
                                   Disable -D behavior
  -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
  -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-dwo                   Remove all DWO 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,
          =addr,=cu_index]
                           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>
  -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-dwo                   Remove all DWO 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-dwo                 Copy only DWO sections
     --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
     --dump-section <name>=<file>  Dump the contents of section <name> into <file>
     --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
  -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
  32 bit pointers:
  64 bit pointers:
  <unknown tag %d>:   @<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
  Class:                             %s
  Cnt: %d
  Compact model index: %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:   Extension opcode arguments:
  File: %lx  File: %s  Flags  Flags:                             0x%lx%s
  Flags: %s  Version: %d
  For compilation unit at offset 0x%s:
  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 (0x%lx)
  Number of columns:       %d
  Number of program headers:         %ld  Number of section headers:         %ld  Number of slots:         %d
 
  Number of used entries:  %d
  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 into .debug_line:     0x%lx
  Offset size:                 %d
  Offset table
  Offset:                      0x%lx
  Offset: %#08lx  Link: %u (%s)
  Opcode %d has %d args
  Opcode Base:                 %d
  Options for %s:
  Options passed to DLLTOOL:
  PPC hi-16:
  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)
  Size table
  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 location type %u
  Unhandled magic
  Unknown opcode %d with operands:   Unknown section contexts
  Unsupported version
  Version def aux past end of section
  Version definition past end of section
  Version:                             %d
  Version:                           %d %s
  Version:                           0x%lx
  Version:                     %d
  Version:                  %d
  Version:                 %d
  [%3d] 0x%s  [%3d] Signature:  0x%s  Sections:   [-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
  [D]          - use zero for timestamps and uids/gids (default)
  [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]
  [U]          - use actual timestamps and uids/gids
  [U]          - use actual timestamps and uids/gids (default)
  [V]          - display the version number
  [a]          - put file(s) after [member-name]
  [b]          - put file(s) before [member-name] (same as [i])
  [bad block length]
  [c]          - do not warn if the library had to be created
  [f]          - truncate inserted file names
  [o]          - preserve original dates
  [reserved (%d)]
  [reserved]
  [s]          - create an archive index (cf. ranlib)
  [truncated block]
  [u]          - only replace files that are newer than current archive contents
  [v]          - be verbose
  code limit:        %08x
  d            - delete file(s) from the archive
  flags:             %08x
  flags:         0x%04x   hash offset:       %08x
  hash size:         %02x
  hash type:         %02x (%s)
  ident offset:      %08x (- %08x)
  import file off:   %u
  import strtab len: %u
  index entry %u: type: %08x, offset: %08x
  m[ab]        - move file(s) in the archive
  magic:         0x%04x (0%04o)    nbr code slots:    %08x
  nbr import files:  %u
  nbr relocs:        %u
  nbr sections:  %d
  nbr special slots: %08x (at offset %08x)
  nbr symbols:       %u
  nbr symbols:   %d
  opt hdr sz:    %d
  p            - print file(s) found in the archive
  page size:         %02x
  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
  scatter offset:    %08x
  scnlen: %08x  nreloc: %-6u
  scnlen: %08x  nreloc: %-6u  nlinno: %-6u
  spare1:            %02x
  spare2:            %08x
  string table len:  %u
  string table off:  %u
  symbols off:   0x%08x
  t            - display contents of archive
  time and date: 0x%08x  -   version:           %08x
  version:           %u
  version:    0x%08x    x[o]         - extract file(s) from the archive
 #: Segment name     Section name     Address
 %3u %3u  %s byte block:  (File Offset: 0x%lx) (addr_index: 0x%s): %s (alt indirect string, offset: 0x%s) (bytes into file)
 (bytes into file)
  Start of section headers:           (bytes)
 (end of tags at %08x)
 (indexed string: 0x%s): %s (indirect string, offset: 0x%s): %s (inlined by)  (location list) (no strings):
 (start == end) (start > end) (strings size: %08x):
 <%d><%lx>: ...
 <%d><%lx>: Abbrev Number: %lu <%d><%lx>: Abbrev Number: 0
 <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
 DW_MACRO_GNU_%02x
 DW_MACRO_GNU_%02x - DW_MACRO_GNU_define - lineno : %d macro : %s
 DW_MACRO_GNU_define_indirect - lineno : %d macro : %s
 DW_MACRO_GNU_define_indirect_alt - lineno : %d macro offset : 0x%lx
 DW_MACRO_GNU_end_file
 DW_MACRO_GNU_start_file - lineno: %d filenum: %d
 DW_MACRO_GNU_start_file - lineno: %d filenum: %d filename: %s%s%s
 DW_MACRO_GNU_transparent_include - offset : 0x%lx
 DW_MACRO_GNU_transparent_include_alt - offset : 0x%lx
 DW_MACRO_GNU_undef - lineno : %d macro : %s
 DW_MACRO_GNU_undef_indirect - lineno : %d macro : %s
 DW_MACRO_GNU_undef_indirect_alt - lineno : %d macro offset : 0x%lx
 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
 Line Number Statements:
 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):  No Line Number Statements.
 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,
               =addr,=cu_index]
                         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
 Unknown macro opcode %02x seen
 Update the ELF header of ELF files
 [without DW_AT_frame_base] address beyond section size
 and Line by %s to %d
 at  at offset 0x%lx contains %lu entries:
 bad symbol index: %08lx command specific modifiers:
 commands:
 cpusubtype: %08lx
 cputype   : %08lx (%s)
 emulation options: 
 filetype  : %08lx (%s)
 flags     : %08lx ( generic modifiers:
 length: %08x
 magic     : %08lx
 magic : %08x (%s)
 ncmds     : %08lx (%lu)
 no tags found
 number of CTL anchors: %u
 optional:
 program interpreter reserved  : %08x
 sizeofcmds: %08lx
 tags at %08x
 type: 0x%lx, namesize: 0x%08lx, descsize: 0x%08lx
#lines %d #sources %d%08x: <unknown>%ld: .bf without preceding function%ld: unexpected .ef
%lu
%s
 (header %s, data %s)
%s %s%c0x%s never used%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: %ld bytes remain in the symbol table, but without corresponding entries in the index table
%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: contains corrupt thin archive: %s
%s: debuglink section already exists%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: the archive has an index but no symbols
%s: the archive index is empty
%s: the archive index is supposed to have %ld entries of %d bytes, but the size is only %ld
%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'%s''%s' is not an ordinary file
'%s': No such file'%s': No such file
(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)(Unknown: %s)(User defined location op)(Using the expected size of %d for the rest of this dump)
(WRMAGIC: writable text segments)(bad offset: %u)(base address selection entry)
(base address)
(declared as inline and inlined)(declared as inline but ignored)(dumpx format - aix4.3 / 32 bits)(dumpxx format - aix5.0 / 64 bits)(implementation defined: %s)(inlined)(not inlined)(start == end)(start > end)(undefined)(unknown accessibility)(unknown case)(unknown convention)(unknown type)(unknown virtuality)(unknown visibility)(user defined type)(user defined))
*invalid**undefined*, <unknown>, Base: , Semaphore: , relocatable, relocatable-lib, unknown ABI, unknown CPU, unknown ISA, unknown v850 architecture variant.debug_abbrev section not zero terminated
.debug_info offset of 0x%lx in %s section does not point to a CU header.
.debug_macro section not zero terminated
128-bit MSA
16-byte
2 bytes
2's complement, big endian2's complement, little endian32-bit relocation data4 bytes
4-byte
64-bit relocation data8-byte
8-byte and up to %d-byte extended
8-byte, except leaf SP
:
  No symbols
: architecture variant: : duplicate value
: expected to be a directory
: expected to be a leaf
: unknown: unknown extra flag bits also present<End of list>
<OS specific>: %d<corrupt string table index: %3ld><corrupt: %<corrupt: %14ld><corrupt: %19ld><corrupt: %9ld><corrupt><index offset is too big><indirect index offset is too big><localentry>: %d<no .debug_addr section><no .debug_str section><no .debug_str.dwo section><no .debug_str_offsets section><no .debug_str_offsets.dwo 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%xA codepage was specified switch `%s' and UTF16.
AccessAdded exports to output fileAdding exports to output fileAddressAny
Any MSA or not
Application
Application or Realtime
Archive member uses long names, but no longname table found
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 C6000Bogus end-of-siblings marker detected at offset %lx in %s 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 convert existing library %s to thin formatCannot convert existing thin library %s to normal formatCannot 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 binary %s at offset 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 2014 Free Software Foundation, Inc.
Core header:
Corrupt ARM compact model table entry: %x 
Corrupt file name table entry
Corrupt header in group section `%s'
Corrupt header in the %s section.
Corrupt note: only %d bytes remain, not enough for a full note
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
DERIVED TYPEDIE 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_GNU_str_index indirect offset too big: %s
DW_FORM_GNU_str_index offset too big: %s
DW_FORM_data8 is unsupported when sizeof (dwarf_vma) != 8
DW_FORM_strp offset too big: %s
DW_LNE_define_file: Bad opcode length
DW_MACRO_GNU_start_file used, but no .debug_line offset provided.
DW_OP_GNU_push_tls_address or DW_OP_HP_unknownDYN (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)EndEnd of Sequence
 
Entry point Enum Member offset %xError, 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 Mach-O files:
  header         Display the file header
  section        Display the segments and sections commands
  map            Display the section map
  load           Display the load commands
  dysymtab       Display the dynamic symbol table
  codesign       Display code signature
  seg_split_info Display segment split info
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
  ldinfo      Display loader info in core files
Further warnings about bogus end-of-sibling markers suppressed
GOT A %x
Generated exports fileGenerating export file: %sGeneric
Global Offset Table dataHard 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:
In nested 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: %sInternal 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
Internal error: out of space in the shndx pool.
Invalid address size in %s section!
Invalid extension opcode form %s
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: %xLarge
Last stabs entries before error:
Library rpath: [%s]Library runpath: [%s]Library soname: [%s]Line numbers for %s (%u)
List of blocks List of source filesList of symbolsLoader header:
Location list starting at offset 0x%lx is not terminated.
Location lists in %s section start at 0x%s
MODULE***
MSP430
MSP430X
Mach-O header:
Machine '%s' not supportedMemory
Memory section %s+%xMicrocontroller
Missing Version Needs auxillary information
Missing Version Needs information
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: %xNDS32 elf flags sectionNONENONE (None)NT_386_IOPERM (x86 I/O permissions)NT_386_TLS (x86 TLS information)NT_ARCH (architecture)NT_ARM_HW_BREAK (AArch hardware breakpoint registers)NT_ARM_HW_WATCH (AArch hardware watchpoint registers)NT_ARM_TLS (AArch TLS registers)NT_ARM_VFP (arm VFP registers)NT_AUXV (auxiliary vector)NT_FILE (mapped files)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_LAST_BREAK (s390 last breaking event address)NT_S390_PREFIX (s390 prefix register)NT_S390_SYSTEM_CALL (s390 system call restart data)NT_S390_TDB (s390 transaction diagnostic block)NT_S390_TIMER (s390 timer register)NT_S390_TODCMP (s390 TOD comparator register)NT_S390_TODPREG (s390 TOD programmable register)NT_SIGINFO (siginfo_t data)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_LNM (language name)NT_VMS_MHD (module header)NT_VMS_SRC (source files)NT_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.
Offset into section %s too big: %s
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.
Only GNU extension to DWARF 4 of %s 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'OwnerPT_GETFPREGS (fpreg structure)PT_GETREGS (reg structure)Page OffsetPascal 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)Procedure Linkage Table dataProcessed 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 unwindRegister %dRelocations for %s (%u)
Report bugs to %s
Report bugs to %s.
Reserved length value (0x%s) found in section %s
Restricted Large
SUM IS %x
SYMBOL INFOScanning object file %sSection %d has invalid sh_entsize of %Section %d was not dumped because it does not exist!
Section %s too small for %d hash table entries
Section %s too small for offset and size tables
Section %s too small for shndx pool
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
Segments and Sections:
Shared library: [%s]Single-precision hard float
Skipping unexpected relocation at offset 0x%lx
Skipping unexpected relocation type %s
Small
Soft float
Source file %sStack offset %xStandalone AppStartStruct Member offset %xSucking in info from %s section in %sSupported architectures:Supported targets:Sym.Val.Symbol  %s, tag %d, number %dSymbol 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 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: %sToo 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 (%u): length %d
UNKNOWN: 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_EXCLUndefined symbolUnexpected demangled varargs
Unexpected type in v3 arglist demangling
Unhandled MN10300 reloc type found after SYM_DIFF relocUnhandled MSP430 reloc type found after SYM_DIFF relocUnhandled data length: %d
Unknown ARM compact model index encountered
Unknown AT value: %lxUnknown FORM value: %lxUnknown OSABI: %s
Unknown TAG value: %lxUnknown format '%c'
Unknown location list entry type 0x%x.
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 architecture type %d encountered when decoding unwind tableUnsupported architecture type %d encountered when processing unwind tableUnsupported 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 togetherVERSION %d.%d
Value for `N' must be positive.Version %ld
Version 4 does not support case insensitive lookups.
Version 5 does not include inlined functions.
Version 6 does not include symbol attributes.
Version Needs sectionVirtual address 0x%lx not located in any PT_LOAD segment.
VisibleWANTED %x!!
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%xWhere[%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.`u' modifier ignored since `D' is the default (see `U')`x' cannot be used on thin archives.acceleratorarchitecture %s unknownarchitecture: %s, argumentsarray [%d] ofattributesbad 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: %sbig endianblocksblocks 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 dump section '%s' - it does not existcan't dump section - it has no contentscan't dump section - it is emptycan'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 core read headercannot 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 code signature datacannot read headercannot read line number entrycannot read line numberscannot read loader info tablecannot read relocation entrycannot read relocationscannot read section headercannot read section headerscannot read segment split infocannot read strings tablecannot read strings table lengthcannot read symbol aux entrycannot read symbol entrycannot read symbol tablecannot reverse bytes: length of section %s must be evenly divisible by %dcodeconflictconflict 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 Tag_GNU_Power_ABI_Struct_Returncorrupt attribute
corrupt index table entry: %x
corrupt tag
corrupt vendor attribute
could not create temporary file to hold stripped copycould not create temporary file whilst writing archivecould not determine the type of symbol number %ld
could not open section dump filecould not retrieve section contentscouldn'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 encountereddefine new File Table entry
dialog 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 %sdwo_iddynamic sectiondynamic section image fixupsdynamic section image relocationsdynamic string sectiondynamic string tabledynamic stringsendianness unknownenum definitionenum ref to %serror copying private BFD dataerror in private header dataerror: %s both copied and removederror: %s both sets and alters LMAerror: %s both sets and alters VMAerror: instruction width must be positiveerror: prefix strip must be non-negativeerror: section %s matches both remove and copy optionserror: 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
flag = %d, vendor = <corrupt>
flags 0x%08x:
fontdirfontdir device namefontdir face namefontdir headerfunctionfunction returninggglobalgroup 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.
length %d [liblist section dataliblist string tablelineno  symndx/paddr
little endianmake .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 infono 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 relocationnote with invalid namesz and/or descsz found at offset 0x%lx
notesnull terminated unicode stringnumber of bytes to reverse must be positive and evennumeric overflowoffset: %08xoffset: %s option -P/--private not supported by this fileoptionsotherout of memory parsing relocs
overflow - nreloc: %u, nlnno: %u
overflow when adjusting relocation against %sparse_coff_type: Bad type code 0x%xpointer topop 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 headerspwait returns: %sreading %s section of %s failed: %sreference parameter is not a pointerrelocation count is negativeresource IDresource dataresource data sizeresource type unknownrpc sectionrun: %s %sssection %s %d %d address %x size %x number %d nrelocs %dsection %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 definition at %x size %x
section headerssegment split info is not nul terminatedset .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 sectionsignaturesize %d size: %s skipping invalid relocation offset 0x%lx in section %s
skipping invalid relocation symbol index 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'staticstring tablestring_hash_lookup failed: %sstringtable stringstringtable string lengthstructure definitionstructure ref to %sstructure ref to UNKNOWN structstub section sizessubprocess got fatal signal %dsupport not compiled in for %ssupported flags: %ssymbol informationsymbol table section indiciessymbolstarget 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 specifiedtypeunable 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 formatunknown 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 qualifierunused5unused6unused7unwind dataunwind infounwind tableuser defined: variablevars %dversion dataversion defversion def auxversion definition sectionversion length %d does not match resource length %luversion needversion need aux (2)version need aux (3)version stringversion string tableversion stringtableversion 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: optional 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.24.90
Report-Msgid-Bugs-To: bug-binutils@gnu.org
POT-Creation-Date: 2014-02-10 09:42+1030
PO-Revision-Date: 2016-05-14 18:23+0200
Last-Translator: Göran Uddeborg <goeran@uddeborg.se>
Language-Team: Swedish <tp-sv@listor.tp-sv.se>
Language: sv
MIME-Version: 1.0
Content-Type: text/plain; charset=utf-8
Content-Transfer-Encoding: 8bit
   %d:        Index    Adress
   Okänd version.
   [Förkortningsnummer: %ld    kodsidesättningen ignoreras.
 
 
Symboler frÃ¥n %s:
 
 
 
Symboler frÃ¥n %s[%s]:
 
 
 
Odefinierade symboler frÃ¥n %s:
 
 
 
Odefinierade symboler frÃ¥n %s[%s]:
 
 
      [Begär programtolkare: %s]
    Adress             Längd
 
    Adress     Längd
 
    Offset    Namn
 
   AvstÃ¥nd  Sort          Namn
 
   Länkflaggor : 
  Start för programhuvuden:          
 Op-koder:
 
 Sektion till segment-avbildning:
 
 Katalogtabellen (avstÃ¥nd 0x%lx):
 
 Katalogtabellen Ã¤r tom.
 
 Filnamnstabellen (avstÃ¥nd 0x%lx):
 
 Filnamnstabellen Ã¤r tom.
 
 Följande flaggor Ã¤r frivilliga:
 
 [Använd katalogtabellpost %d]
 
 [Använd filtabellspost %d]
 
%s:     filformat %s
 
%sgruppsektionen [%5u] â€%s” [%s] innehÃ¥ller %u sektioner:
 
”%s” omlokaliseringssektion pÃ¥ offset 0x%lx innehÃ¥ller %ld byte:
 
Adresstabell:
 
Arkivindex:
 
Disassembleringsutskrift av sektion %s
 
CU-tabell:
 
Kan inte hämta innehÃ¥llet i sektionen â€%s”.
 
Kunde inte hitta utrullningssektion till 
Disassemblering av sektion %s:
 
Visar kommentarer hittade pÃ¥ avstÃ¥nd 0x%08lx med längd 0x%08lx:
 
Dynamiskt info-segment pÃ¥ offset 0x%lx innehÃ¥ller %d poster:
 
Den dynamiska sektionen pÃ¥ avstÃ¥ndet 0x%lx innehÃ¥ller %u poster:
 
Informationen om dynamiska symboler Ã¤r inte tillgänglig för att visa symboler.
 
Elf-filtyp Ã¤r %s
 
Fil: %s
 
Hexadecimal utskrift av sektion â€%s”:
 
Histogram Ã¶ver â€.gnu.hash” hinkars listlängd (totalt %lu hinkar):
 
Histogram Ã¶ver hinkarnas listlängd (totalt %lu hinkar):
 
Avbildsfixar behövs för bibliotek nr. %d: %s - ident: %lx
 
Avbildsomlokaliseringar
 
Bibliotekslistsektion â€%s” innehÃ¥ller %lu poster:
 
Det fanns ingen versionsinformation i denna fil.
 
Flaggor som stödjs för -P/--private-switch:
 
Primär GOT:
 
Programhuvuden:
 
Omrelokeringssektion 
Sektion â€%s” innehÃ¥ller %d poster:
 
Sektion â€%s” har ingen data att skriva ut.
 
Sektion â€%s” innehÃ¥ller ingen felsökningsdata.
 
Sektionen â€.conflict” innehÃ¥ller %lu poster:
 
Sektionen â€.liblist” innehÃ¥ller %lu poster:
 
Sektionshuvud:
 
Sektionshuvuden:
 
Strängutskrift av sektion â€%s”:
 
Symboltabell â€%s” innehÃ¥ller %lu poster:
 
Symboltabellen â€%s” har en sh_entsize pÃ¥ noll!
 
Symboltabell för avbilden:
 
Symboltabell av â€.gnu.hash” för avbilden:
 
Symboltabell:
 
TU-tabell:
 
Sektionen %s Ã¤r tom.
 
Avkodningen av utrullningssektioner för maskintypen %s stödjs inte för närvarande.
 
Det finns %d programhuvuden, med början pÃ¥ offset 
Det finns inga dynamiska omlokaliseringar i denna fil.
 
Det finns inga programhuvuden i denna fil.
 
Det finns inga omlokaliseringar i denna fil.
 
Det finns inga sektionsgrupper i denna fil.
 
Det finns inga sektioner i denna fil.
 
Det finns inga sektioner att gruppera i denna fil.
 
Det finns inga utrullningssektioner i denna fil.
 
Det finns ingen dynamisk sektion i denna fil.
 
Utrullningssektion 
Utrullat tabellindex â€%s” pÃ¥ avstÃ¥nd 0x%lx innehÃ¥ller %lu poster:
 
Versiondefinitionssektion â€%s” innehÃ¥ller %u poster:
 
Versionbehovssektion â€%s” innehÃ¥ller %u poster:
 
Versionsymbolssektion â€%s” innehÃ¥ller %d poster:
 
ldinfo-dump stödjs inte i 32-bitarsmiljöer
 
startadress 0x                 FilStrl            MinneStrl           Flagg  Just
            Flaggor: %08x         möjliga <maskin>: arm[_interwork], i386, mcore[-elf]{-le|-be}, ppc, thumb
       %s -M [<mri-skript]
       Flaggor
       Storlek           Poststorlek      Flagg  Länk  Info  Just
       Storlek           Poststorlek      Info              Just
       Typ               Adress           AvstÃ¥nd           Länk
       Typ             Adr      Avst    Strl  PS  Lk  Inf Ju
       Typ             Adress           Avst   Strl   PS  Lk  Inf Ju
      --add-stdcall-underscore Lägg till understrykningstecken till stdcall-symboler i gränssnittsbiblioteket.
      --dwarf-depth=N        Visa inte DIE:r pÃ¥ djup N eller större
      --dwarf-start=N        Visa DIE:r med start pÃ¥ N, vid samma djup eller
                             djupare
      --dwarf-check          Gör extra interna konsistenskontroller av dwarf
 
      --exclude-symbols <lista> Exportera inte symboler i <lista>
      --export-all-symbols   Exportera alla symboler till .def
      --identify-strict      FÃ¥r --identify att rapportera fel vid flera DLL:er.
      --leading-underscore   Ha ett understrykningsprefix pÃ¥ alla symboler.
      --no-default-excludes  LÃ¥t bli att inte exportera vissa standardsymboler
      --no-export-all-symbols   Exportera endast anvisade symboler
      --no-leading-underscore Ha inte ett understrykningsprefix pÃ¥ alla symboler.
      --plugin NAMN      Ladda den angivna insticksmodulen
      --use-nul-prefixed-import-tables Använd idata$4 och idata$5 med nollprefix.
     --yydebug                 SlÃ¥ pÃ¥ tolkens felsökning
     Bibliotek            Tidsstämpel         Kontr.sum. Version Flaggor     Bibliotek            Tidsstämpel         Kontr.sum. Version Flaggor
     [Reserverad]     [ej stödd op-kod]     slut    %*s%*s%*s
    .debug_abbrev.dwo:       0x%s  0x%s
    .debug_line.dwo:         0x%s  0x%s
    .debug_loc.dwo:          0x%s  0x%s
    .debug_str_offsets.dwo:  0x%s  0x%s
    Argument: %s
    Bygg-id:     Kan inte avkoda 64-bitars notering i 32-bitars bygge
    Tid skapad       : %.17s
    DW_MACRO_GNU_%02x argument:     DW_MACRO_GNU_%02x har inga argument
    Global symboltabellsnamn: %s
    Avbilds-id: %s
    Avbildsnamn: %s
    Felaktig storlek
    Tid senaste patch: %.17s
    Länkar-id: %s
    Plats:     Felformaterad notering â€” avslutas inte med \0
    Felformaterad notering â€” filnamn slutar för tidigt
    Felformaterad notering â€” för kort för huvudet
    Felformaterad notering â€” för kort för det angivna filantalet
    Modulnamn        : %s
    Modulversion     : %s
    Namn: %s
    OS: %s, ABI: %ld.%ld.%ld
    Offset             Info             Typ                Symbolvärde     Symbolnamn
    Offset             Info             Typ                Symbolvärde     Symbolnamn + Tillägg
    AvstÃ¥nd  Start    Slut
    AvstÃ¥nd  Start    Slut     Instruktion
    Sidstorlek:     Leverantör: %s
    OKÄND DW_LNE_HP_SFC-opkod (%u)
    Version:    --add-indirect         Lägg till indirekta dll till exportfilen.
   --add-stdcall-alias    Tillför alias utan @<n>
   --as <namn>            Använd <namn> som assemblerare
   --base-file <basfil>   Läs den länkgenererad basfil
   --def <deffil>         Välj .def-infil
   --dllname <namn>       Namn pÃ¥ indata-dll som ska infogas i utdatabiblioteket.
   --dlltool-name <dllverktyg> Förvalt till â€dlltool”
   --driver-flags <flaggor> FörbigÃ¥ förvalda flaggor för ld
   --driver-name <enhet>  Förvald till â€gcc”
   --dry-run              Visa endast vad som behöver göras, verkställ inte
   --entry <ingÃ¥ng>       Ge alternativ ingÃ¥ngspunkt i DLL:en
   --exclude-symbols <lista> Undanta symbolerna i <lista> frÃ¥n .def
   --export-all-symbols     Exportera alla symboler till .def
   --image-base <bas>     Ge avbildens basadress
   --implib <utnamn>      Synonym för --output-lib
   --leading-underscore     Startpunkt med understrykningstecken.
   --machine <maskin>
   --mno-cygwin           Skapa Mingw-DLL
   --no-default-excludes    Bortse frÃ¥n förvalt undantagna symboler
   --no-export-all-symbols  Exportera endast .drectve-symboler
   --no-idata4           Generera ingen idata$4-sektion
   --no-idata5           Generera ingen idata$5-sektion
   --no-leading-underscore  Startpunkt utan understrykningstecken
   --nodelete             BehÃ¥ll temporära filer.
   --output-def <deffil>  Välj .def-utfil
   --output-exp <utnamn>  Generera exportfil.
   --output-lib <utnamn>  Generera indatabibliotek.
   --quiet, -q            Arbeta under tystnad
   --target <maskin>      i386-cygwin32 eller i386-mingw32
   --verbose, -v          Utförlig
   --version              Visa versionsinformation för dllwrap
   -A --add-stdcall-alias    Tillför alias utan @<n>.
   -C --compat-implib        Skapa bakÃ¥tkompatibelt importbibliotek.
   -D --dllname <namn>       Namn pÃ¥ indata-dll att infoga i gränssnittsbiblioteket.
   -F --linker-flags <flaggor> Skicka <flaggor> till länkaren.
   -I --identify <impbib>    Rapportera namnet pÃ¥ DLL:en som hör till <impbib>.
   -L --linker <namn>        Använd <namn> som länkare.
   -M --mcore-elf <utnamn>   Behandla mcore-elf-objektfiler till <utnamn>.
   -S --as <namn>            Använd <namn> som assemblerare.
   -U                     Sätt dit understreck i .lib
   -U --add-underscore       Lägg till understrykningstecken till alla symboler i gränssnittsbiblioteket.
   -V --version              Visa versionsinformation om programmet.
   -a --add-indirect         Lägg till indirekta dll till exportfilen.
   -b --base-file <basfil>   Läs den länkgenererade basfilen.
   -c --no-idata5            Generera ingen idata$5-sektion.
   -d --input-def <def-fil>  Namn pÃ¥ .def-fil att läsa in.
   -e --output-exp <utnamn> Generera en exportfil.
   -f --as-flags <flaggor>   Skicka <flaggor> till assembleraren.
   -h --help                 Visa den här informationen.
   -k                     UtplÃ¥na @<n> frÃ¥n exporterade namn
   -k --kill-at              UtplÃ¥na @<n> frÃ¥n exporterade namn.
   -l --output-lib <utnamn> Generera ett gränssnittsbibliotek.
   -m --machine <maskin>     Skapa som DLL för <maskin>.  [förval: %s]
   -n --no-delete            BehÃ¥ll temporärfiler (repetera för Ã¶kat antal).
   -p --ext-prefix-alias <prefix> Lägg till alias med <prefix>.
   -t --temp-prefix <prefix> Använd <prefix> för att skapa temporärfilnamn.
   -v --verbose              Beskriv utförligt.
   -x --no-idata4            Generera ingen idata$4-sektion.
   -y --output-delaylib <utnamn>  Skapa ett bibliotek för fördröjd import.
   -z --output-def <def-fil> Namn pÃ¥ .def-fil att skapa.
   0 (*lokal*)       1 (*global*)      -@<fil>                   Läs flaggor frÃ¥n <fil>.
   @<fil>                 Läs flaggor frÃ¥n <fil>
   Förk.-avstÃ¥nd: 0x%s
   Flyttalsläge:    Huvudflaggor: 0x%08x
   Avbilds-id  : %s
   SprÃ¥k: %s
   Senast Ã¤ndrad  :    Längd:         0x%s (%s)
   Länkningstidpunkt:    Ã–vre id: %u,  undre id: %u
    Nr:    Värde          Strl Typ     Bind   Synl     Idx Namn
    Nr:    Värde  Strl Typ     Bind   Synl     Idx Namn
   Patchningstidpunkt:    Pekarstorlek:  %d
   Sektionsbidrag:
   Signatur:      0x%s
   TypavstÃ¥nd:    0x%s
   version:       %d
   [Index]    Namn
   identitet: %s
  # lk         värde    sektion  typ  aux namn/avst
  %#06x:   Namnindex: %lx  %#06x:   Namn: %s  %#06x: Förälder %d, namnindex: %ld
  %#06x: Förälder %d: %s
  %#06x: Rev: %d  Flaggor: %s %#06x: Version: %d  %*s %*s Syfte
  %*s %10s %*s Syfte
  %-20s %10s    Beskrivning
  %4u %08x %3u   %u indexposter:
  (Startar vid filavstÃ¥nd: 0x%lx)  (Okänt inline-attributvärde: %s)  --dwarf-depth=N        Visa inte DIE:er pÃ¥ djupet N eller större
  --dwarf-start=N        Visa DIE:er frÃ¥n N, pÃ¥ samma djup eller djupare
  --input-mach <maskin>       Sätt inmaskintyp till <maskin>
  --output-mach <maskin>      Sätt utmaskintyp till <maskin>
  --input-type <typ>          Sätt infiltyp till <typ>
  --output-type <typ>         Sätt utfiltyp till <typ>
  --input-osabi <osabi>       Sätt in-OSABI till <osabi>
  --output-osabi <osabi>      Sätt ut-OSABI till <osabi>
  -h --help                   Visa denna information
  -v --version                Visa versionsnumret pÃ¥ %s
  --plugin <namn>              Ladda den angivna insticksmodulen
  --plugin <p> - ladda den angivna insticksmodulen
  --target=BFDNAMN - ange mÃ¥lobjektformatet att vara BFDNAMN
  -D                           Använd noll som tidsstämpel i symbolkartan
  -U                           Använd verklig tidsstämpel i symbolkartan (standard)
  -D                           Använd noll som tidsstämpel i symbolkartan (standard)
  -U                           Använd verklig tidsstämpel i symbolkartan
  -D --enable-deterministic-archives
                                   Producera deterministisk utdata när arkiv strippas
  -U --disable-deterministic-archives
                                   Inaktivera beteendet -D (standard)
  -D --enable-deterministic-archives
                                   Producera deterministisk utdata när arkiv strippas (standard)
  -U --disable-deterministic-archives
                                   Inaktivera beteendet -D
  -H --help                    Visa detta hjälpmeddelande
  -v --verbose                 Utförlig - berättar vad den gör
  --version                    Visa versionsinformation
  -I --histogram         Visa ett histogram Ã¶ver hinkarnas listlängder
  -W --wide              TillÃ¥t utskrift bredare Ã¤n 80 tecken
  @<fil>                 Läs flaggor frÃ¥n <fil>
  -H --help              Visa denna information
  -v --version           Visa versionsinformation för readelf
  -I --input-target <bfdnamn>      Anta att infilen Ã¤r i formatet <bfdnamn>
  -O --output-target <bfdnamn>     Skapa en utfil i formatet <bfdnamn>
  -B --binary-architecture <ark>   Sätt utarkitektur, vid arkitekturlös indata
  -F --target <bfdnamn>            Sätt bÃ¥de in- och utformat till <bfdname>
     --debugging                   Konvertera felsökningsinformation, om möjligt
  -p --preserve-dates              Kopiera Ã¤ndrad-/Ã¥tkomststämplar till utdata
  -I --input-target=<bfdnamn>      Anta att infilen Ã¤r i formatet <bfdnamn>
  -O --output-target=<bfdnamn>     Skapa en utfil i formatet <bfdnamn>
  -F --target=<bfdnamn>            Sätt bÃ¥de in- och utformat till <bfdname>
  -p --preserve-dates              Kopiera Ã¤ndrad-/Ã¥tkomststämplar till utdata
  -R --remove-section=<namn>       Ta bort sektion <namn> frÃ¥n utdatan
  -s --strip-all                   Ta bort all symbol- och omlokaliseringsinfo
  -g -S -d --strip-debug           Ta bort alla felsökssymboler & -sektioner
     --strip-dwo                   Ta bort alla DWO-sektioner
     --strip-unneeded              Ta bort alla symboler som inte Ã¤r
                                   nödvändiga för relokeringen
     --only-keep-debug             Ta bort allt utom felsökningsinformationen
  -N --strip-symbol=<namn>         Kopiera inte symbol <namn>
  -K --keep-symbol=<namn>          Ta inte bort symbol <namn>
     --keep-file-symbols           Ta inte bort filsymboler
  -w --wildcard                    TillÃ¥t jokertecken i symboljämförelser
  -x --discard-all                 Ta bort alla icke-globala symboler
  -X --discard-locals              Ta bort alla kompilatorgenererade symboler
  -v --verbose                     Lista alla förändrade objektfiler
  -V --version                     Visa programmets versionsinformation
  -h --help                        Visa denna hjälp
     --info                        Lista objektformat & arkitekturer som stödjs
  -o <fil>                         Spara den rensade utdatan i <fil>
  -S, --print-size       Skriv ut storleken pÃ¥ definierade symboler
  -s, --print-armap      Ta med index för symboler i arkivmedlemmar
      --size-sort        Sortera symboler efter storlek
      --special-syms     Inkludera specialsymboler i utdata
      --synthetic        Visa syntetiska symboler ocksÃ¥
  -t, --radix=BAS        Skriv ut siffervärden i talbas BAS
      --target=BFD-NAMN  Välj BFD-NAMN som mÃ¥lobjektets format
  -u, --undefined-only   Visa endast odefinierade symboler
  -X 32_64               (ignorerad)
  @<fil>                 Läs flaggor frÃ¥n FIL
  -h, --help             Visa denna hjälptext
  -V, --version          Visa programmets versionsinformation
 
  -a, --archive-headers    Visa information frÃ¥n arkivhuvuden
  -f, --file-headers       Visa innehÃ¥llet i det Ã¶vergripande filhuvudet
  -p, --private-headers    Visa innehÃ¥llet i objektformatspecifika filhuvuden
  -P, --private=ALT,ALT…   Visa innehÃ¥ll specifikt för objektformatet
  -h, --[section-]headers  Visa innehÃ¥llet i sektionshuvuden
  -x, --all-headers        Visa innehÃ¥llet i alla huvuden
  -d, --disassemble        Visa disassemblering av exekverbara sektioner
  -D, --disassemble-all    Visa disassemblering av alla sektioner
  -S, --source             Varva källkod med disassemblering
  -s, --full-contents      Visa hela innehÃ¥llet i alla utvalda sektioner
  -g, --debugging          Visa felsökningsinformation frÃ¥n objektfilen
  -e, --debugging-tags     Visa felsökningsinformation pÃ¥ ctags sätt
  -G, --stabs              Visa (oformaterat) eventuell STABS-info frÃ¥n filen
  -W[lLiaprmfFsoRt] eller
  --dwarf[=rawline,=decodedline,=info,=abbrev,=pubnames,=aranges,=macro,=frames,
          =frames-interp,=str,=loc,=Ranges,=pubtypes,
          =gdb_index,=trace_info,=trace_abbrev,=trace_aranges,
          =addr,=cu_index]
                           VISA DWARF-info i filen
  -t, --syms               Visa innehÃ¥llet i symboltabellen(erna)
  -T, --dynamic-syms       Visa innehÃ¥llet i tabellen med dynamiska symboler
  -r, --reloc              Visa omlokaliseringsposterna i filen
  -R, --dynamic-reloc      Visa de dynamiska omlokaliseringsposterna i filen
  @<fil>                   Läs flaggor frÃ¥n <fil>
  -v, --version            Visa programmets versionsinformation
  -i, --info               Lista de objektformat och arkitekturer som hanteras
  -H, --help               Visa denna information
  -b, --target=BFDNAMN           Välj BFDNAMN som objektformatet för mÃ¥let
  -m, --architecture=MASKIN      Välj MASKIN som arkitektur för mÃ¥let
  -j, --section=NAMN             Visa endast information om sektionen NAMN
  -M, --disassembler-options=FLG Skicka vidare FLG till disassembleraren
  -EB --endian=big               Antag rak byteordning vid disassemblering
  -EL --endian=little            Antag omvänd byteordning vid disassemblering
      --file-start-context       Ta med omgivningen i början av filen (med -S)
  -I, --include=KAT              Lägg till KAT till söklistan för källfiler
  -l, --line-numbers             Ta med radnummer och filnamn i utdatan
  -F, --file-offsets             Ta med filavstÃ¥nd när information visas
  -C, --demangle[=STIL]          Avkoda manglade/bearbetade symbolnamn
                                  STIL, om givet, kan vara: â€auto”, â€gnu”,
                                  â€lucid”, â€arm”, â€hp”, â€edg”, â€gnu-v3”, â€java”
                                  eller â€gnat”
  -w, --wide                     Formatera utdatan för mer Ã¤n 80 kolumner
  -z, --disassemble-zeroes       Hoppa inte Ã¶ver block av nollor vid
                                  disassemblering
      --start-address=ADR        Behandla endast data pÃ¥ adresser â‰¥ ADR
      --stop-address=ADR         Behandla endast data pÃ¥ adresser â‰¤ ADR
      --prefix-addresses         Visa fullständiga adresser jämte disassembler
      --[no-]show-raw-insn       Visa hex.-kod jämte disassemblering
      --insn-width=BREDD         Visa BRED byte pÃ¥ en rad för -d
      --adjust-vma=AVSTÅND       Lägg till AVSTÅND till alla visade
                                  sektionsadresser
      --special-syms             Ta med specialsymboler i symboldumpar
      --prefix=PREFIX            Lägg till PREFIX till absoluta sökvägar för -S
      --prefix-strip=NIVÅ        Ta bort inledande katalognamn för -S
  -i --instruction-dump=<nummer|namn>
                         Disassemblera innehÃ¥llet i sektion <nummer|namn>
  -j --only-section <namn>         Kopiera endast sektionen <namn> till utdata
     --add-gnu-debuglink=<fil>     Lägg till en sektion .gnu_debuglink länkad
                                     till <fil>
  -R --remove-section <namn>       Ta bort sektion <namn> frÃ¥n utdata
  -S --strip-all                   Ta bort all symbol- och omlokaliserings-
                                     information
  -g --strip-debug                 Ta bort alla felsökningssymboler & -sektioner
     --strip-dwo                   Ta bort alla DWO-sektioner
     --strip-unneeded              Ta bort alla symboler som inte behövs för
                                     omlokaliseringar
  -N --strip-symbol <namn>         Kopiera inte symbolen <namn>
     --strip-unneeded-symbol <namn>
                                   Kopiera inte symbolen <namn> om den inte
                                     behövs för omlokaliseringar
     --only-keep-debug             Ta bort allting utom felsökningsinformationen
     --extract-dwo                 Kopiera endast DWO-sektioner
     --extract-symbol              Ta bort sektionsinnehÃ¥ll men behÃ¥ll symboler
  -K --keep-symbol <namn>          Ta inte bort symbolen <namn>
     --keep-file-symbols           Ta inte bort filsymboler
     --localize-hidden             Gör om alla dolda ELF-symboler till lokala
  -L --localize-symbol <namn>      Tvinga symbolen <namn> att markeras lokal
     --globalize-symbol <namn>     Tvinga symbolen <namn> att markeras global
  -G --keep-global-symbol <namn>   Gör alla symboler lokala utom <namn>
  -W --weaken-symbol <namn>        Tvinga symbolen <namn> att markeras svag
     --weaken                      Tvinga alla globala symboler att markeras
                                     svaga
  -w --wildcard                    TillÃ¥t jokrar i symboljämförelser
  -x --discard-all                 Ta bort alla icke-globala symboler
  -X --discard-locals              Ta bort alla kompilatorgenererade symboler
  -i --interleave [<antal>]        Kopiera N av varje <antal> byte
     --interleave-width <antal>    Sätt N för --interleave
  -b --byte <num>                  Välj byte <num> i varje inflätat block
     --gap-fill <värde>            Fyll gap mellan sektioner med  <värde>
     --pad-to <adr>                Fyll ut sista sektion fram till adress <adr>
     --set-start <adr>             Sätt startadressen till <adr>
    {--change-start|--adjust-start} <ökn>
                                   Lägg till <ökn> till startadressen
    {--change-addresses|--adjust-vma} <ökn>
                                   Lägg till <ökn> till LMA-, VMA- och start-
                                     adresser
    {--change-section-address|--adjust-section-vma} <namn>{=|+|-}<v>
                                   Ã„ndra LMA och VMA för sektion <namn> med <v>
     --change-section-lma <namn>{=|+|-}<v>
                                   Ã„ndra LMA för sektion <namn> med <v>
     --change-section-vma <namn>{=|+|-}<v>
                                   Ã„ndra VMA för sektion <namn> med <v>
    {--[no-]change-warnings|--[no-]adjust-warnings}
                                   Varna om en namngiven sektion inte finns
     --set-section-flags <namn>=<flaggor>
                                   Sätt sektion <namn>s egenskaper till
                                     <flaggor>
     --add-section <namn>=<fil>    Lägg till sektion <namn> frÃ¥n <fil> i utdata
     --dump-section <namn>=<fil>   Skriv innehÃ¥llet i sektion <namn> i <fil>
     --rename-section <gammal>=<ny>[,<flaggor>] Byt namn pÃ¥ sektion <gammal>
                                     till <ny>
     --long-section-names {enable|disable|keep}
                                   Hantera lÃ¥nga sektionsnamn i Coff-objekt.
     --change-leading-char         Tvinga utformatets inledande tecken-stil
     --remove-leading-char         Ta bort inledande tecken frÃ¥n globala
                                     symboler
     --reverse-bytes=<ant>         Reversera <ant> byte Ã¥t gÃ¥ngen, i utsektioner
                                     med innehÃ¥ll
     --redefine-sym <gammal>=<ny>  Omdefiniera symbolnamnet <gammal> till <ny>
     --redefine-syms <fil>         --redefine-sym för alla symbolpar uppräknade
                                     i <fil>
     --srec-len <antal>            Begränsa längden pÃ¥ genererade Srecords
     --srec-forceS3                Begränsa typen pÃ¥ genererade Srecords till S3
     --strip-symbols <fil>         -N för alla symboler uppräknade i <fil>
     --strip-unneeded-symbols <fil>
                                   --strip-unneeded-symbol för alla symboler
                                     uppräknade i <fil>
     --keep-symbols <fil>          -K för alla symboler uppräknade i <fil>
     --localize-symbols <fil>      -L för alla symboler uppräknade i <fil>
     --globalize-symbols <fil>     --globalize-symbol för alla i <fil>
     --keep-global-symbols <fil>   -G för alla symboler uppräknade i <fil>
     --weaken-symbols <fil>        -W för alla symboler uppräknade i <fil>
     --alt-machine-code <index>    Använd mÃ¥lets <index>:e alternativa maskin
     --writable-text               Markera uttexten som skrivbar
     --readonly-text               Gör uttexten skrivskyddad
     --pure                        Markera utfilen som â€demand paged”
     --impure                      Markera utfilen som oren
     --prefix-symbols <prefix>     Lägg till <prefix> till början pÃ¥ varje
                                     symbolnamn
     --prefix-sections <prefix>    Lägg till <prefix> till början pÃ¥ varje
                                     sektionsnamn
     --prefix-alloc-sections <prefix>
                                   Lägg till <prefix> till början pÃ¥ varje
                                     allokerbar sektions namn
     --file-alignment <ant>        Sätt PE-filjustering till <ant>
     --heap <reservera>[,<förbind>]
                                   Sätt PE-reservera-/förbind-heap till
                                     <reservera>/<förbind>
     --image-base <adress>         Sätt PE-avbildsbasen till <adress>
     --section-alignment <ant>     Sätt PE-sektionsjustering till <ant>
     --stack <reservera>[,<förbind>]
                                   Sätt PE-reservera-/förbindstacken till
                                     <reservera>/<förbind>
     --subsystem <namn>[:<version>]
                                   Sätt PE-undersystem till <namn> [& <version>]
     --compress-debug-sections     Komprimera DWARF-felsökningssektioner med
                                     zlib
     --decompress-debug-sections   Dekomprimera DWARF-felsökningssektioner med
                                     zlib
  -v --verbose                     Räkna upp alla modifierade objektfiler
  @<fil>                           Läs flaggor frÃ¥n <fil>
  -V --version                     Visa programmets versionsnummer
  -h --help                        Visa denna utdata
     --info                        Visa objektformat & -arkitekturer som stödjs
  -r                           Ignorerad, för kompabilitet med rc
  @<fil>                       Läs flaggor frÃ¥n <fil>
  -h --help                    Visa detta hjälpmeddelande
  -V --version                 Visa versionsinformation
  -t                           Uppdatera tidsstämpeln pÃ¥ arkivets symbolkarta
  -h --help                    Visa denna hjälp
  -V --version                 Visa versionsinformation
  32-bitarspekare:
  64-bitarspekare:
  <okänd tagg %d>:   @<fil>       - läs flaggor frÃ¥n <fil>
  ABI-version:                       %d
  Adr: 0x  Ã–ka radnumret med %s till %d
  Ã–ka programräknaren med %s till 0x%s
  Ã–ka programräknaren med %s till 0x%s[%d]
  Ã–ka programräknaren med konstanten %s till 0x%s
  Ã–ka programräknaren med konstant %s till 0x%s[%d]
  Ã–ka programräknaren med en fast storlek %s till 0x%s
  Klass:                             %s
 Ant: %d
  Kompakt modellindex: %d
  Kompileringsenhet @ avstÃ¥nd 0x%s:
  Kopiera
  DWARF version:               %d
  DW_CFA_??? (Användardefinierad anropsramop: %#x)
  Data:                              %s
  Post    Katalog    Tid    Storl.    Namn
  IngÃ¥ngsadress:                       Utökad op-kod %d:   Argument till utökad op-kod:
  Fil: %lx  Fil: %s  Flaggor  Flaggor:                           0x%lx%s
  Flaggor: %s  Version: %d
  För kompileringsenhet pÃ¥ avstÃ¥nd 0x%s:
  Generella flaggor:
  Index: %d  Ant: %d    initialvärde pÃ¥ â€is_stmt”: %d
  längd:                               %ld
  Längd:                       %ld
  längd:                    %ld
  radbas:                      %d
  radomfÃ¥ng:                   %d
  Maskin:                            %s
  Magi:      Max operationer per instr:   %d
  Minsta instruktionslängd:    %d
  Inget ytterligare huvud
  Inga emuleringsspecifika flaggor
  Inget sektionshuvud
  Det fanns inga strängar i denna sektion.  Observera: Denna sektion har omlokaliseringar mot sig, men dessa har INTE tillämpats pÃ¥ denna dump.
  Nr  Hin:    Värde          Strl   Typ    Bind Synl     Idx Namn
  Nr  Hin:    Värde  Strl   Typ    Bind Synl     Idx Namn
  Num:    Index       Värde  Namn  Nummer-TAGG (0x%lx)
  Antal kolumner:          %d
  Antal programhuvuden:              %ld  Antal sektionshuvuden:             %ld  Antal fack:              %d
 
  Antal använda poster:    %d
  OS/ABI:                            %s
  Offset          Info           Typ            Symbolvärde   Symbolnamn
  Offset          Info           Typ            Symbolvärde   Symbolnamn + Tillägg
  AvstÃ¥nd in i .debug_info-sektionen:  0x%lx
  AvstÃ¥nd in i .debug_info: 0x%lx
  AvstÃ¥nd in i .debug_info:    0x%lx
  AvstÃ¥ndsstorlek:             %d
  AvstÃ¥ndstabell
  AvstÃ¥nd:                     0x%lx
  AvstÃ¥nd: %#08lx  Länk: %u (%s)
  Op-kod %d har %d argument
  op-kodbas:                   %d
  Flaggor för %s:
  Flaggor som skickas till DLLVERKTYG:
  PPC hög-16:
  Personalitetsrutin:   pekarstorlek:             %d
  Prologlängd:                 %d
  Ã…terställda register:   Ã–vriga flaggor skickas oförändrade till programsprÃ¥ksenheten
  Ã…terställ stack frÃ¥n rampekare
  Returregister: %s
  Sektionshuvudets strängtabellndx:  %ld  Segmentsektioner...
  segmentstorlek:           %d
  Sätt filnamnet till post %s i filnamnstabellen
  Sätt ISA till %lu
  Sätt ISA till %s
  Sätt basblocket
  Sätt kolumnen till %s
  Sätt epilogue_begin till sann
  Sätt is_stmt till %s
  Sätt prologue_end till sann
  storl. pÃ¥ omr. i .debug_info-sekt.:  %ld
  Programhuvudenas storlek:          %ld (byte)
  Sektionshuvudenas storlek:         %ld (byte)
  Detta huvuds storlek:              %ld (byte)
  Storlekstabell
  Särskild op-kod %d: Ã¶ka adressen med %s till 0x%s  Särskild op-kod %d: Ã¶ka adressen med %s till 0x%s[%d]  Stackökning %d
  Tagg       Typ                          Namn/Värde
  Typ            Offset             VirtAdr            FysAdr
  Typ            Offset   VirtAdr            FysAdr             FilStrl  MinneSt  Flg Just
  Typ            Offset   VirtAdr    FysAdr     FilSt   MinneSt Flg Just
  Typ:                               %s
  Ej hanterad platstyp %u
  Ej hanterat magiskt tal
  Okänd op-kod %d med operand:   Okända sektionkontexter
  Ej stödd version
  Versions-def aux efter slutet av sektionen
  Versiondefinition efter slutet av sektionen
  version:                             %d
  Version:                           %d %s
  Version:                           0x%lx
  Version:                     %d
  version:                  %d
  Version:                 %d
  [%3d] 0x%s  [%3d] Signatur:   0x%s  Sektioner:   [-X32]       - ignorerar 64-bitarsobjekt
  [-X32_64]    - accepterar 32- och 64-bitarsobjekt
  [-X64]       - ignorerar 32-bitarsobject
  [-g]         - 32-bitars litet arkiv
  [D]          - använd noll som tidsstämpel och uid/gid
  [D]          - använd noll som tidsstämpel och uid/gid (standard)
  [N]          - använd förekomst [nummer] av namn
  [Nr] Namn
  [Nr] Namn              Typ              Adress            AvstÃ¥nd
  [Nr] Namn              Typ             Adr      Avst   Strl   PS Flg Lk Inf Ju
  [Nr] Namn              Typ             Adress           Avst   Strl   PS Flg Lk Inf Ju
  [P]          - mönsterpassa mot namnets hela sökväg
  [S]          - skapa inget index Ã¶ver arkivet
  [T]          - skapa ett tunt arkiv
  [Avhuggen data]
  [D]          - använd verkliga tidsstämplar och uid/gid
  [D]          - använd verkliga tidsstämplar och uid/gid (standard)
  [V]          - visa versionsinformation
  [a]          - infoga fil(er) efter [medlemsnamn]
  [b]          - infoga fil(er) före [medlemsnamn] (samma som [i])
  [felaktig blocklängd]
  [c]          - varna inte om biblioteket mÃ¥ste skapas
  [f]          - korta av infogade filnamn
  [o]          - bevara ursprungliga datum
  [reserverad (%d)]
  [reserverad]
  [s]          - skapa ett index Ã¶ver arkivet (jfr. ranlib)
  [avhugget block]
  [u]          - ersätt bara filer som Ã¤r nyare Ã¤n i arkivet
  [v]          - beskriv utförligt
  kodgräns:          %08x
  d            - radera fil(er) i arkivet
  flaggor:           %08x
  flaggor:       0x%04x   hash-avstÃ¥nd:      %08x
 
  hash-storlek:      %02x
  hash-typ:          %02x (%s)
  ident-avstÃ¥nd:     %08x (- %08x)
  importfilavstÃ¥nd: %u
  importsträngtabellängd: %u
  indexpost %u: typ: %08x, avstÃ¥nd: %08x
  m[ab]        - flytta fil(er) i arkivet
  magiskt tal:   0x%04x (0%04o)    ant kodfack:       %08x
  ant importfiler:   %u
  ant omlok:         %u
   ant sektioner:%d
  ant specialfack: %08x (pÃ¥ avstÃ¥nd %08x)
  ant symboler:      %u
  ant symboler:  %d
  opt hvd st:    %d
  p            - skriv ut fil(er) som pÃ¥träffas i arkivet
  sidstorlek:        %02x
  q[f]         - snabbfoga fil(er) till slutet av arkivet
  r[ab][f][u]  - ersätt existerande eller infoga ny(a) fil(er) i arkivet
  s            - fungera som ranlib
  spridningsavstÃ¥nd: %08x
  sknlän: %08x  nomlok: %-6u
  sknlän: %08x  nomlok: %-6u  nradnr: %-6u
  reserv1:           %02x
  reserv2:           %08x
  strängtabelllängd: %u
  strängtabellavst:  %u
  symboler av:   0x%08x
  t            - visa innehÃ¥llet i arkivet
  tid och datum: 0x%08x  -   version:           %08x
  version:           %u
  version:    0x%08x    x[o]         - hämta fil(er) frÃ¥n arkivet
nr: Segmentnamn      Sektionsnamn     Adress
 %3u %3u  %s byte-block:  (FilavstÃ¥nd: 0x%lx) (addr_index: 0x%s): %s (alt indirekt sträng, avstÃ¥nd: 0x%s) (byte in i filen)
 (byte in i filen)
  Start för sektionshuvuden:          (byte)
 (slut pÃ¥ taggar vid %08x)
 (indexerad sträng: 0x%s): %s (indirekt sträng, avstÃ¥nd: 0x%s): %s(inline:ad av) (platslista) (inga strängar):
 (start == slut) (start > slut) (strängstorlek: %08x):
 <%d><%lx>: â€¦
 <%d><%lx>: Förkortningsnummer: %lu <%d><%lx>: Förkortningsnummer: 0
 <trasig: %14ld> <trasig: utanför intervallet> Adr:  Adr: 0x Minst en av följande flaggor mÃ¥ste ges:
 Kanoniskt gp-värde:  Konvertera adresser till radnummer/filnamn-par.
 Konvertera en objektfil till en laddbar NetWare-modul
 Kopierar en binärfil, och formar möjligen om den
 DW_MACINFO_define - rad : %d makro : %s
 DW_MACINFO_end_file
 DW_MACINFO_start_file - rad: %d filnr: %d
 DW_MACINFO_undef - rad : %d makro : %s
 DW_MACINFO_vendor_ext - konstant : %d sträng : %s
 DW_MACRO_GNU_%02x
 DW_MACRO_GNU_%02x - DW_MACRO_GNU_define - radnr : %d makro : %s
 DW_MACRO_GNU_define_indirect - radnr : %d makro : %s
 DW_MACRO_GNU_define_indirect_alt â€” radnr : %d makroavstÃ¥nd : 0x%lx
 DW_MACRO_GNU_end_file
 DW_MACRO_GNU_start_file - radnr: %d filnr: %d
 DW_MACRO_GNU_start_file - radnr: %d filnr: %d filnamn: %s%s%s
 DW_MACRO_GNU_transparent_include - avstÃ¥nd : 0x%lx
 DW_MACRO_GNU_transparent_include_alt â€” avstÃ¥nd : 0x%lx
 DW_MACRO_GNU_undef - radnr : %d makro : %s
 DW_MACRO_GNU_undef_indirect - radnr : %d makro : %s
 DW_MACRO_GNU_undef_indirect_alt â€” radnr : %d makroavstÃ¥nd : 0x%lx
 Visa information om innehÃ¥llet i filer i ELF-format
Visa information frÃ¥n objekt<fil(er)>.
 Visa läsbara strängar i [fil(er)] (eller frÃ¥n standard in)
 Visa storleken pÃ¥ sektioner i binärfiler
 Poster:
 Generera ett index för att snabba upp uppslagningar i arkivet
 Globala poster:
 Om inga adresser Ã¤r valda pÃ¥ kommandoraden läses de frÃ¥n standard in
 Om ingen infil Ã¤r vald används a.out
 Lat upplösare
 Längd   Nummer     %% av alla   Täckning
 Radnummersatser:
Lista symboler i [fil(er)] (a.out som standard).
 Lokala poster:
 Modulpekare
 Modulpekare (GNU-utökning)
 INGA OBSERVERA: Denna sektion har omlokaliseringar mot sig, men dessa har INTE tillämpats pÃ¥ denna dump.
 Namn (längd: %u):  Inga radnummersatser.
 inga
  Nr: Namn                           Bind till   Flagg
 Offset     Info    Typ                 Sym.värde   Symbolnamn
 Offset     Info    Typ                 Symbolvärde Symbolnamn + Tillägg
 Offset     Info    Typ             Sym.värde  Symbolnamn
 Offset     Info    Typ             Sym.värde  Symbolnamn + Tillägg
 Flaggor Ã¤r:
  -a --all               Samma som: -h -l -S -s -r -d -V -A -I
  -h --file-header       Visa ELF-filens huvud
  -l --program-headers   Visa programhuvuden
     --segments          Synonym för --program-headers
  -S --section-headers   Visa sektionernas huvuden
     --sections          Synonym för --section-headers
  -g --section-groups    Visa sektionsgrupperna
  -t --section-details   Visa detaljer om sektionerna
  -e --headers           Samma som: -h -l -S
  -s --syms              Visa symboltabellen
      --symbols          Synonym för --syms
  --dyn-syms             Visa tabellen Ã¶ver dynamiska symboler
  -n --notes             Visa kärnnoteringarna (om nÃ¥gra finns)
  -r --relocs            Visa omlokeringsinformationen (om den finns)
  -u --unwind            Visa tillbakarullningsinformationen (om den finns)
  -d --dynamic           Visa den dynamiska sektionen (om det finns)
  -V --version-info      Visa versionssektionerna (om nÃ¥gra finns)
  -A --arch-specific     Visa arkitekturspecifik information (om nÃ¥gon finns)
  -c --archive-index     Visa symbol-/filindex i ett arkiv
  -D --use-dynamic       Använd den dynamiska sektionen för att visa symboler
  -x --hex-dump=<nummer|namn>
                         Visa innehÃ¥llet i sektion <nummer|namn> som byte
  -p --string-dump=<nummer|namn>
                         Visa innehÃ¥llet i sektion <nummer|namn> som strängar
  -R --relocated-dump=<nummer|namn>
                         Visa innehÃ¥llet i sektion <nummer|namn> som omlokaliserade byte
  -w[lLiaprmfFsoRt] eller
  --debug-dump[=rawline,=decodedline,=info,=abbrev,=pubnames,=aranges,=macro,=frames,
               =frames-interp,=str,=loc,=Ranges,?pubtypes,
               =gdb_index,=trace_info,=trace_abbrev,=trace_aranges]
                         Visa innehÃ¥llet i DWARF2-felsökningssektioner
 PLT lat upplösare
 Skriv en mänskligt läsbar tolkning av en COFF-objektfil
 Tar bort symboler och sektioner frÃ¥n filer
 Reserverade poster:
 Flaggorna Ã¤r:
 Flaggorna Ã¤r:
  -A|-B     --format={sysv|berkeley}  Välj utdatastil (standard Ã¤r %s)
  -o|-d|-x  --radix={8|10|16}         Visa tal oktalt, decimalt eller
                                        hexadecimalt
  -t        --totals                  Visa sammanlagd storlek (endast Berkeley)
            --common                  Visa total storlek för *COM*-symboler
            --target=<bfdnamn>        Välj binärfilens format
            @<fil>                    Läs flaggor frÃ¥n <fil>
  -h        --help                    Visa denna information
  -v        --version                 Visa programmets versionsinformation
 
 Flaggorna Ã¤r:
  -I --input-target=<bfdnamn>   Sätt formatet pÃ¥ inbinärfilen
  -O --output-target=<bfdnamn>  Sätt formatet pÃ¥ utbinärfilen
  -T --header-file=<fil>        Läs NLM-huvuden frÃ¥n <fil>
  -l --linker=<länkare>         Använd <länkare> för att länka
  -d --debug                    Visa länkkommandot pÃ¥ standard fel
  @<fil>                        Läs flaggor frÃ¥n <fil>.
  -h --help                     Visa denna hjälp
  -v --version                  Visa programmets versionsinformation
 Flaggorna Ã¤r:
  -a - --all                Undersök hela filen, inte bara datasektionen
  -f --print-file-name      Skriv filens namn före varje sträng
  -n --bytes=[antal]        Hitta och skriv ut varje NUL-terminerad sekvens
  -<antal>                  med minst [antal] tecken (standard 4).
  -t --radix={o,d,x}        Skriv strängens position i talbas 8, 10 eller 16
  -o                        Synonym för --radix=o
  -T --target=<BFDNAMN>     Välj binärfilens format
  -e --encoding={s,S,b,l,B,L} Välj teckenstorlek och byteordning:
                            s = 7-bit, S = 8-bit, {b,l} = 16-bit, {B,L} = 32-bit
  @fil>                     Läs flaggor frÃ¥n <fil>
  -h --help                 Visa denna information
  -v --version              Visa programmets versionsinformation
 Flaggorna Ã¤r:
  -a --ascii_in                Läs infilen som en ASCII-fil
  -A --ascii_out               Skriv binära meddelanden som ASCII
  -b --binprefix               .bin-filenamn föregÃ¥s av .mc-filenamn för att vara unika.
  -c --customflag              Ange anpassade flaggor för meddelanden
  -C --codepage_in=<värde>     Ange kodsida vid läsning av mc-textfiler
  -d --decimal_values          Skriv färden till textfiler decimalt
  -e --extension=<ändelse>     Ange huvudändelse som skall användas pÃ¥ exporthuvudfil
  -F --target <mÃ¥l>            Ange utmÃ¥l för byteordning.
  -h --headerdir=<katalog>     Ange exportkatalogen för huvuden
  -u --unicode_in              Läs infilen som en UTF16-fil
  -U --unicode_out             Skriv binärmeddelanden som UTF16
  -m --maxlength=<värde>       Ange den största tillÃ¥tna meddelandelängden
  -n --nullterminate           Lägg automatiskt till en nollavslutning till strängar
  -o --hresult_use             Använd HRESULT-definition istället för statuskoddefinition
  -O --codepage_out=<värde>    Ange kodsida vid skrivning av textfiler
  -r --rcdir=<katalog>         Ange exportkatalogen för rc-filer
  -x --xdbg=<katalog>          Var den .dbg-C-inkluderingsfil som Ã¶versätter
                               meddelande-id:n till deras symboliska namn
                               skall skapas.
 Flaggorna Ã¤r:
  -a, --debug-syms       Visa endast felsökningssymboler
  -A, --print-file-name  Skriv infilens namn före varje symbol
  -B                     Samma som --format=bsd
  -C, --demangle[=STIL]  Avkoda manglade symbolnamn till användarform
                          STIL, om den anges, kan vara â€auto” (standard)
                          â€gnu”, â€lucid”, â€arm”, â€hp”, â€edg”, â€gnu-v3”, â€java”,
                          eller â€gnat”
      --no-demangle      Avkoda inte manglade symbolnamn
  -D, --dynamic          Visa dynamiska symboler istället för vanliga symboler
      --defined-only     Visa endast definierade symboler
  -e                     (ignorerad)
  -f, --format=FORMAT    Använd FORMAT som utdataformat.  FORMAT kan vara
                           â€bsd”, â€sysv” eller â€posix”.  Standard Ã¤r â€bsd”
  -g, --extern-only      Visa endast externa symboler
  -l, --line-numbers     Använd felsökningsinformationen för att slÃ¥ upp
                           filnamn och radnummer för varje symbol
  -n, --numeric-sort     Sortera symboler numeriskt efter adress
  -o                     Samma som -A
  -p, --no-sort          Sortera inte symbolerna
  -P, --portability      Samma som --format=posix
  -r, --reverse-sort     Sortera baklänges
 Flaggorna Ã¤r:
  -h --help        Visa denna hjälp
  -v --version     Visa programment versionsinformation
 Flaggorna Ã¤r:
  -i --input=<fil>             Välj infil
  -o --output=<fil>            Välj utfil
  -J --input-format=<format>   Ange indataformat
  -O --output-format=<format>  Ange utdataformat
  -F --target=<mÃ¥l>            Ange COFF-mÃ¥l
     --preprocessor=<program>  Program att preprocessa rc-filen med
     --preprocessor-arg=<arg>  Extra argument till preprocessorn
  -I --include-dir=<katalog>   Inkludera katalog när rc-filen preprocessas
  -D --define <sym>[=<värde>]  Definiera SYM när rc-filen preprocessas
  -U --undefine <sym>          Avdefiniera SYM när rc-filen preprocessas
  -v --verbose                 Utförlig - berättar vad den gör
  -l --language=<värde>        Välj sprÃ¥k när rc-filen läses
     --use-temp-file           Använd en temporärfil istället för popen för att
                               läsa utdata frÃ¥n preprocessorn
     --no-use-temp-file        Använd popen (standard)
 Flaggorna Ã¤r:
  -q --quick       (UtgÃ¥tt - ignoreras)
  -n --noprescan   Gör inte sök-och-ersätt frÃ¥n commons till defs
  -d --debug       Visa information om vad som händer
  @<fil>           Läs flaggor frÃ¥n <fil>
  -h --help        Visa denna information
  -v --version     Visa programmets versionsinformation
 Flaggorna Ã¤r:
  @<fil>                       Läs flaggor frÃ¥n <fil>
 Flaggorna Ã¤r:
  @<fil>                 Läs flaggor frÃ¥n <fil>
  -a --addresses         Visa adresser
  -b --target=<bfdnamn>  Välj format pÃ¥ binärfilen
  -e --exe=<körfil>      Ange infilens namn (standard Ã¤r a.out)
  -i --inlines           Red ut inline:ade funktioner
  -j --section=<namn>    Läs sektionsrelativa avstÃ¥nd istället för adresser
  -p --pretty-print      Gör utdata mer lättläst för människor
  -s --basenames         Visa inte katalognamn
  -f --functions         Visa funktionsnamn
  -C --demangle[=stil]   Avkoda manglade funktionsnamn
  -h --help              Visa denna hjälp
  -v --version           Visa programmets version
 
 Flaggorna Ã¤r:
  @<fil>                 Läs flaggor frÃ¥n <fil>
  -h --help              Visa denna hjälp
  -v --version           Visa programmets versionsinformation
 
 Avhuggen .text-sektion
 Ej hanterad version
 Okänd makroopkod %02x upptäckt
Uppdatera ELF-huvudet pÃ¥ ELF-filer
 [utan DW_AT_frame_base] adress utanför sektionens storlek
 och radnumret med %s till %d
 pÃ¥  pÃ¥ offset 0x%lx innehÃ¥ller %lu poster:
 felaktigt symbolindex: %08lx modifierare specifika för kommandona:
 kommandon:
 cpu-subtyp: %08lx
 cpu-typ   : %08lx (%s)
  emuleringsflaggor:
 filtyp    : %08lx (%s)
  flaggor  : %08lx ( generella modifierare:
 längd: %08x
 magiskt tal: %08lx
 magiskt tal : %08x (%s)
 nkmdn     : %08lx (%lu)
 inga taggar hittade
 antal CTL-ankare: %u
 valfria:
 programtolk reserverat: %08x
 sizeofkmdn: %08lx
  taggar vid %08x
 typ: 0x%lx, namnstorlek: 0x%08lx, beskrivningsstorlek: 0x%08lx
#rader %d antal källor %d%08x: <okänd>%ld: .bf saknar inledande funktion%ld: oväntad .ef
%lu
%s
 (huvud %s, data %s)
%s %s%c0x%s användes aldrig%s avslutade med status %d%s har inget arkivindex
%s Ã¤r inte ett bibliotek%s Ã¤r inte ett giltigt arkivsektionsdata för %s%s: %ld byte Ã¥terstÃ¥r i symboltabellen, men utan motsvarande poster i indextabellen
%s: %s: adress utanför begränsningen%s: Kan inte Ã¶ppna indataarkivet %s
%s: Kan inte Ã¶ppna utdataarkivet %s
%s: Fel: %s: Lyckades inte läsa ELF-huvudet
%s: Lyckades inte läsa filhuvudet
%s: Lyckades inte läsa filens magiska tal
%s: Lyckades inte söka till ELF-huvudet
%s: Lyckades inte uppdatera ELF-huvudet: %s
%s: Passande format:%s: Flera omdefinieringar av symbol â€%s”%s: Inte en ELF-fil - fel magiska byte i början
%s: Sökvägskomponenter borttagna frÃ¥n avbildsnamnet, â€%s”.%s: Mer Ã¤n en symbol omdefinieras till â€%s”%s: Ej matchad EI_CLASS: %d Ã¤r inte %d
%s: Ej matchad EI_OSABI: %d Ã¤r inte %d
%s: Ej matchad e_machine: %d Ã¤r inte %d
%s: Ej matchad e_type: %d Ã¤r inte %d
%s: Ej stödd EI_VERSION: %d Ã¤r inte %d
%s: Varning: %s: felaktigt arkivfilnamn
%s: felaktigt tal: %s%s: felaktig version i PE-subsystemet%s: hittar inte medlem %s
%s: kan inte Ã¶ppna fil %s
%s: kan inte hitta sektionen %s%s: kan inte hämta adresser frÃ¥n arkivet%s: kan inte sätta tiden: %s%s: innehÃ¥ller trasigt tunt arkiv: %s
%s: sektionen debuglink finns redan%s hittade inte ett giltigt arkivhuvud
%s: nÃ¥dde slutet pÃ¥ symboltabellen före slutet pÃ¥ indexet
%s: lyckades inte köra %s: %s: lyckades inte läsa arkivhuvudet
%s: lyckades inte läsa filhuvudet efter arkivindexet
%s: lyckades inte läsa arkivindexet
%s: lyckades inte arkivindexets symboltabell
%s: misslyckades att läsa strängtabellen för lÃ¥nga symbolnamn
%s: misslyckades att söka tillbaka till starten av objektfiler i arkivet
%s: lyckades inte söka till arkivmedlem
%s: kunde inte söka till en arkivmedlem.
%s: lyckades inte söka till första arkivhuvudet
%s: lyckades inte söka till nästa arkivhuvud
%s: lyckades inte söka till nästa filnamn
%s: misslyckades att hoppa Ã¶ver arkivsymboltabellen
%s: fil %s Ã¤r inte ett arkiv
%s: fread misslyckades%s: fseek till %lu misslyckades: %s%s: ogiltigt förbindelsevärde till --heap%s: ogiltigt förbindelsevärde till --stack%s: ogiltigt utdataformat%s: ogiltig talbas%s: ogiltigt reserveringsvärde till --heap%s: ogiltigt reserveringsvärde till --stack%s: inget index att uppdatera%s: inget Ã¶ppet arkiv
%s: inget Ã¶ppet utdataarkiv
%s: inget utdataarkiv anvisat Ã¤n
%s: ingen känd felsökningsinformation%s: ingen resurssektion%s: inga symboler%s: inte ett dynamiskt objekt%s: inte tillräckligt med rÃ¥data%s: lyckades inte visa felsökningsinformationen%s: läsning av %lu byte gav %lu%s: läsfel: %s%s: arkitekturer som hanteras:%s: format som hanteras:%s: mÃ¥l som hanteras:%s: arkivet har ett index men inga symboler
%s: arkivindexet Ã¤r tomt
%s: arkivindexet förväntades ha %ld poster pÃ¥ %d byte, men storleken Ã¤r bara %ld
%s: kan inte dumpa indexet eftersom det inte fanns nÃ¥got
%s: oväntat filslut%s: varning: %s: varning: delade bibliotek kan inte ha oinitierad data%s: varning: okänd storleken pÃ¥ fält â€%s” i strukturen%s:%d: Ignorerar skräp som finns pÃ¥ denna rad%s:%d: skräp i slutet av raden%s:%d: nytt symbolnamn saknas%s:%d: för tidigt filslut”%s””%s” Ã¤r inte en normal fil
”%s”: Filen finns inte”%s”: Filen finns inte
(DW_OP_GNU_implicit_pointer i raminformation)(DW_OP_call_ref i raminformation)(ROMAGIC: endast läsbara delbara textsegment)(TOCMAGIC: endast läsbara textsegment och TOC)(okänd plats-op)(Okänd: %s)(användardefinierad plats-op)(Använder den förväntade storleken pÃ¥ %d för resten av denna dump)
(WRMAGIC: skrivbara textsegment)(felaktigt avstÃ¥nd: %u)(valpost för basadress)
(basadress)
(deklarerad som inline och inline:ad)(deklarerad som inline men ignorerad)(dumpx-format - aix4.3 / 32-bitars)(dumpxx-format - aix5.0 / 64-bitars)(implementationsdefinierad: %s)(inline:ad)(inte inline:ad)(start == slut)(start > slut)(odefinierad)(okänd Ã¥tkomlighet)(okänt fall)(okänd konvention)(okänd typ)(okänd virtualitet)(okänd synlighet)(användardefinierad typ)(användardefinierad))
*ogiltigt**odefinierad*, <okänd>, Bas: , Semafor: , omlokaliserbart, omlokaliserbart bibliotek, okänt ABI, okänd CPU, okänd ISA, okänd variant av v850-arkitekturensektionen .debug_abbrev Ã¤r inte nollterminerad
.debug_info-avstÃ¥nd pÃ¥ 0x%lx i sektionen %s pekar inte pÃ¥ ett CU-huvud.
sektionen .debug_macro Ã¤r inte nollterminerad
128-bitars MSA
16 byte
2 byte
2-komplement, big endian2-komplement, little endian32-bitars omlokaliseringsdata4 byte
4-byte
64-bitars omlokaliseringsdata8-byte
8-byte och upp till %d-byte utökad
8-byte, utom löv-SP
:
  Inga symboler
: arkitekturvariant: : dubblett av värdet
: förväntades vara en katalog
: förväntades vara ett löv
: okänd: okända extra flaggbitar finns ocksÃ¥<Slut pÃ¥ listan>
<OS-specifik>: %d<trasigt strängtabellsindex: %3ld><trasig: %<trasig: %14ld><trasig: %19ld><trasig: %9ld><trasig><indexavstÃ¥ndet Ã¤r för stort><indirekt indexavstÃ¥nd Ã¤r för stort><lokalpost>: %d<ingen .debug_addr-sektion><ingen .debug_str-sektion><ingen .debug_str.dwo-sektion><ingen .debug_str_offsets-sektion><ingen .debug_str_offsets.dwo-sektion><inget-namn><ingen><avstÃ¥ndet Ã¤r för stort><annan>: %x<processorspecifik>: %d<strängtabellsindex: %3ld><okänd addend: %lx><okänd: %lx><okänd: %x><okänd><okänd>: %d<okänd>: %lx<okänd>: %x<okänd>: 0x%xEn kodsideflagga â€%s” angavs samt UTF16.
ÅtkomstLa till exporter till utfilenLägger till exporter till utfilenAdressVilken som helst
Godtycklig MSA eller ingen
Program
Program eller realtid
Arkivmedlemmen använder lÃ¥nga namn, men ingen tabell med lÃ¥nga namn hittad
Attributsektion: %s
övervakningsbibliotekYtterligare huvud:
yttre bibliotekflyttalstypen BCD hanteras inteBFD-huvudfil version %s
Felaktig sh_info i gruppsektionen â€%s”
Felaktig sh_link i gruppsektionen â€%s”
Felaktig stab: %s
Ren C6000Felaktig slut-pÃ¥-syskon-markör upptäckt pÃ¥ avstÃ¥ndet %lx i sektionen %s
odefinierad C++-basklassHittade inte C++-basklassen i behÃ¥llarenHittade inte C++-datamedlemmen i behÃ¥llarenC++-standardvärden inte inom en funktionC++-objektet har inga fältC++-referensen Ã¤r ingen pekarehittade inte C++-referensenstatisk virtuell C++-metodCORE (minnesfil)CU vid avstÃ¥ndet %s innehÃ¥ller trasiga eller ej stödda versionsnummer: %d.
CU: %s/%s:
CU: %s:
Kan inte skapa .lib-fil: %s: %sKan inte fylla luckan efter sektionenKan inte ha bÃ¥de LIBRARY och NAMEKan inte Ã¶ppna .lib-fil: %s: %sKan inte Ã¶ppna def-fil: %sKan inte Ã¶ppna fil %s
Kan inte konvertera ett befintligt bibliotek %s till tunt formatKan inte konvertera ett befintligt tunt bibliotek %s till normalt formatKan inte tolka virtuella adresser utan programhuvud.
Kan inte producera en mcore-elf-dll frÃ¥n arkivfil: %sKodadressering positionsberoende
Kodadressering positionsoberoende
konfigurationsfilInnehÃ¥ll i %s-sektionen:
 
InnehÃ¥ll i binären %s pÃ¥ avstÃ¥ndet InnehÃ¥ll i sektionen %s:InnehÃ¥ll i sektionen %s:
%s-sektionens innehÃ¥ll:
 
Konverterar en COFF-objektfil till en SYSROFF-objektfil
Copyright 2014 Free Software Foundation, Inc.
Minnesfilshuvud:
Trasig tabellingÃ¥ng för ARM kompakt modell: %x 
Trasig filnamnstabellpost
Trasigt huvud i gruppsektionen â€%s”
Trasigt huvud i sektionen %s.
Trasig notering: endast %d byte Ã¥terstÃ¥r, inte tillräckligt för en fullständig notering
Trasig enhetslängd (0x%s) upptäckt i sektionen %s
Kunde inte hitta â€%s”.  Systemfelmeddelande: %s
Kunde inte hitta sektionen .ARM.extab innehÃ¥llande 0x%lx.
Kunde inte fÃ¥ tag pÃ¥ avmanglad inbyggd typ
Skapade biblioteksfilenSkapar biblioteksfil: %sSkapar stubbfil: %sDet aktuella Ã¶ppna arkivet Ã¤r %s
HÄRLEDD TYPDIE pÃ¥ avstÃ¥ndet %lx refererar till förkortning nummer %lu som inte finns
DLLVERKTYG namn   : %s
DLLVERKTYG flaggor: %s
ENHET namn        : %s
ENHET flaggor     : %s
DSBT-adressering används inte
DSBT-adressering används
DW_FORM_GNU_str_index-indirektavstÃ¥nd Ã¤r för stort: %s
DW_FORM_GNU_str_index-avstÃ¥nd Ã¤r för stort: %s
DW_FORM_data8 stödjs ej när sizeof (dwarf_vma) != 8
DW_FORM_strp-avstÃ¥nd Ã¤r för stort: %s
DW_LNE_define_file: Felaktig opkod-längd
DW_MACRO_GNU_start_file använd, men inget .debug_line-avstÃ¥nd givet.
DW_OP_GNU_push_tls_address eller DW_OP_HP_unknownDYN (delad objektfil)Dataadressering positionsberoende
Dataadressering positionsoberoende, GOT lÃ¥ngt frÃ¥n DP
Dataadressering positionsoberoende, GOT nära DP
DatastorlekFelsökningsinfo Ã¤r trasig, abbrev-avstÃ¥nd (%lx) Ã¤r större Ã¤n abbrev-sektionstorleken (%lx)
Felsökningsinfo Ã¤r trasig, längden pÃ¥ CU vid %s Ã¶verskrider gränsen av sektionen (längd = %s)
Avkodad utskrift av felsökningsinnehÃ¥ll i sektion %s:
 
Tar bort temporär basfil %sTar bort temporär def-fil %sTar bort temporär exportfil %sAvmanglat namn Ã¤r inte en funktion
beroendövervakningsbibliotekVisa felsökningsinnehÃ¥llet i sektion %s hanteras inte Ã¤n.
Vet inget om omlokaliseringar pÃ¥ denna maskinarkitektur
Klar med att läsa %sDubblerad symbol inlagt i nyckelordslistan.Dynamiska omlokaliseringar:
Dynamiska symboler:
ELF-huvud:
FEL: Felaktig sektionslängd (%d > %d)
FEL: Felaktig delsektionslängd (%d > %d)
EXEC (exekverbar fil)SlutSlut pÃ¥ sekvensen
 
IngÃ¥ngspunkt UppräkningsmedlemsavstÃ¥nd %xFel, dubbel EXPORT med ordningstal: %sUndantagstabell:
Undantar symbol: %sLyckades inte köra %sFORMAT Ã¤r ett av rc, res eller coff, och härleds frÃ¥n filändelsen
om det inte anges.  Ett ensamt filnamn Ã¤r en infil.  Ingen infil
betyder standard in, med formatet rc.  Ingen utfil betyder standard ut,
med formatet rc.
Lyckades inte avgöra sista kedjans längd
Lyckades inte skriva avmanglad mall
Lyckades inte läsa antal hinkar
Lyckades inte läsa antal kedjor
Filen %s Ã¤r inte ett arkiv sÃ¥ dess index kan inte visas.
Filattribut
Filen innehÃ¥ller flera dynamiska strängtabeller
Filen innehÃ¥ller flera tabeller med dynamiska symboler
Filen innehÃ¥ller flera symtab-shndx-tabeller
Filhuvud:
Filnamn                              Radnummer      Startadress
filterbibliotekflaggor:För Mach-O-filer:
  header         Visa filhuvudet
  section        Visa segments- och sektionskommandona
  map            Visa sektionskartan
  load           Visa lastkommandona
  dysymtab       Visa tabellen Ã¶ver dynamiska symboler
  codesign       Visa kodsignatur
  seg_split_info Visa segmentsdelningsinformation
För XCOFF-filer:
  header      Visa filhuvudet
  aout        Visa det extra huvudet
  sections    Visa sektionshuvuden
  syms        Visa symboltabellen
  relocs      Visa omlokaliseringsposter
  lineno      Visa radnummerposter
  loader      Visa laddningssektionen
  except      Visa undantagstabellen
  typchk      Visa typkontrollsektionen
  traceback   Visa Ã¥terspÃ¥rningstaggar
  toc         Visa toc-symboler
  ldinfo      Visa laddningsinformation i minnesfiler
Ytterligare varningar om felaktiga slut-pÃ¥-syskon-markörer utelämnade
FICK EN %x
Genererade exportfilGenererar exportfil: %sAllmän
Global avstÃ¥ndstabellsdataHÃ¥rda flyttal
HÃ¥rda flyttal (MIPS32r2 64-bitars FPU)
HÃ¥rda flyttal (dubbel precision)
HÃ¥rda flyttal (enkel precision)
HÃ¥rda eller mjuka flyttal
ID-katalogpostID-resursID-underkatalogIEEE numeriskt Ã¶verspill: 0xIEEE Ã¶verspill i stränglängden: %u
IEEE klarar inte komplextyper av storlek %u
IEEE klarar inte flyttalstyper av storlek %u
IEEE klarar inte heltalstyper av storlek %u
Idx Namn          Storlek   VMA               LMA               Filoffs   JustIdx Namn          Storlek   VMA       LMA       Filoffs   JustImportfiler:
importbiblioteket â€%s” anger tvÃ¥ eller flera dll:erI arkiv %s:
I nästat arkiv %s:
Index för arkiv %s: (%ld poster, 0x%lx byte i symboltabellen)
InitialInfil â€%s” Ã¤r inte läsbar
Infilen â€%s” Ã¤r inte läsbar.
Infilen â€%s” ignorerar parameter för binärarkitektur.Gränssnittsversion: %sInternt fel: DWARF-version inte 2, 3 eller 4.
Internt fel: Okänd maskintyp: %dInternt fel: misslyckades att skapa en formatsträng för att visa programtolken
Internt fel: slut pÃ¥ utrymme i shndx-poolen.
Ogiltig adresstorlek i sektionen %s!
Ogiltig utöknings-opkodform %s
Ogiltigt maximalt antal operationer per instruktion.
Ogiltig flagga â€-%c”
Ogiltig talbas: %s
Ogiltig sh_entsize
BehÃ¥ller temporär basfil %sBehÃ¥ller temporär def-fil %sBehÃ¥ller temporär exportfil %sNyckel till flaggorna:
  W (skriv), A (allokera), X (exekvera), M (förena), S (strängar)
  I (info), L (länkordning), G (grupp), T (TLS), E (uteslut), x (okänd)
  O (extra OS-bearbetning krävs) o (OS-specifik), p (processorspecifik)
Nyckel till flaggorna:
  W (skriv), A (allokera), X (exekvera), M (förena), S (strängar), l (stor)
  I (info), L (länkordning), G (grupp), T (TLS), E (uteslut), x (okänd)
  O (extra OS-bearbetning krävs) o (OS-specifik), p (processorspecifik)
LIBRARY: %s bas: %xStor
De sista stabs-posterna före felet:
bibliotekets rpath: [%s]bibliotekets runpath: [%s]biblioteks so-namn: [%s]Radnummer för %s (%u)
Lista Ã¶ver block Lista Ã¶ver källfilerLista Ã¶ver symbolerLaddningshuvud:
Platslistan som startar pÃ¥ avstÃ¥nd 0x%lx Ã¤r inte avslutad.
Platslistorna i sektionen %s startar vid 0x%s
MODUL***
MSP430
MSP430X
Mach-O-huvud:
Maskin â€%s” hanteras inteMinne
Minnessektion %s+%xMikrokontroll
Saknad version behöver ytterligare information
Saknad version behöver information
Saknad kunskap om 32-bitars omlokaliseringstyper använda i DWARF-sektioner för maskin nummer %d
Flera namnbyten pÃ¥ sektion %sDu mÃ¥ste ange minst en av flaggorna -o och --dllnameNAME: %s bas: %xNDS32 elf-flaggsektionINGANONE (ingen)NT_386_IOPERM (x86 I/O-tillstÃ¥nd)NT_386_TLS (x86 TLS-information)NT_ARCH (arkitektur)NT_ARM_HW_BREAK (AArch brytpunktsregister i hÃ¥rdvara)NT_ARM_HW_WATCH (AArch observationspunktsregister i hÃ¥rdvara)NT_ARM_TLS (AArch TLS-register)NT_ARM_VFP (arm VFP-register)NT_AUXV (extra vektor)NT_FILE (mappade filer)NT_FPREGS (flyttalsregister)NT_FPREGSET (flyttalsregister)NT_GNU_ABI_TAG (ABI-versionstagg)NT_GNU_BUILD_ID (unik bygg-id-bitsträng)NT_GNU_GOLD_VERSION (guldversion)NT_GNU_HWCAP (DSO-levererad programvaras HWCAP-info)NT_LWPSINFO (lwpsinfo_t-struktur)NT_LWPSTATUS (lwpstatus_t-struktur)NT_PPC_VMX (ppc Altivec-register)NT_PPC_VSX (ppc VSX-register)NT_PRPSINFO (prpsinfo-struktur)NT_PRSTATUS (prstatus-struktur)NT_PRXFPREG (user_xfpregs-struktur)NT_PSINFO (psinfo-struktur)NT_PSTATUS (pstatus-struktur)NT_S390_CTRS (s390 kontrollregister)NT_S390_HIGH_GPRS (s390 Ã¶vre registerhalvor)NT_S390_LAST_BREAK (s390 sista brytande händelseadress)NT_S390_PREFIX (s390 prefixregister)NT_S390_SYSTEM_CALL (s390 omstartsdata för systemanrop)NT_S390_TDB (s390 transactionsdiagnostikblock)NT_S390_TIMER (s390 tidtagningsregister)NT_S390_TODCMP (s390 TOD-jämförelseregister)NT_S390_TODPREG (s390 TOD-programmerbart register)NT_SIGINFO (siginfo_t-data)NT_STAPSDT (SystemTap-probbeskrivare)NT_TASKSTRUCT (task-struktur)NT_VERSION (version)NT_VMS_EIDC (konsistenskontroll)NT_VMS_FPMODE (FP-läge)NT_VMS_GSTNAM (symboltabellnamn)NT_VMS_IMGBID (bygg-id)NT_VMS_IMGID (avbilds-id)NT_VMS_IMGNAM (avbildsnamn)NT_VMS_LINKID (länk-id)NT_VMS_LNM (sprÃ¥knamn)NT_VMS_MHD (modulhuvud)NT_VMS_SRC (källfiler)NT_WIN32PSTATUS (win32_pstatus-struktur)NT_X86_XSTATE (x86 XSAVE utökat tillstÃ¥nd)N_LBRAC inte inuti funktion
NamnNamn                  Värde           Klass        Typ          Storlek          Rad   Sektion
 
Namn                  Värde   Klass        Typ          Storlek  Rad   Sektion
 
Namnindex: %ld
Namn: %s
Ant poster: %-8u Storlek: %08x (%u)
IdxNetBSD processinfo-strukturDet finns ingen %s-sektion
 
Inga comp-enheter i sektionen %s?Ingen post %s i arkivet.
Inget filnamn efter flaggan -fo.
Inga platslistor i sektionen .debug_info!
Ingen kodning av â€%s”
Ingen medlem heter â€%s”
Det finns inga kommentarer i minnesfilen.
Inga intervallistor i sektionen .debug_info.
ingenIngen
Inte en ELF-fil - den har fel magiska byte i början
Inte tillräckligt med minne för en vektor med felsökningsinfo med %u posteronödigt objekt: [%s]
Inte använt
Inget att göra.
OS-specifik: (%x)AvstÃ¥ndet %s som används som ett värde till attributet DW_AT_import pÃ¥ DIE vid avstÃ¥ndet %lx Ã¤r för stort.
AvstÃ¥nd 0x%lx Ã¤r större Ã¤n storleken pÃ¥ sektionen .debug_loc.
AvstÃ¥nd in i sektionen %s Ã¤r för stort: %s
Endast -X 32_64 hanterasEndast DWARF 2 och 3 a-intervall hanteras för närvarande.
Endast DWARF 2 och 3 pub.-namn hanteras för närvarande
Endast radinfo frÃ¥n DWARF 2, 3 och 4 hanteras för närvarande.
Endast GNU-utökningar till DWARF 4 av %s stödjs för närvarande.
Öppnade temporär fil: %soperativsystemsspecifik: %lxFlagga -I för att välja informat har utgÃ¥tt, vänligen använd -J istället.
Slut pÃ¥ minne
Slut pÃ¥ minne vid allokering av 0x%lx byte för %s
Slut pÃ¥ minne vid allokering av tabell för Ã¶nskade utskrifter.
Slut pÃ¥ minne när lÃ¥nga symbolnamn i arkivet lästes
Slut pÃ¥ minne vid försök att konvertera arkivsymbolindexet
Slut pÃ¥ minne vid försök att läsa arkivindexsymboltabellen
Slut pÃ¥ minne vid försök att läsa arkivsymbolindexet
Utfilen kan inte representera arkitekturen â€%sӀgarePT_GETFPREGS (fpreg-struktur)PT_GETREGS (reg-struktur)SidavstÃ¥ndPascalfilnamn hanteras inteSökvägskomponenter tas bort frÃ¥n dllnamnet, â€%s”.Pekarstorlek + Segmentstorlek Ã¤r inte en potens av tvÃ¥.
Skriv en mänskligt läsbar tolkning av en SYSROFF-objektfil
Utskriftsbredden har inte initierats (%d)ProcesslänkningstabelldataDef-filen Ã¤r bearbetadDefinitionerna Ã¤r bearbetadeBearbetar def-fil: %sBearbetar definitionerprocessorspecifik: %lxprocessorspecifik: (%x)REL (relokeringsbar fil)Intervallistor i sektionen %s startar vid 0x%lx
RÃ¥ utskrift av felsökningsinnehÃ¥ll i sektion %s:
 
Lyckades inte läsa sektionenRealtid
Vägra att rulla utRegister %dOmlokaliseringar för %s (%u)
Rapportera fel till %s
Rapportera synpunkter pÃ¥ Ã¶versättningen till tp-sv@listor.tp-sv.se
Rapportera fel till %s.
Rapportera synpunkter pÃ¥ Ã¶versättningen till tp-sv@listor.tp-sv.se.
Reserverat längdvärde (0x%s) hittat i sektionen %s
Begränsad stor
SUMMAN Ã„R %x
SYMBOLINFOAvläser objektfil %sSektion %d har felaktig sh_entsize %Sektion %d skrevs inte ut eftersom den inte finns!
Sektionen %s Ã¤r för liten för %d hashtabellposter
Sektionen %s Ã¤r för liten för avstÃ¥nds- och storlekstabeller
Sektionen %s Ã¤r för liten för shndx-pool
Sektionen â€%s” skrevs inte ut eftersom den inte finns!
Sektionsattribut:Sektionshuvuden (vid %u+%u=0x%08x till 0x%08x):
Sektionshuvuden Ã¤r inte tillgängliga!
Sektioner:
Seg-avstÃ¥nd          Typ                              Symvek Datatyp
Seg-avstÃ¥nd  Typ                             Addend            Segsymavst
Segment och sektioner:
delat bibliotek: [%s]Enkelprecisions hÃ¥rda flyttal
Hoppar Ã¶ver oväntad omlokalisering pÃ¥ avstÃ¥ndet 0x%lx
Hoppar Ã¶ver oväntad omlokaliseringstyp %s
Liten
Mjuka flyttal
Källkodsfil %sStackavstÃ¥nd %xSjälvständigt programStartPostmedlemsavstÃ¥nd %xSuger Ã¥t mig info frÃ¥n sektion %s i %sArkitekturer som hanteras:MÃ¥l som hanteras:Sym.Vär.Symbol  %s, tagg %d, nummer %dSymbolattribut:Symboltabell (strtable vid 0x%08x)Syntaktiskt fel i def-fil %s:%dTOC:
Adresstabelldata i version 3 kan vara fel.
Radinformationen verkar vara trasig - sektionen Ã¤r för liten
Det finns %d sektionshuvuden, med början pÃ¥ offset 0x%lx:
Det finns %ld oanvända byte i slutet av sektionen %s
Det finns ett hÃ¥l [0x%lx - 0x%lx] i sektionen %s.
Det finns ett hÃ¥l [0x%lx - 0x%lx] i sektionen .debug_loc.
Det finns en Ã¶verlappning [0x%lx - 0x%lx] i sektionen %s.
Det finns en Ã¶verlappning [0x%lx - 0x%lx] i sektionen .debug_loc.
Det här programmet har byggts utan stöd för nÃ¥gon 64-bitars
datatyp och kan därför inte behandla 64-bitars ELF-filer.
Den här binären av readelf har byggts utan hantering av 64-bitars
datatyper och kan därför inte läsa 64-bitars ELF-filer.
Detta program Ã¤r fri programvara; du kan sprida det vidare under villkoren
i GNU General Public License version 3 eller (om du sÃ¥ vill) nÃ¥gon senare
version.  Detta program har inga som helst garantier.
Tidsstämpel: %sFör mÃ¥nga N_RBRAC:s
Provade â€%s”
Provade fil: %sSant
Avhugget huvud i sektionen %s.
TypTyps filnummer %d utanför sitt intervall
Typs indexnummer %d utanför sitt intervall
Typkontrollsektion:
OKÄND (%*.*lx)OKÄND (%u): längd %d
OKÄND: Kan inte Ã¤ndra endian-typ pÃ¥ infilen(erna)Kan inte avgöra dll-namnet för â€%s” (inte ett importbibliotek?)Kan inte fastställa längden pÃ¥ den dynamiska strängtabellen
Kan inte fastställa hur mÃ¥nga symboler som ska läsas in
Kan inte hitta namnet pÃ¥ programtolken
Kan inte ladda/tolka sektionen .debug_info, sÃ¥ kan inte tolka sektionen %s.
Kan inte hitta sektionen %s!
Kan inte Ã¶ppna basfilen: %sKan inte Ã¶ppna objektfilen: %s: %sKan inte Ã¶ppna temporär assemblerfil: %sKan inte läsa in 0x%lx byte av %s
Kan inte läsa in den dynamiska datan
Kan inte läsa namnet pÃ¥ programtolken
Känner inte igen filens formatKänner inte igen formatet pÃ¥ infilen â€%s”Kan inte söka till 0x%lx för %s
Kan inte uppsöka slutet av filen
Kan inte söka till slutet av filen!
Kan inte uppsöka början av den dynamiska informationen
Odefinierad N_EXCLOdefinierad symbolOväntade avmanglade varargs
Oväntad typ i avmangling av v3-argumentlista
Ej hanterad MN10300-omlokaliseringstyp hittad efter SYM_DIFF-omlokaliseringEj hanterad MSP430-omlokaliseringstyp hittad efter SYM_DIFF-omlokaliseringStorlek pÃ¥ data som inte kan behandlas: %d
Okänd index för ARM kompakt modell pÃ¥träffat
Okänt AT-värde: %lxOkänt FORM-värde: %lxOkänt OSABI: %s
Okänt TAG-värde: %lxOkänt format â€%c”
Okänd typ av platslistpost 0x%x.
Okänd maskintyp: %d
Okänd maskintyp: %s
Okänd kommentarstyp: (0x%08x)Okänd tagg: %d
Okänd typ: %s
Okänd XCOFF-typ %d
Okänt felsökningsargument â€%s”
Okänd felsökningssektion: %s
Okänd avmanglingskomponent %d
Okänd avmanglad inbyggd typ
Okänd formtyp: %lu
Ej stödd EI_CLASS: %d
Arkitekturtyp %d som ej stödjs pÃ¥träffad när utrullningstabellen avkodadesArkitekturtyp %d som ej stödjs pÃ¥träffad när utrullningstabellen bearbetadesVersionen %lu stödjs inte.
Användning: %s <flaggor> <objektfil(er)>
Användning: %s <flaggor> <fil(er)>
Användning: %s <flaggor> elffil(er)>
Användning: %s <flaggor> infil(er)
Användning: %s [emuleringsflaggor] [-]{dmpqrstx}[abcDfilMNoPsSTuvV] [--plugin <namn>] [nummer] arkivfil fil…
Användning: %s [emuleringsflaggor] [-]{dmpqrstx}[abcDfilMNoPsSTuvV] [medlemsnamn] [nummer] arkivfil fil…
Användning: %s [flaggor] [adress(er)]]
Användning: %s [flaggor] [fil(er)]
Användning: %s [flaggor] [infil [utfil]]
Användning: %s [flaggor] [infil]
Användning: %s [flaggor] [infil] [utfil]
Användning: %s [flaggor] infil
Användning: %s [flaggor] infil [utfil]
Användning: %s [flaggor] arkiv
Användning: readelf <flaggor> elf-fil(er)
Använder â€%s”
Använder fil: %s Läser utdata frÃ¥n preprocessorn via popen
Läser utdata frÃ¥n preprocessorn via temporärfil â€%s”
Användning av --size-sort och --undefined-only samtidigtVERSION %d.%d
Argumentet till â€N” mÃ¥ste vara positivt.Version %ld
Version 4 stödjer inte skiftlägesokänsliga uppslagningar.
Version 5 innehÃ¥ller inte inline:ade funktioner.
Version 6 inkluderar inte symbolattribut.
VersionsbehovssektionVirtuell adress 0x%lx finns ej i nÃ¥got PT_LOAD-segment.
SynligVILLE HA %x!!
Varning, ignorerar dubbel EXPORT %s %d,%dVarning, maskintypen (%d) stödjs inte för delayimport.Varning: %s: %s
Varning: â€%s” har negativ storlek, förmodligen Ã¤r den för storVarning: â€%s” Ã¤r inte en vanlig filVarning: Ã¤ndrar datatypens storlek frÃ¥n %d till %d
Varning: kunde inte hitta â€%s”.  orsak: %sVarning: ignorerar föregÃ¥ende --reverse-bytes-värde pÃ¥ %dVarning: kortar av utfyllnadsvärdet frÃ¥n 0x%s till 0x%xVar[%3u] 0x%lx - 0x%lx
[%3u] 0x%lx 0x%lx [<okänd>: 0x%x] [Reserv][Avhuggen op-kod]
[fyll][avhugget]
”N” Ã¤r bara meningsfull tillsammans med â€x” eller â€d”.”u” Ã¤r bara meningsfull tillsammans med flaggan â€D”.”u” Ã¤r bara meningsfull tillsammans med â€r”.modifieraren â€u” ignoreras eftersom â€D” Ã¤r standard (se â€U”)”x” kan inte användas pÃ¥ tunna arkiv.accelererarearkitektur %s Ã¤r okändarkitektur: %s, argumentvektor [%d] avattributfelaktig ATN65-postC++-fältets bit-position eller bit-storlek Ã¤r felaktigfelaktig dynamisk symbol
felaktigt format pÃ¥ %sfelaktigt manglat namn â€%s”
felaktig misc-postfelaktigt register: felaktig typ pÃ¥ C++-metodfunktionfelaktigt utformad utökad rad-op pÃ¥träffades!
bfd_coff_get_auxent misslyckades: %sbfd_coff_get_syment misslyckades: %sbfd_open lyckades inte Ã¶ppna stubbfilen: %s: %sbfd_open lyckades inte Ã¥teröppna stubbfil: %s: %srak byteordningblockblock kvar pÃ¥ stacken pÃ¥ slutetbytenummer mÃ¥ste vara mindre Ã¤n antalet byte i intervalletbytenummer fÃ¥r inte vara negativtkan inte fastställa filtypen pÃ¥ â€%s”; använd flaggan -Jkan inte lägga till utfyllnadkan inte lägga till sektion â€%s”kan inte skapa %s-filen â€%s” för utmatning.
kan inte skapa felsökningssektionen: %skan inte skapa sektion â€%s”kan inte disassemblera för arkitekturen %s
kan inte skriva sektion â€%s” â€” den finns intekan inte skriva sektionen â€” den har inget innehÃ¥llkan inte skriva sektionen â€” den Ã¤r tomkan inte exekvera â€%s”: %skan inte fÃ¥ fram BFD_RELOC_RVA-omlokaliseringstypkan inte Ã¶ppna %s â€%s”: %skan inte Ã¶ppna â€%s” för utmatning: %skan inte Ã¶ppna temporärfil â€%s”: %skan inte anropa popen â€%s”: %skan inte omdirigera standard ut: â€%s”: %skan inte sätta BFD:s standardmÃ¥l till â€%s”: %skan inte sätta innehÃ¥llet i felsökningssektionenkan inte använda den angivna maskinen %skan inte läsa huvudet för minnesfilkan inte skapa sektionen för felsökningslänkning â€%s”kan inte skapa temporärkatalog för arkivkopiering (fel: %s)kan inte radera %s: %skan inte fylla sektionen för felsökningslänkning: â€%s”kan inte Ã¶ppna: â€%s”: %skan inte Ã¶ppna infil %skan inte Ã¶ppna: %s: %skan inte läsa auxhdrkan inte läsa kodsignaturdatakan inte läsa huvudetkan inte läsa en radnummerpostkan inte läsa radnummerkan inte läsa laddningsinformationstabellenkan inte läsa en omlokaliseringspostkan inte läsa omlokaliseringarnakan inte läsa ett sektionshuvudkan inte läsa sektionshuvudenkan inte läsa segmentdelningsinformationkan inte läsa strängtabellenkan inte läsa längden pÃ¥ strängtabellenkan inte läsa symbol-aux-postkan inte läsa symbolpostenkan inte läsa symboltabellenkan inte reversera byte: längden pÃ¥ sektion %s mÃ¥ste vara jämnt delbar med %dkodkonfliktfann konfliktlista utan dynamisk symboltabell
const/volatile-indikator saknaskontrolldata kräver DIALOGEXkopierar frÃ¥n â€%s” [%s] till â€%s” [%s]
kopiera frÃ¥n â€%s” [okänd] till â€%s” [okänd]
trasig Tag_GNU_Power_ABI_Struct_Returntrasigt attribut
trasigt strängtabellsindex: %x
trasig tagg
trasigt leverantörsattribut
kunde inte skapa en temporärfil med en strippad kopiakunde inte skapa en temporärfil när arkivet skrevskunde inte bestämma typen pÃ¥ symbol nummer %ld
kunde inte Ã¶ppna sektionsutskriftsfilkunde inte hämta sektionsinnehÃ¥lletkunde inte Ã¶ppna fil â€%s” med symbolomdefinieringar (fel: %s)skapar %smarkörmarkörfil â€%s” innehÃ¥ller inte markördataanpassningsbar sektiondatapostdatastorlek %lddebug_add_to_current_namespace: ingen aktuell fildebug_end_block: försök gjordes att avsluta yttersta blocketdebug_end_block: inget aktuellt blockdebug_end_common_block: inte implementeratdebug_end_function: ingen aktuell funktiondebug_end_function: nÃ¥gra block avslutades intedebug_find_named_type: ingen aktuell kompileringsenhetdebug_get_real_type: %s har cirkulär felsökningsinformation
debug_make_undefined_type: sorten hanteras intedebug_name_type: ingen aktuell fildebug_record_function: inget anrop till debug_set_filenamedebug_record_label: inte implementeratdebug_record_line: ingen aktuell kompileringsenhetdebug_record_parameter: ingen aktuell funktiondebug_record_variable: ingen aktuell fildebug_start_block: inget aktuellt blockdebug_start_common_block: inte implementeratdebug_start_source: inget anrop till debug_set_filenamedebug_tag_type: försök gjordes att sätta en extra taggdebug_tag_type: ingen aktuell fildebug_write_type: pÃ¥träffade en ogiltig typdefiniera ny filtabellspost
dialogkontrolldialogkontrollsdatadialogkontrollssluttypsnittets punktstorlek i dialogdialoghuvuddialog-ext.kontrolldialog-ext.-typsnittsinformationkatalogkatalogpostnamndisassemble_fn returnerade längden %dvet inte hur man skriver felsökningsinformation för %sdwo_iddynamisk sektionavbildsfixar för den dynamiska sektionenomlokaliseringar för dynamisk sektionsektion för dynamiska strängardynamisk strängtabelldynamiska strängarokänd byteordninguppräkningsdefinitionuppräkningsreferens till %sfel vid kopiering av privat BFD-data: %sfel i privat huvuddatafel: %s bÃ¥de kopierad och borttagenfel: %s bÃ¥de sätter och Ã¤ndrar LMAfel: %s bÃ¥de sätter och Ã¤ndrar VMAfel: instruktionen mÃ¥ste vara positivfel: prefixantal att ta bort fÃ¥r inte vara negativtfel: sektionen %s matchar bÃ¥de borttagnings- och kopieringsflaggornafel: infilen â€%s” Ã¤r tomfel: startadressen borde vara före slutadressenfel: slutadressen bör vara efter startadressenfelbalanserad uttrycksstacköverspill i uttrycksstackenunderspill i uttrycksstackenmisslyckades att kopiera privata datamisslyckades att skapa en utsektionlyckades inte Ã¶ppna temporär huvudfil: %slyckades inte Ã¶ppna temporär huvudfil: %s: %slyckades inte Ã¶ppna temporär svansfil: %slyckades inte Ã¶ppna temporär svansfil: %s: %smisslyckades att läsa antalet poster frÃ¥n basfilenmisslyckades att sätta justeringenmisslyckades att sätta storlekenmisslyckades att sätta vmafilnamn krävs för COFF-indatafilnamn krävs för COFF-utdatafast versionsinfoflagga = %d, leverantör = %s
flagga = %d, leverantör = <trasig>
flaggor 0x%08x:
typsnittskatalogtypsnittskatalogens enhetsnamntypsnittskatalogens formnamntypsnittskatalogens huvudfunktionfunktion returnerargglobalgruppmarkörgruppmarkörshuvudgruppikongruppikonshuvudhar barnhjälp-ID kräver DIALOGEXhjälpsektionikonfil â€%s” innehÃ¥ller inte ikondataignorerar alternativvärdetotillÃ¥tet typindexotillÃ¥tet variabelindexin- och ut- mÃ¥ste vara olika filerinfilen verkar inte vara UTF16.
infil Ã¤r vald bÃ¥de pÃ¥ kommandoraden och via INPUTintervallstorleken mÃ¥ste vara positivintervallstartbyten mÃ¥ste anges med --byteintervallbredden mÃ¥ste vara mindre Ã¤n eller lika med intervallet - byte`intervallbredden mÃ¥ste vara positivinternt fel -- flaggan Ã¤r inte implementeradinternt stat-fel för %sogiltigt argument till --format: %sogiltig kodsida angavs.
ogiltigt index in i symbolvektor
ogiltigt heltalsargument %sogiltig minsta stränglängd %dogiltigt talogiltig flagga -f
ogiltig stränglängdogiltigt värde angivet till pragma code_page.
längd %d [liblist sektionsdataliblist-strängtabellradnr   symndx/fadr
omvänd byteordningskapa .bss-sektionskapa .nlmsections-sektionskapa sektionmenyhuvudmeny-ext.-huvudmeny-ext.-offsetmenyobjektmenyobjektshuvudmeddelandesektionutebliven indextypsaknar nödvändig ASNsaknar nödvändig ATN65modulsektionmer Ã¤n ett dynamiskt segment
namngiven katalogpostnamngiven resursnamngiven underkatalogingen sektion .dynamic i det dynamiska segmentet
ingen sektion .except i filen
ingen sektion .loader i filen
ingen sektion .typchk i filen
inga argumenttyper i den manglade strängen
inga barningen post %s i arkivet
ingen post %s i arkiv %s!ingen export-definitionsfil gavs.
En sÃ¥dan skapas, men det Ã¤r kanske inte vad du villingen infoingen information för symbol nummer %ld
ingen infilingen infil valdesinget namn pÃ¥ utfileningen kommandoflagga gavsinga resurseringa symboler
ingen typinformation om C++-metodfunktioningenej satt
tar inte bort symbolen â€%s” för den namnges i en omlokaliseringnotering med ogiltig namesz och/eller descsz hittad pÃ¥ avstÃ¥ndet 0x%lx
kommentarernollterminerad unicode-strängantalet byte att invertera mÃ¥ste vara positivt och jämntnumeriskt Ã¶verspillavstÃ¥nd: %08xavstÃ¥nd: %s flaggan -P/--private stödjs inte av denna filflaggorannatslut pÃ¥ minne vid tolkning av omlokaliseringar
spill - nreloc: %u, nlnno: %u
överspill vid justeringen av omlokalisering mot %sparse_coff_type: Felaktig typkod 0x%xpekar pÃ¥poppa ram {möjligen trasigt ELF-filhuvud - det har ett avstÃ¥nd till sektionshuvuden som inte Ã¤r noll, men inga sektionshuvuden
möjligen trasigt ELF-huvud - det har ett avstÃ¥nd till programhuvuden som inte Ã¤r noll, men inga programhuvudenpreprocessningen misslyckades.programhuvudenpwait returnerar: %sLyckades inte läsa sektionen %s i %s: %sreferensparametern Ã¤r inte en pekareantalet omlokaliseringar Ã¤r negativtresurs-IDresursdatastorlek pÃ¥ resursdataokänd resurstyprpc-sectionkör: %s %sssektion %s %d %d adress %x storlek %x nummer %d nomlok %dsektion %u: sh_link-värdet pÃ¥ %u Ã¤r större Ã¤n antalet sektioner
sektionen â€%s” har typen NOBITS â€” dess innehÃ¥ll Ã¤r opÃ¥litligt.
sektionen â€%s” nämns i en -j-flagga, men finns inte i nÃ¥gon infilsektionen .loader Ã¤r för kort
sektion 0 i gruppsektion [%5u]
sektion [%5u] i gruppsektion [%5u] > maximala sektionen [%5u]
sektion [%5u] i gruppsektion [%5u] Ã¤r redan i gruppsektion [%5u]
sektionsinnehÃ¥llsektionsdatasektionsdefinition vid %x storlek %x
sektionshuvudensegmentsdelningsinformationen Ã¤r inte nollavslutadsätt vma i .bsssätt storlek pÃ¥ .datasätt innehÃ¥ll i .nlmsectionsätt storlek pÃ¥ .nlmsectionssätt Adress till 0x%s
sätt diskriminator till %s
sätt sektionsjusteringsätt sektionsflaggorsätt sektionsstorleksätt startadresssh_entsize Ã¤r noll
delad sektionsignaturstorlek %d storlek: %s hoppar Ã¶ver felaktigt omlokaliseringsavstÃ¥nd 0x%lx i sektionen %s
hoppar Ã¶ver felaktigt omlokaliseringssymbolindex 0x%lx i sektionen %s
hoppar Ã¶ver oväntad symboltyp %s i %ld:e omlokaliseringen i sektion %s
ledsen - detta program Ã¤r byggt utan stöd för insticksmoduler
sp = sp + %ldstab_int_type: felaktig storlek %uöverspill i stackenunderspill i stackenstat misslyckades pÃ¥ bildfil â€%s”: %sstat misslyckades filen â€%s”: %sstat misslyckades pÃ¥ typsnittsfilen â€%s”: %sstat returnerar negativ storlek pÃ¥ â€%s”statisksträngtabellstring_hash_lookup misslyckades: %ssträng i strängtabellenlängd pÃ¥ sträng i strängtabellenpostdefinitionpostreferens till %spostreferens till OKÄND poststubbsektionsstorleksubprocessen fick fatal signal %dhantering av %s uteslöts vid kompileringenflaggor som hanteras: %ssymbolinformationsektionsindex för symboltabellensymbolermÃ¥lspecifik dump â€%s” stödjs intesektionen .dynamic ligger inte i det dynamiska segmentet
sektionen .dynamic Ã¤r inte den första sektionen i det dynamiska segmentet.
detta mÃ¥l stödjer inte %lu alternativa maskinkoderbehandlar det talet som ett absolut e_machine-värde iställetförsök lägga till ett ill(?)-sprÃ¥k.tvÃ¥ olika kommandoflaggor gavstypkan inte använda ej stödd omlokaliseringstyp %d till sektionen %s
kan inte kopiera filen â€%s”; orsak: %skan inte Ã¶ppna filen â€%s” för indata.
kan inte Ã¶ppna utfil %skan inte tolka alternativ maskinkodkan inte läsa innehÃ¥llet i %skan inte byta namn pÃ¥ â€%s”; orsak: %sodefinierat C++-objektodefinierad C++-v-tabellodefinierad variabel i ATNodefinierad variabel i TYoväntad DIALOGEX-versionstyp %doväntat slut pÃ¥ felsökningsinformationenoväntad version %lu av fast versionsinformationoväntad längd %ld pÃ¥ fast versionsinformationoväntad fast versionssignatur %luoväntad gruppmarkörstyp %doväntad gruppikonstyp %doväntat taloväntad posttypoväntad sträng i C++-miscoväntad längd %ld pÃ¥ värde för strängfilsinfooväntad längd %ld pÃ¥ värde för var.filinfooväntad versionssträngoväntad längd %ld â‰„ %ld + %ld pÃ¥ versionssträngoväntad längd %ld < %ld pÃ¥ versionssträngoväntad längd %ld pÃ¥ värde för versionssträngtabelloväntad versionstyp %doväntad längd %ld pÃ¥ värde för versionokändokänd ATN-typokänd BB-typokänt C++-kodat namnokänd C++-synlighetokänt PE-subsystem: %sokänd TY-kodokänd inbyggd typokänd avkodningsstil â€%s”okänt formatokänd formattyp â€%s”okänt in-EFI-mÃ¥l: %sokänt alternativ för lÃ¥nga sektionsnamn â€%s”okänd macokänt magiskt talokänd utdata-EFI-mÃ¥l: %sokänd sektionokänt virtuellt tecken för basklassokänt synlighetstecken för basklassokänt synlighetstecken för fält$vb-typ utan namnokänd --endian-typ â€%s”okänd -E-flaggaokänd C++-förkortningokänd C++-standardtypokänd C++-misc-postokänd C++-objektöversiktsspecokänd C++-objektspecifikationokänd C++-referenstypokänd korsreferenstypokänd sektionsflagga â€%s”okänd: %-7lxouppklarad programräknarrelativ relokering mot %sATN11 hanteras inteATN12 hanteras inteC++-objekttypen hanteras inteIEEE-uttrycksoperator som inte hanterasmenyversion %d hanteras inteej stött eller okänt nummer pÃ¥ Dwarf anropsramsinstruktion: %#x
bestämningen hanteras inteoanvänd5oanvänd6oanvänd7rulla ut datautrullningsinfoutrullningstabellanvändardefinierad: variabelvariabler %dversionsdataversionsdef.yttre versionsdef.versiondefinitionssektionversionslängd %d Ã¶verensstämmer inte med resurslängd %luversionsbehovyttre versionsbehov (2)yttre versionsbehov (3)versionssträngversionssträngtabellversionssträngtabellversionsymbolsdatavariabel versionsinfoversionsvar.filinfowait: %svarning: CHECK-procedur %s Ã¤r inte definieradvarning: EXIT-procedur %s Ã¤r inte definieradvarning: FULLMAP stödjs inte; prova med ld -Mvarning: Inget versionsnummer givetvarning: START-procedur %s Ã¤r inte definieradvarning: kunde inte skapa temporärfil vid kopiering av â€%s”, (fel: %s)varning: kunde inte hitta â€%s”.  Systemfelmeddelande: %svarning: filjustering (0x%s) > sektionsjustering (0x%s)varning: formaten för in- och utdata Ã¤r inte kompatiblavarning: storleken pÃ¥ frivilligt huvud Ã¤r för stort (> %d)
varning: symbolen %s importerades men finns inte med i importlistanger ingen utdata, eftersom odefinierade symboler inte har nÃ¥gon storlekskriver stubbe| <okänd>