1 // ASLocalizer.cpp
2 // Copyright (c) 2018 by Jim Pattee <jimp03@email.com>.
3 // This code is licensed under the MIT License.
4 // License.md describes the conditions under which this software may be distributed.
5 //
6 // File encoding for this file is UTF-8 WITHOUT a byte order mark (BOM).
7 //    русский     中文(简体)    日本語     한국의
8 //
9 // Windows:
10 // Add the required "Language" to the system.
11 // The settings do NOT need to be changed to the added language.
12 // Change the "Region" settings.
13 // Change both the "Format" and the "Current Language..." settings.
14 // A restart is required if the codepage has changed.
15 //		Windows problems:
16 //		Hindi    - no available locale, language pack removed
17 //		Japanese - language pack install error
18 //		Ukranian - displays a ? instead of i
19 //
20 // Linux:
21 // Change the LANG environment variable: LANG=fr_FR.UTF-8.
22 // setlocale() will use the LANG environment variable on Linux.
23 //
24 /* * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * *
25  *
26  *   To add a new language to this source module:
27  *
28  *   Add a new translation class to ASLocalizer.h.
29  *   Update the WinLangCode array in ASLocalizer.cpp.
30  *   Add the language code to setTranslationClass() in ASLocalizer.cpp.
31  *   Add the English-Translation pair to the constructor in ASLocalizer.cpp.
32  *
33  * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * *
34  */
35 
36 //----------------------------------------------------------------------------
37 // headers
38 //----------------------------------------------------------------------------
39 
40 #include "ASLocalizer.h"
41 
42 #ifdef _WIN32
43 	#include <windows.h>
44 #endif
45 
46 #ifdef __VMS
47 	#define __USE_STD_IOSTREAM 1
48 	#include <assert>
49 #else
50 	#include <cassert>
51 #endif
52 
53 #include <cstdio>
54 #include <iostream>
55 #include <clocale>		// needed by some compilers
56 #include <cstdlib>
57 #include <typeinfo>
58 
59 #ifdef _MSC_VER
60 	#pragma warning(disable: 4996)  // secure version deprecation warnings
61 #endif
62 
63 #ifdef __BORLANDC__
64 	#pragma warn -8104	    // Local Static with constructor dangerous for multi-threaded apps
65 #endif
66 
67 #ifdef __INTEL_COMPILER
68 	#pragma warning(disable:  383)  // value copied to temporary, reference to temporary used
69 	#pragma warning(disable:  981)  // operands are evaluated in unspecified order
70 #endif
71 
72 #ifdef __clang__
73 	#pragma clang diagnostic ignored "-Wdeprecated-declarations"  // wcstombs
74 #endif
75 
76 namespace astyle {
77 
78 #ifndef ASTYLE_LIB
79 
80 //----------------------------------------------------------------------------
81 // ASLocalizer class methods.
82 //----------------------------------------------------------------------------
83 
ASLocalizer()84 ASLocalizer::ASLocalizer()
85 // Set the locale information.
86 {
87 	// set language default values to english (ascii)
88 	// this will be used if a locale or a language cannot be found
89 	m_localeName = "UNKNOWN";
90 	m_langID = "en";
91 	m_lcid = 0;
92 	m_subLangID.clear();
93 	m_translation = nullptr;
94 
95 	// Not all compilers support the C++ function locale::global(locale(""));
96 	char* localeName = setlocale(LC_ALL, "");
97 	if (localeName == nullptr)		// use the english (ascii) defaults
98 	{
99 		fprintf(stderr, "\n%s\n\n", "Cannot set native locale, reverting to English");
100 		setTranslationClass();
101 		return;
102 	}
103 	// set the class variables
104 #ifdef _WIN32
105 	size_t lcid = GetUserDefaultLCID();
106 	setLanguageFromLCID(lcid);
107 #else
108 	setLanguageFromName(localeName);
109 #endif
110 }
111 
~ASLocalizer()112 ASLocalizer::~ASLocalizer()
113 // Delete dynamically allocated memory.
114 {
115 	delete m_translation;
116 }
117 
118 #ifdef _WIN32
119 
120 struct WinLangCode
121 {
122 	size_t winLang;
123 	char canonicalLang[3];
124 };
125 
126 static WinLangCode wlc[] =
127 // primary language identifier http://msdn.microsoft.com/en-us/library/aa912554.aspx
128 // sublanguage identifier http://msdn.microsoft.com/en-us/library/aa913256.aspx
129 // language ID http://msdn.microsoft.com/en-us/library/ee797784%28v=cs.20%29.aspx
130 {
131 	{ LANG_BULGARIAN,  "bg" },		//	bg-BG	1251
132 	{ LANG_CHINESE,    "zh" },		//	zh-CHS, zh-CHT
133 	{ LANG_DUTCH,      "nl" },		//	nl-NL	1252
134 	{ LANG_ENGLISH,    "en" },		//	en-US	1252
135 	{ LANG_ESTONIAN,   "et" },		//	et-EE
136 	{ LANG_FINNISH,    "fi" },		//	fi-FI	1252
137 	{ LANG_FRENCH,     "fr" },		//	fr-FR	1252
138 	{ LANG_GERMAN,     "de" },		//	de-DE	1252
139 	{ LANG_GREEK,      "el" },		//	el-GR	1253
140 	{ LANG_HINDI,      "hi" },		//	hi-IN
141 	{ LANG_HUNGARIAN,  "hu" },		//	hu-HU	1250
142 	{ LANG_ITALIAN,    "it" },		//	it-IT	1252
143 	{ LANG_JAPANESE,   "ja" },		//	ja-JP
144 	{ LANG_KOREAN,     "ko" },		//	ko-KR
145 	{ LANG_NORWEGIAN,  "nn" },		//	nn-NO	1252
146 	{ LANG_POLISH,     "pl" },		//	pl-PL	1250
147 	{ LANG_PORTUGUESE, "pt" },		//	pt-PT	1252
148 	{ LANG_ROMANIAN,   "ro" },		//	ro-RO	1250
149 	{ LANG_RUSSIAN,    "ru" },		//	ru-RU	1251
150 	{ LANG_SPANISH,    "es" },		//	es-ES	1252
151 	{ LANG_SWEDISH,    "sv" },		//	sv-SE	1252
152 	{ LANG_UKRAINIAN,  "uk" },		//	uk-UA	1251
153 };
154 
setLanguageFromLCID(size_t lcid)155 void ASLocalizer::setLanguageFromLCID(size_t lcid)
156 // Windows get the language to use from the user locale.
157 // NOTE: GetUserDefaultLocaleName() gets nearly the same name as Linux.
158 //       But it needs Windows Vista or higher.
159 //       Same with LCIDToLocaleName().
160 {
161 	m_lcid = lcid;
162 	m_langID = "en";	// default to english
163 
164 	size_t lang = PRIMARYLANGID(LANGIDFROMLCID(m_lcid));
165 	size_t sublang = SUBLANGID(LANGIDFROMLCID(m_lcid));
166 	// find language in the wlc table
167 	size_t count = sizeof(wlc) / sizeof(wlc[0]);
168 	for (size_t i = 0; i < count; i++)
169 	{
170 		if (wlc[i].winLang == lang)
171 		{
172 			m_langID = wlc[i].canonicalLang;
173 			break;
174 		}
175 	}
176 	if (m_langID == "zh")
177 	{
178 		if (sublang == SUBLANG_CHINESE_SIMPLIFIED || sublang == SUBLANG_CHINESE_SINGAPORE)
179 			m_subLangID = "CHS";
180 		else
181 			m_subLangID = "CHT";	// default
182 	}
183 	setTranslationClass();
184 }
185 
186 #endif	// _WIN32
187 
getLanguageID() const188 string ASLocalizer::getLanguageID() const
189 // Returns the language ID in m_langID.
190 {
191 	return m_langID;
192 }
193 
getTranslationClass() const194 const Translation* ASLocalizer::getTranslationClass() const
195 // Returns the name of the translation class in m_translation.  Used for testing.
196 {
197 	assert(m_translation);
198 	return m_translation;
199 }
200 
setLanguageFromName(const char * langID)201 void ASLocalizer::setLanguageFromName(const char* langID)
202 // Linux set the language to use from the langID.
203 //
204 // the language string has the following form
205 //
206 //      lang[_LANG][.encoding][@modifier]
207 //
208 // (see environ(5) in the Open Unix specification)
209 //
210 // where lang is the primary language, LANG is a sublang/territory,
211 // encoding is the charset to use and modifier "allows the user to select
212 // a specific instance of localization data within a single category"
213 //
214 // for example, the following strings are valid:
215 //      fr
216 //      fr_FR
217 //      de_DE.iso88591
218 //      de_DE@euro
219 //      de_DE.iso88591@euro
220 {
221 	// the constants describing the format of lang_LANG locale string
222 	m_lcid = 0;
223 	string langStr = langID;
224 	m_langID = langStr.substr(0, 2);
225 
226 	// need the sublang for chinese
227 	if (m_langID == "zh" && langStr[2] == '_')
228 	{
229 		string subLang = langStr.substr(3, 2);
230 		if (subLang == "CN" || subLang == "SG")
231 			m_subLangID = "CHS";
232 		else
233 			m_subLangID = "CHT";	// default
234 	}
235 	setTranslationClass();
236 }
237 
settext(const char * textIn) const238 const char* ASLocalizer::settext(const char* textIn) const
239 // Call the settext class and return the value.
240 {
241 	assert(m_translation);
242 	const string stringIn = textIn;
243 	return m_translation->translate(stringIn).c_str();
244 }
245 
setTranslationClass()246 void ASLocalizer::setTranslationClass()
247 // Return the required translation class.
248 // Sets the class variable m_translation from the value of m_langID.
249 // Get the language ID at http://msdn.microsoft.com/en-us/library/ee797784%28v=cs.20%29.aspx
250 {
251 	assert(m_langID.length());
252 	// delete previously set (--ascii option)
253 	if (m_translation != nullptr)
254 	{
255 		delete m_translation;
256 		m_translation = nullptr;
257 	}
258 	if (m_langID == "bg")
259 		m_translation = new Bulgarian;
260 	else if (m_langID == "zh" && m_subLangID == "CHS")
261 		m_translation = new ChineseSimplified;
262 	else if (m_langID == "zh" && m_subLangID == "CHT")
263 		m_translation = new ChineseTraditional;
264 	else if (m_langID == "nl")
265 		m_translation = new Dutch;
266 	else if (m_langID == "en")
267 		m_translation = new English;
268 	else if (m_langID == "et")
269 		m_translation = new Estonian;
270 	else if (m_langID == "fi")
271 		m_translation = new Finnish;
272 	else if (m_langID == "fr")
273 		m_translation = new French;
274 	else if (m_langID == "de")
275 		m_translation = new German;
276 	else if (m_langID == "el")
277 		m_translation = new Greek;
278 	else if (m_langID == "hi")
279 		m_translation = new Hindi;
280 	else if (m_langID == "hu")
281 		m_translation = new Hungarian;
282 	else if (m_langID == "it")
283 		m_translation = new Italian;
284 	else if (m_langID == "ja")
285 		m_translation = new Japanese;
286 	else if (m_langID == "ko")
287 		m_translation = new Korean;
288 	else if (m_langID == "nn")
289 		m_translation = new Norwegian;
290 	else if (m_langID == "pl")
291 		m_translation = new Polish;
292 	else if (m_langID == "pt")
293 		m_translation = new Portuguese;
294 	else if (m_langID == "ro")
295 		m_translation = new Romanian;
296 	else if (m_langID == "ru")
297 		m_translation = new Russian;
298 	else if (m_langID == "es")
299 		m_translation = new Spanish;
300 	else if (m_langID == "sv")
301 		m_translation = new Swedish;
302 	else if (m_langID == "uk")
303 		m_translation = new Ukrainian;
304 	else	// default
305 		m_translation = new English;
306 }
307 
308 //----------------------------------------------------------------------------
309 // Translation base class methods.
310 //----------------------------------------------------------------------------
311 
addPair(const string & english,const wstring & translated)312 void Translation::addPair(const string& english, const wstring& translated)
313 // Add a string pair to the translation vector.
314 {
315 	pair<string, wstring> entry(english, translated);
316 	m_translation.emplace_back(entry);
317 }
318 
convertToMultiByte(const wstring & wideStr) const319 string Translation::convertToMultiByte(const wstring& wideStr) const
320 // Convert wchar_t to a multibyte string using the currently assigned locale.
321 // Return an empty string if an error occurs.
322 {
323 	static bool msgDisplayed = false;
324 	// get length of the output excluding the nullptr and validate the parameters
325 	size_t mbLen = wcstombs(nullptr, wideStr.c_str(), 0);
326 	if (mbLen == string::npos)
327 	{
328 		if (!msgDisplayed)
329 		{
330 			fprintf(stderr, "\n%s\n\n", "Cannot convert to multi-byte string, reverting to English");
331 			msgDisplayed = true;
332 		}
333 		return "";
334 	}
335 	// convert the characters
336 	char* mbStr = new (nothrow) char[mbLen + 1];
337 	if (mbStr == nullptr)
338 	{
339 		if (!msgDisplayed)
340 		{
341 			fprintf(stderr, "\n%s\n\n", "Bad memory alloc for multi-byte string, reverting to English");
342 			msgDisplayed = true;
343 		}
344 		return "";
345 	}
346 	wcstombs(mbStr, wideStr.c_str(), mbLen + 1);
347 	// return the string
348 	string mbTranslation = mbStr;
349 	delete[] mbStr;
350 	return mbTranslation;
351 }
352 
getTranslationString(size_t i) const353 string Translation::getTranslationString(size_t i) const
354 // Return the translation ascii value. Used for testing.
355 {
356 	if (i >= m_translation.size())
357 		return string();
358 	return m_translation[i].first;
359 }
360 
getTranslationVectorSize() const361 size_t Translation::getTranslationVectorSize() const
362 // Return the translation vector size.  Used for testing.
363 {
364 	return m_translation.size();
365 }
366 
getWideTranslation(const string & stringIn,wstring & wideOut) const367 bool Translation::getWideTranslation(const string& stringIn, wstring& wideOut) const
368 // Get the wide translation string. Used for testing.
369 {
370 	for (size_t i = 0; i < m_translation.size(); i++)
371 	{
372 		if (m_translation[i].first == stringIn)
373 		{
374 			wideOut = m_translation[i].second;
375 			return true;
376 		}
377 	}
378 	// not found
379 	wideOut = L"";
380 	return false;
381 }
382 
translate(const string & stringIn) const383 string& Translation::translate(const string& stringIn) const
384 // Translate a string.
385 // Return a mutable string so the method can have a "const" designation.
386 // This allows "settext" to be called from a "const" method.
387 {
388 	m_mbTranslation.clear();
389 	for (size_t i = 0; i < m_translation.size(); i++)
390 	{
391 		if (m_translation[i].first == stringIn)
392 		{
393 			m_mbTranslation = convertToMultiByte(m_translation[i].second);
394 			break;
395 		}
396 	}
397 	// not found, return english
398 	if (m_mbTranslation.empty())
399 		m_mbTranslation = stringIn;
400 	return m_mbTranslation;
401 }
402 
403 //----------------------------------------------------------------------------
404 // Translation class methods.
405 // These classes have only a constructor which builds the language vector.
406 //----------------------------------------------------------------------------
407 
Bulgarian()408 Bulgarian::Bulgarian()	// български
409 // build the translation vector in the Translation base class
410 {
411 	addPair("Formatted  %s\n", L"Форматиран  %s\n");		// should align with unchanged
412 	addPair("Unchanged  %s\n", L"Непроменен  %s\n");		// should align with formatted
413 	addPair("Directory  %s\n", L"директория  %s\n");
414 	addPair("Default option file  %s\n", L"Файл с опции по подразбиране  %s\n");
415 	addPair("Project option file  %s\n", L"Файл с опции за проекта  %s\n");
416 	addPair("Exclude  %s\n", L"Изключвам  %s\n");
417 	addPair("Exclude (unmatched)  %s\n", L"Изключване (несравнимо)  %s\n");
418 	addPair(" %s formatted   %s unchanged   ", L" %s форматиран   %s hепроменен   ");
419 	addPair(" seconds   ", L" секунди   ");
420 	addPair("%d min %d sec   ", L"%d мин %d сек   ");
421 	addPair("%s lines\n", L"%s линии\n");
422 	addPair("Opening HTML documentation %s\n", L"Откриване HTML документация %s\n");
423 	addPair("Invalid default options:", L"Невалидни опции по подразбиране:");
424 	addPair("Invalid project options:", L"Невалидни опции за проекти:");
425 	addPair("Invalid command line options:", L"Невалидни опции за командния ред:");
426 	addPair("For help on options type 'astyle -h'", L"За помощ относно възможностите тип 'astyle -h'");
427 	addPair("Cannot open default option file", L"Не може да се отвори файлът с опции по подразбиране");
428 	addPair("Cannot open project option file", L"Не може да се отвори файла с опции за проекта");
429 	addPair("Cannot open directory", L"Не може да се отвори директория");
430 	addPair("Cannot open HTML file %s\n", L"Не може да се отвори HTML файл %s\n");
431 	addPair("Command execute failure", L"Command изпълни недостатъчност");
432 	addPair("Command is not installed", L"Command не е инсталиран");
433 	addPair("Missing filename in %s\n", L"Липсва името на файла в %s\n");
434 	addPair("Recursive option with no wildcard", L"Рекурсивно опция, без маска");
435 	addPair("Did you intend quote the filename", L"Знаете ли намерение да цитирам името на файла");
436 	addPair("No file to process %s\n", L"Не файл за обработка %s\n");
437 	addPair("Did you intend to use --recursive", L"Знаете ли възнамерявате да използвате --recursive");
438 	addPair("Cannot process UTF-32 encoding", L"Не може да са UTF-32 кодиране");
439 	addPair("Artistic Style has terminated\n", L"Artistic Style е прекратено\n");
440 }
441 
ChineseSimplified()442 ChineseSimplified::ChineseSimplified()	// 中文(简体)
443 // build the translation vector in the Translation base class
444 {
445 	addPair("Formatted  %s\n", L"格式化  %s\n");		// should align with unchanged
446 	addPair("Unchanged  %s\n", L"未改变  %s\n");		// should align with formatted
447 	addPair("Directory  %s\n", L"目录  %s\n");
448 	addPair("Default option file  %s\n", L"默认选项文件  %s\n");
449 	addPair("Project option file  %s\n", L"项目选项文件  %s\n");
450 	addPair("Exclude  %s\n", L"排除  %s\n");
451 	addPair("Exclude (unmatched)  %s\n", L"排除(无匹配项)  %s\n");
452 	addPair(" %s formatted   %s unchanged   ", L" %s 格式化   %s 未改变   ");
453 	addPair(" seconds   ", L" 秒   ");
454 	addPair("%d min %d sec   ", L"%d 分 %d 秒   ");
455 	addPair("%s lines\n", L"%s 行\n");
456 	addPair("Opening HTML documentation %s\n", L"打开HTML文档 %s\n");
457 	addPair("Invalid default options:", L"默认选项无效:");
458 	addPair("Invalid project options:", L"项目选项无效:");
459 	addPair("Invalid command line options:", L"无效的命令行选项:");
460 	addPair("For help on options type 'astyle -h'", L"输入 'astyle -h' 以获得有关命令行的帮助");
461 	addPair("Cannot open default option file", L"无法打开默认选项文件");
462 	addPair("Cannot open project option file", L"无法打开项目选项文件");
463 	addPair("Cannot open directory", L"无法打开目录");
464 	addPair("Cannot open HTML file %s\n", L"无法打开HTML文件 %s\n");
465 	addPair("Command execute failure", L"执行命令失败");
466 	addPair("Command is not installed", L"未安装命令");
467 	addPair("Missing filename in %s\n", L"在%s缺少文件名\n");
468 	addPair("Recursive option with no wildcard", L"递归选项没有通配符");
469 	addPair("Did you intend quote the filename", L"你打算引用文件名");
470 	addPair("No file to process %s\n", L"没有文件可处理 %s\n");
471 	addPair("Did you intend to use --recursive", L"你打算使用 --recursive");
472 	addPair("Cannot process UTF-32 encoding", L"不能处理UTF-32编码");
473 	addPair("Artistic Style has terminated\n", L"Artistic Style 已经终止运行\n");
474 }
475 
ChineseTraditional()476 ChineseTraditional::ChineseTraditional()	// 中文(繁體)
477 // build the translation vector in the Translation base class
478 {
479 	addPair("Formatted  %s\n", L"格式化  %s\n");		// should align with unchanged
480 	addPair("Unchanged  %s\n", L"未改變  %s\n");		// should align with formatted
481 	addPair("Directory  %s\n", L"目錄  %s\n");
482 	addPair("Default option file  %s\n", L"默認選項文件  %s\n");
483 	addPair("Project option file  %s\n", L"項目選項文件  %s\n");
484 	addPair("Exclude  %s\n", L"排除  %s\n");
485 	addPair("Exclude (unmatched)  %s\n", L"排除(無匹配項)  %s\n");
486 	addPair(" %s formatted   %s unchanged   ", L" %s 格式化   %s 未改變   ");
487 	addPair(" seconds   ", L" 秒   ");
488 	addPair("%d min %d sec   ", L"%d 分 %d 秒   ");
489 	addPair("%s lines\n", L"%s 行\n");
490 	addPair("Opening HTML documentation %s\n", L"打開HTML文檔 %s\n");
491 	addPair("Invalid default options:", L"默認選項無效:");
492 	addPair("Invalid project options:", L"項目選項無效:");
493 	addPair("Invalid command line options:", L"無效的命令行選項:");
494 	addPair("For help on options type 'astyle -h'", L"輸入'astyle -h'以獲得有關命令行的幫助:");
495 	addPair("Cannot open default option file", L"無法打開默認選項文件");
496 	addPair("Cannot open project option file", L"無法打開項目選項文件");
497 	addPair("Cannot open directory", L"無法打開目錄");
498 	addPair("Cannot open HTML file %s\n", L"無法打開HTML文件 %s\n");
499 	addPair("Command execute failure", L"執行命令失敗");
500 	addPair("Command is not installed", L"未安裝命令");
501 	addPair("Missing filename in %s\n", L"在%s缺少文件名\n");
502 	addPair("Recursive option with no wildcard", L"遞歸選項沒有通配符");
503 	addPair("Did you intend quote the filename", L"你打算引用文件名");
504 	addPair("No file to process %s\n", L"沒有文件可處理 %s\n");
505 	addPair("Did you intend to use --recursive", L"你打算使用 --recursive");
506 	addPair("Cannot process UTF-32 encoding", L"不能處理UTF-32編碼");
507 	addPair("Artistic Style has terminated\n", L"Artistic Style 已經終止運行\n");
508 }
509 
Dutch()510 Dutch::Dutch()	// Nederlandse
511 // build the translation vector in the Translation base class
512 {
513 	addPair("Formatted  %s\n", L"Geformatteerd  %s\n");	// should align with unchanged
514 	addPair("Unchanged  %s\n", L"Onveranderd    %s\n");	// should align with formatted
515 	addPair("Directory  %s\n", L"Directory  %s\n");
516 	addPair("Default option file  %s\n", L"Standaard optie bestand  %s\n");
517 	addPair("Project option file  %s\n", L"Project optie bestand  %s\n");
518 	addPair("Exclude  %s\n", L"Uitsluiten  %s\n");
519 	addPair("Exclude (unmatched)  %s\n", L"Uitgesloten (ongeëvenaarde)  %s\n");
520 	addPair(" %s formatted   %s unchanged   ", L" %s geformatteerd   %s onveranderd   ");
521 	addPair(" seconds   ", L" seconden   ");
522 	addPair("%d min %d sec   ", L"%d min %d sec   ");
523 	addPair("%s lines\n", L"%s lijnen\n");
524 	addPair("Opening HTML documentation %s\n", L"Het openen van HTML-documentatie %s\n");
525 	addPair("Invalid default options:", L"Ongeldige standaardopties:");
526 	addPair("Invalid project options:", L"Ongeldige projectopties:");
527 	addPair("Invalid command line options:", L"Ongeldige command line opties:");
528 	addPair("For help on options type 'astyle -h'", L"Voor hulp bij 'astyle-h' opties het type");
529 	addPair("Cannot open default option file", L"Kan het standaardoptiesbestand niet openen");
530 	addPair("Cannot open project option file", L"Kan het project optie bestand niet openen");
531 	addPair("Cannot open directory", L"Kan niet open directory");
532 	addPair("Cannot open HTML file %s\n", L"Kan HTML-bestand niet openen %s\n");
533 	addPair("Command execute failure", L"Voeren commando falen");
534 	addPair("Command is not installed", L"Command is niet geïnstalleerd");
535 	addPair("Missing filename in %s\n", L"Ontbrekende bestandsnaam in %s\n");
536 	addPair("Recursive option with no wildcard", L"Recursieve optie met geen wildcard");
537 	addPair("Did you intend quote the filename", L"Heeft u van plan citaat van de bestandsnaam");
538 	addPair("No file to process %s\n", L"Geen bestand te verwerken %s\n");
539 	addPair("Did you intend to use --recursive", L"Hebt u van plan bent te gebruiken --recursive");
540 	addPair("Cannot process UTF-32 encoding", L"Kan niet verwerken UTF-32 codering");
541 	addPair("Artistic Style has terminated\n", L"Artistic Style heeft beëindigd\n");
542 }
543 
English()544 English::English()
545 // this class is NOT translated
546 {}
547 
Estonian()548 Estonian::Estonian()	// Eesti
549 // build the translation vector in the Translation base class
550 {
551 	addPair("Formatted  %s\n", L"Formaadis  %s\n");		// should align with unchanged
552 	addPair("Unchanged  %s\n", L"Muutumatu  %s\n");		// should align with formatted
553 	addPair("Directory  %s\n", L"Kataloog  %s\n");
554 	addPair("Default option file  %s\n", L"Vaikefunktsioonifail  %s\n");
555 	addPair("Project option file  %s\n", L"Projekti valiku fail  %s\n");
556 	addPair("Exclude  %s\n", L"Välista  %s\n");
557 	addPair("Exclude (unmatched)  %s\n", L"Välista (tasakaalustamata)  %s\n");
558 	addPair(" %s formatted   %s unchanged   ", L" %s formaadis   %s muutumatu   ");
559 	addPair(" seconds   ", L" sekundit   ");
560 	addPair("%d min %d sec   ", L"%d min %d sek   ");
561 	addPair("%s lines\n", L"%s read\n");
562 	addPair("Opening HTML documentation %s\n", L"Avamine HTML dokumentatsioon %s\n");
563 	addPair("Invalid default options:", L"Vaikevalikud on sobimatud:");
564 	addPair("Invalid project options:", L"Projekti valikud on sobimatud:");
565 	addPair("Invalid command line options:", L"Vale käsureavõtmetega:");
566 	addPair("For help on options type 'astyle -h'", L"Abiks võimaluste tüüp 'astyle -h'");
567 	addPair("Cannot open default option file", L"Vaikimisi valitud faili ei saa avada");
568 	addPair("Cannot open project option file", L"Projektivaliku faili ei saa avada");
569 	addPair("Cannot open directory", L"Ei saa avada kataloogi");
570 	addPair("Cannot open HTML file %s\n", L"Ei saa avada HTML-faili %s\n");
571 	addPair("Command execute failure", L"Käsk täita rike");
572 	addPair("Command is not installed", L"Käsk ei ole paigaldatud");
573 	addPair("Missing filename in %s\n", L"Kadunud failinimi %s\n");
574 	addPair("Recursive option with no wildcard", L"Rekursiivne võimalus ilma metamärgi");
575 	addPair("Did you intend quote the filename", L"Kas te kavatsete tsiteerida failinimi");
576 	addPair("No file to process %s\n", L"No faili töötlema %s\n");
577 	addPair("Did you intend to use --recursive", L"Kas te kavatsete kasutada --recursive");
578 	addPair("Cannot process UTF-32 encoding", L"Ei saa töödelda UTF-32 kodeeringus");
579 	addPair("Artistic Style has terminated\n", L"Artistic Style on lõpetatud\n");
580 }
581 
Finnish()582 Finnish::Finnish()	// Suomeksi
583 // build the translation vector in the Translation base class
584 {
585 	addPair("Formatted  %s\n", L"Muotoiltu  %s\n");	// should align with unchanged
586 	addPair("Unchanged  %s\n", L"Ennallaan  %s\n");	// should align with formatted
587 	addPair("Directory  %s\n", L"Directory  %s\n");
588 	addPair("Default option file  %s\n", L"Oletusasetustiedosto  %s\n");
589 	addPair("Project option file  %s\n", L"Projektin valintatiedosto  %s\n");
590 	addPair("Exclude  %s\n", L"Sulkea  %s\n");
591 	addPair("Exclude (unmatched)  %s\n", L"Sulkea (verraton)  %s\n");
592 	addPair(" %s formatted   %s unchanged   ", L" %s muotoiltu   %s ennallaan   ");
593 	addPair(" seconds   ", L" sekuntia   ");
594 	addPair("%d min %d sec   ", L"%d min %d sek   ");
595 	addPair("%s lines\n", L"%s linjat\n");
596 	addPair("Opening HTML documentation %s\n", L"Avaaminen HTML asiakirjat %s\n");
597 	addPair("Invalid default options:", L"Virheelliset oletusasetukset:");
598 	addPair("Invalid project options:", L"Virheelliset hankevalinnat:");
599 	addPair("Invalid command line options:", L"Virheellinen komentorivin:");
600 	addPair("For help on options type 'astyle -h'", L"Apua vaihtoehdoista tyyppi 'astyle -h'");
601 	addPair("Cannot open default option file", L"Et voi avata oletusasetustiedostoa");
602 	addPair("Cannot open project option file", L"Projektin asetustiedostoa ei voi avata");
603 	addPair("Cannot open directory", L"Ei Open Directory");
604 	addPair("Cannot open HTML file %s\n", L"Ei voi avata HTML-tiedoston %s\n");
605 	addPair("Command execute failure", L"Suorita komento vika");
606 	addPair("Command is not installed", L"Komento ei ole asennettu");
607 	addPair("Missing filename in %s\n", L"Puuttuvat tiedostonimi %s\n");
608 	addPair("Recursive option with no wildcard", L"Rekursiivinen vaihtoehto ilman wildcard");
609 	addPair("Did you intend quote the filename", L"Oletko aio lainata tiedostonimi");
610 	addPair("No file to process %s\n", L"Ei tiedostoa käsitellä %s\n");
611 	addPair("Did you intend to use --recursive", L"Oliko aiot käyttää --recursive");
612 	addPair("Cannot process UTF-32 encoding", L"Ei voi käsitellä UTF-32 koodausta");
613 	addPair("Artistic Style has terminated\n", L"Artistic Style on päättynyt\n");
614 }
615 
French()616 French::French()	// Française
617 // build the translation vector in the Translation base class
618 {
619 	addPair("Formatted  %s\n", L"Formaté    %s\n");	// should align with unchanged
620 	addPair("Unchanged  %s\n", L"Inchangée  %s\n");	// should align with formatted
621 	addPair("Directory  %s\n", L"Répertoire  %s\n");
622 	addPair("Default option file  %s\n", L"Fichier d'option par défaut  %s\n");
623 	addPair("Project option file  %s\n", L"Fichier d'option de projet  %s\n");
624 	addPair("Exclude  %s\n", L"Exclure  %s\n");
625 	addPair("Exclude (unmatched)  %s\n", L"Exclure (non appariés)  %s\n");
626 	addPair(" %s formatted   %s unchanged   ", L" %s formaté   %s inchangée   ");
627 	addPair(" seconds   ", L" seconde   ");
628 	addPair("%d min %d sec   ", L"%d min %d sec   ");
629 	addPair("%s lines\n", L"%s lignes\n");
630 	addPair("Opening HTML documentation %s\n", L"Ouverture documentation HTML %s\n");
631 	addPair("Invalid default options:", L"Options par défaut invalides:");
632 	addPair("Invalid project options:", L"Options de projet non valides:");
633 	addPair("Invalid command line options:", L"Blancs options ligne de commande:");
634 	addPair("For help on options type 'astyle -h'", L"Pour de l'aide sur les options tapez 'astyle -h'");
635 	addPair("Cannot open default option file", L"Impossible d'ouvrir le fichier d'option par défaut");
636 	addPair("Cannot open project option file", L"Impossible d'ouvrir le fichier d'option de projet");
637 	addPair("Cannot open directory", L"Impossible d'ouvrir le répertoire");
638 	addPair("Cannot open HTML file %s\n", L"Impossible d'ouvrir le fichier HTML %s\n");
639 	addPair("Command execute failure", L"Exécuter échec de la commande");
640 	addPair("Command is not installed", L"Commande n'est pas installé");
641 	addPair("Missing filename in %s\n", L"Nom de fichier manquant dans %s\n");
642 	addPair("Recursive option with no wildcard", L"Option récursive sans joker");
643 	addPair("Did you intend quote the filename", L"Avez-vous l'intention de citer le nom de fichier");
644 	addPair("No file to process %s\n", L"Aucun fichier à traiter %s\n");
645 	addPair("Did you intend to use --recursive", L"Avez-vous l'intention d'utiliser --recursive");
646 	addPair("Cannot process UTF-32 encoding", L"Impossible de traiter codage UTF-32");
647 	addPair("Artistic Style has terminated\n", L"Artistic Style a mis fin\n");
648 }
649 
German()650 German::German()	// Deutsch
651 // build the translation vector in the Translation base class
652 {
653 	addPair("Formatted  %s\n", L"Formatiert   %s\n");	// should align with unchanged
654 	addPair("Unchanged  %s\n", L"Unverändert  %s\n");	// should align with formatted
655 	addPair("Directory  %s\n", L"Verzeichnis  %s\n");
656 	addPair("Default option file  %s\n", L"Standard-Optionsdatei  %s\n");
657 	addPair("Project option file  %s\n", L"Projektoptionsdatei  %s\n");
658 	addPair("Exclude  %s\n", L"Ausschließen  %s\n");
659 	addPair("Exclude (unmatched)  %s\n", L"Ausschließen (unerreichte)  %s\n");
660 	addPair(" %s formatted   %s unchanged   ", L" %s formatiert   %s unverändert   ");
661 	addPair(" seconds   ", L" sekunden   ");
662 	addPair("%d min %d sec   ", L"%d min %d sek   ");
663 	addPair("%s lines\n", L"%s linien\n");
664 	addPair("Opening HTML documentation %s\n", L"Öffnen HTML-Dokumentation %s\n");
665 	addPair("Invalid default options:", L"Ungültige Standardoptionen:");
666 	addPair("Invalid project options:", L"Ungültige Projektoptionen:");
667 	addPair("Invalid command line options:", L"Ungültige Kommandozeilen-Optionen:");
668 	addPair("For help on options type 'astyle -h'", L"Für Hilfe zu den Optionen geben Sie 'astyle -h'");
669 	addPair("Cannot open default option file", L"Die Standardoptionsdatei kann nicht geöffnet werden");
670 	addPair("Cannot open project option file", L"Die Projektoptionsdatei kann nicht geöffnet werden");
671 	addPair("Cannot open directory", L"Kann nicht geöffnet werden Verzeichnis");
672 	addPair("Cannot open HTML file %s\n", L"Kann nicht öffnen HTML-Datei %s\n");
673 	addPair("Command execute failure", L"Execute Befehl Scheitern");
674 	addPair("Command is not installed", L"Befehl ist nicht installiert");
675 	addPair("Missing filename in %s\n", L"Missing in %s Dateiname\n");
676 	addPair("Recursive option with no wildcard", L"Rekursive Option ohne Wildcard");
677 	addPair("Did you intend quote the filename", L"Haben Sie die Absicht Inhalte der Dateiname");
678 	addPair("No file to process %s\n", L"Keine Datei zu verarbeiten %s\n");
679 	addPair("Did you intend to use --recursive", L"Haben Sie verwenden möchten --recursive");
680 	addPair("Cannot process UTF-32 encoding", L"Nicht verarbeiten kann UTF-32 Codierung");
681 	addPair("Artistic Style has terminated\n", L"Artistic Style ist beendet\n");
682 }
683 
Greek()684 Greek::Greek()	// ελληνικά
685 // build the translation vector in the Translation base class
686 {
687 	addPair("Formatted  %s\n", L"Διαμορφωμένη  %s\n");	// should align with unchanged
688 	addPair("Unchanged  %s\n", L"Αμετάβλητος   %s\n");	// should align with formatted
689 	addPair("Directory  %s\n", L"Κατάλογος  %s\n");
690 	addPair("Default option file  %s\n", L"Προεπιλεγμένο αρχείο επιλογών  %s\n");
691 	addPair("Project option file  %s\n", L"Αρχείο επιλογής έργου  %s\n");
692 	addPair("Exclude  %s\n", L"Αποκλείω  %s\n");
693 	addPair("Exclude (unmatched)  %s\n", L"Ausschließen (unerreichte)  %s\n");
694 	addPair(" %s formatted   %s unchanged   ", L" %s σχηματοποιημένη   %s αμετάβλητες   ");
695 	addPair(" seconds   ", L" δευτερόλεπτα   ");
696 	addPair("%d min %d sec   ", L"%d λεπ %d δευ   ");
697 	addPair("%s lines\n", L"%s γραμμές\n");
698 	addPair("Opening HTML documentation %s\n", L"Εγκαίνια έγγραφα HTML %s\n");
699 	addPair("Invalid default options:", L"Μη έγκυρες επιλογές προεπιλογής:");
700 	addPair("Invalid project options:", L"Μη έγκυρες επιλογές έργου:");
701 	addPair("Invalid command line options:", L"Μη έγκυρη επιλογές γραμμής εντολών:");
702 	addPair("For help on options type 'astyle -h'", L"Για βοήθεια σχετικά με το είδος επιλογές 'astyle -h'");
703 	addPair("Cannot open default option file", L"Δεν είναι δυνατό να ανοίξει το προεπιλεγμένο αρχείο επιλογών");
704 	addPair("Cannot open project option file", L"Δεν είναι δυνατό να ανοίξει το αρχείο επιλογής έργου");
705 	addPair("Cannot open directory", L"Δεν μπορείτε να ανοίξετε τον κατάλογο");
706 	addPair("Cannot open HTML file %s\n", L"Δεν μπορείτε να ανοίξετε το αρχείο HTML %s\n");
707 	addPair("Command execute failure", L"Εντολή να εκτελέσει την αποτυχία");
708 	addPair("Command is not installed", L"Η εντολή δεν έχει εγκατασταθεί");
709 	addPair("Missing filename in %s\n", L"Λείπει το όνομα αρχείου σε %s\n");
710 	addPair("Recursive option with no wildcard", L"Αναδρομικές επιλογή χωρίς μπαλαντέρ");
711 	addPair("Did you intend quote the filename", L"Μήπως σκοπεύετε να αναφέρετε το όνομα του αρχείου");
712 	addPair("No file to process %s\n", L"Δεν υπάρχει αρχείο για την επεξεργασία %s\n");
713 	addPair("Did you intend to use --recursive", L"Μήπως σκοπεύετε να χρησιμοποιήσετε --recursive");
714 	addPair("Cannot process UTF-32 encoding", L"δεν μπορεί να επεξεργαστεί UTF-32 κωδικοποίηση");
715 	addPair("Artistic Style has terminated\n", L"Artistic Style έχει λήξει\n");
716 }
717 
Hindi()718 Hindi::Hindi()	// हिन्दी
719 // build the translation vector in the Translation base class
720 {
721 	// NOTE: Scintilla based editors (CodeBlocks) cannot always edit Hindi.
722 	//       Use Visual Studio instead.
723 	addPair("Formatted  %s\n", L"स्वरूपित किया  %s\n");	// should align with unchanged
724 	addPair("Unchanged  %s\n", L"अपरिवर्तित     %s\n");	// should align with formatted
725 	addPair("Directory  %s\n", L"निर्देशिका  %s\n");
726 	addPair("Default option file  %s\n", L"डिफ़ॉल्ट विकल्प फ़ाइल  %s\n");
727 	addPair("Project option file  %s\n", L"प्रोजेक्ट विकल्प फ़ाइल  %s\n");
728 	addPair("Exclude  %s\n", L"निकालना  %s\n");
729 	addPair("Exclude (unmatched)  %s\n", L"अपवर्जित (बेजोड़)  %s\n");
730 	addPair(" %s formatted   %s unchanged   ", L" %s स्वरूपित किया   %s अपरिवर्तित   ");
731 	addPair(" seconds   ", L" सेकंड   ");
732 	addPair("%d min %d sec   ", L"%d मिनट %d सेकंड   ");
733 	addPair("%s lines\n", L"%s लाइनों\n");
734 	addPair("Opening HTML documentation %s\n", L"एचटीएमएल प्रलेखन खोलना %s\n");
735 	addPair("Invalid default options:", L"अमान्य डिफ़ॉल्ट विकल्प:");
736 	addPair("Invalid project options:", L"अमान्य प्रोजेक्ट विकल्प:");
737 	addPair("Invalid command line options:", L"कमांड लाइन विकल्प अवैध:");
738 	addPair("For help on options type 'astyle -h'", L"विकल्पों पर मदद के लिए प्रकार 'astyle -h'");
739 	addPair("Cannot open default option file", L"डिफ़ॉल्ट विकल्प फ़ाइल नहीं खोल सकता");
740 	addPair("Cannot open project option file", L"परियोजना विकल्प फ़ाइल नहीं खोल सकता");
741 	addPair("Cannot open directory", L"निर्देशिका नहीं खोल सकता");
742 	addPair("Cannot open HTML file %s\n", L"HTML फ़ाइल नहीं खोल सकता %s\n");
743 	addPair("Command execute failure", L"आदेश विफलता निष्पादित");
744 	addPair("Command is not installed", L"कमान स्थापित नहीं है");
745 	addPair("Missing filename in %s\n", L"लापता में फ़ाइलनाम %s\n");
746 	addPair("Recursive option with no wildcard", L"कोई वाइल्डकार्ड साथ पुनरावर्ती विकल्प");
747 	addPair("Did you intend quote the filename", L"क्या आप बोली फ़ाइलनाम का इरादा");
748 	addPair("No file to process %s\n", L"कोई फ़ाइल %s प्रक्रिया के लिए\n");
749 	addPair("Did you intend to use --recursive", L"क्या आप उपयोग करना चाहते हैं --recursive");
750 	addPair("Cannot process UTF-32 encoding", L"UTF-32 कूटबन्धन प्रक्रिया नहीं कर सकते");
751 	addPair("Artistic Style has terminated\n", L"Artistic Style समाप्त किया है\n");
752 }
753 
Hungarian()754 Hungarian::Hungarian()	// Magyar
755 // build the translation vector in the Translation base class
756 {
757 	addPair("Formatted  %s\n", L"Formázott    %s\n");	// should align with unchanged
758 	addPair("Unchanged  %s\n", L"Változatlan  %s\n");	// should align with formatted
759 	addPair("Directory  %s\n", L"Címjegyzék  %s\n");
760 	addPair("Default option file  %s\n", L"Alapértelmezett beállítási fájl  %s\n");
761 	addPair("Project option file  %s\n", L"Projekt opciófájl  %s\n");
762 	addPair("Exclude  %s\n", L"Kizár  %s\n");
763 	addPair("Exclude (unmatched)  %s\n", L"Escludere (senza pari)  %s\n");
764 	addPair(" %s formatted   %s unchanged   ", L" %s formázott   %s változatlan   ");
765 	addPair(" seconds   ", L" másodperc   ");
766 	addPair("%d min %d sec   ", L"%d jeg %d más   ");
767 	addPair("%s lines\n", L"%s vonalak\n");
768 	addPair("Opening HTML documentation %s\n", L"Nyitó HTML dokumentáció %s\n");
769 	addPair("Invalid default options:", L"Érvénytelen alapértelmezett beállítások:");
770 	addPair("Invalid project options:", L"Érvénytelen projektbeállítások:");
771 	addPair("Invalid command line options:", L"Érvénytelen parancssori opciók:");
772 	addPair("For help on options type 'astyle -h'", L"Ha segítségre van lehetőség típus 'astyle-h'");
773 	addPair("Cannot open default option file", L"Nem lehet megnyitni az alapértelmezett beállítási fájlt");
774 	addPair("Cannot open project option file", L"Nem lehet megnyitni a projekt opció fájlt");
775 	addPair("Cannot open directory", L"Nem lehet megnyitni könyvtár");
776 	addPair("Cannot open HTML file %s\n", L"Nem lehet megnyitni a HTML fájlt %s\n");
777 	addPair("Command execute failure", L"Command végre hiba");
778 	addPair("Command is not installed", L"Parancs nincs telepítve");
779 	addPair("Missing filename in %s\n", L"Hiányzó fájlnév %s\n");
780 	addPair("Recursive option with no wildcard", L"Rekurzív kapcsolót nem wildcard");
781 	addPair("Did you intend quote the filename", L"Esetleg kívánja idézni a fájlnév");
782 	addPair("No file to process %s\n", L"Nincs fájl feldolgozása %s\n");
783 	addPair("Did you intend to use --recursive", L"Esetleg a használni kívánt --recursive");
784 	addPair("Cannot process UTF-32 encoding", L"Nem tudja feldolgozni UTF-32 kódolással");
785 	addPair("Artistic Style has terminated\n", L"Artistic Style megszűnt\n");
786 }
787 
Italian()788 Italian::Italian()	// Italiano
789 // build the translation vector in the Translation base class
790 {
791 	addPair("Formatted  %s\n", L"Formattata  %s\n");	// should align with unchanged
792 	addPair("Unchanged  %s\n", L"Immutato    %s\n");	// should align with formatted
793 	addPair("Directory  %s\n", L"Elenco  %s\n");
794 	addPair("Default option file  %s\n", L"File di opzione predefinito  %s\n");
795 	addPair("Project option file  %s\n", L"File di opzione del progetto  %s\n");
796 	addPair("Exclude  %s\n", L"Escludere  %s\n");
797 	addPair("Exclude (unmatched)  %s\n", L"Escludere (senza pari)  %s\n");
798 	addPair(" %s formatted   %s unchanged   ", L" %s ormattata   %s immutato   ");
799 	addPair(" seconds   ", L" secondo   ");
800 	addPair("%d min %d sec   ", L"%d min %d seg   ");
801 	addPair("%s lines\n", L"%s linee\n");
802 	addPair("Opening HTML documentation %s\n", L"Apertura di documenti HTML %s\n");
803 	addPair("Invalid default options:", L"Opzioni di default non valide:");
804 	addPair("Invalid project options:", L"Opzioni di progetto non valide:");
805 	addPair("Invalid command line options:", L"Opzioni della riga di comando non valido:");
806 	addPair("For help on options type 'astyle -h'", L"Per informazioni sulle opzioni di tipo 'astyle-h'");
807 	addPair("Cannot open default option file", L"Impossibile aprire il file di opzione predefinito");
808 	addPair("Cannot open project option file", L"Impossibile aprire il file di opzione del progetto");
809 	addPair("Cannot open directory", L"Impossibile aprire la directory");
810 	addPair("Cannot open HTML file %s\n", L"Impossibile aprire il file HTML %s\n");
811 	addPair("Command execute failure", L"Esegui fallimento comando");
812 	addPair("Command is not installed", L"Il comando non è installato");
813 	addPair("Missing filename in %s\n", L"Nome del file mancante in %s\n");
814 	addPair("Recursive option with no wildcard", L"Opzione ricorsiva senza jolly");
815 	addPair("Did you intend quote the filename", L"Avete intenzione citare il nome del file");
816 	addPair("No file to process %s\n", L"Nessun file al processo %s\n");
817 	addPair("Did you intend to use --recursive", L"Hai intenzione di utilizzare --recursive");
818 	addPair("Cannot process UTF-32 encoding", L"Non è possibile processo di codifica UTF-32");
819 	addPair("Artistic Style has terminated\n", L"Artistic Style ha terminato\n");
820 }
821 
Japanese()822 Japanese::Japanese()	// 日本語
823 // build the translation vector in the Translation base class
824 {
825 	addPair("Formatted  %s\n", L"フォーマット済みの  %s\n");		// should align with unchanged
826 	addPair("Unchanged  %s\n", L"変わりません        %s\n");		// should align with formatted
827 	addPair("Directory  %s\n", L"ディレクトリ  %s\n");
828 	addPair("Default option file  %s\n", L"デフォルトオプションファイル  %s\n");
829 	addPair("Project option file  %s\n", L"プロジェクトオプションファイル  %s\n");
830 	addPair("Exclude  %s\n", L"除外する  %s\n");
831 	addPair("Exclude (unmatched)  %s\n", L"除外する(一致しません)  %s\n");
832 	addPair(" %s formatted   %s unchanged   ", L" %s フフォーマット済みの   %s 変わりません   ");
833 	addPair(" seconds   ", L" 秒   ");
834 	addPair("%d min %d sec   ", L"%d 分 %d 秒   ");
835 	addPair("%s lines\n", L"%s ライン\n");
836 	addPair("Opening HTML documentation %s\n", L"オープニングHTMLドキュメント %s\n");
837 	addPair("Invalid default options:", L"無効なデフォルトオプション:");
838 	addPair("Invalid project options:", L"無効なプロジェクトオプション:");
839 	addPair("Invalid command line options:", L"無効なコマンドラインオプション:");
840 	addPair("For help on options type 'astyle -h'", L"コオプションの種類のヘルプについて'astyle- h'を入力してください");
841 	addPair("Cannot open default option file", L"デフォルトのオプションファイルを開くことができません");
842 	addPair("Cannot open project option file", L"プロジェクトオプションファイルを開くことができません");
843 	addPair("Cannot open directory", L"ディレクトリを開くことができません。");
844 	addPair("Cannot open HTML file %s\n", L"HTMLファイルを開くことができません %s\n");
845 	addPair("Command execute failure", L"コマンドが失敗を実行します");
846 	addPair("Command is not installed", L"コマンドがインストールされていません");
847 	addPair("Missing filename in %s\n", L"%s で、ファイル名がありません\n");
848 	addPair("Recursive option with no wildcard", L"無ワイルドカードを使用して再帰的なオプション");
849 	addPair("Did you intend quote the filename", L"あなたはファイル名を引用するつもりでした");
850 	addPair("No file to process %s\n", L"いいえファイルは処理しないように %s\n");
851 	addPair("Did you intend to use --recursive", L"あなたは--recursive使用するつもりでした");
852 	addPair("Cannot process UTF-32 encoding", L"UTF - 32エンコーディングを処理できません");
853 	addPair("Artistic Style has terminated\n", L"Artistic Style 終了しました\n");
854 }
855 
Korean()856 Korean::Korean()	// 한국의
857 // build the translation vector in the Translation base class
858 {
859 	addPair("Formatted  %s\n", L"수정됨    %s\n");		// should align with unchanged
860 	addPair("Unchanged  %s\n", L"변경없음  %s\n");		// should align with formatted
861 	addPair("Directory  %s\n", L"디렉토리  %s\n");
862 	addPair("Default option file  %s\n", L"기본 옵션 파일  %s\n");
863 	addPair("Project option file  %s\n", L"프로젝트 옵션 파일  %s\n");
864 	addPair("Exclude  %s\n", L"제외됨  %s\n");
865 	addPair("Exclude (unmatched)  %s\n", L"제외 (NO 일치)  %s\n");
866 	addPair(" %s formatted   %s unchanged   ", L" %s 수정됨   %s 변경없음   ");
867 	addPair(" seconds   ", L" 초   ");
868 	addPair("%d min %d sec   ", L"%d 분 %d 초   ");
869 	addPair("%s lines\n", L"%s 라인\n");
870 	addPair("Opening HTML documentation %s\n", L"HTML 문서를 열기 %s\n");
871 	addPair("Invalid default options:", L"잘못된 기본 옵션:");
872 	addPair("Invalid project options:", L"잘못된 프로젝트 옵션:");
873 	addPair("Invalid command line options:", L"잘못된 명령줄 옵션 :");
874 	addPair("For help on options type 'astyle -h'", L"도움말을 보려면 옵션 유형 'astyle - H'를 사용합니다");
875 	addPair("Cannot open default option file", L"기본 옵션 파일을 열 수 없습니다.");
876 	addPair("Cannot open project option file", L"프로젝트 옵션 파일을 열 수 없습니다.");
877 	addPair("Cannot open directory", L"디렉토리를 열지 못했습니다");
878 	addPair("Cannot open HTML file %s\n", L"HTML 파일을 열 수 없습니다 %s\n");
879 	addPair("Command execute failure", L"명령 실패를 실행");
880 	addPair("Command is not installed", L"명령이 설치되어 있지 않습니다");
881 	addPair("Missing filename in %s\n", L"%s 에서 누락된 파일 이름\n");
882 	addPair("Recursive option with no wildcard", L"와일드 카드없이 재귀 옵션");
883 	addPair("Did you intend quote the filename", L"당신은 파일 이름을 인용하고자하나요");
884 	addPair("No file to process %s\n", L"처리할 파일이 없습니다 %s\n");
885 	addPair("Did you intend to use --recursive", L"--recursive 를 사용하고자 하십니까");
886 	addPair("Cannot process UTF-32 encoding", L"UTF-32 인코딩을 처리할 수 없습니다");
887 	addPair("Artistic Style has terminated\n", L"Artistic Style를 종료합니다\n");
888 }
889 
Norwegian()890 Norwegian::Norwegian()	// Norsk
891 // build the translation vector in the Translation base class
892 {
893 	addPair("Formatted  %s\n", L"Formatert  %s\n");		// should align with unchanged
894 	addPair("Unchanged  %s\n", L"Uendret    %s\n");		// should align with formatted
895 	addPair("Directory  %s\n", L"Katalog  %s\n");
896 	addPair("Default option file  %s\n", L"Standard alternativfil  %s\n");
897 	addPair("Project option file  %s\n", L"Prosjekt opsjonsfil  %s\n");
898 	addPair("Exclude  %s\n", L"Ekskluder  %s\n");
899 	addPair("Exclude (unmatched)  %s\n", L"Ekskluder (uovertruffen)  %s\n");
900 	addPair(" %s formatted   %s unchanged   ", L" %s formatert   %s uendret   ");
901 	addPair(" seconds   ", L" sekunder   ");
902 	addPair("%d min %d sec   ", L"%d min %d sek?   ");
903 	addPair("%s lines\n", L"%s linjer\n");
904 	addPair("Opening HTML documentation %s\n", L"Åpning HTML dokumentasjon %s\n");
905 	addPair("Invalid default options:", L"Ugyldige standardalternativer:");
906 	addPair("Invalid project options:", L"Ugyldige prosjektalternativer:");
907 	addPair("Invalid command line options:", L"Kommandolinjevalg Ugyldige:");
908 	addPair("For help on options type 'astyle -h'", L"For hjelp til alternativer type 'astyle -h'");
909 	addPair("Cannot open default option file", L"Kan ikke åpne standardvalgsfilen");
910 	addPair("Cannot open project option file", L"Kan ikke åpne prosjektvalgsfilen");
911 	addPair("Cannot open directory", L"Kan ikke åpne katalog");
912 	addPair("Cannot open HTML file %s\n", L"Kan ikke åpne HTML-fil %s\n");
913 	addPair("Command execute failure", L"Command utføre svikt");
914 	addPair("Command is not installed", L"Command er ikke installert");
915 	addPair("Missing filename in %s\n", L"Mangler filnavn i %s\n");
916 	addPair("Recursive option with no wildcard", L"Rekursiv alternativ uten wildcard");
917 	addPair("Did you intend quote the filename", L"Har du tenkt sitere filnavnet");
918 	addPair("No file to process %s\n", L"Ingen fil å behandle %s\n");
919 	addPair("Did you intend to use --recursive", L"Har du tenkt å bruke --recursive");
920 	addPair("Cannot process UTF-32 encoding", L"Kan ikke behandle UTF-32 koding");
921 	addPair("Artistic Style has terminated\n", L"Artistic Style har avsluttet\n");
922 }
923 
Polish()924 Polish::Polish()	// Polski
925 // build the translation vector in the Translation base class
926 {
927 	addPair("Formatted  %s\n", L"Sformatowany  %s\n");	// should align with unchanged
928 	addPair("Unchanged  %s\n", L"Niezmienione  %s\n");	// should align with formatted
929 	addPair("Directory  %s\n", L"Katalog  %s\n");
930 	addPair("Default option file  %s\n", L"Domyślny plik opcji  %s\n");
931 	addPair("Project option file  %s\n", L"Plik opcji projektu  %s\n");
932 	addPair("Exclude  %s\n", L"Wykluczać  %s\n");
933 	addPair("Exclude (unmatched)  %s\n", L"Wyklucz (niezrównany)  %s\n");
934 	addPair(" %s formatted   %s unchanged   ", L" %s sformatowany   %s niezmienione   ");
935 	addPair(" seconds   ", L" sekund   ");
936 	addPair("%d min %d sec   ", L"%d min %d sek   ");
937 	addPair("%s lines\n", L"%s linii\n");
938 	addPair("Opening HTML documentation %s\n", L"Otwarcie dokumentacji HTML %s\n");
939 	addPair("Invalid default options:", L"Nieprawidłowe opcje domyślne:");
940 	addPair("Invalid project options:", L"Nieprawidłowe opcje projektu:");
941 	addPair("Invalid command line options:", L"Nieprawidłowe opcje wiersza polecenia:");
942 	addPair("For help on options type 'astyle -h'", L"Aby uzyskać pomoc od rodzaju opcji 'astyle -h'");
943 	addPair("Cannot open default option file", L"Nie można otworzyć pliku opcji domyślnych");
944 	addPair("Cannot open project option file", L"Nie można otworzyć pliku opcji projektu");
945 	addPair("Cannot open directory", L"Nie można otworzyć katalogu");
946 	addPair("Cannot open HTML file %s\n", L"Nie można otworzyć pliku HTML %s\n");
947 	addPair("Command execute failure", L"Wykonaj polecenia niepowodzenia");
948 	addPair("Command is not installed", L"Polecenie nie jest zainstalowany");
949 	addPair("Missing filename in %s\n", L"Brakuje pliku w %s\n");
950 	addPair("Recursive option with no wildcard", L"Rekurencyjne opcja bez symboli");
951 	addPair("Did you intend quote the filename", L"Czy zamierza Pan podać nazwę pliku");
952 	addPair("No file to process %s\n", L"Brak pliku do procesu %s\n");
953 	addPair("Did you intend to use --recursive", L"Czy masz zamiar używać --recursive");
954 	addPair("Cannot process UTF-32 encoding", L"Nie można procesu kodowania UTF-32");
955 	addPair("Artistic Style has terminated\n", L"Artistic Style został zakończony\n");
956 }
957 
Portuguese()958 Portuguese::Portuguese()	// Português
959 // build the translation vector in the Translation base class
960 {
961 	addPair("Formatted  %s\n", L"Formatado   %s\n");	// should align with unchanged
962 	addPair("Unchanged  %s\n", L"Inalterado  %s\n");	// should align with formatted
963 	addPair("Directory  %s\n", L"Diretório  %s\n");
964 	addPair("Default option file  %s\n", L"Arquivo de opção padrão  %s\n");
965 	addPair("Project option file  %s\n", L"Arquivo de opção de projeto  %s\n");
966 	addPair("Exclude  %s\n", L"Excluir  %s\n");
967 	addPair("Exclude (unmatched)  %s\n", L"Excluir (incomparável)  %s\n");
968 	addPair(" %s formatted   %s unchanged   ", L" %s formatado   %s inalterado   ");
969 	addPair(" seconds   ", L" segundo   ");
970 	addPair("%d min %d sec   ", L"%d min %d seg   ");
971 	addPair("%s lines\n", L"%s linhas\n");
972 	addPair("Opening HTML documentation %s\n", L"Abrindo a documentação HTML %s\n");
973 	addPair("Invalid default options:", L"Opções padrão inválidas:");
974 	addPair("Invalid project options:", L"Opções de projeto inválidas:");
975 	addPair("Invalid command line options:", L"Opções de linha de comando inválida:");
976 	addPair("For help on options type 'astyle -h'", L"Para obter ajuda sobre as opções de tipo 'astyle -h'");
977 	addPair("Cannot open default option file", L"Não é possível abrir o arquivo de opção padrão");
978 	addPair("Cannot open project option file", L"Não é possível abrir o arquivo de opção do projeto");
979 	addPair("Cannot open directory", L"Não é possível abrir diretório");
980 	addPair("Cannot open HTML file %s\n", L"Não é possível abrir arquivo HTML %s\n");
981 	addPair("Command execute failure", L"Executar falha de comando");
982 	addPair("Command is not installed", L"Comando não está instalado");
983 	addPair("Missing filename in %s\n", L"Filename faltando em %s\n");
984 	addPair("Recursive option with no wildcard", L"Opção recursiva sem curinga");
985 	addPair("Did you intend quote the filename", L"Será que você pretende citar o nome do arquivo");
986 	addPair("No file to process %s\n", L"Nenhum arquivo para processar %s\n");
987 	addPair("Did you intend to use --recursive", L"Será que você pretende usar --recursive");
988 	addPair("Cannot process UTF-32 encoding", L"Não pode processar a codificação UTF-32");
989 	addPair("Artistic Style has terminated\n", L"Artistic Style terminou\n");
990 }
991 
Romanian()992 Romanian::Romanian()	// Română
993 // build the translation vector in the Translation base class
994 {
995 	addPair("Formatted  %s\n", L"Formatat    %s\n");	// should align with unchanged
996 	addPair("Unchanged  %s\n", L"Neschimbat  %s\n");	// should align with formatted
997 	addPair("Directory  %s\n", L"Director  %s\n");
998 	addPair("Default option file  %s\n", L"Fișier opțional implicit  %s\n");
999 	addPair("Project option file  %s\n", L"Fișier opțiune proiect  %s\n");
1000 	addPair("Exclude  %s\n", L"Excludeți  %s\n");
1001 	addPair("Exclude (unmatched)  %s\n", L"Excludeți (necompensată)  %s\n");
1002 	addPair(" %s formatted   %s unchanged   ", L" %s formatat   %s neschimbat   ");
1003 	addPair(" seconds   ", L" secunde   ");
1004 	addPair("%d min %d sec   ", L"%d min %d sec   ");
1005 	addPair("%s lines\n", L"%s linii\n");
1006 	addPair("Opening HTML documentation %s\n", L"Documentație HTML deschidere %s\n");
1007 	addPair("Invalid default options:", L"Opțiuni implicite nevalide:");
1008 	addPair("Invalid project options:", L"Opțiunile de proiect nevalide:");
1009 	addPair("Invalid command line options:", L"Opțiuni de linie de comandă nevalide:");
1010 	addPair("For help on options type 'astyle -h'", L"Pentru ajutor cu privire la tipul de opțiuni 'astyle -h'");
1011 	addPair("Cannot open default option file", L"Nu se poate deschide fișierul cu opțiuni implicite");
1012 	addPair("Cannot open project option file", L"Nu se poate deschide fișierul cu opțiuni de proiect");
1013 	addPair("Cannot open directory", L"Nu se poate deschide directorul");
1014 	addPair("Cannot open HTML file %s\n", L"Nu se poate deschide fișierul HTML %s\n");
1015 	addPair("Command execute failure", L"Comandă executa eșec");
1016 	addPair("Command is not installed", L"Comanda nu este instalat");
1017 	addPair("Missing filename in %s\n", L"Lipsă nume de fișier %s\n");
1018 	addPair("Recursive option with no wildcard", L"Opțiunea recursiv cu nici un wildcard");
1019 	addPair("Did you intend quote the filename", L"V-intentionati cita numele de fișier");
1020 	addPair("No file to process %s\n", L"Nu există un fișier pentru a procesa %s\n");
1021 	addPair("Did you intend to use --recursive", L"V-ați intenționați să utilizați --recursive");
1022 	addPair("Cannot process UTF-32 encoding", L"Nu se poate procesa codificarea UTF-32");
1023 	addPair("Artistic Style has terminated\n", L"Artistic Style a terminat\n");
1024 }
1025 
Russian()1026 Russian::Russian()	// русский
1027 // build the translation vector in the Translation base class
1028 {
1029 	addPair("Formatted  %s\n", L"Форматированный  %s\n");	// should align with unchanged
1030 	addPair("Unchanged  %s\n", L"без изменений    %s\n");	// should align with formatted
1031 	addPair("Directory  %s\n", L"каталог  %s\n");
1032 	addPair("Default option file  %s\n", L"Файл с опцией по умолчанию  %s\n");
1033 	addPair("Project option file  %s\n", L"Файл опций проекта  %s\n");
1034 	addPair("Exclude  %s\n", L"исключать  %s\n");
1035 	addPair("Exclude (unmatched)  %s\n", L"Исключить (непревзойденный)  %s\n");
1036 	addPair(" %s formatted   %s unchanged   ", L" %s Форматированный   %s без изменений   ");
1037 	addPair(" seconds   ", L" секунды   ");
1038 	addPair("%d min %d sec   ", L"%d мин %d сек   ");
1039 	addPair("%s lines\n", L"%s линий\n");
1040 	addPair("Opening HTML documentation %s\n", L"Открытие HTML документации %s\n");
1041 	addPair("Invalid default options:", L"Недействительные параметры по умолчанию:");
1042 	addPair("Invalid project options:", L"Недопустимые параметры проекта:");
1043 	addPair("Invalid command line options:", L"Недопустимые параметры командной строки:");
1044 	addPair("For help on options type 'astyle -h'", L"Для получения справки по 'astyle -h' опций типа");
1045 	addPair("Cannot open default option file", L"Не удается открыть файл параметров по умолчанию");
1046 	addPair("Cannot open project option file", L"Не удается открыть файл опций проекта");
1047 	addPair("Cannot open directory", L"Не могу открыть каталог");
1048 	addPair("Cannot open HTML file %s\n", L"Не удается открыть файл HTML %s\n");
1049 	addPair("Command execute failure", L"Выполнить команду недостаточности");
1050 	addPair("Command is not installed", L"Не установлен Команда");
1051 	addPair("Missing filename in %s\n", L"Отсутствует имя файла в %s\n");
1052 	addPair("Recursive option with no wildcard", L"Рекурсивный вариант без каких-либо шаблона");
1053 	addPair("Did you intend quote the filename", L"Вы намерены цитатой файла");
1054 	addPair("No file to process %s\n", L"Нет файлов для обработки %s\n");
1055 	addPair("Did you intend to use --recursive", L"Неужели вы собираетесь использовать --recursive");
1056 	addPair("Cannot process UTF-32 encoding", L"Не удается обработать UTF-32 кодировке");
1057 	addPair("Artistic Style has terminated\n", L"Artistic Style прекратил\n");
1058 }
1059 
Spanish()1060 Spanish::Spanish()	// Español
1061 // build the translation vector in the Translation base class
1062 {
1063 	addPair("Formatted  %s\n", L"Formato     %s\n");	// should align with unchanged
1064 	addPair("Unchanged  %s\n", L"Inalterado  %s\n");	// should align with formatted
1065 	addPair("Directory  %s\n", L"Directorio  %s\n");
1066 	addPair("Default option file  %s\n", L"Archivo de opciones predeterminado  %s\n");
1067 	addPair("Project option file  %s\n", L"Archivo de opciones del proyecto  %s\n");
1068 	addPair("Exclude  %s\n", L"Excluir  %s\n");
1069 	addPair("Exclude (unmatched)  %s\n", L"Excluir (incomparable)  %s\n");
1070 	addPair(" %s formatted   %s unchanged   ", L" %s formato   %s inalterado   ");
1071 	addPair(" seconds   ", L" segundo   ");
1072 	addPair("%d min %d sec   ", L"%d min %d seg   ");
1073 	addPair("%s lines\n", L"%s líneas\n");
1074 	addPair("Opening HTML documentation %s\n", L"Apertura de documentación HTML %s\n");
1075 	addPair("Invalid default options:", L"Opciones predeterminadas no válidas:");
1076 	addPair("Invalid project options:", L"Opciones de proyecto no válidas:");
1077 	addPair("Invalid command line options:", L"No válido opciones de línea de comando:");
1078 	addPair("For help on options type 'astyle -h'", L"Para obtener ayuda sobre las opciones tipo 'astyle -h'");
1079 	addPair("Cannot open default option file", L"No se puede abrir el archivo de opciones predeterminado");
1080 	addPair("Cannot open project option file", L"No se puede abrir el archivo de opciones del proyecto");
1081 	addPair("Cannot open directory", L"No se puede abrir el directorio");
1082 	addPair("Cannot open HTML file %s\n", L"No se puede abrir el archivo HTML %s\n");
1083 	addPair("Command execute failure", L"Ejecutar el fracaso de comandos");
1084 	addPair("Command is not installed", L"El comando no está instalado");
1085 	addPair("Missing filename in %s\n", L"Falta nombre del archivo en %s\n");
1086 	addPair("Recursive option with no wildcard", L"Recursiva opción sin comodín");
1087 	addPair("Did you intend quote the filename", L"Se tiene la intención de citar el nombre de archivo");
1088 	addPair("No file to process %s\n", L"No existe el fichero a procesar %s\n");
1089 	addPair("Did you intend to use --recursive", L"Se va a utilizar --recursive");
1090 	addPair("Cannot process UTF-32 encoding", L"No se puede procesar la codificación UTF-32");
1091 	addPair("Artistic Style has terminated\n", L"Artistic Style ha terminado\n");
1092 }
1093 
Swedish()1094 Swedish::Swedish()	// Svenska
1095 // build the translation vector in the Translation base class
1096 {
1097 	addPair("Formatted  %s\n", L"Formaterade  %s\n");	// should align with unchanged
1098 	addPair("Unchanged  %s\n", L"Oförändrade  %s\n");	// should align with formatted
1099 	addPair("Directory  %s\n", L"Katalog  %s\n");
1100 	addPair("Default option file  %s\n", L"Standardalternativsfil  %s\n");
1101 	addPair("Project option file  %s\n", L"Projektalternativ fil  %s\n");
1102 	addPair("Exclude  %s\n", L"Uteslut  %s\n");
1103 	addPair("Exclude (unmatched)  %s\n", L"Uteslut (oöverträffad)  %s\n");
1104 	addPair(" %s formatted   %s unchanged   ", L" %s formaterade   %s oförändrade   ");
1105 	addPair(" seconds   ", L" sekunder   ");
1106 	addPair("%d min %d sec   ", L"%d min %d sek   ");
1107 	addPair("%s lines\n", L"%s linjer\n");
1108 	addPair("Opening HTML documentation %s\n", L"Öppna HTML-dokumentation %s\n");
1109 	addPair("Invalid default options:", L"Ogiltiga standardalternativ:");
1110 	addPair("Invalid project options:", L"Ogiltiga projektalternativ:");
1111 	addPair("Invalid command line options:", L"Ogiltig kommandoraden alternativ:");
1112 	addPair("For help on options type 'astyle -h'", L"För hjälp om alternativ typ 'astyle -h'");
1113 	addPair("Cannot open default option file", L"Kan inte öppna standardalternativsfilen");
1114 	addPair("Cannot open project option file", L"Kan inte öppna projektalternativsfilen");
1115 	addPair("Cannot open directory", L"Kan inte öppna katalog");
1116 	addPair("Cannot open HTML file %s\n", L"Kan inte öppna HTML-filen %s\n");
1117 	addPair("Command execute failure", L"Utför kommando misslyckande");
1118 	addPair("Command is not installed", L"Kommandot är inte installerat");
1119 	addPair("Missing filename in %s\n", L"Saknade filnamn i %s\n");
1120 	addPair("Recursive option with no wildcard", L"Rekursiva alternativ utan jokertecken");
1121 	addPair("Did you intend quote the filename", L"Visste du tänker citera filnamnet");
1122 	addPair("No file to process %s\n", L"Ingen fil att bearbeta %s\n");
1123 	addPair("Did you intend to use --recursive", L"Har du för avsikt att använda --recursive");
1124 	addPair("Cannot process UTF-32 encoding", L"Kan inte hantera UTF-32 kodning");
1125 	addPair("Artistic Style has terminated\n", L"Artistic Style har upphört\n");
1126 }
1127 
Ukrainian()1128 Ukrainian::Ukrainian()	// Український
1129 // build the translation vector in the Translation base class
1130 {
1131 	addPair("Formatted  %s\n", L"форматований  %s\n");	// should align with unchanged
1132 	addPair("Unchanged  %s\n", L"без змін      %s\n");	// should align with formatted
1133 	addPair("Directory  %s\n", L"Каталог  %s\n");
1134 	addPair("Default option file  %s\n", L"Файл параметра за замовчуванням  %s\n");
1135 	addPair("Project option file  %s\n", L"Файл варіанту проекту  %s\n");
1136 	addPair("Exclude  %s\n", L"Виключити  %s\n");
1137 	addPair("Exclude (unmatched)  %s\n", L"Виключити (неперевершений)  %s\n");
1138 	addPair(" %s formatted   %s unchanged   ", L" %s відформатований   %s без змін   ");
1139 	addPair(" seconds   ", L" секунди   ");
1140 	addPair("%d min %d sec   ", L"%d хви %d cek   ");
1141 	addPair("%s lines\n", L"%s ліній\n");
1142 	addPair("Opening HTML documentation %s\n", L"Відкриття HTML документації %s\n");
1143 	addPair("Invalid default options:", L"Недійсні параметри за умовчанням:");
1144 	addPair("Invalid project options:", L"Недійсні параметри проекту:");
1145 	addPair("Invalid command line options:", L"Неприпустима параметри командного рядка:");
1146 	addPair("For help on options type 'astyle -h'", L"Для отримання довідки по 'astyle -h' опцій типу");
1147 	addPair("Cannot open default option file", L"Неможливо відкрити файл параметрів за замовчуванням");
1148 	addPair("Cannot open project option file", L"Неможливо відкрити файл параметрів проекту");
1149 	addPair("Cannot open directory", L"Не можу відкрити каталог");
1150 	addPair("Cannot open HTML file %s\n", L"Не вдається відкрити файл HTML %s\n");
1151 	addPair("Command execute failure", L"Виконати команду недостатності");
1152 	addPair("Command is not installed", L"Не встановлений Команда");
1153 	addPair("Missing filename in %s\n", L"Відсутня назва файлу в %s\n");
1154 	addPair("Recursive option with no wildcard", L"Рекурсивний варіант без будь-яких шаблону");
1155 	addPair("Did you intend quote the filename", L"Ви маєте намір цитатою файлу");
1156 	addPair("No file to process %s\n", L"Немає файлів для обробки %s\n");
1157 	addPair("Did you intend to use --recursive", L"Невже ви збираєтеся використовувати --recursive");
1158 	addPair("Cannot process UTF-32 encoding", L"Не вдається обробити UTF-32 кодуванні");
1159 	addPair("Artistic Style has terminated\n", L"Artistic Style припинив\n");
1160 }
1161 
1162 
1163 #endif	// ASTYLE_LIB
1164 
1165 }   // end of namespace astyle
1166 
1167