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
2815
2816
2817
2818
2819
2820
2821
2822
2823
2824
2825
2826
2827
2828
2829
2830
2831
2832
2833
2834
2835
2836
2837
2838
2839
2840
2841
2842
2843
2844
2845
2846
2847
2848
2849
2850
2851
2852
2853
2854
2855
2856
2857
2858
2859
2860
2861
2862
2863
2864
2865
2866
2867
2868
2869
2870
2871
2872
2873
2874
2875
2876
2877
2878
2879
2880
2881
2882
2883
2884
2885
2886
2887
2888
2889
2890
2891
2892
2893
2894
2895
2896
2897
2898
2899
2900
2901
2902
2903
2904
2905
2906
2907
2908
2909
2910
2911
2912
2913
2914
2915
2916
2917
2918
2919
2920
2921
2922
2923
2924
2925
2926
2927
2928
2929
2930
2931
2932
2933
2934
2935
2936
2937
2938
2939
2940
2941
2942
2943
2944
2945
2946
2947
2948
2949
2950
2951
2952
2953
2954
2955
2956
2957
2958
2959
2960
2961
2962
2963
2964
2965
2966
2967
2968
2969
2970
2971
2972
2973
2974
2975
2976
2977
2978
2979
2980
2981
2982
2983
2984
2985
2986
2987
2988
2989
2990
2991
2992
2993
2994
2995
2996
2997
2998
2999
3000
3001
3002
3003
3004
3005
3006
3007
3008
3009
3010
3011
3012
3013
3014
3015
3016
3017
3018
3019
3020
3021
3022
3023
3024
3025
3026
3027
3028
3029
3030
3031
3032
3033
3034
3035
3036
3037
3038
3039
3040
3041
3042
3043
3044
3045
3046
3047
3048
3049
3050
3051
3052
3053
3054
3055
3056
3057
3058
3059
3060
3061
3062
3063
3064
3065
3066
3067
3068
3069
3070
3071
3072
3073
3074
3075
3076
3077
3078
3079
3080
3081
3082
3083
3084
3085
3086
3087
3088
3089
3090
3091
3092
3093
3094
3095
3096
3097
3098
3099
3100
3101
3102
3103
3104
3105
3106
3107
3108
3109
3110
3111
3112
3113
3114
3115
3116
3117
3118
3119
3120
3121
3122
3123
3124
3125
3126
3127
3128
3129
3130
3131
3132
3133
3134
3135
3136
3137
3138
3139
3140
3141
3142
3143
3144
3145
3146
3147
3148
3149
3150
3151
3152
3153
3154
3155
3156
3157
3158
3159
3160
3161
3162
3163
3164
3165
3166
3167
3168
3169
3170
3171
3172
3173
3174
3175
3176
3177
3178
3179
3180
3181
3182
3183
3184
3185
3186
3187
3188
3189
3190
3191
3192
3193
3194
3195
3196
3197
3198
3199
3200
3201
3202
3203
3204
3205
3206
3207
3208
3209
3210
3211
3212
3213
3214
3215
3216
3217
3218
3219
3220
3221
3222
3223
3224
3225
3226
3227
3228
3229
3230
3231
3232
3233
3234
3235
3236
3237
3238
3239
3240
3241
3242
3243
3244
3245
3246
3247
3248
3249
3250
3251
3252
3253
3254
3255
3256
3257
3258
3259
3260
3261
3262
3263
3264
3265
3266
3267
3268
3269
3270
3271
3272
3273
3274
3275
3276
3277
3278
3279
3280
3281
3282
3283
3284
3285
3286
3287
3288
3289
3290
3291
3292
3293
3294
3295
3296
3297
3298
3299
3300
3301
3302
3303
3304
3305
3306
3307
3308
3309
3310
3311
3312
3313
3314
3315
3316
3317
3318
3319
3320
3321
3322
3323
3324
3325
3326
3327
3328
3329
3330
3331
3332
3333
3334
3335
3336
3337
3338
3339
3340
3341
3342
3343
3344
3345
3346
3347
3348
3349
3350
3351
3352
3353
3354
3355
3356
3357
3358
3359
3360
3361
3362
3363
3364
3365
3366
3367
3368
3369
3370
3371
3372
3373
3374
3375
3376
3377
3378
3379
3380
3381
3382
3383
3384
3385
3386
3387
3388
3389
3390
3391
3392
3393
3394
3395
3396
3397
3398
3399
3400
3401
3402
3403
3404
3405
3406
3407
3408
3409
3410
3411
3412
3413
3414
3415
3416
3417
3418
3419
3420
3421
3422
3423
3424
3425
3426
3427
3428
3429
3430
3431
3432
3433
3434
3435
3436
3437
3438
3439
3440
3441
3442
3443
3444
3445
3446
3447
3448
3449
3450
3451
3452
3453
3454
3455
3456
3457
3458
3459
3460
3461
3462
3463
3464
3465
3466
3467
3468
3469
3470
3471
3472
3473
3474
3475
3476
3477
3478
3479
3480
3481
3482
3483
3484
3485
3486
3487
3488
3489
3490
3491
3492
3493
3494
3495
3496
3497
3498
3499
3500
3501
3502
3503
3504
3505
3506
3507
3508
3509
3510
3511
3512
3513
3514
3515
3516
3517
3518
3519
3520
3521
3522
3523
3524
3525
3526
3527
3528
3529
3530
3531
3532
3533
3534
3535
3536
3537
3538
3539
3540
3541
3542
3543
3544
3545
3546
3547
3548
3549
3550
3551
3552
3553
3554
3555
3556
3557
3558
3559
3560
3561
3562
3563
3564
3565
3566
3567
3568
3569
3570
3571
3572
3573
3574
3575
3576
3577
3578
3579
3580
3581
3582
3583
3584
3585
3586
3587
3588
3589
3590
3591
3592
3593
3594
3595
3596
3597
3598
3599
3600
3601
3602
3603
3604
3605
3606
3607
3608
3609
3610
3611
3612
3613
3614
3615
3616
3617
3618
3619
3620
3621
3622
3623
3624
3625
3626
3627
3628
3629
3630
3631
3632
3633
3634
3635
3636
3637
3638
3639
3640
3641
3642
3643
3644
3645
3646
3647
3648
3649
3650
3651
3652
3653
3654
3655
3656
3657
3658
3659
3660
3661
3662
3663
3664
3665
3666
3667
3668
3669
3670
3671
3672
3673
3674
3675
3676
3677
3678
3679
3680
3681
3682
3683
3684
3685
3686
3687
3688
3689
3690
3691
3692
3693
3694
3695
3696
3697
3698
3699
3700
3701
3702
3703
3704
3705
3706
3707
|
<?php
/** Scots (Scots)
*
* See MessagesQqq.php for message documentation incl. usage of parameters
* To improve a translation please visit http://translatewiki.net
*
* @ingroup Language
* @file
*
* @author (vinny)
* @author AmaryllisGardener
* @author Avicennasis
* @author Derek Ross
* @author John Reid
* @author Malafaya
* @author OchAyeTheNoo
* @author Omnipaedista
* @author Purodha
* @author Shirayuki
* @author The Evil IP address
* @author Urhixidur
* @author Ushanka
* @author sco.wikipedia.org editors
* @author לערי ריינהארט
*/
$messages = array(
# User preference toggles
'tog-underline' => 'Unnerline airtins:',
'tog-hideminor' => 'Skauk smaa eidits in recent chynges',
'tog-hidepatrolled' => 'Skauk patrolled eidits in recent chynges',
'tog-newpageshidepatrolled' => 'Skauk patrolled pages frae the new page leet',
'tog-extendwatchlist' => 'Mak watchleet bigger tae shaw aw chynges, no just the maist recent',
'tog-usenewrc' => 'Groop chynges bi page in recent chynges n watchleet',
'tog-numberheadings' => 'Auto-nummer heidins',
'tog-showtoolbar' => 'Shaw eidit tuilbaur',
'tog-editondblclick' => 'Eidit pages oan dooble-clap (JavaScript)',
'tog-editsectiononrightclick' => 'Enable section editin bi richt-clapin on section teitles',
'tog-rememberpassword' => 'Mynd ma password oan this browser (fer ae maximum o $1 {{PLURAL:$1|day|days}})',
'tog-watchcreations' => 'Eik pages that Ah cræft n files that Ah uplaid til ma watchleet',
'tog-watchdefault' => 'Eik pages n files that Ah eedit til ma watchleet',
'tog-watchmoves' => 'Eik pages n files that Ah muiv til ma watchleet',
'tog-watchdeletion' => 'Eik pages n files that Ah get rid o til ma watchleet',
'tog-minordefault' => 'Mairk aa edits "smaa" bi defaut',
'tog-previewontop' => 'Shaw luikower afore eedit kist n naw efter it',
'tog-previewonfirst' => 'Shaw luikower oan firstwhile eidit',
'tog-enotifwatchlistpages' => 'Wab-mail me whan ae page or file on ma watchleet is chynged',
'tog-enotifusertalkpages' => 'Send me ae wab-mail whan ma uiser tauk page is chynged',
'tog-enotifminoredits' => 'Send me ae wab-mail fer wee eedits o pages n files ava',
'tog-enotifrevealaddr' => 'Shaw ma email address in notification mails',
'tog-shownumberswatching' => 'Shaw the nummer o watching uisers',
'tog-oldsig' => 'Exeestin signatur:',
'tog-fancysig' => 'Treat signature as wikitext (wioot aen autæmatic airtin)',
'tog-uselivepreview' => 'Uise live luik ower (experimental)',
'tog-forceeditsummary' => 'Gie me ae jottin when Ah dinnae put in aen eidit owerview',
'tog-watchlisthideown' => 'Skauk ma eidits frae the watchleet',
'tog-watchlisthidebots' => 'Skauk bot eidits frae the watchleet',
'tog-watchlisthideminor' => 'Dinna shaw smaa eidits oan ma watchleet',
'tog-watchlisthideliu' => 'Skauk eidits bi loggit in uisers fae the watchleet',
'tog-watchlisthideanons' => 'Skauk eidits bi nameless uisers fae the watchleet',
'tog-watchlisthidepatrolled' => 'Skauk patrolled eidits fae the watchleet',
'tog-ccmeonemails' => 'Gie me copies o emails A write tae ither uisers',
'tog-diffonly' => 'Dinna shaw page contents ablo diffs',
'tog-showhiddencats' => "Shaw Skauk't categeries",
'tog-norollbackdiff' => 'Lave oot diff efter rowin back',
'tog-useeditwarning' => 'Warnish me whan Ah lea aen eidit page wi onhained chynges',
'tog-prefershttps' => 'Aye uise ae secure connection whan loggit in',
'underline-always' => 'Aye',
'underline-never' => 'Niver',
'underline-default' => 'Skin or brouser defaut',
# Font style option in Special:Preferences
'editfont-style' => 'Eidit area font style:',
'editfont-default' => 'Brouser defaut',
'editfont-sansserif' => 'Sans-serif font',
'editfont-serif' => 'Serif font',
# Dates
'sunday' => 'Sunday',
'monday' => 'Monanday',
'tuesday' => 'Tysday',
'wednesday' => 'Wadensday',
'thursday' => 'Fuirsday',
'friday' => 'Fryday',
'saturday' => 'Setturday',
'sun' => 'Sun',
'mon' => 'Mon',
'tue' => 'Tue',
'wed' => 'Wed',
'thu' => 'Thu',
'fri' => 'Fri',
'sat' => 'Sat',
'january' => 'Januair',
'february' => 'Febuair',
'march' => 'Mairch',
'april' => 'Apryle',
'may_long' => 'Mey',
'june' => 'Juin',
'july' => 'Julie',
'august' => 'August',
'september' => 'September',
'october' => 'October',
'november' => 'November',
'december' => 'December',
'january-gen' => 'Januair',
'february-gen' => 'Febuair',
'march-gen' => 'Mairch',
'april-gen' => 'Aprile',
'may-gen' => 'Mey',
'june-gen' => 'Juin',
'july-gen' => 'Julie',
'august-gen' => 'August',
'september-gen' => 'September',
'october-gen' => 'October',
'november-gen' => 'November',
'december-gen' => 'Dizember',
'jan' => 'Jan',
'feb' => 'Feb',
'mar' => 'Mai',
'apr' => 'Apr',
'may' => 'Mey',
'jun' => 'Jui',
'jul' => 'Jul',
'aug' => 'Aug',
'sep' => 'Sep',
'oct' => 'Oct',
'nov' => 'Nov',
'dec' => 'Diz',
'january-date' => '$1 Januair',
'february-date' => '$1 Febuair',
'march-date' => '$1 Mairch',
'april-date' => '$1 Apryl',
'may-date' => '$1 Mey',
'june-date' => '$1 Juin',
'july-date' => '$1 Julie',
'august-date' => '$1 August',
'september-date' => '$1 September',
'october-date' => '$1 October',
'november-date' => '$1 November',
'december-date' => '$1 Dezember',
# Categories related messages
'pagecategories' => '{{PLURAL:$1|Category|Categories}}',
'category_header' => 'Pages in category "$1"',
'subcategories' => 'Subcategories',
'category-media-header' => 'Eetems in category "$1"',
'category-empty' => "''This category haes no pages or eetems at the meenit.''",
'hidden-categories' => "{{PLURAL:$1|Skauk't categerie|Skauk't categeries}}",
'hidden-category-category' => "Skauk't cætegories",
'category-subcat-count' => '{{PLURAL:$2|This category juist haes the follaein subcategory.|This category haes the follaein {{PLURAL:$1|subcategory|$1 subcategories}}, oot o $2 awthegither.}}',
'category-subcat-count-limited' => 'This category haes the follaein {{PLURAL:$1|subcategory|$1 subcategories}}.',
'category-article-count' => '{{PLURAL:$2|This category contains the ae follaein page.|The follaein {{PLURAL:$1|page|$1 pages}} is in this category, oot o $2 total.}}',
'category-article-count-limited' => 'The follaein {{PLURAL:$1|page|$1 pages}} is in this category.',
'category-file-count' => '{{PLURAL:$2|This category hauds juist the ae follaein file.|The follaein {{PLURAL:$1|file|$1 files}}s is in this category, oot o $2 total.}}',
'category-file-count-limited' => 'The follaein {{PLURAL:$1|file is|$1 files is}} in this category.',
'listingcontinuesabbrev' => 'cont.',
'index-category' => "Index't pages",
'noindex-category' => 'Noindexed pages',
'broken-file-category' => 'Pages wi broken file links',
'about' => 'Aboot',
'article' => 'Content page',
'newwindow' => '(opens in new windae)',
'cancel' => 'Cancel',
'moredotdotdot' => 'Mair...',
'morenotlisted' => 'This leet isna complete.',
'mypage' => 'Ma page',
'mytalk' => 'Ma tauk',
'anontalk' => 'Tauk fer this IP address',
'navigation' => 'Navigation',
'and' => ' n',
# Cologne Blue skin
'qbfind' => 'Rake',
'qbbrowse' => 'Brouse',
'qbedit' => 'Eidit',
'qbpageoptions' => 'This page',
'qbmyoptions' => 'Ma pages',
'faq' => 'ASQ',
'faqpage' => 'Project:ASQ',
# Vector skin
'vector-action-addsection' => 'Eik topic',
'vector-action-delete' => 'Delyte',
'vector-action-move' => 'Muiv',
'vector-action-protect' => 'Fend',
'vector-action-undelete' => 'Ondelyte',
'vector-action-unprotect' => 'Chynge protection',
'vector-view-create' => 'Mak',
'vector-view-edit' => 'Eedit',
'vector-view-history' => 'See histerie',
'vector-view-view' => 'Read',
'vector-view-viewsource' => 'See Soorce',
'actions' => 'Actions',
'namespaces' => 'Namespaces',
'variants' => 'Variants',
'navigation-heading' => 'Navigâtion menu',
'errorpagetitle' => 'Mistak',
'returnto' => 'Return til $1.',
'tagline' => 'Frae {{SITENAME}}',
'help' => 'Help',
'search' => 'Rake',
'searchbutton' => 'Rake',
'go' => 'Gang',
'searcharticle' => 'Gang',
'history' => 'Page histerie',
'history_short' => 'Histerie',
'updatedmarker' => 'chynged sin ma hindermast visit',
'printableversion' => 'Prent version',
'permalink' => 'Permanent airtin',
'print' => 'Prent',
'view' => 'See',
'edit' => 'Eedit',
'create' => 'Mak',
'editthispage' => 'Eedit this page',
'create-this-page' => 'Mak this page',
'delete' => 'Delyte',
'deletethispage' => 'Delyte this page',
'undeletethispage' => 'Ondelyte this page',
'undelete_short' => 'Undelete {{PLURAL:$1|ane edit|$1 edits}}',
'viewdeleted_short' => 'See {{PLURAL:$1|yin delytit eedit|$1 delytit eedits}}',
'protect' => 'Fend',
'protect_change' => 'chynge',
'protectthispage' => 'Fend this page',
'unprotect' => 'Chynge protection',
'unprotectthispage' => 'Chynge fend fer this page',
'newpage' => 'New page',
'talkpage' => 'Blether ower this page',
'talkpagelinktext' => 'Tauk',
'specialpage' => 'Byordinar Page',
'personaltools' => 'Personal tuils',
'postcomment' => 'New section',
'articlepage' => 'Leuk at content page',
'talk' => 'Tauk',
'views' => 'Views',
'toolbox' => 'Tuilkist',
'userpage' => 'See the uiser page',
'projectpage' => 'See waurk page',
'imagepage' => 'See the file page',
'mediawikipage' => 'See the message page',
'templatepage' => 'See the template page',
'viewhelppage' => 'See the heelp page',
'categorypage' => 'See categerie page',
'viewtalkpage' => 'See tauk',
'otherlanguages' => 'In ither leids',
'redirectedfrom' => '(Reguidit frae $1)',
'redirectpagesub' => 'Reguidal page',
'lastmodifiedat' => 'This page wis hindermaist chynged $2, $1.',
'viewcount' => 'This page haes been accesst $1 {{PLURAL:$1|once|$1 times}}.',
'protectedpage' => 'Protectit page',
'jumpto' => 'Jump til:',
'jumptonavigation' => 'navigation',
'jumptosearch' => 'rake',
'view-pool-error' => 'Sarrie, the servers ar owerlaided at the moment.
Ower monie uisers ar ettlin tae see this page.
Please wait ae while afore ye ettle tae access this page again.
$1',
'pool-timeout' => 'Timeout waitin fer the lock',
'pool-queuefull' => 'Pool line is ful',
'pool-errorunknown' => 'Onknawn mistak.',
# All link text and link target definitions of links into project namespace that get used by other message strings, with the exception of user group pages (see grouppage).
'aboutsite' => 'Aboot {{SITENAME}}',
'aboutpage' => 'Project:Aboot',
'copyright' => 'Content is available unner $1 onless itherwise noted.',
'copyrightpage' => '{{ns:project}}:Copyrichts',
'currentevents' => 'Gaun oan the nou',
'currentevents-url' => 'Project:Gaun oan the nou',
'disclaimers' => 'Disclamation',
'disclaimerpage' => 'Project:General_disclamation',
'edithelp' => 'Editin help',
'mainpage' => 'Main Page',
'mainpage-description' => 'Main Page',
'policy-url' => 'Project:Policy',
'portal' => 'Commonty yett',
'portal-url' => 'Project:Commonty Yett',
'privacy' => 'Privacy policy',
'privacypage' => 'Project:Privacy policy',
'badaccess' => 'Permeission mishanter',
'badaccess-group0' => "Ye'r no permited tae dae whit ye hae requestit!",
'badaccess-groups' => 'The action that ye hae requestit is leemitit til uisers in {{PLURAL:$2|the groop|yin o the groops}}: $1.',
'versionrequired' => 'Version $1 o MediaWiki needit',
'versionrequiredtext' => 'Version $1 o MediaWiki is requirit tae uise this page. Tak a keek at the [[Special:Version|version page]].',
'ok' => 'Okay',
'retrievedfrom' => 'Taen frae "$1"',
'youhavenewmessages' => 'Ye hae $1 ($2).',
'youhavenewmessagesfromusers' => '{{PLURAL:$4|Ye hae}} $1 fae {{PLURAL:$3|anither uiser|$3 uisers}} ($2).',
'youhavenewmessagesmanyusers' => 'Ye hae $1 fae moni uisers ($2).',
'newmessageslinkplural' => '{{PLURAL:$1|ae new message|999=new messages}}',
'newmessagesdifflinkplural' => 'last {{PLURAL:$1|chynge|999=chynges}}',
'youhavenewmessagesmulti' => 'Ye hae new messages oan $1',
'editsection' => 'eedit',
'editold' => 'eedit',
'viewsourceold' => 'ken soorce',
'editlink' => 'eedit',
'viewsourcelink' => 'see soorce',
'editsectionhint' => 'Eedit section: $1',
'toc' => 'Contents',
'showtoc' => 'shaw',
'hidetoc' => 'scouk',
'collapsible-collapse' => 'Collapse.',
'collapsible-expand' => 'Mak mair muckle',
'thisisdeleted' => 'See or restore $1?',
'viewdeleted' => 'See $1?',
'restorelink' => '{{PLURAL:$1|yin delytit eidit|$1 delytit eidits}}',
'feedlinks' => 'Feed:',
'feed-invalid' => "This feeds subscrieve's teep isnae habile.",
'feed-unavailable' => 'Syndication feeds isna available',
'site-rss-feed' => '$1 RSS Feed',
'site-atom-feed' => '$1 Atom Feed',
'page-rss-feed' => '"$1" RSS Feed',
'page-atom-feed' => '"$1" Atom Feed',
'red-link-title' => '$1 (page disna exeest)',
'sort-descending' => 'Sort descending.',
'sort-ascending' => 'Sort ascending.',
# Short words for each namespace, by default used in the namespace tab in monobook
'nstab-main' => 'Page',
'nstab-user' => 'Uiser page',
'nstab-media' => 'Eetem page',
'nstab-special' => 'Byordinar page',
'nstab-project' => 'Waurk page',
'nstab-image' => 'Eemage',
'nstab-mediawiki' => 'Message',
'nstab-template' => 'Template',
'nstab-help' => 'Help page',
'nstab-category' => 'Category',
# Main script and global functions
'nosuchaction' => 'Nae sic action',
'nosuchactiontext' => 'The action speceefieed bi the URL isna recognised
Ye micht hae mistyped the URL, or follaed ae wrang link
This micht forby be caused bi ae bug in the saffware uised bi {{SITENAME}}.',
'nosuchspecialpage' => 'Nae sic byordinar page',
'nospecialpagetext' => '<strong>Ye hae requestit aen onvalid byordinar page.</strong>
A leet o valid byordinar pages can be foond at [[Special:SpecialPages|{{int:specialpages}}]].',
# General errors
'error' => 'Mistak',
'databaseerror' => 'Database mistak',
'databaseerror-text' => 'Ae database speirin mistak has occurred.
This micht be cause o ae bug in the saffware.',
'databaseerror-textcl' => 'Ae database speirin mistak has occurred.',
'databaseerror-query' => 'Speirin: $1',
'databaseerror-function' => 'Function: $1',
'databaseerror-error' => 'Mistake: $1',
'laggedslavemode' => '<strong>Warnishment:</strong> Page micht naw contain recent updates',
'readonly' => 'Database lockit',
'enterlockreason' => "Enter ae raeson fer the lock, inclædin aen estimate o whan the lock'll be lowsed",
'readonlytext' => "The databae is lockit tae new entries n ither modifeecations the nou,
likelie fer routine database maintenance; efter that it'll be back til normal.
The admeenstration that lockit it gied this explanation: $1",
'missing-article' => 'The database didna fynd the tex o ae page that it shid hae foond, cawed "$1" $2.
Maistlie this is caused bi follaein aen ootdated diff or histerie airtin til ae page that\'s been delytit.
Gif this isna the case, ye micht hae foond ae bug in the saffware.
Please lat aen [[Special:ListUsers/sysop|admeenistrater]] ken aneat this, makin ae myndin o the URL.',
'missingarticle-rev' => '(reveesion#: $1)',
'missingarticle-diff' => '(Diff: $1, $2)',
'readonly_lag' => 'The database haes been autaematically lockit while the sclave database servers catch up tae the maister',
'internalerror' => 'Internal mishanter',
'internalerror_info' => 'Internal mistak: $1',
'fileappenderrorread' => 'Coudna read "$1" durin append.',
'fileappenderror' => 'Coudna append "$1" til "$2".',
'filecopyerror' => 'Cuidna copie file "$1" til "$2".',
'filerenameerror' => 'Cuidna rename file "$1" til "$2".',
'filedeleteerror' => 'Cuidna delyte file "$1".',
'directorycreateerror' => 'Culdnae mak directory "$1".',
'filenotfound' => 'Cuidna fin file "$1".',
'fileexistserror' => 'Culdnae write tae file "$1": file is already here',
'unexpected' => 'Vailyie isnae expectit: "$1"="$2".',
'formerror' => 'Mistak: cuidna haun in form',
'badarticleerror' => 'This action canna be duin tae this page.',
'cannotdelete' => 'The page or file "$1" coudna be delytit.
It micht awreadie hae been delytit bi some ither bodie.',
'cannotdelete-title' => 'Canna delyte page "$1"',
'delete-hook-aborted' => 'Delytion stappit bi huik.
It gae nae explanâtion.',
'no-null-revision' => 'Coudna mak new null reveesion fer page "$1"',
'badtitle' => 'Bad teitle',
'badtitletext' => 'The requestit page teitle wis onvalid, tuim, or ae wranglie airtit inter-leid or inter-wiki teitle. It micht contain yin or mair chairacters that canna be uised in teitles.',
'perfcached' => 'The follaein data is cached n michtna be richt up til date. Ae maist muckle o {{PLURAL:$1|yin result is|$1 results ar}} available in the cache.',
'perfcachedts' => 'The follaein data is cached, n wis hindermaist updated $1. Ae maist muckkle o {{PLURAL:$4|yin result is|$4 results ar}} available in the cache.',
'querypage-no-updates' => 'Updates for this page ar disablit at the meenit. Data here wilnae be refreshit at the meenit.',
'viewsource' => 'See soorce',
'viewsource-title' => 'See soorce fer $1',
'actionthrottled' => 'Action devalit',
'actionthrottledtext' => "Aes aen anti-spam meisur, ye'r limitit fae daein this action ower monie times in aen ower short time, n ye'v exceedit this limit. Please try again in ae few minutes.",
'protectedpagetext' => 'This page haes been protected fer tae hider eeditin or ither actions.',
'viewsourcetext' => 'Ye can leuk at n copie the soorce o this page:',
'viewyourtext' => 'Ye can see n copie the soorce o <strong>yer eedits</strong> til this page:',
'protectedinterface' => 'This page provides interface tex fer the saffware oan this wiki, n is protected fer tae hinder abuise.
Tae eik or chynge owersets fer aw wikis, please uise [//translatewiki.net/ translatewiki.net], the MediaWiki localisation waurk.',
'editinginterface' => "<strong>Warnishment:</strong> Ye'r eeditin ae page that is uised tae provide interface tex fer the saffware.
Chynges til this page will affect the kithin o the uiser interface fer ither uisers oan this wiki.
Tae eik or chynge owersets fer aw wikis, please uise [//translatewiki.net/ translatewiki.net], the MediaWiki localisation waurk.",
'cascadeprotected' => 'This page haes been protectit fae eiditin, cause it is inclædit in the follaein {{PLURAL:$1|page|pages}}, that ar protectit wi the "cascadin" optie turnit oan:
$2',
'namespaceprotected' => "Ye dinna hae permeession tae edit pages in the '''$1''' namespace.",
'customcssprotected' => "Ye dinna hae permeession tae eidit this CSS page cause it contains anither uiser's personal settings.",
'customjsprotected' => "Ye dinna hae permeession tae eidit this JavaScript page cause it contains anither uiser's personal settings.",
'mycustomcssprotected' => 'Ye dinna hae permeession tae edit this CSS page.',
'mycustomjsprotected' => 'Ye dinna hae permeession tae eidit this JavaScript page.',
'myprivateinfoprotected' => 'Ye dinna hae permeession tae eidit yer private information.',
'mypreferencesprotected' => 'Ye dinna hae permeession tae eidit yer preferences.',
'ns-specialprotected' => 'Byordinar pages canna be editit.',
'titleprotected' => "This teetle haes been protectit fae bein makit bi [[User:$1|$1]].
The groonds fer this ar: ''$2''.",
'filereadonlyerror' => 'Canna modify the file "$1" cause the file repository "$2" is in read-yinly mode.
The administrater that lock\'t it affered this explanation: "$3".',
'invalidtitle-knownnamespace' => 'Onvalit title wi namespace "$2" n tex "$3"',
'invalidtitle-unknownnamespace' => 'Onvalit title wi onkent namespace nummer $1 n tex "$2"',
'exception-nologin' => 'No loggit in',
'exception-nologin-text' => 'Please [[Special:Userlogin|log in]] tae be able tae access this page or action.',
'exception-nologin-text-manual' => 'Please $1 tae be able tae access this page or action.',
# Virus scanner
'virus-badscanner' => "Bad confeeguration: Onken't virus scanner: <em>$1</em>",
'virus-scanfailed' => 'the scan failed (code $1)',
'virus-unknownscanner' => "onken't antivirus:",
# Login and logout pages
'logouttext' => "<strong>Ye'r nou loggit oot.</strong>
Mynd that some pages micht continue tae be displeyed aes gif ye were still loggit in, til ye clear yer brouser cache.",
'welcomeuser' => 'Weelcome, $1!',
'welcomecreation-msg' => 'Yer accoont haes been cræftit.
Ye can chynge yer {{SITENAME}} [[Special:Preferences|preeferences]] gif ye like.',
'yourname' => 'Yer uiser name',
'userlogin-yourname' => 'Uisername',
'userlogin-yourname-ph' => 'Enter yer uisername',
'createacct-another-username-ph' => 'Enter the uisername',
'yourpassword' => 'Passwaird:',
'userlogin-yourpassword' => 'Passwaird.',
'userlogin-yourpassword-ph' => 'Enter yer passwaird',
'createacct-yourpassword-ph' => 'Enter ae passwaird',
'yourpasswordagain' => 'Retype passwaird:',
'createacct-yourpasswordagain' => 'Confirm passwaird.',
'createacct-yourpasswordagain-ph' => 'Enter passwaird again.',
'remembermypassword' => 'Mynd ma login oan this brouser (fer $1 {{PLURAL:$1|day|days}} at the maist)',
'userlogin-remembermypassword' => 'Keep me loggit in',
'userlogin-signwithsecure' => 'Uise secure connection',
'yourdomainname' => 'Yer domain:',
'password-change-forbidden' => 'Ye canna chynge passwords oan this wiki.',
'externaldberror' => "Aither thaur wis aen external authentication database mistak, or ye'r naw permitit tae update yer external accoont.",
'login' => 'Log in',
'nav-login-createaccount' => 'Log in / cræft aen accoont',
'loginprompt' => 'Ye maun hae cookies enabled tae log in tae {{SITENAME}}.',
'userlogin' => 'Cræft aen accoont or log in',
'userloginnocreate' => 'Log in.',
'logout' => 'Log oot',
'userlogout' => 'Log oot',
'notloggedin' => 'Naw loggit in',
'userlogin-noaccount' => 'Dinna hae aen accoont?',
'userlogin-joinproject' => 'Jyn {{SITENAME}}',
'nologin' => 'Dinna hae aen accoont? $1.',
'nologinlink' => 'Cræft aen accoont',
'createaccount' => 'Mak new accoont',
'gotaccount' => 'Awreadie hae aen accoont? $1.',
'gotaccountlink' => 'Log in',
'userlogin-resetlink' => 'Forgotten yer login details?',
'userlogin-resetpassword-link' => 'Fergot yer password?',
'userlogin-helplink2' => 'Heelp wi loggin in',
'userlogin-loggedin' => "Ye'r awreadie loggit in as {{GENDER:$1|$1}}.
Uise the form ablow tae log in as anither uiser.",
'userlogin-createanother' => 'Mak anither accoont',
'createacct-join' => 'Enter yer information ablow.',
'createacct-another-join' => "Enter the new accoont's information ablow.",
'createacct-emailrequired' => 'Wab-mail address',
'createacct-emailoptional' => 'Wab-mail address (optional)',
'createacct-email-ph' => 'Enter yer wab-mail address',
'createacct-another-email-ph' => 'Enter wab-mail address',
'createaccountmail' => 'Uise ae temporarie random passwaird n send it til the speceefied wab-mail address',
'createacct-realname' => 'Real name (optional).',
'createaccountreason' => 'Raison:',
'createacct-reason' => 'Raison',
'createacct-reason-ph' => 'Why ar ye creating anither accoont',
'createacct-captcha' => 'Security check.',
'createacct-imgcaptcha-ph' => 'Enter the tex ye see abuin',
'createacct-submit' => 'Mak yer accoont',
'createacct-another-submit' => 'Mak anither accoont',
'createacct-benefit-heading' => '{{SITENAME}} is makit bi fowk like ye.',
'createacct-benefit-body1' => '{{PLURAL:$1|eidit|eidits}}',
'createacct-benefit-body2' => '{{PLURAL:$1|page|pages}}.',
'createacct-benefit-body3' => 'recent {{PLURAL:$1|contreebuter|contreebuters}}',
'badretype' => 'The passwords ye entered disna match.',
'userexists' => 'The uiser name ye entered is awreadie in uiss. Please chuise ae different name.',
'loginerror' => 'Login mishanter',
'createacct-error' => 'Accoont cræftin mistak',
'createaccounterror' => 'Coudna mak accoont: $1',
'nocookiesnew' => "The uiser accoont wis cræftit, but ye'r naw loggit in. {{SITENAME}} uises cookies tae log uisers in. Ye hae cookies disabled. Please enable them, than log in wi yer new uisername n passwaird.",
'nocookieslogin' => '{{SITENAME}} uises cookies tae log in uisers. Ye hae cookies disabled. Please enable thaim an gie it anither shot.',
'nocookiesfornew' => 'The uiser accoont wisna cræftit, aes we couda confirm its soorce.
Ensure that ye have cookies enabled, relaid this page n gie it anither shote.',
'noname' => "Ye hivna specifee'd a valid uisername.",
'loginsuccesstitle' => 'Login fine',
'loginsuccess' => 'Ye\'re nou loggit in tae {{SITENAME}} as "$1".',
'nosuchuser' => 'Thaur\'s nae sic uiser aes "$1".
Uiser names ar case-sensiteeve.
Check yer speelin, or [[Special:UserLogin/signup|mak ae new accoont]].',
'nosuchusershort' => 'The\'r nae sic uiser as "$1". Check yer spellin.',
'nouserspecified' => 'Ye hae tae merk up ae uisername.',
'login-userblocked' => 'Uiser "$1" is blockit. Log-in naw permitit.',
'wrongpassword' => 'The password ye entered is wrang. Please gie it anither shot.',
'wrongpasswordempty' => 'The password ye entered is blank. Please gie it anither shot.',
'passwordtooshort' => 'Yer password is ower short.
It maun hae at laest {{PLURAL:$1|1 chairacter|$1 chairacters}}.',
'password-name-match' => 'Yer passwaird maun be different fae yer uisername.',
'password-login-forbidden' => 'The uise o this uisername n passwaird haes been ferbidden.',
'mailmypassword' => 'Reset password',
'passwordremindertitle' => 'Password reminder frae {{SITENAME}}',
'passwordremindertext' => 'Somebodie (liklie ye, fae IP address $1) requested ae new
passwaird fer {{SITENAME}} ($4). Ae temporarie passwaird fer uiser "$2" haes been cræftit n wis set til "$3". Gif this wis yer intent, ye will need tae log in n chuise ae new passwaird nou.
Yer temporarie passwaird will expire in {{PLURAL:$5|yin day|$5 days}}.
Gif some ither bodie makit this request, or gif ye hae myndit yer passwaird, n ye nae langer wish tae chynge it, ye can ignore this message n continue uisin yer auld passwaird.',
'noemail' => 'Thaur\'s nae wab-mail address recordit fer uiser "$1".',
'noemailcreate' => 'Ye need tae provide ae valid wab-mail address.',
'passwordsent' => 'A new password haes been sent tae the e-mail address registert for "$1". Please log in again efter ye receive it.',
'blocked-mailpassword' => 'Yer IP address is blockit fae eeditin, sae it
canna uise the passwaird recoverie function, for tae hinder abuiss.',
'eauthentsent' => "Ae confirmation wab-mail haes been sent til the speceefied wab-mail address.
Afore oni ither wab-mail is sent til the accoont, ye'll hae tae follae the instructions in the wab-mail, sae as tae confirm that the accoont is reallie yers.",
'throttled-mailpassword' => 'Ae password reset wab-mail haes awreadie been sent, wiin the laist {{PLURAL:$1|hoor|$1 hoors}}.
Tae hinder abuiss, yinly the yin password reset wab-mail will be sent per {{PLURAL:$1|hoor|$1 hoors}}.',
'mailerror' => 'Mistak sendin mail: $1',
'acct_creation_throttle_hit' => 'Veesitors tae this wiki uisin yer IP address haev created $1 {{PLURAL:$1|accoont|accoonts}} the day, which is the maist permeettit in that lang.
Sae veesitors uisin this IP address canna mak ony mair accoonts juist noo.',
'emailauthenticated' => 'Yer wab-mail address wis confirmed oan $2 at $3.',
'emailnotauthenticated' => 'Yer wab-mail address isna yet confirmed.
Nae wab-mail will be sent fer oni o the follaein features.',
'noemailprefs' => "Nae email address haes been specifee'd, the follaein featurs willna wirk.",
'emailconfirmlink' => 'Check yer e-mail address',
'invalidemailaddress' => 'The wab-mail address canna be acceptit sin it seems tae be formattit wrang.
Please enter ae weel-formattit address or mak that field tuim.',
'cannotchangeemail' => 'Accoont wab-mail addresses canna be chynged oan this wiki.',
'emaildisabled' => 'This site canna send wab-mails.',
'accountcreated' => 'Accoont cræftit',
'accountcreatedtext' => 'The uiser accoont fer [[{{ns:User}}:$1|$1]] ([[{{ns:User talk}}:$1|tauk]]) haes been cræftit.',
'createaccount-title' => 'Accoont makin for {{SITENAME}}',
'createaccount-text' => 'Somebodie cræftit aen accoont fer yer wab-mail address oan {{SITENAME}} ($4) named "$2", wi passwaird "$3".
Ye shid log in n chynge yer passwaird nou.
Ye can ignore this message, gif this accoont wis cræftit bi mistak.',
'usernamehasherror' => 'Uisername canna contain hash chairacters',
'login-throttled' => "Ye'v makit ower monie recynt login attempts.
Please wait $1 afore giein it anither gae.",
'login-abort-generic' => 'Yer login wisna successful - Aborted',
'loginlanguagelabel' => 'Leid: $1',
'suspicious-userlogout' => 'Yer request tae log oot wis denied cause it luiks like it wis sent bi ae broken brouser or caching proxy.',
'createacct-another-realname-tip' => 'Real name is aen optie.
Gif ye chuise tae provide it, this will be uised fer giein the uiser attreebution fer their wark.',
'pt-login' => 'Log in',
'pt-login-button' => 'Log in',
'pt-createaccount' => 'Mak accoont',
'pt-userlogout' => 'Log oot',
# Email sending
'php-mail-error-unknown' => "Onken't mistak in PHP's mail() function.",
'user-mail-no-addy' => 'Tried tae send wab-mail wiout ae wab-mail address.',
'user-mail-no-body' => 'Tried tae send wab-mail wi ae tuim or onreasonably short body o tex.',
# Change password dialog
'changepassword' => 'Chynge password',
'resetpass_announce' => 'Tae finish loggin in, ye maun set ae new passwaird.',
'resetpass_header' => 'Chynge accoont password',
'oldpassword' => 'Auld passwaird',
'newpassword' => 'New passwaird:',
'retypenew' => 'Retype new passwaird:',
'resetpass_submit' => 'Set passwaird n log in',
'changepassword-success' => 'Yer passwaird chynge wis braw!',
'changepassword-throttled' => "Ye'v makit ower monie recynt login attempts.
Please wait $1 afore giein it anither gae.",
'resetpass_forbidden' => 'Passwords canna be chynged',
'resetpass-no-info' => 'Ye maun be loggit in tae access this page directly.',
'resetpass-submit-loggedin' => 'Chynge passwaird',
'resetpass-submit-cancel' => 'Cancel',
'resetpass-wrong-oldpass' => 'Onvalid temporarie or current passwaird.
Ye micht hae awreadie been successful in chyngin yer passwaird or requested ae new temporarie passwaird.',
'resetpass-recycled' => 'Please reset yerr passwaird til sommit ither than yer current passwaird.',
'resetpass-temp-emailed' => 'Ye loggit in wi ae temperie mailed code.
Tae finish loggin in, ye maun set ae new passwaird here:',
'resetpass-temp-password' => 'Temperie passwaird:',
'resetpass-abort-generic' => 'Passwaird chynge haes been aborted bi aen extension.',
'resetpass-expired' => 'Yer passwaird haes expired. Please set ae new passwaird tae log-in.',
'resetpass-expired-soft' => 'Yer passwaird haes expired n needs tae be reset. Please chuise ae new passwaird nou, or clap oan "{{int:resetpass-submit-cancel}}" tae reset it later.',
'resetpass-validity-soft' => 'Yer passwaird isna valid: $1
Please chuise ae new passwaird nou, or clap "{{int:resetpass-submit-cancel}}" tae reset it later.',
# Special:PasswordReset
'passwordreset' => 'Reset passwaird',
'passwordreset-text-one' => 'Compleate this form tae receive ae temperie passwaird via wab-mail.',
'passwordreset-text-many' => '{{PLURAL:$1|Fill in yin o the fields tae receive ae temperie passwaird via wab-mail.}}',
'passwordreset-legend' => 'Reset passwaird',
'passwordreset-disabled' => 'Passwaird resets hae been disabled oan this wiki.',
'passwordreset-emaildisabled' => 'Wab-mail features hae been disabled oan this wiki.',
'passwordreset-username' => 'Uisername:',
'passwordreset-capture' => 'See the ootcomin e-mail?',
'passwordreset-capture-help' => 'Gif ye check this kist, the e-mail (wi the temperie passwaird) will be shawn til ye n be sent til the uiser ava.',
'passwordreset-email' => 'Wab-mail address:',
'passwordreset-emailtitle' => 'Accoont details oan {{SITENAME}}',
'passwordreset-emailtext-ip' => "Somebodie (likely ye, fae IP address $1) requested ae reset o yer passwaird fer {{SITENAME}} ($4). The follaein uiser {{PLURAL:$3|accoont is|accoonts ar}}
associated wi this wab-mail address:
$2
{{PLURAL:$3|This temperie passwaird|Thir temperie passwairds}} will expire in {{PLURAL:$5|yin day|$5 days}}.
Ye shid log in n chuise ae new passwaird nou. Gif some ither bodie makit this request, or gif ye'v mynded yer oreeginal passwaird, n ye nae longer
wish tae chynge it, ye can ignore this message n continue uisin yer auld passwaird.",
'passwordreset-emailtext-user' => "Uiser $1 oan {{SITENAME}} requested ae reset o yer passwaird fer {{SITENAME}}
($4). The follaein uiser {{PLURAL:$3|accoont is|accoonts ar}} associated wi this wab-mail address:
$2
{{PLURAL:$3|This temperie passwaird|Thir temperie passwairds}} will expire in {{PLURAL:$5|yin day|$5 days}}.
Ye shid log in n chuise ae new password nou. Gif some ither bodie haes makit this request, or gif ye'v mynded yer oreeginal passwaird, n ye nae langer wish tae chynge it, ye can ignore this message n continue uisin yer auld passwaird.",
'passwordreset-emailelement' => 'Uisername: $1
Temperie passwaird: $2',
'passwordreset-emailsent' => 'Ae passwaird reset wab-mail haes been sent.',
'passwordreset-emailsent-capture' => 'Ae passwaird reset wab-mail haas been sent, this is shawn ablow.',
'passwordreset-emailerror-capture' => 'Ae passwaird reset wab-mail wis generated, (this is shawn ablow), but sendin it til the {{GENDER:$2|uiser}} failed: $1',
# Special:ChangeEmail
'changeemail' => 'Chynge wab-mail address',
'changeemail-header' => 'Chynge accoont wab-mail address',
'changeemail-text' => 'Compleate this form tae chynge yer wab-mail address. Ye will need tae enter yer passwaird tae confirm this chynge.',
'changeemail-no-info' => 'Ye maun be loggit in tae access this page directly.',
'changeemail-oldemail' => 'Current wab-mail address:',
'changeemail-newemail' => 'New wab-mail address:',
'changeemail-none' => '(nane)',
'changeemail-password' => 'Yer {{SITENAME}} passwaird:',
'changeemail-submit' => 'Chynge wab-mail',
'changeemail-cancel' => 'Cancel.',
'changeemail-throttled' => "Ye'v makit ower monie recynt login attempts.
Please wait $1 afore giein it anither gae.",
# Special:ResetTokens
'resettokens' => 'Reset tokens.',
'resettokens-text' => 'Ye can reset tokens that permit ye access til certain private data associated wi yer accoont here.
Ye shid dae it gif ye accidentally shaired theim wi somebodie or gif yer accoont haes been compromised.',
'resettokens-no-tokens' => 'Thaur ar nae tokens tae reset.',
'resettokens-legend' => 'Reset tokens.',
'resettokens-tokens' => "Tokens':",
'resettokens-token-label' => '$1 (value the nou: $2)',
'resettokens-watchlist-token' => 'Token fer the wab feed (Atom/RSS) o [[Special:Watchlist|chynges til pages oan yer watchleet]]',
'resettokens-done' => "Tokens' reset.",
'resettokens-resetbutton' => 'Reset selected tokens.',
# Edit page toolbar
'bold_sample' => 'Baud tex',
'bold_tip' => 'Baud tex',
'italic_sample' => 'Italic tex',
'italic_tip' => 'Italic tex',
'link_sample' => 'Airtin teitle',
'link_tip' => 'Internal airtin',
'extlink_sample' => 'http://www.example.com airtin teitle',
'extlink_tip' => 'External link (mynd the http:// prefix)',
'headline_sample' => 'Heidline tex',
'headline_tip' => 'Level 2 heidline',
'nowiki_sample' => 'Insert non-formattit tex here',
'nowiki_tip' => 'Ignore wiki formattin',
'image_sample' => 'Exemplar.jpg',
'image_tip' => 'Embeddit eemage',
'media_sample' => 'Exemplar.ogg',
'media_tip' => 'Media file airtin',
'sig_tip' => 'Yer seignatur wi timestamp',
'hr_tip' => 'Horizontal line (dinna ower uise)',
# Edit pages
'summary' => 'Ootline:',
'subject' => 'Subject/headline:',
'minoredit' => 'This is ae smaa eedit',
'watchthis' => 'Leuk ower this page',
'savearticle' => 'Hain page',
'preview' => 'Luikower',
'showpreview' => 'Shaw luikower',
'showlivepreview' => 'Live leuk ower',
'showdiff' => 'Shaw chynges',
'anoneditwarning' => "<strong>Warnishment:</strong>Ye'r naw loggit in. Yer IP address will be recordit in this page's eedit histerie.",
'anonpreviewwarning' => "<em>Ye'r no loggit in. Hainin will record yer IP address in this page's eedit histerie.</em>",
'missingsummary' => '<strong>Mynd:</strong> Ye\'v naw gien aen eedit owerview. Gif ye clap oan "{{int:savearticle}}" again, yer eedit will be haint wioot ane.',
'missingcommenttext' => 'Please enter a comment ablo.',
'missingcommentheader' => '<strong>Mynd:</strong> Ye\'v na gien ae subject/heidline fer this comment.
Gif ye clap "{{int:savearticle}}" again, yer eedit will be hained wioot yin.',
'summary-preview' => 'Ootline leuk ower:',
'subject-preview' => 'Subject/headline leuk ower:',
'blockedtitle' => 'Uiser is blockit',
'blockedtext' => '<strong>Yer uisername or IP address haes been blockit.</strong>
The block wis makit bi $1.
The raison gieen is <em>$2</em>.
* Stairt o block: $8
* Expirie o block: $6
* Intended blockee: $7
Ye can contact $1 or anither [[{{MediaWiki:Grouppage-sysop}}|admeenistrater]] tae discuss the block.
Ye canna uise the "wab-mail this uiser" feature onless ae valid wab-mail address is speceefied in yer [[Special:Preferences|accoont preferences]] n ye\'v naw been blockit fae uisin it.
Yer current IP address is $3, n the block ID is #$5.
Please incluide aw the abuin details in onie speirins that ye mak.',
'autoblockedtext' => 'Yer IP address haes been autæmateeclie blockit cause it wis uised bi anither uiser that wis blockit bi $1.
The raison gien is:
:<em>$2</em>
* Stairt o block: $8
* Expirie o block: $6
* Intended blockee: $7
Ye can contact $1 or yin o the ither [[{{MediaWiki:Grouppage-sysop}}|admeenistraters]] tae discuss the block.
Mynd that ye canna uise the "wab-mail this uiser" feature onless ye hae ae valid wab-mail address registered in yer [[Special:Preferences|uiser preeferances]] n ye\'v na been blockit fae uisin it.
Yer current IP address is $3, n the block ID is #$5.
Please incluid aw abuin details in onie speirins that ye mak.',
'blockednoreason' => 'nae grunds put',
'whitelistedittext' => 'Pleas $1 tae eedit pages.',
'confirmedittext' => 'Ye maun confirm yer wab-mail address afore eeditin pages. Please set n validate yer wab-mail address throogh yer [[Special:Preferences|uiser settins]].',
'nosuchsectiontitle' => 'Canna find section',
'nosuchsectiontext' => 'Ye tried tae eedit ae section that disna exeest.
It micht hae been muived or delytit while ye were luikin at the page.',
'loginreqtitle' => 'Login Requirit!',
'loginreqlink' => 'log in',
'loginreqpagetext' => 'Please $1 tae see ither pages.',
'accmailtitle' => 'Passwaird sent.',
'accmailtext' => 'Ae randomly generated passwaird fer [[User talk:$1|$1]] haes been sent til $2. It can be chynged oan the <em>[[Special:ChangePassword|chynge passwaird]]</em> page upo loggin in.',
'newarticle' => '(New)',
'newarticletext' => "Ye'v follaed aen airtin til ae page that disna exeest yet. Tae cræft the page, stairt typin in the kist ablo (see the [$1 heelp page] fer mair info). Gif ye'r here bi mistak, jist clap yer brouser's <strong>back</strong> button.",
'anontalkpagetext' => "----
<em>This is the discussion page fer aen anonymoos uiser that's naw cræftit aen accoont yet, or that disna uise it.</em>
We maun therefore uise the numerical IP address tae identifie him/her.
Sic aen IP address can be shaired bi several uisers.
Gif ye'r aen anonymos uiser n feel that onreelavant comments hae been directed at ye, please [[Special:UserLogin/signup|cræft aen accoont]] or [[Special:UserLogin|log in]] tae avoid futur confusion wi ither anonymoos uisers.",
'noarticletext' => 'Thaur\'s naw tex oan this page the nou.
Ye can [[Special:Search/{{PAGENAME}}|rake fer this page teitle]] in ither pages,
<span class="plainlinks">[{{fullurl:{{#Special:Log}}|page={{FULLPAGENAMEE}}}} rake the related logs],
or [{{fullurl:{{FULLPAGENAME}}|action=edit}} eidit this page].</span>',
'noarticletext-nopermission' => 'Thaur\'s nae tex in this page the nou.
Ye can [[Special:Search/{{PAGENAME}}|rake fer this page title]] in ither pages, or <span class="plainlinks">[{{fullurl:{{#Special:Log}}|page={{FULLPAGENAMEE}}}} rake the relatit logs]</span>, but ye dinna hae permeession tae cræft this page.',
'missing-revision' => 'The reveesion #$1 o the page named "{{FULLPAGENAME}}" disna exeest.
This is uissuallie caused bi follaein aen ootdated histerie link til ae page that haes been delytit.
Details can be foond in the [{{fullurl:{{#Special:Log}}/delete|page={{FULLPAGENAMEE}}}} delytion log].',
'userpage-userdoesnotexist' => 'Uiser accoont "<nowiki>$1</nowiki>" hasnae been registerit. Please check gin ye wint tae mak or eidit this page.',
'userpage-userdoesnotexist-view' => 'Uiser accoont "$1" isna registered.',
'blocked-notice-logextract' => 'This uiser is nou blockit.
The laitest block log entrie is gien ablo fer referance:',
'clearyourcache' => "<strong>Tak tent:</strong> Efter hainin, ye micht hae tae bipass yer brouser's cache tae see the chynges.
* <strong>Firefox / Safari:</strong> Haud <em>Shift</em> while clapin <em>Relaid</em>, or press either <em>Ctrl-F5</em> or <em>Ctrl-R</em> (<em>⌘-R</em> oan ae Mac)
* <strong>Google Chrome:</strong> Press <em>Ctrl-Shift-R</em> (<em>⌘-Shift-R</em> on a Mac)
* <strong>Internet Explorer:</strong> Haud <em>Ctrl</em> while clapin <em>Refresh</em>, or press <em>Ctrl-F5</em>
* <strong>Opera:</strong> Clear the cache in <em>Tuils → Preferences</em>",
'usercssyoucanpreview' => '<strong>Tip:</strong> Uise the "{{int:showpreview}}" button tae test yer new CSS afore hainin.',
'userjsyoucanpreview' => '<strong>Tip:</strong> Uise the "{{int:showpreview}}" button tae test yer new JavaScript afore hainin.',
'usercsspreview' => "<strong>Mynd that ye'r yinly previewing yer uiser CSS.
It haesna been hained yet!</strong>",
'userjspreview' => "'''Mynd that ye're juist testin/previewing yer uiser JavaScript; it haesna been hained yet!'''",
'sitecsspreview' => "<strong>Mynd that ye'r yinly previewing this CSS.
It's no been hained yet!</strong>",
'sitejspreview' => "<strong>Mynd that ye'r yinly previewing this JavaScript code.
It's no been hained yet!</strong>",
'userinvalidcssjstitle' => '<strong>Warnishmant</strong> Thaur\'s na ae skin "$1". Mynd that yer ain .css n .js pages uise ae lowercase teetle, e.g. {{ns:user}}:Foo/vector.css in steid o {{ns:user}}:Foo/Vector.css.',
'updated' => '(Updatit)',
'note' => "'''Mynd:'''",
'previewnote' => '<strong>Mynd that this is yinlie ae luikower.</strong>
Yer chynges hae na been hained yet!',
'continue-editing' => 'Gae til eiditing area',
'previewconflict' => 'This luikower reflects the tex in the upper tex eeditin airt like it will kith gif ye chuise tae hain.',
'session_fail_preview' => "'''Sairy! We culdnae process yer eidit acause o ae loss o term data.'''
Please gie it anither gae. Gin it disnae wairk still, gie [[Special:UserLogout|loggin oot]] n loggin back in again ae gae.",
'session_fail_preview_html' => '<strong>Sairrie! We coudna process yer eedit cause o ae loss o session data.</strong>
<em>Cause {{SITENAME}} haes raw HTML enabled, the owerluik is skaukt aes ae precaution again JavaScript attacks.</em>
<strong>Gif this is ae legeetimate eedit attempt, please gei it anither gae.</strong>
Gif it still disna wairk, try [[Special:UserLogout|loggin oot]] n loggin back in.',
'token_suffix_mismatch' => "<strong>Yer eedit haes been rejectit cause yer client makit ae richt mess o the punctuation chairacters in the eedit token.</strong>
The eedit haes been rejectit tae hinder rot o the page tex.
This whiles happens when ye'r uisin ae broken wab-based anonymoos proxie service.",
'edit_form_incomplete' => '<strong>Some pairts o the eedit form didna reach the server; dooble-check that yer edits ar intact n gie it anither gae.</strong>',
'editing' => 'Editin $1',
'creating' => 'Makin $1',
'editingsection' => 'Editin $1 (section)',
'editingcomment' => 'Editin $1 (new section)',
'editconflict' => 'Eidit conflict: $1',
'explainconflict' => 'Some ither body haes chynged this page syne ye stertit eiditin it.
The upper tex area hauds the page tex aes it currentlie exeests.
Yer chynges is shawn in the lower tex area.
Ye\'ll hae tae merge yer chynges intil the exeestin tex.
<strong>Juist</strong> the tex in the upper tex area will be hained whan ye press "{{int:savearticle}}".',
'yourtext' => 'Yer tex',
'storedversion' => 'Storit version',
'nonunicodebrowser' => '<strong>Warnishmant: Yer brouser isna unicode compliant.</strong> Ae wairkaroond is in place tae lat ye sauflie eedit airticles: non-ASCII chairacters will kythe in the eedit kist aes hexadecimal codes.',
'editingold' => "<strong>Warnishment:</strong> Ye'r eiditin aen oot-o-date reveesion o this page. Gin ye hain it, onie chynges makit sin this reveesion will be lost.",
'yourdiff' => 'Differs',
'copyrightwarning' => "Please mynd that aw contreebutions til {{SITENAME}} is conseedert tae be released unner the $2 (see $1 for details). Gif ye dinna want yer writin tae be eeditit wioot mercie n redistreebuted at will, than dinna haun it it here.<br /> Forbye thon, ye'r promisin us that ye wrat this yersel, or copied it fae ae publeec domain or siclike free resoorce. <strong>Dinna haun in copierichtit wark wioot permeession!</strong>",
'copyrightwarning2' => "Please mynd that aa contreebutions til {{SITENAME}} micht be eeditit, chynged, or remuived bi ither contreebuters.
Gin ye dinna want yer writin tae be eeditit wioot mercie n redistreebuted at will, than dinna haun it in here.<br />
Ye'r promisin us forbye that ye wrat this yersel, or copied it fae ae
publeec domain or siclike free resoorce (see $1 fer details).
<strong>Dinna haun in copierichtit wark wioot permeession!</strong>",
'longpageerror' => "<strong>Mistak: The tex ye'v submitted is {{PLURAL:$1|yin kilobyte|$1 kilobytes}} lang, n this is langer than the maist muckle o {{PLURAL:$2|yin kilobyte|$2 kilobytes}}.</strong>
It canna be hained.",
'readonlywarning' => "<strong>Warnishment: The database haes been lockit fer maintenance, sae ye'll no be able tae hain yer eedits richt nou.</strong>
Ye micht wish tae copie n paste yer tex intil ae tex file n hain it fer later.
The admeenistræter that lockit it affered this explanation: $1",
'protectedpagewarning' => '<strong>Warnishment: This page haes been protectit sae that yinlie uisers wi admeenistrater preevileges can eedit it.</strong>
The latest log entrie is gien ablo fer referance:',
'semiprotectedpagewarning' => '<strong>Mynd:</strong> This page haes been protectit sae that yinlie registered uisers can eedit it.
The latest log entrie is gien ablo fer referance:',
'cascadeprotectedwarning' => '<strong>Warnishment:</strong> This page haes been lockit sae that yinlie uisers wi admeenisræter richts can eidit it, acause it is inclædit in the follaein cascade-protectit {{PLURAL:$1|page|pages}}:',
'titleprotectedwarning' => '<strong>Warnishment: This page haes been protectit sae that [[Special:ListGroupRights|speceefic richts]] ar needed tae cræft it.</strong>
The laitest log entrie is gien ablo fer referance:',
'templatesused' => '{{PLURAL:$1|Template|Templates}} uised oan this page:',
'templatesusedpreview' => '{{PLURAL:$1|Template|Templates}} uised in this luikower:',
'templatesusedsection' => '{{PLURAL:$1|Template|Templates}} uised in this section:',
'template-protected' => '(protectit)',
'template-semiprotected' => '(semi-protectit)',
'hiddencategories' => "This page is ae member o {{PLURAL:$1|1 skauk't categerie|$1 skauk't categeries}}:",
'nocreatetext' => '{{SITENAME}} haes restricted the abeelitie tae cræft new pages.
Ye can gang back n eedit aen exestin page, or [[Special:UserLogin|log in or cræft aen accoont]].',
'nocreate-loggedin' => 'Ye dinnae hae the richts tae mak new pages.',
'sectioneditnotsupported-title' => 'Section eiditin isna supported',
'sectioneditnotsupported-text' => 'Section eiditing isna supported in this page.',
'permissionserrors' => 'Permission mistak',
'permissionserrorstext' => 'Ye dinnae hae the richts tae dae that, acause o the followin {{PLURAL:$1|grund|grunds}}:',
'permissionserrorstext-withaction' => 'Ye dinna hae the richts tae $2, fer the follaein {{PLURAL:$1|raison|raisons}}:',
'recreate-moveddeleted-warn' => "<strong>Warnishment: Ye'r recræftin ae page that haes been delytit.</strong>
Ye shid check that it is guid tae keep eeditin this page.
The delytion n muiv log fer this page is providit here fer conveeniance:",
'moveddeleted-notice' => 'This page haes been delytit.
The delytion n muiv log fer the page ar gien ablo fer referance.',
'log-fulllog' => 'See the ful log',
'edit-hook-aborted' => 'Eedit abortit bi huik.
It gae naw explanation.',
'edit-gone-missing' => 'Coudna update the page.
It appears tae hae been delytit.',
'edit-conflict' => 'Eedit confleect.',
'edit-no-change' => 'Yer eedit wis ignored cause nae chynge wis makit til the tex.',
'postedit-confirmation' => 'Yer eedit wis hained.',
'edit-already-exists' => 'Coudna mak ae new page.
It awreadie exists.',
'defaultmessagetext' => 'Defaut message tex',
'content-failed-to-parse' => 'Failed tae parse $2 content fer $1 model: $3',
'invalid-content-data' => 'Onvalid content data',
'content-not-allowed-here' => '"$1" content isna permited oan the page [[$2]]',
'editwarning-warning' => 'Leain this page micht cause ye tae lose oni chynges that ye\'v makit.
Gif ye\'r loggit in, ye can disable this warnishment in the "{{int:prefs-editing}}" section o yer preferences.',
'editpage-notsupportedcontentformat-title' => 'Content format isna supported',
'editpage-notsupportedcontentformat-text' => 'The content format $1 isna supported bi the content model $2.',
# Content models
'content-model-wikitext' => 'wikitex',
'content-model-text' => 'plain tex',
# Parser/template warnings
'expensive-parserfunction-warning' => '<strong>Warnishment:</strong> This page contains ower moni expensive parser function caws.
It shid hae less than $2 {{PLURAL:$2|caw|caws}}, thaur {{PLURAL:$1|is nou $1 caw|ar noo $1 caws}}.',
'expensive-parserfunction-category' => 'Pages wi ower moni expensive parser function caws',
'post-expand-template-inclusion-warning' => '<strong>Warnishment Template incluid size is owermuckle.
Some templates will na be incluidit.',
'post-expand-template-inclusion-category' => 'Pages whaur template include size is exceeded',
'post-expand-template-argument-warning' => '<strong>Warnishment:</strong> This page hauds at least the ae template argument that haes aen ower muckle expansion size.
Thir arguments hae been left oot.',
'post-expand-template-argument-category' => 'Pages containing omitted template arguments',
'parser-template-loop-warning' => 'Template luip detected: [[$1]]',
'parser-template-recursion-depth-warning' => 'Template recursion depth limit owershote ($1)',
'language-converter-depth-warning' => 'Leid converter depth limit owershote ($1)',
'node-count-exceeded-category' => 'Pages whaur node-coont is owershote',
'node-count-exceeded-warning' => 'Page owershote the node-coont',
'expansion-depth-exceeded-category' => 'Pages whaur expansion depth is owershote',
'expansion-depth-exceeded-warning' => 'Page owershote the expansion depth',
'parser-unstrip-loop-warning' => 'Unstrip luip detected',
'parser-unstrip-recursion-limit' => 'Unstrip recursion limit owershote ($1)',
'converter-manual-rule-error' => 'mistak detected in manual leid conversion rule',
# "Undo" feature
'undo-success' => 'The eidit can be ondun. Please check the chynges albo tae check that this is whit ye wint tae dae, n than hain the chynges albo tae be duin ondaein the eidit.',
'undo-failure' => 'The edit culdnae be undone acause o conflictin edits inatween.',
'undo-norev' => 'The eedit coudna be ondun cause it disna exeest or wis delytit.',
'undo-nochange' => 'The edit appears tae hae awready been ondone.',
'undo-summary' => 'Ondae reveesion $1 bi [[Special:Contributions/$2|$2]] ([[User talk:$2|Tauk]])',
'undo-summary-username-hidden' => "Ondae reveesion $1 bi ae skauk't uiser",
# Account creation failure
'cantcreateaccounttitle' => 'Canna mak accoont',
'cantcreateaccount-text' => "Accoont cræftin fae this IP address ('''$1''') haes been blockit bi [[User:$3|$3]].
The raison fer this, gien bi $3 is ''$2''",
'cantcreateaccount-range-text' => "Accoont cræftin fae IP addresses in the range '''$1''', that inclædes yer IP address ('''$4'''), haes been blockit bi [[User:$3|$3]].
The raison gien bi $3 is ''$2''",
# History pages
'viewpagelogs' => 'Leuk at logs fer this page',
'nohistory' => "Thaur's nae eedit histerie fer this page.",
'currentrev' => 'Reveesion the nou',
'currentrev-asof' => 'Latest reveesion aes o $1',
'revisionasof' => 'Reveesion aes o $1',
'revision-info' => 'Reveesion aes o $1 bi $2',
'previousrevision' => '← Aulder reveesion',
'nextrevision' => 'Newer reveesion →',
'currentrevisionlink' => 'Latest reveesion',
'cur' => 'nou',
'next' => 'neist',
'last' => 'hind',
'page_first' => 'first',
'page_last' => 'hindermaist',
'histlegend' => 'Diff selection: Maurk the radio kists o the reveesions tae compare n hit enter or the button at the bottom.<br />
Legend: <strong>({{int:cur}})</strong> = differance wi laitest reveesion, <strong>({{int:last}})</strong> = differance wi preceedin reveesion, <strong>{{int:minoreditletter}}</strong> = smaa eidit.',
'history-fieldset-title' => 'Brouse histerie',
'history-show-deleted' => 'Delytit yinlie',
'histfirst' => 'auldest',
'histlast' => 'newest',
'historysize' => '({{PLURAL:$1|1 byte|$1 bytes}})',
'historyempty' => '(empie)',
# Revision feed
'history-feed-title' => 'Reveesion histerie',
'history-feed-description' => 'Reveesion histerie fer this page oan the wiki',
'history-feed-item-nocomment' => '$1 at $2',
'history-feed-empty' => 'The requestit page disnae exeest.
It micht hae been delytit fae the wiki, or the name micht hae been chynged.
Try [[Special:Search|rakin oan the wiki]] fer new pages ye micht be interestit in.',
# Revision deletion
'rev-deleted-comment' => '(eedit ootline remuived)',
'rev-deleted-user' => '(uisername removit)',
'rev-deleted-event' => '(log action remuived)',
'rev-deleted-user-contribs' => "[uisername or IP address remuived - eidit skauk't fae contreebutions]",
'rev-deleted-text-permission' => 'This page reveesion haes been <strong>delytit</strong>.
Details can be foond in the [{{fullurl:{{#Special:Log}}/delete|page={{FULLPAGENAMEE}}}} delytion log].',
'rev-deleted-text-unhide' => 'This page luikower haes been <strong>delytit</strong>.
Details can be foond in the [{{fullurl:{{#Special:Log}}/delete|page={{FULLPAGENAMEE}}}} delytion log].
Ye can still [$1 see this luikower] gif ye wish tae proceed.',
'rev-suppressed-text-unhide' => 'This page luikower haes been <strong>suppressed</strong>.
Details can be foond in the [{{fullurl:{{#Special:Log}}/suppress|page={{FULLPAGENAMEE}}}} suppression log].
Ye can still [$1 see this luikower] gif ye wish tae proceed.',
'rev-deleted-text-view' => 'This page luikower haes been <strong>delytit</strong>.
Ye can see it; the details can be foond in the [{{fullurl:{{#Special:Log}}/delete|page={{FULLPAGENAMEE}}}} delytion log].',
'rev-suppressed-text-view' => 'This page luikower haes been <strong>suppressed</strong>.
Ye can see it; details can be foond in the [{{fullurl:{{#Special:Log}}/suppress|page={{FULLPAGENAMEE}}}} suppression log].',
'rev-deleted-no-diff' => 'Ye canna see this diff cause yin o the luikowers haes been <strong>delytit</strong>.
Details can be foond in the [{{fullurl:{{#Special:Log}}/delete|page={{FULLPAGENAMEE}}}} delytion log].',
'rev-suppressed-no-diff' => 'Ye cannae see this diff cause yin o the reveesions haes been <strong>delytit</strong>.',
'rev-deleted-unhide-diff' => 'Yin o the reveesions o this diff haes been <strong>delytit</strong>.
Details can be foond in the [{{fullurl:{{#Special:Log}}/delete|page={{FULLPAGENAMEE}}}} delytion log].
Ye can still [$1 see this diff] gif ye wish tae proceed.',
'rev-suppressed-unhide-diff' => 'Yin o the luikowers o this diff haes been <strong>suppressed</strong>.
Details can be foond in the [{{fullurl:{{#Special:Log}}/suppress|page={{FULLPAGENAMEE}}}} suppression log].
Ye can still [$1 see this diff] gif ye wish tae proceed.',
'rev-deleted-diff-view' => "Ane o the reveesions o this diff haes been '''delytit'''.
Ye can see this diff; details can be foond in the [{{fullurl:{{#Special:Log}}/delete|page={{FULLPAGENAMEE}}}} delytion log].",
'rev-suppressed-diff-view' => 'Yin o the luikowers o this diff haes been <strong>suppressed</strong>.
Ye can see this diff; the details can be foond in the [{{fullurl:{{#Special:Log}}/suppress|page={{FULLPAGENAMEE}}}} suppression log].',
'rev-delundel' => 'chynge veesibilitie',
'rev-showdeleted' => 'shaw',
'revisiondelete' => 'Delyte/ondelyte reveesions',
'revdelete-nooldid-title' => 'Onvalid target reveesion',
'revdelete-nooldid-text' => "Aither ye'v naw speceefied ae tairget reveesion(s) tae perform this function, the speceefied reveesion disna exeest, or ye'r attemptin tae skauk the Nou reveesion.",
'revdelete-no-file' => 'The file speceefied disna exeest.',
'revdelete-show-file-confirm' => 'Ar ye sair ye wish tae see ae delytit reveesion o the file "<nowiki>$1</nowiki>" fae $2 at $3?',
'revdelete-show-file-submit' => 'Ai',
'revdelete-selected-text' => '{{PLURAL:$1|Selectit luikower|Selectit luikowers}} o [[:$2]]:',
'revdelete-selected-file' => '{{PLURAL:$1|Selectit file version|Selectit file versions}} o [[:$2]]:',
'logdelete-selected' => '{{PLURAL:$1|Selectit log event|Selectit log events}}:',
'revdelete-text-text' => 'Delytit reveesions will still kith in the page histerie, bit pairts o thair content will be onaccessible til the publeec.',
'revdelete-text-file' => 'Delytit file versions will still kith in the file histerie, bit pairts o thair content will be onaccessible til the publeec.',
'logdelete-text' => 'Delytit log events will still kith in the logs, bit pairts o thair content will be onaccessible til the publeec.',
'revdelete-text-others' => 'Ither admeenistraters oan {{SITENAME}} will still be able tae access the skaukt content n can ondelyte it again throoch this same interface, onless addeetional restreections ar set.',
'revdelete-confirm' => "Please confirm that ye'r ettlin tae dae this, that ye unnerstaunn the consequences, n that ye'r daein this in accordance wi [[{{MediaWiki:Policy-url}}|the policie]].",
'revdelete-suppress-text' => 'Suppression shid <strong>yinly</strong> be uised fer the follaein cases:
* poteentiallie libeloos information
* galus personal information
*: <em>hame addresses n telephane nummers, national ideentifeecation nummers, etc.</em>',
'revdelete-legend' => 'Set visibeelitie restreections',
'revdelete-hide-text' => 'Reveesion tex',
'revdelete-hide-image' => 'Skauk file content.',
'revdelete-hide-name' => 'Skauk aiction n tairget',
'revdelete-hide-comment' => 'Eedit the ootline',
'revdelete-hide-user' => "Eiditer's uisername/IP address",
'revdelete-hide-restricted' => 'Suppress data fae admeenistraters aes weel aes ithers',
'revdelete-radio-same' => '(dinna chynge)',
'revdelete-radio-set' => "Skauk't",
'revdelete-radio-unset' => 'Veesible',
'revdelete-suppress' => 'Suppress data fae admeenistraters aes weel aes ithers',
'revdelete-unsuppress' => 'Remuiv restreections oan restored reveesions',
'revdelete-log' => 'Raison:',
'revdelete-submit' => 'Applie til selected {{PLURAL:$1|reveesion|reveesions}}',
'revdelete-success' => '<strong>Reveesion veesibeelitie successfully updated.</strong>',
'revdelete-failure' => '<strong>Reveesion veesibeelitie coudna be updated:</strong>
$1',
'logdelete-success' => '<strong>Log veesibeelitie successfully set.</strong>',
'logdelete-failure' => '<strong>Log veesibddlitie coudna be set:</strong>
$1',
'revdel-restore' => 'chynge veesibeelitie',
'pagehist' => 'Page histerie',
'deletedhist' => 'Delytit histerie',
'revdelete-hide-current' => "Mistak skaukin the eitem dated $2, $1: This is the current reveesion.
It cannna be skauk't.",
'revdelete-show-no-access' => 'Mistak shawin the eitem dated $2, $1: This eitem haes been maurked "restreected".
Ye dinna hae access til it.',
'revdelete-modify-no-access' => 'Mistak modifiein the eitem dated $2, $1: This eitem haes been maurked "restreected".
Ye dinna hae access til it.',
'revdelete-modify-missing' => 'Mistak modifiein item ID $1: It is missing fae the database!',
'revdelete-no-change' => '<strong>Warnishment:</strong> The eetem dated $2, $1 awreadie haed the requested veesibeelitie settins.',
'revdelete-concurrent-change' => "Mistak modifiein the eitem dated $2, $1: Its status appears tae'v been chynged bi some ither bodie while ye attempted tae modifie it.
Please check the logs.",
'revdelete-only-restricted' => 'Mistak skaukin the eetem dated $2, $1: Ye canna suppress eetems fae sicht bi admeenistraters wioot selectin yin o the ither veesibeelitie opties ava.',
'revdelete-reason-dropdown' => '*Commyn delete raisons
** Copiericht violation
** Onappropriate comment or personal information
** Onappropriate username
** Potentially libelous information',
'revdelete-otherreason' => 'Ither/addeetional raison:',
'revdelete-reasonotherlist' => 'Ither raison',
'revdelete-edit-reasonlist' => 'Eidit delyte raisons',
'revdelete-offender' => 'Reveesion author:',
# Suppression log
'suppressionlog' => 'Suppreession log',
'suppressionlogtext' => "Ablo is ae leet o delytions n blocks involvin content skauk't fae admeenistraters.
See the [[Special:BlockList|block leet]] fer the leet o currentlie operational bans n blocks.",
# History merging
'mergehistory' => 'Merge page histeries',
'mergehistory-header' => 'This page lats ye merge the luikowers o the histerie o yin soorce page intil ae newer page.
Mak sair that this chynge will maintain histerical page conteenuitie.',
'mergehistory-box' => 'Merge reveesions o twa pages:',
'mergehistory-from' => 'Soorce page:',
'mergehistory-into' => 'Destinâtion page:',
'mergehistory-list' => 'Mergeable eidit histerie',
'mergehistory-merge' => 'The follaein reveesions o [[:$1]] can be merged intil [[:$2]].
Uise the radio button column tae merge in yinlie the reveesions cræftit at n afore the speceefied time.
Mynd that uisin the naveegation airtins will reset this column.',
'mergehistory-go' => 'Shaw mergeable eidits',
'mergehistory-submit' => 'Merge reveesions',
'mergehistory-empty' => 'Naw reveesions can be merged.',
'mergehistory-success' => '$3 {{PLURAL:$3|reveesion|reveesions}} o [[:$1]] successfully merged intil [[:$2]].',
'mergehistory-fail' => 'Onable tae perform histerie merge, please recheck the page n time parameters.',
'mergehistory-no-source' => 'Soorce page $1 disna exeest.',
'mergehistory-no-destination' => 'Destination page $1 disna exeest.',
'mergehistory-invalid-source' => 'Soorce page maun be ae valid title.',
'mergehistory-invalid-destination' => 'Destinâtion page maun be ae valid title.',
'mergehistory-autocomment' => 'Merged [[:$1]] intil [[:$2]]',
'mergehistory-comment' => 'Merged [[:$1]] intil [[:$2]]: $3',
'mergehistory-same-destination' => 'Soorce n destination pages canna be the same',
'mergehistory-reason' => 'Raeson:',
# Merge log
'mergelog' => 'Merge log.',
'pagemerge-logentry' => 'merged [[$1]] intil [[$2]] (reveesions up til $3)',
'revertmerge' => 'Unmerge',
'mergelogpagetext' => 'Ablow is ae leet o the maist recent merges o yin page histerie intil anither.',
# Diffs
'history-title' => 'Reveesion histerie o "$1"',
'difference-title' => 'Difference atween reveesions o "$1"',
'difference-title-multipage' => 'Difference atween pages "$1" n "$2"',
'difference-multipage' => '(Difference atween pages)',
'lineno' => 'Line $1:',
'compareselectedversions' => 'Compare selectit versions',
'showhideselectedversions' => 'Chynge veesibeelitie o selected reveesions',
'editundo' => 'ondae',
'diff-empty' => '(Naw difference)',
'diff-multi-sameuser' => '({{PLURAL:$1|yin intermeediate reveesion|$1 intermeediate reveesions}} bi the same uiser naw shawn)',
'diff-multi-otherusers' => '({{PLURAL:$1|yin intermeediate reveesion|$1 intermeediate reveesions}} bi {{PLURAL:$2|yin ither uiser|$2 uisers}} no shawn)',
'diff-multi-manyusers' => '({{PLURAL:$1|Yin intermeediate reveesion|$1 intermeediate reveesions}} bi mair than $2 {{PLURAL:$2|uiser|uisers}} no shawn)',
'difference-missing-revision' => "{{PLURAL:$2|Yin reveesion|$2 reveesions}} o this difference ($1) {{PLURAL:$2|wis|were}} na foond.
This is usuallie caused bi follaein aen ootdated diff airtin til ae page that's been delytit.
Details can be foond in the [{{fullurl:{{#Special:Log}}/delete|page={{FULLPAGENAMEE}}}} delytion log].",
# Search results
'searchresults' => 'Rake results',
'searchresults-title' => 'Rake ootcome fer "$1"',
'toomanymatches' => 'Ower moni matches were returned, please try ae different speirin',
'titlematches' => 'Airticle teitle matches',
'textmatches' => 'Page tex matches',
'notextmatches' => 'Nae page tex matches',
'prevn' => 'foregaun {{PLURAL:$1|$1}}',
'nextn' => 'neist {{PLURAL:$1|$1}}',
'prevn-title' => 'Previous $1 {{PLURAL:$1|ootcome|ootcomes}}',
'nextn-title' => 'Next $1 {{PLURAL:$1|ootcome|ootcomes}}',
'shown-title' => 'Shaw $1 {{PLURAL:$1|ootcome|ootcomes}} per page',
'viewprevnext' => 'See the ($1 {{int:pipe-separator}} $2) ($3)',
'searchmenu-exists' => '<strong>Thaur\'s ae page named "[[:$1]]" oan this wiki.</strong> {{PLURAL:$2|0=|See the ither rake ootcomes foond aes weel.}}',
'searchmenu-new' => '<strong>Cræft the page "[[:$1]]" oan this wiki!</strong> {{PLURAL:$2|0=|See the page foond wi yer rake ava.|See the rake ootcome foond ava.}}',
'searchprofile-articles' => 'Content pages',
'searchprofile-project' => 'Heelp n Waurk pages',
'searchprofile-images' => 'Multimedia',
'searchprofile-everything' => 'Everything',
'searchprofile-advanced' => 'Advanced',
'searchprofile-articles-tooltip' => 'Rake in $1',
'searchprofile-project-tooltip' => 'Rake in $1',
'searchprofile-images-tooltip' => 'Rake fer files',
'searchprofile-everything-tooltip' => 'Rake aw o content (inclædin tauk pages)',
'searchprofile-advanced-tooltip' => 'Rake in custom namespaces',
'search-result-size' => '$1 ({{PLURAL:$2|1 word|$2 words}})',
'search-result-category-size' => '{{PLURAL:$1|1 member|$1 members}} ({{PLURAL:$2|1 subcategory|$2 subcategories}}, {{PLURAL:$3|1 file|$3 files}})',
'search-result-score' => 'Relevanc: $1%',
'search-redirect' => '(reguide $1)',
'search-section' => '(section $1)',
'search-file-match' => '(matches file content.)',
'search-suggest' => 'Did ye mean: $1',
'search-interwiki-caption' => "Sister projec's",
'search-interwiki-default' => 'Ootcomes fae $1:',
'search-interwiki-more' => '(mair)',
'search-relatedarticle' => 'Relatit',
'searcheverything-enable' => 'Rake in aw namespaces',
'searchrelated' => 'related',
'searchall' => 'aw',
'showingresults' => "Shawin ablo up tae {{PLURAL:$1|'''1''' result|'''$1''' results}} stertin wi #'''$2'''.",
'showingresultsinrange' => 'Shawin ablo up til {{PLURAL:$1|<strong>1</strong> ootcome|<strong>$1</strong> ootcome}} in range #<strong>$2</strong> til #<strong>$3</strong>.',
'showingresultsnum' => "Shawin ablo {{PLURAL:$3|'''1''' result|'''$3''' results}} stertin wi #'''$2'''.",
'showingresultsheader' => '{{PLURAL:$5|Ootcome <strong>$1</strong> o <strong>$3</strong>|Ootcomes <strong>$1 - $2</strong> o <strong>$3</strong>}} fer <strong>$4</strong>',
'search-nonefound' => 'Thaur were naw ootcomes matchin the speiring.',
'powersearch-legend' => 'Advanced rake',
'powersearch-ns' => 'Rake in namespaces:',
'powersearch-redir' => 'Leet redirects',
'powersearch-togglelabel' => "Chec':",
'powersearch-toggleall' => 'Aw',
'powersearch-togglenone' => 'Nane',
'search-external' => 'Eixternal rake',
'searchdisabled' => 'Rakin throu {{SITENAME}} is disabled for performance raesons. Ye can rake via Google juist nou. Mynd that thair indexes o {{SITENAME}} content micht be oot o date.',
'search-error' => 'Ae mistak haes occurred while rakin: $1',
# Preferences page
'preferences' => 'Ma preferences',
'mypreferences' => 'Ma preferences',
'prefs-edits' => 'Nummer o eidits:',
'prefsnologintext2' => 'Please $1 tae chynge yer preferences.',
'prefs-skin' => 'Huil',
'skin-preview' => 'First Leuk',
'datedefault' => 'Nae preference',
'prefs-beta' => 'Beta features.',
'prefs-datetime' => 'Date n time',
'prefs-labs' => 'Labs featurs',
'prefs-user-pages' => 'Uiser pages',
'prefs-personal' => 'Uiser data',
'prefs-rc' => 'Recent chynges n shawin stubs',
'prefs-watchlist' => 'Watchleet',
'prefs-watchlist-days' => 'Days tae shaw in watchleet:',
'prefs-watchlist-days-max' => 'Mucklest $1 {{PLURAL:$1|day|days}}',
'prefs-watchlist-edits' => 'Mucklest nummer o chynges tae shaw in expanded watchleet:',
'prefs-watchlist-edits-max' => 'Mucklest nummer: 1000',
'prefs-watchlist-token' => 'Watchleet token:',
'prefs-misc' => 'Antrin settins',
'prefs-resetpass' => 'Chynge passwaird',
'prefs-changeemail' => 'Chynge Wab-mail address',
'prefs-setemail' => 'Set ae wab-mail address',
'prefs-email' => 'Wab-mail opties',
'prefs-rendering' => 'Appearence',
'saveprefs' => 'Hain preferences',
'restoreprefs' => 'Restore aw defaut settins (in aw sections)',
'prefs-editing' => 'Editin',
'rows' => 'Raws:',
'searchresultshead' => 'Rake result settins',
'stub-threshold' => 'Threeshaud fer <a href="#" class="stub">stub airtin</a> formattin (bytes):',
'stub-threshold-disabled' => 'Tuckie',
'recentchangesdays' => 'Days tae shaw in recynt chynges:',
'recentchangesdays-max' => 'Mucklest $1 {{PLURAL:$1|day|days}}',
'recentchangescount' => 'Nummer o eedits tae shaw bi defaut:',
'prefs-help-recentchangescount' => 'This includes recent chynges, page histories, n logs.',
'prefs-help-watchlist-token2' => 'This is the hidlins key til the wab feed o yer watchleet. Onibodie wha kens this can read yer watchleet, sae dinna shair it. Gif ye need to, [[Special:ResetTokens|Ye can reset it]].',
'savedprefs' => 'Yer preferences haes been hained.',
'timezoneuseserverdefault' => 'Uise wiki defaut ($1)',
'timezoneuseoffset' => 'Ither (speceefie affset)',
'servertime' => 'Server time the nou',
'guesstimezone' => 'Fill in frae brouser',
'timezoneregion-africa' => 'Africae',
'timezoneregion-america' => 'Americae',
'timezoneregion-antarctica' => 'Antairctica',
'timezoneregion-arctic' => 'Airctic',
'timezoneregion-asia' => 'Asie',
'timezoneregion-atlantic' => 'Atlaunteec Ocean',
'timezoneregion-australia' => 'Australie',
'timezoneregion-europe' => 'Europ',
'timezoneregion-pacific' => 'Paceefic Ocean',
'allowemail' => 'Allou email frae ither uisers',
'prefs-searchoptions' => 'Rake',
'defaultns' => 'Itherwise rake in thir namespaces:',
'default' => 'defaut',
'prefs-files' => 'Files',
'prefs-custom-css' => 'Custom CSS',
'prefs-custom-js' => 'Custom JS',
'prefs-common-css-js' => 'Shaired CSS/JavaScript fer aw skins:',
'prefs-reset-intro' => 'Ye can uise this page tae reset yer preeferances til the steid defauts.
This canna be ondun.',
'prefs-emailconfirm-label' => 'Wab-mail confirmation:',
'youremail' => 'Yer email:',
'username' => '{{GENDER:$1|Uisername}}:',
'uid' => '{{GENDER:$1|Uiser}} ID:',
'prefs-memberingroups' => '{{GENDER:$2|Memmer}} o {{PLURAL:$1|groop|groops}}:',
'prefs-registration' => 'Regeestration time:',
'yourrealname' => 'Yer real name:',
'yourlanguage' => 'Interface leid:',
'yourvariant' => 'Content leid variant',
'prefs-help-variant' => 'Yer preferred variant or orthographie tae displey the content pages o this wiki in.',
'yournick' => 'New seegnatur:',
'prefs-help-signature' => 'Comments oan talk pages shid be signed wi "<nowiki>~~~~</nowiki>", this will be convertit intil yer signatur n ae timestamp.',
'badsig' => 'Raw signature nae guid; check HTML tags.',
'badsiglength' => 'Yer nickname is ower lang; it haes tae be $1 {{PLURAL:$1|character|characters}} or less.',
'yourgender' => 'Hou dae ye prefer tae be described?',
'gender-unknown' => 'Ah prefer tae na say',
'gender-male' => 'He eedits wiki pages',
'gender-female' => 'She eedits wiki pages',
'prefs-help-gender' => 'Settin this preference is aen optie.
The saffware uises its value tae address ye n tae mention ye til ithers uisin the appropriate grammatical gender.
This information will be publeec.',
'email' => 'E-mail',
'prefs-help-realname' => 'Real name is aen optie.
Gif ye chuise tae provide it, this will be uised fer giein ye attreebution fer yer wark.',
'prefs-help-email' => 'Wab-mail is optional, bit is needed fer passwaird resets, shid ye ferget yer passwaird.',
'prefs-help-email-others' => 'Ye can chuise tae let ithers contact ye bi wab-mail through ae link oan yer uiser or tauk page.
Yer wab-mail address isna revealed whan ither uisers contact ye.',
'prefs-help-email-required' => 'Yer e-mail address is needit.',
'prefs-i18n' => 'Internaitionalisation',
'prefs-signature' => 'Signatur',
'prefs-timeoffset' => 'Time affset',
'prefs-advancedediting' => 'General opties',
'prefs-editor' => 'Eediter',
'prefs-preview' => 'Luikower',
'prefs-advancedrc' => 'Advanced opties',
'prefs-advancedrendering' => 'Advanced opties',
'prefs-advancedsearchoptions' => 'Advanced opties',
'prefs-advancedwatchlist' => 'Advanced opties',
'prefs-displayrc' => 'Displey opties',
'prefs-displaysearchoptions' => 'Displey opties',
'prefs-displaywatchlist' => 'Displey opties',
'prefs-diffs' => 'Diffs',
'prefs-help-prefershttps' => 'This preeferance will tak effect oan yer nex login.',
'prefs-tabs-navigation-hint' => 'Tip: Ye can uise the cair n richt arrae keys tae naveegate atween the tabs in the tabs leet.',
# User preference: email validation using jQuery
'email-address-validity-valid' => 'Wab-mail address appears tae be valid',
'email-address-validity-invalid' => 'Enter ae valid wab-mail address',
# User rights
'userrights' => 'Uiser richts managemant',
'userrights-lookup-user' => 'Manish uiser boorachs',
'userrights-user-editname' => 'Enter a uisername:',
'editusergroup' => 'Eidit uiser boorach',
'editinguser' => 'Chynging uiser richts o uiser <strong>[[User:$1|$1]]</strong> $2',
'userrights-editusergroup' => 'Eedit uiser groops',
'saveusergroups' => 'Hain uiser groops',
'userrights-groupsmember' => 'Member o:',
'userrights-groupsmember-auto' => 'Impleecit memmer o:',
'userrights-groups-help' => "Ye can alter the groops this uiser is in:
* Ae checkit kist means that the uiser is in that groop.
* Aen oncheckit kist means that the uiser's na in that groop.
* Ae * indeecates that ye canna remuiv the groop yince ye'v eikit it, or vice versa.",
'userrights-reason' => 'Raison:',
'userrights-no-interwiki' => 'Ye dinna hae permission tae eedit uiser richts oan ither wikis.',
'userrights-nodatabase' => 'Database $1 disna exeest or isna local.',
'userrights-nologin' => 'Ye maun [[Special:UserLogin|log in]] wi aen admeenistrater accoont tae assign uiser richts.',
'userrights-notallowed' => 'Ye dinna hae permeession tae eik or remuiv uiser richts.',
'userrights-changeable-col' => 'Groops that ye can chynge',
'userrights-unchangeable-col' => 'Groops ye canna chynge',
'userrights-conflict' => 'Conflict o uiser richts chynges! Please luikower n confirm yer chynges.',
'userrights-removed-self' => "Ye'v successfulie remuived yer ain richts. N sae, ye'r naw langer able tae access this page.",
# Groups
'group' => 'Groop:',
'group-user' => 'Uisers',
'group-autoconfirmed' => 'Autæconfirmed uisers',
'group-bot' => 'Bots',
'group-sysop' => 'Admeenistraters',
'group-suppress' => 'Owersichts',
'group-all' => '(aw)',
'group-user-member' => '{{GENDER:$1|uiser}}',
'group-autoconfirmed-member' => '{{GENDER:$1|autæconfirmed uiser}}',
'group-bot-member' => '{{GENDER:$1|bot}}',
'group-sysop-member' => '{{GENDER:$1|admeenistrater}}',
'group-suppress-member' => '{{GENDER:$1|owersicht}}',
'grouppage-user' => '{{ns:project}}:Uisers',
'grouppage-autoconfirmed' => '{{ns:project}}:Autæconfirmed uisers',
'grouppage-sysop' => '{{ns:project}}:Admeenistraters',
'grouppage-suppress' => '{{ns:project}}:Owersicht',
# Rights
'right-edit' => 'Eedit pages',
'right-createpage' => 'Cræft pages (that arna tauk pages)',
'right-createtalk' => 'Cræft discussion pages',
'right-createaccount' => 'Cræft new uiser accoonts',
'right-minoredit' => 'Maurk eedits aes smaa',
'right-move' => 'Muiv pages',
'right-move-subpages' => 'Muiv pages wi thair subpages',
'right-move-rootuserpages' => 'Muiv ruit uiser pages',
'right-movefile' => 'Muiv files',
'right-suppressredirect' => 'Na cræft reguidals fae soorce pages whan muivin pages',
'right-upload' => 'Uplaid files',
'right-reupload' => 'Owerwrite exeestin files',
'right-reupload-own' => 'Owerwrite exeestin files uplaidit bi yersel',
'right-reupload-shared' => 'Owerride files oan the shaired media repositerie locallie',
'right-upload_by_url' => 'Uplaid files fae ae URL',
'right-purge' => 'Purge the steid cache fer ae page wioot confirmation',
'right-autoconfirmed' => 'Na be affectit bi IP-based rate leemits',
'right-bot' => 'Be treatit aes aen autæmatit process',
'right-nominornewtalk' => 'Na hae smaa eedits til discussion pages trigger the new messages prompt',
'right-apihighlimits' => 'Uise heicher leemits in API queries',
'right-writeapi' => 'Uise o the write API',
'right-delete' => 'Delyte pages',
'right-bigdelete' => 'Delyte pages wi muckle histeries',
'right-deletelogentry' => 'Delyte n ondelyte speceefic log entries',
'right-deleterevision' => 'Delyte n ondylete speceefic reveesions o pages',
'right-deletedhistory' => 'See delytit histerie entries, wioot thair associatit tex',
'right-deletedtext' => 'See delytit tex n chynges atween delytit reveesions',
'right-browsearchive' => 'Rake delytit pages',
'right-undelete' => 'Ondelyte ae page',
'right-suppressrevision' => 'Luikower n restore reveesions skaukt fae admeenistraters',
'right-suppressionlog' => 'see preevate logs',
'right-block' => 'Block ither uisers fae eeditin',
'right-blockemail' => 'Block ae uiser fae sendin wab-mail',
'right-hideuser' => 'Block ae uisername, skaukin it fae the publeec',
'right-ipblock-exempt' => 'Bypass IP blocks, autae-blocks range blocks',
'right-proxyunbannable' => 'Bypass autaematic blocks o proxies',
'right-unblockself' => 'Onblock yersel',
'right-protect' => 'Chynge protection levels n eedit cascade-protected pages',
'right-editprotected' => 'Eedit pages protected aes "{{int:protect-level-sysop}}"',
'right-editsemiprotected' => 'Eedit pages protected aes "{{int:protect-level-autoconfirmed}}"',
'right-editinterface' => 'Eedit the uiser interface',
'right-editusercssjs' => "Eedit ither uisers' CSS n JavaScript files",
'right-editusercss' => "Eedit ither uisers' CSS files",
'right-edituserjs' => "Eedit ither uisers' JavaScript files",
'right-editmyusercss' => 'Eidit yer ain uiser CSS files',
'right-editmyuserjs' => 'Eedit yer ain uiser JavaScript files',
'right-viewmywatchlist' => 'See yer ain watchleet',
'right-editmywatchlist' => 'Eedit yer ain watchleet. Mynd that some actions will still eik pages even wioot this richt.',
'right-viewmyprivateinfo' => 'See yer ain preevate data (e.g. wab-mail address, real name)',
'right-editmyprivateinfo' => 'Eedit yer ain preevate data (e.g. wab-mail address, real name)',
'right-editmyoptions' => 'Eedit yer ain preeferences',
'right-rollback' => 'Quicklie rowback the eedits o the laist uiser that eeditit ae parteecular page',
'right-markbotedits' => 'Maurk rowed-back eedits aes bot eedits',
'right-noratelimit' => 'No be affected bi rate limits',
'right-import' => 'Import pages fae ither wikis',
'right-importupload' => 'Import pages fae ae file uplaid',
'right-patrol' => "Maurk ithers' eedits aes patrowed",
'right-autopatrol' => "Hae ye'r ain eedits autaematiclie maurked aes patrowed",
'right-patrolmarks' => 'See recent chynges patrol maurks',
'right-unwatchedpages' => 'See ae leet o onwatched pages',
'right-mergehistory' => 'Merge the histerie o pages',
'right-userrights' => 'Eedit aw uiser richts',
'right-userrights-interwiki' => 'Eedit the uiser richts o uisers oan ither wikis',
'right-siteadmin' => 'Lock n lowse the database',
'right-override-export-depth' => 'Export pages incluidin linked pages up til ae depth o 5',
'right-sendemail' => 'Send Wab-mail til ither uisers',
'right-passwordreset' => 'See passwaird reset wab-mails',
# Special:Log/newusers
'newuserlogpage' => 'Uiser cræftin log',
'newuserlogpagetext' => 'This is ae log o uiser cræftins.',
# User rights log
'rightslog' => 'Uiser richts log',
'rightslogtext' => 'This is a log o chynges tae uiser richts.',
# Associated actions - in the sentence "You do not have permission to X"
'action-edit' => 'eedit this page',
'action-createpage' => 'cræft pages',
'action-createtalk' => 'cræft discussion pages',
'action-createaccount' => 'cræft this uiser accoont',
'action-minoredit' => 'maurk this eedit aes smaa',
'action-move' => 'muiv this page',
'action-move-subpages' => 'mui this page, n its subpages',
'action-move-rootuserpages' => 'muiv ruit uiser pages',
'action-movefile' => 'muiv this file',
'action-upload' => 'uplaid this file',
'action-reupload' => 'owerwrite this exeestin file',
'action-reupload-shared' => 'owerride this file oan ae shaired reposeeterie',
'action-upload_by_url' => 'uplaid this file fae ae URL',
'action-writeapi' => 'uise the write API',
'action-delete' => 'delyte this page',
'action-deleterevision' => 'delyte this reveesion',
'action-deletedhistory' => "see this page's delytit histerie",
'action-browsearchive' => 'rake delytit pages',
'action-undelete' => 'ondelyte this page',
'action-suppressrevision' => 'luikower n restore this skaukt reveesion',
'action-suppressionlog' => 'see this preevate log',
'action-block' => 'block this uiser fae eeditin',
'action-protect' => 'chynge protection levels fer this page',
'action-rollback' => 'quicklie rowback the eedits o the laist uiser that eeditit ae parteecular page',
'action-import' => 'import pages fae anither wiki',
'action-importupload' => 'import pages fae ae file uplaid',
'action-patrol' => "maurk ithers' eedits aes patrowed",
'action-autopatrol' => 'hae yer eedit maurked aes patrowed',
'action-unwatchedpages' => 'see the leet o onwatched pages',
'action-mergehistory' => 'merge the histerie o this page',
'action-userrights' => 'eedit aw uiser richts',
'action-userrights-interwiki' => 'eedit the uiser richts o uisers oan ither wikis',
'action-siteadmin' => 'lock or lowse the database',
'action-sendemail' => 'send wab-mails',
'action-editmywatchlist' => 'eedit yer watchleet',
'action-viewmywatchlist' => 'see yer watchleet',
'action-viewmyprivateinfo' => 'see yer preevate information',
'action-editmyprivateinfo' => 'eedit yer preevate information',
# Recent changes
'nchanges' => '$1 {{PLURAL:$1|chynge|chynges}}',
'enhancedrc-since-last-visit' => '$1 {{PLURAL:$1|sin laist veesit}}',
'enhancedrc-history' => 'histeri',
'recentchanges' => 'Recent chynges',
'recentchanges-legend' => 'Recynt chynges opties',
'recentchanges-summary' => 'Follae the maist recent chynges tae the wiki on this page.',
'recentchanges-noresult' => 'Naw chynges durin the gien period matchin thir guidins.',
'recentchanges-feed-description' => 'Follae the maist recent chynges tae the wiki in this feed.',
'recentchanges-label-newpage' => 'This edit created a freish page',
'recentchanges-label-minor' => 'This is ae smaa eedit',
'recentchanges-label-bot' => 'This eedit wis performed bi ae bot',
'recentchanges-label-unpatrolled' => 'This edit haes nae yet bin patrolled',
'recentchanges-label-plusminus' => 'The page size chynged bi this nummer o bytes',
'recentchanges-legend-newpage' => '(see [[Special:NewPages|leet o new pages]] ava)',
'rcnotefrom' => 'Ablo ar the chynges sin <strong>$2</strong> (up til <strong>$1</strong> shawn).',
'rclistfrom' => 'Shaw new chynges stertin frae $1',
'rcshowhideminor' => '$1 smaa edits',
'rcshowhideminor-show' => 'Shaw',
'rcshowhideminor-hide' => 'Skauk',
'rcshowhidebots' => '$1 bots',
'rcshowhidebots-show' => 'Shaw',
'rcshowhidebots-hide' => 'Skauk',
'rcshowhideliu' => '$1 registered uisers',
'rcshowhideliu-show' => 'Shaw',
'rcshowhideliu-hide' => 'Skauk',
'rcshowhideanons' => '$1 anonymous uisers',
'rcshowhideanons-show' => 'Shaw',
'rcshowhideanons-hide' => 'Skauk',
'rcshowhidepatr' => '$1 patrolled edits',
'rcshowhidepatr-show' => 'Shaw',
'rcshowhidepatr-hide' => 'Skauk',
'rcshowhidemine' => '$1 ma edits',
'rcshowhidemine-show' => 'Shaw',
'rcshowhidemine-hide' => 'Skauk',
'rclinks' => 'Shaw last $1 chynges in last $2 days<br />$3',
'diff' => 'diff',
'hist' => 'hist',
'hide' => 'Skauk',
'show' => 'shaw',
'minoreditletter' => 's',
'newpageletter' => 'N',
'boteditletter' => 'b',
'number_of_watching_users_pageview' => '[$1 watchin {{PLURAL:$1|uiser|uisers}}]',
'rc_categories' => 'Limit til categeries (separate wi "|")',
'rc_categories_any' => 'Ony',
'rc-change-size-new' => '$1 {{PLURAL:$1|byte|bytes}} efter chynge',
'rc-enhanced-expand' => 'Shaw details',
'rc-enhanced-hide' => 'Skauk details',
'rc-old-title' => 'oreeginlie cræftit aes "$1"',
# Recent changes linked
'recentchangeslinked' => 'Relatit chynges',
'recentchangeslinked-feed' => 'Relatit chynges',
'recentchangeslinked-toolbox' => 'Relatit chynges',
'recentchangeslinked-title' => 'Chynges relatit til "$1"',
'recentchangeslinked-summary' => 'This is ae leet o chynges makit recentlie til pages linked fae ae speceefied page (or til memmers o ae speceefied categerie).
Pages oan [[Special:Watchlist|yer watchleet]] ar <strong>baud</strong.',
'recentchangeslinked-page' => 'Page name:',
'recentchangeslinked-to' => 'Shaw chynges til pages linked til the gien page instead',
# Upload
'upload' => 'Uplaid file',
'uploadbtn' => 'Uplaid file',
'reuploaddesc' => 'Gang back til the uplaid form.',
'upload-tryagain' => 'Haunn in modified file descreeption',
'uploadnologin' => 'Nae loggit in',
'uploadnologintext' => 'Please $1 tae uplaid files.',
'upload_directory_missing' => 'The uplaid directerie ($1) is missin n coudna be cræftit bi the wabserver.',
'upload_directory_read_only' => 'The uplaid directerie ($1) is naw writable bi the wabserver.',
'uploaderror' => 'Uplaid mistak',
'upload-recreate-warning' => "'''Warnishment: Ae file bi that name haes been delytit or muived.'''
The delytion n muiv log fer this page ar gien here fer conveeneeance:",
'uploadtext' => 'Uise the form ablo tae uplaid files.
Tae see or rake preeveeislie uplaided files gang til the [[Special:FileList|leet o uplaided files]], (re)uplaids ar loggit in the [[Special:Log/upload|uplaid log]] ava, delytions in the [[Special:Log/delete|delytion log]].
Tae incluid ae file in ae page, uise aen airtin in yin o the follaein forms:
* <strong><code><nowiki>[[</nowiki>{{ns:file}}<nowiki>:File.jpg]]</nowiki></code></strong> tae uise the ful version o the file
* <strong><code><nowiki>[[</nowiki>{{ns:file}}<nowiki>:File.png|200px|thumb|left|alt tex]]</nowiki></code></strong> tae uise ae 200 pixel wide rendeetion in ae kist in the cair margin wi "alt tex" aes descreeption
* <strong><code><nowiki>[[</nowiki>{{ns:media}}<nowiki>:File.ogg]]</nowiki></code></strong> fer linkin directlie til the file wioot displeyin the file.',
'upload-permitted' => 'Permitit file types: $1.',
'upload-prohibited' => 'Proheebited file types: $1.',
'uploadlog' => 'uplaid log',
'uploadlogpage' => 'Uplaid log',
'uploadlogpagetext' => 'Ablo is a leet o the maist recent file uplaids.',
'filedesc' => 'Ootline',
'fileuploadsummary' => 'Ootline:',
'filereuploadsummary' => 'File chynges:',
'filestatus' => 'Copyricht status:',
'filesource' => 'Soorce:',
'uploadedfiles' => 'Uplaidit files',
'ignorewarning' => 'Ignore warnishment n hain file oniewey.',
'ignorewarnings' => 'Ignore ony warnins',
'minlength1' => 'Filenames maun be at least yin letter.',
'illegalfilename' => 'The filename "$1" haes chairacters that\'s naw permitit in page teitles. Please rename the file n gie uplaidin it anither shote.',
'filename-toolong' => 'Filenames canna be langer than 240 bytes.',
'badfilename' => 'Filename haes been chynged til "$1".',
'filetype-mime-mismatch' => 'File exteension ".$1" disna match the detected MIME type o the file ($2).',
'filetype-badmime' => 'Files o the MIME type "$1" ar no permitit tae be uplaided.',
'filetype-bad-ie-mime' => 'Canna uplaid this file cause Internet Explorer wid detect it aes "$1", n this is ae non-permitit n potentiallie dangeroos file type.',
'filetype-unwanted-type' => "'''\".\$1\"''' is aen onwanted file type.
Preferred {{PLURAL:\$3|file type is|file types ar}} \$2.",
'filetype-banned-type' => '<strong>".$1"</strong> {{PLURAL:$4|is naw ae permitted file type|ar naw permitted file types}}.
Permitted {{PLURAL:$3|file type is|file types ar}} $2.',
'filetype-missing' => 'The file haes nae extension (like ".jpg").',
'empty-file' => 'The file that ye haunned in wiss tuim.',
'file-too-large' => 'The file that ye haunned in wis ower muckle.',
'filename-tooshort' => 'The filename is ower short.',
'filetype-banned' => 'This type o file is banned.',
'verification-error' => 'This file didna pass file verifeecation.',
'hookaborted' => 'The modifeecation that ye tried tae mak wis abortit bi aen exteension.',
'illegal-filename' => 'The filename isna permitit.',
'overwrite' => 'Owerwritin aen exeestin file isna permeetit.',
'unknown-error' => 'Aen onkent mistake occurred.',
'tmp-create-error' => 'Coudna cræft temperie file.',
'tmp-write-error' => 'Mistak writin temperie file.',
'large-file' => "It's recommended that files ar nae muckler than $1;
this file is $2.",
'largefileserver' => 'This file is bigger nor the server is confeigurt tae allou.',
'emptyfile' => 'The file that ye uplaided seems tae be tuim.
This micht be cause o ae typeower in the filename.
Please check whether ye reallie want tae uplaid this file.',
'windows-nonascii-filename' => 'This wiki disna support filenames wi speecial chairacters.',
'fileexists' => "Ae file wi this name exeests aareadies, please check <strong>[[:$1]]</strong> gif ye'r no sair that ye want tae chynge it.
[[$1|thumb]]",
'filepageexists' => "The descreeption page fer this file haes awreadie been cræftit at <strong>[[:$1]]</strong>, bit nae file wi this name exeests the nou.
The ootline that ye enter will na kith oan the descreeption page.
Tae mak yer ootline kith thaur, ye'll need tae manuallie eedit it.
[[$1|thumb]]",
'fileexists-extension' => 'Ae file wi ae siclike name exeests: [[$2|thumb]]
* Name o the uplaidin file: <strong>[[:$1]]</strong>
* Name o the exeestin file: <strong>[[:$2]]</strong>
Please chuise ae different name.',
'fileexists-thumbnail-yes' => "The file seems tae be aen eemage o reduced size ''(thumbnail)''.
[[$1|thumb]]
Please check the file <strong>[[:$1]]</strong>.
Gif the checked file is the same eemage o oreeginal size it's no necessairie tae uplaid aen extra thumbnail.",
'file-thumbnail-no' => "The filename begins wi <strong>$1</strong>.
It seems tae be aen eemage o reduced size ''(thumbnail)''.
Gif ye hae this emage in ful resolution uplaid this yin, itherwise please chynge the filename.",
'fileexists-forbidden' => 'Ae file wi this name awreadie exists, n canna be owerwritten.
Gif ye still wish tae uplaid yer file, please gang back n uise ae new name.
[[File:$1|thumb|center|$1]]',
'fileexists-shared-forbidden' => 'Ae file wi this name awreadie exeests in the shaired file repositerie.
Gif ye still wish tae uplaid yer file, please gang back n uise ae new name.
[[File:$1|thumb|center|$1]]',
'file-exists-duplicate' => 'This file is ae dupleecate o the follaein {{PLURAL:$1|file|files}}:',
'file-deleted-duplicate' => "Ae file ideentical til this file ([[:$1]]) haes been delytit afore.
Ye shid check that file's delytion histerie afore proceedin tae re-uplaid it.",
'file-deleted-duplicate-notitle' => 'Ae file identical til this file haes been delytit afore, n the title haes been suppressed.
Ye shid speir somebodie wi the abeelitie tae see suppressed file data tae luik at the seetuation afore gaun oan tae re-uplaid it.',
'uploadwarning' => 'Uplaid warnishment',
'uploadwarning-text' => 'Please modeefie the file descreeption ablo n gie it anither gae.',
'savefile' => 'Hain file',
'uploadedimage' => 'uplaidit "$1"',
'overwroteimage' => 'uplaided ae new version o "[[$1]]"',
'uploaddisabled' => 'Sorry, uplaidin is disabled.',
'copyuploaddisabled' => 'Uplaid bi URL disabled.',
'uploadfromurl-queued' => 'Yer uplaid haes been pit in line.',
'uploaddisabledtext' => 'File uplaids ar disabled.',
'php-uploaddisabledtext' => 'File uplaids ar disabled in PHP.
Please check the file_uploads settin.',
'uploadscripted' => 'This file hauds HTML or script code that micht be wrang interpretit bi a wab brouser.',
'uploadscriptednamespace' => 'This SVG file contains aen illegal namespace "$1"',
'uploadinvalidxml' => 'The XML in the uplaided file coudna be parsed.',
'uploadvirus' => 'The file hauds a virus! Details: $1',
'uploadjava' => 'The file is ae ZIP file that contains ae Java .class file.
Uplaidin Java files isna permitit cause thay can cause secureetie restreections tae be bypassed.',
'upload-source' => 'Soorce file',
'sourcefilename' => 'Soorce filename:',
'sourceurl' => 'Soorce URL:',
'destfilename' => 'Desteenation filename:',
'upload-maxfilesize' => 'Mucklest file size: $1',
'upload-description' => 'File descreeption',
'upload-options' => 'Uplaid opties',
'watchthisupload' => 'Watch this file.',
'filewasdeleted' => 'Ae file o this name haes been preeveeooslie uplaided n than delytit.
Ye shid check the $1 afore preceedin tae uplaid it again.',
'filename-bad-prefix' => "The name o the file that ye'r uplaidin begins wi '''\"\$1\"''', this is ae no-descreepteeve name typiclie assigned autæmateeclie bi deegital cameras.
Please chuise ae mai descreepteeve name fer yer file.",
'upload-success-subj' => 'Successfu uplaid',
'upload-success-msg' => "Yer uplaid fae [$2] wis successfu. It's available here: [[:{{ns:file}}:$1]]",
'upload-failure-subj' => 'Uplaid problem',
'upload-failure-msg' => 'Thaur wis ae problem wi yer uplaid fae [$2]:
$1',
'upload-warning-subj' => 'Uplaid warnishment',
'upload-warning-msg' => 'Thaur wis ae proablem wi yer uplaid fae [$2]. Ye can return til the [[Special:Upload/stash/$1|uplaid form]] tae correct this proablem.',
'upload-proto-error' => 'Oncorrect protocol',
'upload-proto-error-text' => 'Remote uplaid needs URLs beginnin wi <code>http://</code> or <code>ftp://</code>.',
'upload-file-error' => 'Internal mistak',
'upload-file-error-text' => 'Aen internal mitake occurred whan attemptin tae cræft ae temperie file oan the server.
Please contact aen [[Special:ListUsers/sysop|admeenistrater]].',
'upload-misc-error' => 'Onkent uplaid mistake',
'upload-misc-error-text' => 'Aen onkent mistak occurred during the uplaid.
Please vereefie that the URL is valit n accessible n gie it anither gae.
Gif the proablem persists, contact aen [[Special:ListUsers/sysop|admeenistrater]].',
'upload-too-many-redirects' => 'The URL contained oewr monie reguidals',
'upload-unknown-size' => 'Onkent size',
'upload-http-error' => 'Aen HTTP mistake occurred: $1',
'upload-copy-upload-invalid-domain' => 'Copie uplaids arna available fae this domain.',
# File backend
'backend-fail-stream' => 'Coudna stream file "$1".',
'backend-fail-backup' => 'Coudna backup file "$1".',
'backend-fail-notexists' => 'The file $1 disna exeest.',
'backend-fail-hashes' => 'Coudna get file hashes fer comparison.',
'backend-fail-notsame' => 'Ae non-identeecal file awreadie exeests at "$1".',
'backend-fail-invalidpath' => '"$1" isna ae valid storage path.',
'backend-fail-delete' => 'Coudna delyte file "$1".',
'backend-fail-describe' => 'Coudna chynge metadata fer file "$1".',
'backend-fail-alreadyexists' => 'The file "$1" awreadiw exeests.',
'backend-fail-store' => 'Coudna store file "$1" at "$2".',
'backend-fail-copy' => 'Coudna copie file "$1" til "$2".',
'backend-fail-move' => 'Coudna muiv file "$1" til "$2".',
'backend-fail-opentemp' => 'Coudna apen temperie file.',
'backend-fail-writetemp' => 'Coudna write til temperie file.',
'backend-fail-closetemp' => 'Coudna claise temperie file.',
'backend-fail-read' => 'Coudna read file "$1".',
'backend-fail-create' => 'Coudna write file "$1".',
'backend-fail-maxsize' => 'Coudna write file "$1" cause it\'s muckler than {{PLURAL:$2|yin byte|$2 bytes}}.',
'backend-fail-readonly' => 'The storage backend "$1" is read-yinlie the nou. The raison gien is: "\'\'$2\'\'"',
'backend-fail-synced' => 'The file "$1" is in aen onconseestent state wiin the internal storage backends',
'backend-fail-connect' => 'Coudna connect til storage backend "$1".',
'backend-fail-internal' => 'Aen onkent mistak occurred in storage backend "$1".',
'backend-fail-contenttype' => 'Coudna determine the content type o the file tae store at "$1".',
'backend-fail-batchsize' => 'The storage backend wis gien ae batch o $1 file {{PLURAL:$1|operation|operations}}; the limit is $2 {{PLURAL:$2|operation|operations}}.',
'backend-fail-usable' => 'Coudna read or write file "$1" cause o onsuffeecient permeessions or missin directeries/containers.',
# File journal errors
'filejournal-fail-dbconnect' => 'Coudna connect til the journal database fer storage backend "$1".',
'filejournal-fail-dbquery' => 'Coudna update the journal database fer storage backend "$1".',
# Lock manager
'lockmanager-notlocked' => 'Coudna lowse "$1"; it\'s no lockit.',
'lockmanager-fail-closelock' => 'Coud no claise lock file fer "$1".',
'lockmanager-fail-deletelock' => 'Coudna delyte lock file fer "$1".',
'lockmanager-fail-acquirelock' => 'Coudna acquire lock fer "$1".',
'lockmanager-fail-openlock' => 'Coudna apen lock file fer "$1".',
'lockmanager-fail-releaselock' => 'Coudna release lock fer "$1".',
'lockmanager-fail-db-bucket' => 'Coudna contact enoogh lock databases in bucket $1.',
'lockmanager-fail-db-release' => 'Coudna release locks oan database $1.',
'lockmanager-fail-svr-acquire' => 'Coudna acquire locks oan server $1.',
'lockmanager-fail-svr-release' => 'Coudna release locks oan server $1.',
# ZipDirectoryReader
'zip-file-open-error' => 'Ae mistak wis encoontered whan apenin the file fer ZIP checks.',
'zip-wrong-format' => 'The speceefied file wisna ae ZIP file.',
'zip-bad' => 'The file is ae rotten or itherwise onreadable ZIP file.
It canna be properlie checkt fer securitie.',
'zip-unsupported' => "The file is ae ZIP file that uises ZIP featurs that'r naw supported bi MediaWiki.
It canna be properlie checkt fer securitie.",
# Special:UploadStash
'uploadstash' => 'Uplaid stash',
'uploadstash-summary' => 'This page provides access til files that ar uplaided or in the process o uplaidin, but ar no yet published til the wiki. Thir files ar no veesible til oniebodie but the uiser that uplaided thaim.',
'uploadstash-clear' => 'Clear stashed files.',
'uploadstash-nofiles' => "Ye'v naw stashed files.",
'uploadstash-badtoken' => 'The performin o that action wis onnsuccessfu, perhaps cause yer eeditin creeedentials hae expired. Gie it anither gae.',
'uploadstash-errclear' => 'Clearin the files wis onsuccessfu.',
'uploadstash-refresh' => 'Refresh the leet o files',
'invalid-chunk-offset' => 'Onvalid chunk affset',
# img_auth script messages
'img-auth-accessdenied' => 'Access denied.',
'img-auth-nopathinfo' => 'Missin PATH_INFO.
Yer server isna set up tae pass this information.
It micht be CGI-based n canna support img_auth.
See https://www.mediawiki.org/wiki/Manual:Image_Authorization.',
'img-auth-notindir' => 'Requested path isna in the confeegured uplaid directerie.',
'img-auth-badtitle' => 'Onable tae cræft ae valid title fae "$1".',
'img-auth-nologinnWL' => 'Ye\'r naw loggit in n "$1" isna in the whiteleet.',
'img-auth-nofile' => 'File "$1" disna exeest.',
'img-auth-isdir' => 'Ye\'r attemptin tae access ae directerie "$1".
Yinlie file access is premitit.',
'img-auth-streaming' => 'Streamin "$1".',
'img-auth-public' => 'The function o img_auth.php is tae ootpit files fae ae preevate wiki.
This wiki is confeegured aes ae publeec wiki.
Fr optimal securitie, img_auth.php is disabled.',
'img-auth-noread' => 'Uiser disna hae access tae read "$1".',
'img-auth-bad-query-string' => 'The URL haaes aen onvalid speirin string.',
# HTTP errors
'http-invalid-url' => 'Onvalid URL: $1',
'http-invalid-scheme' => 'URLs wi the "$1" preefix ar naw supported.',
'http-request-error' => 'HTTP request failed cause o onkent mistak.',
'http-read-error' => 'HTTP read mistak.',
'http-timed-out' => 'HTTP request haes timed oot.',
'http-curl-error' => 'Mistake fetchin URL: $1',
'http-bad-status' => 'Thaur wis ae proablem wi the HTTP request: $1 $2',
# Some likely curl errors. More could be added from <http://curl.haxx.se/libcurl/c/libcurl-errors.html>
'upload-curl-error6' => 'Coudna reach URL',
'upload-curl-error6-text' => 'The URL gien coudna be reached.
Please dooble-check that the URL is correct n the site is up.',
'upload-curl-error28' => 'Uplaid timeoot',
'upload-curl-error28-text' => 'The site tuik ower lang tae respond.
Please check that the site is up, wait ae short while n gei it anither gae.
Ye micht want tae try at ae less busie time.',
'license' => 'Licensing:',
'license-header' => 'Licensin',
'nolicense' => 'Nane selected',
'license-nopreview' => '(Luikower naw available)',
'upload_source_url' => '(ae valid, publeeclie accessible URL)',
'upload_source_file' => '(ae file oan yer computer)',
# Special:ListFiles
'listfiles-summary' => 'This speecial page shaws aw uplaided files.',
'listfiles_search_for' => 'Rake fer media name:',
'imgfile' => 'file',
'listfiles' => 'The file leet',
'listfiles_thumb' => 'Thummnail',
'listfiles_name' => 'Name',
'listfiles_user' => 'Uiser',
'listfiles_size' => 'Size',
'listfiles_description' => 'Descreeption',
'listfiles-show-all' => 'Incluide auld versions o eemages',
'listfiles-latestversion' => 'The Nou version',
'listfiles-latestversion-yes' => 'Ay',
'listfiles-latestversion-no' => 'Naw',
# File description page
'file-anchor-link' => 'File',
'filehist' => 'File histerie',
'filehist-help' => 'Clap oan ae date/time fer tae see the file aes it kithed at that time.',
'filehist-deleteall' => 'delyte aw',
'filehist-deleteone' => 'delyte',
'filehist-revert' => 'revert',
'filehist-current' => 'current',
'filehist-datetime' => 'Date/Time',
'filehist-thumb' => 'Thumbnail',
'filehist-thumbtext' => 'Thumbnail fer version aes o $1',
'filehist-nothumb' => 'Naw thummnail',
'filehist-user' => 'Uiser',
'filehist-dimensions' => 'Dimensions',
'filehist-comment' => 'Comment',
'filehist-missing' => 'File missin',
'imagelinks' => 'File uisage',
'linkstoimage' => 'The follaein {{PLURAL:$1|page airts|$1 pages airt}} tae this file:',
'linkstoimage-more' => 'Mair than $1 {{PLURAL:$1|page airts|pages airt}} til this file.
The follaein leet shaws the {{PLURAL:$1|first page airtin|first $1 page airtins}} til this file yinlie.
Ae [[Special:WhatLinksHere/$2|ful leet]] is available.',
'nolinkstoimage' => "Thaur's nae pages that airt til this eemage.",
'morelinkstoimage' => 'See [[Special:WhatLinksHere/$1|mair links]] til this file.',
'linkstoimage-redirect' => '$1 (file reguidal) $2',
'duplicatesoffile' => 'The follaein {{PLURAL:$1|file is ae dupleecate|$1 files ar dupleecates}} o this file ([[Special:FileDuplicateSearch/$2|mair details]]):',
'sharedupload' => 'This file is fae $1 n can be uised bi ither waurks.',
'sharedupload-desc-there' => 'This file is fae $1 n can be uised bi ither waurks.
Please see the [$2 file deescreeption page] fer further information.',
'sharedupload-desc-here' => 'This file is fae $1 n micht be uised bi ither waurks.
The descreeption oan its [$2 file descreeption page] thaur is shawn ablo.',
'sharedupload-desc-edit' => 'This file is fae $1 n can be uised bi ither waurks.
Perhaps ye want tae eedit the deescreeption oan its [$2 file deescreeption page] thaur.',
'sharedupload-desc-create' => 'This file is fae $1 n can be uised bi ither waurks.
Perhaps ye want tae eedit the deescreeption oan its [$2 file deescreeption page] thaur.',
'filepage-nofile' => 'Naw file b this name exeests.',
'filepage-nofile-link' => 'Nae file bi this name exeests, but ye can [$1 uplaid it].',
'uploadnewversion-linktext' => 'Uplaid ae new version o this file',
'shared-repo-from' => 'fae $1',
'shared-repo' => 'ae shared repositerie',
'upload-disallowed-here' => 'Ye canna owerwrite this file.',
# File reversion
'filerevert' => 'Revert $1',
'filerevert-legend' => 'Revert file',
'filerevert-intro' => "Ye'r aboot tae revert the file '''[[Media:$1|$1]]''' til the [$4 version aes o $3, $2].",
'filerevert-comment' => 'Raison:',
'filerevert-defaultcomment' => 'Reverted til version aes o $2, $1',
'filerevert-submit' => 'Revert',
'filerevert-success' => "'''[[Media:$1|$1]]''' haes been reverted til the [$4 version aes o $3, $2].",
'filerevert-badversion' => "Thaur's naw preeveeoos local version o this file wi the gien timestamp.",
# File deletion
'filedelete' => 'Delyte $1',
'filedelete-legend' => 'Delyte file',
'filedelete-intro' => "Ye'r aboot tae delyte the file '''[[Media:$1|$1]]''' alang wi aw o its histerie.",
'filedelete-intro-old' => "Ye'r delytin the version o '''[[Media:$1|$1]]''' aes o [$4 $3, $2].",
'filedelete-comment' => 'Raison:',
'filedelete-submit' => 'Delyte',
'filedelete-success' => "'''$1''' haes been delytit.",
'filedelete-success-old' => "The version o '''[[Media:$1|$1]]''' aes o $3, $2 haes been delytit.",
'filedelete-nofile' => "'''$1''' disna exeest.",
'filedelete-nofile-old' => "Thaur's naw archived version o '''$1''' wi the speceefied attreebutes.",
'filedelete-otherreason' => 'Ither/addeetional raison:',
'filedelete-reason-otherlist' => 'Ither raison',
'filedelete-reason-dropdown' => '*Commyn delyte raisons
** Copiericht violation
** Dupleecatit file',
'filedelete-edit-reasonlist' => 'Eedit delyte raisons',
'filedelete-maintenance' => 'Delytion n restoration o files tempralie disabled during maintenance.',
'filedelete-maintenance-title' => 'Canna delyte file',
# MIME search
'mimesearch' => 'MIME rake',
'mimesearch-summary' => 'This page enables the filterin o files fer thair MIME type.
Input: contenttype/subtype, e.g. <code>eemage/jpeg</code>.',
'mimetype' => 'MIME type:',
'download' => 'dounlaid',
# Unwatched pages
'unwatchedpages' => 'Onwatched pages',
# List redirects
'listredirects' => 'Leet o reguidals',
# List duplicated files special page
'listduplicatedfiles' => 'Leet o files wi dupleecates',
'listduplicatedfiles-summary' => 'This is ae leet o files whaur the maist recynt version o the file is ae duplicate o the maist recynt version o some ither file. Yinlie local files ar conseederit.',
'listduplicatedfiles-entry' => '[[:File:$1|$1]] haes [[$3|{{PLURAL:$2|ae dupleecate|$2 dupleecates}}]].',
# Unused templates
'unusedtemplates' => 'Templates that arena uised',
'unusedtemplatestext' => "This page leets aw pages in the {{ns:template}} namespace that's naw incuidit in anither page. Mynd n check fer ither airtins til the templates afore delytin thaim.",
'unusedtemplateswlh' => 'ither airtins',
# Random page
'randompage' => 'Wale page allevolie',
'randompage-nopages' => "Thaur's naw pages in the follaein {{PLURAL:$2|namespace|namespaces}}: $1.",
# Random page in category
'randomincategory' => 'Random page in categerie',
'randomincategory-invalidcategory' => '"$1" isna ae valid categerie name.',
'randomincategory-nopages' => "Thaur's naw pages in the [[:Category:$1|$1]] categerie.",
'randomincategory-selectcategory' => 'Get random page fae categerie: $1 $2.',
'randomincategory-selectcategory-submit' => 'Gae',
# Random redirect
'randomredirect' => 'Random reguidal',
'randomredirect-nopages' => 'Thaur\'s naw reguidals in the namespace "$1".',
# Statistics
'statistics' => 'Stateestics',
'statistics-header-pages' => 'Page stateestics',
'statistics-header-edits' => 'Eidit stateestics',
'statistics-header-views' => 'See stateesteecs',
'statistics-header-users' => 'Uiser stateestics',
'statistics-header-hooks' => 'Ither stateestics',
'statistics-pages' => 'Pages',
'statistics-pages-desc' => 'Aw pages in the wiki, incluidin tauk pages, reguidals, etc.',
'statistics-files' => 'Uplaided files',
'statistics-edits' => 'Page eedits sin {{SITENAME}} wis set up',
'statistics-edits-average' => 'Average eedits per page',
'statistics-views-total' => 'Seeins total',
'statistics-views-total-desc' => "Seeins til non-exeestant pages n speecial pages'r naw incluidit",
'statistics-views-peredit' => 'Seeins per eedit',
'statistics-users' => 'Registered [[Special:ListUsers|uisers]]',
'statistics-users-active' => 'Acteeve uisers',
'statistics-users-active-desc' => 'Uisers that hae performed aen action in the laist {{PLURAL:$1|day|$1 days}}',
'statistics-mostpopular' => 'Maist seen pages',
'pageswithprop' => 'Pages wi ae page propertie',
'pageswithprop-legend' => 'Pages wi ae page propertie',
'pageswithprop-text' => 'This page leets pages that uise ae particular page propertie.',
'pageswithprop-prop' => 'Propertie name:',
'pageswithprop-submit' => 'Gae',
'pageswithprop-prophidden-long' => 'lang tex propertie value skaukt ($1)',
'pageswithprop-prophidden-binary' => 'binarie propertie value skaukt ($1)',
'doubleredirects' => 'Dooble reguidals',
'doubleredirectstext' => 'This page leets pages that reguide til ither reguidal pages.
Ilka raw contains airtins til the first n seicont reguidals, n the tairget o the seicont reguidal ava, this is uisuallie the "real" tairget page whaur the first reguidal shid poynt.
<del>Crossed oot</del> entries hae been solved.',
'double-redirect-fixed-move' => '[[$1]] haes been muived.
It nou reguides til [[$2]].',
'double-redirect-fixed-maintenance' => 'Fixin dooble reguidal fae [[$1]] til [[$2]].',
'double-redirect-fixer' => 'Reguidal fixer',
'brokenredirects' => 'Brucken reguidals',
'brokenredirectstext' => 'The folling redirects link til non-existent pages:',
'brokenredirects-edit' => 'eedit',
'brokenredirects-delete' => 'delyte',
'withoutinterwiki' => 'Pages wioot leid airtins',
'withoutinterwiki-summary' => 'The follaein pages dinan link til ither leid versions.',
'withoutinterwiki-legend' => 'Prefix',
'withoutinterwiki-submit' => 'Shaw',
'fewestrevisions' => 'Pages wi the fewest reeveesions',
# Miscellaneous special pages
'nbytes' => '$1 {{PLURAL:$1|byte|bytes}}',
'ncategories' => '$1 {{PLURAL:$1|category|categories}}',
'nlinks' => '$1 {{PLURAL:$1|airtin|airtins}}',
'nmembers' => '$1 {{PLURAL:$1|membir|membirs}}',
'nmemberschanged' => '$1 → $2 {{PLURAL:$2|memmer|memmers}}',
'nrevisions' => '$1 {{PLURAL:$1|reveesion|reveesions}}',
'nviews' => '$1 {{PLURAL:$1|luik|luiks}}',
'nimagelinks' => 'Uised oan $1 {{PLURAL:$1|page|pages}}',
'ntransclusions' => 'uised oan $1 {{PLURAL:$1|page|pages}}',
'specialpage-empty' => "Thaur's naw ootcomes fer this report.",
'lonelypages' => 'Orphant pages',
'lonelypagestext' => "The follaein pages'r naw linkt fae or transcluided intil ither pages in {{SITENAME}}.",
'uncategorizedpages' => 'Uncategoreised pages',
'uncategorizedcategories' => 'Uncategoreised categories',
'uncategorizedimages' => 'Oncategerized files',
'uncategorizedtemplates' => 'Oncategerized templates',
'unusedcategories' => 'Unuised categories',
'unusedimages' => 'Unuised eemages',
'wantedcategories' => 'Wantit categories',
'wantedpages' => 'Wantit pages',
'wantedpages-badtitle' => 'Onvalid title in ootcome set: $1',
'wantedfiles' => 'Wantit files',
'wantedfiletext-cat' => 'The follaein files ar uised but dinna exeest. Files fae foreign repositeries micht be leetit despite exeestin. Onie sic false poseeteeves will be <del>struck oot</del>. Addeetionallie, pages that embed files that dinna exeest ar leetit in [[:$1]].',
'wantedfiletext-nocat' => 'The follaein files ar uised but dinna exeest. Files fae foreign repositeries micht be leetit despite exeestin. Onie sic false poseeteeves will be <del>struck oot</del>.',
'wantedtemplates' => 'Wantit templates',
'mostlinked' => 'Maist airtit-til pages',
'mostlinkedcategories' => 'Maist airtit-til categories',
'mostlinkedtemplates' => 'Maist linkt-til templates',
'mostcategories' => 'Airticles wi the maist categeries',
'mostimages' => 'Maist uised eemages',
'mostinterwikis' => 'Pages wi the maist interwikis',
'mostrevisions' => 'Maist revised airticles',
'prefixindex' => 'Aw pages wi prefix',
'prefixindex-namespace' => 'Aw pages wi preefix ($1 namespace)',
'prefixindex-strip' => 'Strip preefix in leet',
'longpages' => 'Lang pages',
'deadendpages' => 'Deid-end pages',
'deadendpagestext' => 'The follaein pages dinna link til ither pages in {{SITENAME}}.',
'protectedpages' => 'Pretectit pages',
'protectedpages-indef' => 'Indefineet pretections yinlie',
'protectedpages-summary' => 'This page leets existin pages that ar nou protectit. Fer a leet o titles that ar protectit fae cræftin, see [[{{#special:ProtectedTitles}}|{{int:protectedtitles}}]].',
'protectedpages-cascade' => 'Cascadin protections yinlie',
'protectedpages-noredirect' => 'Skauk reguidals',
'protectedpagesempty' => 'Naw pages ar Nou pretectit wi thir parameters.',
'protectedpages-timestamp' => 'Timestamp.',
'protectedpages-page' => 'Page.',
'protectedpages-expiry' => 'Dies',
'protectedpages-performer' => 'Protecting uisser',
'protectedpages-params' => 'Protection guidins',
'protectedpages-reason' => 'Raison',
'protectedpages-unknown-timestamp' => "Onken't",
'protectedpages-unknown-performer' => "Onken't user",
'protectedtitles' => 'Pretectit titles',
'protectedtitles-summary' => 'This page leets titles that ar nou protectit fae cræftin. Fer ae leet o exeestin pages that ar protectit, see [[{{#special:ProtectedPages}}|{{int:protectedpages}}]].',
'protectedtitlesempty' => 'Naw titles ar the Nou protected wi thir parameters.',
'listusers' => 'Uiser leet',
'listusers-editsonly' => 'Shaw yinlie uisers wi eedits',
'listusers-creationsort' => 'Sort bi cræftin date',
'listusers-desc' => 'Sort in descendin order',
'usereditcount' => '$1 {{PLURAL:$1|eedit|eedits}}',
'usercreated' => '{{GENDER:$3|Cræftit}} oan $1 at $2',
'newpages' => 'New pages',
'newpages-username' => 'Uisername:',
'ancientpages' => 'Auldest pages',
'move' => 'Muiv',
'movethispage' => 'Muiv this page',
'unusedimagestext' => 'The follaein files exeest but arna embeddit in onie page.
Please mynd that ither wab sites micht link til ae file wi ae direct URL, n sae micht still be leetit here despite being in acteeve uiss.',
'unusedcategoriestext' => 'The follaein category pages exists, tho nae ither airticle or category maks uiss o thaim.',
'notargettitle' => 'Nae target',
'notargettext' => "Ye hivna specifee'd a tairget page or uiser tae perform this function on.",
'nopagetitle' => 'Naw sic tairget page',
'nopagetext' => "The tairget page that ye'v speeceefied disna exeest.",
'pager-newer-n' => '{{PLURAL:$1|newer 1|newer $1}}',
'pager-older-n' => '{{PLURAL:$1|older 1|older $1}}',
'suppress' => 'Owersicht',
'querypage-disabled' => 'This speecial page is disablit fer performance raisons.',
# Book sources
'booksources' => 'Buik soorces',
'booksources-search-legend' => 'Rake fer buik soorces',
'booksources-go' => 'Gang',
'booksources-text' => "Ablo is ae leet o airtins til ither steids that sell new n uised buiks, n micht hae further information aneat buiks that ye'r seekin ava:",
'booksources-invalid-isbn' => 'The gien ISBN disna seem tae be valid; check fer mistaks copiein fae the oreeginal soorce.',
# Special:Log
'specialloguserlabel' => 'Performer:',
'speciallogtitlelabel' => 'Target (title or uiser):',
'log' => 'Logs',
'all-logs-page' => 'Aw public logs',
'alllogstext' => 'Combined displey o aw available logs o {{SITENAME}}.
Ye can narrae doon the whit ye see bi selectin ae log type, the uisername (case-sensiteeve), or the affected page (case-sensiteeve ava).',
'logempty' => 'Nae matchin items in log.',
'log-title-wildcard' => 'Rake titles stairtin wi this tex',
'showhideselectedlogentries' => 'Chynge veesibeelitie o selectit log entries',
# Special:AllPages
'allpages' => 'Aw pages',
'alphaindexline' => '$1 til $2',
'nextpage' => 'Neist page ($1)',
'prevpage' => 'Page afore ($1)',
'allpagesfrom' => 'Shaw pages stairtin at:',
'allpagesto' => 'Displey pages endin at:',
'allarticles' => 'Aa airticles',
'allinnamespace' => 'Aa pages ($1 namespace)',
'allpagessubmit' => 'Gang',
'allpagesprefix' => 'Shaw pages wi prefix:',
'allpagesbadtitle' => 'The page teitle gien wis wrang or haed a cross-lied or cross-wiki prefix. It micht hae ane or twa characters that canna be uised in teitles',
'allpages-bad-ns' => '{{SITENAME}} disna hae a namespace "$1".',
'allpages-hide-redirects' => 'Skauk reguidals',
# SpecialCachedPage
'cachedspecial-viewing-cached-ttl' => "Ye'r seein ae cached version o this page, this can be up til $1 auld.",
'cachedspecial-viewing-cached-ts' => "Ye'r seein ae cached version o this page, this micht naw be compleatelie actual.",
'cachedspecial-refresh-now' => 'See latest.',
# Special:Categories
'categories' => 'Categories',
'categoriespagetext' => 'The follaein {{PLURAL:$1|categerie contains|categeries contain}} pages or media.
[[Special:UnusedCategories|Onuised categeries]] arna shawn here.
See [[Special:WantedCategories|wanted categeries]] ava.',
'categoriesfrom' => 'Displey categeries stairtin at:',
'special-categories-sort-count' => 'sairt bi coont',
'special-categories-sort-abc' => 'sairt bi the alphabet',
# Special:DeletedContributions
'deletedcontributions' => 'Delytit uiser contreebutions',
'deletedcontributions-title' => 'Delytit uiser contreebutions',
'sp-deletedcontributions-contribs' => 'contreebutions',
# Special:LinkSearch
'linksearch' => 'Ootby airtins rake',
'linksearch-pat' => 'Rake pattern:',
'linksearch-ns' => 'Namespace:',
'linksearch-ok' => 'Rake',
'linksearch-text' => 'Wildcairds like "*.wikipedia.org" can be uised.
Needs at least ae top-level domain, fer example "*.org".<br />
Supported {{PLURAL:$2|protocol|protocols}}: <code>$1</code> (defaults to http:// gif naw protocol is speceefied).',
'linksearch-line' => '$1 is linked from $2',
'linksearch-error' => 'Wildcards micht appear yinlie at the stairt o the hoastname.',
# Special:ListUsers
'listusersfrom' => 'Displey uisers stairtin at:',
'listusers-submit' => 'Shaw',
'listusers-noresult' => 'Naw uiser foond.',
'listusers-blocked' => '(blockit)',
# Special:ActiveUsers
'activeusers' => 'Acteeve uisers leet',
'activeusers-intro' => 'This is ae leet o uisers that had some kynd o acteevitie wiin the last $1 {{PLURAL:$1|day|days}}.',
'activeusers-count' => '$1 {{PLURAL:$1|action|actions}} in the laist {{PLURAL:$3|day|$3 days}}',
'activeusers-from' => 'Displey uisers stairtin at:',
'activeusers-hidebots' => 'Skauk bots',
'activeusers-hidesysops' => 'Skauk admeenistraters',
'activeusers-noresult' => 'Naw uisers foond.',
# Special:ListGroupRights
'listgrouprights' => 'Uiser groop richts',
'listgrouprights-summary' => 'The follaein is ae leet o uiser groops defined oan this wiki, wi thair associatit access richts.
Thaur micht be [[{{MediaWiki:Listgrouprights-helppage}}|addeetional information]] aneat indiveedual richts.',
'listgrouprights-key' => 'Legend:
* <span class="listgrouprights-granted">Grantit richt</span>
* <span class="listgrouprights-revoked">Revokt richt</span>',
'listgrouprights-group' => 'Groop',
'listgrouprights-rights' => 'Richts',
'listgrouprights-helppage' => 'Help:Groop richts',
'listgrouprights-members' => '(leet o members)',
'listgrouprights-addgroup' => 'Eik {{PLURAL:$2|groop|groops}}: $1',
'listgrouprights-removegroup' => 'Remuiv {{PLURAL:$2|grop|groops}}: $1',
'listgrouprights-addgroup-all' => 'Eik aw groops',
'listgrouprights-removegroup-all' => 'Remui aw groops',
'listgrouprights-addgroup-self' => 'Eik {{PLURAL:$2|groop|groops}} til yer accoont: $1',
'listgrouprights-removegroup-self' => 'Remuiv {{PLURAL:$2|groop|groops}} fae yer accoont: $1',
'listgrouprights-addgroup-self-all' => 'Eik aw groops til yer accoont',
'listgrouprights-removegroup-self-all' => 'Remuiv aw groops fae yer accoont',
# Email user
'mailnologin' => 'Nae send address',
'mailnologintext' => 'Ye maun be [[Special:UserLogin|loggit in]] n hae ae valid wab-mail address in yer [[Special:Preferences|preferences]] tae send Wab-mail til ither uisers.',
'emailuser' => 'E-mail this uiser',
'emailuser-title-target' => 'Wab-mail this {{GENDER:$1|uiser}}',
'emailuser-title-notarget' => 'Wab-mail uiser',
'emailpage' => 'Wab-mail uiser',
'emailpagetext' => 'Ye can uise the form ablo tae send ae wab-mail message til this {{GENDER:$1|uiser}}.
The wab-mail address that ye entered in [[Special:Preferences|yer uiser preeferances]] will kith aes the "Fae" address o the wab-mail, sae that the receepient will be able tae replie directlie til ye.',
'usermailererror' => 'Mail object returned mistak:',
'defemailsubject' => '{{SITENAME}} wab-mail fae uiser "$1"',
'usermaildisabled' => 'Uiser wab-mail disablit',
'usermaildisabledtext' => 'Ye canna send wab-mail til ither uisers oan this wiki',
'noemailtitle' => 'Nae e-mail address',
'noemailtext' => 'This uiser haesna speceefied ae valid wab-mail address.',
'nowikiemailtitle' => 'Naw wab-mail permitit',
'nowikiemailtext' => 'This uiser haes choosen tae naw receeve wab-mail fae ither uisers.',
'emailnotarget' => 'Non-exeestent or onvalit uisername fer receepeeant.',
'emailtarget' => 'Enter uisername o reeceepeeant',
'emailusername' => 'Uisername:',
'emailusernamesubmit' => 'Haun-in',
'email-legend' => 'Send ae wab-mail til anither {{SITENAME}} uiser',
'emailfrom' => 'Fae:',
'emailto' => 'Til:',
'emailsubject' => 'Aneat:',
'emailmessage' => 'Message:',
'emailccme' => 'Wab-mail me ae copie o ma message.',
'emailccsubject' => 'Copie o yer message til $1: $2',
'emailsent' => 'Wab-mail sent',
'emailsenttext' => 'Yer wab-mail message haes been sent.',
'emailuserfooter' => 'This wab-mail wis sent bi $1 til $2 bi the "Wab-mail uiser" function at {{SITENAME}}.',
# User Messenger
'usermessage-summary' => 'Leain seestem message.',
'usermessage-editor' => 'Seestem messenger',
# Watchlist
'watchlist' => 'Ma watchleet',
'mywatchlist' => 'Ma watchleet',
'watchlistfor2' => 'For $1 $2',
'nowatchlist' => "Ye'v nae eitems oan yer watchleet.",
'watchlistanontext' => 'Please $1 tae see or eedit eetems oan yer watchlet.',
'watchnologin' => 'Nae loggit in',
'watchnologintext' => 'Ye maun be [[Special:UserLogin|loggit in]] tae modify yer watchleet.',
'addwatch' => 'Eik til watchleet',
'addedwatchtext' => 'The page "[[:$1]]" haes been added til yer [[Special:Watchlist|watchleet]].
Futur chynges til this page n its associated tauk page will be leeted thaur.',
'removewatch' => 'Remuiv fae watchleet',
'removedwatchtext' => 'The page "[[:$1]]" haes been remuied fae [[Special:Watchlist|yer watchleet]].',
'watch' => 'Watch',
'watchthispage' => 'Leuk ower this page',
'unwatch' => 'Unwatch',
'unwatchthispage' => 'Stap watchin',
'notanarticle' => 'Naw ae content page',
'notvisiblerev' => 'The last reeveesion bi ae differant uiser haes been delytit',
'watchlist-details' => '{{PLURAL:$1|$1 page|$1 pages}} oan yer watchleet, na coontin tauk pages.',
'wlheader-enotif' => 'Wab-mail annooncemant is enabled.',
'wlheader-showupdated' => "Pages that hae been chynged sin ye last veesitit thaim ar shawn in '''baud'''.",
'watchmethod-recent' => 'checkin recent eedits fer watched pages',
'watchmethod-list' => 'checking watched pages fer recent eedits',
'watchlistcontains' => 'Yer watchleet contains $1 {{PLURAL:$1|page|pages}}.',
'iteminvalidname' => "Proablem wi eetem '$1', onvalit name...",
'wlnote2' => 'Ablo ar the chynges in the hainmaist {{PLURAL:$1|hoor|<strong>$1</strong> hours}}, aes o $3, $2.',
'wlshowlast' => 'Shaw lest $1 hours $2 days $3',
'watchlist-options' => 'Watchleet options',
# Displayed when you click the "watch" button and it is in the process of watching
'watching' => 'Watchin...',
'unwatching' => 'Unwatchin...',
'watcherrortext' => 'Ae mistak occurred while chyngin yer watchleet settins fer "$1".',
'enotif_mailer' => '{{SITENAME}} annooncemant mailer',
'enotif_reset' => 'Merk aa pages visitit',
'enotif_impersonal_salutation' => '{{SITENAME}} uiser',
'enotif_subject_deleted' => '{{SITENAME}} page $1 haes been {{GENDER:$2|delytit}} bi $2',
'enotif_subject_created' => '{{SITENAME}} page $1 haes been {{GENDER:$2|cræftit}} bi $2',
'enotif_subject_moved' => '{{SITENAME}} page $1 haes been {{GENDER:$2|muived}} bi $2',
'enotif_subject_restored' => '{{SITENAME}} page $1 haes been {{GENDER:$2|restored}} bi $2',
'enotif_subject_changed' => '{{SITENAME}} page $1 haes been {{GENDER:$2|chynged}} bi $2',
'enotif_body_intro_deleted' => 'The {{SITENAME}} page $1 haes been {{GENDER:$2|delytit}} oan $PAGEEDITDATE bi $2, see $3.',
'enotif_body_intro_created' => 'The {{SITENAME}} page $1 haes been {{GENDER:$2|cræftit}} oan $PAGEEDITDATE bi $2, see $3 fer the Nou reeveesion.',
'enotif_body_intro_moved' => 'The {{SITENAME}} page $1 haes been {{GENDER:$2|muived}} oan $PAGEEDITDATE bi $2, see $3 fer the Nou reeveesion.',
'enotif_body_intro_restored' => 'The {{SITENAME}} page $1 haes been {{GENDER:$2|restored}} oan $PAGEEDITDATE bi $2, see $3 fer the Nou reveesion.',
'enotif_body_intro_changed' => 'The {{SITENAME}} page $1 haes been {{GENDER:$2|chynged}} oan $PAGEEDITDATE bi $2, see $3 fer the Nou reeveesion.',
'enotif_lastvisited' => 'Hae ae leuk at $1 fer aa chynges sin yer laist veesit.',
'enotif_lastdiff' => 'See $1 tae see this chynge.',
'enotif_anon_editor' => 'anonymoos uiser $1',
'enotif_body' => 'Dear $WATCHINGUSERNAME,
$PAGEINTRO $NEWPAGE
Eediter\'s ootline: $PAGESUMMARY $PAGEMINOREDIT
Contact the eediter:
mail: $PAGEEDITOR_EMAIL
wiki: $PAGEEDITOR_WIKI
Thaur\'ll be naw ither annooncemants in case o further acteevitie onless ye veesit this page while loggit in. Ye coud forby reset the annooncemant flags fer aw yer watched pages oan yer watchleet.
Yer freendlie {{SITENAME}} annooncemant system
--
Taae chynge yer wab-mail annooncemant settins, veesit
{{canonicalurl:{{#special:Preferences}}}}
Tae chynge yer watchleet settins, veesit
{{canonicalurl:{{#special:EditWatchlist}}}}
Tae delyte the page fae yer watchleet, veesit
$UNWATCHURL
Feedback n further asseestance:
{{canonicalurl:{{MediaWiki:Helppage}}}}',
'created' => 'cræftit',
'changed' => 'chynged',
# Delete
'deletepage' => 'Delyte page',
'excontent' => "content wis: '$1'",
'excontentauthor' => "content wis: '$1' (n the ae contreebuter wis '[[Special:Contributions/$2|$2]]')",
'exbeforeblank' => "content afore blankin wis: '$1'",
'exblank' => 'page wis tuim',
'delete-confirm' => 'Delyte "$1"',
'delete-legend' => 'Delyte',
'historywarning' => "<strong>Warnishment:</strong> The page that ye'r aboot tae delyte haes ae histerie wi approximatelie $1 {{PLURAL:$1|reveesion|reveesions}}:",
'confirmdeletetext' => "Ye'r aboot tae delyte ae page or eemage alang wi aw its histerie fae the database.
Please confirm that ye intend tae dae this, that ye unnerstaun the consequences,
n that ye'r daein this in accord wi [[{{MediaWiki:Policy-url}}]].",
'actioncomplete' => 'Action duin',
'actionfailed' => 'Action failed',
'deletedtext' => '"$1" haes been delytit. See $2 fer ae record o recent delytions.',
'dellogpage' => 'Delytion log',
'dellogpagetext' => 'Ablo is ae leet o the maist recynt delytions.',
'deletionlog' => 'delytion log',
'reverted' => 'Revertit til aulder reveesion',
'deletecomment' => 'Raeson:',
'deleteotherreason' => 'Ither/addeetional raison:',
'deletereasonotherlist' => 'Ither raeson',
'deletereason-dropdown' => '* Commyn delyte raisons
** Spam
** Vandaleesm
** Copiericht violation
** Writer request
** Broken reguidal',
'delete-edit-reasonlist' => 'Eedit delytion raisons',
'delete-toobig' => 'This page haes ae muckle eedit histerie, ower $1 {{PLURAL:$1|reveesion|reveesions}}.
Delytion o sic pages haes been restrictit tae stap accidental disruption o {{SITENAME}}.',
'delete-warning-toobig' => 'This page haes ae muckle eedit histerie, ower $1 {{PLURAL:$1|reveesion|reveesions}}.
Delytin it micht disrupt database operations o {{SITENAME}};
proceed wi caution.',
'deleting-backlinks-warning' => "'''Warnishment:''' [[Special:WhatLinksHere/{{FULLPAGENAME}}|Ither pages]] airt til or transcluide the page ye'r aboot tae delyte.",
# Rollback
'rollback' => 'Row back edits',
'rollback_short' => 'Rowback',
'rollbacklink' => 'rowback',
'rollbacklinkcount' => 'rowback $1 {{PLURAL:$1|eedit|eedits}}',
'rollbacklinkcount-morethan' => 'rowback mair than $1 {{PLURAL:$1|eedit|eedits}}',
'rollbackfailed' => 'Rowback failed',
'cantrollback' => 'Canna revert eidit; laist contreebuter is the ae auther o this page.',
'alreadyrolled' => 'Canna rollback laist eidit o [[:$1]] bi [[User:$2|$2]] ([[User talk:$2|tauk]]{{int:pipe-separater}}[[Special:Contributions/$2|{{int:contribslink}}]]);
some ither bodie haes eidited or rolled back the page awreadie.
The laist eidit til the page wis bi [[User:$3|$3]] ([[User talk:$3|tauk]]{{int:pipe-separater}}[[Special:Contributions/$3|{{int:contribslink}}]]).',
'editcomment' => "The eedit ootline wis: \"''\$1''\".",
'revertpage' => 'Reverted eidits bi [[Special:Contributions/$2|$2]] ([[User talk:$2|tauk]]) til laist reveesion bi [[User:$1|$1]]',
'revertpage-nouser' => 'Reverted eedits bi ae skaukt uiser til laist revesion bi {{GENDER:$1|[[User:$1|$1]]}}',
'rollback-success' => 'Reverted eedits b $1;
chynged back til the laist reveesion bi $2.',
# Edit tokens
'sessionfailure' => 'Thaur seems tae be ae proablem wi yer login session;
this action haes been canceled aes ae precaution again session hijackin.
Gang back til the preeveeoos page, relaid that page n than gie it anither gae.',
# Protect
'protectlogpage' => 'Fend log',
'protectlogtext' => 'Ablow is ae leet o chynges til page protections.
See the [[Special:ProtectedPages|protected pages leet]] fer the leet o currently operational page protections.',
'protectedarticle' => 'protectit "[[$1]]"',
'modifiedarticleprotection' => 'chynged protection level fer "[[$1]]"',
'unprotectedarticle' => 'remuied protection fae "[[$1]]"',
'movedarticleprotection' => 'muived protection settins fae "[[$2]]" til "[[$1]]"',
'protect-title' => 'Protectin "$1"',
'protect-title-notallowed' => 'See protection level o "$1"',
'prot_1movedto2' => '[[$1]] flittit til [[$2]]',
'protect-badnamespace-text' => 'Pages in this namespace canna be protected.',
'protect-norestrictiontypes-text' => "This page canna be protected aes thaur's naw restreection types available.",
'protectcomment' => 'Raeson:',
'protectexpiry' => 'Expires:',
'protect_expiry_invalid' => 'Expirie time is onvalit.',
'protect_expiry_old' => 'Expirie time is in the past.',
'protect-unchain-permissions' => 'Lowse mair protect opties',
'protect-text' => 'Ye can see n chynge the protection level here fer the page <strong>$1</strong>.',
'protect-locked-blocked' => 'Ye canna chynge protection levels while blockt.
Here ar the settins fer the page <strong>$1</strong> the nou:',
'protect-locked-dblock' => 'Protection levels canna be chynged cause o aen acteeve database lock.
Here ar the settins fer the page <strong>$1</strong> nou:',
'protect-locked-access' => 'Yer accont disna hae permeession tae chynge page protection levels.
Here ar the settins fer the page <strong>$1</strong> the nou:',
'protect-cascadeon' => "This page is nou protected cause it is incluided in the follaein {{PLURAL:$1|page, this haes|pages, thir hae}} cascadin protection turned oan.
Chynges til this page's protection level will na affect the cascadin protection.",
'protect-default' => 'Allow aw uisers',
'protect-fallback' => 'permit yinlie uisers wi "$1" permission',
'protect-level-autoconfirmed' => 'Allou yinly autæconfirmed uisers',
'protect-level-sysop' => 'Allou admeenistraters yinly',
'protect-summary-cascade' => 'cascadin',
'protect-expiring' => 'dees $1 (UTC)',
'protect-expiring-local' => 'dees $1',
'protect-expiry-indefinite' => 'indefineet',
'protect-cascade' => 'Protect pages incluided in this page (cascadin protection)',
'protect-cantedit' => 'Ye canna chynge the protection levels o this page cause ye dinna hae permeession tae eedit it.',
'protect-othertime' => 'Ither time:',
'protect-othertime-op' => 'ither time',
'protect-existing-expiry' => 'Exeestin expirie time: $3, $2',
'protect-otherreason' => 'Ither/addeetional raison:',
'protect-otherreason-op' => 'Ither raison',
'protect-dropdown' => '*Commyn protection raisons
** Excesseeve vandaleesm
** Excesseeve spammin
** Coonter-producteeve eedit warrin
** Hei traffeec page',
'protect-edit-reasonlist' => 'Eedit protection raisons',
'protect-expiry-options' => '1 hoor:1 hour,1 day:1 day,1 week:1 week,2 weeks:2 weeks,1 month:1 month,3 months:3 months,6 months:6 months,1 year:1 year,eenfinite:infinite',
'restriction-type' => 'Permeession:',
'restriction-level' => 'Restreection level:',
'minimum-size' => 'Smaaest size',
'maximum-size' => 'Mucklest size:',
# Restrictions (nouns)
'restriction-edit' => 'Eidit',
'restriction-move' => 'Muiv',
'restriction-create' => 'Mak',
'restriction-upload' => 'Uplaid',
# Restriction levels
'restriction-level-sysop' => 'fulie protected',
'restriction-level-autoconfirmed' => 'semie protected',
'restriction-level-all' => 'onie level',
# Undelete
'undelete' => 'See delytit page',
'undeletepage' => 'See n restore delytit pages',
'undeletepagetitle' => '<strong>The follaein conseests o delytit reveesions o [[:$1|$1]]</strong>.',
'viewdeletedpage' => 'See the delytit pages',
'undeletepagetext' => 'The follaein {{PLURAL:$1|page haes been delytit but is|$1 pages hae been delytit but ar}} still in the archive n can be restored.
The archive micht be cleaned oot nou n than.',
'undelete-fieldset-title' => 'Restore reveesions',
'undeleteextrahelp' => "In order tae restore the page's entire histerie, lea aw checkkists onselected n clap oan <strong><em>{{int:undeletebtn}}</em></strong>.
Tae perform ae selecteeve restoration, check the kists correspondin til the reveesions tae be restored, n clap oan <strong><em>{{int:undeletebtn}}</em></strong>.",
'undeleterevisions' => '$1 {{PLURAL:$1|reveesion|reveesions}} archived',
'undeletehistory' => 'Gif ye restore the page, aw reveesions will be restored til the histerie.
Gif ae new page wi the same name haes been makit sin the delytion, the restored reveesions will kyth in the prior histerie.',
'undeleterevdel' => 'Ondelytion will na be performed gif it will result in the tap page or file reveesion bein pairtlie delyted.
In sic cases, ye maun oncheck or onskauk the newest delytit reveesion.',
'undeletehistorynoadmin' => 'This airticle haes been delytit. The raeson fer delytion is
shawn in the owerview ablo, alang wi parteeculars o the uisers that haed eiditit this page afore it wis delytit. The actual tex o thir delytit reveesions is available tae admeenistraters juist.',
'undelete-revision' => 'Deleted reveesion o $1 (aes o $4, at $5) bi $3:',
'undeleterevision-missing' => 'Onvalid or missin reveesion.
Ye micht hae ae bad link, or the reveesion micht hae been restored or remuived fae the archive.',
'undelete-nodiff' => 'Naw preeveeoos reveesion foond.',
'undeletelink' => 'see/restore',
'undeleteviewlink' => 'see',
'undeletecomment' => 'Raison:',
'undeletedrevisions' => '{{PLURAL:$1|1 reveesion|$1 reveesions}} restored',
'undeletedrevisions-files' => '{{PLURAL:$1|1 reveesion|$1 reveesions}} n {{PLURAL:$2|1 file|$2 files}} restored',
'cannotundelete' => 'Ondelyte failed:
$1',
'undeletedpage' => '<strong>$1 haes been restored</strong>
Consult the [[Special:Log/delete|delytion log]] fer ae record o recent delytions an restorâtions.',
'undelete-header' => 'See [[Special:Log/delete|the delytion log]] fer recentlie delytit pages.',
'undelete-search-title' => 'Rake delytit pages',
'undelete-search-box' => 'Rake delytit pages',
'undelete-search-prefix' => 'Shaw pages stairtin wi:',
'undelete-search-submit' => 'Rake',
'undelete-no-results' => 'Naw matchin pages foond in the delytion airchive.',
'undelete-filename-mismatch' => 'Canna ondelyte file reveesion wi timestamp $1: Filename mismatch.',
'undelete-bad-store-key' => 'Canna ondelyte file reveesion wi timestamp $1: File wis missin afore delytion.',
'undelete-cleanup-error' => 'Mistak delytin onuised airchive file "$1".',
'undelete-missing-filearchive' => "Onable tae restore file airchive ID $1 cause it's na in the database.
It micht awreadie hae been ondelytit.",
'undelete-error' => 'Mistak ondelytin page',
'undelete-error-short' => 'Mistak ondelytin file: $1',
'undelete-error-long' => 'Mistaks were encoontered while ondelytin the file:
$1',
'undelete-show-file-confirm' => 'Ar ye sair that ye want tae see the delytit reveesion o the file "<nowiki>$1</nowiki>" fae $2 at $3?',
'undelete-show-file-submit' => 'Ay',
# Namespace form on various pages
'namespace' => 'Namespace:',
'invert' => 'Invert selection',
'tooltip-invert' => 'Check this kist tae skauk chynges til pages wiin the selectit namespace (n the associatit namespace gif checked)',
'tooltip-namespace_association' => 'Check this kist foreby tae incluid the tauk or subject namespace associatit wi the selectit namespace',
'blanknamespace' => '(Main)',
# Contributions
'contributions' => '{{GENDER:$1|Uiser}} contributions',
'contributions-title' => 'Uiser contreebutions fer $1',
'mycontris' => 'Ma contreebutions',
'contribsub2' => 'Fer {{GENDER:$3|$1}} ($2)',
'nocontribs' => 'Nae chynges wis funnd matchin thir criteria.',
'uctop' => '(current)',
'month' => 'Fae month (n afore):',
'year' => 'Fae year (n afore):',
'sp-contributions-newbies' => 'Shaw contreebutions o freish accoonts ainlie',
'sp-contributions-newbies-sub' => 'Fer new accoonts',
'sp-contributions-newbies-title' => 'Uiser contreebutions fer new accoonts',
'sp-contributions-blocklog' => 'block log',
'sp-contributions-deleted' => 'delytit uiser contreebutions',
'sp-contributions-uploads' => 'uploads',
'sp-contributions-logs' => 'logs',
'sp-contributions-talk' => 'tauk',
'sp-contributions-userrights' => 'uiser richts management',
'sp-contributions-blocked-notice' => 'This uiser is nou blockit.
The latest block log entrie is gien ablo fer referance:',
'sp-contributions-blocked-notice-anon' => 'This IP address is blockit the nou.
The latest block log entrie is gien ablo fer referance:',
'sp-contributions-search' => 'Rake fer contreebutions',
'sp-contributions-suppresslog' => 'suppressed uiser contreebutions',
'sp-contributions-username' => 'IP address or uisername:',
'sp-contributions-toponly' => 'Ainlie shaw eedits that ar laitest reveesions',
'sp-contributions-newonly' => 'Yinlie shaw eidits that ar page cræftins',
'sp-contributions-submit' => 'Rake',
# What links here
'whatlinkshere' => 'Whit airts here',
'whatlinkshere-title' => 'Pages that link til "$1"',
'whatlinkshere-page' => 'Page:',
'linkshere' => 'The follaein pages link til <strong>[[:$1]]</strong>:',
'nolinkshere' => "Nae pages link wi '''[[:$1]]'''.",
'nolinkshere-ns' => 'No pages aiet til <strong>[[:$1]]</strong> in the choosen namespace.',
'isredirect' => 'reguidal page',
'istemplate' => 'transclusion',
'isimage' => 'file airtin',
'whatlinkshere-prev' => '{{PLURAL:$1|previous|previous $1}}',
'whatlinkshere-next' => '{{PLURAL:$1|next|next $1}}',
'whatlinkshere-links' => '← airtins',
'whatlinkshere-hideredirs' => '$1 redirects',
'whatlinkshere-hidetrans' => '$1 transclusions',
'whatlinkshere-hidelinks' => '$1 airtins',
'whatlinkshere-hideimages' => '$1 file airtins',
'whatlinkshere-filters' => 'Filters',
# Block/unblock
'autoblockid' => 'Autæblock #$1',
'block' => 'Block uiser',
'unblock' => 'Onblock uiser',
'blockip' => 'Block uiser',
'blockip-legend' => 'Block uiser',
'blockiptext' => 'Uise the form ablo tae block write access fae ae speceefic IP address or uisername. This shid be dun juist tae hinder vandaleesm, n in accord wi [[{{MediaWiki:Policy-url}}|policie]]. Fil in ae speceefic raison ablo (fer exemplar, citin parteecular pages that were vandalised).',
'ipadressorusername' => 'IP Address or uisername',
'ipbexpiry' => 'Expirie:',
'ipbreason' => 'Raeson:',
'ipbreason-dropdown' => '*Commyn block raisons
** Insertin false information
** Remuivin content fae pages
** Spammin airtins til ootby steids
** Insertin nonsense/gibberish intil pages
** Inteemidatin behavier/harassment
** Abuisin multiple accoonts
** Onacceptable uisername',
'ipb-hardblock' => 'Stap loggit-in uisers fae eeditin fae this IP address',
'ipbcreateaccount' => 'Stap accoont cræftin',
'ipbemailban' => 'Stap uiser fae sendin wab-mail',
'ipbenableautoblock' => 'Autæmateeclie block the laist IP address uised bi this uiser, n onie subsequent IP addresses that thay attempt tae eedit fae',
'ipbsubmit' => 'Block this uiser',
'ipbother' => 'Ither time',
'ipboptions' => '2 hours:2 hours,1 day:1 day,3 days:3 days,1 week:1 week,2 weeks:2 weeks,1 month:1 month,3 months:3 months,6 months:6 months,1 year:1 year,indefinite:infinite',
'ipbhidename' => 'Skauk uisername fae eedits n leets',
'ipbwatchuser' => "Watch this uiser's uiser n tauk pages",
'ipb-disableusertalk' => 'Stap this uiser fae eeditin thair ain tauk page while blockit',
'ipb-change-block' => 'Re-block the uiser wi thir settins',
'badipaddress' => 'That IP address is nae guid',
'blockipsuccesssub' => 'Block succeedit',
'blockipsuccesstext' => '[[Special:Contributions/$1|$1]] haes been blockit.
<br />See [[Special:BlockList|block leet]] tae review blocks.',
'ipb-blockingself' => "Ye'r aboot tae block yersel! Ar ye sair that ye want tae dae that?",
'ipb-confirmhideuser' => 'Ye\'r aboot tae block ae uiser wi "skauk uiser" enabled. This will suppress the uiser\'s name in aw leets n log entries. Ar ye sair that ye want tae dae that?',
'ipb-confirmaction' => 'Gif ye\'r sair that ye reelie want tae dae it, please check the "{{int:ipb-confirm}}" field at the bottom.',
'ipb-edit-dropdown' => 'Eedit block raisons',
'ipb-unblock-addr' => 'Onblock $1',
'ipb-unblock' => 'Onblock ae uisername or IP address',
'ipb-blocklist' => 'See exeestin blocks',
'ipb-blocklist-contribs' => 'Contreebutions fer $1',
'unblockip' => 'Onblock uiser',
'unblockiptext' => 'Uise the form ablo tae restore screevin richts
til aen afore-blockit IP address or uisername.',
'ipusubmit' => 'Remuive this block',
'unblocked' => '[[User:$1|$1]] haes been onblockit.',
'unblocked-range' => '$1 haes been onblockit.',
'unblocked-id' => 'Block $1 haes been remuived.',
'blocklist' => 'Blockit uisers',
'ipblocklist' => 'Blockit uisers',
'ipblocklist-legend' => 'Fynd ae blockit uiser',
'blocklist-userblocks' => 'Skauk accoont blocks',
'blocklist-tempblocks' => 'Skauk temparie blocks',
'blocklist-addressblocks' => 'Skauk single IP blocks',
'blocklist-rangeblocks' => 'Skauk range blocks',
'blocklist-target' => 'Tairget',
'blocklist-expiry' => 'Dies',
'blocklist-by' => 'Blockin admeen',
'blocklist-params' => 'Block boonds',
'blocklist-reason' => 'Raison',
'ipblocklist-submit' => 'Rake',
'ipblocklist-otherblocks' => 'Ither {{PLURAL:$1|block|blocks}}',
'infiniteblock' => 'infeenite',
'expiringblock' => 'dies oan $1 at $2',
'anononlyblock' => 'anon. juist',
'noautoblockblock' => 'autæblock disabled',
'createaccountblock' => 'accoont-makkin blockit',
'emailblock' => 'wab-mail disabled',
'blocklist-nousertalk' => 'canna eedit yer ain tauk page',
'ipblocklist-empty' => 'The block leet is tuim.',
'ipblocklist-no-results' => 'The requested IP address or uisername isna blockit.',
'blocklink' => 'block',
'unblocklink' => 'onblock',
'change-blocklink' => 'chynge block',
'contribslink' => 'contreebs',
'emaillink' => 'send wab-mail',
'autoblocker' => 'Autaematicallie blockit sin yer IP address haes been uised recentlie bi "[[User:$1|$1]]". The raeson gien fer $1\'s block is "$2"',
'blocklogpage' => 'Block log',
'blocklog-showlog' => 'This uiser haes been blockit afore.
The block log is gien ablo fer referance:',
'blocklog-showsuppresslog' => 'This uiser haes been blockit n skaukt afore.
The suppress log is gien ablo fer referance:',
'blocklogentry' => 'blockit [[$1]] wi aen expirie time o $2 $3',
'reblock-logentry' => 'chynged block settins fer [[$1]] wi ae diein time o $2 $3',
'blocklogtext' => 'This is ae log o uiser blockin n onblockin actions. Autaematiclie blockit IP addresses isna leetit. See the [[Special:BlockList|block leet]] fer the leet o bans n blocks oan the nou.',
'unblocklogentry' => 'unblockit $1',
'block-log-flags-anononly' => 'anonymos uisers yinlie',
'block-log-flags-nocreate' => 'accoont-makkin blockit',
'block-log-flags-noautoblock' => 'autæblock disabled',
'block-log-flags-noemail' => 'wab-mail disabled',
'block-log-flags-nousertalk' => 'canna eedit yer ain tauk page',
'block-log-flags-angry-autoblock' => 'enhanced autæblock enabled',
'block-log-flags-hiddenname' => 'uisername skaukt',
'range_block_disabled' => 'The administrator abeility tae mak range blocks is disabled.',
'ipb_expiry_invalid' => 'Expirie time is onvalit.',
'ipb_expiry_temp' => 'Skaukt uisername blocks maun be permanent.',
'ipb_hide_invalid' => 'Onable tae suppress this accoont; it haes mair than {{PLURAL:$1|yin eedit|$1 eedits}}.',
'ipb_already_blocked' => '"$1" is awreadie blockit.',
'ipb-needreblock' => '$1 is awreadie blockit. Div ye want tae chynge the settins?',
'ipb-otherblocks-header' => 'Ither {{PLURAL:$1|block|blocks}}',
'unblock-hideuser' => 'Ye canna onblock this uiser, aes thair uisername haes been skaukt.',
'ipb_cant_unblock' => 'Mistak: Block ID $1 na foond. It micht hae been onblockit awreadie.',
'ipb_blocked_as_range' => 'Mistak: The IP address $1 isna blockit directlir n canna be onblockit.
It is, houever, blockit aes pairt o the range $2, n this can be onblockit.',
'ip_range_invalid' => 'Onvalid IP range.',
'ip_range_toolarge' => 'Range blocks muckler than /$1 ar na permitit.',
'proxyblocker' => 'Proxie blocker',
'proxyblockreason' => "Yer IP address haes been blockit cause it's aen apen proxie. Please contact yer Internet service provider or tech support n inform them o this serious securitie problem.",
'sorbsreason' => 'Yer IP address is leeted aes aen apen proxy in the DNSBL uised bi {{SITENAME}}.',
'sorbs_create_account_reason' => 'Yer IP address is leeted aes aen apen proxy in the DNSBL uised bi {{SITENAME}}.
Ye canna mak aen accoont.',
'xffblockreason' => "Aen IP address present in the X-Forwarded-For heider, either yers or that o ae proxie server that ye'r uisin, haes been block. The oreeginal block raison wis: $1",
'cant-see-hidden-user' => "The uiser that ye'r attemptin tae block haes awreadie been blockit n skaukt.
Aes ye dinna hae the skaukuiser richt, ye canna see or eedit the uiser's block.",
'ipbblocked' => 'Ye canna block or onblock ither uisers cause ye yersel is blockit.',
'ipbnounblockself' => 'Yer na permitit tae onblock yersel.',
# Developer tools
'unlockdb' => 'Lowse database',
'lockdbtext' => "Lockin the database will suspend the abeelitie o aw uisers tae eedit pages, chynge thair preeferences, eedit thair watchleets, n ither things needin chynges in the database. Please confirm that this is whit ye'r etlin tae dae, n that ye'll lowse the database whan yer maintenance is dun.",
'unlockdbtext' => 'Lowsin the database will gie back the abeelitie fer aa uisers tae eidit pages, chynge their preeferences, eidit their watchleets, an ither things needin chynges in the database. Please confirm that this is whit ye ettle tae dae.',
'lockconfirm' => 'Ai, Ah reellie want tae lock the database.',
'unlockconfirm' => 'Ai, Ah reellie want tae lowse the database.',
'unlockbtn' => 'Lowse database',
'locknoconfirm' => 'Ye didna tick the confirmation kist.',
'lockdbsuccesssub' => 'Database lock fine',
'unlockdbsuccesssub' => 'Database lowsed',
'lockdbsuccesstext' => 'The database haes been lockit. <br />Mynd an tak the lock aff efter yer maintenance is feinisht.',
'unlockdbsuccesstext' => 'The database haes bin lowsed.',
'lockfilenotwritable' => 'The database lock file isna writable.
Tae lock or lowse the database, this needs tae be writable bi the wab server.',
'databasenotlocked' => 'The database isna lockit.',
'lockedbyandtime' => '(bi {{GENDER:$1|$1}} oan $2 at $3)',
# Move page
'move-page' => 'Muiv $1',
'move-page-legend' => 'Muiv page',
'movepagetext' => "Uisin the form ablo will rename ae page, muivin aw o its histerie til the new name.
The auld title will become ae reguidal page til the new title.
Ye can update reguidals that poynt til the oreeginal title autæmateeclie.
Gif ye chuise na tae, be sair tae check fer [[Special:DoubleRedirects|dooble]] or [[Special:BrokenRedirects|broken reguidals]].
Ye'r responsible fer makin sair that airtins continue tae poynt til whaur thay'r supposed to gae.
Mynd that the page will <strong>na</strong> be muived gif thaur is awreadie ae page at the new title, onless the latter is ae reguidal n haes nae past eedit histerie.
This means that ye can rename ae page back til whaur it wis renamed fae gif ye mak ae mistak, n ye canna owerwrite aen exeestin page.
<strong>Warnishment!</strong>
This can be ae drasteec n onexpectit chynge fer ae popular page;
please be sair ye unnerstaunn the consequences o this afore proceedin.",
'movepagetext-noredirectfixer' => "Uising the form ablo will rename ae page, muivin aw o its histerie til the new name.
The auld title will become ae reguidal page til the new title.
Be sair tae check fer [[Special:DoubleRedirects|dooble]] or [[Special:BrokenRedirects|broken reguidals]].
Ye'r responsible fer makin sair that airtins continue tae poynt whaur thay'r supposed tae gae.
Tak tent that the page will <strong>naw</strong> be muived gif thaur's awreadie ae page at the new title, onless it is tuim n haes naw past eedit histerie.
This means that ye can rename ae page back til whaur it wis renamed fae gif ye mak ae mistak, n ye canna owerwrite aen existin page.
<strong>Warnishment!</strong>
This can be ae drastic n onexpectit chynge fer ae popular page;
please be sair that ye unnerstaun the consequences o this afore preceedin.",
'movepagetalktext' => 'The associated tauk page will be autaematiclie muived alang wi it <strong>onless:</strong>
*A no-tuim tauk page awreadie exeests unner the new name, or
*Ye oncheck the kist ablo.
In thae cases, ye will hae tae muiv or merge the page manuallie gif ye sae desire.',
'movearticle' => 'Muiv page:',
'moveuserpage-warning' => "<strong>Warnishment:</strong> Ye'r aboot tae muiv ae uiser page. Please tak tent that yinlie the page will be muivd n the uiser will <em>naw</em> be renamed.",
'movenologintext' => 'Ye maun be a registert uiser n [[Special:UserLogin|loggit in]] tae muiv ae page.',
'movenotallowed' => 'Ye dinna hae permeession tae muiv pages.',
'movenotallowedfile' => 'Ye dinna hae permeession tae muiv files.',
'cant-move-user-page' => 'Ye dinna hae permeession tae muiv uiser pages (aside fae subpages).',
'cant-move-to-user-page' => 'Ye dinna hae permeession tae muiv ae page til ae uiser page (except til ae uiser subpage).',
'newtitle' => 'Til new teitle',
'move-watch' => 'Watch soorce page n tairget page',
'movepagebtn' => 'Muiv page',
'pagemovedsub' => 'Flittin succeedit',
'movepage-moved' => '<strong>"$1" has been muived til "$2"</strong>',
'movepage-moved-redirect' => 'Ae reguidal haes been cræftit.',
'movepage-moved-noredirect' => 'The cræftin o ae reguidal haes been suppressed.',
'articleexists' => "A page o that name aareadies exists, or the name ye'v waled isna guid. Please wale anither name.",
'cantmove-titleprotected' => 'Ye canna muiv ae page til this location cause the new title haes been protected fae cræftin',
'movetalk' => 'Muiv associated tauk page',
'move-subpages' => 'Muiv subpages (up til $1)',
'move-talk-subpages' => 'Muiv subpages o tauk page (up til $1)',
'movepage-page-exists' => 'The page $1 awreadie exeests n canna be autæmateeclie owerwritten.',
'movepage-page-moved' => 'The page $1 haes been muived til $2.',
'movepage-page-unmoved' => 'The page $1 coudna be muived til $2.',
'movepage-max-pages' => 'The mmucklest o $1 {{PLURAL:$1|page|pages}} haes been muived n naw mair will be muived autæmateeclie.',
'movelogpage' => 'Muiv log',
'movelogpagetext' => "A leet o pages that's flitted is ablo.",
'movesubpagetext' => 'This page haes $1 {{PLURAL:$1|subpage|subpages}} shawn ablo.',
'movenosubpage' => 'This page haes naw subpages.',
'movereason' => 'Raeson:',
'revertmove' => 'revert',
'delete_and_move' => 'Delyte n muiv',
'delete_and_move_text' => '==Delytion caad fer==
The destination airticle "[[:$1]]" aareadies exists. Div ye want tae delyte it fer tae mak wey fer the muiv?',
'delete_and_move_confirm' => 'Ai, delyte the page',
'delete_and_move_reason' => 'Delytit fer tae mak wa fer muiv fae "[[$1]]"',
'selfmove' => 'Ootgaun n incomin teitles ar the same; canna muiv ae page ower itsel.',
'immobile-source-namespace' => 'Canna muiv pages in namespace "$1"',
'immobile-target-namespace' => 'Canna muiv pages intil namespace "$1"',
'immobile-target-namespace-iw' => 'Interwiki link isna ae valeed tairget fer page muiv.',
'immobile-source-page' => 'This page is na muivable.',
'immobile-target-page' => 'Canna muiv til that desteenation title.',
'bad-target-model' => 'The desired desteenation uises ae differant content model. Canna convert fae $1 til $2.',
'imagenocrossnamespace' => 'Canna muiv file til non-file namespace',
'nonfile-cannot-move-to-file' => 'Canna muiv non-file til file namespace',
'imagetypemismatch' => 'The new file extension disna match its type',
'imageinvalidfilename' => 'The tairget filename is onvalit',
'fix-double-redirects' => 'Update onie reguidals that poynt til the oreeginal title',
'move-leave-redirect' => 'Lea ae reguidal ahint',
'protectedpagemovewarning' => '<strong>Warnishment:</strong> This page haes been protected sae that yinlie uisers wi admeenistrater preevleges can muiv it.
The latest log entrie is gien ablo fer referance:',
'semiprotectedpagemovewarning' => '<strong>Mynd:</strong> This page haes been protected sae that yinlie registered uisers can muiv it.
The hainmaist log entrie is gien ablo fer referance:',
'move-over-sharedrepo' => '== File exeests ==
[[:$1]] exeests oan ae shaired reposeeterie. Muiving ae file til this title will owerride the shaired file.',
'file-exists-sharedrepo' => 'The filename chosen is awreadie in uise oan ae shaired reposeeterie.
Please chuise anither name.',
# Export
'export' => 'Export pages',
'exporttext' => 'Ye can export the tex n eeditin histerie o ae parteecular page or set o pages wrapt in some XML.
This can be imported intil anither wiki uisin MediaWiki bi waa o the [[Special:Import|import page]].
Tae export pages, enter the titles in the tex kist ablo, yin title per line, n select whather ye want the Nou reveesion aw auld reveesions ava, wi the page histerie lines, or the Nou reveesion wi the info aneat the laist eedit.
In the latter case ye can uise aen airtin ava, fer example [[{{#Special:Export}}/{{MediaWiki:Mainpage}}]] fer the page "[[{{MediaWiki:Mainpage}}]]".',
'exportall' => 'Export aw pages',
'exportcuronly' => 'Inclæde juist the nou reveesion, naw the ful histerie',
'exportnohistory' => '----
<strong>Mynd:</strong> Exportin the ful histerie o pages throogh this form haes been disabled cause o performance raisons.',
'exportlistauthors' => 'Incluid ae ful leet o contreebuters fer ilka page',
'export-addcattext' => 'Eik pages fae categerie:',
'export-addnstext' => 'Eik pages fae namespace:',
'export-download' => 'Hain aes file',
'export-templates' => 'Incluid templates',
'export-pagelinks' => 'Incluid linkt pages til ae depth o:',
# Namespace 8 related
'allmessages' => 'Aa seestem messages',
'allmessagesname' => 'Name',
'allmessagesdefault' => 'Defaut message tex',
'allmessagescurrent' => 'Message tex the nou',
'allmessagestext' => 'This is ae leet o system messages available in the MediaWiki namespace.
Please veesit [https://www.mediawiki.org/wiki/Localisation MediaWiki Localisation] n [//translatewiki.net translatewiki.net] gif ye wish tae contreebute til the generic MediaWiki localisation.',
'allmessagesnotsupportedDB' => "'''{{ns:special}}:AllMessages''' nae supportit acause '''\$wgUseDatabaseMessages''' is aff.",
'allmessages-filter' => 'Filter b custymization state:',
'allmessages-filter-unmodified' => 'Onmodified',
'allmessages-filter-all' => 'Aw',
'allmessages-filter-modified' => 'Modeefied',
'allmessages-prefix' => 'Filter bi prefix:',
'allmessages-language' => 'Leid:',
'allmessages-filter-submit' => 'Gang',
'allmessages-filter-translate' => 'Owerset',
# Thumbnails
'thumbnail-more' => 'Eik',
'filemissing' => 'File missin',
'thumbnail_error' => 'Mistak makin thummnail: $1',
'thumbnail_error_remote' => 'Mistak message fae $1:
$2',
'djvu_page_error' => 'DjVu page oot o range',
'djvu_no_xml' => 'Onable tae fetch XML fer DjVu file',
'thumbnail-temp-create' => 'Onable tae cræft temprie thummnail file',
'thumbnail-dest-create' => 'Onable tae hain thummnail til desteenation',
'thumbnail_invalid_params' => 'Onvalit thummnail parameters',
'thumbnail_dest_directory' => 'Onable tae cræft desteenation directerie',
'thumbnail_image-type' => 'Eemage type na supported',
'thumbnail_gd-library' => 'Oncompleate GD librie confeeguration: Missin function $1',
'thumbnail_image-missing' => 'File seems tae be missin: $1',
'thumbnail_image-failure-limit' => 'Thaur hae been ower monie recynt failed attempts ($1 or mair) tae render this thummnail. Please ettle again later.',
# Special:Import
'import-interwiki-text' => "Select ae wiki n page title tae import.
Reveesion dates n eediters' names will be preserved.
Aw transwiki import actions ar loggit at the [[Special:Log/import|import log]].",
'import-interwiki-source' => 'Soorce wiki/page:',
'import-interwiki-history' => 'Copie aw histerie reveesions fer this page',
'import-interwiki-templates' => 'Incluid aw templates',
'import-interwiki-namespace' => 'Desteenation namespace:',
'import-interwiki-rootpage' => 'Desteenation ruit page (aen optie):',
'importtext' => 'Please export the file fae the soorce wiki uising the [[Special:Export|export utilitie]].
Hain it til yer computer n uplaid it here.',
'importstart' => 'Importin pages...',
'import-revision-count' => '$1 {{PLURAL:$1|reveesion|reveesions}}',
'importnopages' => 'Naw pages tae import.',
'imported-log-entries' => 'Imported $1 {{PLURAL:$1|log entrie|log entries}}.',
'importunknownsource' => 'Onkent import soorce type',
'importcantopen' => 'Coudna apen import file',
'importnotext' => 'Tuim or nae tex',
'importsuccess' => 'Importit fine!',
'importhistoryconflict' => 'Conflictin histerie reveesion exeests (micht hae importit this page afore)',
'importnosources' => 'Nae transwiki import soorces haes been defined n direct histerie uplaids is disabled.',
'importnofile' => 'Naw import file wis uplaided.',
'importuploaderrorsize' => 'Uplaid o import file failed.
The file is muckler than the permitit uplaid size.',
'importuploaderrorpartial' => 'Uplaid o import file failed.
The file wis yinlie pairtlie uplaided.',
'importuploaderrortemp' => 'Uplaid o import file failed.
Ae temparie fauder is missin.',
'import-noarticle' => 'Naw page tae import!',
'import-nonewrevisions' => 'Nae reveesions imported (aw were either awreadie present, or skipt cause o mistaks).',
'import-upload' => 'Uplaid XML data',
'import-token-mismatch' => 'Loss o session data.
Please gie it anither gae.',
'import-invalid-interwiki' => 'Canna import fae the speceefied wiki.',
'import-error-edit' => 'Page "$1" isna importit cause ye\'r na permitit tae eedit it.',
'import-error-create' => 'Page "$1" is na importit cause ye\'r na permitit tae cræft it.',
'import-error-interwiki' => 'Page "$1" is na importit cause its name is reserved fer external linkin (interwiki).',
'import-error-special' => 'Page "$1" is na importit cause it belangs til ae speecial namespace that disna permit pages.',
'import-error-invalid' => 'Page "$1" is na importit cause its name is onvalit.',
'import-error-unserialize' => 'Reveesion $2 o page "$1" coudna be onsereealized. The reveesion wis reported til uiss content model $3 sereealized aes $4.',
'import-error-bad-location' => 'Reveesion $2 uisin content model $3 canna be stored oan "$1" oan this wiki, syn that model isna supported oan that page.',
'import-options-wrong' => 'Wrang {{PLURAL:$2|optie|opties}}: <nowiki>$1</nowiki>',
'import-rootpage-invalid' => 'Gien ruit page is aen onvalit title.',
'import-rootpage-nosubpage' => 'Namespace "$1" o the ruit page disna permit subpages.',
# Import log
'importlogpagetext' => 'Admeenistrateeve imports o pages wi eedit histerie fae ither wikis.',
'import-logentry-upload' => 'imported [[$1]] bi file uplaid',
'import-logentry-upload-detail' => '$1 {{PLURAL:$1|reveesion|reveesions}}',
'import-logentry-interwiki-detail' => '$1 {{PLURAL:$1|reveesion|reveesions}} fae $2',
# JavaScriptTest
'javascripttest' => 'JavaScript testin',
'javascripttest-title' => 'Rinnin $1 tests',
'javascripttest-pagetext-noframework' => 'This page is reserved fer rinnin JavaScript tests.',
'javascripttest-pagetext-unknownframework' => 'Onkent testin framewairk "$1".',
'javascripttest-pagetext-frameworks' => 'Please chuise yin o the follaein testin framewairks: $1',
'javascripttest-pagetext-skins' => 'Chuise ae skin tae rin the tests wi:',
'javascripttest-qunit-intro' => 'See [$1 testin documentation] oan mediawiki.org.',
# Tooltip help for the actions
'tooltip-pt-userpage' => 'Yer uiser page',
'tooltip-pt-anonuserpage' => "The uiser page fer the IP address that ye'r eeditin aes",
'tooltip-pt-mytalk' => 'Yer tauk page',
'tooltip-pt-anontalk' => 'Discussion aneat eedits fae this IP address',
'tooltip-pt-preferences' => 'Ma preferences',
'tooltip-pt-watchlist' => "Ae leet o pages ye'r moniterin fer chynges",
'tooltip-pt-mycontris' => 'Leet o yer contreebutions',
'tooltip-pt-login' => "It's a guid idea tae log i, but ye dinna hae tae.",
'tooltip-pt-logout' => 'Log oot',
'tooltip-ca-talk' => 'Discussion aneat the content page',
'tooltip-ca-edit' => 'Ye can eedit this page. Please uise the luikower button afore hainin',
'tooltip-ca-addsection' => 'Stairt ae new section',
'tooltip-ca-viewsource' => 'This page is protectit.
Ye can see its soorce',
'tooltip-ca-history' => 'Bygane reveesions o this page',
'tooltip-ca-protect' => 'Fend this page',
'tooltip-ca-unprotect' => 'Chynge protection o this page',
'tooltip-ca-delete' => 'Delyte this page',
'tooltip-ca-undelete' => 'Restore the eedits dun oan this page afore it wis delytit',
'tooltip-ca-move' => 'Muiv this page',
'tooltip-ca-watch' => 'Eik this page til yer watchleet',
'tooltip-ca-unwatch' => 'Remove this page frum yer watchleet',
'tooltip-search' => 'Rake {{SITENAME}}',
'tooltip-search-go' => 'Gang til ae page wi this exact name gif exeests',
'tooltip-search-fulltext' => 'Rake the pages fer this tex',
'tooltip-p-logo' => 'Gang til the Main Page',
'tooltip-n-mainpage' => 'Gang til the Main Page',
'tooltip-n-mainpage-description' => 'Gang til the Main Page',
'tooltip-n-portal' => 'Aneat the project, whit ye can dae, whaur tae fynd things',
'tooltip-n-currentevents' => "Fin' background speirins oan current events",
'tooltip-n-recentchanges' => 'The leet o recent chynges in the wiki',
'tooltip-n-randompage' => 'Laid ae random page',
'tooltip-n-help' => 'The steid tae fynd oot',
'tooltip-t-whatlinkshere' => "List o' a' wiki pages that link 'ere",
'tooltip-t-recentchangeslinked' => 'Recynt chynges in pages linkt fae this page',
'tooltip-feed-rss' => 'RSS feed fer this page',
'tooltip-feed-atom' => 'Atom feed fer this page',
'tooltip-t-contributions' => "See ae leet o this uiser's contreebutions",
'tooltip-t-emailuser' => 'Send ae wab-mail til this uiser',
'tooltip-t-upload' => 'Uplaid files',
'tooltip-t-specialpages' => 'Leet o byordinar pages',
'tooltip-t-print' => "Printable version o' this page",
'tooltip-t-permalink' => 'Permanent link til this reveesion o the page',
'tooltip-ca-nstab-main' => 'Leuk at content page',
'tooltip-ca-nstab-user' => 'See the uiser page',
'tooltip-ca-nstab-media' => 'See the media page',
'tooltip-ca-nstab-special' => 'This is ae byordinair page, ye canna eedit the page itsel',
'tooltip-ca-nstab-project' => 'See the waurk page',
'tooltip-ca-nstab-image' => 'See the file page',
'tooltip-ca-nstab-mediawiki' => 'See the system message',
'tooltip-ca-nstab-template' => 'See the template',
'tooltip-ca-nstab-help' => 'See the heelp page',
'tooltip-ca-nstab-category' => 'See the categerie page',
'tooltip-minoredit' => 'Mairk this as a smaa edit',
'tooltip-save' => 'Hain yer chynges',
'tooltip-preview' => 'Luikower yer chynges, please uise this afore hainin!',
'tooltip-diff' => 'Shaw the chynges that ye makit til the tex.',
'tooltip-compareselectedversions' => 'See the differs atween the twa selectit versions o this page.',
'tooltip-watch' => 'Eik this page til yer watchleet',
'tooltip-watchlistedit-normal-submit' => 'Remuiv titles',
'tooltip-watchlistedit-raw-submit' => 'Update watchleet',
'tooltip-recreate' => "Recræft the page even thoogh it's been delytit",
'tooltip-upload' => 'Stairt uplaid',
'tooltip-rollback' => '"Rowback" reverts eedit(s) til this page o the laist contreebuter in yin clap',
'tooltip-undo' => '"Ondae" reverts this eedit n apens the eedit form in luikower mode. It permits addin ae raison in the owerview.',
'tooltip-preferences-save' => 'Hain preeferances',
'tooltip-summary' => 'Enter ae short owerview',
# Metadata
'notacceptable' => 'The wiki server canna provide data in a format yer client can read.',
# Attribution
'anonymous' => 'Nameless {{PLURAL:$1|uiser|uisers}} o {{SITENAME}}',
'siteuser' => '{{SITENAME}} uiser $1',
'anonuser' => '{{SITENAME}} anonymoos uiser $1',
'lastmodifiedatby' => 'This page wis laist modified $2, $1 bi $3.',
'othercontribs' => 'Based oan wark bi $1.',
'others' => 'ithers',
'siteusers' => '{{SITENAME}} {{PLURAL:$2|uiser|uisers}} $1',
'anonusers' => '{{SITENAME}} anonymoos {{PLURAL:$2|uiser|uisers}} $1',
'creditspage' => 'Page creeedits',
'nocredits' => "Thaur's nae creedit info available fer this page.",
# Spam protection
'spamprotectiontext' => 'The tex ye wished tae save wis blockit bi the spam filter.
This is maistlikly caused bi aen airtin til ae blaickleeted external site.',
'spamprotectionmatch' => 'The follaein tex is whit triggered wir spam filter: $1',
'spam_reverting' => 'Revertin til the laist reveesion na containin links til $1',
'spam_blanking' => 'Aw reveesions contained links til $1, blankin',
'spam_deleting' => 'Aw reveesions contained links til $1, delytin',
'simpleantispam-label' => 'Anti-spam check.
Div <strong>NAW</strong> ful this in!',
# Info page
'pageinfo-title' => 'Information fer "$1"',
'pageinfo-not-current' => "Sairrie, it's na possible tae provide this information fer auld reveesions.",
'pageinfo-header-edits' => 'Eedit histerie',
'pageinfo-display-title' => 'Displey title',
'pageinfo-default-sort' => 'Defaut sort key',
'pageinfo-language' => 'Page content leid',
'pageinfo-robot-policy' => 'Indexin bi robots',
'pageinfo-robot-index' => 'Permitit',
'pageinfo-robot-noindex' => 'Na permitit',
'pageinfo-views' => 'Nummer o luiks',
'pageinfo-watchers' => 'Nummer o page watchers',
'pageinfo-few-watchers' => 'Less than $1 {{PLURAL:$1|watcher|watchers}}',
'pageinfo-redirects-name' => 'Nummer o reguidals til this page',
'pageinfo-subpages-name' => 'Nummer o subpages o this page',
'pageinfo-subpages-value' => '$1 ($2 {{PLURAL:$2|reguidal|reguidals}}; $3 {{PLURAL:$3|non-reguidal|non-reguidals}})',
'pageinfo-firstuser' => 'Page cræfter',
'pageinfo-firsttime' => 'Date o page cræftin',
'pageinfo-lastuser' => 'Latest eediter',
'pageinfo-lasttime' => 'Date o latest eedit',
'pageinfo-edits' => 'Total nummer o eedits',
'pageinfo-authors' => 'Total nummer o disteenct writers',
'pageinfo-recent-edits' => 'Recent nummer o eedits (wiin past $1)',
'pageinfo-recent-authors' => 'Recynt nummer o disteenct writers',
'pageinfo-magic-words' => 'Magic {{PLURAL:$1|waird|wairds}} ($1)',
'pageinfo-hidden-categories' => 'Skaukt {{PLURAL:$1|categerie|categeries}} ($1)',
'pageinfo-templates' => 'Transcluided {{PLURAL:$1|template|templates}} ($1)',
'pageinfo-transclusions' => '{{PLURAL:$1|Page|Pages}} transcluided oan ($1)',
'pageinfo-redirectsto' => 'Reguidals til',
'pageinfo-contentpage' => 'Coonted aes ae content page',
'pageinfo-contentpage-yes' => 'Ay',
'pageinfo-protect-cascading' => 'Protections ar cascadin fae here',
'pageinfo-protect-cascading-yes' => 'Ay',
'pageinfo-protect-cascading-from' => 'Protections ar cascadin fae here',
'pageinfo-category-info' => 'Categerie information',
'pageinfo-category-pages' => 'Nummer o pages',
'pageinfo-category-subcats' => 'Nummer o subcategeries',
'pageinfo-category-files' => 'Nummer o files',
# Patrolling
'markaspatrolleddiff' => 'Merk as patrolled',
'markaspatrolledtext' => 'Merk this airticle as patrolled',
'markedaspatrolled' => 'Merkit as patrolled',
'markedaspatrolledtext' => 'The selected reveesion o [[:$1]] haes been maurked aes patrolled.',
'rcpatroldisabled' => 'Recynt chynges patrol disabled',
'rcpatroldisabledtext' => 'The Recynt Chynges Patrol featur is disabled the nou.',
'markedaspatrollederror' => 'Canna maurk aes patrowed',
'markedaspatrollederrortext' => 'Ye need tae speceefie ae reveesion tae maurk aes patrowed.',
'markedaspatrollederror-noautopatrol' => "Ye'r na permitit tae maurk yer ain chynges aes patrowed.",
'markedaspatrollednotify' => 'This chynge til $1 haes been maurked aes patrowed.',
'markedaspatrollederrornotify' => 'Maurking aes patrowed failed.',
# Patrol log
'patrol-log-page' => 'Patrow log',
'patrol-log-header' => 'This is ae log o patrowed reveesions.',
'log-show-hide-patrol' => '$1 patrow log',
# Image deletion
'deletedrevision' => 'Delytit auld reveesion $1.',
'filedeleteerror-short' => 'Mistak delytin file: $1',
'filedeleteerror-long' => 'mistaks were encoontered while delytin the file:
$1',
'filedelete-missing' => 'The file "$1" canna be delytit cause it disna exeest.',
'filedelete-old-unregistered' => 'The speceefied file reveesion "$1" isna in the database.',
'filedelete-current-unregistered' => 'The speceefied file "$1" isna in the database.',
'filedelete-archive-read-only' => 'The archyve directerie "$1" isna writable bi the wabserver.',
# Browsing diffs
'previousdiff' => '← Aulder eedit',
'nextdiff' => 'Newer eedit →',
# Media information
'mediawarning' => '<strong>Warnishment:</strong> This file type micht contain maleecious code.
Bi executin it, yer system micht be compromised.',
'imagemaxsize' => 'Eemage size leemit:<br /><em>(fer file descreeption pages)</em>',
'thumbsize' => 'Thummnail size:',
'file-info-size' => '$1 × $2 pixels, file size: $3, MIME type: $4',
'file-nohires' => 'Na higher resolution available.',
'svg-long-desc' => 'SVG file, nominally $1 × $2 pixels, file size: $3',
'svg-long-desc-animated' => 'Animated SVG file, nominallie $1 × $2 pixels, file size: $3',
'svg-long-error' => 'Onvalit SVG file: $1',
'show-big-image' => 'Oreeginal file',
'show-big-image-preview' => 'Size o this luikower: $1.',
'show-big-image-other' => 'Ither {{PLURAL:$2|resolution|resolutions}}: $1.',
'file-info-gif-looped' => "luip't",
'file-info-png-looped' => "luip't",
'file-info-png-repeat' => 'pleyed $1 {{PLURAL:$1|time|times}}',
'file-no-thumb-animation' => '<strong>Mynd: Due til techneecal limitations, thummnails o this file will na be animated.</strong>',
'file-no-thumb-animation-gif' => '<strong>Mynd: Due til techneecal limitations, thummnails o hei resolution GIF eemages sic aes this will na be animated.</strong>',
# Special:NewFiles
'newimages' => 'Gallery o new files',
'imagelisttext' => 'Ablo is a leet o $1 {{PLURAL:$1|eemage|eemages}} sortit $2.',
'newimages-summary' => 'This byordinair page shaws the last uplaidit files.',
'newimages-label' => 'Filename (or ae pairt o it):',
'noimages' => 'Nawthing tae see.',
'ilsubmit' => 'Rake',
'bydate' => 'bi date',
'sp-newimages-showfrom' => 'Shaw new files stairtin fae $2, $1',
# Video information, used by Language::formatTimePeriod() to format lengths in the above messages
'seconds' => '{{PLURAL:$1|$1 seicont|$1 seiconts}}',
'hours' => '{{PLURAL:$1|$1 hoor|$1 hoors}}',
'ago' => '$1 sin',
'just-now' => 'richt nou',
# Human-readable timestamps
'hours-ago' => '$1 {{PLURAL:$1|hoor|hoors}} sin',
'minutes-ago' => '$1 {{PLURAL:$1|minute|minutes}} sin',
'seconds-ago' => '$1 {{PLURAL:$1|seicont|seiconts}} sin',
'monday-at' => 'Monenday at $1',
'wednesday-at' => 'Wedensday at $1',
'friday-at' => 'Frisday at $1',
# Bad image list
'bad_image_list' => 'The format is aes follaes:
Ainlie leet eetems (lines stairtin wi *) ar considered. The foremaist airtin oan ae line maun be aen airtin til aen ill file. Onie subsequent airtins oan the same line ar considered tae be exceptions, i,e., pages whaur the eemage can occur inline.',
# Metadata
'metadata' => 'Metadata',
'metadata-help' => 'This file contains addeetional information, likelie eikit fae the deegital camera or scanner uised tae cræft or deegitise it.
Gif the file haes bin modeefied fae its oreeginal state, some details micht na fullie reflect the modeefied file.',
'metadata-expand' => 'Shaw extendit details',
'metadata-collapse' => 'Skauk extendit details',
'metadata-fields' => "Eemage metadata fields leetit in this message will be incluidit oan eemage page displey whan the metadata buird is collaps't. Ithers will be skaukt bi defaut.
* mak
* model
* datetimeoreeginal
* exposuretime
* fnummer
* isospeedratins
* focallength
* airtist
* copiericht
* eemagedescreeption
* gpslateetuid
* gpslangeetuid
* gpsalteetuid",
# Exif tags
'exif-imagelength' => 'Heicht',
'exif-photometricinterpretation' => 'Pixel composeetion',
'exif-samplesperpixel' => 'Nummer o components',
'exif-ycbcrsubsampling' => 'Subsamplin ratio o Y til C',
'exif-ycbcrpositioning' => 'Y n C poseetionin',
'exif-yresolution' => 'Verteecal resolution',
'exif-stripoffsets' => 'Eemage data location',
'exif-rowsperstrip' => 'Nummer o raws per streep',
'exif-stripbytecounts' => 'Bytes per compressed streep',
'exif-jpeginterchangeformat' => 'Affset til JPEG SOI',
'exif-jpeginterchangeformatlength' => 'Bytes o JPEG data',
'exif-whitepoint' => 'White poynt chromateeceetie',
'exif-primarychromaticities' => 'Chromateeceeties o primarities',
'exif-ycbcrcoefficients' => 'Colour space transformation matrix coeffeecients',
'exif-referenceblackwhite' => 'Pair o blaick n white referance values',
'exif-datetime' => 'File chynge date n time',
'exif-imagedescription' => 'Eemage title',
'exif-software' => 'Saffware uised',
'exif-artist' => 'Writer',
'exif-copyright' => 'Copyricht hauder',
'exif-flashpixversion' => 'Supportit Flashpix version',
'exif-colorspace' => 'Colour space',
'exif-componentsconfiguration' => 'Meanin o ilka component',
'exif-compressedbitsperpixel' => 'Eemage compression mode',
'exif-pixelydimension' => 'Eemage width',
'exif-pixelxdimension' => 'Eemage heicht',
'exif-usercomment' => 'Uiser comments',
'exif-relatedsoundfile' => 'Relatit audío file',
'exif-datetimeoriginal' => 'Date n time o data generation',
'exif-datetimedigitized' => 'Date n time o deegeetisin',
'exif-subsectime' => 'DateTime subseiconts',
'exif-subsectimeoriginal' => 'DateTimeOreeginal subseiconts',
'exif-subsectimedigitized' => 'DateTimeDeegeetized subseiconts',
'exif-fnumber' => 'F Nummer',
'exif-spectralsensitivity' => 'Spectral sensiteevitie',
'exif-isospeedratings' => 'ISO speed ratin',
'exif-brightnessvalue' => 'APEX brichtness',
'exif-maxaperturevalue' => 'Mucklest launn aperture',
'exif-meteringmode' => 'Meterin mode',
'exif-lightsource' => 'Licht soorce',
'exif-subjectarea' => 'Subject airt',
'exif-flashenergy' => 'Flash energie',
'exif-sensingmethod' => 'Sensin methyd',
'exif-filesource' => 'File soorce',
'exif-customrendered' => 'Custym eemage processin',
'exif-digitalzoomratio' => 'Deegeetal zuim ratio',
'exif-sharpness' => 'Shairpness',
'exif-devicesettingdescription' => 'Device settins descreeption',
'exif-subjectdistancerange' => 'Subject deestance range',
'exif-imageuniqueid' => 'Uníque eemage ID',
'exif-gpslatituderef' => 'Nort or sooth lateetude',
'exif-gpslatitude' => 'Lateetude',
'exif-gpslongituderef' => 'Aest or west langeetude',
'exif-gpslongitude' => 'Langeetude',
'exif-gpsaltituderef' => 'Altítude reference',
'exif-gpsaltitude' => 'Altítude',
'exif-gpstimestamp' => 'GPS time (atomeec clock)',
'exif-gpssatellites' => 'Satellites uised fer measurement',
'exif-gpsstatus' => 'Receever status',
'exif-gpsdop' => 'Measurement preeceesion',
'exif-gpsspeed' => 'Speed o GPS receever',
'exif-gpstrackref' => 'Referance fer direction o muivement',
'exif-gpstrack' => 'Direction o muivement',
'exif-gpsimgdirectionref' => 'Referance fer direction o eemage',
'exif-gpsimgdirection' => 'Direction o eemage',
'exif-gpsmapdatum' => 'Geodeteec survey data uised',
'exif-gpsdestlatituderef' => 'Referance fer lateetude o destination',
'exif-gpsdestlatitude' => 'Lateetude destination',
'exif-gpsdestlongituderef' => 'Reference fer langeetude o destination',
'exif-gpsdestlongitude' => 'Langeetude o destination',
'exif-gpsdestbearingref' => 'Referance fer bearin o destination',
'exif-gpsdestbearing' => 'Bearin o destination',
'exif-gpsdestdistanceref' => 'Reference fer distance til destination',
'exif-gpsdestdistance' => 'Distance til destination',
'exif-gpsprocessingmethod' => 'Name o GPS processin methyd',
'exif-gpsareainformation' => 'Name o GPS airt',
'exif-gpsdifferential' => 'GPS differantial correction',
'exif-keywords' => 'Keywairds',
'exif-worldregioncreated' => 'Region o the Yird that the picture wis taen in',
'exif-countrycreated' => 'Kintra that the picture wis taen in',
'exif-countrycodecreated' => 'Code fer the kintra that the picture wis taen in',
'exif-provinceorstatecreated' => 'Provínce or state that the picture wis taen in',
'exif-citycreated' => 'Ceetie that the picture wis taen in',
'exif-sublocationcreated' => 'Sublocation o the ceetie that the picture wis taen in',
'exif-worldregiondest' => 'Yird region shawn',
'exif-countrydest' => 'Kintra shawn',
'exif-countrycodedest' => 'Code fer kintra shawn',
'exif-provinceorstatedest' => 'Provínce or state shawn',
'exif-citydest' => 'Ceetie shawn',
'exif-sublocationdest' => 'Sublocation o ceetie shawn',
'exif-specialinstructions' => 'Byordiair insructions',
'exif-headline' => 'Heidline',
'exif-credit' => 'Creedit/Provider',
'exif-source' => 'Soorce',
'exif-editstatus' => 'Eediterial status o eemage',
'exif-urgency' => 'Urgencie',
'exif-fixtureidentifier' => 'Fixtur name',
'exif-locationdest' => 'Location depeected',
'exif-locationdestcode' => 'Code o location depeected',
'exif-objectcycle' => 'Time o day that media is intended fer',
'exif-languagecode' => 'Leid',
'exif-iimcategory' => 'Categerie',
'exif-iimsupplementalcategory' => 'Supplemental categeries',
'exif-datetimeexpires' => 'Dinna uise efter',
'exif-datetimereleased' => 'Released oan',
'exif-originaltransmissionref' => 'Oreeginal transmeession location code',
'exif-identifier' => 'Identefier',
'exif-lens' => 'Lens uised',
'exif-serialnumber' => 'Serial nummer o camera',
'exif-cameraownername' => 'Ainer o camera',
'exif-datetimemetadata' => 'Date metadata wis laist modeefied',
'exif-nickname' => 'Informal name o eemage',
'exif-rating' => 'Ratin (oot o 5)',
'exif-rightscertificate' => 'Richts management certeeficate',
'exif-copyrighted' => 'Copiericht status',
'exif-copyrightowner' => 'Copiericht ainer',
'exif-usageterms' => 'Uisage terms',
'exif-webstatement' => 'Online copiericht statement',
'exif-originaldocumentid' => 'Uníque ID o oreeginal document',
'exif-licenseurl' => 'URL fer copiericht license',
'exif-morepermissionsurl' => 'Alternative licensin information',
'exif-attributionurl' => 'Whan re-uisin this wairk, please link til',
'exif-preferredattributionname' => 'Whan re-uisin this wairk, please creedit',
'exif-contentwarning' => 'Content warnishment',
'exif-intellectualgenre' => 'Type o eetem',
'exif-event' => 'Event depected',
'exif-organisationinimage' => 'Organization depected',
'exif-personinimage' => 'Person depected',
'exif-originalimageheight' => 'Heicht o eemage afore it wis crappit',
'exif-originalimagewidth' => 'Width o eemage afore it wis crappit',
# Exif attributes
'exif-compression-1' => "Oncompress't",
'exif-compression-2' => 'CCITT Groop 3 1-Dimensional Modified Huffman rin length encodin',
'exif-compression-3' => 'CCITT Groop 3 fax encodin',
'exif-compression-4' => 'CCITT Groop 4 fax encodin',
'exif-copyrighted-true' => 'Copierichted',
'exif-copyrighted-false' => 'Copiericht status na set',
'exif-unknowndate' => 'Onkent date',
'exif-orientation-2' => 'Flipt horizontallie',
'exif-orientation-3' => 'Rotatit 180°',
'exif-orientation-4' => 'Flipt verticlie',
'exif-orientation-5' => 'Rotatit 90° CCW n flip verticlie',
'exif-orientation-6' => 'Rotatit 90° CCW',
'exif-orientation-7' => 'Rotatit 90° CW n flipt verticlie',
'exif-orientation-8' => 'Rotatit 90° CW',
'exif-planarconfiguration-1' => 'chunkie format',
'exif-colorspace-65535' => 'Oncalibratit',
'exif-componentsconfiguration-0' => 'disna exeest',
'exif-exposureprogram-0' => 'Na defined',
'exif-exposureprogram-3' => 'Apertur prioritie',
'exif-exposureprogram-4' => 'Shutter prioritie',
'exif-exposureprogram-5' => 'Cræftie program (biased thewaird the depth o field)',
'exif-exposureprogram-6' => 'Action program (biased thewaird fast shutter speed)',
'exif-exposureprogram-7' => 'Portrait mode (fer closeup photæs wi the backgroond oot o focus)',
'exif-exposureprogram-8' => 'Launnscape mode (fer launnscape photæs wi the backgroonn in focus)',
'exif-meteringmode-0' => 'Onkent',
'exif-meteringmode-2' => 'Center weichtit average',
'exif-meteringmode-4' => 'Multí-Spot',
'exif-meteringmode-6' => 'Pairtial',
'exif-meteringmode-255' => 'Ither',
'exif-lightsource-0' => 'Onkent',
'exif-lightsource-1' => 'Daylicht',
'exif-lightsource-2' => 'Fluorescant',
'exif-lightsource-3' => 'Tungsten (incandescant licht)',
'exif-lightsource-10' => 'Cloodie weather',
'exif-lightsource-12' => 'Daylicht fluorescant (D 5700 – 7100K)',
'exif-lightsource-13' => 'Day white fluorescant (N 4600 – 5400K)',
'exif-lightsource-14' => 'Cuil white fluorescant (W 3900 – 4500K)',
'exif-lightsource-15' => 'White fluorescant (WW 3200 – 3700K)',
'exif-lightsource-17' => 'Staunart licht A',
'exif-lightsource-18' => 'Staunart licht B',
'exif-lightsource-19' => 'Staunart licht C',
'exif-lightsource-255' => 'Ither licht soorce',
# Flash modes
'exif-flash-fired-0' => 'Flash didna fire',
'exif-flash-return-0' => 'naw flash return detection function',
'exif-flash-return-2' => 'flash return licht na detectit',
'exif-flash-return-3' => 'flash return licht detectit',
'exif-flash-mode-1' => 'compulserie flash firin',
'exif-flash-mode-2' => 'compulserie flash suppression',
'exif-flash-mode-3' => 'autæ mode',
'exif-flash-function-1' => 'Naw flash function',
'exif-flash-redeye-1' => 'reid-ee reduction mode',
'exif-sensingmethod-1' => 'Ondefined',
'exif-sensingmethod-2' => 'Yin-chip colour airt senser',
'exif-sensingmethod-3' => 'Twa-chip colour airt senser',
'exif-sensingmethod-4' => 'Three-chip colour airt senser',
'exif-sensingmethod-5' => 'Colour sequential airt senser',
'exif-sensingmethod-7' => 'Trilinear senser',
'exif-sensingmethod-8' => 'Colour sequential linear senser',
'exif-filesource-3' => 'Deegeetal still camera',
'exif-scenetype-1' => 'Ae directlie photægraphed eemage',
'exif-customrendered-1' => 'Custym process',
'exif-exposuremode-0' => 'Autæ exposure',
'exif-exposuremode-2' => 'Autæ bracket',
'exif-whitebalance-0' => 'Autæ white balance',
'exif-scenecapturetype-0' => 'Staunart',
'exif-scenecapturetype-1' => 'Launscape',
'exif-scenecapturetype-3' => 'Nicht scene',
'exif-gaincontrol-0' => 'Nane',
'exif-gaincontrol-1' => 'Law gain up',
'exif-gaincontrol-2' => 'Hei gain up',
'exif-gaincontrol-3' => 'Law gain doon',
'exif-gaincontrol-4' => 'Hei gain doon',
'exif-contrast-1' => 'Saft',
'exif-contrast-2' => 'Haurd',
'exif-saturation-1' => 'Law saturation',
'exif-saturation-2' => 'Hei saturation',
'exif-sharpness-1' => 'Saff',
'exif-sharpness-2' => 'Haurd',
'exif-subjectdistancerange-0' => 'Onkent',
'exif-subjectdistancerange-2' => 'Claise luik at',
'exif-subjectdistancerange-3' => 'Distance sechtline',
# Pseudotags used for GPSLatitudeRef and GPSDestLatitudeRef
'exif-gpslatitude-n' => 'Nort lateetude',
'exif-gpslatitude-s' => 'Sooth lateetude',
# Pseudotags used for GPSLongitudeRef and GPSDestLongitudeRef
'exif-gpslongitude-e' => 'Aest langeetude',
'exif-gpslongitude-w' => 'West langeetude',
# Pseudotags used for GPSAltitudeRef
'exif-gpsaltitude-above-sealevel' => '$1 {{PLURAL:$1|meter|meters}} abuin sea level',
'exif-gpsaltitude-below-sealevel' => '$1 {{PLURAL:$1|meter|meters}} ablo sea level',
'exif-gpsstatus-v' => 'Measurement interoperabeelitie',
# Pseudotags used for GPSSpeedRef
'exif-gpsspeed-k' => 'Kilometers aen hoor',
'exif-gpsspeed-m' => 'Miles aen hoor',
# Pseudotags used for GPSDestDistanceRef
'exif-gpsdestdistance-n' => 'Nauteecal miles',
'exif-gpsdop-excellent' => 'Excellant ($1)',
'exif-gpsdop-good' => 'Guid ($1)',
'exif-gpsdop-poor' => 'Puir ($1)',
'exif-objectcycle-a' => 'Mornin yinlie',
'exif-objectcycle-p' => 'Evenin yinlie',
'exif-objectcycle-b' => 'Baith mornin n evenin',
# Pseudotags used for GPSTrackRef, GPSImgDirectionRef and GPSDestBearingRef
'exif-gpsdirection-m' => 'Magneteec direction',
'exif-dc-contributor' => 'Contreebuters:',
'exif-dc-coverage' => 'Spatial or tempral scope o media',
'exif-dc-relation' => 'Relatit media',
'exif-dc-rights' => 'Richts',
'exif-dc-source' => 'Soorce media',
'exif-dc-type' => 'Type o media',
'exif-rating-rejected' => 'Rejectit',
'exif-isospeedratings-overflow' => 'Muckler than 65535',
'exif-iimcategory-ace' => 'Airts, cultur n entertainmant',
'exif-iimcategory-clj' => 'Crime n law',
'exif-iimcategory-dis' => 'Disasters n accidants',
'exif-iimcategory-fin' => 'Economie n business',
'exif-iimcategory-hth' => 'The Heal',
'exif-iimcategory-hum' => 'Fawk interest',
'exif-iimcategory-lab' => 'Laber',
'exif-iimcategory-lif' => 'Lifestyle n leisure',
'exif-iimcategory-pol' => 'Poleeteecs',
'exif-iimcategory-rel' => 'Releegion n truent',
'exif-iimcategory-sci' => 'Sciance n technologie',
'exif-iimcategory-soi' => 'Social eessues',
'exif-iimcategory-war' => 'War, conflict n onrest',
'exif-urgency-low' => 'Law ($1)',
'exif-urgency-high' => 'Hei ($1)',
'exif-urgency-other' => 'Uiser-defined prioritie ($1)',
# 'all' in various places, this might be different for inflected languages
'watchlistall2' => 'aw',
'namespacesall' => 'aa',
'monthsall' => 'aw',
# Email address confirmation
'confirmemail' => 'Confirm wab-mail address',
'confirmemail_noemail' => 'Ye dinna hae a valid email address set in yer [[Special:Preferences|uiser preferences]].',
'confirmemail_text' => 'This wiki needs ye tae validate yer wab-mail address
afore uisin wab-mail featurs. Acteevate the button ablo tae send a confirmation
mail til yer address. The mail will incluide ae link containin ae code; laid the
link in yer brouser tae confirm that yer wab-mail address is guid.',
'confirmemail_pending' => 'Ae confirmation code haes awreadie been wab-mailed til ye;
gif ye recantlie cræftit yer accoont, ye micht wish tae wait ae few minutes fer it tae arrive afore speirin fer ae new code.',
'confirmemail_send' => 'Mail ae confirmation code',
'confirmemail_sent' => 'Confirmation wab-mail sent.',
'confirmemail_oncreate' => "Ae confirmation code wis sent til yer wab-mail address.
This code isna required tae log in, but ye'll need tae gie it afore enablin onie wab-mail-based featurs in the wiki.",
'confirmemail_sendfailed' => '{{SITENAME}} coudna send yer confirmation mail.
Please check yer wab-mail address fer onvalid chairacters.
Mailer returned: $1',
'confirmemail_invalid' => 'Onvalid confirmation code.
The code micht hae expired.',
'confirmemail_needlogin' => 'Please $1 fer tae confirm yer wab-mail address.',
'confirmemail_success' => 'Yer wab-mail address haes been confirmed. Ye can nou [[Special:UserLogin|login]] n enjoy the wiki.',
'confirmemail_loggedin' => 'Yer e-mail address haes noo been confirmed.',
'confirmemail_subject' => '{{SITENAME}} wab-mail address confirmation',
'confirmemail_body' => 'Somebodie, maist likely ye, fae IP address $1,
haes registered aen accoont "$2" wi this wab-mail address oan {{SITENAME}}.
Tae confirm that this accoont reallie is yers n acteevate wab-mail featurs oan {{SITENAME}}, apen this link in yer brouser:
$3
Gif ye div *naw* register the accoont, follae this link
tae cancel the wab-mail address confirmation:
$5
This confirmation code will expire oan $4.',
'confirmemail_body_changed' => 'Somebodie, proabablie ye, from IP address $1,
haes chynged the wab-mail address o the accoont "$2" til this address oan {{SITENAME}}.
Tae confirm that this accoont reallie dis belang til ye n reacteevate
wab-mail featurs oan {{SITENAME}}, apen this link in yer brouser:
$3
Gif the account dis *na* belang til ye, follae this link
tae cancel the wab-mail address confirmation:
$5
This confirmation code will die oan $4.',
'confirmemail_body_set' => 'Somebodie, proablie ye, fae IP address $1,
haes set the wab-mail address o the accoont "$2" til this address oan {{SITENAME}}.
Tae confirm that this accoont reallie dis belang til ye n acteevate
wab-mail featurs oan {{SITENAME}}, apen this link in yer brouser:
$3
Gif the accoont dis *na* belang til ye, follae this link
tae cancel the wab-mail address confirmation:
$5
This confirmation code will dee at $4.',
'confirmemail_invalidated' => 'Wab-mail address confirmation canceled',
'invalidateemail' => 'Cancel wab-mail confirmation',
# Scary transclusion
'scarytranscludedisabled' => '[Interwiki transcluidin is disabled]',
'scarytranscludefailed' => '[Template fetch failed fer $1]',
'scarytranscludefailed-httpstatus' => '[Template fetch failed fer $1: HTTP $2]',
'scarytranscludetoolong' => '[URL is ower lang]',
# Delete conflict
'deletedwhileediting' => '<strong>Warnishment:</strong> This page wis delytit efter ye stairted eeditin!',
'confirmrecreate' => 'Uiser [[User:$1|$1]] ([[User talk:$1|tauk]]) delytit this page efter ye stairted eiditin wi raison:
: <em>$2</em>
Please confirm that ye reallie want tae recræft this page.',
'confirmrecreate-noreason' => 'Uiser [[User:$1|$1]] ([[User talk:$1|tauk]]) delytit this page efter ye stairted eeditin. Please confirm that ye reallie want tae recræft this page.',
'recreate' => 'Recræft',
# action=purge
'confirm_purge_button' => 'OK',
'confirm-purge-top' => 'Clair the cache o this page?',
'confirm-purge-bottom' => 'Purgin ae page clears the cache n forces the maist recynt reveesion tae appear.',
# action=watch/unwatch
'confirm-watch-top' => 'Eik this page til yer watchleet?',
'confirm-unwatch-top' => 'Remuiv this page fae yer watchleet?',
# Multipage image navigation
'imgmultipageprev' => '← preeveeoos page',
'imgmultipagenext' => 'nex page →',
'imgmultigo' => 'Gang!',
'imgmultigoto' => 'Gang til page $1',
# Language selector for translatable SVGs
'img-lang-default' => '(defaut leid)',
'img-lang-info' => 'Render this eemage in $1. $2',
'img-lang-go' => 'Gang',
# Table pager
'table_pager_next' => 'Page aifter',
'table_pager_prev' => 'Page afore',
'table_pager_last' => 'Laist page',
'table_pager_limit' => 'Shaw $1 eetems per page',
'table_pager_limit_label' => 'Eetems per page:',
'table_pager_limit_submit' => 'Gang',
'table_pager_empty' => 'Nae results',
# Auto-summaries
'autosumm-blank' => 'Blanked the page',
'autosumm-replace' => "Replacin page wi '$1'",
'autoredircomment' => 'Reguidin til [[$1]]',
'autosumm-new' => 'Cræftit page wi "$1"',
# Live preview
'livepreview-loading' => 'Laidin...',
'livepreview-ready' => 'Laidin... Readie!',
'livepreview-failed' => 'Live luikower failed!
Gie normal luikower ae gae.',
'livepreview-error' => 'Failed tae connect: $1 "$2".
Gie normal luikower ae gae.',
# Friendlier slave lag warnings
'lag-warn-normal' => 'Chynges newer than $1 {{PLURAL:$1|seicont|seiconts}} micht na be shawn in this leet.',
'lag-warn-high' => 'Cause o hei database server lag, chynges newer than $1 {{PLURAL:$1|seicont|seiconts}} micht na be shawn in this leet.',
# Watchlist editor
'watchlistedit-numitems' => 'Yer watchleet contains {{PLURAL:$1|1 title|$1 titles}}, na coontin tauk pages.',
'watchlistedit-noitems' => 'Yer watchleet contains naw titles.',
'watchlistedit-normal-title' => 'Eedit watchleet',
'watchlistedit-normal-legend' => 'Remuiv titles fae watchleet',
'watchlistedit-normal-explain' => 'Titles oan yer watchleet ar shawn ablo.
Tae remuiv ae title, check the kist nex til it, n clap "{{int:Watchlistedit-normal-submit}}".
Ye can [[Special:EditWatchlist/raw|eedit the raw leet]] aes weel.',
'watchlistedit-normal-submit' => 'Remuiv titles',
'watchlistedit-normal-done' => '{{PLURAL:$1|1 title wis|$1 titles were}} remuived fae yer watchleet:',
'watchlistedit-raw-title' => 'Eedit raw watchleet',
'watchlistedit-raw-legend' => 'Eedit raw watchleet',
'watchlistedit-raw-explain' => 'Titles oan yer watchleet ar shawn ablo, n can be eeditit bi addin til n remuivin fae the leet;
yin title per line.
Whan dun, clap "{{int:Watchlistedit-raw-submit}}".
Ye can [[Special:EditWatchlist|uise the staundairt eediter]] ava.',
'watchlistedit-raw-submit' => 'Update watchleet',
'watchlistedit-raw-done' => 'Yer watchleet haes been updated.',
'watchlistedit-raw-added' => '{{PLURAL:$1|1 title wis|$1 titles were}} added:',
'watchlistedit-raw-removed' => '{{PLURAL:$1|1 title wis|$1 titles were}} remuived:',
# Watchlist editing tools
'watchlisttools-view' => 'See reelavant chynges',
'watchlisttools-edit' => 'See n eedit watchleet',
'watchlisttools-raw' => 'Eedit raw watchleet',
# Signatures
'signature' => '[[{{ns:user}}:$1|$2]] ([[{{ns:user_talk}}:$1|tauk]])',
# Core parser functions
'unknown_extension_tag' => 'Onkent extension tag "$1"',
'duplicate-defaultsort' => '<strong>Warnishment:</strong> Defaut sort key "$2" owerrides earlier defaut sort key "$1".',
# Special:Version
'version-extensions' => 'Instawed extensions',
'version-specialpages' => 'Byordinar pages',
'version-parserhooks' => 'Parser huiks',
'version-variables' => 'Vareeables',
'version-other' => 'Ither',
'version-mediahandlers' => 'Media haunnlers',
'version-hooks' => 'Huiks',
'version-parser-function-hooks' => 'Parser function huiks',
'version-hook-name' => 'Huik name',
'version-hook-subscribedby' => 'Subscribed bi',
'version-ext-colheader-description' => 'Descreeption',
'version-ext-colheader-credits' => 'Writers',
'version-license-title' => 'License fer $1',
'version-license-not-found' => 'Naw detailed license information wis foond fer this extension.',
'version-credits-title' => 'Creedits fer $1',
'version-credits-not-found' => 'Naw detailed creedits information wis foond fer this extension.',
'version-poweredby-credits' => 'This wiki is pwred bi <strong>[https://www.mediawiki.org/ MediaWiki]</strong>, copiericht © 2001-$1 $2.',
'version-poweredby-others' => 'ithers',
'version-poweredby-translators' => 'translatewiki.net owerseters',
'version-credits-summary' => "We'd like tae recognize the follaein fawk fer thair contreebution til [[Special:Version|MediaWiki]].",
'version-license-info' => 'MediaWiki is free saffware; ye can reedistreebute it n/or modifie it unner the terms o the GNU General Public License aes publeesht bi the Free Software Foundation; either version 2 o the License, or (bi yer optie) onie later version.
MediaWiki is distreebuted in the hope that it will be uissfu, bit WIOOT ONIE WARRANTIE; wioot even the implied warrantie o MERCHANTABILITIE or FITNESS FER AE PARTEECULAR PURPYSS. See the GNU General Public License fer mair details.
Ye shid hae receeved [{{SERVER}}{{SCRIPTPATH}}/COPIEIN ae copie o the GNU General Public License] alang wi this program; gif na, write til the Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA or [//www.gnu.org/licenses/old-licenses/gpl-2.0.html read it online].',
'version-software' => 'Instawed saffware',
'version-entrypoints' => 'Entrie point URLs',
'version-entrypoints-header-entrypoint' => 'Entrie point',
# Special:Redirect
'redirect' => 'Reguidal bi file, uiser, page or reveesion ID',
'redirect-legend' => 'Reguidal til ae file or page',
'redirect-summary' => 'This byordiair page reguides til ae file (gien the file name), ae page (gien ae reveesion ID or page ID), or ae uiser page (gien ae numereec uiser ID). Uissage: [[{{#Special:Redirect}}/file/Example.jpg]], [[{{#Special:Redirect}}/page/64308]], [[{{#Special:Redirect}}/reveesion/328429]], or [[{{#Special:Redirect}}/uiser/101]].',
'redirect-submit' => 'Gang',
'redirect-lookup' => 'Luikup:',
'redirect-user' => 'Uiser ID',
'redirect-revision' => 'Page reveesion',
'redirect-not-exists' => 'Value na foond',
# Special:FileDuplicateSearch
'fileduplicatesearch' => 'Rake fer dupleecate files',
'fileduplicatesearch-summary' => 'Rake fer dupleecate files based oan hash values.',
'fileduplicatesearch-legend' => 'Rake fer ae dupleecate',
'fileduplicatesearch-filename' => 'Filename:',
'fileduplicatesearch-submit' => 'Rake',
'fileduplicatesearch-result-1' => 'The file "$1" haes naw identeecal dupleecation.',
'fileduplicatesearch-result-n' => 'The file "$1" haes {{PLURAL:$2|1 identeecal dupleecation|$2 identeecal dupleecations}}.',
'fileduplicatesearch-noresults' => 'Naw file named "$1" foond.',
# Special:SpecialPages
'specialpages' => 'Byordinar pages',
'specialpages-note' => '* Normal byordinair pages.
* <span class="mw-specialpagerestricted">Restreected byordinair pages.</span>',
'specialpages-group-other' => 'Ither byordinair pages',
'specialpages-group-login' => 'Login / cræft accoont',
'specialpages-group-changes' => 'Recynt chynges n logs',
'specialpages-group-media' => 'Media reports n uplaids',
'specialpages-group-users' => 'Uisers n richts',
'specialpages-group-highuse' => 'Hei uiss pages',
'specialpages-group-pages' => 'leet o pages',
'specialpages-group-pagetools' => 'Page tuils',
'specialpages-group-wiki' => 'Data n tuils',
'specialpages-group-redirects' => 'Reguidin byordinair pages',
'specialpages-group-spam' => 'Spam tuils',
# Special:BlankPage
'intentionallyblankpage' => 'This page is intentionlie left blank.',
# External image whitelist
'external_image_whitelist' => ' #Lea this line exactlie aes it is<pre>
#Put regulair expression fragments (jist the pairt that gaes atween the //) ablo
#Thir will be matched wi the URLs o ootby (hotairtit) eemages
#Thae that match will be displeyed aes eemages, itherwise yinlie aen airtin til the eemage will be shawn
#Lines beginnin wi # ar treated aes comments
#This is case-onsensiteeve
#Put aw regex fragments abuin this line. Lea this line exactlie aes it is</pre>',
# Special:Tags
'tags' => 'Valit chynge tags',
'tag-filter' => '[[Special:Tags|Tag]] filter:',
'tag-filter-submit' => 'Filter',
'tags-intro' => 'This page leets the tags that the saffware can maurk aen eedit wi, n thair meanin.',
'tags-display-header' => 'Appearance oan chynge leets',
'tags-description-header' => 'Ful descreeption o meanin',
'tags-active-header' => 'Acteeve?',
'tags-hitcount-header' => 'Tagged chynges',
'tags-active-yes' => 'Ay',
'tags-active-no' => 'Naw',
'tags-edit' => 'eedit',
'tags-hitcount' => '$1 {{PLURAL:$1|chynge|chynges}}',
# Special:ComparePages
'compare-rev1' => 'Reveesion 1',
'compare-rev2' => 'Reveesion 2',
'compare-invalid-title' => 'The title that ye speceefied is onvalit.',
'compare-title-not-exists' => 'The title that ye speceefied disna exeest.',
'compare-revision-not-exists' => 'The reveesion that ye speceefied disna exeest.',
# Database error messages
'dberr-header' => 'This wiki haes ae proablem',
'dberr-problems' => 'Sairrie! This site is expereeancin techneecal diffeculties.',
'dberr-again' => 'Gie it ae few minutes n than relaid.',
'dberr-info' => '(Canna contact the database server: $1)',
'dberr-info-hidden' => '(Canna contact the database server)',
'dberr-usegoogle' => 'Ye can dae ae rake bi wa o Google in the meanwhile.',
'dberr-outofdate' => 'Mynd that thair indexes o oor content micht be oot o date.',
'dberr-cachederror' => 'This is ae cached copie o the requested page, n micht na be up til date.',
# HTML forms
'htmlform-invalid-input' => 'Thau ar proablems wi some o yer input.',
'htmlform-select-badoption' => 'The value that ye speceefied isna ae valit optie.',
'htmlform-int-invalid' => 'The value that ye speceefied isna aen integer.',
'htmlform-float-invalid' => 'The value that ye speceefied isna ae nummer.',
'htmlform-int-toolow' => 'The value that ye speceefied is ablo the smaaest o $1.',
'htmlform-int-toohigh' => 'The value that ye speceefied is abuin the mucklest o $1.',
'htmlform-required' => 'This value is needit.',
'htmlform-submit' => 'Haun-in',
'htmlform-reset' => 'Ondae chynges',
'htmlform-selectorother-other' => 'Ither',
'htmlform-no' => 'Naw',
'htmlform-yes' => 'Ay',
'htmlform-chosen-placeholder' => 'Select aen optie',
# SQLite database support
'sqlite-has-fts' => '$1 wi ful-tex rake support',
'sqlite-no-fts' => '$1 wioot ful-tex rake support',
# New logging system
'logentry-delete-delete' => '$1 {{GENDER:$2|delytit}} page $3',
'logentry-delete-event' => '$1 {{GENDER:$2|chynged}} veesibeelitie o {{PLURAL:$5|ae log event|$5 log events}} oan $3: $4',
'logentry-delete-revision' => '$1 {{GENDER:$2|chynged}} veesibeelitie o {{PLURAL:$5|ae reveesion|$5 reveesions}} oan page $3: $4',
'logentry-delete-event-legacy' => '$1 {{GENDER:$2|chynged}} veesibeelitie o log events oan $3',
'logentry-delete-revision-legacy' => '$1 {{GENDER:$2|chynged}} veesibeelitie o reveesions oan page $3',
'logentry-suppress-event' => '$1 hidlinswise {{GENDER:$2|chynged}} veesibeelitie o {{PLURAL:$5|ae log event|$5 log events}} oan $3: $4',
'logentry-suppress-revision' => '$1 hidlinswise {{GENDER:$2|chynged}} veesibeelity o {{PLURAL:$5|ae reveesion|$5 reveesions}} oan page $3: $4',
'logentry-suppress-event-legacy' => '$1 hidlinswise {{GENDER:$2|chynged}} veesibeelitie o log events oan $3',
'logentry-suppress-revision-legacy' => '$1 hidlinswise {{GENDER:$2|chynged}} veesibeelitie o reveesions oan page $3',
'revdelete-content-hid' => 'content skaukt',
'revdelete-summary-hid' => 'eedit ootline skaukt',
'revdelete-uname-hid' => 'uisername skaukt',
'revdelete-content-unhid' => 'content onskaukt',
'revdelete-summary-unhid' => 'eedit ootline onskaukt',
'revdelete-uname-unhid' => 'uisername onskaukt',
'revdelete-restricted' => 'applied restreections til admeenistraters',
'revdelete-unrestricted' => 'remuived restreections fer admeenistraters',
'logentry-move-move' => '$1 {{GENDER:$2|muived}} page $3 til $4',
'logentry-move-move-noredirect' => '$1 {{GENDER:$2|muived}} page $3 til $4 wioot leain ae reguidal',
'logentry-move-move_redir' => '$1 {{GENDER:$2|muived}} page $3 til $4 ower reguidal',
'logentry-move-move_redir-noredirect' => '$1 {{GENDER:$2|muived}} page $3 til $4 ower ae reguidal wioot leain ae reguidal',
'logentry-patrol-patrol' => '$1 {{GENDER:$2|maurkt}} reveesion $4 o page $3 patrowed',
'logentry-patrol-patrol-auto' => '$1 autæmateeclie {{GENDER:$2|maurkt}} reveesion $4 o page $3 patrowed',
'logentry-newusers-newusers' => 'Uiser accoont $1 wis {{GENDER:$2|cræftit}}',
'logentry-newusers-create' => 'Uiser accoont $1 wis {{GENDER:$2|cræftit}}',
'logentry-newusers-create2' => 'Uiser accoont $3 wis {{GENDER:$2|cræftit}} bi $1',
'logentry-newusers-byemail' => 'Uiser accoont $3 wis {{GENDER:$2|cræftit}} bi $1 n passwaird wis sent bi wab-mail',
'logentry-newusers-autocreate' => 'Uiser accoont $1 wis {{GENDER:$2|cræftit}} autæmateeclie',
'logentry-rights-rights' => '$1 {{GENDER:$2|chynged}} groop memmership fer $3 fae $4 til $5',
'logentry-rights-rights-legacy' => '$1 {{GENDER:$2|chynged}} groop memmership fer $3',
'logentry-rights-autopromote' => '$1 wis autæmateeclie {{GENDER:$2|promoted}} fae $4 til $5',
'rightsnone' => '(nane)',
# Feedback
'feedback-bugornote' => 'Gif yer readie tae describe ae techneecal proablem in detail please [$1 report ae bug].
Itherwise, ye can uiss the easie form ablo. Yer comment will be eikit til the page "[$3 $2]", alang wi yer uisername.',
'feedback-adding' => 'Addin feedback til page...',
'feedback-error1' => 'Mistak: Onrecognised ootcome fae API',
'feedback-error2' => 'Mistak: Eedit failed',
'feedback-error3' => 'Mistak: Naw response fae API',
'feedback-thanks' => 'Thanks! Yer feedback haes been posted til the page "[$2 $1]".',
'feedback-close' => 'Dun',
'feedback-bugcheck' => "Wunnerfu! Just check that it's na awreadie yin o the [$1 knawn bugs].",
'feedback-bugnew' => 'Ah checkt. Report ae new bug',
# Search suggestions
'searchsuggest-search' => 'Rake',
'searchsuggest-containing' => 'containin...',
# API errors
'api-error-badaccess-groups' => "Ye'r na permittit tae uplaid files til this wiki.",
'api-error-copyuploaddisabled' => 'Uplaidin bi URL is disabled oan this server.',
'api-error-duplicate' => 'Thaur {{PLURAL:$1|is [$2 anither file]|ar [$2 some ither files]}} awreadie oan the site wi the same content.',
'api-error-duplicate-archive' => 'Thaur {{PLURAL:$1|wis [$2 anither file]|were [$2 some ither files]}} awreadie oan the site wi the same content, but {{PLURAL:$1|it wis|thay were}} delytit.',
'api-error-duplicate-archive-popup-title' => 'Dupleecate {{PLURAL:$1|file that haes|files that hae}} awreadie been delytit.',
'api-error-duplicate-popup-title' => 'Dupleecate {{PLURAL:$1|file|files}}.',
'api-error-empty-file' => 'The file that ye haunnit in wis tuim.',
'api-error-emptypage' => 'Cræftin new, tuim pages isna permittit.',
'api-error-fetchfileerror' => 'Internal mistak: Sommit went wrang while fetchin the file.',
'api-error-fileexists-forbidden' => 'Ae file wi the name "$1" awreadie exeests, n canna be owerwritten.',
'api-error-fileexists-shared-forbidden' => 'Ae file wi the name "$1" awreadie exeests in the shaired file reposeetair, n canna be owerwritten.',
'api-error-file-too-large' => 'The file that ye haunnit in wis ower muckle.',
'api-error-filename-tooshort' => 'The filename is ower short.',
'api-error-filetype-banned' => 'This type o file is banned.',
'api-error-filetype-banned-type' => '$1 {{PLURAL:$4|isna ae permittit file type|arna permittit file types}}. Permittit {{PLURAL:$3|file type is|file types ar}} $2.',
'api-error-filetype-missing' => 'The filename is missin aen extension.',
'api-error-hookaborted' => 'The modeefication that ye gave makin ae gae wis abortit bi aen extension.',
'api-error-http' => 'Internal mistak: Onable tae connect til server.',
'api-error-illegal-filename' => 'The filename isna permitit.',
'api-error-internal-error' => 'Internal mistak: Sommit went wrang wi processin yer uplaid oan the wiki.',
'api-error-invalid-file-key' => 'Internal mistak: File wisna foond in temparie storage.',
'api-error-missingparam' => 'Internal mistak: Missin boonds oan request.',
'api-error-missingresult' => 'Internal mistak: Coudna determine gif the copie succeeded.',
'api-error-mustbeloggedin' => 'Ye maun be loggit in tae uplaid files.',
'api-error-mustbeposted' => 'Internal mistak: Request needs HTTP POST.',
'api-error-noimageinfo' => 'The uplaid succeeded, bit the server didna gie us onie information aneat the file.',
'api-error-nomodule' => 'Internal mistak: Naw uplaid module set.',
'api-error-ok-but-empty' => 'Internal mistak: Naw response fae server.',
'api-error-overwrite' => 'Owerwritin aen exeestin file isna permitit.',
'api-error-stashfailed' => 'Internal mistak: Server failed tae store temparie file.',
'api-error-publishfailed' => 'Internal mistak: Server failed tae publeesh temparie file.',
'api-error-stasherror' => 'Thaur wis ae mistak while uplaidin the file tae stash.',
'api-error-timeout' => 'The server didna respond wiin the expectit time.',
'api-error-unclassified' => 'Aen onkent mistake occurred.',
'api-error-unknown-error' => 'Internal mistak: Sommit went wrang whan uplaidin yer file.',
'api-error-uploaddisabled' => 'Uplaidin is disabled oan this wiki.',
'api-error-verification-error' => 'This file micht be rotten, or hae the wrang extension.',
# Durations
'duration-seconds' => '$1 {{PLURAL:$1|seicont|seiconts}}',
'duration-hours' => '$1 {{PLURAL:$1|hoor|hoors}}',
'duration-centuries' => '$1 {{PLURAL:$1|centuair|centuairs}}',
# Image rotation
'rotate-comment' => 'Eemage rotated bi $1 {{PLURAL:$1|degree|degrees}} clockwise',
# Limit report
'limitreport-title' => 'Parser profilin data:',
'limitreport-cputime' => 'CPU time uissage',
'limitreport-cputime-value' => '$1 {{PLURAL:$1|seicont|seiconts}}',
'limitreport-walltime' => 'Real time uissage',
'limitreport-walltime-value' => '$1 {{PLURAL:$1|seicont|seiconts}}',
'limitreport-ppvisitednodes' => 'Preprocessor veesitit node coont',
'limitreport-ppgeneratednodes' => 'Preprocessor generated node coont',
'limitreport-postexpandincludesize' => 'Post-expand incluid size',
'limitreport-expansiondepth' => 'Heiest expansion depth',
'limitreport-expensivefunctioncount' => 'Expensive parser function coont',
# Special:ExpandTemplates
'expand_templates_intro' => 'This byordiair page taks tex n expauns aw templates in it recurseevelie.
It foreby expaunds supported parser functions like
<code><nowiki>{{</nowiki>#language:…}}</code> n vareeables like
<code><nowiki>{{</nowiki>CURRENTDAY}}</code>.
In fact, it expauns just aboot awthings in dooble-braces.',
'expand_templates_title' => 'Contex title, fer {{FULLPAGENAME}}, etc.:',
'expand_templates_output' => 'Ootcome',
'expand_templates_xml_output' => 'XML ootpit',
'expand_templates_html_output' => 'Raw HTML ootpit',
'expand_templates_remove_nowiki' => 'Suppress <nowiki> tags in ootcome',
'expand_templates_generate_xml' => 'Shaw XML parse tree',
'expand_templates_generate_rawhtml' => 'Shaw raw HTML',
'expand_templates_preview' => 'Luikower',
);
|