aboutsummaryrefslogtreecommitdiffstats
path: root/phpBB/phpbb/db/driver/sqlite3.php
blob: cc3352af3483aef162d8976277c5b4011ebb4863 (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
<?php
/**
*
* This file is part of the phpBB Forum Software package.
*
* @copyright (c) phpBB Limited <https://www.phpbb.com>
* @license GNU General Public License, version 2 (GPL-2.0)
*
* For full copyright and license information, please see
* the docs/CREDITS.txt file.
*
*/

namespace phpbb\db\driver;

/**
* SQLite3 Database Abstraction Layer
* Minimum Requirement: 3.6.15+
*/
class sqlite3 extends \phpbb\db\driver\driver
{
	/**
	* @var	string		Stores errors during connection setup in case the driver is not available
	*/
	protected $connect_error = '';

	/**
	* @var	\SQLite3	The SQLite3 database object to operate against
	*/
	protected $dbo = null;

	/**
	* {@inheritDoc}
	*/
	public function sql_connect($sqlserver, $sqluser, $sqlpassword, $database, $port = false, $persistency = false, $new_link = false)
	{
		$this->persistency = false;
		$this->user = $sqluser;
		$this->server = $sqlserver . (($port) ? ':' . $port : '');
		$this->dbname = $database;

		if (!class_exists('SQLite3', false))
		{
			$this->connect_error = 'SQLite3 not found, is the extension installed?';
			return $this->sql_error('');
		}

		try
		{
			$this->dbo = new \SQLite3($this->server, SQLITE3_OPEN_READWRITE | SQLITE3_OPEN_CREATE);
			$this->dbo->busyTimeout(60000);
			$this->db_connect_id = true;
		}
		catch (\Exception $e)
		{
			$this->connect_error = $e->getMessage();
			return array('message' => $this->connect_error);
		}

		return true;
	}

	/**
	* {@inheritDoc}
	*/
	public function sql_server_info($raw = false, $use_cache = true)
	{
		global $cache;

		if (!$use_cache || empty($cache) || ($this->sql_server_version = $cache->get('sqlite_version')) === false)
		{
			$version = \SQLite3::version();

			$this->sql_server_version = $version['versionString'];

			if (!empty($cache) && $use_cache)
			{
				$cache->put('sqlite_version', $this->sql_server_version);
			}
		}

		return ($raw) ? $this->sql_server_version : 'SQLite ' . $this->sql_server_version;
	}

	/**
	* SQL Transaction
	*
	* @param	string	$status		Should be one of the following strings:
	*								begin, commit, rollback
	* @return	bool	Success/failure of the transaction query
	*/
	protected function _sql_transaction($status = 'begin')
	{
		switch ($status)
		{
			case 'begin':
				return $this->dbo->exec('BEGIN IMMEDIATE');
			break;

			case 'commit':
				return $this->dbo->exec('COMMIT');
			break;

			case 'rollback':
				return $this->dbo->exec('ROLLBACK');
			break;
		}

		return true;
	}

	/**
	* {@inheritDoc}
	*/
	public function sql_query($query = '', $cache_ttl = 0)
	{
		if ($query != '')
		{
			global $cache;

			// EXPLAIN only in extra debug mode
			if (defined('DEBUG'))
			{
				$this->sql_report('start', $query);
			}
			else if (defined('PHPBB_DISPLAY_LOAD_TIME'))
			{
				$this->curtime = microtime(true);
			}

			$this->last_query_text = $query;
			$this->query_result = ($cache && $cache_ttl) ? $cache->sql_load($query) : false;
			$this->sql_add_num_queries($this->query_result);

			if ($this->query_result === false)
			{
				if (($this->query_result = @$this->dbo->query($query)) === false)
				{
					$this->sql_error($query);
				}

				if (defined('DEBUG'))
				{
					$this->sql_report('stop', $query);
				}
				else if (defined('PHPBB_DISPLAY_LOAD_TIME'))
				{
					$this->sql_time += microtime(true) - $this->curtime;
				}

				if ($cache && $cache_ttl)
				{
					$this->query_result = $cache->sql_save($this, $query, $this->query_result, $cache_ttl);
				}
			}
			else if (defined('DEBUG'))
			{
				$this->sql_report('fromcache', $query);
			}
		}
		else
		{
			return false;
		}

		return $this->query_result;
	}

	/**
	* Build LIMIT query
	*
	* @param	string	$query		The SQL query to execute
	* @param	int		$total		The number of rows to select
	* @param	int		$offset
	* @param	int		$cache_ttl	Either 0 to avoid caching or
	*				the time in seconds which the result shall be kept in cache
	* @return	mixed	Buffered, seekable result handle, false on error
	*/
	protected function _sql_query_limit($query, $total, $offset = 0, $cache_ttl = 0)
	{
		$this->query_result = false;

		// if $total is set to 0 we do not want to limit the number of rows
		if ($total == 0)
		{
			$total = -1;
		}

		$query .= "\n LIMIT " . ((!empty($offset)) ? $offset . ', ' . $total : $total);

		return $this->sql_query($query, $cache_ttl);
	}

	/**
	* {@inheritDoc}
	*/
	public function sql_affectedrows()
	{
		return ($this->db_connect_id) ? $this->dbo->changes() : false;
	}

	/**
	* {@inheritDoc}
	*/
	public function sql_fetchrow($query_id = false)
	{
		global $cache;

		if ($query_id === false)
		{
			$query_id = $this->query_result;
		}

		if ($cache && !is_object($query_id) && $cache->sql_exists($query_id))
		{
			return $cache->sql_fetchrow($query_id);
		}

		return is_object($query_id) ? $query_id->fetchArray(SQLITE3_ASSOC) : false;
	}

	/**
	* {@inheritDoc}
	*/
	public function sql_nextid()
	{
		return ($this->db_connect_id) ? $this->dbo->lastInsertRowID() : false;
	}

	/**
	* {@inheritDoc}
	*/
	public function sql_freeresult($query_id = false)
	{
		global $cache;

		if ($query_id === false)
		{
			$query_id = $this->query_result;
		}

		if ($cache && !is_object($query_id) && $cache->sql_exists($query_id))
		{
			return $cache->sql_freeresult($query_id);
		}

		if ($query_id)
		{
			return @$query_id->finalize();
		}
	}

	/**
	* {@inheritDoc}
	*/
	public function sql_escape($msg)
	{
		return \SQLite3::escapeString($msg);
	}

	/**
	* {@inheritDoc}
	*
	* For SQLite an underscore is an unknown character.
	*/
	public function sql_like_expression($expression)
	{
		// Unlike LIKE, GLOB is unfortunately case sensitive.
		// We only catch * and ? here, not the character map possible on file globbing.
		$expression = str_replace(array(chr(0) . '_', chr(0) . '%'), array(chr(0) . '?', chr(0) . '*'), $expression);

		$expression = str_replace(array('?', '*'), array("\?", "\*"), $expression);
		$expression = str_replace(array(chr(0) . "\?", chr(0) . "\*"), array('?', '*'), $expression);

		return 'GLOB \'' . $this->sql_escape($expression) . '\'';
	}

	/**
	* {@inheritDoc}
	*
	* For SQLite an underscore is an unknown character.
	*/
	public function sql_not_like_expression($expression)
	{
		// Unlike NOT LIKE, NOT GLOB is unfortunately case sensitive
		// We only catch * and ? here, not the character map possible on file globbing.
		$expression = str_replace(array(chr(0) . '_', chr(0) . '%'), array(chr(0) . '?', chr(0) . '*'), $expression);

		$expression = str_replace(array('?', '*'), array("\?", "\*"), $expression);
		$expression = str_replace(array(chr(0) . "\?", chr(0) . "\*"), array('?', '*'), $expression);

		return 'NOT GLOB \'' . $this->sql_escape($expression) . '\'';
	}

	/**
	* return sql error array
	*
	* @return array
	*/
	protected function _sql_error()
	{
		if (class_exists('SQLite3', false) && isset($this->dbo))
		{
			$error = array(
				'message'	=> $this->dbo->lastErrorMsg(),
				'code'		=> $this->dbo->lastErrorCode(),
			);
		}
		else
		{
			$error = array(
				'message'	=> $this->connect_error,
				'code'		=> '',
			);
		}

		return $error;
	}

	/**
	* Build db-specific query data
	*
	* @param	string	$stage		Available stages: FROM, WHERE
	* @param	mixed	$data		A string containing the CROSS JOIN query or an array of WHERE clauses
	*
	* @return	string	The db-specific query fragment
	*/
	protected function _sql_custom_build($stage, $data)
	{
		return $data;
	}

	/**
	* Close sql connection
	*
	* @return	bool		False if failure
	*/
	protected function _sql_close()
	{
		return $this->dbo->close();
	}

	/**
	* Build db-specific report
	*
	* @param	string	$mode		Available modes: display, start, stop,
	*								add_select_row, fromcache, record_fromcache
	* @param	string	$query		The Query that should be explained
	* @return	mixed		Either a full HTML page, boolean or null
	*/
	protected function _sql_report($mode, $query = '')
	{
		switch ($mode)
		{
			case 'start':

				$explain_query = $query;
				if (preg_match('/UPDATE ([a-z0-9_]+).*?WHERE(.*)/s', $query, $m))
				{
					$explain_query = 'SELECT * FROM ' . $m[1] . ' WHERE ' . $m[2];
				}
				else if (preg_match('/DELETE FROM ([a-z0-9_]+).*?WHERE(.*)/s', $query, $m))
				{
					$explain_query = 'SELECT * FROM ' . $m[1] . ' WHERE ' . $m[2];
				}

				if (preg_match('/^SELECT/', $explain_query))
				{
					$html_table = false;

					if ($result = $this->dbo->query("EXPLAIN QUERY PLAN $explain_query"))
					{
						while ($row = $result->fetchArray(SQLITE3_ASSOC))
						{
							$html_table = $this->sql_report('add_select_row', $query, $html_table, $row);
						}
					}

					if ($html_table)
					{
						$this->html_hold .= '</table>';
					}
				}

			break;

			case 'fromcache':
				$endtime = explode(' ', microtime());
				$endtime = $endtime[0] + $endtime[1];

				$result = $this->dbo->query($query);
				while ($void = $result->fetchArray(SQLITE3_ASSOC))
				{
					// Take the time spent on parsing rows into account
				}

				$splittime = explode(' ', microtime());
				$splittime = $splittime[0] + $splittime[1];

				$this->sql_report('record_fromcache', $query, $endtime, $splittime);

			break;
		}
	}
}
/div>
+#: Xconfig/monitor.pm:108 mouse.pm:49
#, c-format
-msgid "MM HitTablet"
-msgstr "MM HitTablet"
+msgid "Generic"
+msgstr "Општ"
-#: ../../services.pm:1
+#: Xconfig/monitor.pm:109 standalone/drakconnect:520 standalone/harddrake2:68
+#: standalone/harddrake2:69
#, c-format
-msgid "Stop"
-msgstr "Стоп"
+msgid "Vendor"
+msgstr "Производител"
-#: ../../standalone/scannerdrake:1
+#: Xconfig/monitor.pm:119
#, c-format
-msgid "Edit selected host"
-msgstr "Уреди го селектираниот домаќин"
+msgid "Plug'n Play probing failed. Please select the correct monitor"
+msgstr ""
+"Пробата на Plug'n Play е неуспешна. Ве молиме изберете го правилниот монитор"
-#: ../../standalone/drakbackup:1
+#: Xconfig/monitor.pm:124
#, c-format
-msgid "No CD device defined!"
-msgstr "Не е дефиниран CD-уред!"
-
-#: ../../network/shorewall.pm:1
-#, fuzzy, c-format
msgid ""
-"Please enter the name of the interface connected to the "
-"internet. \n"
-" \n"
-"Examples:\n"
-" ppp+ for modem or DSL connections, \n"
-" eth0, or eth1 for cable connection, \n"
-" ippp+ for a isdn connection.\n"
+"The two critical parameters are the vertical refresh rate, which is the "
+"rate\n"
+"at which the whole screen is refreshed, and most importantly the horizontal\n"
+"sync rate, which is the rate at which scanlines are displayed.\n"
+"\n"
+"It is VERY IMPORTANT that you do not specify a monitor type with a sync "
+"range\n"
+"that is beyond the capabilities of your monitor: you may damage your "
+"monitor.\n"
+" If in doubt, choose a conservative setting."
msgstr ""
-"Ве молиме внесете го името на интерфејсот за поврзување на Интернет\n"
+"Два критични параметри се \"вертикалното освежување\", кое означува\n"
+"со колкава фреквенција се освежува целиот екран; и, најважно, \n"
+"\"хоризонталната синхронизација\", која означува со колкава\n"
+"фреквенција се прикажуваат скен-линиите.\n"
"\n"
-"На пример:\n"
-"\t\tppp+ за модем или DSL конекција, \n"
-"\t\teth0, или eth1 за кабелска конекција, \n"
-"\t\tippp+ за ISDN конекција. \n"
+"МНОГУ Е ВАЖНО да не наведете монитор со ранг на хоризонтална \n"
+"синхронизација кој е вон можностите на Вашиот монитор: затоа што \n"
+"може физички да го оштетите.\n"
+" Ако не сте сигурни, бирајте конзервативно."
-#: ../../standalone/drakbackup:1
+#: Xconfig/monitor.pm:131
#, c-format
-msgid "\tUse .backupignore files\n"
-msgstr "\tКористење на .backupignore датотеките\n"
+msgid "Horizontal refresh rate"
+msgstr "Хоризонтална синхронизација"
-#: ../../keyboard.pm:1
+#: Xconfig/monitor.pm:132
#, c-format
-msgid "Bulgarian (phonetic)"
-msgstr "Бугарски (фонетски)"
+msgid "Vertical refresh rate"
+msgstr "Вертикално освежување"
-#: ../../standalone/drakpxe:1
+#: Xconfig/resolution_and_depth.pm:12
#, c-format
-msgid "The DHCP start ip"
-msgstr "Стартен ip на DHCP"
+msgid "256 colors (8 bits)"
+msgstr "256 бои (8 бита)"
-#: ../../Xconfig/card.pm:1
+#: Xconfig/resolution_and_depth.pm:13
#, c-format
-msgid "256 kB"
-msgstr "256 kB"
+msgid "32 thousand colors (15 bits)"
+msgstr "32 илјади бои (15 бита)"
-#: ../../standalone/drakbackup:1
+#: Xconfig/resolution_and_depth.pm:14
#, c-format
-msgid "Don't rewind tape after backup"
-msgstr "Не ја премотувај лентата по бекапот"
+msgid "65 thousand colors (16 bits)"
+msgstr "65 илјади бои (16 бита)"
-#: ../../any.pm:1
+#: Xconfig/resolution_and_depth.pm:15
#, c-format
-msgid "Bootloader main options"
-msgstr "Главни опции за подигачот"
+msgid "16 million colors (24 bits)"
+msgstr "16 милиони бои (24 бита)"
-#: ../../standalone.pm:1
+#: Xconfig/resolution_and_depth.pm:16
#, c-format
-msgid ""
-"[--manual] [--device=dev] [--update-sane=sane_source_dir] [--update-"
-"usbtable] [--dynamic=dev]"
-msgstr ""
-"[--manual] [--device=dev] [--update-sane=sane_source_dir] [--update-"
-"usbtable] [--dynamic=dev]"
+msgid "4 billion colors (32 bits)"
+msgstr "4 милијарди бои (32 бита)"
-#: ../../harddrake/data.pm:1 ../../standalone/drakbackup:1
+#: Xconfig/resolution_and_depth.pm:141
#, c-format
-msgid "Tape"
-msgstr "Лента"
+msgid "Resolutions"
+msgstr "Резолуции"
-#: ../../lang.pm:1
+#: Xconfig/resolution_and_depth.pm:275
#, c-format
-msgid "Malaysia"
-msgstr "Малезија"
+msgid "Choose the resolution and the color depth"
+msgstr "Изберете резолуција и длабочина на бои"
-#: ../../printer/printerdrake.pm:1
+#: Xconfig/resolution_and_depth.pm:276
#, c-format
-msgid "Scanning network..."
-msgstr "Скенирам мрежа..."
+msgid "Graphics card: %s"
+msgstr "Графичка карта: %s"
-#: ../../standalone/drakbackup:1
+#: Xconfig/resolution_and_depth.pm:289 interactive.pm:403
+#: interactive/gtk.pm:734 interactive/http.pm:103 interactive/http.pm:157
+#: interactive/newt.pm:308 interactive/newt.pm:410 interactive/stdio.pm:39
+#: interactive/stdio.pm:142 interactive/stdio.pm:143 interactive/stdio.pm:172
+#: standalone/drakbackup:4320 standalone/drakbackup:4352
+#: standalone/drakbackup:4445 standalone/drakbackup:4462
+#: standalone/drakbackup:4563 standalone/drakconnect:162
+#: standalone/drakconnect:734 standalone/drakconnect:821
+#: standalone/drakconnect:964 standalone/net_monitor:303 ugtk2.pm:412
+#: ugtk2.pm:509 ugtk2.pm:1047 ugtk2.pm:1070
#, c-format
-msgid ""
-"With this option you will be able to restore any version\n"
-" of your /etc directory."
-msgstr ""
-"Со оваа опција ќе можеш да ја повратиш секоја верзија\n"
-" на твојот /etc директориум."
+msgid "Ok"
+msgstr "Во ред"
-#: ../../standalone/drakedm:1
+#: Xconfig/resolution_and_depth.pm:289 any.pm:858 diskdrake/smbnfs_gtk.pm:81
+#: help.pm:197 help.pm:457 install_steps_gtk.pm:488
+#: install_steps_interactive.pm:787 interactive.pm:404 interactive/gtk.pm:738
+#: interactive/http.pm:104 interactive/http.pm:161 interactive/newt.pm:307
+#: interactive/newt.pm:414 interactive/stdio.pm:39 interactive/stdio.pm:142
+#: interactive/stdio.pm:176 printer/printerdrake.pm:2920
+#: standalone/drakautoinst:200 standalone/drakbackup:4284
+#: standalone/drakbackup:4311 standalone/drakbackup:4336
+#: standalone/drakbackup:4369 standalone/drakbackup:4395
+#: standalone/drakbackup:4421 standalone/drakbackup:4478
+#: standalone/drakbackup:4504 standalone/drakbackup:4534
+#: standalone/drakbackup:4558 standalone/drakconnect:161
+#: standalone/drakconnect:819 standalone/drakconnect:973
+#: standalone/drakfont:657 standalone/drakfont:734 standalone/logdrake:176
+#: standalone/net_monitor:299 ugtk2.pm:406 ugtk2.pm:507 ugtk2.pm:516
+#: ugtk2.pm:1047
#, c-format
-msgid "The change is done, do you want to restart the dm service ?"
-msgstr "Промената е направена, дали сакате да го рестартирате dm сервисот?"
+msgid "Cancel"
+msgstr "Откажи"
-#: ../../keyboard.pm:1
+#: Xconfig/resolution_and_depth.pm:289 diskdrake/hd_gtk.pm:154
+#: install_steps_gtk.pm:267 install_steps_gtk.pm:667 interactive.pm:498
+#: interactive/gtk.pm:620 interactive/gtk.pm:622 standalone/drakTermServ:313
+#: standalone/drakbackup:4281 standalone/drakbackup:4308
+#: standalone/drakbackup:4333 standalone/drakbackup:4366
+#: standalone/drakbackup:4392 standalone/drakbackup:4418
+#: standalone/drakbackup:4459 standalone/drakbackup:4475
+#: standalone/drakbackup:4501 standalone/drakbackup:4530
+#: standalone/drakbackup:4555 standalone/drakbackup:4580
+#: standalone/drakbug:157 standalone/drakconnect:157
+#: standalone/drakconnect:227 standalone/drakfont:509 standalone/drakperm:134
+#: standalone/draksec:285 standalone/harddrake2:183 ugtk2.pm:1160
+#: ugtk2.pm:1161
#, c-format
-msgid "Swiss (French layout)"
-msgstr "Швајцарија (француски распоред)"
+msgid "Help"
+msgstr "Помош"
-#: ../../raid.pm:1
+#: Xconfig/test.pm:30
#, c-format
-msgid "mkraid failed (maybe raidtools are missing?)"
-msgstr "mkraid не успеа (можеби недостасуваат raid алатките?)"
+msgid "Test of the configuration"
+msgstr "Тест на конфигурацијата"
-#: ../../standalone/drakbackup:1
+#: Xconfig/test.pm:31
#, c-format
-msgid "August"
-msgstr "август"
-
-#: ../../network/drakfirewall.pm:1
-#, fuzzy, c-format
-msgid "FTP server"
-msgstr "NTP сервер"
+msgid "Do you want to test the configuration?"
+msgstr "Дали сакате да ја тестирате конфигурацијата?"
-#: ../../harddrake/data.pm:1
+#: Xconfig/test.pm:31
#, c-format
-msgid "Webcam"
-msgstr "Веб-камера"
+msgid "Warning: testing this graphic card may freeze your computer"
+msgstr ""
+"Внимание: тестирање на оваа графичка карта може да го замрзне компјутерот"
-#: ../../standalone/harddrake2:1
+#: Xconfig/test.pm:71
#, c-format
-msgid "size of the (second level) cpu cache"
-msgstr "големина на L2 процесорскиот кеш"
+msgid ""
+"An error occurred:\n"
+"%s\n"
+"Try to change some parameters"
+msgstr ""
+"Се појави грешка:\n"
+"%s\n"
+"Обидете се да сменете некои параметри"
-#: ../../harddrake/data.pm:1
+#: Xconfig/test.pm:149
#, c-format
-msgid "Soundcard"
-msgstr "Звучна картичка"
+msgid "Leaving in %d seconds"
+msgstr "Напушта за %d секунди"
-#: ../../standalone/drakbackup:1
+#: Xconfig/test.pm:149
#, c-format
-msgid "Month"
-msgstr "Месец"
+msgid "Is this the correct setting?"
+msgstr "Дали се ова точните подесувања?"
-#: ../../standalone/drakbackup:1
+#: Xconfig/various.pm:29
#, c-format
-msgid "Search for files to restore"
-msgstr "Барај кои датотеки да се повратат"
+msgid "Keyboard layout: %s\n"
+msgstr "Тастатурен распоред: %s\n"
-#: ../../lang.pm:1
+#: Xconfig/various.pm:30
#, c-format
-msgid "Luxembourg"
-msgstr "Луксембург"
+msgid "Mouse type: %s\n"
+msgstr "Тип на глушец: %s\n"
-#: ../../printer/printerdrake.pm:1
+#: Xconfig/various.pm:31
#, c-format
-msgid ""
-"To print a file from the command line (terminal window) use the command \"%s "
-"<file>\".\n"
-msgstr ""
-"За да печатиш датотека од командната линија(терминален прозор) користи ја "
-"командата \"%s<file>\".\n"
+msgid "Mouse device: %s\n"
+msgstr "Уред за глушецот: %s\n"
-#: ../../diskdrake/interactive.pm:1
+#: Xconfig/various.pm:32
#, c-format
-msgid "Level %s\n"
-msgstr "Ниво %s\n"
+msgid "Monitor: %s\n"
+msgstr "Монитор: %s\n"
-#: ../../keyboard.pm:1
+#: Xconfig/various.pm:33
#, c-format
-msgid "Syriac (phonetic)"
-msgstr "Сириски (фонетски)"
+msgid "Monitor HorizSync: %s\n"
+msgstr "Монитор хоризонтално: %s\n"
-#: ../../lang.pm:1
+#: Xconfig/various.pm:34
#, c-format
-msgid "Iran"
-msgstr "Иран"
+msgid "Monitor VertRefresh: %s\n"
+msgstr "Монитор вертикално: %s\n"
-#: ../../standalone/harddrake2:1
+#: Xconfig/various.pm:35
#, c-format
-msgid "Bus"
-msgstr "Магистрала"
+msgid "Graphics card: %s\n"
+msgstr "Графичка карта: %s\n"
-#: ../../lang.pm:1
+#: Xconfig/various.pm:36
#, c-format
-msgid "Iraq"
-msgstr "Ирак"
-
-#: ../../standalone/drakbug:1
-#, fuzzy, c-format
-msgid "connecting to %s ..."
-msgstr "се поврзувам со Bugzilla волшебникот ..."
+msgid "Graphics memory: %s kB\n"
+msgstr "Графичка меморија: %s kB\n"
-#: ../../standalone/drakgw:1
+#: Xconfig/various.pm:38
#, c-format
-msgid "Potential LAN address conflict found in current config of %s!\n"
-msgstr ""
-"Потенцијален конфликт во LAN адресата е најден во сегашната конфигурација на "
-"%s!\n"
+msgid "Color depth: %s\n"
+msgstr "Длабочина на бои: %s\n"
-#: ../../standalone/drakgw:1
+#: Xconfig/various.pm:39
#, c-format
-msgid "Configuring..."
-msgstr "Се конфигурира..."
+msgid "Resolution: %s\n"
+msgstr "Резолуција: %s\n"
-#: ../../harddrake/v4l.pm:1
+#: Xconfig/various.pm:41
#, c-format
-msgid ""
-"For most modern TV cards, the bttv module of the GNU/Linux kernel just auto-"
-"detect the rights parameters.\n"
-"If your card is misdetected, you can force the right tuner and card types "
-"here. Just select your tv card parameters if needed."
-msgstr ""
-"За повеќето современи ТВ-картички, модулот bttv од GNU/Linux кернелот "
-"автоматски ги детектира вистинските параметри.\n"
-"Ако Вашата картичка не е добро детектирана, овде можете рачно да ги "
-"наместите тјунерот и типот на картичката. Едноставно изберете ги параметрите "
-"за Вашата картичка ако тоа е потребно."
+msgid "XFree86 server: %s\n"
+msgstr "XFree86 сервер: %s\n"
-#: ../../any.pm:1 ../../install_steps_interactive.pm:1
+#: Xconfig/various.pm:42
#, c-format
-msgid "Password (again)"
-msgstr "Лозинка (повторно)"
+msgid "XFree86 driver: %s\n"
+msgstr "XFree86 драјвер: %s\n"
-#: ../../standalone/drakfont:1
+#: Xconfig/various.pm:71
#, c-format
-msgid "Search installed fonts"
-msgstr "Пребарај инсталирани фонтови"
+msgid "Graphical interface at startup"
+msgstr "Подигање во графички интерфејс"
-#: ../../standalone/drakboot:1
+#: Xconfig/various.pm:73
#, c-format
-msgid "Default desktop"
-msgstr "Стандардна Работна површина"
+msgid ""
+"I can setup your computer to automatically start the graphical interface "
+"(XFree) upon booting.\n"
+"Would you like XFree to start when you reboot?"
+msgstr ""
+"Вашиот компјутер може автоматски да го вклучи графичкиот интерфејс (XFree) "
+"при подигање.\n"
+"Дали го сакате тоа?"
-#: ../../standalone/drakbug:1
-#, fuzzy, c-format
+#: Xconfig/various.pm:86
+#, c-format
msgid ""
-"To submit a bug report, click on the button report.\n"
-"This will open a web browser window on %s\n"
-" where you'll find a form to fill in. The information displayed above will "
-"be \n"
-"transferred to that server."
+"Your graphic card seems to have a TV-OUT connector.\n"
+"It can be configured to work using frame-buffer.\n"
+"\n"
+"For this you have to plug your graphic card to your TV before booting your "
+"computer.\n"
+"Then choose the \"TVout\" entry in the bootloader\n"
+"\n"
+"Do you have this feature?"
msgstr ""
+"Изгледа дека Вашата картичка има TV-OUT приклучок.\n"
+"Може да се конфигурира да работи со користење на frame-buffer.\n"
"\n"
+"За тоа е потребно да ги споите графичката картичка и телевизорот пред "
+"подигање.\n"
+"Тогаш изберете \"TVout\" во bootloader-от\n"
"\n"
-" До Вклучено\n"
-" Вклучено\n"
-" на во\n"
-" на\n"
+"Дали навистина Вашата графичка ја има таа можност?"
-#: ../../lang.pm:1
+#: Xconfig/various.pm:98
#, c-format
-msgid "Venezuela"
-msgstr "Венецуела"
+msgid "What norm is your TV using?"
+msgstr "Која норма ја користи вашиот телевизор?"
-#: ../../network/network.pm:1 ../../printer/printerdrake.pm:1
-#: ../../standalone/drakconnect:1
+#: any.pm:98 harddrake/sound.pm:150 interactive.pm:441 standalone/drakbug:259
+#: standalone/drakconnect:164 standalone/drakxtv:90 standalone/harddrake2:133
+#: standalone/service_harddrake:94
#, c-format
-msgid "IP address"
-msgstr "IP адреса"
+msgid "Please wait"
+msgstr "Ве молиме, почекајте"
-#: ../../install_interactive.pm:1
-#, c-format
-msgid "Choose the sizes"
-msgstr "Избири ги големините"
+#: any.pm:98
+#, fuzzy, c-format
+msgid "Bootloader installation in progress"
+msgstr "Инсталацијата на подигачот е во тек"
-#: ../../standalone/drakbackup:1
+#: any.pm:137
#, c-format
msgid ""
-"List of data corrupted:\n"
+"You decided to install the bootloader on a partition.\n"
+"This implies you already have a bootloader on the hard drive you boot (eg: "
+"System Commander).\n"
"\n"
+"On which drive are you booting?"
msgstr ""
-"Листа на оштетени податоци:\n"
+"Одлучивте да инсталирате подигач на партиција.\n"
+"Тоа претпоставува дека веќе имате подигач (пр. System Commander) на "
+"хардискот што го подигате.\n"
"\n"
+"На кој диск подигате?"
-#: ../../fs.pm:1
+#: any.pm:160 any.pm:192 help.pm:800
#, c-format
-msgid ""
-"Can only be mounted explicitly (i.e.,\n"
-"the -a option will not cause the file system to be mounted)."
-msgstr ""
-"Може да се монтира само експлицитно (на пр.,\n"
-"опцијата -а нема да предизвика фајл системот да биде монтиран)."
+msgid "First sector of drive (MBR)"
+msgstr "Првиот сектор на дискот (MBR)"
-#: ../../network/modem.pm:1
+#: any.pm:161
#, c-format
-msgid ""
-"Your modem isn't supported by the system.\n"
-"Take a look at http://www.linmodems.org"
-msgstr ""
-"Вашиот модем не е поддржан од системот.\n"
-"Проверете на http://www.linmodems.org"
+msgid "First sector of the root partition"
+msgstr "Првиот сектор на root партицијата"
-#: ../../diskdrake/interactive.pm:1
+#: any.pm:163
#, c-format
-msgid "Choose another partition"
-msgstr "Изберете друга партиција"
+msgid "On Floppy"
+msgstr "На дискета"
-#: ../../standalone/drakperm:1
+#: any.pm:165 help.pm:768 help.pm:800 printer/printerdrake.pm:3238
#, c-format
-msgid "Current user"
-msgstr "Тековен корисник"
+msgid "Skip"
+msgstr "Прескокни"
-#: ../../diskdrake/smbnfs_gtk.pm:1 ../../standalone/drakbackup:1
+#: any.pm:170
#, c-format
-msgid "Username"
-msgstr "Корисничко име"
+msgid "SILO Installation"
+msgstr "Инсталација на SILO"
-#: ../../keyboard.pm:1
+#: any.pm:170
#, c-format
-msgid "Left \"Windows\" key"
-msgstr "Левото \"Windows\"-копче"
+msgid "LILO/grub Installation"
+msgstr "Инсталација на LILO/grub"
-#: ../../lang.pm:1
+#: any.pm:171
#, c-format
-msgid "Guyana"
-msgstr "Гвајана"
+msgid "Where do you want to install the bootloader?"
+msgstr "Каде сакате да го инсталирате подигачот?"
-#: ../../standalone/drakTermServ:1
+#: any.pm:192
#, c-format
-msgid "dhcpd Server Configuration"
-msgstr "Конфигурација на dhcpd серверот"
+msgid "First sector of boot partition"
+msgstr "Првиот сектор на boot партицијата"
-#: ../../standalone/drakperm:1
+#: any.pm:204 any.pm:239
#, c-format
-msgid ""
-"Used for directory:\n"
-" only owner of directory or file in this directory can delete it"
-msgstr ""
-"Се користи за директориум\n"
-" само сопственикот на директориумот или датотека во овој директориум може да "
-"го избрише"
+msgid "Bootloader main options"
+msgstr "Главни опции за подигачот"
-#: ../../printer/main.pm:1
+#: any.pm:205
#, c-format
-msgid " on Novell server \"%s\", printer \"%s\""
-msgstr "на Novell сервер \"%s\", принтер \"%s\""
+msgid "Boot Style Configuration"
+msgstr "Конфигурација на стил на подигање"
-#: ../../standalone/printerdrake:1
+#: any.pm:209
#, c-format
-msgid "Printer Name"
-msgstr "Име на принтер"
+msgid "Give the ram size in MB"
+msgstr "Количество РАМ во МБ"
-#: ../../../move/move.pm:1
+#: any.pm:211
#, c-format
-msgid "Setting up USB key"
-msgstr ""
+msgid ""
+"Option ``Restrict command line options'' is of no use without a password"
+msgstr "Опцијата \"Рестрикција на командна линија\" е бесполезна без лозинка"
-#: ../../standalone/drakfloppy:1
+#: any.pm:212 any.pm:519 install_steps_interactive.pm:1158
#, c-format
-msgid "Remove a module"
-msgstr "Отстрани модул"
+msgid "The passwords do not match"
+msgstr "Лозинките не се совпаѓаат"
-#: ../../any.pm:1 ../../install_steps_interactive.pm:1
-#: ../../diskdrake/smbnfs_gtk.pm:1 ../../network/modem.pm:1
-#: ../../printer/printerdrake.pm:1 ../../standalone/drakbackup:1
-#: ../../standalone/drakconnect:1
+#: any.pm:212 any.pm:519 diskdrake/interactive.pm:1255
+#: install_steps_interactive.pm:1158
#, c-format
-msgid "Password"
-msgstr "Лозинка"
+msgid "Please try again"
+msgstr "Обидете се повторно"
-#: ../../standalone/drakbackup:1
+#: any.pm:217 any.pm:242 help.pm:768
#, c-format
-msgid "Advanced Configuration"
-msgstr "Напредна Конфигурација"
+msgid "Bootloader to use"
+msgstr "Подигач кој ќе се користи"
-#: ../../printer/printerdrake.pm:1
+#: any.pm:219
#, c-format
-msgid "Scanning on your HP multi-function device"
-msgstr "Се скенира твојот НР повеќе-функциски уред"
+msgid "Bootloader installation"
+msgstr "Инсталација на подигач"
-#: ../../any.pm:1
+#: any.pm:221 any.pm:244 help.pm:768
#, c-format
-msgid "Root"
-msgstr "Root"
+msgid "Boot device"
+msgstr "Уред за подигачот"
-#: ../../diskdrake/interactive.pm:1
+#: any.pm:223
#, c-format
-msgid "Choose an existing RAID to add to"
-msgstr "Изберете постоечки RAID на кој да се додаде"
+msgid "Delay before booting default image"
+msgstr "Пауза пред подигање на првиот"
+
+#: any.pm:224 help.pm:768
+#, fuzzy, c-format
+msgid "Enable ACPI"
+msgstr "Овозможи ACPI"
-#: ../../keyboard.pm:1
+#: any.pm:225
#, c-format
-msgid "Turkish (modern \"Q\" model)"
-msgstr "Турска (модерен \"Q\" модел)"
+msgid "Force No APIC"
+msgstr "Изврши No APIC"
-#: ../../standalone/drakboot:1
+#: any.pm:227 any.pm:546 diskdrake/smbnfs_gtk.pm:180
+#: install_steps_interactive.pm:1163 network/netconnect.pm:491
+#: printer/printerdrake.pm:1340 printer/printerdrake.pm:1454
+#: standalone/drakbackup:1990 standalone/drakbackup:3875
+#: standalone/drakconnect:916 standalone/drakconnect:944
#, c-format
-msgid "Lilo message not found"
-msgstr "Lilo пораката не е најдена"
+msgid "Password"
+msgstr "Лозинка"
-#: ../../services.pm:1
+#: any.pm:228 any.pm:547 install_steps_interactive.pm:1164
#, c-format
-msgid ""
-"Automatic regeneration of kernel header in /boot for\n"
-"/usr/include/linux/{autoconf,version}.h"
-msgstr ""
-"Автоматско регенерирање на хедерот на кернелот во /boot за\n"
-"/usr/include/linux/{autoconf,version}.h"
+msgid "Password (again)"
+msgstr "Лозинка (повторно)"
-#: ../../standalone/drakfloppy:1
+#: any.pm:229
#, c-format
-msgid "if needed"
-msgstr "ако е потребно"
+msgid "Restrict command line options"
+msgstr "Рестрикција на командна линија"
-#: ../../standalone/drakclock:1
+#: any.pm:229
#, c-format
-msgid ""
-"We need to install ntp package\n"
-" to enable Network Time Protocol"
-msgstr ""
+msgid "restrict"
+msgstr "рестрикција"
-#: ../../standalone/drakbackup:1
+#: any.pm:231
#, c-format
-msgid "Restore Failed..."
-msgstr "Враќањето не успеа..."
+msgid "Clean /tmp at each boot"
+msgstr "Чистење на /tmp при секое подигање"
-#: ../../standalone/drakbackup:1
+#: any.pm:232
#, c-format
-msgid "Store the password for this system in drakbackup configuration."
-msgstr ""
+msgid "Precise RAM size if needed (found %d MB)"
+msgstr "Точното количество РАМ, ако е потребно (пронајдени се %d МБ) "
-#: ../../install_messages.pm:1
+#: any.pm:234
#, c-format
-msgid ""
-"Introduction\n"
-"\n"
-"The operating system and the different components available in the Mandrake "
-"Linux distribution \n"
-"shall be called the \"Software Products\" hereafter. The Software Products "
-"include, but are not \n"
-"restricted to, the set of programs, methods, rules and documentation related "
-"to the operating \n"
-"system and the different components of the Mandrake Linux distribution.\n"
-"\n"
-"\n"
-"1. License Agreement\n"
-"\n"
-"Please read this document carefully. This document is a license agreement "
-"between you and \n"
-"MandrakeSoft S.A. which applies to the Software Products.\n"
-"By installing, duplicating or using the Software Products in any manner, you "
-"explicitly \n"
-"accept and fully agree to conform to the terms and conditions of this "
-"License. \n"
-"If you disagree with any portion of the License, you are not allowed to "
-"install, duplicate or use \n"
-"the Software Products. \n"
-"Any attempt to install, duplicate or use the Software Products in a manner "
-"which does not comply \n"
-"with the terms and conditions of this License is void and will terminate "
-"your rights under this \n"
-"License. Upon termination of the License, you must immediately destroy all "
-"copies of the \n"
-"Software Products.\n"
-"\n"
-"\n"
-"2. Limited Warranty\n"
-"\n"
-"The Software Products and attached documentation are provided \"as is\", "
-"with no warranty, to the \n"
-"extent permitted by law.\n"
-"MandrakeSoft S.A. will, in no circumstances and to the extent permitted by "
-"law, be liable for any special,\n"
-"incidental, direct or indirect damages whatsoever (including without "
-"limitation damages for loss of \n"
-"business, interruption of business, financial loss, legal fees and penalties "
-"resulting from a court \n"
-"judgment, or any other consequential loss) arising out of the use or "
-"inability to use the Software \n"
-"Products, even if MandrakeSoft S.A. has been advised of the possibility or "
-"occurence of such \n"
-"damages.\n"
-"\n"
-"LIMITED LIABILITY LINKED TO POSSESSING OR USING PROHIBITED SOFTWARE IN SOME "
-"COUNTRIES\n"
-"\n"
-"To the extent permitted by law, MandrakeSoft S.A. or its distributors will, "
-"in no circumstances, be \n"
-"liable for any special, incidental, direct or indirect damages whatsoever "
-"(including without \n"
-"limitation damages for loss of business, interruption of business, financial "
-"loss, legal fees \n"
-"and penalties resulting from a court judgment, or any other consequential "
-"loss) arising out \n"
-"of the possession and use of software components or arising out of "
-"downloading software components \n"
-"from one of Mandrake Linux sites which are prohibited or restricted in some "
-"countries by local laws.\n"
-"This limited liability applies to, but is not restricted to, the strong "
-"cryptography components \n"
-"included in the Software Products.\n"
-"\n"
-"\n"
-"3. The GPL License and Related Licenses\n"
-"\n"
-"The Software Products consist of components created by different persons or "
-"entities. Most \n"
-"of these components are governed under the terms and conditions of the GNU "
-"General Public \n"
-"Licence, hereafter called \"GPL\", or of similar licenses. Most of these "
-"licenses allow you to use, \n"
-"duplicate, adapt or redistribute the components which they cover. Please "
-"read carefully the terms \n"
-"and conditions of the license agreement for each component before using any "
-"component. Any question \n"
-"on a component license should be addressed to the component author and not "
-"to MandrakeSoft.\n"
-"The programs developed by MandrakeSoft S.A. are governed by the GPL License. "
-"Documentation written \n"
-"by MandrakeSoft S.A. is governed by a specific license. Please refer to the "
-"documentation for \n"
-"further details.\n"
-"\n"
-"\n"
-"4. Intellectual Property Rights\n"
-"\n"
-"All rights to the components of the Software Products belong to their "
-"respective authors and are \n"
-"protected by intellectual property and copyright laws applicable to software "
-"programs.\n"
-"MandrakeSoft S.A. reserves its rights to modify or adapt the Software "
-"Products, as a whole or in \n"
-"parts, by all means and for all purposes.\n"
-"\"Mandrake\", \"Mandrake Linux\" and associated logos are trademarks of "
-"MandrakeSoft S.A. \n"
-"\n"
-"\n"
-"5. Governing Laws \n"
-"\n"
-"If any portion of this agreement is held void, illegal or inapplicable by a "
-"court judgment, this \n"
-"portion is excluded from this contract. You remain bound by the other "
-"applicable sections of the \n"
-"agreement.\n"
-"The terms and conditions of this License are governed by the Laws of "
-"France.\n"
-"All disputes on the terms of this license will preferably be settled out of "
-"court. As a last \n"
-"resort, the dispute will be referred to the appropriate Courts of Law of "
-"Paris - France.\n"
-"For any question on this document, please contact MandrakeSoft S.A. \n"
-msgstr ""
-"Вовед\n"
-"\n"
-"Опeрaтивниот систем и различните компoненти достапни во Мандрак Линукс\n"
-"дистрибуцијата, отсега натаму, ќе се викаат \"софтверски производи\". \n"
-"Софтверските прозиводи ги вклучуваат, но не се ограничени само на, \n"
-"множеството програми, методи, правила и документација во врска со \n"
-"оперативниот систем и различните компоненти на Мандрак Линукс\n"
-"дистрибуцијата.\n"
-"\n"
-"\n"
-"1. Лиценцен договор\n"
-"\n"
-"Внимателно прочитајте го овој документ. Овој документ е лиценцен договор\n"
-"меѓу Вас и MandrakeSoft S.A. кој се однесува на софтверските производи.\n"
-"Со инсталирање, дуплицирање или користење на софтверските производи\n"
-"на било кој начин, Вие експлицитно прифаќате и целосно се согласувате со\n"
-"термините и условите на оваа лиценца. Ако не се согласувате со било кој \n"
-"дел од лиценцата, не Ви е дозволено да ги инсталирате, дуплицирате или \n"
-"користите софтверските продукти. Секој обид да ги инсталирате, \n"
-"дуплицирате или користите софтверските производи на начин кој не е\n"
-"во согласност со термините и условите на оваа лиценца е неважечки (void)\n"
-"и ги терминира Вашите права под оваа лиценца. По терминирање на \n"
-"лиценцата, морате веднаш да ги уништите сите копии на софтверските \n"
-"производи.\n"
-"\n"
-"\n"
-"2. Ограничена гаранција\n"
-"\n"
-"Софтверските производи и придружната документација се дадени \n"
-"\"како што се\" (\"as is\"), без никаква гаранција, до степен можен со \n"
-"закон. MandrakeSoft S.A. нема во никој случај, до степен можен со закон, \n"
-"да одговара за било какви специјални, инцидентни, директни и индиректни\n"
-"штети (вклучувајќи, и неограничувајќи се, на губиток на бизнис, прекин на\n"
-"бизнис, финансиски губиток, легални такси и казни последеици на судска\n"
-"одлука, или било каква друга консеквентна штета) кои потекнуваат од \n"
-"користење или неспособност за користење на софтверските производи, \n"
-"дури и ако MandrakeSoft S.A. бил советуван за можноста од или случувањето\n"
-"на такви штети.\n"
-"\n"
-"ОГРАНИЧЕНА ОДГОВОРНОСТ ПОВРЗАНА СО ПОСЕДУВАЊЕТО ИЛИ \n"
-"КОРИСТЕЊЕТО СОФТВЕР ЗАБРАНЕТ ВО НЕКОИ ЗЕМЈИ\n"
-"\n"
-"До степен дозволн со закон, MandrakeSoft S.A. или неговите дистрибутери\n"
-"нема во никој случај да бидат одговорни за било какви специјални, \n"
-"инцидентни, директни и индиректни штети (вклучувајќи, и неограничувајќи се, "
-"на губиток на бизнис, прекин на\n"
-"бизнис, финансиски губиток, легални такси и казни последеици на судска\n"
-"одлука, или било каква друга консеквентна штета) кои потекнуваат од \n"
-"поседување и користење или од преземање (downloading) софтверски\n"
-"компоненти од некој од Мандрак Линукс сајтовите, кои се забранети или\n"
-"ограничени во некои земји со локалните закони. Оваа ограничена одговорност\n"
-"се однесува, но не е ограничена на, компонентите за силна криптографија\n"
-"вклучени во софтверските производи.\n"
-"\n"
-"\n"
-"3. Лиценцата GPL или сродни лиценци\n"
-"\n"
-"Софтверските производи се состојат од компоненти создадени од различни\n"
-"луѓе или ентитети. Повеќете од овие компоненти потпаѓаат под термините \n"
-"и условите на лиценцата \"GNU General Public Licence\", отсега натаму "
-"позната\n"
-"како \"GPL\", или на слични лиценци. Повеќете од овие лиценци Ви "
-"дозволуваат\n"
-"да ги користите, дуплицирате, адаптирате или редистрибуирате компонентите\n"
-"кои ги покриваат. Прочитајате ги внимателно термините и условите на \n"
-"лиценцниот договор за секоја окмпонента, пред да користите било ко од нив.\n"
-"Било какви прашања за лиценца на некоја компонента треба да се адресира\n"
-"на авторот на компонентата, а не на MandrakeSoft. Програмите развиени од\n"
-"MandrakeSoft S.A. потпаѓаат под GPL лиценцата. Документацијата напишана\n"
-"од MandrakeSoft S.A. потпаѓа под посебна лиценца. Видете ја "
-"документацијата,\n"
-"за повеќе детали.\n"
-"\n"
-"4. Права на интелектиална сопственост\n"
-"\n"
-"Сите права на компонентите на софтверските производи им припаѓаат на нивните "
-"соодветни автори и се заштитени со законите за интелектуална\n"
-"сопственост или авторски права (copyright laws) применливи на софтверски\n"
-"програми. MandrakeSoft S.A. го задржува правото да ги модифицира или \n"
-"адаптира софтверските производи, како целина или во делови, на било кој\n"
-"начин и за било која цел.\n"
-"\"Mandrake\", \"Mandrake Linux\" и придружените логотипи се заштитени знаци\n"
-"на MandrakeSoft S.A. \n"
-"\n"
-"\n"
-"5. Правосилни закони\n"
-"\n"
-"Ако било кој дел од овој договор се најде за неважечки, нелегален или \n"
-"неприменлив од страна на судска пресуда, тој дел се исклучува од овој\n"
-"договор. Останувате обврзани од другите применливи делови на \n"
-"договорот. \n"
-"Термините и условите на оваа лиценца потпаѓаат под законите на Франција.\n"
-"Секој спор за термините на оваа лиценца по можност ќе се реши на суд.\n"
-"Како последен чекор, спорот ќе биде предаден на соодветинот суд во\n"
-"Париз - Франиција. За било какви прашања во врска со овој документ,\n"
-"контактирајте го MandrakeSoft S.A.\n"
+msgid "Enable multiple profiles"
+msgstr "Овозможи повеќе профили"
-#: ../../standalone/drakboot:1
+#: any.pm:243
#, c-format
-msgid "Default user"
-msgstr "Стандарден корисник"
+msgid "Init Message"
+msgstr "Init порака"
-#: ../../standalone/draksplash:1
+#: any.pm:245
#, c-format
-msgid ""
-"the progress bar x coordinate\n"
-"of its upper left corner"
-msgstr ""
-"x координатата на прогреста лента\n"
-"од нејзиниот горен лев агол"
+msgid "Open Firmware Delay"
+msgstr "Open Firmware пауза"
-#: ../../standalone/drakgw:1
+#: any.pm:246
#, c-format
-msgid "Current interface configuration"
-msgstr "Тековна конфигурација на интерфејсот"
+msgid "Kernel Boot Timeout"
+msgstr "Пауза пред подигање на кернел"
-#: ../../printer/data.pm:1
+#: any.pm:247
#, c-format
-msgid "LPD - Line Printer Daemon"
-msgstr "LPD - Line Printer Daemon"
+msgid "Enable CD Boot?"
+msgstr "Овозможи подигање од CD?"
-#: ../../network/isdn.pm:1
+#: any.pm:248
#, c-format
-msgid ""
-"\n"
-"If you have an ISA card, the values on the next screen should be right.\n"
-"\n"
-"If you have a PCMCIA card, you have to know the \"irq\" and \"io\" of your "
-"card.\n"
-msgstr ""
-"\n"
-"Ако имате ISA картичка, вредностите на следниот екран би требало да се\n"
-"точни.\n"
-"\n"
-"Ако имате PCMCIA картичка, ќе мора да ги знаете \"irq\" и \"io\" "
-"вредностите\n"
-"за Вашата картичка.\n"
+msgid "Enable OF Boot?"
+msgstr "Овозможи OF подигање?"
-#: ../../printer/printerdrake.pm:1
+#: any.pm:249
#, c-format
-msgid "Do not print any test page"
-msgstr "Не печати никаква тест страна."
+msgid "Default OS?"
+msgstr "Прв OS?"
-#: ../../keyboard.pm:1
+#: any.pm:290
#, c-format
-msgid "Gurmukhi"
-msgstr "Гурмуки"
+msgid "Image"
+msgstr "Image"
-#: ../../standalone/drakTermServ:1
+#: any.pm:291 any.pm:300
#, c-format
-msgid "%s already in use\n"
-msgstr "%s веќе се користи\n"
+msgid "Root"
+msgstr "Root"
-#: ../../any.pm:1
+#: any.pm:292 any.pm:313
#, c-format
-msgid "Force No APIC"
-msgstr "Изврши No APIC"
+msgid "Append"
+msgstr "Припои"
-#: ../../install_steps_interactive.pm:1
+#: any.pm:294
#, c-format
-msgid "This password is too short (it must be at least %d characters long)"
-msgstr "Оваа лозинка е прекратка (мора да има должина од барем %d знаци)"
+msgid "Video mode"
+msgstr "Видео режим"
-#: ../../standalone.pm:1
+#: any.pm:296
#, c-format
-msgid "[keyboard]"
-msgstr "[Тастатура]"
+msgid "Initrd"
+msgstr "Initrd"
-#: ../../network/network.pm:1
+#: any.pm:305 any.pm:310 any.pm:312
#, c-format
-msgid "FTP proxy"
-msgstr "FTP прокси"
+msgid "Label"
+msgstr "Ознака"
-#: ../../standalone/drakfont:1
+#: any.pm:307 any.pm:317 harddrake/v4l.pm:236 standalone/drakfloppy:88
+#: standalone/drakfloppy:94
#, c-format
-msgid "Install List"
-msgstr "Инсталирај Листа"
+msgid "Default"
+msgstr "Прво"
-#: ../../standalone/drakbackup:1
+#: any.pm:314
#, c-format
-msgid ""
-"Change\n"
-"Restore Path"
-msgstr ""
-"Промени\n"
-"Врати Патека"
+msgid "Initrd-size"
+msgstr "Initrd-големина"
-#: ../../standalone/logdrake:1
+#: any.pm:316
#, c-format
-msgid "Show only for the selected day"
-msgstr "Прикажи само за избраниот ден"
+msgid "NoVideo"
+msgstr "NoVideo"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "\tLimit disk usage to %s MB\n"
-msgstr "\tОграничена употреба на дисот до %s Mb\n"
+#: any.pm:327
+#, c-format
+msgid "Empty label not allowed"
+msgstr "Не се дозволени празни ознаки"
-#: ../../Xconfig/card.pm:1
+#: any.pm:328
#, c-format
-msgid "512 kB"
-msgstr "512 kB"
+msgid "You must specify a kernel image"
+msgstr "Мора да наведете кернелски имиџ"
-#: ../../standalone/scannerdrake:1
+#: any.pm:328
#, c-format
-msgid "(Note: Parallel ports cannot be auto-detected)"
-msgstr "(Забелешка: Паралелните порти не можат да бидат автоматски пронајдени)"
+msgid "You must specify a root partition"
+msgstr "Мора да наведете root партиција"
-#: ../../standalone/logdrake:1
+#: any.pm:329
#, c-format
-msgid "<control>N"
-msgstr "<control>N"
+msgid "This label is already used"
+msgstr "Оваа ознака е веќе искористена"
-#: ../../network/isdn.pm:1
+#: any.pm:342
#, c-format
-msgid "What kind of card do you have?"
-msgstr "Каков вид на картичка имате?"
+msgid "Which type of entry do you want to add?"
+msgstr "Каков тип на ставка сакате да додадете?"
-#: ../../standalone/logdrake:1
+#: any.pm:343 standalone/drakbackup:1904
#, c-format
-msgid "<control>O"
-msgstr "<control>O"
+msgid "Linux"
+msgstr "Линукс"
-#: ../../install_steps_interactive.pm:1 ../../steps.pm:1
+#: any.pm:343
#, c-format
-msgid "Security"
-msgstr "Безбедност"
+msgid "Other OS (SunOS...)"
+msgstr "Друг OS (SunOS...)"
-#: ../../printer/printerdrake.pm:1
+#: any.pm:344
#, c-format
-msgid ""
-"You can also use the graphical interface \"xpdq\" for setting options and "
-"handling printing jobs.\n"
-"If you are using KDE as desktop environment you have a \"panic button\", an "
-"icon on the desktop, labeled with \"STOP Printer!\", which stops all print "
-"jobs immediately when you click it. This is for example useful for paper "
-"jams.\n"
-msgstr ""
-"Можете да користите и графички интерфејс \"xpdq\" за подесување на опции и "
-"справување со задачите за печатење.\n"
-"Ако користите KDE како десктоп опкружување, имате \"копче за паника\", икона "
-"на десктопот, означена со \"STOP Printer!\", која ги запира сите работи за "
-"печатење веднаш одкога ќе го кликнете. Ова на пример е корисно кога "
-"хартијата ќе заглави.\n"
+msgid "Other OS (MacOS...)"
+msgstr "Друг OS (MacOS...)"
-#: ../../standalone/drakboot:1 ../../standalone/drakfloppy:1
-#: ../../standalone/harddrake2:1 ../../standalone/logdrake:1
-#: ../../standalone/printerdrake:1
+#: any.pm:344
#, c-format
-msgid "<control>Q"
-msgstr "<control>Q"
+msgid "Other OS (windows...)"
+msgstr "Друг OS (windows...)"
-#: ../../standalone/drakbackup:1
+#: any.pm:372
#, fuzzy, c-format
-msgid "Unable to find backups to restore...\n"
-msgstr "Ве молиме изберете ги податоците за враќање..."
+msgid ""
+"Here are the entries on your boot menu so far.\n"
+"You can create additional entries or change the existing ones."
+msgstr ""
+"Ова се досегашните ставки во Вашето мени на подигање.\n"
+"Можете да додадете уште или да ги промените постоечките."
-#: ../../standalone/harddrake2:1
+#: any.pm:504
#, c-format
-msgid "Unknown"
-msgstr "Непознат"
+msgid "access to X programs"
+msgstr "пристап до X програми"
-#: ../../printer/printerdrake.pm:1
+#: any.pm:505
#, c-format
-msgid "This server is already in the list, it cannot be added again.\n"
-msgstr "Овој сервер веќе е во листата, не може да се додаде пак.\n"
+msgid "access to rpm tools"
+msgstr "пристап до rpm алатки"
-#: ../../network/netconnect.pm:1 ../../network/tools.pm:1
+#: any.pm:506
#, c-format
-msgid "Network Configuration"
-msgstr "Конфигурација на мрежа"
+msgid "allow \"su\""
+msgstr "дозволен \"su\""
-#: ../../standalone/logdrake:1
+#: any.pm:507
#, c-format
-msgid "<control>S"
-msgstr "<control>S"
+msgid "access to administrative files"
+msgstr "пристап до административни датотеки"
-#: ../../network/isdn.pm:1
+#: any.pm:508
#, c-format
-msgid ""
-"Protocol for the rest of the world\n"
-"No D-Channel (leased lines)"
-msgstr ""
-"Протокол за остатокот на Светот\n"
-"Без D-канал (закупени линии)"
+msgid "access to network tools"
+msgstr "пристап до мрежни алатки"
-#: ../../standalone/drakTermServ:1
+#: any.pm:509
#, c-format
-msgid ""
-" - /etc/xinetd.d/tftp:\n"
-" \tdrakTermServ will configure this file to work in conjunction with "
-"the images created\n"
-" \tby mkinitrd-net, and the entries in /etc/dhcpd.conf, to serve up "
-"the boot image to \n"
-" \teach diskless client.\n"
-"\n"
-" \tA typical tftp configuration file looks like:\n"
-" \t\t\n"
-" \tservice tftp\n"
-"\t\t\t{\n"
-" disable = no\n"
-" socket_type = dgram\n"
-" protocol = udp\n"
-" wait = yes\n"
-" user = root\n"
-" server = /usr/sbin/in.tftpd\n"
-" server_args = -s /var/lib/tftpboot\n"
-" \t}\n"
-" \t\t\n"
-" \tThe changes here from the default installation are changing the "
-"disable flag to\n"
-" \t'no' and changing the directory path to /var/lib/tftpboot, where "
-"mkinitrd-net\n"
-" \tputs its images."
-msgstr ""
+msgid "access to compilation tools"
+msgstr "пристап до компајлерски алатки"
-#: ../../printer/printerdrake.pm:1
+#: any.pm:515
#, c-format
-msgid "Option %s must be a number!"
-msgstr "Опцијата %s мора да е број!"
+msgid "(already added %s)"
+msgstr "(веќе е додаден %s)"
-#: ../../standalone/drakboot:1 ../../standalone/draksplash:1
+#: any.pm:520
#, c-format
-msgid "Notice"
-msgstr "Забелешка"
+msgid "This password is too simple"
+msgstr "Лозинката е преедноставна"
-#: ../../install_steps_interactive.pm:1
+#: any.pm:521
#, c-format
-msgid "You have not configured X. Are you sure you really want this?"
-msgstr "Се уште го ш конфигурирано Х. Дали навистина сакаш да го направиш ова?"
+msgid "Please give a user name"
+msgstr "Внесете корисничко име"
-#: ../../printer/printerdrake.pm:1
+#: any.pm:522
#, c-format
msgid ""
-"The configuration of the printer will work fully automatically. If your "
-"printer was not correctly detected or if you prefer a customized printer "
-"configuration, turn on \"Manual configuration\"."
+"The user name must contain only lower cased letters, numbers, `-' and `_'"
msgstr ""
-"Конфигурацијата на принтерот ќе работи потполно автоматски. Ако твојот "
-"принтер не беше препознаен исправно или ако сакаш рачна конфигурација, "
-"вклучи \"Рачна конфигурација\"."
+"Корисничкото има мора да се состои само од мали латински букви, цифри, `-' и "
+"`_'"
-#: ../../diskdrake/interactive.pm:1
+#: any.pm:523
#, c-format
-msgid "What type of partitioning?"
-msgstr "Кој тип на партиционирање?"
+msgid "The user name is too long"
+msgstr "Корисничкото име е предолго"
+
+#: any.pm:524
+#, c-format
+msgid "This user name has already been added"
+msgstr "Ова корисничко име веќе е додадено"
+
+#: any.pm:528
+#, c-format
+msgid "Add user"
+msgstr "Додај корисник"
-#: ../../standalone/drakbackup:1
+#: any.pm:529
#, c-format
msgid ""
-"file list sent by FTP: %s\n"
-" "
+"Enter a user\n"
+"%s"
msgstr ""
-"листата на датотеки е испратена со FTP: %s\n"
-"."
+"Внесете корисник\n"
+"%s"
-#: ../../standalone/drakconnect:1
+#: any.pm:532 diskdrake/dav.pm:68 diskdrake/hd_gtk.pm:158
+#: diskdrake/removable.pm:27 diskdrake/smbnfs_gtk.pm:82 help.pm:544
+#: interactive/http.pm:152 printer/printerdrake.pm:165
+#: printer/printerdrake.pm:352 printer/printerdrake.pm:3871
+#: standalone/drakbackup:3094 standalone/scannerdrake:629
+#: standalone/scannerdrake:779
#, c-format
-msgid "Interface"
-msgstr "Интерфејс"
+msgid "Done"
+msgstr "Завршено"
-#: ../../standalone/drakbackup:1
+#: any.pm:533 help.pm:52
#, c-format
-msgid "Multisession CD"
-msgstr "CD со повеќе сесии"
+msgid "Accept user"
+msgstr "Прифати корисник"
-#: ../../modules/parameters.pm:1
+#: any.pm:544
#, c-format
-msgid "comma separated strings"
-msgstr "стрингови одвоени со запирки"
+msgid "Real name"
+msgstr "Вистинско име"
-#: ../../standalone/scannerdrake:1
+#: any.pm:545 help.pm:52 printer/printerdrake.pm:1339
+#: printer/printerdrake.pm:1453
#, c-format
-msgid "These are the machines from which the scanners should be used:"
-msgstr "Ова се машините од кои скенерите треба да бидат користени:"
+msgid "User name"
+msgstr "Корисничко име"
-#: ../../standalone/logdrake:1
+#: any.pm:548
#, c-format
-msgid "Messages"
-msgstr "Пораки"
+msgid "Shell"
+msgstr "Школка"
-#: ../../harddrake/v4l.pm:1
+#: any.pm:550
#, c-format
-msgid "Unknown|CPH06X (bt878) [many vendors]"
-msgstr "Непознато|CPH06X (bt878) [многу производители]"
+msgid "Icon"
+msgstr "Икона"
-#: ../../network/drakfirewall.pm:1
+#: any.pm:591 security/l10n.pm:14
#, c-format
-msgid "POP and IMAP Server"
-msgstr "POP и IMAP сервер"
+msgid "Autologin"
+msgstr "Авто-најавување"
-#: ../../lang.pm:1
+#: any.pm:592
#, c-format
-msgid "Mexico"
-msgstr "Мексико"
+msgid "I can set up your computer to automatically log on one user."
+msgstr ""
+"Можам да го подесам вашиот компјутер автоматски да логира еден корисник."
-#: ../../standalone/harddrake2:1
+#: any.pm:593 help.pm:52
#, c-format
-msgid "Model stepping"
-msgstr "Групно Моделирање"
+msgid "Do you want to use this feature?"
+msgstr "Дали сакате да ja користите оваа опција?"
-#: ../../lang.pm:1
+#: any.pm:594
#, c-format
-msgid "Rwanda"
-msgstr "Руанда"
+msgid "Choose the default user:"
+msgstr "Изберете го корисникот:"
-#: ../../lang.pm:1
+#: any.pm:595
#, c-format
-msgid "Switzerland"
-msgstr "Швајцарија"
+msgid "Choose the window manager to run:"
+msgstr "Изберете прозор-менаџер:"
-#: ../../lang.pm:1
+#: any.pm:607
#, c-format
-msgid "Brunei Darussalam"
-msgstr "Брунеи Дарусалам"
+msgid "Please choose a language to use."
+msgstr "Изберете јазик."
-#: ../../modules/interactive.pm:1
+#: any.pm:628
#, c-format
-msgid "Do you have any %s interfaces?"
-msgstr "Дали имате %s интерфејси?"
+msgid ""
+"Mandrake Linux can support multiple languages. Select\n"
+"the languages you would like to install. They will be available\n"
+"when your installation is complete and you restart your system."
+msgstr ""
+"Мандрак Линукс подджува повеќејазичност. Изберете\n"
+"ги јазиците што сакате да се инсталираат. Тие ќе бидат\n"
+"достапни кога инсталацијата ќе заврши и ќе го \n"
+"рестартирате системот."
-#: ../../standalone/drakTermServ:1
+#: any.pm:646 help.pm:660
#, c-format
-msgid "You must be root to read configuration file. \n"
-msgstr "Мора да си root за да го читаш конфигурациониот фајл. \n"
+msgid "Use Unicode by default"
+msgstr "Користи Unicode по правило"
-#: ../../printer/printerdrake.pm:1
+#: any.pm:647 help.pm:660
#, c-format
-msgid "Remote lpd Printer Options"
-msgstr "Опции за Нелокален lpd Печатач"
+msgid "All languages"
+msgstr "Сите јазици"
-#: ../../help.pm:1
+#: any.pm:683 help.pm:581 help.pm:991 install_steps_interactive.pm:907
#, c-format
-msgid ""
-"GNU/Linux is a multi-user system, meaning each user may have their own\n"
-"preferences, their own files and so on. You can read the ``Starter Guide''\n"
-"to learn more about multi-user systems. But unlike \"root\", who is the\n"
-"system administrator, the users you add at this point will not be\n"
-"authorized to change anything except their own files and their own\n"
-"configurations, protecting the system from unintentional or malicious\n"
-"changes that impact on the system as a whole. You will have to create at\n"
-"least one regular user for yourself -- this is the account which you should\n"
-"use for routine, day-to-day use. Although it is very easy to log in as\n"
-"\"root\" to do anything and everything, it may also be very dangerous! A\n"
-"very simple mistake could mean that your system will not work any more. If\n"
-"you make a serious mistake as a regular user, the worst that will happen is\n"
-"that you will lose some information, but not affect the entire system.\n"
-"\n"
-"The first field asks you for a real name. Of course, this is not mandatory\n"
-"-- you can actually enter whatever you like. DrakX will use the first word\n"
-"you typed in this field and copy it to the \"%s\" field, which is the name\n"
-"this user will enter to log onto the system. If you like, you may override\n"
-"the default and change the username. The next step is to enter a password.\n"
-"From a security point of view, a non-privileged (regular) user password is\n"
-"not as crucial as the \"root\" password, but that is no reason to neglect\n"
-"it by making it blank or too simple: after all, your files could be the\n"
-"ones at risk.\n"
-"\n"
-"Once you click on \"%s\", you can add other users. Add a user for each one\n"
-"of your friends: your father or your sister, for example. Click \"%s\" when\n"
-"you have finished adding users.\n"
-"\n"
-"Clicking the \"%s\" button allows you to change the default \"shell\" for\n"
-"that user (bash by default).\n"
-"\n"
-"When you have finished adding users, you will be asked to choose a user\n"
-"that can automatically log into the system when the computer boots up. If\n"
-"you are interested in that feature (and do not care much about local\n"
-"security), choose the desired user and window manager, then click \"%s\".\n"
-"If you are not interested in this feature, uncheck the \"%s\" box."
-msgstr ""
-"GNU/Linux е повеќе-кориснички систем, и тоа значи дека секој корисник\n"
-"може да си има свои преференци, свои датотеки, итн. Можете да го\n"
-"прочитате ``Starter Guide'' за да научете повеќе за повеќе-кориснички "
-"системи.\n"
-"Но, за разлика од \"root\", кој е администраторот, корисниците што тука ги "
-"додавате\n"
-"нема да можат да променат ништо освен сопствените датотеки и конфигурација,\n"
-"заштитувајќи го ситемот од ненамерни или злонамерни промени кои влијаат на "
-"целиот\n"
-"ситем. Мора да креирате барем еден обичен корисник за себе - ова е акаунтот "
-"кој\n"
-" треба да се користи при секојдневната рaбота. Иако може да биде практично\n"
-"и секојдневно да се најавувате како \"root\", тоа може да биде и многу "
-"опасно!\n"
-"Најмала грешка може да имплицира дека Вашиот систем веќе нема да работи.\n"
-"Ако направите голема грешка како обичен корисник, можете да изгубите \n"
-"некои информации, но не и целиот систем.\n"
-"\n"
-"Во првото поле сте прашани за вашете вистинско име. Се разбира, тоа не е\n"
-"задолжително -- зашто можете да внесете што сакате. DrakX ќе го земе\n"
-"првиот збор од името што сте го внеле и ќе го копира во \"%s\" полето, и од "
-"него ќе\n"
-"направи Корисничко име. Тоа е името што конкретниот корисник ќе го користи "
-"за да се\n"
-"најавува на системот. Ако сакате можете да го промените. Потоа мора да "
-"внесете\n"
-"лозинка. Од сигурносна гледна точка, не-привилигиран (регуларен) корисник, "
-"лозинката\n"
-"не е толку критична како \"root\" лозинката, но тоа не е причина да ја "
-"занемарите\n"
-"корисничката лозинка оставајќи го полето празно или премногу едноставна:\n"
-":како и да се, Вашите датотеки се во ризик.\n"
-"\n"
-"Со едно притискање на \"%s\" копчето, можете да додадете други корисници.\n"
-"Додадете по еден корисник за секого по еден на вашите пријатели: вашиот "
-"тактко или сестра, на пример. Кога ќе завршите со додавањето корисници, \n"
-"кликнете на копчето \"%s\".\n"
-"\n"
-"Притискањето на копчето \"%s\" Ви овозможува да ја промените \"школката\" "
-"за\n"
-"тој корисник (која вообичаено е bash).\n"
-"\n"
-"Кога ќе завршите со додавањето корисници, ќе Ви биде предложено да\n"
-"изберете еден корисник кој автоматски ќе се најавува на системот кога\n"
-"компјутерот ќе се подигне. Ако Ве интересира такава карактеристика (и не "
-"се \n"
-"грижите многу за локалната безбедност), изберете корисник и прозор-"
-"менаџер, \n"
-"и потоа притиснете на \"%s\". Ако не сте заинтересирани за оваа "
-"карактеристика, \n"
-"притиснете на \"%s\"."
+msgid "Country / Region"
+msgstr "Земја / Регион"
-#: ../../standalone/drakconnect:1
+#: any.pm:684
#, c-format
-msgid "Configure Internet Access..."
-msgstr "Конфигурирај Интернет Пристап..."
+msgid "Please choose your country."
+msgstr "Ве молам изберете ја вашата земја."
-#: ../../standalone/drakbackup:1
+#: any.pm:686
#, fuzzy, c-format
-msgid "Please choose the time interval between each backup"
-msgstr ""
-"Ве молиме изберете го временскиот \n"
-"интервал повеѓу секој бекап"
-
-#: ../../crypto.pm:1 ../../lang.pm:1
-#, c-format
-msgid "Norway"
-msgstr "Норвешка"
+msgid "Here is the full list of available countries"
+msgstr "Ова е целосна листа на достапни распореди"
-#: ../../standalone/drakconnect:1
+#: any.pm:687 diskdrake/interactive.pm:292 help.pm:544 help.pm:581 help.pm:621
+#: help.pm:991 install_steps_interactive.pm:114
#, c-format
-msgid "Delete profile"
-msgstr "Избриши профил"
+msgid "More"
+msgstr "Повеќе"
-#: ../../keyboard.pm:1
+#: any.pm:818
#, c-format
-msgid "Danish"
-msgstr "Дански"
+msgid "No sharing"
+msgstr "Без споделување (sharing)"
-#: ../../services.pm:1
+#: any.pm:818
#, c-format
-msgid ""
-"Automatically switch on numlock key locker under console\n"
-"and XFree at boot."
-msgstr ""
-"Автоматски го вклучи Num Lock копчето во конзола \n"
-"и XFree на вклучување."
+msgid "Allow all users"
+msgstr "Дозволи за сите"
-#: ../../network/network.pm:1
+#: any.pm:822
#, c-format
msgid ""
-"Please enter the IP configuration for this machine.\n"
-"Each item should be entered as an IP address in dotted-decimal\n"
-"notation (for example, 1.2.3.4)."
+"Would you like to allow users to share some of their directories?\n"
+"Allowing this will permit users to simply click on \"Share\" in konqueror "
+"and nautilus.\n"
+"\n"
+"\"Custom\" permit a per-user granularity.\n"
msgstr ""
-"Ве молам внесете ја IP конфигурацијата за оваа машина.\n"
-"Секој елемент треба да е внесен како IP адреса во точкасто-децимално\n"
-"означување (на пример, 1.2.3.4)."
+"Дали сакате да допуштите корисниците да споделуваат некои од своите \n"
+"директориуми? Тоа ќе им дозволи да притиснат на \"Share\" во konqueror\n"
+"и nautilus.\n"
+"\n"
+"\"По избор\" поодделни ги третира корисниците.\n"
-#: ../../help.pm:1
+#: any.pm:838
#, c-format
msgid ""
-"The Mandrake Linux installation is distributed on several CD-ROMs. DrakX\n"
-"knows if a selected package is located on another CD-ROM so it will eject\n"
-"the current CD and ask you to insert the correct CD as required."
+"You can export using NFS or Samba. Please select which you'd like to use."
msgstr ""
-"Инсталацијата на Мандрак Линукс зазема повеќе CD-а. DrakX знае дали\n"
-"некој избран пакет се наоѓа на друго CD и ќе го исфрли моменталното\n"
-"и ќе побара од Вас да го ставите потребното CD."
-
-#: ../../standalone/drakperm:1
-#, c-format
-msgid "When checked, owner and group won't be changed"
-msgstr "Кога е штиклирано, сопственикот и групата нема да бидат променети"
-
-#: ../../lang.pm:1
-#, c-format
-msgid "Bulgaria"
-msgstr "Бугарија"
+"Можете да извезувате со NFS или со Samba. Изберете што сакате да користите."
-#: ../../standalone/drakbackup:1
+#: any.pm:846
#, fuzzy, c-format
-msgid "Tuesday"
-msgstr "Турција"
-
-#: ../../harddrake/data.pm:1
-#, c-format
-msgid "Processors"
-msgstr "Процесори"
-
-#: ../../lang.pm:1
-#, c-format
-msgid "Svalbard and Jan Mayen Islands"
-msgstr "Свалбандски и Јан Мајенски Острови"
+msgid "The package %s is going to be removed."
+msgstr "Следниве пакети ќе бидат отстранети"
-#: ../../standalone/drakTermServ:1
+#: any.pm:858
#, c-format
-msgid "No NIC selected!"
-msgstr "Не не е избран NIC!"
+msgid "Launch userdrake"
+msgstr "Лансирај userdrake"
-#: ../../network/netconnect.pm:1
+#: any.pm:860
#, c-format
msgid ""
-"Problems occured during configuration.\n"
-"Test your connection via net_monitor or mcc. If your connection doesn't "
-"work, you might want to relaunch the configuration."
+"The per-user sharing uses the group \"fileshare\". \n"
+"You can use userdrake to add a user to this group."
msgstr ""
-"Се случија проблеми за време на конфигурацијата.\n"
-"Тестирајте ја вашата конекција преку net_monitor или mcc. Ако вашата "
-"конекција не работи, можеби ќе сакате повторно да го отпочнете "
-"конфигурирањето."
+"Споделување по корисник ја користи групата \"fileshare\". \n"
+"Можете да го користите userdrake за да додадете корисник во оваа група."
-#: ../../diskdrake/interactive.pm:1
+#: authentication.pm:12
#, c-format
-msgid "partition %s is now known as %s"
-msgstr "партицијата %s сега е позната како %s"
+msgid "Local files"
+msgstr "Локални датотеки"
-#: ../../standalone/drakbackup:1
+#: authentication.pm:12
#, c-format
-msgid "Backup Other files..."
-msgstr "Направи Бекап на Други датотеки..."
+msgid "LDAP"
+msgstr "LDAP"
-#: ../../lang.pm:1
+#: authentication.pm:12
#, c-format
-msgid "Congo (Kinshasa)"
-msgstr "Конго(Киншаса)"
+msgid "NIS"
+msgstr "NIS"
-#: ../../printer/printerdrake.pm:1
+#: authentication.pm:12 authentication.pm:50
#, c-format
-msgid "SMB server IP"
-msgstr "IP на SBM сервер"
+msgid "Windows Domain"
+msgstr "Windows Domain"
-#: ../../diskdrake/interactive.pm:1
+#: authentication.pm:33
#, c-format
-msgid "Partition table of drive %s is going to be written to disk!"
-msgstr "Партициската табела на дискот %s ќе биде запишана на дискот!"
+msgid "Authentication LDAP"
+msgstr "LDAP за автентикација"
-#: ../../printer/printerdrake.pm:1
+#: authentication.pm:34
#, c-format
-msgid "Installing HPOJ package..."
-msgstr "Инсталирање на HPOJ пакет..."
+msgid "LDAP Base dn"
+msgstr "LDAP Base dn"
-#: ../../any.pm:1
+#: authentication.pm:35
#, c-format
-msgid ""
-"A custom bootdisk provides a way of booting into your Linux system without\n"
-"depending on the normal bootloader. This is useful if you don't want to "
-"install\n"
-"LILO (or grub) on your system, or another operating system removes LILO, or "
-"LILO doesn't\n"
-"work with your hardware configuration. A custom bootdisk can also be used "
-"with\n"
-"the Mandrake rescue image, making it much easier to recover from severe "
-"system\n"
-"failures. Would you like to create a bootdisk for your system?\n"
-"%s"
-msgstr ""
-"Посебната дискета за подигање претставува начин на подигање на Линукс\n"
-"системот без обичен подигач. Ова е корисно ако не сакате да го инсталирате\n"
-"LILO (или grub) на системот, или ако друг оперативен систем го отстрани\n"
-"LILO, или ако LILO не работи со конфигурацијата на Вашиот хардвер. Посебната "
-"дискета за подигање може исто така да се користи и со Mandrake слика за "
-"спасување \n"
-"(rescue image), со што опоравувањето од системски хаварии е многу полесно.\n"
-"Дали сакате да создадете посебна дискета за подигање на Вашиот систем?\n"
-"%s"
+msgid "LDAP Server"
+msgstr "LDAP server"
-#: ../../standalone/drakbackup:1
+#: authentication.pm:40
#, c-format
-msgid ""
-"\n"
-" DrakBackup Daemon Report\n"
-msgstr ""
-"\n"
-".................... Извештај на DrakBackup Демонот\n"
+msgid "Authentication NIS"
+msgstr "NIS за автентикација"
-#: ../../keyboard.pm:1
+#: authentication.pm:41
#, c-format
-msgid "Latvian"
-msgstr "Латвиски"
+msgid "NIS Domain"
+msgstr "NIS Домен"
-#: ../../standalone/drakbackup:1
+#: authentication.pm:42
#, c-format
-msgid "monthly"
-msgstr "месечно"
+msgid "NIS Server"
+msgstr "NIS сервер"
-#: ../../../move/move.pm:1
+#: authentication.pm:47
#, fuzzy, c-format
-msgid "Retry"
-msgstr "Поврати"
+msgid ""
+"For this to work for a W2K PDC, you will probably need to have the admin "
+"run: C:\\>net localgroup \"Pre-Windows 2000 Compatible Access\" everyone /"
+"add and reboot the server.\n"
+"You will also need the username/password of a Domain Admin to join the "
+"machine to the Windows(TM) domain.\n"
+"If networking is not yet enabled, Drakx will attempt to join the domain "
+"after the network setup step.\n"
+"Should this setup fail for some reason and domain authentication is not "
+"working, run 'smbpasswd -j DOMAIN -U USER%%PASSWORD' using your Windows(tm) "
+"Domain, and Admin Username/Password, after system boot.\n"
+"The command 'wbinfo -t' will test whether your authentication secrets are "
+"good."
+msgstr ""
+"За ова да работи за W2K PDC, веројатно ќе треба Вашиот администратор "
+"даизврши: C:\\>net localgroup \"Pre-Windows 2000 Compatible Access\" "
+"everyone / и да го рестартува серверот.\n"
+"Исто така ќе Ви треба име/лозинка на администратор на домен за да ја "
+"придружите машинава на Windows доменот.\n"
+"Ако умрежувањето сеуште не е остварено, DrakX ќе се обиде да се приклучи на "
+"доменот кога ќе биде остварено.\n"
+"Ако поставкава не успее од некоја причина и домен-автеникацијата не работи, "
+"извршете 'smbpasswd -j DOMAIN -U USER%PASSWORD' со Ваш domain, user и "
+"password, по вклучувањето на компјутерот.\n"
+"Командата 'wbinfo -t' ќе тестира дали тајните за автентикација ви се добри."
-#: ../../standalone/drakfloppy:1
+#: authentication.pm:49
#, c-format
-msgid "Module name"
-msgstr "Име на Модулот"
+msgid "Authentication Windows Domain"
+msgstr "Windows Domain аутентикација"
-#: ../../network/network.pm:1
+#: authentication.pm:51
#, c-format
-msgid "Start at boot"
-msgstr "Стартувај на подигање"
+msgid "Domain Admin User Name"
+msgstr "Корисничко име на домен-админ."
-#: ../../standalone/drakbackup:1
+#: authentication.pm:52
#, c-format
-msgid "Use Incremental Backups"
-msgstr "Користи Инкрементален Бекап"
+msgid "Domain Admin Password"
+msgstr "Лозинка на домен-админ."
-#: ../../any.pm:1
+#: authentication.pm:83
#, c-format
-msgid "First sector of drive (MBR)"
-msgstr "Првиот сектор на дискот (MBR)"
+msgid "Can't use broadcast with no NIS domain"
+msgstr "Неможам да извршам пренос без NIS домеин"
-#: ../../lang.pm:1
-#, c-format
-msgid "El Salvador"
-msgstr "Ел Салвадор"
+#. -PO: these messages will be displayed at boot time in the BIOS, use only ASCII (7bit)
+#: bootloader.pm:542
+#, fuzzy, c-format
+msgid ""
+"Welcome to the operating system chooser!\n"
+"\n"
+"Choose an operating system from the list above or\n"
+"wait for default boot.\n"
+"\n"
+msgstr ""
+"Dobredojdovte vo %s, programata za izbiranje operativen sistem!\n"
+"\n"
+"Izberete operativen sistem od gornata lista ili\n"
+"pochekajte %d sekundi za voobichaeno podiganje.\n"
+"\n"
-#: ../../harddrake/data.pm:1
+#: bootloader.pm:674
#, c-format
-msgid "Joystick"
-msgstr "Џојстик"
+msgid "SILO"
+msgstr "SILO"
-#: ../../standalone/harddrake2:1
+#: bootloader.pm:676 help.pm:768
#, c-format
-msgid "DVD"
-msgstr "DVD"
+msgid "LILO with graphical menu"
+msgstr "LILO со графичко мени"
-#: ../../any.pm:1 ../../help.pm:1
+#: bootloader.pm:677 help.pm:768
#, c-format
-msgid "Use Unicode by default"
-msgstr "Користи Unicode по правило"
+msgid "LILO with text menu"
+msgstr "LILO со текстуално мени"
-#: ../../standalone/harddrake2:1
+#: bootloader.pm:679
#, c-format
-msgid "the module of the GNU/Linux kernel that handles the device"
-msgstr "Модулот на ГНУ/Линукс кернелот што се справува со тој уред"
-
-#: ../../standalone/drakclock:1
-#, fuzzy, c-format
-msgid "Is your hardware clock set to GMT?"
-msgstr "Хардверски часовник наместен според GMT"
+msgid "Grub"
+msgstr "Grub"
-#: ../../diskdrake/interactive.pm:1
+#: bootloader.pm:681
#, c-format
-msgid "Trying to rescue partition table"
-msgstr "Обид за спасување на партициската табела"
+msgid "Yaboot"
+msgstr "Yaboot"
-#: ../../printer/printerdrake.pm:1
+#: bootloader.pm:1150
#, c-format
-msgid "Option %s must be an integer number!"
-msgstr "Опцијата %s мора да биде цел број!"
+msgid "not enough room in /boot"
+msgstr "нема доволно простор во /boot"
-#: ../../security/l10n.pm:1
+#: bootloader.pm:1178
#, c-format
-msgid "Use password to authenticate users"
-msgstr "Користи лозинка за логирање корисници"
+msgid "You can't install the bootloader on a %s partition\n"
+msgstr "Не може да инсталирате подигач на %s партиција\n"
-#: ../../interactive/stdio.pm:1
+#: bootloader.pm:1218
#, c-format
msgid ""
-"Entries you'll have to fill:\n"
-"%s"
+"Your bootloader configuration must be updated because partition has been "
+"renumbered"
msgstr ""
-"Ставки што мора да ги пополните:\n"
-"%s"
-#: ../../standalone/drakbackup:1
+#: bootloader.pm:1225
#, c-format
msgid ""
-"For backups to other media, files are still created on the hard drive, then "
-"moved to the other media. Enabling this option will remove the hard drive "
-"tar files after the backup."
+"The bootloader can't be installed correctly. You have to boot rescue and "
+"choose \"%s\""
msgstr ""
-#: ../../standalone/livedrake:1
-#, c-format
-msgid "Unable to start live upgrade !!!\n"
-msgstr "Не може да почне директна надградба!!!\n"
+#: bootloader.pm:1226
+#, fuzzy, c-format
+msgid "Re-install Boot Loader"
+msgstr "Инсталирај"
-#: ../../install_steps_gtk.pm:1 ../../diskdrake/interactive.pm:1
+#: common.pm:125
#, c-format
-msgid "Name: "
-msgstr "Име: "
+msgid "KB"
+msgstr "KB"
-#: ../../standalone/drakconnect:1
+#: common.pm:125
#, c-format
-msgid "up"
-msgstr ""
+msgid "MB"
+msgstr "MB"
-#: ../../Xconfig/resolution_and_depth.pm:1
+#: common.pm:125
#, c-format
-msgid "16 million colors (24 bits)"
-msgstr "16 милиони бои (24 бита)"
+msgid "GB"
+msgstr "GB"
-#: ../../any.pm:1
+#: common.pm:133
#, c-format
-msgid "Allow all users"
-msgstr "Дозволи за сите"
+msgid "TB"
+msgstr "TB"
-#: ../advertising/08-store.pl:1
+#: common.pm:141
#, c-format
-msgid "The official MandrakeSoft Store"
-msgstr "Официјалната MandrakeSoft продавница"
+msgid "%d minutes"
+msgstr "%d минути"
-#: ../../install_interactive.pm:1 ../../diskdrake/interactive.pm:1
+#: common.pm:143
#, c-format
-msgid "Resizing"
-msgstr "Менување големина"
+msgid "1 minute"
+msgstr "1 минута"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid ""
-"Enter the maximum size\n"
-" allowed for Drakbackup (MB)"
-msgstr ""
-"Внесете ја максималната големина\n"
-" дозволена за Drakbackup (Mb)"
+#: common.pm:145
+#, c-format
+msgid "%d seconds"
+msgstr "%d секунди"
-#: ../../network/netconnect.pm:1
+#: common.pm:196
#, c-format
-msgid "Cable connection"
-msgstr "Врска со кабел"
+msgid "Can't make screenshots before partitioning"
+msgstr "Не можат да се прават снимки на екран пред партицирање"
-#: ../../standalone/drakperm:1 ../../standalone/logdrake:1
+#: common.pm:203
#, c-format
-msgid "User"
-msgstr "Корисник"
+msgid "Screenshots will be available after install in %s"
+msgstr "Екранските снимки ќе бидат достапни по инсталацијата во %s"
-#: ../../standalone/drakbackup:1
+#: common.pm:268
#, c-format
-msgid "Do new backup before restore (only for incremental backups.)"
-msgstr ""
-"Направи нов бекап пред повраќањето на информации (само за инкрементални "
-"бекапи.)"
+msgid "kdesu missing"
+msgstr "недостига kdesu"
-#: ../../raid.pm:1
+#: common.pm:271
#, c-format
-msgid "mkraid failed"
-msgstr "mkraid не успеа"
+msgid "consolehelper missing"
+msgstr "недостига consolehelper"
-#: ../../standalone/harddrake2:1
+#: crypto.pm:14 crypto.pm:28 lang.pm:231 network/adsl_consts.pm:37
+#: network/adsl_consts.pm:48 network/adsl_consts.pm:58
+#: network/adsl_consts.pm:68 network/adsl_consts.pm:79
+#: network/adsl_consts.pm:90 network/adsl_consts.pm:100
+#: network/adsl_consts.pm:110 network/netconnect.pm:46
#, c-format
-msgid "Name"
-msgstr "Име"
+msgid "France"
+msgstr "Франција"
-#: ../../install_steps_interactive.pm:1
+#: crypto.pm:15 lang.pm:207
#, c-format
-msgid "Button 3 Emulation"
-msgstr "Емулација на 3-то копче"
+msgid "Costa Rica"
+msgstr "Костарика"
-#: ../../security/l10n.pm:1
+#: crypto.pm:16 crypto.pm:29 lang.pm:179 network/adsl_consts.pm:20
+#: network/adsl_consts.pm:30 network/netconnect.pm:49
#, c-format
-msgid "Check additions/removals of sgid files"
-msgstr "Провери ги додавањата/отстранувањата од sgid датотеките"
+msgid "Belgium"
+msgstr "Белгија"
-#: ../../standalone/drakbackup:1
+#: crypto.pm:17 crypto.pm:30 lang.pm:212
#, c-format
-msgid "Sending files..."
-msgstr "Праќа датотеки..."
+msgid "Czech Republic"
+msgstr "Чешка Република"
-#: ../../keyboard.pm:1
+#: crypto.pm:18 crypto.pm:31 lang.pm:213 network/adsl_consts.pm:126
+#: network/adsl_consts.pm:134
#, c-format
-msgid "Israeli (Phonetic)"
-msgstr "Израелски (фонетски)"
+msgid "Germany"
+msgstr "Германија"
-#: ../../any.pm:1
+#: crypto.pm:19 crypto.pm:32 lang.pm:244
#, c-format
-msgid "access to rpm tools"
-msgstr "пристап до rpm алатки"
+msgid "Greece"
+msgstr "Грција"
-#: ../../printer/printerdrake.pm:1
+#: crypto.pm:20 crypto.pm:33 lang.pm:317
#, c-format
-msgid "You must choose/enter a printer/device!"
-msgstr "Мора да изберете/внесете принтер/уред!"
+msgid "Norway"
+msgstr "Норвешка"
-#: ../../standalone/drakbackup:1
+#: crypto.pm:21 crypto.pm:34 lang.pm:346 network/adsl_consts.pm:230
#, c-format
-msgid "Permission problem accessing CD."
-msgstr "Проблем со дозволата за пристап до CD."
+msgid "Sweden"
+msgstr "Шведска"
-#: ../../network/modem.pm:1 ../../standalone/drakconnect:1
+#: crypto.pm:22 crypto.pm:36 lang.pm:316 network/adsl_consts.pm:170
+#: network/netconnect.pm:47
#, c-format
-msgid "Phone number"
-msgstr "Телефонски број"
+msgid "Netherlands"
+msgstr "Холандија"
-#: ../../harddrake/sound.pm:1
+#: crypto.pm:23 crypto.pm:37 lang.pm:264 network/adsl_consts.pm:150
+#: network/adsl_consts.pm:160 network/netconnect.pm:48 standalone/drakxtv:48
#, c-format
-msgid "Error: The \"%s\" driver for your sound card is unlisted"
-msgstr "Грешка: \"%s\" драјверот за вашата звучна картичка не во листата"
+msgid "Italy"
+msgstr "Италија"
-#: ../../printer/printerdrake.pm:1
+#: crypto.pm:24 crypto.pm:38 lang.pm:172
#, c-format
-msgid "Printer name, description, location"
-msgstr "Име на принтерот, опис, локација"
+msgid "Austria"
+msgstr "Австрија"
-#: ../../standalone/drakxtv:1
+#: crypto.pm:35 crypto.pm:61 lang.pm:380 network/netconnect.pm:50
#, c-format
-msgid "USA (broadcast)"
-msgstr "USA (пренос)"
+msgid "United States"
+msgstr "САД"
-#: ../../Xconfig/card.pm:1
+#: diskdrake/dav.pm:19
#, c-format
-msgid "Use Xinerama extension"
-msgstr "Користење Xinerama екстензија"
+msgid ""
+"WebDAV is a protocol that allows you to mount a web server's directory\n"
+"locally, and treat it like a local filesystem (provided the web server is\n"
+"configured as a WebDAV server). If you would like to add WebDAV mount\n"
+"points, select \"New\"."
+msgstr ""
+"WebDAV е протокол кој овозможува локално да монтирате директориум од \n"
+"веб сервер и да го третирате како локален датотечен систем (под\n"
+"претпоставка дека веб серверот е конфигуриран како WebDAV сервер). \n"
+"Ако сакате да додадете WebDAV монтирачки точки, изберете \"Ново\"."
-#: ../../diskdrake/interactive.pm:1
+#: diskdrake/dav.pm:27
#, c-format
-msgid "Loopback"
-msgstr "Loopback"
+msgid "New"
+msgstr "Ново"
-#: ../../standalone/drakxtv:1
+#: diskdrake/dav.pm:63 diskdrake/interactive.pm:417 diskdrake/smbnfs_gtk.pm:75
#, c-format
-msgid "West Europe"
-msgstr "Западна Европа"
+msgid "Unmount"
+msgstr "Одмонтирај"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "On CD-R"
-msgstr "на CDROM"
+#: diskdrake/dav.pm:64 diskdrake/interactive.pm:414 diskdrake/smbnfs_gtk.pm:76
+#, c-format
+msgid "Mount"
+msgstr "Монтирај"
-#: ../../standalone.pm:1
+#: diskdrake/dav.pm:65 help.pm:137
#, c-format
-msgid ""
-"[OPTIONS] [PROGRAM_NAME]\n"
-"\n"
-"OPTIONS:\n"
-" --help - print this help message.\n"
-" --report - program should be one of mandrake tools\n"
-" --incident - program should be one of mandrake tools"
-msgstr ""
-"[ОПЦИИ] [ИМЕ_НА_ПРОГРАМАТА]\n"
-"\n"
-"ОПЦИИ:\n"
-" --help - ја прикажува оваа порака за помош.\n"
-" --report - програмата треба да е една од алатките на мандрак\n"
-" --incident - програмата треба да е една од алатките на мандрак"
+msgid "Server"
+msgstr "Сервер"
-#: ../../standalone/harddrake2:1
+#: diskdrake/dav.pm:66 diskdrake/interactive.pm:408
+#: diskdrake/interactive.pm:616 diskdrake/interactive.pm:635
+#: diskdrake/removable.pm:24 diskdrake/smbnfs_gtk.pm:79
#, c-format
-msgid "Harddrake2 version %s"
-msgstr "Harddrake2 верзија %s "
+msgid "Mount point"
+msgstr "Точка на монтирање"
-#: ../../standalone/drakfloppy:1
-#, fuzzy, c-format
-msgid "Preferences"
-msgstr "Претпочитано: "
+#: diskdrake/dav.pm:85
+#, c-format
+msgid "Please enter the WebDAV server URL"
+msgstr "Внесете го WebDAV серверското URL"
-#: ../../lang.pm:1
+#: diskdrake/dav.pm:89
#, c-format
-msgid "Swaziland"
-msgstr "Свазиленд"
+msgid "The URL must begin with http:// or https://"
+msgstr "URL-то мора да има префикс http:// или https://"
-#: ../../lang.pm:1
+#: diskdrake/dav.pm:111
#, c-format
-msgid "Dominican Republic"
-msgstr "Доминиканска Република"
+msgid "Server: "
+msgstr "Сервер: "
-#: ../../diskdrake/interactive.pm:1
+#: diskdrake/dav.pm:112 diskdrake/interactive.pm:469
+#: diskdrake/interactive.pm:1149 diskdrake/interactive.pm:1225
#, c-format
-msgid "Copying %s"
-msgstr "Копирање на %s"
+msgid "Mount point: "
+msgstr "Точка на монтирање: "
-#: ../../standalone/draksplash:1
+#: diskdrake/dav.pm:113 diskdrake/interactive.pm:1233
#, c-format
-msgid "Choose color"
-msgstr "Избери боја"
+msgid "Options: %s"
+msgstr "Опции: %s"
-#: ../../keyboard.pm:1
+#: diskdrake/hd_gtk.pm:96 diskdrake/interactive.pm:995
+#: diskdrake/interactive.pm:1005 diskdrake/interactive.pm:1065
#, c-format
-msgid "Syriac"
-msgstr "Сирија"
+msgid "Read carefully!"
+msgstr "Внимателно прочитајте!"
-#: ../../standalone/drakperm:1
+#: diskdrake/hd_gtk.pm:96
#, c-format
-msgid "Set-UID"
-msgstr "Подеси-UID"
+msgid "Please make a backup of your data first"
+msgstr "Ве молиме прво да направите бекап на Вашите податоци"
-#: ../../help.pm:1
+#: diskdrake/hd_gtk.pm:99
#, c-format
msgid ""
-"Choose the hard drive you want to erase in order to install your new\n"
-"Mandrake Linux partition. Be careful, all data present on this partition\n"
-"will be lost and will not be recoverable!"
+"If you plan to use aboot, be carefull to leave a free space (2048 sectors is "
+"enough)\n"
+"at the beginning of the disk"
msgstr ""
-"Изберете го дискот што сакат да го избришете за да ја инсталирате новата\n"
-"Мандрак Линукс партиција. Внимавајте, сите податоци на него ќе бидат "
-"изгубени\n"
-"и нема да може да се повратат!"
+"Ако планирате да го користите aboot, внимавајте да оставите празен простор\n"
+"(2048 сектори се доволно) на почетокот на дискот"
-#. -PO: these messages will be displayed at boot time in the BIOS, use only ASCII (7bit)
-#. -PO: and keep them smaller than 79 chars long
-#: ../../bootloader.pm:1
+#: diskdrake/hd_gtk.pm:156 help.pm:544
#, c-format
-msgid "Use the %c and %c keys for selecting which entry is highlighted."
-msgstr "Користете ги копчињата %c и %c за да означите избор."
+msgid "Wizard"
+msgstr "Волшебник"
-#: ../../mouse.pm:1
+#: diskdrake/hd_gtk.pm:189
#, c-format
-msgid "Generic 2 Button Mouse"
-msgstr "Општ со 2 копчиња"
+msgid "Choose action"
+msgstr "Изберете акција"
-#: ../../standalone/drakperm:1
+#: diskdrake/hd_gtk.pm:193
#, c-format
-msgid "Enable \"%s\" to execute the file"
-msgstr "Овозможете \"%s\" да ја изврши датотеката"
+msgid ""
+"You have one big Microsoft Windows partition.\n"
+"I suggest you first resize that partition\n"
+"(click on it, then click on \"Resize\")"
+msgstr ""
+"Имате една голема Microsoft Windows партиција\n"
+"Предлагам прво да ја промените големината на таа партиција\n"
+"(кликнете на неа, а потоа на \"Промени Големина\")"
-#: ../../lvm.pm:1
+#: diskdrake/hd_gtk.pm:195
#, c-format
-msgid "Remove the logical volumes first\n"
-msgstr "Отстрани ги прво логичките партиции\n"
+msgid "Please click on a partition"
+msgstr "Кликнете на партиција"
-#. -PO: these messages will be displayed at boot time in the BIOS, use only ASCII (7bit)
-#. -PO: and keep them smaller than 79 chars long
-#: ../../bootloader.pm:1
+#: diskdrake/hd_gtk.pm:209 diskdrake/smbnfs_gtk.pm:63 install_steps_gtk.pm:475
#, c-format
-msgid "The highlighted entry will be booted automatically in %d seconds."
-msgstr "Одбележаниот OS ќе се подигне автоматски за %d секунди."
+msgid "Details"
+msgstr "Детали"
-#: ../../standalone/drakboot:1
+#: diskdrake/hd_gtk.pm:255
#, c-format
-msgid ""
-"Can't write /etc/sysconfig/bootsplash\n"
-"File not found."
-msgstr ""
-"Не можам да го запишам /etc/sysconfig/bootsplash\n"
-"Датотеката не е најдена."
+msgid "No hard drives found"
+msgstr "Не се најдени тврди дискови"
-#: ../../standalone/drakconnect:1
+#: diskdrake/hd_gtk.pm:326
#, c-format
-msgid "Internet access"
-msgstr "Интернет пристап"
+msgid "Ext2"
+msgstr "Ext2"
-#: ../../standalone/draksplash:1
+#: diskdrake/hd_gtk.pm:326
#, c-format
-msgid ""
-"y coordinate of text box\n"
-"in number of characters"
-msgstr ""
-"y координата на текст полето\n"
-"со голем број на карактери"
+msgid "Journalised FS"
+msgstr "Journalised FS"
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/hd_gtk.pm:326
#, c-format
-msgid ""
-"To get a list of the options available for the current printer click on the "
-"\"Print option list\" button."
-msgstr ""
-"За да ја добитете листата на опции достапни за тековниот принтер кликнете на "
-"копчето \"Испечати листа на опции\"."
+msgid "Swap"
+msgstr "Swap"
-#: ../../standalone/drakgw:1
+#: diskdrake/hd_gtk.pm:326
#, c-format
-msgid "Enabling servers..."
-msgstr "Овозможување на серверите..."
+msgid "SunOS"
+msgstr "SunOS"
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/hd_gtk.pm:326
#, c-format
-msgid "Printing test page(s)..."
-msgstr "Печатење на тест страна(и)..."
+msgid "HFS"
+msgstr "HFS"
-#: ../../standalone/drakbackup:1
+#: diskdrake/hd_gtk.pm:326
#, c-format
-msgid ""
-"Transfer successful\n"
-"You may want to verify you can login to the server with:\n"
-"\n"
-"ssh -i %s %s@%s\n"
-"\n"
-"without being prompted for a password."
-msgstr ""
-"Преносот е успешен\n"
-"Можеби сакате да потврдите, можете да се логирате на серверот со:\n"
-"\n"
-"ssh -i %s %s@%s\n"
-"\n"
-"без да бидете прашани за лозинка."
+msgid "Windows"
+msgstr "Windows"
-#: ../../fsedit.pm:1
+#: diskdrake/hd_gtk.pm:327 install_steps_gtk.pm:327 mouse.pm:167
+#: services.pm:164 standalone/drakbackup:1947 standalone/drakperm:250
#, c-format
-msgid "There is already a partition with mount point %s\n"
-msgstr "Веќе постои партиција со точка на монтирање %s\n"
+msgid "Other"
+msgstr "Друго"
-#: ../../security/help.pm:1
+#: diskdrake/hd_gtk.pm:327 diskdrake/interactive.pm:1165
#, c-format
-msgid "Enable/Disable msec hourly security check."
-msgstr "Овозможи/Оневозможи msec безбедносна проверка на секој час."
+msgid "Empty"
+msgstr "Празно"
-#: ../../help.pm:1
+#: diskdrake/hd_gtk.pm:331
#, c-format
-msgid ""
-"At this point, you need to decide where you want to install the Mandrake\n"
-"Linux operating system on your hard drive. If your hard drive is empty or\n"
-"if an existing operating system is using all the available space you will\n"
-"have to partition the drive. Basically, partitioning a hard drive consists\n"
-"of logically dividing it to create the space needed to install your new\n"
-"Mandrake Linux system.\n"
-"\n"
-"Because the process of partitioning a hard drive is usually irreversible\n"
-"and can lead to lost data if there is an existing operating system already\n"
-"installed on the drive, partitioning can be intimidating and stressful if\n"
-"you are an inexperienced user. Fortunately, DrakX includes a wizard which\n"
-"simplifies this process. Before continuing with this step, read through the\n"
-"rest of this section and above all, take your time.\n"
-"\n"
-"Depending on your hard drive configuration, several options are available:\n"
-"\n"
-" * \"%s\": this option will perform an automatic partitioning of your blank\n"
-"drive(s). If you use this option there will be no further prompts.\n"
-"\n"
-" * \"%s\": the wizard has detected one or more existing Linux partitions on\n"
-"your hard drive. If you want to use them, choose this option. You will then\n"
-"be asked to choose the mount points associated with each of the partitions.\n"
-"The legacy mount points are selected by default, and for the most part it's\n"
-"a good idea to keep them.\n"
-"\n"
-" * \"%s\": if Microsoft Windows is installed on your hard drive and takes\n"
-"all the space available on it, you will have to create free space for\n"
-"Linux. To do so, you can delete your Microsoft Windows partition and data\n"
-"(see ``Erase entire disk'' solution) or resize your Microsoft Windows FAT\n"
-"partition. Resizing can be performed without the loss of any data, provided\n"
-"you have previously defragmented the Windows partition and that it uses the\n"
-"FAT format. Backing up your data is strongly recommended.. Using this\n"
-"option is recommended if you want to use both Mandrake Linux and Microsoft\n"
-"Windows on the same computer.\n"
-"\n"
-" Before choosing this option, please understand that after this\n"
-"procedure, the size of your Microsoft Windows partition will be smaller\n"
-"then when you started. You will have less free space under Microsoft\n"
-"Windows to store your data or to install new software.\n"
-"\n"
-" * \"%s\": if you want to delete all data and all partitions present on\n"
-"your hard drive and replace them with your new Mandrake Linux system,\n"
-"choose this option. Be careful, because you will not be able to undo your\n"
-"choice after you confirm.\n"
-"\n"
-" !! If you choose this option, all data on your disk will be deleted. !!\n"
-"\n"
-" * \"%s\": this will simply erase everything on the drive and begin fresh,\n"
-"partitioning everything from scratch. All data on your disk will be lost.\n"
-"\n"
-" !! If you choose this option, all data on your disk will be lost. !!\n"
-"\n"
-" * \"%s\": choose this option if you want to manually partition your hard\n"
-"drive. Be careful -- it is a powerful but dangerous choice and you can very\n"
-"easily lose all your data. That's why this option is really only\n"
-"recommended if you have done something like this before and have some\n"
-"experience. For more instructions on how to use the DiskDrake utility,\n"
-"refer to the ``Managing Your Partitions '' section in the ``Starter\n"
-"Guide''."
-msgstr ""
-"Сега треба да изберете каде на Вашиот диск да се инсталира Mandrake Linux\n"
-"оперативниот систем. Ако Вашиот диск е празен или ако веќе некој оперативен\n"
-"систем го користи целокупниот простор, ќе треба да го партицирате. \n"
-"Партицирањето се состои од логичко делење за да се создаде простор за\n"
-"инсталирање на Вашиот нов Мандрак Линукс систем.\n"
-"\n"
-"Бидејќи ефектите од процесот на партицирање обично се неповратни, и може да\n"
-"доведе до губење на податоци ако веќе постои инсталиран оперативен систем на "
-"дискот\n"
-"за неискусните партицирањето може да биде иритирачко и полно со стрес. За "
-"среќа,\n"
-"постои волшебник што го поедноставува овој процес. Пред да почнете, Ве "
-"молиме да\n"
-" го прочитете остатоток на оваа секција и пред се, не брзајте.\n"
-"\n"
-"Во зависност од конфигурацијата на вачиот хард диск, постојат повеќе опции:\n"
-"\n"
-" * \"%s\": оваа опција ќе изведе автоматско партиционирање на\n"
-"празниот(те) диск(ови). Нема да бидете понатаму запрашувани.\n"
-"\n"
-" * \"%s\": волшебникот детектирал една или повеќе постоечки Линукс партиции\n"
-" на Вашиот диск. Ако сакате нив да ги користите, изберете ја оваа опција.\n"
-"Потоа ќе бидете прашани да ги изберете точките на монтирање асоцирани со "
-"секоја\n"
-" од партициите. Автоматската селекција на овие точки обично е во ред.\n"
-"\n"
-" * \"%s\": ако на дискот има Microsoft Windows и тој го зафаќа целиот "
-"простор,\n"
-" мора да направите празен простор за Линукс податоците. За тоа можете или да "
-"ja\n"
-"избришете Вашата Windows партиција и податоците (со опцијата \"Избриши го "
-"целиот\n"
-"диск\") или да ја промените големината на Вашата Windows FAT партиција.\n"
-"Менувањето на големина може да се изведе без губиток на податоци,\n"
-"под услов претходно да сте ја дефрагментирале Windows партицијата. Не би "
-"било лошо ни да направите бекап на Вашите податоци.\n"
-"Оваа солуција се пропорачува ако сакате да ги користите и Mandrake Linux и\n"
-"Microsoft Windows на истиот компјутер.\n"
-"\n"
-" Пред избирање на оваа опција треба да знаете дека по ова Microsoft "
-"Windows \n"
-"партицијата ќе биде помала. Ќе имате помалку слободен простор под Microsoft\n"
-"Windows за чување податоци или инсталирање нов софтвер;\n"
-"\n"
-" * \"%s\": ако сакате да ги избришете сите податоци и сите партиции што "
-"постојат на\n"
-" Вашиот диск и да ги замените со Вашиот нов Мандрак Линукс систем, изберете "
-"ја\n"
-"оваа опција. Внимавајте со овој избор зашто нема да може да се предомислите "
-"по\n"
-" прашањето за потврда.\n"
-"\n"
-" !! Ако ја изберете оваа опција, сите податоци на Вашиот диск ќе бидат "
-"изгубени. !!\n"
-"\n"
-" * \"%s\": ова едноставно ќе избрише се од дискот и ќе започне со свежо "
-"партицирање\n"
-" на се од почеток. Сите податоци на дискот ќе бидат изгубени.\n"
-"\n"
-" !! Ако ја изберете оваа опција, сите податоци на Вашиот диск ќе бидат "
-"изгубени. !!\n"
-"\n"
-" * \"%s\": изберете ја оваа опција ако сакате рачно да го партицирате вашиот "
-"хард\n"
-"диск. Внимавајте -- ова е моќен но опасен избор и можете многу лесно да ги "
-"изгубите\n"
-"сите Ваши податоци. Затоа оваа опција е препорачлива само ако веќе имате "
-"правено\n"
-"вакво нешто и имате малку искуство. За повеќе инструкции како да ја "
-"користите\n"
-"DiskDrake алатката, обратете се на ``Managing Your Partitions '' секцијата "
-"во\n"
-"``Starter Guide''."
+msgid "Filesystem types:"
+msgstr "Типови фајлсистеми:"
-#: ../../lang.pm:1
+#: diskdrake/hd_gtk.pm:348 diskdrake/hd_gtk.pm:350 diskdrake/hd_gtk.pm:353
#, c-format
-msgid "Ukraine"
-msgstr "Украина"
+msgid "Use ``%s'' instead"
+msgstr "Користи ``%s'' наместо тоа"
-#: ../../standalone/drakbug:1
+#: diskdrake/hd_gtk.pm:348 diskdrake/hd_gtk.pm:353
+#: diskdrake/interactive.pm:409 diskdrake/interactive.pm:569
+#: diskdrake/removable.pm:26 diskdrake/removable.pm:49
+#: standalone/harddrake2:67
#, c-format
-msgid "Application:"
-msgstr "Апликација:"
+msgid "Type"
+msgstr "Тип"
-#: ../../network/isdn.pm:1
+#: diskdrake/hd_gtk.pm:348 diskdrake/interactive.pm:431
#, c-format
-msgid "External ISDN modem"
-msgstr "Надворешен ISDN модем"
+msgid "Create"
+msgstr "Креирај"
-#: ../../security/help.pm:1
+#: diskdrake/hd_gtk.pm:350 diskdrake/interactive.pm:418
+#: standalone/drakperm:124 standalone/printerdrake:231
#, c-format
-msgid "if set to yes, report check result by mail."
-msgstr "ако е подесено на да, прати го добиениот резултат по е-пошта"
+msgid "Delete"
+msgstr "Избриши"
-#: ../../interactive/stdio.pm:1
+#: diskdrake/hd_gtk.pm:353
#, c-format
-msgid "Your choice? (default %s) "
-msgstr "Вашиот избор? (%s е стандардно)"
+msgid "Use ``Unmount'' first"
+msgstr "Прво користи \"Одмонтирај\""
-#: ../../harddrake/sound.pm:1
+#: diskdrake/interactive.pm:179
#, c-format
-msgid "Trouble shooting"
-msgstr "Решавање Проблеми"
+msgid "Choose another partition"
+msgstr "Изберете друга партиција"
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/interactive.pm:179
#, c-format
-msgid ""
-"Test page(s) have been sent to the printer.\n"
-"It may take some time before the printer starts.\n"
-"Printing status:\n"
-"%s\n"
-"\n"
-msgstr ""
-"Тест страницата(ците) се испратени до печатарот.\n"
-"Може да помине малку време пред да стартува печатарот.\n"
-"Печатење статус:\n"
-"%s\n"
-"\n"
+msgid "Choose a partition"
+msgstr "Изберете партиција"
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:208
#, c-format
-msgid "daily"
-msgstr "дневно"
+msgid "Exit"
+msgstr "Излез"
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/interactive.pm:241 help.pm:544
#, c-format
-msgid "and one unknown printer"
-msgstr "и еден непознат принтер"
+msgid "Undo"
+msgstr "Поврати"
-#: ../../lang.pm:1 ../../standalone/drakxtv:1
+#: diskdrake/interactive.pm:241
#, c-format
-msgid "Ireland"
-msgstr "Ирска"
+msgid "Toggle to normal mode"
+msgstr "Префрлање во нормален режим"
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:241
#, c-format
-msgid " Restore Configuration "
-msgstr " Врати ја Конфигурацијата "
+msgid "Toggle to expert mode"
+msgstr "Префрлање во експертски режим"
-#: ../../Xconfig/test.pm:1
+#: diskdrake/interactive.pm:260
#, c-format
-msgid "Is this the correct setting?"
-msgstr "Дали се ова точните подесувања?"
+msgid "Continue anyway?"
+msgstr "Продолжуваме?"
-#: ../../help.pm:1
+#: diskdrake/interactive.pm:265
#, c-format
-msgid ""
-"You will now set up your Internet/network connection. If you wish to\n"
-"connect your computer to the Internet or to a local network, click \"%s\".\n"
-"Mandrake Linux will attempt to autodetect network devices and modems. If\n"
-"this detection fails, uncheck the \"%s\" box. You may also choose not to\n"
-"configure the network, or to do it later, in which case clicking the \"%s\"\n"
-"button will take you to the next step.\n"
-"\n"
-"When configuring your network, the available connections options are:\n"
-"traditional modem, ISDN modem, ADSL connection, cable modem, and finally a\n"
-"simple LAN connection (Ethernet).\n"
-"\n"
-"We will not detail each configuration option - just make sure that you have\n"
-"all the parameters, such as IP address, default gateway, DNS servers, etc.\n"
-"from your Internet Service Provider or system administrator.\n"
-"\n"
-"You can consult the ``Starter Guide'' chapter about Internet connections\n"
-"for details about the configuration, or simply wait until your system is\n"
-"installed and use the program described there to configure your connection."
-msgstr ""
-"Сега можете да ја поставите Вашата Интернет/мрежна врска. Ако сакате да\n"
-"го поврзете Вашиот компјутер на Интернет или на некоја локална мрежа, \n"
-"притиснете \"%s\". Ќе биде извршена автодетекцијата на мрежни уреди \n"
-"и на модем. Ако детекцијата не успее, дештиклирате go\"%s\". Исто така,\n"
-" може да изберете да не ја конфигурирате мрежатa, или тоа да го направите "
-"подоцна; во тој случај, притискањето на копчето \"%s\" ќе ве однесе на "
-"следниот чекор.\n"
-"\n"
-"Достапни типови конекции се: обичен модем, ISDN модем, ADSL конекција, \n"
-"кабелски модем и едноставна LAN конекција (Еthernet).\n"
-"\n"
-"Тука нема да влегуваме во детали за секој тип на конфигурација - "
-"едноставно, \n"
-"осигурајте дека ги имате сите параметри како што се IP адреса, стандарден "
-"gateway, DNS сервери, итн. од Вашиот Интернетски провајдер или системски "
-"администратор.\n"
-"\n"
-"Можете да го консултирате поглавјетео на ``Starter Guide'' за Интернет \n"
-"конекции за детали за конфигурирање, или едноставно причекајте додека "
-"Вашиот\n"
-"систем не се инсталира и користете го таму опишаниот програм за да ја\n"
-"конфигурирате Вашата конекција."
+msgid "Quit without saving"
+msgstr "Напушти без зачувување"
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:265
#, c-format
-msgid "Wizard Configuration"
-msgstr "Конфигурација со Волшебник"
+msgid "Quit without writing the partition table?"
+msgstr "Напушти без запишување на партициската табела?"
-#: ../../modules/interactive.pm:1
+#: diskdrake/interactive.pm:270
#, c-format
-msgid "Autoprobe"
-msgstr "Автоматско барање"
+msgid "Do you want to save /etc/fstab modifications"
+msgstr "Дали сакате да ги зачувате модификациите на /etc/fstab"
-#: ../../security/help.pm:1
+#: diskdrake/interactive.pm:277 install_steps_interactive.pm:301
#, c-format
-msgid ""
-"if set to yes, check for :\n"
-"\n"
-"- empty passwords,\n"
-"\n"
-"- no password in /etc/shadow\n"
-"\n"
-"- for users with the 0 id other than root."
-msgstr ""
-"ако е поставено на да, направете проверка за:\n"
-"\n"
-"- празни лозинки,\n"
-"\n"
-"-нема лозинки во /etc/shadow\n"
-"\n"
-"-за корисници со id 0 а кои не се root."
+msgid "You need to reboot for the partition table modifications to take place"
+msgstr "Морате да го рестартувате компјутерот за модификациите да имаат ефект"
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:290 help.pm:544
#, c-format
-msgid "Backup system files..."
-msgstr "Бекап на системски датотеки..."
+msgid "Clear all"
+msgstr "Исчисти се"
-#: ../../any.pm:1
+#: diskdrake/interactive.pm:291 help.pm:544
#, c-format
-msgid "Can't use broadcast with no NIS domain"
-msgstr "Неможам да извршам пренос без NIS домеин"
+msgid "Auto allocate"
+msgstr "Авто-алоцирање"
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/interactive.pm:297
#, c-format
-msgid "Removing printer \"%s\"..."
-msgstr "Отстранување на принтер \"%s\"..."
+msgid "Hard drive information"
+msgstr "Информации за дискот"
-#: ../../security/l10n.pm:1
+#: diskdrake/interactive.pm:329
#, c-format
-msgid "Shell history size"
-msgstr "Големина на историјата на шелот"
+msgid "All primary partitions are used"
+msgstr "Сите примарни партиции се искористени"
-#: ../../standalone/drakfloppy:1
+#: diskdrake/interactive.pm:330
#, c-format
-msgid "drakfloppy"
-msgstr "drakfloppy"
+msgid "I can't add any more partition"
+msgstr "Повеќе не може да се додадат партиции"
-#: ../../standalone/drakpxe:1
+#: diskdrake/interactive.pm:331
#, c-format
msgid ""
-"Please indicate where the auto_install.cfg file is located.\n"
-"\n"
-"Leave it blank if you do not want to set up automatic installation mode.\n"
-"\n"
+"To have more partitions, please delete one to be able to create an extended "
+"partition"
msgstr ""
-"Ве молиме кажете каде е сместен auto_install.cfg \n"
-"\n"
-"Оставете празно ако не сакате да подесите автоматска инсталација.\n"
-"\n"
+"За да може да имате повеќе партиции, избришете една за да може да создадете "
+"extended партиција"
-#: ../../printer/cups.pm:1 ../../standalone/printerdrake:1
-#, fuzzy, c-format
-msgid "Configured on other machines"
-msgstr "Конфигурирај ги сервисите"
+#: diskdrake/interactive.pm:342 help.pm:544
+#, c-format
+msgid "Save partition table"
+msgstr "Зачувај партициска табела"
-#: ../../standalone/harddrake2:1
+#: diskdrake/interactive.pm:343 help.pm:544
#, c-format
-msgid "information level that can be obtained through the cpuid instruction"
-msgstr "информационо ниво кое може да се достигне низ cpuid инструкции"
+msgid "Restore partition table"
+msgstr "Врати партициска табела"
-#: ../../lang.pm:1
+#: diskdrake/interactive.pm:344 help.pm:544
#, c-format
-msgid "Peru"
-msgstr "Перу"
+msgid "Rescue partition table"
+msgstr "Спасувај партициска табела"
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:346 help.pm:544
#, c-format
-msgid " on device: %s"
-msgstr "на уред: %s"
+msgid "Reload partition table"
+msgstr "Превчитај партициска табела"
-#: ../../install_interactive.pm:1
+#: diskdrake/interactive.pm:348
#, c-format
-msgid "Remove Windows(TM)"
-msgstr "Отстрани го Windows(TM)"
+msgid "Removable media automounting"
+msgstr "Автомонтирање на отстранливи медиуми"
-#: ../../services.pm:1
+#: diskdrake/interactive.pm:357 diskdrake/interactive.pm:377
#, c-format
-msgid "Starts the X Font Server (this is mandatory for XFree to run)."
+msgid "Select file"
+msgstr "Избор на датотека"
+
+#: diskdrake/interactive.pm:364
+#, c-format
+msgid ""
+"The backup partition table has not the same size\n"
+"Still continue?"
msgstr ""
-"Го стартува Х Фонт Серверот (ова е задолжително за да може XFree да работи)."
+"Партициската табела за бекап не е со иста големина\n"
+"Да Продолжиме?"
-#: ../../standalone/drakTermServ:1
+#: diskdrake/interactive.pm:378 harddrake/sound.pm:222 keyboard.pm:311
+#: network/netconnect.pm:353 printer/printerdrake.pm:2159
+#: printer/printerdrake.pm:3246 printer/printerdrake.pm:3365
+#: printer/printerdrake.pm:4338 standalone/drakTermServ:1040
+#: standalone/drakTermServ:1715 standalone/drakbackup:765
+#: standalone/drakbackup:865 standalone/drakboot:137 standalone/drakclock:200
+#: standalone/drakconnect:856 standalone/drakfloppy:295
+#, c-format
+msgid "Warning"
+msgstr "Внимание"
+
+#: diskdrake/interactive.pm:379
#, c-format
msgid ""
-"Most of these values were extracted\n"
-"from your running system.\n"
-"You can modify as needed."
+"Insert a floppy in drive\n"
+"All data on this floppy will be lost"
msgstr ""
-"Повеќето од овие вредности биле екстрахирани\n"
-"од вашиот подигнат систем.\n"
-"Можете да ги промените по потреба."
+"Ставете дискета во уредот\n"
+"Сите податоци на дискетата ќе бидат избришани"
-#: ../../standalone/drakfont:1
+#: diskdrake/interactive.pm:390
#, c-format
-msgid "Select the font file or directory and click on 'Add'"
-msgstr "Изберете ја фонт датотеката или директориум и кликнете на 'Додади'"
+msgid "Trying to rescue partition table"
+msgstr "Обид за спасување на партициската табела"
-#: ../../lang.pm:1
+#: diskdrake/interactive.pm:396
#, c-format
-msgid "Madagascar"
-msgstr "Магадаскар"
+msgid "Detailed information"
+msgstr "Детални информации"
-#: ../../standalone/drakbug:1
+#: diskdrake/interactive.pm:411 diskdrake/interactive.pm:706
#, c-format
-msgid "Urpmi"
-msgstr "Urpmi"
+msgid "Resize"
+msgstr "Големина"
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:412 diskdrake/interactive.pm:774
#, c-format
-msgid "Cron not available yet as non-root"
-msgstr "Cron сеуште не е достапен за користење како не-root"
+msgid "Move"
+msgstr "Премести"
-#: ../../install_steps_interactive.pm:1 ../../services.pm:1
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:413
#, c-format
-msgid "System"
-msgstr "Систем"
+msgid "Format"
+msgstr "Форматирај"
-#: ../../any.pm:1 ../../help.pm:1
+#: diskdrake/interactive.pm:415
#, c-format
-msgid "Do you want to use this feature?"
-msgstr "Дали сакате да ja користите оваа опција?"
+msgid "Add to RAID"
+msgstr "Додај на RAID"
-#: ../../keyboard.pm:1
+#: diskdrake/interactive.pm:416
#, c-format
-msgid "Arabic"
-msgstr "Арапски"
+msgid "Add to LVM"
+msgstr "Додај на LVM"
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:419
#, c-format
-msgid ""
-"\n"
-"- Options:\n"
-msgstr ""
-"\n"
-"- Опции:\n"
+msgid "Remove from RAID"
+msgstr "Отстрани од RAID"
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:420
#, c-format
-msgid "Password required"
-msgstr "Лозинка се бара"
+msgid "Remove from LVM"
+msgstr "Отстрани од LVM"
-#: ../../common.pm:1
+#: diskdrake/interactive.pm:421
#, c-format
-msgid "%d minutes"
-msgstr "%d минути"
+msgid "Modify RAID"
+msgstr "Измени RAID"
-#: ../../Xconfig/resolution_and_depth.pm:1
+#: diskdrake/interactive.pm:422
#, c-format
-msgid "Graphics card: %s"
-msgstr "Графичка карта: %s"
+msgid "Use for loopback"
+msgstr "Користи за loopback"
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:462
#, c-format
-msgid "WebDAV transfer failed!"
-msgstr "WebDAV трансферот не успеа!"
+msgid "Create a new partition"
+msgstr "Создај нова партиција"
-#: ../../Xconfig/card.pm:1
+#: diskdrake/interactive.pm:465
#, c-format
-msgid "XFree configuration"
-msgstr "XFree конфигурација"
+msgid "Start sector: "
+msgstr "Почетен сектор: "
-#: ../../diskdrake/hd_gtk.pm:1
+#: diskdrake/interactive.pm:467 diskdrake/interactive.pm:876
#, c-format
-msgid "Choose action"
-msgstr "Изберете акција"
+msgid "Size in MB: "
+msgstr "Големина во МB: "
-#: ../../lang.pm:1
+#: diskdrake/interactive.pm:468 diskdrake/interactive.pm:877
#, c-format
-msgid "French Polynesia"
-msgstr "Француска Полинезија"
+msgid "Filesystem type: "
+msgstr "Тип на фајлсистем: "
+
+#: diskdrake/interactive.pm:473
+#, c-format
+msgid "Preference: "
+msgstr "Претпочитано: "
-#: ../../help.pm:1
+#: diskdrake/interactive.pm:476
+#, c-format
+msgid "Logical volume name "
+msgstr "Име на логичка партиција "
+
+#: diskdrake/interactive.pm:505
#, c-format
msgid ""
-"Usually, DrakX has no problems detecting the number of buttons on your\n"
-"mouse. If it does, it assumes you have a two-button mouse and will\n"
-"configure it for third-button emulation. The third-button mouse button of a\n"
-"two-button mouse can be ``pressed'' by simultaneously clicking the left and\n"
-"right mouse buttons. DrakX will automatically know whether your mouse uses\n"
-"a PS/2, serial or USB interface.\n"
-"\n"
-"If for some reason you wish to specify a different type of mouse, select it\n"
-"from the list provided.\n"
-"\n"
-"If you choose a mouse other than the default, a test screen will be\n"
-"displayed. Use the buttons and wheel to verify that the settings are\n"
-"correct and that the mouse is working correctly. If the mouse is not\n"
-"working well, press the space bar or [Return] key to cancel the test and to\n"
-"go back to the list of choices.\n"
-"\n"
-"Wheel mice are occasionally not detected automatically, so you will need to\n"
-"select your mouse from a list. Be sure to select the one corresponding to\n"
-"the port that your mouse is attached to. After selecting a mouse and\n"
-"pressing the \"%s\" button, a mouse image is displayed on-screen. Scroll\n"
-"the mouse wheel to ensure that it is activated correctly. Once you see the\n"
-"on-screen scroll wheel moving as you scroll your mouse wheel, test the\n"
-"buttons and check that the mouse pointer moves on-screen as you move your\n"
-"mouse."
+"You can't create a new partition\n"
+"(since you reached the maximal number of primary partitions).\n"
+"First remove a primary partition and create an extended partition."
msgstr ""
-"DrakX обично го детектира бројот на копчиња на Вашиот глушец. Ако не успее\n"
-"во тоа, тогаш претпоставува дека имате глушец со две копчиња и ќе постави\n"
-"емулација на трето копче (кога се стискаат двете копчиња одеднаш). DrakX\n"
-"ќе дознае и дали се работи за PS/2, сериски или USB глушец.\n"
-"\n"
-"Ако сакате да наведете друг тип на глушец, изберете го соодветниот тип од\n"
-"понудената листа.\n"
-"\n"
-"Ако сте избрале глушец различен од понудениот, ќе се појави екран за\n"
-" тестирање. Употребете ги копчињата и тркалцето за да проверите дали е сѐ во "
-"ред.\n"
-"Ако глушецот не работи како што треба, притиснете [space] или [Enter] за да\n"
-"откажете тестот и да можете повторно да бирате.\n"
-"\n"
-"Понекогаш, глувците со тркалце не се детектираат автоматски, па ќе треба "
-"рачно\n"
-"да го изберете од листата. Изберете го оној што одговара на вистинската\n"
-"порта на која што е приклучен. После избирањето на глушецот и притискање на\n"
-"\"%s\" копчето, ќе се прикаже слика на глушец на екранот. Откога ќе видите "
-"дека\n"
-"тркалцето на екранот се движи исто како што го движите вистинското тркалце,\n"
-"тестирајте копчињата и проверете дека покажувачот се движи по екранот како "
-"што\n"
-"го движите глушецот."
+"Не можете да креирате нова партиција\n"
+"(затоа што е достигнат максималниот број на примарни партиции).\n"
+"Прво отстранете една примарна партиција, а потоа креирајте extended "
+"партиција."
-#: ../../services.pm:1
+#: diskdrake/interactive.pm:535
#, c-format
-msgid "Support the OKI 4w and compatible winprinters."
-msgstr "Ги подржува OKI 4w и компатибилните win печатари."
+msgid "Remove the loopback file?"
+msgstr "Отстранување на loopback датотеката?"
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:554
#, c-format
msgid ""
-"Files or wildcards listed in a .backupignore file at the top of a directory "
-"tree will not be backed up."
+"After changing type of partition %s, all data on this partition will be lost"
msgstr ""
+"По промената на типот на партицијата %s, сите податоци на таа партиција ќе "
+"бидат изгубени"
-#: ../../services.pm:1
+#: diskdrake/interactive.pm:565
#, c-format
-msgid "Launch the ALSA (Advanced Linux Sound Architecture) sound system"
-msgstr "Го лансира ALSA (Advanced Linux Sound Architecture) звучниот систем."
+msgid "Change partition type"
+msgstr "Промена на тип на партиција"
-#. -PO: the first %s is the card type (scsi, network, sound,...)
-#. -PO: the second is the vendor+model name
-#: ../../modules/interactive.pm:1
+#: diskdrake/interactive.pm:566 diskdrake/removable.pm:48
#, c-format
-msgid "Installing driver for %s card %s"
-msgstr "Инсталирање на драјвер за %s картичката %s"
+msgid "Which filesystem do you want?"
+msgstr "Кој фајлсистем го сакате?"
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/interactive.pm:574
#, c-format
-msgid ""
-"You have transferred your former default printer (\"%s\"), Should it be also "
-"the default printer under the new printing system %s?"
-msgstr ""
-"Сте го преместиле вашиот поранешен стандарден принтер (\"%s\"), дали да биде "
-"исто така стандарден принтер и под новиот печатарски систем %s?"
+msgid "Switching from ext2 to ext3"
+msgstr "Префрлање од ext2 на ext3"
-#: ../../standalone/drakTermServ:1
-#, c-format
-msgid "Enable Server"
-msgstr "Овозможи Сервер"
+#: diskdrake/interactive.pm:603
+#, fuzzy, c-format
+msgid "Where do you want to mount the loopback file %s?"
+msgstr "Каде сакате да ја монтирате loopback датотеката %s?"
-#: ../../keyboard.pm:1
+#: diskdrake/interactive.pm:604
#, c-format
-msgid "Ukrainian"
-msgstr "Украинска"
+msgid "Where do you want to mount device %s?"
+msgstr "Каде сакате да го монтирате уредот %s?"
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/interactive.pm:609
#, c-format
msgid ""
-"The network access was not running and could not be started. Please check "
-"your configuration and your hardware. Then try to configure your remote "
-"printer again."
+"Can't unset mount point as this partition is used for loop back.\n"
+"Remove the loopback first"
msgstr ""
-"Мрежниот пристеп не работи и не може да се подигне. Ве молам проверете ја "
-"Вашата конфигурација и Вашиот хардвер. Потоа пробајте повторно да го "
-"конфигурирате вашиот далечински принтер."
+"Не може да се отпостави точката на монтирање зашто оваа партиција се\n"
+"користи за loopback. Прво отстранете го loopback-от."
-#: ../../standalone/drakperm:1
+#: diskdrake/interactive.pm:634
#, c-format
-msgid "Enable \"%s\" to write the file"
-msgstr "Овозможи \"%s\" да ја запише датотеката"
+msgid "Where do you want to mount %s?"
+msgstr "Каде сакате да го монтирате %s?"
-#: ../../install_steps_interactive.pm:1
+#: diskdrake/interactive.pm:658 diskdrake/interactive.pm:738
+#: install_interactive.pm:156 install_interactive.pm:186
#, c-format
-msgid "Please insert the Boot floppy used in drive %s"
-msgstr "Внесете ја boot-дискетата во %s"
+msgid "Resizing"
+msgstr "Менување големина"
-#: ../../printer/main.pm:1 ../../printer/printerdrake.pm:1
+#: diskdrake/interactive.pm:658
#, c-format
-msgid "Local network(s)"
-msgstr "Локалнa Мрежа(и)"
+msgid "Computing FAT filesystem bounds"
+msgstr "Пресметување на граници на FAT фајлсистемот"
-#: ../../help.pm:1
+#: diskdrake/interactive.pm:694
#, c-format
-msgid "Remove Windows"
-msgstr "Отстрани го Windows"
+msgid "This partition is not resizeable"
+msgstr "На оваа партиција не може да и се промени големината"
-#: ../../standalone/scannerdrake:1
+#: diskdrake/interactive.pm:699
#, c-format
-msgid ""
-"Your %s has been configured.\n"
-"You may now scan documents using \"XSane\" from Multimedia/Graphics in the "
-"applications menu."
+msgid "All data on this partition should be backed-up"
+msgstr "Сите податоци на оваа партиција би требало да се во бекап"
+
+#: diskdrake/interactive.pm:701
+#, c-format
+msgid "After resizing partition %s, all data on this partition will be lost"
msgstr ""
-"Вашиот %s е конфигуриран.\n"
-"Сега можете да скенирате документи со користење на \"XSane\" од Мултимедија/"
-"Графика во апликационото мени."
+"По промена на големината на партицијата %s, сите податоци на оваа партиција "
+"ќе бидат изгубени"
-#: ../../harddrake/data.pm:1
+#: diskdrake/interactive.pm:706
#, c-format
-msgid "Firewire controllers"
-msgstr "Firewire контролери"
+msgid "Choose the new size"
+msgstr "Изберете ја новата големина"
+
+#: diskdrake/interactive.pm:707
+#, c-format
+msgid "New size in MB: "
+msgstr "Нова големина во МБ: "
-#: ../../help.pm:1
+#: diskdrake/interactive.pm:751 install_interactive.pm:194
#, c-format
msgid ""
-"After you have configured the general bootloader parameters, the list of\n"
-"boot options that will be available at boot time will be displayed.\n"
-"\n"
-"If there are other operating systems installed on your machine they will\n"
-"automatically be added to the boot menu. You can fine-tune the existing\n"
-"options by clicking \"%s\" to create a new entry; selecting an entry and\n"
-"clicking \"%s\" or \"%s\" to modify or remove it. \"%s\" validates your\n"
-"changes.\n"
-"\n"
-"You may also not want to give access to these other operating systems to\n"
-"anyone who goes to the console and reboots the machine. You can delete the\n"
-"corresponding entries for the operating systems to remove them from the\n"
-"bootloader menu, but you will need a boot disk in order to boot those other\n"
-"operating systems!"
+"To ensure data integrity after resizing the partition(s), \n"
+"filesystem checks will be run on your next boot into Windows(TM)"
msgstr ""
-"Откако сте ги конфигуририрале општите параметри на подигањето, ќе биде\n"
-"прикажана листа на опции од кои ќе можете да бирате при секое подигање.\n"
-"\n"
-"Ако на Вашиот систем има инсталирано и некој друг оперативен систем, \n"
-"тој автоматски ќе биде додаден во менито. Овде можете фино да ги наштелувате "
-"постоечките опции со притискање на \"%s\" за внесете нова ставка;\n"
-"изберете ставка кликнете на \"%s\" или \"%s\" за да ја промените или "
-"отстраните.\n"
-"\"%s\" ги потврдува вашите промени.\n"
-"\n"
-"Исто така, може да не сакате да овозможите пристап до овие други оперативни\n"
-"системи за било кого, кој оди во конзола и ја рестартира машината. Во тој "
-"случај,\n"
-"можете да ги отстраните соодветните ставки од менито на подигачот, но тогаш "
-"ќе Ви биде потребна дискета за да ги подигнете тие други оперативни системи!"
-#: ../../standalone/drakboot:1
+#: diskdrake/interactive.pm:775
#, c-format
-msgid "System mode"
-msgstr "Системски режим"
+msgid "Which disk do you want to move it to?"
+msgstr "На кој диск сакате да ја преместите?"
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/interactive.pm:776
#, c-format
-msgid ""
-"To print on a NetWare printer, you need to provide the NetWare print server "
-"name (Note! it may be different from its TCP/IP hostname!) as well as the "
-"print queue name for the printer you wish to access and any applicable user "
-"name and password."
-msgstr ""
-"За да печатите на NetWare принтер, морате да го обезбедите името на NetWare "
-"системот за печатење (Запамтете! може да е различно од неговото TCP/IP хост "
-"име!) како и името на задачата за печатење за печатарот до кој сакате да "
-"имате пристап и било кое корисничко име и лозинка."
+msgid "Sector"
+msgstr "Сектор"
-#: ../../standalone/drakTermServ:1
+#: diskdrake/interactive.pm:777
#, c-format
-msgid "Netmask:"
-msgstr "Netmask:"
+msgid "Which sector do you want to move it to?"
+msgstr "На кој сектор сакате да ја преместите?"
-#: ../../network/adsl.pm:1
+#: diskdrake/interactive.pm:780
#, c-format
-msgid "Do it later"
-msgstr ""
+msgid "Moving"
+msgstr "Преместувам"
-#: ../../any.pm:1
+#: diskdrake/interactive.pm:780
#, c-format
-msgid "Append"
-msgstr "Припои"
+msgid "Moving partition..."
+msgstr "Преместување на партиција..."
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/interactive.pm:802
#, c-format
-msgid "Refresh printer list (to display all available remote CUPS printers)"
-msgstr ""
-"Освежи ја листата на принтери (да се прикажат сите достапни CUPS принтери)"
+msgid "Choose an existing RAID to add to"
+msgstr "Изберете постоечки RAID на кој да се додаде"
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/interactive.pm:803 diskdrake/interactive.pm:820
#, c-format
-msgid ""
-"When this option is turned on, on every startup of CUPS it is automatically "
-"made sure that\n"
-"\n"
-"- if LPD/LPRng is installed, /etc/printcap will not be overwritten by CUPS\n"
-"\n"
-"- if /etc/cups/cupsd.conf is missing, it will be created\n"
-"\n"
-"- when printer information is broadcasted, it does not contain \"localhost\" "
-"as the server name.\n"
-"\n"
-"If some of these measures lead to problems for you, turn this option off, "
-"but then you have to take care of these points."
-msgstr ""
-"Кога е вклучена оваа опција, при секое подигање на CUPS автоматски се "
-"обезбедува дека\n"
-"\n"
-" - ако LPD/LPRng е инсталиран, /etc/printcap нема да биде препишан од CUPS\n"
-"\n"
-" - ако недостига /etc/cups/cupsd.conf, ќе биде креиран\n"
-"\n"
-" - кога се пренесува печатарска информација, таа не содржи \"localhost\" "
-"како име на серверот.\n"
-"\n"
-"Ако некои од овие мерки ви претставуваат проблем, исклучета ја оваа опција, "
-"но тогаш ќе морате да се погрижите за овие финкции."
+msgid "new"
+msgstr "нов"
-#: ../../install_steps_interactive.pm:1
+#: diskdrake/interactive.pm:818
#, c-format
-msgid ""
-"The auto install can be fully automated if wanted,\n"
-"in that case it will take over the hard drive!!\n"
-"(this is meant for installing on another box).\n"
-"\n"
-"You may prefer to replay the installation.\n"
-msgstr ""
-"Автоматската инсталација може да биде целосно автоматска,\n"
-"но во тој случај таа ќе го преземе дискот!!\n"
-"(ова е наменето за инсталирање на друга машина).\n"
-"\n"
-"Можеби претпочитате да ја репризирате (replay) инсталацијата.\n"
+msgid "Choose an existing LVM to add to"
+msgstr "Изберете LVM на кој да се додаде"
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/interactive.pm:824
#, c-format
-msgid "Network printer \"%s\", port %s"
-msgstr "Мрежен принтер \"%s\", порт %s"
+msgid "LVM name?"
+msgstr "LVM име?"
-#: ../../standalone/drakgw:1
+#: diskdrake/interactive.pm:861
#, c-format
-msgid ""
-"Please choose what network adapter will be connected to your Local Area "
-"Network."
-msgstr ""
-"Ве молиме изберете која мрежна картичка ќе биде поврзана на твојата Локална "
-"Мрежа."
+msgid "This partition can't be used for loopback"
+msgstr "Оваа партиција не може да се користи за loopback"
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:874
#, c-format
-msgid "OK to restore the other files."
-msgstr "Во ред е да се повратат другите датотеки."
+msgid "Loopback"
+msgstr "Loopback"
-#: ../../install_steps_interactive.pm:1
+#: diskdrake/interactive.pm:875
#, c-format
-msgid "Please choose your keyboard layout."
-msgstr "Изберете распоред на тастатура."
+msgid "Loopback file name: "
+msgstr "Loopback датотека: "
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/interactive.pm:880
#, c-format
-msgid "Printer Device URI"
-msgstr "Уред за Печатење URI"
+msgid "Give a file name"
+msgstr "Наведете датотека"
+
+#: diskdrake/interactive.pm:883
+#, fuzzy, c-format
+msgid "File is already used by another loopback, choose another one"
+msgstr "Датотеката веќе се користи од друг loopback, изберете друга"
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:884
#, c-format
-msgid "Not erasable media!"
-msgstr "Нема медиум што може да се брише!"
+msgid "File already exists. Use it?"
+msgstr "Датотека веќе постои. Да се користи?"
-#: ../../network/modem.pm:1 ../../standalone/drakconnect:1
+#: diskdrake/interactive.pm:907
#, c-format
-msgid "Terminal-based"
-msgstr "Со терминал"
+msgid "Mount options"
+msgstr "Опции за монтирање"
-#: ../../security/help.pm:1
+#: diskdrake/interactive.pm:914
#, c-format
-msgid "Enable/Disable IP spoofing protection."
-msgstr "Овозможи/Оневозможи заштита од IP измама."
+msgid "Various"
+msgstr "Разни"
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/interactive.pm:978
#, c-format
-msgid "Installing a printing system in the %s security level"
-msgstr "Инсталирање принтерки систем во %s сигурното ниво"
+msgid "device"
+msgstr "уред"
-#: ../../any.pm:1
+#: diskdrake/interactive.pm:979
#, c-format
-msgid "The user name is too long"
-msgstr "Корисничкото име е предолго"
+msgid "level"
+msgstr "ниво"
-#: ../../any.pm:1
+#: diskdrake/interactive.pm:980
#, c-format
-msgid "Other OS (windows...)"
-msgstr "Друг OS (windows...)"
+msgid "chunk size"
+msgstr "големина на блок"
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:996
#, c-format
-msgid "WebDAV remote site already in sync!"
-msgstr "WebDAV далечинската страна е веќе во sync!"
+msgid "Be careful: this operation is dangerous."
+msgstr "Внимателно: оваа операција е опасна."
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/interactive.pm:1011
#, c-format
-msgid "Reading printer database..."
-msgstr "Читање на базата на принтерот..."
+msgid "What type of partitioning?"
+msgstr "Кој тип на партиционирање?"
-#: ../../install_steps_interactive.pm:1
+#: diskdrake/interactive.pm:1027
#, c-format
-msgid "Generate auto install floppy"
-msgstr "Генерирање дискета за авто-инсталација"
+msgid "The package %s is needed. Install it?"
+msgstr "Потребен е пакетот %s. Да се инсталира?"
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:1056
#, c-format
-msgid ""
-"\t\t user name: %s\n"
-"\t\t on path: %s \n"
+msgid "You'll need to reboot before the modification can take place"
msgstr ""
-"\t\t кориничко име: %s\n"
-"\t\t на патека: %s\n"
+"Ќе морате да го рестартувате компјутерот пред модификациите да бидат "
+"ефективни"
-#: ../../lang.pm:1
+#: diskdrake/interactive.pm:1065
#, c-format
-msgid "Somalia"
-msgstr "Сомалија"
+msgid "Partition table of drive %s is going to be written to disk!"
+msgstr "Партициската табела на дискот %s ќе биде запишана на дискот!"
-#: ../../harddrake/sound.pm:1
+#: diskdrake/interactive.pm:1078
#, c-format
-msgid "No open source driver"
-msgstr "Нема познат драјвер со отворен код"
+msgid "After formatting partition %s, all data on this partition will be lost"
+msgstr ""
+"По форматирањето на партицијата %s, сите податоци на оваа партиција ќе бидат "
+"изгубени"
-#: ../../standalone/printerdrake:1
+#: diskdrake/interactive.pm:1095
#, c-format
-msgid "Def."
-msgstr "Деф."
+msgid "Move files to the new partition"
+msgstr "Премести ги датотеките на новата партиција"
-#: ../../security/level.pm:1
+#: diskdrake/interactive.pm:1095
+#, c-format
+msgid "Hide files"
+msgstr "Скриј датотеки"
+
+#: diskdrake/interactive.pm:1096
#, c-format
msgid ""
-"This is similar to the previous level, but the system is entirely closed and "
-"security features are at their maximum."
+"Directory %s already contains data\n"
+"(%s)"
msgstr ""
-"Ова е слично на преходното ниво, но системот е целосно затворен и "
-"безбедносните функции се во нивниот максимум."
+"Директориумот %s веќе содржи податоци\n"
+"(%s)"
-#: ../../lang.pm:1
+#: diskdrake/interactive.pm:1107
#, c-format
-msgid "Nicaragua"
-msgstr "Никарагва"
+msgid "Moving files to the new partition"
+msgstr "Преместување на датотеките на новата партиција"
-#: ../../lang.pm:1
+#: diskdrake/interactive.pm:1111
#, c-format
-msgid "New Caledonia"
-msgstr "Нова Каледонија"
+msgid "Copying %s"
+msgstr "Копирање на %s"
-#: ../../network/isdn.pm:1
+#: diskdrake/interactive.pm:1115
#, c-format
-msgid "European protocol (EDSS1)"
-msgstr "Европски протокол (EDSS1)"
+msgid "Removing %s"
+msgstr "Отстранување на %s"
-#: ../../standalone/printerdrake:1
-#, fuzzy, c-format
-msgid "/_Delete"
-msgstr "Избриши"
+#: diskdrake/interactive.pm:1129
+#, c-format
+msgid "partition %s is now known as %s"
+msgstr "партицијата %s сега е позната како %s"
-#: ../../any.pm:1
+#: diskdrake/interactive.pm:1150 diskdrake/interactive.pm:1210
#, c-format
-msgid "Video mode"
-msgstr "Видео режим"
+msgid "Device: "
+msgstr "Уред: "
-#: ../../lang.pm:1
+#: diskdrake/interactive.pm:1151
#, c-format
-msgid "Oman"
-msgstr "Оман"
+msgid "DOS drive letter: %s (just a guess)\n"
+msgstr "DOS диск-буква: %s (само претпоставка)\n"
-#: ../../standalone/logdrake:1
+#: diskdrake/interactive.pm:1155 diskdrake/interactive.pm:1163
+#: diskdrake/interactive.pm:1229
#, c-format
-msgid "Please enter your email address below "
-msgstr "Ве молиме внесете ја вашата email адреса подоле"
+msgid "Type: "
+msgstr "Тип: "
-#: ../../standalone/net_monitor:1
+#: diskdrake/interactive.pm:1159 install_steps_gtk.pm:339
#, c-format
-msgid "Network Monitoring"
-msgstr "Преглед на Мрежа"
+msgid "Name: "
+msgstr "Име: "
-#: ../../diskdrake/hd_gtk.pm:1
+#: diskdrake/interactive.pm:1167
#, c-format
-msgid "SunOS"
-msgstr "SunOS"
+msgid "Start: sector %s\n"
+msgstr "Почеток: сектор %s\n"
-#: ../../diskdrake/interactive.pm:1
+#: diskdrake/interactive.pm:1168
#, c-format
-msgid "New size in MB: "
-msgstr "Нова големина во МБ: "
+msgid "Size: %s"
+msgstr "Големина: %s"
-#: ../../diskdrake/interactive.pm:1
+#: diskdrake/interactive.pm:1170
#, c-format
-msgid "Partition table type: %s\n"
-msgstr "Тип на партициска табела: %s\n"
+msgid ", %s sectors"
+msgstr ", %s сектори"
-#: ../../any.pm:1
+#: diskdrake/interactive.pm:1172
#, c-format
-msgid "Authentication Windows Domain"
-msgstr "Windows Domain аутентикација"
+msgid "Cylinder %d to %d\n"
+msgstr "Цилиндер %d до %d\n"
-#: ../../keyboard.pm:1
+#: diskdrake/interactive.pm:1173
#, c-format
-msgid "US keyboard"
-msgstr "US тастатура"
+msgid "Number of logical extents: %d"
+msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: diskdrake/interactive.pm:1174
#, c-format
-msgid "Buttons emulation"
-msgstr "Емулација на копчиња"
+msgid "Formatted\n"
+msgstr "Форматирана\n"
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/interactive.pm:1175
#, c-format
-msgid ", network printer \"%s\", port %s"
-msgstr ", мрежен принтер \"%s\",порт %s"
+msgid "Not formatted\n"
+msgstr "Неформатирана\n"
+
+#: diskdrake/interactive.pm:1176
+#, c-format
+msgid "Mounted\n"
+msgstr "Монтирано\n"
+
+#: diskdrake/interactive.pm:1177
+#, c-format
+msgid "RAID md%s\n"
+msgstr "RAID md%s\n"
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:1179
#, c-format
msgid ""
-"\n"
-"Drakbackup activities via tape:\n"
-"\n"
+"Loopback file(s):\n"
+" %s\n"
msgstr ""
-"\n"
-"Drakbackup активности преку лента:\n"
-"\n"
+"Loopback датотека(и):\n"
+" %s\n"
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:1180
#, c-format
msgid ""
-"\n"
-" FTP connection problem: It was not possible to send your backup files by "
-"FTP.\n"
+"Partition booted by default\n"
+" (for MS-DOS boot, not for lilo)\n"
msgstr ""
-"\n"
-"Проблем на FTP конекција: Не беше возможно да се пратат вашите бекап "
-"датотеки со FTP.\n"
+"Партицијата што прва се подига\n"
+" (за MS-DOS, не за lilo)\n"
-#: ../../standalone/net_monitor:1
+#: diskdrake/interactive.pm:1182
#, c-format
-msgid "Sending Speed:"
-msgstr "Брзина на праќање:"
+msgid "Level %s\n"
+msgstr "Ниво %s\n"
+
+#: diskdrake/interactive.pm:1183
+#, c-format
+msgid "Chunk size %s\n"
+msgstr "Големина на блок %s\n"
-#: ../../harddrake/sound.pm:1
+#: diskdrake/interactive.pm:1184
+#, c-format
+msgid "RAID-disks %s\n"
+msgstr "RAID-дискови %s\n"
+
+#: diskdrake/interactive.pm:1186
+#, c-format
+msgid "Loopback file name: %s"
+msgstr "Loopback датотека: %s"
+
+#: diskdrake/interactive.pm:1189
#, c-format
msgid ""
-"The classic bug sound tester is to run the following commands:\n"
-"\n"
"\n"
-"- \"lspcidrake -v | fgrep AUDIO\" will tell you which driver your card uses\n"
-"by default\n"
-"\n"
-"- \"grep sound-slot /etc/modules.conf\" will tell you what driver it\n"
-"currently uses\n"
-"\n"
-"- \"/sbin/lsmod\" will enable you to check if its module (driver) is\n"
-"loaded or not\n"
-"\n"
-"- \"/sbin/chkconfig --list sound\" and \"/sbin/chkconfig --list alsa\" will\n"
-"tell you if sound and alsa services're configured to be run on\n"
-"initlevel 3\n"
-"\n"
-"- \"aumix -q\" will tell you if the sound volume is muted or not\n"
-"\n"
-"- \"/sbin/fuser -v /dev/dsp\" will tell which program uses the sound card.\n"
+"Chances are, this partition is\n"
+"a Driver partition. You should\n"
+"probably leave it alone.\n"
msgstr ""
-"Класичниот тестер за грешки во звукот е за извршивање на следниве команди:\n"
-"\n"
"\n"
-"- \"lspcidrake -v | fgrep AUDIO\" ќе ви каже кој драјвер стандардно го "
-"користи\n"
-"вашата картичка\n"
-"\n"
-"- \"grep sound-slot /etc/modules.conf\" ќе ви каже кој драјвер моментално "
-"го\n"
-"користи вашата картичка\n"
-"\n"
-"- \"/sbin/lsmod\" ќе ви овозможи да видите дали модулот (драјверот) е\n"
-"вчитан или не\n"
-"\n"
-"- \"/sbin/chkconfig --list sound\" и \"/sbin/chkconfig --list alsa\" ќе ви "
-"каже\n"
-"дали звучните и alsa сервисите се конфигурирани да се извршуваат на\n"
-"initlevel 3\n"
+"Има шанси оваа партиција да е\n"
+"Драјверска партиција. Веројатно треба\n"
+"да ја оставите на мира.\n"
+
+#: diskdrake/interactive.pm:1192
+#, c-format
+msgid ""
"\n"
-"- \"aumix -q\" ќе ви каже дали јачината на звукот е на нула или не\n"
+"This special Bootstrap\n"
+"partition is for\n"
+"dual-booting your system.\n"
+msgstr ""
"\n"
-"- \"/sbin/fuser -v /dev/dsp\" ќе ви каже кој програм ја користи звучната "
-"картичка.\n"
+"Оваа специјална Bootstrap\n"
+"партиција е за\n"
+"двојно подигање на Вашиот систем.\n"
-#: ../../standalone/harddrake2:1
+#: diskdrake/interactive.pm:1211
#, c-format
-msgid "Halt bug"
-msgstr "Запри грешка"
+msgid "Read-only"
+msgstr "Само за читање"
-#: ../../standalone/logdrake:1
+#: diskdrake/interactive.pm:1212
#, c-format
-msgid "Mail alert configuration"
-msgstr "Конфигурирање на известување за пошта"
+msgid "Size: %s\n"
+msgstr "Големина: %s\n"
-#: ../../lang.pm:1
+#: diskdrake/interactive.pm:1213
#, c-format
-msgid "Tokelau"
-msgstr "Толекау"
+msgid "Geometry: %s cylinders, %s heads, %s sectors\n"
+msgstr "Геометрија: %s цилиндри, %s глави, %s сектори\n"
-#: ../../standalone/logdrake:1
+#: diskdrake/interactive.pm:1214
#, c-format
-msgid "Matching"
-msgstr "Совпаѓам"
+msgid "Info: "
+msgstr "Инфо: "
-#: ../../keyboard.pm:1
+#: diskdrake/interactive.pm:1215
#, c-format
-msgid "Bosnian"
-msgstr "Босанска"
+msgid "LVM-disks %s\n"
+msgstr "LVM-дискови %s\n"
-#: ../../standalone/drakbug:1
+#: diskdrake/interactive.pm:1216
#, c-format
-msgid "Release: "
-msgstr "Серија:"
+msgid "Partition table type: %s\n"
+msgstr "Тип на партициска табела: %s\n"
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: diskdrake/interactive.pm:1217
#, c-format
-msgid "Connection speed"
-msgstr "Брзина на поврзување"
+msgid "on channel %d id %d\n"
+msgstr "на канал %d id %d\n"
-#: ../../lang.pm:1
+#: diskdrake/interactive.pm:1250
#, c-format
-msgid "Namibia"
-msgstr "Намбиа"
+msgid "Filesystem encryption key"
+msgstr "Клуч за криптирање на фајлсистемот"
-#: ../../services.pm:1
+#: diskdrake/interactive.pm:1251
#, c-format
-msgid "Database Server"
-msgstr "Сервер за Бази на Податоци"
+msgid "Choose your filesystem encryption key"
+msgstr "Изберете го клучот за криптирање на фајлсистемот"
-#: ../../standalone/harddrake2:1
+#: diskdrake/interactive.pm:1254
#, c-format
-msgid "special capacities of the driver (burning ability and or DVD support)"
+msgid "This encryption key is too simple (must be at least %d characters long)"
msgstr ""
-"специјални капацитети на драјверот (можност за снимање или и DVD подршка)"
+"Овој криптирачки клуч е преедноставен (мора да има должина од барем %d знаци)"
-#: ../../raid.pm:1
+#: diskdrake/interactive.pm:1255
#, c-format
-msgid "Can't add a partition to _formatted_ RAID md%d"
-msgstr "Неможам да додадам партиција на_форматираниот_RAID md%d"
+msgid "The encryption keys do not match"
+msgstr "Криптирачките клучеви не се совпаѓаат"
-#: ../../standalone/drakclock:1
-#, fuzzy, c-format
-msgid "Network Time Protocol"
-msgstr "Мрежен Интерфејс"
+#: diskdrake/interactive.pm:1258 network/netconnect.pm:889
+#: standalone/drakconnect:370
+#, c-format
+msgid "Encryption key"
+msgstr "Криптирачки клуч"
-#: ../../Xconfig/card.pm:1
+#: diskdrake/interactive.pm:1259
#, c-format
-msgid ""
-"Your card can have 3D hardware acceleration support but only with XFree %s,\n"
-"NOTE THIS IS EXPERIMENTAL SUPPORT AND MAY FREEZE YOUR COMPUTER.\n"
-"Your card is supported by XFree %s which may have a better support in 2D."
-msgstr ""
-"Вашата картичка може да има 3D хардверско забрзување, но само\n"
-"со XFree %s. ВНИМАВАЈТЕ ДЕКА ОВА Е ЕКСПЕРИМЕНТАЛНА\n"
-"ПОДДРШКА И МОЖЕ ДА ГО ЗАМРЗНЕ ВАШИОТ КОМПЈУТЕР.\n"
-"Таа е поддржана со XFree %s, со кој може да имате подобра поддршка за 2D."
+msgid "Encryption key (again)"
+msgstr "Криптирачки клуч (повторно)"
-#: ../../standalone/draksec:1
+#: diskdrake/removable.pm:47
#, c-format
-msgid "Please wait, setting security options..."
-msgstr "Ве молиме почекајте, се подесуваат сигурносните опции..."
+msgid "Change type"
+msgstr "Промена на тип"
-#: ../../harddrake/v4l.pm:1
+#: diskdrake/smbnfs_gtk.pm:163
#, c-format
-msgid "Unknown|CPH05X (bt878) [many vendors]"
-msgstr "Непознато|CPH05X (bt878) [многу производители]"
+msgid "Can't login using username %s (bad password?)"
+msgstr "Не може да се најави со корисникот %s (погрешна лозинка?)"
-#: ../../standalone/drakboot:1
+#: diskdrake/smbnfs_gtk.pm:167 diskdrake/smbnfs_gtk.pm:176
#, c-format
-msgid "Launch the graphical environment when your system starts"
-msgstr "Вклучување на графичката околина по подигање на системот"
+msgid "Domain Authentication Required"
+msgstr "Потребна е автентикација на домен"
-#: ../../standalone/drakbackup:1
+#: diskdrake/smbnfs_gtk.pm:168
#, c-format
-msgid "hourly"
-msgstr "на час"
+msgid "Which username"
+msgstr "Кое корисничко име"
-#: ../../keyboard.pm:1
+#: diskdrake/smbnfs_gtk.pm:168
#, c-format
-msgid "Right Shift key"
-msgstr "Десното Shift копче"
+msgid "Another one"
+msgstr "Друг"
-#: ../../standalone/drakbackup:1
+#: diskdrake/smbnfs_gtk.pm:177
#, c-format
-msgid " Successfuly Restored on %s "
-msgstr " Успешно Повратено на %s "
+msgid ""
+"Please enter your username, password and domain name to access this host."
+msgstr "Внесете го Вашето корисничко име, лозинка и име на домен за пристап."
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/smbnfs_gtk.pm:179 standalone/drakbackup:3874
#, c-format
-msgid "Making printer port available for CUPS..."
-msgstr "Правам печатарската порта да биде достапна за CUPS..."
+msgid "Username"
+msgstr "Корисничко име"
-#: ../../lang.pm:1
+#: diskdrake/smbnfs_gtk.pm:181
#, c-format
-msgid "Antigua and Barbuda"
-msgstr "Антигва и Барбуда"
+msgid "Domain"
+msgstr "Домен"
-#: ../../standalone/drakTermServ:1
+#: diskdrake/smbnfs_gtk.pm:205
+#, c-format
+msgid "Search servers"
+msgstr "Барај сервери"
+
+#: diskdrake/smbnfs_gtk.pm:210
+#, fuzzy, c-format
+msgid "Search new servers"
+msgstr "Барај сервери"
+
+#: do_pkgs.pm:21
+#, c-format
+msgid "The package %s needs to be installed. Do you want to install it?"
+msgstr "Треба да се инсталира пакетот %s. Дали сакате да го инсталирате?"
+
+#: do_pkgs.pm:26
+#, c-format
+msgid "Mandatory package %s is missing"
+msgstr "Неопходниот пакет %s недостига"
+
+#: do_pkgs.pm:136
+#, c-format
+msgid "Installing packages..."
+msgstr "Инсталирање на пакетите..."
+
+#: do_pkgs.pm:210
+#, fuzzy, c-format
+msgid "Removing packages..."
+msgstr "Отстранување на %s ..."
+
+#: fs.pm:399
#, c-format
msgid ""
-"!!! Indicates the password in the system database is different than\n"
-" the one in the Terminal Server database.\n"
-"Delete/re-add the user to the Terminal Server to enable login."
+"Do not update inode access times on this file system\n"
+"(e.g, for faster access on the news spool to speed up news servers)."
msgstr ""
-"!!! Индицирано е дека лозинката во системската база на податоци е различна "
-"од\n"
-" онаа во базата на податоци на Терминалниот Сервер\n"
-" Избриши/повторно-додади го корисникот во Терминалниот Сервер за да "
-"овозможиш логирање."
+"Не ги ажурирај инодно временските пристапи на овој фајл ситем\n"
+"(на пр. за побрз пристап на новостите паралелно за да се забрзат серверите "
+"за дискусионите групи)."
-#: ../../keyboard.pm:1
+#: fs.pm:402
#, c-format
-msgid "Spanish"
-msgstr "Шпанска"
+msgid ""
+"Can only be mounted explicitly (i.e.,\n"
+"the -a option will not cause the file system to be mounted)."
+msgstr ""
+"Може да се монтира само експлицитно (на пр.,\n"
+"опцијата -а нема да предизвика фајл системот да биде монтиран)."
-#: ../../services.pm:1
+#: fs.pm:405
#, c-format
-msgid "Start"
-msgstr "Старт"
+msgid "Do not interpret character or block special devices on the file system."
+msgstr ""
+"Не ги интерпретирај карактерите или специјалните блок уреди на датотечниот "
+"систем."
-#: ../../security/l10n.pm:1
+#: fs.pm:407
+#, fuzzy, c-format
+msgid ""
+"Do not allow execution of any binaries on the mounted\n"
+"file system. This option might be useful for a server that has file systems\n"
+"containing binaries for architectures other than its own."
+msgstr ""
+"Не дозволувајте извршивање на ниедни binaries на монтираниот\n"
+"фајл ситем. Оваа опција можеби е корисна за сервер чиј што фајл системи\n"
+"содржат binaries за архитектури поинакви од неговата."
+
+#: fs.pm:411
#, c-format
-msgid "Direct root login"
-msgstr "Директно root логирање"
+msgid ""
+"Do not allow set-user-identifier or set-group-identifier\n"
+"bits to take effect. (This seems safe, but is in fact rather unsafe if you\n"
+"have suidperl(1) installed.)"
+msgstr ""
+"Не дозволувајте битовите на подеси-кориснички-идентификатор или\n"
+"подеси-групен-идентификатор да се применат. (Ова изгледа сигурно, но\n"
+"всушност не е сигурно ако имате инсталирано suidperl(1))"
-#: ../../printer/printerdrake.pm:1
+#: fs.pm:415
#, c-format
-msgid "Configuring applications..."
-msgstr "Конфигурирање на апликации..."
+msgid "Mount the file system read-only."
+msgstr "Монтирањето на системската датотека е само за читање."
+
+#: fs.pm:417
+#, c-format
+msgid "All I/O to the file system should be done synchronously."
+msgstr "Сите I/O од системските датотеки треба да бидат синхрнизирани."
-#: ../../printer/printerdrake.pm:1
+#: fs.pm:421
#, c-format
msgid ""
-"\n"
-"Welcome to the Printer Setup Wizard\n"
-"\n"
-"This wizard will help you to install your printer(s) connected to this "
-"computer, connected directly to the network or to a remote Windows machine.\n"
-"\n"
-"Please plug in and turn on all printers connected to this machine so that it/"
-"they can be auto-detected. Also your network printer(s) and your Windows "
-"machines must be connected and turned on.\n"
-"\n"
-"Note that auto-detecting printers on the network takes longer than the auto-"
-"detection of only the printers connected to this machine. So turn off the "
-"auto-detection of network and/or Windows-hosted printers when you don't need "
-"it.\n"
-"\n"
-" Click on \"Next\" when you are ready, and on \"Cancel\" if you do not want "
-"to set up your printer(s) now."
+"Allow an ordinary user to mount the file system. The\n"
+"name of the mounting user is written to mtab so that he can unmount the "
+"file\n"
+"system again. This option implies the options noexec, nosuid, and nodev\n"
+"(unless overridden by subsequent options, as in the option line\n"
+"user,exec,dev,suid )."
msgstr ""
-"\n"
-"Добредојдовте на Волшебникот за подесување на Печатач \n"
-"\n"
-"Овој волшебник ќе ви помогне да го инсталирате вашиот принтер(и) поврзани "
-"со\n"
-"овој компјутер, поврзани директно на мрежата или на далечинска Windows "
-"машина.\n"
-"\n"
-"Ве молам поврзете ги и вклучете ги сите печатари поврзани на овој компјутер "
-"за да\n"
-"може(ат) да бидат авто-откриени. Исто така вашите мрежни компјутери и "
-"вашите\n"
-"Windows машини мора да бидат поврзани и вклучени.\n"
-"\n"
-"Запамтете дека авто-откривањето на печатарите на мрежа трае подолго "
-"отколку \n"
-"авто-откивањето само на печатарите поврзани на оваа машина. Затоа исклучете "
-"го\n"
-"авто-откривањето на мрежни и/или Windows хостирани печатари кога не ви "
-"требаат.\n"
-"\n"
-"Кликнете на \"Следно\" кога сте спремни, и на \"Откажи\" ако не сакате сега "
-"да правите подесување на печатарот(рите)."
+"Дозволи обичен корисник да го монтира фајл ситемот. Името на корисникот \n"
+"кој монтира е запишано во mtab така што ќе може повторно да го одмонтира\n"
+"фајл ситемот. Оваа опција се однесува на опциите noexec, nosuid и nodev\n"
+"(освен ако се преоптоварени од подсеквенцијалните опции, како во\n"
+"опционата линија user,exec,dev,suid )."
-#: ../../network/netconnect.pm:1
+#: fs.pm:429
#, c-format
-msgid "Normal modem connection"
-msgstr "Конекција со обичен модем"
+msgid "Give write access to ordinary users"
+msgstr ""
-#: ../../standalone/drakbackup:1 ../../standalone/drakfont:1
+#: fs.pm:565 fs.pm:575 fs.pm:579 fs.pm:583 fs.pm:587 fs.pm:591 swap.pm:12
#, c-format
-msgid "File Selection"
-msgstr "Избор на датотека"
+msgid "%s formatting of %s failed"
+msgstr "%s форматирање на %s не успеа"
-#: ../../help.pm:1 ../../printer/cups.pm:1 ../../printer/data.pm:1
+#: fs.pm:628
#, c-format
-msgid "CUPS"
-msgstr "CUPS"
+msgid "I don't know how to format %s in type %s"
+msgstr "Не знам како да го форматирам %s во тип %s"
-#: ../../standalone/drakbackup:1
+#: fs.pm:635 fs.pm:642
#, c-format
-msgid "Erase tape before backup"
-msgstr "Избриши лента пред бекап"
+msgid "Formatting partition %s"
+msgstr "Форматирање на партицијата %s"
-#: ../../standalone/harddrake2:1
+#: fs.pm:639
#, c-format
-msgid "Run config tool"
-msgstr "Алатка за конфугурација"
+msgid "Creating and formatting file %s"
+msgstr "Создавање и форматирање на датотеката %s"
-#: ../../any.pm:1
+#: fs.pm:705 fs.pm:758
#, c-format
-msgid "Bootloader installation"
-msgstr "Инсталација на подигач"
+msgid "Mounting partition %s"
+msgstr "Монтирање на партицијата %s"
-#: ../../install_interactive.pm:1
+#: fs.pm:706 fs.pm:759
#, c-format
-msgid "Root partition size in MB: "
-msgstr "Root партиција големина во во МБ: "
+msgid "mounting partition %s in directory %s failed"
+msgstr "монтирањето на партицијата %s во директориум %s не успеа"
-#: ../../install_steps_gtk.pm:1
+#: fs.pm:726 fs.pm:734
#, c-format
-msgid "This is a mandatory package, it can't be unselected"
-msgstr "Ова е неопходен пакет, и не може да не се избере"
+msgid "Checking %s"
+msgstr "Проверка %s"
-#: ../../standalone/drakTermServ:1
+#: fs.pm:775 partition_table.pm:636
#, c-format
-msgid ""
-" - Create etherboot floppies/CDs:\n"
-" \tThe diskless client machines need either ROM images on the NIC, or "
-"a boot floppy\n"
-" \tor CD to initate the boot sequence. drakTermServ will help "
-"generate these\n"
-" \timages, based on the NIC in the client machine.\n"
-" \t\t\n"
-" \tA basic example of creating a boot floppy for a 3Com 3c509 "
-"manually:\n"
-" \t\t\n"
-" \tcat /usr/lib/etherboot/boot1a.bin \\\n"
-" \t\t/usr/lib/etherboot/lzrom/3c509.lzrom > /dev/fd0"
-msgstr ""
+msgid "error unmounting %s: %s"
+msgstr "грешка при одмонтирање на %s: %s"
-#: ../../standalone/drakTermServ:1
+#: fs.pm:807
#, c-format
-msgid "Etherboot ISO image is %s"
-msgstr "Etherboot ISO image is %s"
+msgid "Enabling swap partition %s"
+msgstr "Вклучување на swap партицијата %s"
-#: ../../services.pm:1
+#: fsedit.pm:21
#, c-format
+msgid "simple"
+msgstr "едноставно"
+
+#: fsedit.pm:25
+#, c-format
+msgid "with /usr"
+msgstr "со /usr"
+
+#: fsedit.pm:30
+#, c-format
+msgid "server"
+msgstr "сервер"
+
+#: fsedit.pm:254
+#, fuzzy, c-format
msgid ""
-"named (BIND) is a Domain Name Server (DNS) that is used to resolve host "
-"names to IP addresses."
+"I can't read the partition table of device %s, it's too corrupted for me :(\n"
+"I can try to go on, erasing over bad partitions (ALL DATA will be lost!).\n"
+"The other solution is to not allow DrakX to modify the partition table.\n"
+"(the error is %s)\n"
+"\n"
+"Do you agree to lose all the partitions?\n"
msgstr ""
-"named (BIND) е Domain Name Server (DNS) кој што се користи за доделување "
-"имиња на компјутерите за IP адресите."
+"Не можам да ја прочитам партициската табела на уредот %s, за мене е "
+"прекорумпирана :(\n"
+"Можам да се обидам да продолжам, пребришувајќи преку лошите партиции\n"
+"(СИТЕ ПОДАТОЦИ ќе бидат изгубени).\n"
+"Друго решение е да не дозволите DrakX да ја модифицира партициската табела.\n"
+"(грешката е %s)\n"
+"\n"
+"Дали се сложувате да ги изгубите сите партиции?\n"
-#: ../../lang.pm:1
+#: fsedit.pm:514
#, c-format
-msgid "Saint Lucia"
-msgstr "Света Луција"
+msgid "You can't use JFS for partitions smaller than 16MB"
+msgstr "Не можете да користите JFS за партиции помали од 16MB"
-#: ../../standalone/drakbackup:1
+#: fsedit.pm:515
#, c-format
-msgid "November"
-msgstr "ноември"
+msgid "You can't use ReiserFS for partitions smaller than 32MB"
+msgstr "Не можете да користите ReiserFS за партиции помали од 32MB"
-#: ../../standalone/drakconnect:1
+#: fsedit.pm:534
#, c-format
-msgid "Disconnect..."
-msgstr "Откачи..."
+msgid "Mount points must begin with a leading /"
+msgstr "Точките на монтирање мора да почнуваат со префикс /"
-#: ../../standalone/drakbug:1
+#: fsedit.pm:535
#, c-format
-msgid "Report"
-msgstr "Извештај"
+msgid "Mount points should contain only alphanumerical characters"
+msgstr "Точките на монтирање треба да содржат само алфанумерички карактери"
-#: ../../lang.pm:1
+#: fsedit.pm:536
#, c-format
-msgid "Palau"
-msgstr "Палау"
+msgid "There is already a partition with mount point %s\n"
+msgstr "Веќе постои партиција со точка на монтирање %s\n"
-#: ../../diskdrake/interactive.pm:1
+#: fsedit.pm:538
#, c-format
-msgid "level"
-msgstr "ниво"
+msgid ""
+"You've selected a software RAID partition as root (/).\n"
+"No bootloader is able to handle this without a /boot partition.\n"
+"Please be sure to add a /boot partition"
+msgstr ""
+"Избравте софтверска RAID партиција како root-партиција (/).\n"
+"Ниту еден подигач не може да се справи со ова без /boot партиција.\n"
+"Ве молиме бидете сигурни да додадете /boot партиција"
-#: ../advertising/13-mdkexpert_corporate.pl:1
+#: fsedit.pm:541
+#, c-format
+msgid "You can't use a LVM Logical Volume for mount point %s"
+msgstr ""
+"Не можете да користите LVM логички волумен за точкатата на монтирање %s"
+
+#: fsedit.pm:543
#, c-format
msgid ""
-"All incidents will be followed up by a single qualified MandrakeSoft "
-"technical expert."
+"You may not be able to install lilo (since lilo doesn't handle a LV on "
+"multiple PVs)"
msgstr ""
-"Сите инциденти ќе бидат следени од еден квалифициран MandrakeSoft технички "
-"експерт."
-#: ../../install_steps_gtk.pm:1 ../../install_steps_interactive.pm:1
+#: fsedit.pm:546 fsedit.pm:548
#, c-format
-msgid "Package Group Selection"
-msgstr "Групна селекција на пакети"
+msgid "This directory should remain within the root filesystem"
+msgstr "Овој директориум би требало да остане во root-фајлсистемот"
-#: ../../standalone/drakTermServ:1
+#: fsedit.pm:550
#, c-format
msgid ""
-"Allow local hardware\n"
-"configuration."
+"You need a true filesystem (ext2/ext3, reiserfs, xfs, or jfs) for this mount "
+"point\n"
msgstr ""
-"Дозволи конфигурација\n"
-"на ликален хардвер"
+"Потребен ви е вистински фајлсистем (ext2/ext3, reiserfs, xfs, или jfs) за "
+"оваа точка на монтирање\n"
-#: ../../standalone/drakbackup:1
+#: fsedit.pm:552
#, c-format
-msgid "Restore Via Network Protocol: %s"
-msgstr "Поврати преку мрежен протокол:%s"
+msgid "You can't use an encrypted file system for mount point %s"
+msgstr "Не може да користите криптиран фајлсистем за точката на монтирање %s"
-#: ../../modules/interactive.pm:1
+#: fsedit.pm:613
#, c-format
-msgid "You can configure each parameter of the module here."
-msgstr "Тука можете да го наместите секој параметар на модулот."
+msgid "Not enough free space for auto-allocating"
+msgstr "Нема доволно слободен простор за авто-алоцирање"
-#: ../../Xconfig/resolution_and_depth.pm:1
+#: fsedit.pm:615
#, c-format
-msgid "Choose the resolution and the color depth"
-msgstr "Изберете резолуција и длабочина на бои"
+msgid "Nothing to do"
+msgstr "Не прави ништо"
-#: ../../standalone/mousedrake:1
+#: fsedit.pm:711
#, c-format
-msgid "Emulate third button?"
-msgstr "Емулација на трето копче?"
+msgid "Error opening %s for writing: %s"
+msgstr "Грешка при отворање на %s за пишување: %s"
-#: ../../diskdrake/interactive.pm:1
+#: harddrake/data.pm:53
#, c-format
-msgid ""
-"You can't create a new partition\n"
-"(since you reached the maximal number of primary partitions).\n"
-"First remove a primary partition and create an extended partition."
-msgstr ""
-"Не можете да креирате нова партиција\n"
-"(затоа што е достигнат максималниот број на примарни партиции).\n"
-"Прво отстранете една примарна партиција, а потоа креирајте extended "
-"партиција."
+msgid "Floppy"
+msgstr "Floppy"
-#: ../../diskdrake/dav.pm:1 ../../diskdrake/interactive.pm:1
-#: ../../diskdrake/smbnfs_gtk.pm:1
+#: harddrake/data.pm:54
#, c-format
-msgid "Mount"
-msgstr "Монтирај"
+msgid "Zip"
+msgstr "Пакуван"
-#: ../../standalone/drakautoinst:1
-#, c-format
-msgid "Creating auto install floppy"
-msgstr "Создавам аудио инсталациона дискета"
+#: harddrake/data.pm:55
+#, fuzzy, c-format
+msgid "Disk"
+msgstr "Диск"
-#: ../../steps.pm:1
+#: harddrake/data.pm:56
#, c-format
-msgid "Install updates"
-msgstr "Инсталирање надградба"
+msgid "CDROM"
+msgstr "CDROM"
-#: ../../standalone/draksplash:1
+#: harddrake/data.pm:57
#, c-format
-msgid "text box height"
-msgstr "висина на текст полето"
+msgid "CD/DVD burners"
+msgstr "CD/DVD режачи"
-#: ../../standalone/drakconnect:1
+#: harddrake/data.pm:58
#, c-format
-msgid "State"
-msgstr "Состојба"
+msgid "DVD-ROM"
+msgstr "DVD-ROM"
-#: ../../standalone/drakfloppy:1
+#: harddrake/data.pm:59 standalone/drakbackup:2409
#, c-format
-msgid "Be sure a media is present for the device %s"
-msgstr "Проверете дали е присутен медиум за уредот %s"
+msgid "Tape"
+msgstr "Лента"
-#: ../../any.pm:1
+#: harddrake/data.pm:60
#, c-format
-msgid "Enable multiple profiles"
-msgstr "Овозможи повеќе профили"
+msgid "Videocard"
+msgstr "Видео картичка"
-#: ../../fs.pm:1
+#: harddrake/data.pm:61
#, c-format
-msgid "Do not interpret character or block special devices on the file system."
-msgstr ""
-"Не ги интерпретирај карактерите или специјалните блок уреди на датотечниот "
-"систем."
+msgid "Tvcard"
+msgstr "ТВ картичка"
-#: ../../standalone/drakbackup:1
+#: harddrake/data.pm:62
+#, fuzzy, c-format
+msgid "Other MultiMedia devices"
+msgstr "Други Мултимедијални уреди"
+
+#: harddrake/data.pm:63
#, c-format
-msgid ""
-"These options can backup and restore all files in your /etc directory.\n"
-msgstr ""
-"Овие опции можат да ги зачуваат и повратат сите датотеки во твојот /etc "
-"директориум.\n"
+msgid "Soundcard"
+msgstr "Звучна картичка"
-#: ../../printer/main.pm:1
+#: harddrake/data.pm:64
#, c-format
-msgid "Local printer"
-msgstr "Локален принтер"
+msgid "Webcam"
+msgstr "Веб-камера"
-#: ../../standalone/drakbackup:1
+#: harddrake/data.pm:68
#, c-format
-msgid "Files Restored..."
-msgstr "Повратени датотеки..."
+msgid "Processors"
+msgstr "Процесори"
-#: ../../install_steps_interactive.pm:1
+#: harddrake/data.pm:69
+#, fuzzy, c-format
+msgid "ISDN adapters"
+msgstr "ISDN картичка"
+
+#: harddrake/data.pm:71
#, c-format
-msgid "Package selection"
-msgstr "Селекција на пакети"
+msgid "Ethernetcard"
+msgstr "Мрежна картичка"
-#: ../../lang.pm:1
+#: harddrake/data.pm:79 network/netconnect.pm:366 standalone/drakconnect:277
+#: standalone/drakconnect:447 standalone/drakconnect:448
+#: standalone/drakconnect:540
#, c-format
-msgid "Mauritania"
-msgstr "Мауританија"
+msgid "Modem"
+msgstr "Модем"
-#: ../../standalone/drakgw:1
+#: harddrake/data.pm:80
#, c-format
-msgid ""
-"I can keep your current configuration and assume you already set up a DHCP "
-"server; in that case please verify I correctly read the Network that you use "
-"for your local network; I will not reconfigure it and I will not touch your "
-"DHCP server configuration.\n"
-"\n"
-"The default DNS entry is the Caching Nameserver configured on the firewall. "
-"You can replace that with your ISP DNS IP, for example.\n"
-"\t\t \n"
-"Otherwise, I can reconfigure your interface and (re)configure a DHCP server "
-"for you.\n"
-"\n"
+msgid "ADSL adapters"
msgstr ""
-"Можам да ја задржам вашата моментална конфигурација и да претпоставам дека "
-"веќе сте го подесиле DHCP серверот; во тој случај ве молам потврдете дека "
-"точно ја прочитав Мрежата која ја користите за вашата локална мрежа; Нема да "
-"ја реконфигурирам и нема да ја допирам конфигурацијата на вашиот DHCP "
-"сервер.\n"
-"\n"
-"Стандардниот DNS влез е Caching Nameserver конфигуриран на огнениот ѕид. Тоа "
-"на пример можете да го заменете со IP-то на вашиот ISP DNS.\n"
-"\t\t \n"
-"Во спротивно можам да го реконфигурирам вашиот интерфејс и (ре)конфигурирам "
-"DHCP сервер за вас.\n"
-"\n"
-#: ../../printer/printerdrake.pm:1
+#: harddrake/data.pm:82
#, c-format
-msgid ""
-"No local printer found! To manually install a printer enter a device name/"
-"file name in the input line (Parallel Ports: /dev/lp0, /dev/lp1, ..., "
-"equivalent to LPT1:, LPT2:, ..., 1st USB printer: /dev/usb/lp0, 2nd USB "
-"printer: /dev/usb/lp1, ...)."
-msgstr ""
-"Не е пронајден локален принтер! За да инсталирате рачно принтер внесете име "
-"на уредот/име на датотеката во влезната линија(Паралелни Порти: /dev/lp0, /"
-"dev/lp1, ..., е исто како и LPT1:, LPT2:, ..., 1-ви USB принтер: /dev/usb/"
-"lp0, 2-ри USB принтер: /dev/usb/lp1, ...)."
+msgid "Bridges and system controllers"
+msgstr "Мостови и систем контролери"
-#: ../../diskdrake/interactive.pm:1
+#: harddrake/data.pm:83 help.pm:203 help.pm:991
+#: install_steps_interactive.pm:935 printer/printerdrake.pm:680
+#: printer/printerdrake.pm:3970
#, c-format
-msgid "All primary partitions are used"
-msgstr "Сите примарни партиции се искористени"
+msgid "Printer"
+msgstr "Принтер"
-#: ../../printer/main.pm:1
+#: harddrake/data.pm:85 help.pm:991 install_steps_interactive.pm:928
#, c-format
-msgid "LPD server \"%s\", printer \"%s\""
-msgstr "LPD сервер \"%s\", принтер \"%s\""
+msgid "Mouse"
+msgstr "Глушец"
-#: ../../network/netconnect.pm:1
+#: harddrake/data.pm:90
#, c-format
-msgid ""
-"After this is done, we recommend that you restart your X environment to "
-"avoid any hostname-related problems."
-msgstr ""
-"Откако ова ќе заврши, препорачуваме да ја рестартираш Х околината за да "
-"избегнеш секакви хост-ориентирани проблеми."
+msgid "Joystick"
+msgstr "Џојстик"
-#: ../../services.pm:1
+#: harddrake/data.pm:92
#, c-format
-msgid "Automatic detection and configuration of hardware at boot."
-msgstr "Автоматско откривање и подесување на хардвер при стартување."
+msgid "(E)IDE/ATA controllers"
+msgstr "(E)IDE/ATA контролери"
-#: ../../standalone/drakpxe:1
+#: harddrake/data.pm:93
#, c-format
-msgid "Installation Server Configuration"
-msgstr "Конфигурација на Инсталациониот Сервер"
+msgid "Firewire controllers"
+msgstr "Firewire контролери"
-#: ../../install_steps_interactive.pm:1
+#: harddrake/data.pm:94
#, c-format
-msgid "Configuring IDE"
-msgstr "Конфигурирање на IDE"
+msgid "SCSI controllers"
+msgstr "SCSI контролери"
-#: ../../printer/printerdrake.pm:1
+#: harddrake/data.pm:95
#, c-format
-msgid "Network functionality not configured"
-msgstr "Мрежната функционалност не е подесена"
+msgid "USB controllers"
+msgstr "7USB контролери"
-#: ../../standalone/harddrake2:1
+#: harddrake/data.pm:96
#, c-format
-msgid "Configure module"
-msgstr "Конфигурирај модул"
+msgid "SMBus controllers"
+msgstr "SMBus контролери"
-#: ../../lang.pm:1
+#: harddrake/data.pm:97
#, c-format
-msgid "Cocos (Keeling) Islands"
-msgstr "Кокосови (Килингови) Острови"
+msgid "Scanner"
+msgstr "Скенер"
-#: ../../diskdrake/interactive.pm:1
+#: harddrake/data.pm:99 standalone/harddrake2:315
#, c-format
-msgid "You'll need to reboot before the modification can take place"
-msgstr ""
-"Ќе морате да го рестартувате компјутерот пред модификациите да бидат "
-"ефективни"
+msgid "Unknown/Others"
+msgstr "Непознато/Други"
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: harddrake/data.pm:113
#, c-format
-msgid "Provider phone number"
-msgstr "Телефонски број на Провајдерот"
+msgid "cpu # "
+msgstr "cpu #"
-#: ../../printer/main.pm:1
+#: harddrake/sound.pm:150 standalone/drakconnect:166
#, c-format
-msgid "Host %s"
-msgstr "Хост: %s"
+msgid "Please Wait... Applying the configuration"
+msgstr "Почекајте... Примена на конфигурацијата"
-#: ../../lang.pm:1
+#: harddrake/sound.pm:182
#, c-format
-msgid "Fiji"
-msgstr "Фуџи"
+msgid "No alternative driver"
+msgstr "Нема алтернативен драјвер"
-#: ../../lang.pm:1
+#: harddrake/sound.pm:183
#, c-format
-msgid "Armenia"
-msgstr "Ерменија"
+msgid ""
+"There's no known OSS/ALSA alternative driver for your sound card (%s) which "
+"currently uses \"%s\""
+msgstr ""
+"Не постои познат OSS/ALSA алтернативен драјвер за Вашата звучна картичка (%"
+"s) која моментално го користи \"%s\""
-#: ../../any.pm:1
+#: harddrake/sound.pm:189
#, c-format
-msgid "Second floppy drive"
-msgstr "Втор дискетен уред"
+msgid "Sound configuration"
+msgstr "Конфигурација на звук"
-#: ../../standalone/harddrake2:1
+#: harddrake/sound.pm:191
#, c-format
-msgid "About Harddrake"
-msgstr "За Harddrake"
+msgid ""
+"Here you can select an alternative driver (either OSS or ALSA) for your "
+"sound card (%s)."
+msgstr ""
+"Овде може да изберете алтернативен драјвер (или OSS или ALSA) за Вашата "
+"звучна картичка (%s)."
-#: ../../security/l10n.pm:1
+#: harddrake/sound.pm:193
#, c-format
-msgid "Authorize TCP connections to X Window"
-msgstr "Авторизирај TCP конекции со X Window"
+msgid ""
+"\n"
+"\n"
+"Your card currently use the %s\"%s\" driver (default driver for your card is "
+"\"%s\")"
+msgstr ""
+"\n"
+"\n"
+"Вашата картичка моментално го користи драјверот %s\"%s\" (подразбираниот "
+"драјвер за Вашата картичка е \"%s\")"
-#: ../../standalone/harddrake2:1
+#: harddrake/sound.pm:195
+#, fuzzy, c-format
+msgid ""
+"OSS (Open Sound System) was the first sound API. It's an OS independent "
+"sound API (it's available on most UNIX(tm) systems) but it's a very basic "
+"and limited API.\n"
+"What's more, OSS drivers all reinvent the wheel.\n"
+"\n"
+"ALSA (Advanced Linux Sound Architecture) is a modularized architecture "
+"which\n"
+"supports quite a large range of ISA, USB and PCI cards.\n"
+"\n"
+"It also provides a much higher API than OSS.\n"
+"\n"
+"To use alsa, one can either use:\n"
+"- the old compatibility OSS api\n"
+"- the new ALSA api that provides many enhanced features but requires using "
+"the ALSA library.\n"
+msgstr ""
+"OSS (Open Sound System) беше првото звучно API. Тоа е независно од "
+"оперативниот систем (достапно е на повеќето јуникси), но е многу едноставно "
+"и ограничено.\n"
+"Дополнително, OSS драјверите прават се од почеток.\n"
+"\n"
+"ALSA (Advanced Linux Sound Architecture) е модуларизирана архитектура која "
+"поддржува голем број ISA, USB и PCI картички.\n"
+"\n"
+"Исто така, нуди и \"повисоко\" API од OSS.\n"
+"\n"
+"За да користите ALSA, можете да изберете помеѓу:\n"
+"- старото API компатибилно со OSS - новото ALSA API кое нуди многу напредни "
+"можности, но бара користење на ALSA библиотеката.\n"
+
+#: harddrake/sound.pm:209 harddrake/sound.pm:289
#, c-format
-msgid "Drive capacity"
-msgstr "Капацитет на уредот"
+msgid "Driver:"
+msgstr "Драјвер:"
-#: ../../diskdrake/interactive.pm:1
+#: harddrake/sound.pm:214
#, c-format
+msgid "Trouble shooting"
+msgstr "Решавање Проблеми"
+
+#: harddrake/sound.pm:222
+#, fuzzy, c-format
msgid ""
-"Insert a floppy in drive\n"
-"All data on this floppy will be lost"
+"The old \"%s\" driver is blacklisted.\n"
+"\n"
+"It has been reported to oops the kernel on unloading.\n"
+"\n"
+"The new \"%s\" driver'll only be used on next bootstrap."
msgstr ""
-"Ставете дискета во уредот\n"
-"Сите податоци на дискетата ќе бидат избришани"
+"Стариот драјвер \"%s\" е во црната листа.\n"
+"\n"
+"Има извештаи дека го oops-ува крнелот при .\n"
+"\n"
+"The new \"%s\" driver'll only be used on next bootstrap."
-#: ../../diskdrake/interactive.pm:1
+#: harddrake/sound.pm:230
#, c-format
-msgid "Size: %s"
-msgstr "Големина: %s"
+msgid "No open source driver"
+msgstr "Нема познат драјвер со отворен код"
-#: ../../keyboard.pm:1
-#, c-format
-msgid "Control and Shift keys simultaneously"
-msgstr "Control и Shift истовремено"
+#: harddrake/sound.pm:231
+#, fuzzy, c-format
+msgid ""
+"There's no free driver for your sound card (%s), but there's a proprietary "
+"driver at \"%s\"."
+msgstr ""
+"Не постои познат OSS/ALSA алтернативен драјвер за Вашата звучна картичка (%"
+"s) која моментално го користи \"%s\""
-#: ../../standalone/harddrake2:1
+#: harddrake/sound.pm:234
#, c-format
-msgid "secondary"
-msgstr "секундарен"
+msgid "No known driver"
+msgstr "Нема познат драјвер"
-#: ../../standalone/drakbackup:1
+#: harddrake/sound.pm:235
#, c-format
-msgid "View Backup Configuration."
-msgstr "Приказ на Сигурносна копија на Конфигурација."
+msgid "There's no known driver for your sound card (%s)"
+msgstr "Нема познат драјвер за Вашата звучна (%s)"
+
+#: harddrake/sound.pm:239
+#, fuzzy, c-format
+msgid "Unknown driver"
+msgstr "Непознат драјвер"
-#: ../../security/help.pm:1
+#: harddrake/sound.pm:240
#, c-format
-msgid "if set to yes, report check result to syslog."
-msgstr "ако е ставено на да, известува за резултатот од проверката во syslog."
+msgid "Error: The \"%s\" driver for your sound card is unlisted"
+msgstr "Грешка: \"%s\" драјверот за вашата звучна картичка не во листата"
-#. -PO: keep this short or else the buttons will not fit in the window
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
+#: harddrake/sound.pm:253
#, c-format
-msgid "No password"
-msgstr "Без лозинка"
+msgid "Sound trouble shooting"
+msgstr "Отстранување на проблемот за звукот"
-#: ../../lang.pm:1
+#: harddrake/sound.pm:254
#, c-format
-msgid "Nigeria"
-msgstr "Нигериа"
+msgid ""
+"The classic bug sound tester is to run the following commands:\n"
+"\n"
+"\n"
+"- \"lspcidrake -v | fgrep AUDIO\" will tell you which driver your card uses\n"
+"by default\n"
+"\n"
+"- \"grep sound-slot /etc/modules.conf\" will tell you what driver it\n"
+"currently uses\n"
+"\n"
+"- \"/sbin/lsmod\" will enable you to check if its module (driver) is\n"
+"loaded or not\n"
+"\n"
+"- \"/sbin/chkconfig --list sound\" and \"/sbin/chkconfig --list alsa\" will\n"
+"tell you if sound and alsa services're configured to be run on\n"
+"initlevel 3\n"
+"\n"
+"- \"aumix -q\" will tell you if the sound volume is muted or not\n"
+"\n"
+"- \"/sbin/fuser -v /dev/dsp\" will tell which program uses the sound card.\n"
+msgstr ""
+"Класичниот тестер за грешки во звукот е за извршивање на следниве команди:\n"
+"\n"
+"\n"
+"- \"lspcidrake -v | fgrep AUDIO\" ќе ви каже кој драјвер стандардно го "
+"користи\n"
+"вашата картичка\n"
+"\n"
+"- \"grep sound-slot /etc/modules.conf\" ќе ви каже кој драјвер моментално "
+"го\n"
+"користи вашата картичка\n"
+"\n"
+"- \"/sbin/lsmod\" ќе ви овозможи да видите дали модулот (драјверот) е\n"
+"вчитан или не\n"
+"\n"
+"- \"/sbin/chkconfig --list sound\" и \"/sbin/chkconfig --list alsa\" ќе ви "
+"каже\n"
+"дали звучните и alsa сервисите се конфигурирани да се извршуваат на\n"
+"initlevel 3\n"
+"\n"
+"- \"aumix -q\" ќе ви каже дали јачината на звукот е на нула или не\n"
+"\n"
+"- \"/sbin/fuser -v /dev/dsp\" ќе ви каже кој програм ја користи звучната "
+"картичка.\n"
-#: ../../standalone/drakTermServ:1
+#: harddrake/sound.pm:280
#, c-format
-msgid "%s: %s requires hostname...\n"
-msgstr "%s:%s бара име на хост...\n"
+msgid "Let me pick any driver"
+msgstr "Дозволи ми да изберам било кој уред"
-#: ../../install_interactive.pm:1
+#: harddrake/sound.pm:283
#, c-format
-msgid "There is no existing partition to use"
-msgstr "Не постои партиција за да може да се користи"
+msgid "Choosing an arbitrary driver"
+msgstr "Избирање на произволен драјвер"
-#: ../../standalone/scannerdrake:1
+#: harddrake/sound.pm:284
#, c-format
msgid ""
-"The following scanners\n"
+"If you really think that you know which driver is the right one for your "
+"card\n"
+"you can pick one in the above list.\n"
"\n"
-"%s\n"
-"are available on your system.\n"
+"The current driver for your \"%s\" sound card is \"%s\" "
msgstr ""
-"Следниве скенери\n"
+"Ако навистина знаете кој е вистинскиот драјвер за вашата картичка\n"
+"можете да изберете еден од горната листа.\n"
"\n"
-"%s\n"
-"се можни на твојот систем.\n"
+"Тековниот драјвер за вашата \"%s\" звучна картичка е \"%s\" "
-#: ../../printer/main.pm:1
+#: harddrake/v4l.pm:14 harddrake/v4l.pm:66
#, c-format
-msgid "Multi-function device on parallel port #%s"
-msgstr "Mулти-функционален уред на паралелна порта #%s"
+msgid "Auto-detect"
+msgstr "Авто-детекција"
+
+#: harddrake/v4l.pm:67 harddrake/v4l.pm:219
+#, c-format
+msgid "Unknown|Generic"
+msgstr "Непознато|Општо"
-#: ../../printer/printerdrake.pm:1
+#: harddrake/v4l.pm:100
+#, c-format
+msgid "Unknown|CPH05X (bt878) [many vendors]"
+msgstr "Непознато|CPH05X (bt878) [многу производители]"
+
+#: harddrake/v4l.pm:101
+#, c-format
+msgid "Unknown|CPH06X (bt878) [many vendors]"
+msgstr "Непознато|CPH06X (bt878) [многу производители]"
+
+#: harddrake/v4l.pm:245
#, c-format
msgid ""
-"To print to a TCP or socket printer, you need to provide the host name or IP "
-"of the printer and optionally the port number (default is 9100). On HP "
-"JetDirect servers the port number is usually 9100, on other servers it can "
-"vary. See the manual of your hardware."
+"For most modern TV cards, the bttv module of the GNU/Linux kernel just auto-"
+"detect the rights parameters.\n"
+"If your card is misdetected, you can force the right tuner and card types "
+"here. Just select your tv card parameters if needed."
msgstr ""
-"Да принтате преку TCP или socket принтер, треба да го обезбедите името на "
-"компјутеорт или IP-тона принтерот и опционалниот број на портот "
-"(стандардниот е 9100). На HP JetDirect сервери бројот на портот вообичаено е "
-"9100, на други сервери бројот може да бидепроменлив. Видете во прирачникот "
-"за вашиот хардвер."
+"За повеќето современи ТВ-картички, модулот bttv од GNU/Linux кернелот "
+"автоматски ги детектира вистинските параметри.\n"
+"Ако Вашата картичка не е добро детектирана, овде можете рачно да ги "
+"наместите тјунерот и типот на картичката. Едноставно изберете ги параметрите "
+"за Вашата картичка ако тоа е потребно."
-#: ../../diskdrake/interactive.pm:1
+#: harddrake/v4l.pm:248
#, c-format
-msgid "Hard drive information"
-msgstr "Информации за дискот"
+msgid "Card model:"
+msgstr "Модел на картичка:"
-#: ../../keyboard.pm:1
+#: harddrake/v4l.pm:249
#, c-format
-msgid "Russian"
-msgstr "Руска"
+msgid "Tuner type:"
+msgstr "Тип на тјунер:"
-#: ../../lang.pm:1
+#: harddrake/v4l.pm:250
#, c-format
-msgid "Jordan"
-msgstr "Јордан"
+msgid "Number of capture buffers:"
+msgstr "Број на бафери за capture:"
-#: ../../diskdrake/interactive.pm:1
+#: harddrake/v4l.pm:250
#, c-format
-msgid "Hide files"
-msgstr "Скриј датотеки"
+msgid "number of capture buffers for mmap'ed capture"
+msgstr "број на бафери за mmap-иран capture"
-#: ../../printer/printerdrake.pm:1
+#: harddrake/v4l.pm:252
#, c-format
-msgid "Auto-detect printers connected to this machine"
-msgstr "Авто-откривање на принтери поврзани со оваа машина"
+msgid "PLL setting:"
+msgstr "PLL поставка:"
-#: ../../any.pm:1
+#: harddrake/v4l.pm:253
#, c-format
-msgid "Sorry, no floppy drive available"
-msgstr "Жалам, нема достапен дискетен уред"
+msgid "Radio support:"
+msgstr "Радио поддршка:"
-#: ../../lang.pm:1
+#: harddrake/v4l.pm:253
#, c-format
-msgid "Bolivia"
-msgstr "Боливија"
+msgid "enable radio support"
+msgstr "овозможи радио поддршка"
+
+#: help.pm:11
+#, fuzzy, c-format
+msgid ""
+"Before continuing, you should carefully read the terms of the license. It\n"
+"covers the entire Mandrake Linux distribution. If you do agree with all the\n"
+"terms in it, check the \"%s\" box. If not, clicking on the \"%s\" button\n"
+"will reboot your computer."
+msgstr ""
+"Пред да продолжите, внимателно прочитајте ги условите на лиценцата. Таа\n"
+"ја покрива целата дистрибуција на Мандрак Линукс, и ако не се согласувате\n"
+"со сите услови во неа, притиснете на копчето \"Одбиј\", по што "
+"инсталацијата\n"
+"веднаш ќе биде прекината. За да продолжите со инсталирањето, притиснете на\n"
+"копчето \"Прифати\"."
-#: ../../printer/printerdrake.pm:1
+#: help.pm:14 install_steps_gtk.pm:596 install_steps_interactive.pm:88
+#: install_steps_interactive.pm:697 standalone/drakautoinst:199
#, c-format
+msgid "Accept"
+msgstr "Прифати"
+
+#: help.pm:17
+#, fuzzy, c-format
msgid ""
-"Set up your Windows server to make the printer available under the IPP "
-"protocol and set up printing from this machine with the \"%s\" connection "
-"type in Printerdrake.\n"
+"GNU/Linux is a multi-user system, meaning each user may have their own\n"
+"preferences, their own files and so on. You can read the ``Starter Guide''\n"
+"to learn more about multi-user systems. But unlike \"root\", who is the\n"
+"system administrator, the users you add at this point will not be\n"
+"authorized to change anything except their own files and their own\n"
+"configurations, protecting the system from unintentional or malicious\n"
+"changes that impact on the system as a whole. You will have to create at\n"
+"least one regular user for yourself -- this is the account which you should\n"
+"use for routine, day-to-day use. Although it is very easy to log in as\n"
+"\"root\" to do anything and everything, it may also be very dangerous! A\n"
+"very simple mistake could mean that your system will not work any more. If\n"
+"you make a serious mistake as a regular user, the worst that will happen is\n"
+"that you will lose some information, but not affect the entire system.\n"
+"\n"
+"The first field asks you for a real name. Of course, this is not mandatory\n"
+"-- you can actually enter whatever you like. DrakX will use the first word\n"
+"you typed in this field and copy it to the \"%s\" field, which is the name\n"
+"this user will enter to log onto the system. If you like, you may override\n"
+"the default and change the user name. The next step is to enter a password.\n"
+"From a security point of view, a non-privileged (regular) user password is\n"
+"not as crucial as the \"root\" password, but that is no reason to neglect\n"
+"it by making it blank or too simple: after all, your files could be the\n"
+"ones at risk.\n"
"\n"
+"Once you click on \"%s\", you can add other users. Add a user for each one\n"
+"of your friends: your father or your sister, for example. Click \"%s\" when\n"
+"you have finished adding users.\n"
+"\n"
+"Clicking the \"%s\" button allows you to change the default \"shell\" for\n"
+"that user (bash by default).\n"
+"\n"
+"When you have finished adding users, you will be asked to choose a user who\n"
+"can automatically log into the system when the computer boots up. If you\n"
+"are interested in that feature (and do not care much about local security),\n"
+"choose the desired user and window manager, then click \"%s\". If you are\n"
+"not interested in this feature, uncheck the \"%s\" box."
msgstr ""
-"Подесете го вашиот Windows сервер да го направи печатарот достапен под IPP "
-"протоколот и подесете го пешатењето од оваа машина со \"%s\" тип на "
-"конекција во Printerdrake.\n"
+"GNU/Linux е повеќе-кориснички систем, и тоа значи дека секој корисник\n"
+"може да си има свои преференци, свои датотеки, итн. Можете да го\n"
+"прочитате ``Starter Guide'' за да научете повеќе за повеќе-кориснички "
+"системи.\n"
+"Но, за разлика од \"root\", кој е администраторот, корисниците што тука ги "
+"додавате\n"
+"нема да можат да променат ништо освен сопствените датотеки и конфигурација,\n"
+"заштитувајќи го ситемот од ненамерни или злонамерни промени кои влијаат на "
+"целиот\n"
+"ситем. Мора да креирате барем еден обичен корисник за себе - ова е акаунтот "
+"кој\n"
+" треба да се користи при секојдневната рaбота. Иако може да биде практично\n"
+"и секојдневно да се најавувате како \"root\", тоа може да биде и многу "
+"опасно!\n"
+"Најмала грешка може да имплицира дека Вашиот систем веќе нема да работи.\n"
+"Ако направите голема грешка како обичен корисник, можете да изгубите \n"
+"некои информации, но не и целиот систем.\n"
"\n"
+"Во првото поле сте прашани за вашете вистинско име. Се разбира, тоа не е\n"
+"задолжително -- зашто можете да внесете што сакате. DrakX ќе го земе\n"
+"првиот збор од името што сте го внеле и ќе го копира во \"%s\" полето, и од "
+"него ќе\n"
+"направи Корисничко име. Тоа е името што конкретниот корисник ќе го користи "
+"за да се\n"
+"најавува на системот. Ако сакате можете да го промените. Потоа мора да "
+"внесете\n"
+"лозинка. Од сигурносна гледна точка, не-привилигиран (регуларен) корисник, "
+"лозинката\n"
+"не е толку критична како \"root\" лозинката, но тоа не е причина да ја "
+"занемарите\n"
+"корисничката лозинка оставајќи го полето празно или премногу едноставна:\n"
+":како и да се, Вашите датотеки се во ризик.\n"
+"\n"
+"Со едно притискање на \"%s\" копчето, можете да додадете други корисници.\n"
+"Додадете по еден корисник за секого по еден на вашите пријатели: вашиот "
+"тактко или сестра, на пример. Кога ќе завршите со додавањето корисници, \n"
+"кликнете на копчето \"%s\".\n"
+"\n"
+"Притискањето на копчето \"%s\" Ви овозможува да ја промените \"школката\" "
+"за\n"
+"тој корисник (која вообичаено е bash).\n"
+"\n"
+"Кога ќе завршите со додавањето корисници, ќе Ви биде предложено да\n"
+"изберете еден корисник кој автоматски ќе се најавува на системот кога\n"
+"компјутерот ќе се подигне. Ако Ве интересира такава карактеристика (и не "
+"се \n"
+"грижите многу за локалната безбедност), изберете корисник и прозор-"
+"менаџер, \n"
+"и потоа притиснете на \"%s\". Ако не сте заинтересирани за оваа "
+"карактеристика, \n"
+"притиснете на \"%s\"."
-#: ../../install_steps_gtk.pm:1
+#: help.pm:52 help.pm:197 help.pm:444 help.pm:691 help.pm:784 help.pm:1005
+#: install_steps_gtk.pm:275 interactive.pm:403 interactive/newt.pm:308
+#: network/netconnect.pm:242 network/tools.pm:208 printer/printerdrake.pm:2922
+#: standalone/drakTermServ:392 standalone/drakbackup:4487
+#: standalone/drakbackup:4513 standalone/drakbackup:4543
+#: standalone/drakbackup:4567 ugtk2.pm:509
#, c-format
-msgid "Bad package"
-msgstr "Лош пакет"
+msgid "Next"
+msgstr "Следно"
-#: ../advertising/07-server.pl:1
+#: help.pm:52 help.pm:418 help.pm:444 help.pm:660 help.pm:733 help.pm:768
+#: interactive.pm:371
#, c-format
+msgid "Advanced"
+msgstr "Напредно"
+
+#: help.pm:55
+#, fuzzy, c-format
msgid ""
-"Transform your computer into a powerful Linux server: Web server, mail, "
-"firewall, router, file and print server (etc.) are just a few clicks away!"
+"Listed here are the existing Linux partitions detected on your hard drive.\n"
+"You can keep the choices made by the wizard, since they are good for most\n"
+"common installations. If you make any changes, you must at least define a\n"
+"root partition (\"/\"). Do not choose too small a partition or you will not\n"
+"be able to install enough software. If you want to store your data on a\n"
+"separate partition, you will also need to create a \"/home\" partition\n"
+"(only possible if you have more than one Linux partition available).\n"
+"\n"
+"Each partition is listed as follows: \"Name\", \"Capacity\".\n"
+"\n"
+"\"Name\" is structured: \"hard drive type\", \"hard drive number\",\n"
+"\"partition number\" (for example, \"hda1\").\n"
+"\n"
+"\"Hard drive type\" is \"hd\" if your hard drive is an IDE hard drive and\n"
+"\"sd\" if it is a SCSI hard drive.\n"
+"\n"
+"\"Hard drive number\" is always a letter after \"hd\" or \"sd\". For IDE\n"
+"hard drives:\n"
+"\n"
+" * \"a\" means \"master hard drive on the primary IDE controller\";\n"
+"\n"
+" * \"b\" means \"slave hard drive on the primary IDE controller\";\n"
+"\n"
+" * \"c\" means \"master hard drive on the secondary IDE controller\";\n"
+"\n"
+" * \"d\" means \"slave hard drive on the secondary IDE controller\".\n"
+"\n"
+"With SCSI hard drives, an \"a\" means \"lowest SCSI ID\", a \"b\" means\n"
+"\"second lowest SCSI ID\", etc."
msgstr ""
-"Трансформацијата на вашиот компјутер во моќен Линукс сервер: Web сервер, "
-"поштенски, firewall, рутер, датотечен и печатарски сервер (итн.) е на само "
-"неколку клика одалечена!"
+"Горе се наведени постоечките Линукс партиции што се откриени на Вашиот "
+"диск.\n"
+"Можете да го прифатите изборот направен од самовилата; тој е добар за \n"
+"вообичаени инсталации. Ако правите некои промени, ќе мора барем да "
+"деинирате\n"
+"root-партиција (\"/\"). Не избирајте премала партиција, зашто нема нема да\n"
+"може да се инсталира доволно софтвер. Ако сакате Вашите податоци да ги "
+"чувате\n"
+"на посевна партиција, ќе треба да направите и една \"/home\" партиција (а "
+"тоа е\n"
+"можно ако имате повеќе од една Линукс партиција).\n"
+"\n"
+"Секоја партиција во листата е дадена со: \"Име\", \"Капацитет\".\n"
+"\n"
+"Структурата на \"\" е следнава: \"тип на диск\", \"број на диск\",\n"
+"\"број на партиција\" (на пример, \"hda1\").\n"
+"\n"
+"\"Типот на дискот\" е \"hd\" ако дискот е IDE, и \"sd\" ако тој е SCSI "
+"диск.\n"
+"\n"
+"\"Бројот на дискот\" е буква, суфикс на \"hd\" или \"sd\". За IDE дискови:\n"
+"\n"
+"* \"a\" значи \"диск што е master на примарниот IDE контролер\";\n"
+"\n"
+"* \"b\" значи \"диск што е slave на примарниот IDE контролер\";\n"
+"\n"
+"* \"c\" значи \"диск што е master на секундарниот IDE контролер\";\n"
+"\n"
+"* \"d\" значи \"диск што е slave на секундарниот IDE контролер\";\n"
+"\n"
+"Кај SCSI дисковите, \"a\" значи \"најнизок SCSI ID\", а \"b\" значи\n"
+"\"втор најнизок SCSI ID\", итн."
-#: ../../security/level.pm:1
-#, c-format
-msgid "DrakSec Basic Options"
-msgstr "DrakSec основни опции"
+#: help.pm:86
+#, fuzzy, c-format
+msgid ""
+"The Mandrake Linux installation is distributed on several CD-ROMs. If a\n"
+"selected package is located on another CD-ROM, DrakX will eject the current\n"
+"CD and ask you to insert the correct CD as required."
+msgstr ""
+"Инсталацијата на Мандрак Линукс зазема повеќе CD-а. DrakX знае дали\n"
+"некој избран пакет се наоѓа на друго CD и ќе го исфрли моменталното\n"
+"и ќе побара од Вас да го ставите потребното CD."
-#: ../../standalone/draksound:1
-#, c-format
+#: help.pm:91
+#, fuzzy, c-format
msgid ""
+"It is now time to specify which programs you wish to install on your\n"
+"system. There are thousands of packages available for Mandrake Linux, and\n"
+"to make it simpler to manage the packages have been placed into groups of\n"
+"similar applications.\n"
+"\n"
+"Packages are sorted into groups corresponding to a particular use of your\n"
+"machine. Mandrake Linux sorts packages groups in four categories. You can\n"
+"mix and match applications from the various categories, so a\n"
+"``Workstation'' installation can still have applications from the\n"
+"``Development'' category installed.\n"
"\n"
+" * \"%s\": if you plan to use your machine as a workstation, select one or\n"
+"more of the groups that are in the workstation category.\n"
+"\n"
+" * \"%s\": if you plan on using your machine for programming, select the\n"
+"appropriate groups from that category.\n"
+"\n"
+" * \"%s\": if your machine is intended to be a server, select which of the\n"
+"more common services you wish to install on your machine.\n"
+"\n"
+" * \"%s\": this is where you will choose your preferred graphical\n"
+"environment. At least one must be selected if you want to have a graphical\n"
+"interface available.\n"
+"\n"
+"Moving the mouse cursor over a group name will display a short explanatory\n"
+"text about that group. If you unselect all groups when performing a regular\n"
+"installation (as opposed to an upgrade), a dialog will pop up proposing\n"
+"different options for a minimal installation:\n"
+"\n"
+" * \"%s\": install the minimum number of packages possible to have a\n"
+"working graphical desktop.\n"
+"\n"
+" * \"%s\": installs the base system plus basic utilities and their\n"
+"documentation. This installation is suitable for setting up a server.\n"
+"\n"
+" * \"%s\": will install the absolute minimum number of packages necessary\n"
+"to get a working Linux system. With this installation you will only have a\n"
+"command line interface. The total size of this installation is about 65\n"
+"megabytes.\n"
"\n"
+"You can check the \"%s\" box, which is useful if you are familiar with the\n"
+"packages being offered or if you want to have total control over what will\n"
+"be installed.\n"
"\n"
-"Note: if you've an ISA PnP sound card, you'll have to use the sndconfig "
-"program. Just type \"sndconfig\" in a console."
+"If you started the installation in \"%s\" mode, you can unselect all groups\n"
+"to avoid installing any new package. This is useful for repairing or\n"
+"updating an existing system."
msgstr ""
+"Сега е време да изберете програми што ќе се инсталираат на Вашиот систем.\n"
+"Постојат илјадници пакети за Mandrake Linux, и од Вас не се очекува да\n"
+"ги препознете напамет.\n"
"\n"
+"Ако вршите стандардна инсталација од CD, прво ќе бидете запрашани за тоа\n"
+"кои CD-а ги поседувате (ако сте во експертски режим на инсталирање). \n"
+"Проверете што пишува на цедињата и соодветно штиклирајте. Притиснете на\n"
+"\"Во ред\" кога ќе бидете спремни да продолжите. \n"
"\n"
+"Пакетите се подредени во групи што одговараат на карактерот на користење\n"
+"на Вашата машина. Самите групи се подредени во четири групи:\n"
"\n"
-"Забелешка: ако имате ISA PnP звучна карта, ќе треба да ја користите "
-"sndconfig програмата. Само искуцајте \"sndconfig\" во конзолата."
+"* \"Работна станица\": ако планирате да ја користите машината како работна\n"
+"станица, изберете една или повеќе од групите што Ви одговараат;\n"
+"\n"
+"* \"Развој\": ако Вашата машина се користи за програмирање, изберети ги\n"
+"саканите групи;\n"
+"\n"
+"* \"Сервер\": ако намената на Вашата машина е да биде опслужувач, ќе можете\n"
+"да изберете кој од достапните сервиси сакате да го инсталирата на Вашата\n"
+"машина;\n"
+"\n"
+"* \"Графичка околина\": конечно, тука избирате која графичка околина ја \n"
+"претпочитате. Мора да биде избрана барем една, ако сакате да имате \n"
+"графичка работна станица!\n"
+"\n"
+"Движењето на покажувачот на глувчето над некое име на група ќе прикаже\n"
+"кратка објаснувачка порака за таа група. Ако ги деселектирате сите групи\n"
+"за време на обична инсталација (наспроти надградба), ќе се појави\n"
+"дијалог што ќе Ви понуди опции за минимална инсталација:\n"
+"\n"
+"* \"Со X\": инсталирање на најмалку пакети што овозможуваат графичка\n"
+"околина;\n"
+"\n"
+"* \"Со основна документација\": инсталирање на основниот систем, плус \n"
+"основните алатки и нивната документација. Оваа инсталација е соодветна\n"
+"кога се поставува сервер;\n"
+"* \"Вистински минимална инсталација\": инсталирање на строг минимум пакети\n"
+"неопходни за еден Линукс систем, во режим на командна линија. Оваа\n"
+"инсталација зафаќа околу 65МБ.\n"
+"\n"
+"Можете и да го штиклирате \"Поодделно избирање пакети\", ако Ви се познати\n"
+"пакетите што се нудат или пак, ако сакате целосна контрола врз тоа што ќе \n"
+"се инсталира.\n"
+"\n"
+"Ако сте ја започнале инсталацијата во режим на \"Надградба\", можете да ги\n"
+"деселектирате сите групи, со цел да избегнете инсталирање на нови пакети.\n"
+"Ова е корисно за поправка или освежување на постоечки систем."
-#: ../../lang.pm:1
+#: help.pm:137
#, c-format
-msgid "Romania"
-msgstr "Романија"
+msgid "Workstation"
+msgstr "Работна станица"
-#: ../../standalone/drakperm:1
-#, c-format
-msgid "Group"
-msgstr "Група"
+#: help.pm:137
+#, fuzzy, c-format
+msgid "Development"
+msgstr "Развој"
-#: ../../lang.pm:1
+#: help.pm:137
#, c-format
-msgid "Canada"
-msgstr "Канада"
+msgid "Graphical Environment"
+msgstr "Графичка Околина"
-#: ../../standalone/scannerdrake:1
+#: help.pm:137 install_steps_interactive.pm:559
#, c-format
-msgid "choose device"
-msgstr "избери уред"
+msgid "With X"
+msgstr "Со X"
-#: ../../diskdrake/interactive.pm:1
+#: help.pm:137
#, c-format
-msgid "Remove from LVM"
-msgstr "Отстрани од LVM"
+msgid "With basic documentation"
+msgstr "Со основна документација"
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
+#: help.pm:137
#, c-format
-msgid "Timezone"
-msgstr "Часовна зона"
+msgid "Truly minimal install"
+msgstr "Искрено Минимална инсталација"
-#: ../../keyboard.pm:1
+#: help.pm:137 install_steps_gtk.pm:270 install_steps_interactive.pm:605
#, c-format
-msgid "German"
-msgstr "Германска"
+msgid "Individual package selection"
+msgstr "Подделна селекција на пакети"
-#: ../../help.pm:1 ../../install_steps_gtk.pm:1 ../../interactive.pm:1
-#: ../../ugtk2.pm:1 ../../interactive/newt.pm:1
-#: ../../printer/printerdrake.pm:1 ../../standalone/drakbackup:1
+#: help.pm:137 help.pm:602
#, c-format
-msgid "Next ->"
-msgstr "Следно ->"
+msgid "Upgrade"
+msgstr "Надградба"
-#: ../../printer/printerdrake.pm:1
-#, c-format
+#: help.pm:140
+#, fuzzy, c-format
msgid ""
-"Turning on this allows to print plain text files in japanese language. Only "
-"use this function if you really want to print text in japanese, if it is "
-"activated you cannot print accentuated characters in latin fonts any more "
-"and you will not be able to adjust the margins, the character size, etc. "
-"This setting only affects printers defined on this machine. If you want to "
-"print japanese text on a printer set up on a remote machine, you have to "
-"activate this function on that remote machine."
+"If you told the installer that you wanted to individually select packages,\n"
+"it will present a tree containing all packages classified by groups and\n"
+"subgroups. While browsing the tree, you can select entire groups,\n"
+"subgroups, or individual packages.\n"
+"\n"
+"Whenever you select a package on the tree, a description appears on the\n"
+"right to let you know the purpose of the package.\n"
+"\n"
+"!! If a server package has been selected, either because you specifically\n"
+"chose the individual package or because it was part of a group of packages,\n"
+"you will be asked to confirm that you really want those servers to be\n"
+"installed. By default Mandrake Linux will automatically start any installed\n"
+"services at boot time. Even if they are safe and have no known issues at\n"
+"the time the distribution was shipped, it is entirely possible that that\n"
+"security holes were discovered after this version of Mandrake Linux was\n"
+"finalized. If you do not know what a particular service is supposed to do\n"
+"or why it is being installed, then click \"%s\". Clicking \"%s\" will\n"
+"install the listed services and they will be started automatically by\n"
+"default during boot. !!\n"
+"\n"
+"The \"%s\" option is used to disable the warning dialog which appears\n"
+"whenever the installer automatically selects a package to resolve a\n"
+"dependency issue. Some packages have relationships between each them such\n"
+"that installation of one package requires that some other program is also\n"
+"required to be installed. The installer can determine which packages are\n"
+"required to satisfy a dependency to successfully complete the installation.\n"
+"\n"
+"The tiny floppy disk icon at the bottom of the list allows you to load a\n"
+"package list created during a previous installation. This is useful if you\n"
+"have a number of machines that you wish to configure identically. Clicking\n"
+"on this icon will ask you to insert a floppy disk previously created at the\n"
+"end of another installation. See the second tip of last step on how to\n"
+"create such a floppy."
msgstr ""
-"Ако го вклучите ова ќе ви овозможи да печатите датотеки со обичен текст на "
-"јапонски јазик. Користете ја оваа функција само ако навистина сакате да "
-"печатете текст на јапонски, ако е активирана нема да можете повеќе да "
-"печатете акцентирани карактери на латински фонтови и нема да можете да ги "
-"прилагодите маргините, големината на карактерот итн. Ова подесувања има "
-"влијание само на принтерите кои се дефинирани на оваа машина. Ако сакате да "
-"печатите јапонски текст преку принтер кој е на оддалечена машина, оваа "
-"функција треба да се активира на оддалечената машина."
+"Ако сте му кажале на инсталерот дека сакате поодделно да селектирате\n"
+"пакети, ќе Ви биде дадено дрво што ги содржи сите пакети, класифицирани\n"
+"во групи и подгрупи. Додека го разгледувате дрвото, можете да избирате\n"
+"цели групи, подгрупи, или одделни пакети.\n"
+"\n"
+"При избор на пакет од дрвото, од Вашата десна страна ќе се појави опис,\n"
+"за да знаете за што е наменет пакетот.\n"
+"\n"
+"Кога ќе завршите со селектирање, притиснете на копчето \"Инсталирај\",\n"
+"кое тогаш ќе го лансира процесот на инсталирање. Во зависност од брзината\n"
+"на хардверот и бројот на пакети што се инсталираат, процесот може да\n"
+"потрае. Проценка за потребното време ќе биде прикажана на екранот, за да\n"
+"можете да уживате во чашка чај додека чекате.\n"
+"\n"
+"!! Ако се инсталира серверски пакет, дали со Ваша намера или затоа што\n"
+"е дел од цела група, ќе бидете запрашани да потврдите дека навистина\n"
+"сакате тие сервери да се инсталираат. Во Мандрак Линукс, сите инсталирани\n"
+"сервери при подигање автоматски се вклучуваат. Дури и ако тие се безбедни\n"
+"и немаат проблеми во време на излегување на дистрибуцијата, може да се "
+"случи\n"
+"да бидат откриени безбедносни дупки по излегувањето. Ако не знаете што "
+"прави\n"
+"одделен сервис или зошто се инсталира, притиснете \"%s\". Со притискање на "
+"\"%s\"\n"
+"ќе ги инсталира излистаните сервиси и тие ќе бидат автоматски вклучувани,"
+"вообичаено во текот на подигањето !!\n"
+"\n"
+"Опцијата \"%s\" го оневозможува дијалогот за предупредување,\n"
+"кој се појавува секогаш кога програмата за инсталирање автоматски\n"
+"избира пакет за да го реши проблемот околу зависностите. Некои пакети\n"
+"имаат врска помеѓу себе и како такви инсталацијата на пакетот бара исто\n"
+"така да бидат инсталирани и други програми. Инсталерот може да одреди\n"
+"кои пакети се потребни за да се задоволи зависноста потоа да\n"
+"инсталацијата биде успешно завршена.\n"
+"\n"
+"Малата икона на дискета во дното на листата овозможува да се вчита листата\n"
+"на пакети што создадена за време на претходна инсталација. Ова е корисно "
+"акоимате повеќе машини кои сакате да ги конфигурирате идентично. Со "
+"притискање\n"
+"на оваа икона ќе побара од Вас да внесете дискета што претходно била "
+"создадена,\n"
+"на крајот на некоја друга инсталација. Видете го вториот совет од "
+"претходниот\n"
+"чекор за тоа како да направите таква дискета."
+
+#: help.pm:172 help.pm:301 help.pm:329 help.pm:457 install_any.pm:422
+#: interactive.pm:149 modules/interactive.pm:71 standalone/harddrake2:218
+#: ugtk2.pm:1046 wizards.pm:156
+#, c-format
+msgid "No"
+msgstr "Не"
+
+#: help.pm:172 help.pm:301 help.pm:457 install_any.pm:422 interactive.pm:149
+#: modules/interactive.pm:71 standalone/drakgw:280 standalone/drakgw:281
+#: standalone/drakgw:289 standalone/drakgw:299 standalone/harddrake2:217
+#: ugtk2.pm:1046 wizards.pm:156
+#, c-format
+msgid "Yes"
+msgstr "Да"
-#: ../../diskdrake/interactive.pm:1
+#: help.pm:172
#, c-format
+msgid "Automatic dependencies"
+msgstr "Автоматски зависности"
+
+#: help.pm:175
+#, fuzzy, c-format
msgid ""
+"You will now set up your Internet/network connection. If you wish to\n"
+"connect your computer to the Internet or to a local network, click \"%s\".\n"
+"Mandrake Linux will attempt to auto-detect network devices and modems. If\n"
+"this detection fails, uncheck the \"%s\" box. You may also choose not to\n"
+"configure the network, or to do it later, in which case clicking the \"%s\"\n"
+"button will take you to the next step.\n"
"\n"
-"Chances are, this partition is\n"
-"a Driver partition. You should\n"
-"probably leave it alone.\n"
+"When configuring your network, the available connections options are:\n"
+"Normal modem connection, Winmodem connection, ISDN modem, ADSL connection,\n"
+"cable modem, and finally a simple LAN connection (Ethernet).\n"
+"\n"
+"We will not detail each configuration option - just make sure that you have\n"
+"all the parameters, such as IP address, default gateway, DNS servers, etc.\n"
+"from your Internet Service Provider or system administrator.\n"
+"\n"
+"About Winmodem Connection. Winmodems are special integrated low-end modems\n"
+"that require additional software to work compared to Normal modems. Some of\n"
+"those modems actually work under Mandrake Linux, some others do not. You\n"
+"can consult the list of supported modems at LinModems.\n"
+"\n"
+"You can consult the ``Starter Guide'' chapter about Internet connections\n"
+"for details about the configuration, or simply wait until your system is\n"
+"installed and use the program described there to configure your connection."
msgstr ""
+"Сега можете да ја поставите Вашата Интернет/мрежна врска. Ако сакате да\n"
+"го поврзете Вашиот компјутер на Интернет или на некоја локална мрежа, \n"
+"притиснете \"%s\". Ќе биде извршена автодетекцијата на мрежни уреди \n"
+"и на модем. Ако детекцијата не успее, дештиклирате go\"%s\". Исто така,\n"
+" може да изберете да не ја конфигурирате мрежатa, или тоа да го направите "
+"подоцна; во тој случај, притискањето на копчето \"%s\" ќе ве однесе на "
+"следниот чекор.\n"
"\n"
-"Има шанси оваа партиција да е\n"
-"Драјверска партиција. Веројатно треба\n"
-"да ја оставите на мира.\n"
+"Достапни типови конекции се: обичен модем, ISDN модем, ADSL конекција, \n"
+"кабелски модем и едноставна LAN конекција (Еthernet).\n"
+"\n"
+"Тука нема да влегуваме во детали за секој тип на конфигурација - "
+"едноставно, \n"
+"осигурајте дека ги имате сите параметри како што се IP адреса, стандарден "
+"gateway, DNS сервери, итн. од Вашиот Интернетски провајдер или системски "
+"администратор.\n"
+"\n"
+"Можете да го консултирате поглавјетео на ``Starter Guide'' за Интернет \n"
+"конекции за детали за конфигурирање, или едноставно причекајте додека "
+"Вашиот\n"
+"систем не се инсталира и користете го таму опишаниот програм за да ја\n"
+"конфигурирате Вашата конекција."
-#: ../../lang.pm:1
+#: help.pm:197
#, c-format
-msgid "Guinea-Bissau"
-msgstr "Гвинеја-Бисао"
+msgid "Use auto detection"
+msgstr "Користи авто-откривање"
-#: ../../Xconfig/monitor.pm:1
+#: help.pm:200
#, c-format
-msgid "Horizontal refresh rate"
-msgstr "Хоризонтална синхронизација"
+msgid ""
+"\"%s\": clicking on the \"%s\" button will open the printer configuration\n"
+"wizard. Consult the corresponding chapter of the ``Starter Guide'' for more\n"
+"information on how to setup a new printer. The interface presented there is\n"
+"similar to the one used during installation."
+msgstr ""
+"\"%s\": притискајќи на \"%s\" копчето ќе ја отвори волшебникот на \n"
+"конфигурација. Консултирајте се со подрачјето кое одговара од ``Почетниот "
+"Водич''\n"
+"за повеќе информации . како да подесите нов принтер. Интерфејсот кој е "
+"претставен\n"
+"е сличен со оној кој се користи во текот на инсталацијата."
-#: ../../standalone/drakperm:1 ../../standalone/printerdrake:1
+#: help.pm:203 help.pm:581 help.pm:991 install_steps_gtk.pm:646
+#: standalone/drakbackup:2688 standalone/drakbackup:2696
+#: standalone/drakbackup:2704 standalone/drakbackup:2712
#, c-format
-msgid "Edit"
-msgstr "Измени"
+msgid "Configure"
+msgstr "Конфигурирај"
-#: ../../diskdrake/interactive.pm:1
+#: help.pm:206
#, c-format
msgid ""
-"Can't unset mount point as this partition is used for loop back.\n"
-"Remove the loopback first"
+"This dialog is used to choose which services you wish to start at boot\n"
+"time.\n"
+"\n"
+"DrakX will list all the services available on the current installation.\n"
+"Review each one carefully and uncheck those which are not needed at boot\n"
+"time.\n"
+"\n"
+"A short explanatory text will be displayed about a service when it is\n"
+"selected. However, if you are not sure whether a service is useful or not,\n"
+"it is safer to leave the default behavior.\n"
+"\n"
+"!! At this stage, be very careful if you intend to use your machine as a\n"
+"server: you will probably not want to start any services that you do not\n"
+"need. Please remember that several services can be dangerous if they are\n"
+"enabled on a server. In general, select only the services you really need.\n"
+"!!"
msgstr ""
-"Не може да се отпостави точката на монтирање зашто оваа партиција се\n"
-"користи за loopback. Прво отстранете го loopback-от."
+"Овој дијалог се користи за да ги изберете сервисите што сакате да се \n"
+"стартуваат за време на подигање.\n"
+"\n"
+"DrakX ќе ги излиста сите достапни сервиси во тековната инсталација.\n"
+"Внимателно разгледајте ги и дештиклирајте ги оние што не се потребни\n"
+"за време на подигање.\n"
+"\n"
+"Можете да добиете кратко објаснување за некој сервис ако го изберете.\n"
+"Сепак, ако не сте сигурни дали некој сервис е корисен или не, побезбедно\n"
+"е да го оставите како што е.\n"
+"\n"
+"!! Во овој стадиум, бидете внимателни ако планирате да ја користите\n"
+"Вашата машина како сервер: веројатно нема да сакате да стартувате некој\n"
+"сервис што не Ви треба. Ве молиме запомнете дека повеќе сервиси можат да \n"
+"бидат опасни ако бидат овозможени на сервер. Генерално, изберете ги\n"
+"само сервисите што навистина Ви се потребни.\n"
+"!!"
-#: ../../printer/printerdrake.pm:1
-#, c-format
+#: help.pm:224
+#, fuzzy, c-format
msgid ""
-"The network configuration done during the installation cannot be started "
-"now. Please check whether the network is accessable after booting your "
-"system and correct the configuration using the Mandrake Control Center, "
-"section \"Network & Internet\"/\"Connection\", and afterwards set up the "
-"printer, also using the Mandrake Control Center, section \"Hardware\"/"
-"\"Printer\""
+"GNU/Linux manages time in GMT (Greenwich Mean Time) and translates it to\n"
+"local time according to the time zone you selected. If the clock on your\n"
+"motherboard is set to local time, you may deactivate this by unselecting\n"
+"\"%s\", which will let GNU/Linux know that the system clock and the\n"
+"hardware clock are in the same time zone. This is useful when the machine\n"
+"also hosts another operating system like Windows.\n"
+"\n"
+"The \"%s\" option will automatically regulate the clock by connecting to a\n"
+"remote time server on the Internet. For this feature to work, you must have\n"
+"a working Internet connection. It is best to choose a time server located\n"
+"near you. This option actually installs a time server that can be used by\n"
+"other machines on your local network as well."
msgstr ""
-"Мрежната конфигурација која беше извршена во текот на инсталацијата не може "
-"да се стартува сега. Ве молиме проверете дали мрежата е достапна по "
-"подигањето на вашиотсистем и поправете ја конфигурацијата со помош на "
-"Мандрак Контролниот Центар,секција \"Мрежа И Интернет\"/\"Конекција\", а "
-"потоа подесете гопринтерот, исто така со Мандрак Контролниот Центар, секција "
-"\"Хардвер\"/\"Принтер\""
+"GNU/Linux управува со времето според GMT (Greenwich Mean Time) и го "
+"преведува\n"
+"во локално време според временската зона што сте ја избрале. Сепак, можно е\n"
+"да го деактивирате ова однесување со деселектирање на \"Хардверски "
+"часовник \n"
+"според GMT\" така што хардверскиот часовник да биде исто со системскиот \n"
+"часовник. Ова е корисно кога на машината се извршува и друг оперативен "
+"систем,\n"
+"како Windows.\n"
+"\n"
+"Опцијата \"Автоматска синхронизација на време\" автоматски ќе го регулира\n"
+"часовникот преку поврзување со далечински временски сервер на Интернет. Од\n"
+"листата што е дадена, изберете сервер што е лоциран во Ваша близина. Се "
+"разбира,\n"
+"мора да имате функционална Интернет врска за ова да може да работи. "
+"Всушност,\n"
+"на Вашата машина ќе биде инсталиран временски сервер што дополнително може "
+"да\n"
+"се користи од други машини на Вашата локална мрежа."
-#: ../../harddrake/data.pm:1
+#: help.pm:235 install_steps_interactive.pm:834
#, c-format
-msgid "USB controllers"
-msgstr "7USB контролери"
+msgid "Hardware clock set to GMT"
+msgstr "Хардверски часовник наместен според GMT"
-#: ../../Xconfig/various.pm:1
-#, c-format
-msgid "What norm is your TV using?"
-msgstr "Која норма ја користи вашиот телевизор?"
+#: help.pm:235
+#, fuzzy, c-format
+msgid "Automatic time synchronization"
+msgstr "Автоматска синхронизација на време (преку NTP)"
-#: ../../standalone/drakconnect:1
-#, c-format
-msgid "Type:"
-msgstr "Тип:"
+#: help.pm:238
+#, fuzzy, c-format
+msgid ""
+"Graphic Card\n"
+"\n"
+" The installer will normally automatically detect and configure the\n"
+"graphic card installed on your machine. If it is not the case, you can\n"
+"choose from this list the card you actually have installed.\n"
+"\n"
+" In the situation where different servers are available for your card,\n"
+"with or without 3D acceleration, you are asked to choose the server that\n"
+"best suits your needs."
+msgstr ""
+"Графичка Карта\n"
+"\n"
+" Вообичаено Инсталерот автоматски ја пронаоѓа и конфигурира\n"
+"графичката карта инсталирана на вашата машина. Во спротивно можете\n"
+"да изберете од листава всушност која картичка ја имате инсталирано.\n"
+"\n"
+" Во случај да се овозможени различни сервери за вашата картичка, со\n"
+"или без 3D забрзување, тогаш ве прашуваат да го изберете серверот кој\n"
+"најмногу одговара на вашите потреби."
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Share name"
-msgstr "Заедничко име"
+#: help.pm:249
+#, fuzzy, c-format
+msgid ""
+"X (for X Window System) is the heart of the GNU/Linux graphical interface\n"
+"on which all the graphical environments (KDE, GNOME, AfterStep,\n"
+"WindowMaker, etc.) bundled with Mandrake Linux rely upon.\n"
+"\n"
+"You will be presented with a list of different parameters to change to get\n"
+"an optimal graphical display: Graphic Card\n"
+"\n"
+" The installer will normally automatically detect and configure the\n"
+"graphic card installed on your machine. If it is not the case, you can\n"
+"choose from this list the card you actually have installed.\n"
+"\n"
+" In the situation where different servers are available for your card,\n"
+"with or without 3D acceleration, you are asked to choose the server that\n"
+"best suits your needs.\n"
+"\n"
+"\n"
+"\n"
+"Monitor\n"
+"\n"
+" The installer will normally automatically detect and configure the\n"
+"monitor connected to your machine. If it is incorrect, you can choose from\n"
+"this list the monitor you actually have connected to your computer.\n"
+"\n"
+"\n"
+"\n"
+"Resolution\n"
+"\n"
+" Here you can choose the resolutions and color depths available for your\n"
+"hardware. Choose the one that best suits your needs (you will be able to\n"
+"change that after installation though). A sample of the chosen\n"
+"configuration is shown in the monitor picture.\n"
+"\n"
+"\n"
+"\n"
+"Test\n"
+"\n"
+" Depending on your hardware, this entry might not appear.\n"
+"\n"
+" the system will try to open a graphical screen at the desired\n"
+"resolution. If you can see the message during the test and answer \"%s\",\n"
+"then DrakX will proceed to the next step. If you cannot see the message, it\n"
+"means that some part of the auto-detected configuration was incorrect and\n"
+"the test will automatically end after 12 seconds, bringing you back to the\n"
+"menu. Change settings until you get a correct graphical display.\n"
+"\n"
+"\n"
+"\n"
+"Options\n"
+"\n"
+" Here you can choose whether you want to have your machine automatically\n"
+"switch to a graphical interface at boot. Obviously, you want to check\n"
+"\"%s\" if your machine is to act as a server, or if you were not successful\n"
+"in getting the display configured."
+msgstr ""
+"X (за X Window Систем) е срцето на GNU/Linux графичкиот интерфејс\n"
+"на кој се изградени сите графички околини (KDE, GNOME, AfterStep,\n"
+"WindowMaker, и.т.н.).\n"
+"\n"
+"You will be presented with a list of different parameters to change to get\n"
+"an optimal graphical display: Graphic Card\n"
+"\n"
+" Инсталерот автоматски ќе ја детектира и конфигурира\n"
+"графичката картичка инсталирана на Вашиот компјутер. Ако ова не се случи, "
+"тогаш\n"
+"можете од листата да ја изберете графичката картичка која ја имате "
+"инсталирано.\n"
+"\n"
+" Во случај на повеќе сервери поврзани на Вашата картичка, со или\n"
+"без 3D акцелерација, можете да го изберете најдобриот сервер\n"
+"кој Ви е потребен.\n"
+"\n"
+"\n"
+"\n"
+"Монитор\n"
+"\n"
+" Инсталерот автоматски ќе го детектира и конфогурира\n"
+"мониторот кој е поврзан на Вашиот компјутерe. Ако ова не се случи, тогаш\n"
+"можете од листата да го изберете мониторот кој го имате инсталирано.\n"
+"\n"
+"\n"
+"\n"
+"Резолуција\n"
+"\n"
+" Можете да ја изберете резолуцијата и боите за Вашиот\n"
+"хардвер. Одберете ја најдобрата која Ви е потребна.\n"
+"\n"
+"\n"
+"\n"
+"Тест\n"
+"\n"
+" системот ќе се обиде даго отвори графичкиот екран со бараната\n"
+"резолуција. Ако можете да ја прочитате пораката и одговорот \"%s\",\n"
+"тогаш DrakX ќе продолжи со следниот чекор. Ако не можете да ја прочитате "
+"пораката, тогаш\n"
+"нешто не е во ред со автоматската детекција и конигурација и\n"
+"тестот автоматски ќе заврши после 12 секунди, враќајќи Ве назад\n"
+"на менито. Променете ја поставеноста за да добиете добар графички приказ.\n"
+"\n"
+"\n"
+"\n"
+"Опции\n"
+"\n"
+" Овде можете да одберете што ќе се стартува автоматски при рестарт на\n"
+"системот кај графичкиот интерфејс."
-#: ../../standalone/drakgw:1
-#, c-format
-msgid "enable"
-msgstr "овозможи"
+#: help.pm:304
+#, fuzzy, c-format
+msgid ""
+"Monitor\n"
+"\n"
+" The installer will normally automatically detect and configure the\n"
+"monitor connected to your machine. If it is incorrect, you can choose from\n"
+"this list the monitor you actually have connected to your computer."
+msgstr ""
+"Монитор\n"
+" Инсталерот автоматски ќе го детектира и конфигурира\n"
+"мониторот кој е поврзан на Вашиот компјутер. Ако е тој, можете од листата\n"
+"да го одберите мониторот кој моментално е поврзан на Вашиот компјутер."
-#: ../../install_steps_interactive.pm:1
-#, c-format
+#: help.pm:311
+#, fuzzy, c-format
msgid ""
-"Contacting Mandrake Linux web site to get the list of available mirrors..."
+"Resolution\n"
+"\n"
+" Here you can choose the resolutions and color depths available for your\n"
+"hardware. Choose the one that best suits your needs (you will be able to\n"
+"change that after installation though). A sample of the chosen\n"
+"configuration is shown in the monitor picture."
msgstr ""
-"Контактирање со веб сајтот на Мандрак Линукс за добивање на листата на "
-"огледала..."
+"Резолуција\n"
+"\n"
+" Овде можее да ја изберете резолуцијата и длабочината на бојата достапни\n"
+"за вашиот хардвер. Изберете ја онаа која најмногу одговара на вашите "
+"потреби\n"
+"(иако ќе можете да ја смените и по инсталацијата). Примерок од избраната\n"
+"конфигурација е прикажана на мониторот."
-#: ../../network/netconnect.pm:1
-#, c-format
+#: help.pm:319
+#, fuzzy, c-format
msgid ""
-"A problem occured while restarting the network: \n"
+"In the situation where different servers are available for your card, with\n"
+"or without 3D acceleration, you are asked to choose the server that best\n"
+"suits your needs."
+msgstr ""
+"Во случај ако имате различни серверина Вашата картичка, со или\n"
+"без 3D акцелерација, тогаш можете да го изберете најдобриот сервер\n"
+"кој Ви е потребен."
+
+#: help.pm:324
+#, fuzzy, c-format
+msgid ""
+"Options\n"
"\n"
-"%s"
+" Here you can choose whether you want to have your machine automatically\n"
+"switch to a graphical interface at boot. Obviously, you want to check\n"
+"\"%s\" if your machine is to act as a server, or if you were not successful\n"
+"in getting the display configured."
msgstr ""
-"Се случи проблем при рестартирање на мрежата: \n"
+"Конечно, ќе бидете прашани дали сакате да го видите графичкиот интерфејс\n"
+"при подигање. Ова прашање ќе Ви биде поставено дури и ако сте избрале да\n"
+"не ја тестирате конфигурацијата. Веројатно би сакале да одговорите \"Не\", \n"
+"ако намената на Вашата машина е да биде сервер, или ако не сте успеале да\n"
+"го конфигурирате графичкиот приказ."
+
+#: help.pm:332
+#, fuzzy, c-format
+msgid ""
+"At this point, you need to decide where you want to install the Mandrake\n"
+"Linux operating system on your hard drive. If your hard drive is empty or\n"
+"if an existing operating system is using all the available space you will\n"
+"have to partition the drive. Basically, partitioning a hard drive consists\n"
+"of logically dividing it to create the space needed to install your new\n"
+"Mandrake Linux system.\n"
"\n"
-"%s"
+"Because the process of partitioning a hard drive is usually irreversible\n"
+"and can lead to lost data if there is an existing operating system already\n"
+"installed on the drive, partitioning can be intimidating and stressful if\n"
+"you are an inexperienced user. Fortunately, DrakX includes a wizard which\n"
+"simplifies this process. Before continuing with this step, read through the\n"
+"rest of this section and above all, take your time.\n"
+"\n"
+"Depending on your hard drive configuration, several options are available:\n"
+"\n"
+" * \"%s\": this option will perform an automatic partitioning of your blank\n"
+"drive(s). If you use this option there will be no further prompts.\n"
+"\n"
+" * \"%s\": the wizard has detected one or more existing Linux partitions on\n"
+"your hard drive. If you want to use them, choose this option. You will then\n"
+"be asked to choose the mount points associated with each of the partitions.\n"
+"The legacy mount points are selected by default, and for the most part it's\n"
+"a good idea to keep them.\n"
+"\n"
+" * \"%s\": if Microsoft Windows is installed on your hard drive and takes\n"
+"all the space available on it, you will have to create free space for\n"
+"GNU/Linux. To do so, you can delete your Microsoft Windows partition and\n"
+"data (see ``Erase entire disk'' solution) or resize your Microsoft Windows\n"
+"FAT or NTFS partition. Resizing can be performed without the loss of any\n"
+"data, provided you have previously defragmented the Windows partition.\n"
+"Backing up your data is strongly recommended.. Using this option is\n"
+"recommended if you want to use both Mandrake Linux and Microsoft Windows on\n"
+"the same computer.\n"
+"\n"
+" Before choosing this option, please understand that after this\n"
+"procedure, the size of your Microsoft Windows partition will be smaller\n"
+"then when you started. You will have less free space under Microsoft\n"
+"Windows to store your data or to install new software.\n"
+"\n"
+" * \"%s\": if you want to delete all data and all partitions present on\n"
+"your hard drive and replace them with your new Mandrake Linux system,\n"
+"choose this option. Be careful, because you will not be able to undo your\n"
+"choice after you confirm.\n"
+"\n"
+" !! If you choose this option, all data on your disk will be deleted. !!\n"
+"\n"
+" * \"%s\": this will simply erase everything on the drive and begin fresh,\n"
+"partitioning everything from scratch. All data on your disk will be lost.\n"
+"\n"
+" !! If you choose this option, all data on your disk will be lost. !!\n"
+"\n"
+" * \"%s\": choose this option if you want to manually partition your hard\n"
+"drive. Be careful -- it is a powerful but dangerous choice and you can very\n"
+"easily lose all your data. That's why this option is really only\n"
+"recommended if you have done something like this before and have some\n"
+"experience. For more instructions on how to use the DiskDrake utility,\n"
+"refer to the ``Managing Your Partitions'' section in the ``Starter Guide''."
+msgstr ""
+"Сега треба да изберете каде на Вашиот диск да се инсталира Mandrake Linux\n"
+"оперативниот систем. Ако Вашиот диск е празен или ако веќе некој оперативен\n"
+"систем го користи целокупниот простор, ќе треба да го партицирате. \n"
+"Партицирањето се состои од логичко делење за да се создаде простор за\n"
+"инсталирање на Вашиот нов Мандрак Линукс систем.\n"
+"\n"
+"Бидејќи ефектите од процесот на партицирање обично се неповратни, и може да\n"
+"доведе до губење на податоци ако веќе постои инсталиран оперативен систем на "
+"дискот\n"
+"за неискусните партицирањето може да биде иритирачко и полно со стрес. За "
+"среќа,\n"
+"постои волшебник што го поедноставува овој процес. Пред да почнете, Ве "
+"молиме да\n"
+" го прочитете остатоток на оваа секција и пред се, не брзајте.\n"
+"\n"
+"Во зависност од конфигурацијата на вачиот хард диск, постојат повеќе опции:\n"
+"\n"
+" * \"%s\": оваа опција ќе изведе автоматско партиционирање на\n"
+"празниот(те) диск(ови). Нема да бидете понатаму запрашувани.\n"
+"\n"
+" * \"%s\": волшебникот детектирал една или повеќе постоечки Линукс партиции\n"
+" на Вашиот диск. Ако сакате нив да ги користите, изберете ја оваа опција.\n"
+"Потоа ќе бидете прашани да ги изберете точките на монтирање асоцирани со "
+"секоја\n"
+" од партициите. Автоматската селекција на овие точки обично е во ред.\n"
+"\n"
+" * \"%s\": ако на дискот има Microsoft Windows и тој го зафаќа целиот "
+"простор,\n"
+" мора да направите празен простор за Линукс податоците. За тоа можете или да "
+"ja\n"
+"избришете Вашата Windows партиција и податоците (со опцијата \"Избриши го "
+"целиот\n"
+"диск\") или да ја промените големината на Вашата Windows FAT партиција.\n"
+"Менувањето на големина може да се изведе без губиток на податоци,\n"
+"под услов претходно да сте ја дефрагментирале Windows партицијата. Не би "
+"било лошо ни да направите бекап на Вашите податоци.\n"
+"Оваа солуција се пропорачува ако сакате да ги користите и Mandrake Linux и\n"
+"Microsoft Windows на истиот компјутер.\n"
+"\n"
+" Пред избирање на оваа опција треба да знаете дека по ова Microsoft "
+"Windows \n"
+"партицијата ќе биде помала. Ќе имате помалку слободен простор под Microsoft\n"
+"Windows за чување податоци или инсталирање нов софтвер;\n"
+"\n"
+" * \"%s\": ако сакате да ги избришете сите податоци и сите партиции што "
+"постојат на\n"
+" Вашиот диск и да ги замените со Вашиот нов Мандрак Линукс систем, изберете "
+"ја\n"
+"оваа опција. Внимавајте со овој избор зашто нема да може да се предомислите "
+"по\n"
+" прашањето за потврда.\n"
+"\n"
+" !! Ако ја изберете оваа опција, сите податоци на Вашиот диск ќе бидат "
+"изгубени. !!\n"
+"\n"
+" * \"%s\": ова едноставно ќе избрише се од дискот и ќе започне со свежо "
+"партицирање\n"
+" на се од почеток. Сите податоци на дискот ќе бидат изгубени.\n"
+"\n"
+" !! Ако ја изберете оваа опција, сите податоци на Вашиот диск ќе бидат "
+"изгубени. !!\n"
+"\n"
+" * \"%s\": изберете ја оваа опција ако сакате рачно да го партицирате вашиот "
+"хард\n"
+"диск. Внимавајте -- ова е моќен но опасен избор и можете многу лесно да ги "
+"изгубите\n"
+"сите Ваши податоци. Затоа оваа опција е препорачлива само ако веќе имате "
+"правено\n"
+"вакво нешто и имате малку искуство. За повеќе инструкции како да ја "
+"користите\n"
+"DiskDrake алатката, обратете се на ``Managing Your Partitions '' секцијата "
+"во\n"
+"``Starter Guide''."
-#: ../../diskdrake/interactive.pm:1
+#: help.pm:389 install_interactive.pm:95
#, c-format
-msgid "Remove the loopback file?"
-msgstr "Отстранување на loopback датотеката?"
+msgid "Use free space"
+msgstr "Користи празен простор"
-#: ../../install_steps_interactive.pm:1
+#: help.pm:389
#, c-format
-msgid "Selected size is larger than available space"
-msgstr "Избраната големина е поголема од слободниот простор"
+msgid "Use existing partition"
+msgstr "Користи ја постоечката партиција"
-#: ../../printer/printerdrake.pm:1
+#: help.pm:389 install_interactive.pm:137
#, c-format
-msgid "NCP server name missing!"
-msgstr "Недостасува името на NCP сервер!"
+msgid "Use the free space on the Windows partition"
+msgstr "Користи го празниот простор на Windows партицијата"
-#: ../../any.pm:1
+#: help.pm:389 install_interactive.pm:211
#, c-format
-msgid "Please choose your country."
-msgstr "Ве молам изберете ја вашата земја."
+msgid "Erase entire disk"
+msgstr "Избриши го целиот диск"
-#: ../../standalone/drakbackup:1
+#: help.pm:389
#, c-format
-msgid "Hard Disk Backup files..."
-msgstr "Сигурносна копија на датотеките на Хард Дискот..."
+msgid "Remove Windows"
+msgstr "Отстрани го Windows"
-#: ../../keyboard.pm:1
+#: help.pm:389 install_interactive.pm:226
#, c-format
-msgid "Laotian"
-msgstr "Лаотска"
+msgid "Custom disk partitioning"
+msgstr "Сопствено партицирање"
+
+#: help.pm:392
+#, fuzzy, c-format
+msgid ""
+"There you are. Installation is now complete and your GNU/Linux system is\n"
+"ready to use. Just click \"%s\" to reboot the system. Don't forget to\n"
+"remove the installation media (CD-ROM or floppy). The first thing you\n"
+"should see after your computer has finished doing its hardware tests is the\n"
+"bootloader menu, giving you the choice of which operating system to start.\n"
+"\n"
+"The \"%s\" button shows two more buttons to:\n"
+"\n"
+" * \"%s\": to create an installation floppy disk that will automatically\n"
+"perform a whole installation without the help of an operator, similar to\n"
+"the installation you just configured.\n"
+"\n"
+" Note that two different options are available after clicking the button:\n"
+"\n"
+" * \"%s\". This is a partially automated installation. The partitioning\n"
+"step is the only interactive procedure.\n"
+"\n"
+" * \"%s\". Fully automated installation: the hard disk is completely\n"
+"rewritten, all data is lost.\n"
+"\n"
+" This feature is very handy when installing a number of similar machines.\n"
+"See the Auto install section on our web site for more information.\n"
+"\n"
+" * \"%s\": saves a list of the packages selected in this installation. To\n"
+"use this selection with another installation, insert the floppy and start\n"
+"the installation. At the prompt, press the [F1] key and type >>linux\n"
+"defcfg=\"floppy\" <<."
+msgstr ""
+"Готово. Инсталацијата заврши и Вашиот GNU/Linux систем е спремен за\n"
+"користење. Само притиснете \"%s\" за да го рестартирате системот. Прво нешто "
+"што треба да видете по завршувањето на хардверските тестови\n"
+"е подигачкото мени, кое ви дава избор кој оперативен систем сакате да го "
+"подигнете.\n"
+"\n"
+"Копчето \"%s\" покажува уште две копчиња за:\n"
+"\n"
+" * \"%s\": за создавање на инсталациска дискета која автоматски ќе го\n"
+"изведе целиот процес на инсталација без помош од оператор,\n"
+"слично на инсталацијата која штотуку ја конфигуриравте.\n"
+"\n"
+" Забележете дека по притискањето на ова копче се појавуваат две\n"
+"различни опции:\n"
+"\n"
+" * \"%s\". Ова е делумно автоматска инсталација, бидејќи\n"
+"чекорот на партицирање е единствениот интерактивен чекор;\n"
+"\n"
+" * \"%s\". Целосно автоматска инсталација: дискот комплетно\n"
+"се пребришува, и сите податоци биваат изгубени.\n"
+"\n"
+" Оваа можност е многу практична при инсталирање на голем број слични\n"
+"машини. Видете го одделот за Автоматска Инсталација на нашиот веб сајт;\n"
+"\n"
+" * \"%s\"(*): ја зачувува листата на селекцијата на пакети што е избрана.\n"
+"За да ја користите селекцијата за друга инсталација, внесете ја дискетата\n"
+"и започнете ја инсталацијата. По прозорчето притиснете на [F1] копчето и\n"
+"напишете >>linux defcfg=\"floppy\"<<.\n"
+"\n"
+"(*) Потребна Ви е FAT-форматирана дискета (за да направите таква под GNU/"
+"Linux напишете \"mformat a:\") "
+
+#: help.pm:418
+#, fuzzy, c-format
+msgid "Generate auto-install floppy"
+msgstr "генерирање дискета за авто-инсталација"
-#: ../../lang.pm:1
+#: help.pm:418 install_steps_interactive.pm:1320
#, c-format
-msgid "Samoa"
-msgstr "Самоа"
+msgid "Replay"
+msgstr "Реприза"
-#: ../../services.pm:1
+#: help.pm:418 install_steps_interactive.pm:1320
#, c-format
+msgid "Automated"
+msgstr "Автоматска"
+
+#: help.pm:418 install_steps_interactive.pm:1323
+#, c-format
+msgid "Save packages selection"
+msgstr "Зачувување на селекцијата пакети"
+
+#: help.pm:421
+#, fuzzy, c-format
msgid ""
-"The rstat protocol allows users on a network to retrieve\n"
-"performance metrics for any machine on that network."
+"Any partitions that have been newly defined must be formatted for use\n"
+"(formatting means creating a file system).\n"
+"\n"
+"At this time, you may wish to reformat some already existing partitions to\n"
+"erase any data they contain. If you wish to do that, please select those\n"
+"partitions as well.\n"
+"\n"
+"Please note that it is not necessary to reformat all pre-existing\n"
+"partitions. You must reformat the partitions containing the operating\n"
+"system (such as \"/\", \"/usr\" or \"/var\") but you do not have to\n"
+"reformat partitions containing data that you wish to keep (typically\n"
+"\"/home\").\n"
+"\n"
+"Please be careful when selecting partitions. After formatting, all data on\n"
+"the selected partitions will be deleted and you will not be able to recover\n"
+"it.\n"
+"\n"
+"Click on \"%s\" when you are ready to format the partitions.\n"
+"\n"
+"Click on \"%s\" if you want to choose another partition for your new\n"
+"Mandrake Linux operating system installation.\n"
+"\n"
+"Click on \"%s\" if you wish to select partitions that will be checked for\n"
+"bad blocks on the disk."
msgstr ""
-"rstat протоколот овозможува корисниците на мрежата да добиваат\n"
-"мерења на перормансите на било која машина на мрежата."
+"Сите новодефинирани партиции мора да бидат форматирани за употреба\n"
+"(форматирањето значи создавање фајлсистем).\n"
+"\n"
+"Овој момент е погоден за реформатирање на некои веќе постоечки партиции\n"
+"со цел тие да се избришат. Ако сакате тоа да го направите, изберете ги\n"
+"и нив.\n"
+"\n"
+"Запомнете дека не е неопходно да ги реформатирате сите веќе постоечки\n"
+"партиции. Морате да ги форматирате партициите што го содржат оперативниот\n"
+"систем (како \"/\", \"/usr\" или \"/var\"), но не мора да ги реформатирате\n"
+"партициите што содржат податоци што сакате да се зачуваат (обично \"/home"
+"\").\n"
+"\n"
+"Ве молиме за внимание при избирањето партиции. По форматирањето, сите "
+"податоци\n"
+"на избраните партиции ќе бидат избришани и нив нема да може да го "
+"повратите.\n"
+"\n"
+"Притиснете на \"Во ред\" кога ќе бидете спремни да форматирате.\n"
+"\n"
+"Притиснете на \"Откажи\" ако сакате да изберете друга партиција за "
+"инсталација\n"
+"на Вашиот нов Мандрак Линукс оперативен систем.\n"
+"\n"
+"Притиснете на \"Напредно\" ако сакате за некои партиции да се провери дали\n"
+"содржат физички лоши блокови."
-#: ../../standalone/scannerdrake:1
+#: help.pm:444 help.pm:1005 install_steps_gtk.pm:431 interactive.pm:404
+#: interactive/newt.pm:307 printer/printerdrake.pm:2920
+#: standalone/drakTermServ:371 standalone/drakbackup:4288
+#: standalone/drakbackup:4316 standalone/drakbackup:4374
+#: standalone/drakbackup:4400 standalone/drakbackup:4426
+#: standalone/drakbackup:4483 standalone/drakbackup:4509
+#: standalone/drakbackup:4539 standalone/drakbackup:4563 ugtk2.pm:507
#, c-format
-msgid "Re-generating list of configured scanners ..."
-msgstr "Регенерирање на листа на подесени скенери ..."
+msgid "Previous"
+msgstr "Претходно"
-#: ../../modules/interactive.pm:1
+#: help.pm:447
#, fuzzy, c-format
-msgid "Module configuration"
-msgstr "Рачна конфигурација"
+msgid ""
+"At the time you are installing Mandrake Linux, it is likely that some\n"
+"packages will have been updated since the initial release. Bugs may have\n"
+"been fixed, security issues resolved. To allow you to benefit from these\n"
+"updates, you are now able to download them from the Internet. Check \"%s\"\n"
+"if you have a working Internet connection, or \"%s\" if you prefer to\n"
+"install updated packages later.\n"
+"\n"
+"Choosing \"%s\" will display a list of places from which updates can be\n"
+"retrieved. You should choose one near to you. A package-selection tree will\n"
+"appear: review the selection, and press \"%s\" to retrieve and install the\n"
+"selected package(s), or \"%s\" to abort."
+msgstr ""
+"Во времево на инсталирање на Мандрак Линукс прилично е веројатно дека\n"
+"некои програмски пакети што се вклучени биле надградени. Можно е да биле\n"
+"поправени некои грешки и решени некои сигурносни проблеми. За да Ви\n"
+"овозможиме да ги инсталирате таквите надградби, сега можете нив да ги\n"
+"симнете од Интернет. Изберете \"Да\" ако имате функционална Интернет врска,\n"
+"или \"Не\" ако претпочитате подоцна да ги инсталирате надградбите.\n"
+"\n"
+"Избирањето \"Да\" прикажува листа на локации од кои надградбите може да се\n"
+"симнат. Изберете ја локацијата што е најблиску до Вас. Потоа ќе се појави\n"
+"дрво за селекција на пакети: ревидирајте ја направената селекција, и \n"
+"притиснете \"Инсталирај\" за да ги симнете и инсталирате тие пакети, или\n"
+"\"Откажи\" за да се откажете."
-#: ../../harddrake/data.pm:1
+#: help.pm:457 help.pm:602 install_steps_gtk.pm:430
+#: install_steps_interactive.pm:148 standalone/drakbackup:4602
#, c-format
-msgid "Scanner"
-msgstr "Скенер"
+msgid "Install"
+msgstr "Инсталирај"
-#: ../../Xconfig/test.pm:1
-#, c-format
-msgid "Warning: testing this graphic card may freeze your computer"
+#: help.pm:460
+#, fuzzy, c-format
+msgid ""
+"At this point, DrakX will allow you to choose the security level desired\n"
+"for the machine. As a rule of thumb, the security level should be set\n"
+"higher if the machine will contain crucial data, or if it will be a machine\n"
+"directly exposed to the Internet. The trade-off of a higher security level\n"
+"is generally obtained at the expense of ease of use.\n"
+"\n"
+"If you do not know what to choose, stay with the default option. You will\n"
+"be able to change that security level later with tool draksec from the\n"
+"Mandrake Control Center.\n"
+"\n"
+"The \"%s\" field can inform the system of the user on this computer who\n"
+"will be responsible for security. Security messages will be sent to that\n"
+"address."
msgstr ""
-"Внимание: тестирање на оваа графичка карта може да го замрзне компјутерот"
+"Сега е време да го изберете сигурносното ниво што Ви одговара. Грубо "
+"кажано,\n"
+"колку што е поекспонирана машината, и колку што податоците на неа се "
+"поважни,\n"
+"толку би требало да биде повисоко нивото на сигурност. Како и да е, "
+"повисоко\n"
+"сигурносно ниво обично оди на штета на леснотијата на користење на "
+"системот.\n"
+"За повеќе информации околу значењето на овие нивоа, видете ја главата за \n"
+"\"msec\" од \"Reference Manual\".\n"
+"\n"
+"Ако не знаете што да изберете, оставете како што е избрано."
-#: ../../any.pm:1
-#, c-format
+#: help.pm:472
+#, fuzzy, c-format
+msgid "Security Administrator"
+msgstr "Безбедност:"
+
+#: help.pm:475
+#, fuzzy, c-format
msgid ""
-"The user name must contain only lower cased letters, numbers, `-' and `_'"
+"At this point, you need to choose which partition(s) will be used for the\n"
+"installation of your Mandrake Linux system. If partitions have already been\n"
+"defined, either from a previous installation of GNU/Linux or by another\n"
+"partitioning tool, you can use existing partitions. Otherwise, hard drive\n"
+"partitions must be defined.\n"
+"\n"
+"To create partitions, you must first select a hard drive. You can select\n"
+"the disk for partitioning by clicking on ``hda'' for the first IDE drive,\n"
+"``hdb'' for the second, ``sda'' for the first SCSI drive and so on.\n"
+"\n"
+"To partition the selected hard drive, you can use these options:\n"
+"\n"
+" * \"%s\": this option deletes all partitions on the selected hard drive\n"
+"\n"
+" * \"%s\": this option enables you to automatically create ext3 and swap\n"
+"partitions in the free space of your hard drive\n"
+"\n"
+"\"%s\": gives access to additional features:\n"
+"\n"
+" * \"%s\": saves the partition table to a floppy. Useful for later\n"
+"partition-table recovery if necessary. It is strongly recommended that you\n"
+"perform this step.\n"
+"\n"
+" * \"%s\": allows you to restore a previously saved partition table from a\n"
+"floppy disk.\n"
+"\n"
+" * \"%s\": if your partition table is damaged, you can try to recover it\n"
+"using this option. Please be careful and remember that it doesn't always\n"
+"work.\n"
+"\n"
+" * \"%s\": discards all changes and reloads the partition table that was\n"
+"originally on the hard drive.\n"
+"\n"
+" * \"%s\": un-checking this option will force users to manually mount and\n"
+"unmount removable media such as floppies and CD-ROMs.\n"
+"\n"
+" * \"%s\": use this option if you wish to use a wizard to partition your\n"
+"hard drive. This is recommended if you do not have a good understanding of\n"
+"partitioning.\n"
+"\n"
+" * \"%s\": use this option to cancel your changes.\n"
+"\n"
+" * \"%s\": allows additional actions on partitions (type, options, format)\n"
+"and gives more information about the hard drive.\n"
+"\n"
+" * \"%s\": when you are finished partitioning your hard drive, this will\n"
+"save your changes back to disk.\n"
+"\n"
+"When defining the size of a partition, you can finely set the partition\n"
+"size by using the Arrow keys of your keyboard.\n"
+"\n"
+"Note: you can reach any option using the keyboard. Navigate through the\n"
+"partitions using [Tab] and the [Up/Down] arrows.\n"
+"\n"
+"When a partition is selected, you can use:\n"
+"\n"
+" * Ctrl-c to create a new partition (when an empty partition is selected)\n"
+"\n"
+" * Ctrl-d to delete a partition\n"
+"\n"
+" * Ctrl-m to set the mount point\n"
+"\n"
+"To get information about the different file system types available, please\n"
+"read the ext2FS chapter from the ``Reference Manual''.\n"
+"\n"
+"If you are installing on a PPC machine, you will want to create a small HFS\n"
+"``bootstrap'' partition of at least 1MB which will be used by the yaboot\n"
+"bootloader. If you opt to make the partition a bit larger, say 50MB, you\n"
+"may find it a useful place to store a spare kernel and ramdisk images for\n"
+"emergency boot situations."
msgstr ""
-"Корисничкото има мора да се состои само од мали латински букви, цифри, `-' и "
-"`_'"
+"Во овој момент треба да изберете ко(и)ја партици(ја)и ќе ја користите за\n"
+"инсталација на Мандрак Линукс Ситемот. Ако партициите се веќе дефинирани,\n"
+"од претходна инсталација на GNU/Линукс или од друга алатка за партицирање\n"
+"можете да ги користите веќе постоечките партиции. Во спротивно партициите\n"
+"на хард дискот морат да бидат дефинирани.\n"
+"\n"
+"За да создадете партиции најпрво треба да изберете хард диск. Можете да го\n"
+"изберете дискот за партицирање со притискање на ``hda'' за првиот IDE уред\n"
+"``hdb'' за вториот, ``sda'' за првиот SCSI уред итн.\n"
+"\n"
+"За да го партицирате избраниот хард диск, можете да ги користите овие "
+"опции:\n"
+"\n"
+" * \"%s\": оваа опција опција ги брише Сите партиции на избраниот хард диск\n"
+"\n"
+" * \"%s\": оваа опција ви овозможува автоматски да создадете ext3 и swap\n"
+"партиции во слободниот простор од вашиот хард диск\n"
+"\n"
+"\"%s\": ви дава пристап до додатни карактеристики: \n"
+"\n"
+" * \"%s\": ја зачувува партициската табела на дискета. Корисно за\n"
+"понатамошно враќање на партициската табела, ако е потребно. Строго се\n"
+"препорачува да го изведете овој чекор.\n"
+"\n"
+" * \"%s\": ви овозможува да повратите претходно зачувана партициска табела\n"
+"од дискета.\n"
+"\n"
+" * \"%s\": ако вашата партициска табела е оштетена, со користење на оваа\n"
+"опција можете да се обидете да ја повратите. Ве молиме бидете внимателни\n"
+"и запомтете дека ова не успева секогаш.\n"
+"\n"
+" * \"%s\": ги отфрла сите промени и ја превчитува партициската табела\n"
+"која е претходно постоела на хард дискот.\n"
+"\n"
+" * \"%s\": со одштиклирање на оваа опција ќе ги пресили корисниците рачно\n"
+"да ги монтираат и одмонтираат заменливите медиуми како што се дискетите и "
+"цедињата.\n"
+"\n"
+" * \"%s\": изберете ја оваа опција ако сакате да користите волшебник за\n"
+"партицирање на вашиот хард диск. Ова е препорачано ако немате добро\n"
+"добро познавање за партицирањето.\n"
+"\n"
+" * \"%s\": изберете ја оваа опција за да ги окажете вашите промени.\n"
+"\n"
+" * \"%s\": ви овозможува додатни .дејства на партициите (вид, опции, "
+"формат)\n"
+"и ви дава повеќе информации за хард дискот.\n"
+"\n"
+" * \"%s\": кога ќе завршите со партицирањето на хард дискот, ова ќе ги\n"
+"снима вашите промени на повторно дискот.\n"
+"\n"
+"Кога ја дефинирате големината на партицијата, конечната големина на "
+"партицијата\n"
+"можете да ја подесите преку [Tab] и [Горе/Долу] стрелките.\n"
+"\n"
+"Кога е избрана партиција можете да користите:\n"
+"\n"
+" * Ctrl-c да создадете нова партиција (кога е избрана празна партиција);\n"
+"\n"
+" * Ctrl-d да избришете партиција;\n"
+"\n"
+" * Ctrl-m да поставите точка на монтирање.\n"
+"\n"
+"За да добиете информации за различните типови фајлсистеми, прочитајте ја\n"
+"главата за ext2FS од ``Reference Manual''.\n"
+"\n"
+"Ако инсталирате на PPC машина, ќе сакате да создадете мала HFS "
+"``bootstrap''\n"
+"партиција од барем 1МБ, која ќе се користи од подигачот yaboot. Ако сакате\n"
+"да ја направите партицијата малку поголема, на пример 50МБ, тоа може да "
+"биде\n"
+"корисно како место за чување резервен кернел и ramdisk-слики за итни случаи."
-#: ../../standalone/drakbug:1
-#, c-format
-msgid "Menudrake"
-msgstr "Menudrake"
+#: help.pm:544
+#, fuzzy, c-format
+msgid "Removable media auto-mounting"
+msgstr "Автомонтирање на отстранливи медиуми"
-#: ../../security/level.pm:1
+#: help.pm:544
#, c-format
-msgid "Welcome To Crackers"
-msgstr "Бујрум кракери"
+msgid "Toggle between normal/expert mode"
+msgstr "Префрлање помеѓу нормален/експертски режим"
-#: ../../modules/interactive.pm:1
-#, c-format
-msgid "Module options:"
-msgstr "Модул-опции:"
+#: help.pm:547
+#, fuzzy, c-format
+msgid ""
+"More than one Microsoft partition has been detected on your hard drive.\n"
+"Please choose the one which you want to resize in order to install your new\n"
+"Mandrake Linux operating system.\n"
+"\n"
+"Each partition is listed as follows: \"Linux name\", \"Windows name\"\n"
+"\"Capacity\".\n"
+"\n"
+"\"Linux name\" is structured: \"hard drive type\", \"hard drive number\",\n"
+"\"partition number\" (for example, \"hda1\").\n"
+"\n"
+"\"Hard drive type\" is \"hd\" if your hard dive is an IDE hard drive and\n"
+"\"sd\" if it is a SCSI hard drive.\n"
+"\n"
+"\"Hard drive number\" is always a letter after \"hd\" or \"sd\". With IDE\n"
+"hard drives:\n"
+"\n"
+" * \"a\" means \"master hard drive on the primary IDE controller\";\n"
+"\n"
+" * \"b\" means \"slave hard drive on the primary IDE controller\";\n"
+"\n"
+" * \"c\" means \"master hard drive on the secondary IDE controller\";\n"
+"\n"
+" * \"d\" means \"slave hard drive on the secondary IDE controller\".\n"
+"\n"
+"With SCSI hard drives, an \"a\" means \"lowest SCSI ID\", a \"b\" means\n"
+"\"second lowest SCSI ID\", etc.\n"
+"\n"
+"\"Windows name\" is the letter of your hard drive under Windows (the first\n"
+"disk or partition is called \"C:\")."
+msgstr ""
+"На Вашиот диск е откриена повеќе од една Microsoft партиција. Изберете ја\n"
+"онаа што сакате да ја намалите/зголемите за да го инсталирате Вашиот нов\n"
+"Мандрак Линукс оперативен систем.\n"
+"\n"
+"Секоја партиција е излистана со: \"Linux име\", \"Windows име\"\n"
+"\"Капацитет\".\n"
+"\n"
+"\"Linux името\" е со структура: \"тип на диск\", \"број на диск\",\n"
+"\"број на партиција\" (на пример, \"hda1\").\n"
+"\n"
+"\"Тип на дискот\" е \"hd\" ако дискот е IDE, и \"sd\" ако дискот е SCSI.\n"
+"\n"
+"\"Број на дискот\" е секогаш буква после \"hd\" или \"sd\". Кај IDE "
+"дисковите:\n"
+"\n"
+" * \"a\" значи \"master диск на примарниот IDE контролер\";\n"
+"\n"
+" * \"b\" значи \"slave диск на примарниот IDE контролер\";\n"
+"\n"
+" * \"c\" значи \"master диск на секундарниот IDE контролер\";\n"
+"\n"
+" * \"d\" значи \"slave диск на секундарниот IDE контролер\".\n"
+"\n"
+"Кај SCSI дисковите, буквата \"a\" значи \"најнизок SCSI ID\", а \"b\" значи\n"
+"\"втор најмал SCSI ID\", итн.\n"
+"\n"
+"\"Windows името\" е буквата на дискот под Windows (првиот диск или "
+"партиција\n"
+"се вика \"C:\")."
-#: ../advertising/11-mnf.pl:1
+#: help.pm:578
#, c-format
-msgid "Secure your networks with the Multi Network Firewall"
-msgstr "Осигурете ја Вашата мрежа со Повеќе Мрежниот Firewall"
+msgid ""
+"\"%s\": check the current country selection. If you are not in this\n"
+"country, click on the \"%s\" button and choose another one. If your country\n"
+"is not in the first list shown, click the \"%s\" button to get the complete\n"
+"country list."
+msgstr ""
+"\"%s\": проверете која земја ја имате одберено. Ако не сте од таа земја\n"
+"кликнете на \"%s\" копчето и одберете. Ако Вашата земја не е на листата\n"
+"кликнете на \"%s\" копчето за да ја добиете \n"
+"комплетмната листа на земји"
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Go on without configuring the network"
-msgstr "Продолжи без конфигурација на мрежа"
+#: help.pm:584
+#, fuzzy, c-format
+msgid ""
+"This step is activated only if an existing GNU/Linux partition has been\n"
+"found on your machine.\n"
+"\n"
+"DrakX now needs to know if you want to perform a new install or an upgrade\n"
+"of an existing Mandrake Linux system:\n"
+"\n"
+" * \"%s\": For the most part, this completely wipes out the old system. If\n"
+"you wish to change how your hard drives are partitioned, or change the file\n"
+"system, you should use this option. However, depending on your partitioning\n"
+"scheme, you can prevent some of your existing data from being over-written.\n"
+"\n"
+" * \"%s\": this installation class allows you to update the packages\n"
+"currently installed on your Mandrake Linux system. Your current\n"
+"partitioning scheme and user data is not altered. Most of other\n"
+"configuration steps remain available, similar to a standard installation.\n"
+"\n"
+"Using the ``Upgrade'' option should work fine on Mandrake Linux systems\n"
+"running version \"8.1\" or later. Performing an Upgrade on versions prior\n"
+"to Mandrake Linux version \"8.1\" is not recommended."
+msgstr ""
+"Оваа постапка се активира само ако на Вашиот компјутер се најде некоја стара "
+"GNU/Linux партиција.\n"
+"\n"
+"DrakX треба да знае дали ќе поставите нова инсталација или ќе го надградите "
+"постоечкиот Linux систем:\n"
+"\n"
+" * \"%s\": Во најголем број случаеви, ова го брише стариот систем. Ако "
+"сакате да го промените начинот на кој е партициониран Вашиот Тврд диск\n"
+"или да ги промените системските датотеки, треба да ја искористете оваа "
+"опција.\n"
+"\n"
+" * \"%s\": Ова ви овозможува да ги надградите пакетите кои веќе се "
+"инсталирани на Вашиот систем\n"
+"currently installed on your Mandrake Linux system. Your current\n"
+"partitioning scheme and user data is not altered. Most of other\n"
+"configuration steps remain available, similar to a standard installation.\n"
+"\n"
+"�����``Upgrade'' ����should work fine on Mandrake Linux systems\n"
+"running version \"8.1\" or later. Performing an Upgrade on versions prior\n"
+"to Mandrake Linux version \"8.1\" is not recommended."
-#: ../../network/isdn.pm:1
-#, c-format
-msgid "Abort"
-msgstr "Прекини"
+#: help.pm:605
+#, fuzzy, c-format
+msgid ""
+"Depending on the language you chose in section , DrakX will automatically\n"
+"select a particular type of keyboard configuration. Check that the\n"
+"selection suits you or choose another keyboard layout.\n"
+"\n"
+"Also, you may not have a keyboard that corresponds exactly to your\n"
+"language: for example, if you are an English-speaking Swiss native, you may\n"
+"have a Swiss keyboard. Or if you speak English and are located in Quebec,\n"
+"you may find yourself in the same situation where your native language and\n"
+"country-set keyboard do not match. In either case, this installation step\n"
+"will allow you to select an appropriate keyboard from a list.\n"
+"\n"
+"Click on the \"%s\" button to be presented with the complete list of\n"
+"supported keyboards.\n"
+"\n"
+"If you choose a keyboard layout based on a non-Latin alphabet, the next\n"
+"dialog will allow you to choose the key binding that will switch the\n"
+"keyboard between the Latin and non-Latin layouts."
+msgstr ""
+"Обично, DrakX ја избира вистинската тастатура за Вас (во зависност од\n"
+"јазикот што сте го одбрале). Сепак, тоа може и да не е случај: на пример,\n"
+"може да сте од Швајцарија и зборувате англиски, а Вашата тастатура е \n"
+"швајцарска. Или, на пример, ако зворувате англиски, но се наоѓате на "
+"Квебек.\n"
+"И во двата случаја ќе треба да одите назад на овој инсталациски чекор и да\n"
+"изберете соодветна тастатура од листата.\n"
+"\n"
+"Притиснете на копчето \"Повеќе\" за да ви биде претставена комплетната "
+"листа\n"
+"на поддржани тастатури.\n"
+"\n"
+"Ако бирате тастатурен распоред кој не е базиран на латиница, во следниот "
+"чекор\n"
+"ќе бидете прашани за кратенка на копчиња која ќе ја менува тастатурата "
+"помеѓу\n"
+"латиница и Вашата не-латиница."
-#: ../../standalone/drakbackup:1
+#: help.pm:624
#, c-format
-msgid "No password prompt on %s at port %s"
-msgstr "Немаше прашање за лозинка на %s на порт %s"
+msgid ""
+"Your choice of preferred language will affect the language of the\n"
+"documentation, the installer and the system in general. Select first the\n"
+"region you are located in, and then the language you speak.\n"
+"\n"
+"Clicking on the \"%s\" button will allow you to select other languages to\n"
+"be installed on your workstation, thereby installing the language-specific\n"
+"files for system documentation and applications. For example, if you will\n"
+"host users from Spain on your machine, select English as the default\n"
+"language in the tree view and \"%s\" in the Advanced section.\n"
+"\n"
+"About UTF-8 (unicode) support: Unicode is a new character encoding meant to\n"
+"cover all existing languages. Though full support for it in GNU/Linux is\n"
+"still under development. For that reason, Mandrake Linux will be using it\n"
+"or not depending on the user choices:\n"
+"\n"
+" * If you choose a languages with a strong legacy encoding (latin1\n"
+"languages, Russian, Japanese, Chinese, Korean, Thai, Greek, Turkish, most\n"
+"iso-8859-2 languages), the legacy encoding will be used by default;\n"
+"\n"
+" * Other languages will use unicode by default;\n"
+"\n"
+" * If two or more languages are required, and those languages are not using\n"
+"the same encoding, then unicode will be used for the whole system;\n"
+"\n"
+" * Finally, unicode can also be forced for the system at user request by\n"
+"selecting option \"%s\" independently of which language(s) have been\n"
+"chosen.\n"
+"\n"
+"Note that you're not limited to choosing a single additional language. You\n"
+"may choose several ones, or even install them all by selecting the \"%s\"\n"
+"box. Selecting support for a language means translations, fonts, spell\n"
+"checkers, etc. for that language will also be installed.\n"
+"\n"
+"To switch between the various languages installed on the system, you can\n"
+"launch the \"/usr/sbin/localedrake\" command as \"root\" to change the\n"
+"language used by the entire system. Running the command as a regular user\n"
+"will only change the language settings for that particular user."
+msgstr ""
-#: ../../mouse.pm:1
+#: help.pm:660
#, c-format
-msgid "Kensington Thinking Mouse with Wheel emulation"
-msgstr "Kensington Thinking Mouse со емулација на тркалце"
+msgid "Espanol"
+msgstr "Шпанија"
-#: ../../standalone/scannerdrake:1
-#, c-format
-msgid "Usage of remote scanners"
-msgstr "Користење на далечински скенери"
+#: help.pm:663
+#, fuzzy, c-format
+msgid ""
+"Usually, DrakX has no problems detecting the number of buttons on your\n"
+"mouse. If it does, it assumes you have a two-button mouse and will\n"
+"configure it for third-button emulation. The third-button mouse button of a\n"
+"two-button mouse can be ``pressed'' by simultaneously clicking the left and\n"
+"right mouse buttons. DrakX will automatically know whether your mouse uses\n"
+"a PS/2, serial or USB interface.\n"
+"\n"
+"In case you have a 3 buttons mouse without wheel, you can choose the mouse\n"
+"that says \"%s\". DrakX will then configure your mouse so that you can\n"
+"simulate the wheel with it: to do so, press the middle button and move your\n"
+"mouse up and down.\n"
+"\n"
+"If for some reason you wish to specify a different type of mouse, select it\n"
+"from the list provided.\n"
+"\n"
+"If you choose a mouse other than the default, a test screen will be\n"
+"displayed. Use the buttons and wheel to verify that the settings are\n"
+"correct and that the mouse is working correctly. If the mouse is not\n"
+"working well, press the space bar or [Return] key to cancel the test and to\n"
+"go back to the list of choices.\n"
+"\n"
+"Wheel mice are occasionally not detected automatically, so you will need to\n"
+"select your mouse from a list. Be sure to select the one corresponding to\n"
+"the port that your mouse is attached to. After selecting a mouse and\n"
+"pressing the \"%s\" button, a mouse image is displayed on-screen. Scroll\n"
+"the mouse wheel to ensure that it is activated correctly. Once you see the\n"
+"on-screen scroll wheel moving as you scroll your mouse wheel, test the\n"
+"buttons and check that the mouse pointer moves on-screen as you move your\n"
+"mouse."
+msgstr ""
+"DrakX обично го детектира бројот на копчиња на Вашиот глушец. Ако не успее\n"
+"во тоа, тогаш претпоставува дека имате глушец со две копчиња и ќе постави\n"
+"емулација на трето копче (кога се стискаат двете копчиња одеднаш). DrakX\n"
+"ќе дознае и дали се работи за PS/2, сериски или USB глушец.\n"
+"\n"
+"Ако сакате да наведете друг тип на глушец, изберете го соодветниот тип од\n"
+"понудената листа.\n"
+"\n"
+"Ако сте избрале глушец различен од понудениот, ќе се појави екран за\n"
+" тестирање. Употребете ги копчињата и тркалцето за да проверите дали е сѐ во "
+"ред.\n"
+"Ако глушецот не работи како што треба, притиснете [space] или [Enter] за да\n"
+"откажете тестот и да можете повторно да бирате.\n"
+"\n"
+"Понекогаш, глувците со тркалце не се детектираат автоматски, па ќе треба "
+"рачно\n"
+"да го изберете од листата. Изберете го оној што одговара на вистинската\n"
+"порта на која што е приклучен. После избирањето на глушецот и притискање на\n"
+"\"%s\" копчето, ќе се прикаже слика на глушец на екранот. Откога ќе видите "
+"дека\n"
+"тркалцето на екранот се движи исто како што го движите вистинското тркалце,\n"
+"тестирајте копчињата и проверете дека покажувачот се движи по екранот како "
+"што\n"
+"го движите глушецот."
+
+#: help.pm:691
+#, fuzzy, c-format
+msgid "with Wheel emulation"
+msgstr "Емулација на копчиња"
-#: ../../install_interactive.pm:1
+#: help.pm:694
#, c-format
msgid ""
-"Your Windows partition is too fragmented. Please reboot your computer under "
-"Windows, run the ``defrag'' utility, then restart the Mandrake Linux "
-"installation."
+"Please select the correct port. For example, the \"COM1\" port under\n"
+"Windows is named \"ttyS0\" under GNU/Linux."
msgstr ""
-"Вашата Windows партиција е премногу фрагментирана. Рестартирајте го "
-"компјутерот, подигнете го под Windows, вклучете ја алатката \"defrag\", и "
-"потоа повторно подигнете ја инсталациската постапка на Мадрак Линукс."
+"Изберете ја вистинската порта. На пример, портата \"COM1\" под Windows\n"
+"се вика \"ttyS0\" под GNU/Linux."
-#: ../../keyboard.pm:1
-#, c-format
-msgid "Dvorak (Norwegian)"
-msgstr "Дворак (Норвешка)"
+#: help.pm:698
+#, fuzzy, c-format
+msgid ""
+"This is the most crucial decision point for the security of your GNU/Linux\n"
+"system: you have to enter the \"root\" password. \"Root\" is the system\n"
+"administrator and is the only user authorized to make updates, add users,\n"
+"change the overall system configuration, and so on. In short, \"root\" can\n"
+"do everything! That is why you must choose a password that is difficult to\n"
+"guess - DrakX will tell you if the password you chose is too easy. As you\n"
+"can see, you are not forced to enter a password, but we strongly advise you\n"
+"against this. GNU/Linux is just as prone to operator error as any other\n"
+"operating system. Since \"root\" can overcome all limitations and\n"
+"unintentionally erase all data on partitions by carelessly accessing the\n"
+"partitions themselves, it is important that it be difficult to become\n"
+"\"root\".\n"
+"\n"
+"The password should be a mixture of alphanumeric characters and at least 8\n"
+"characters long. Never write down the \"root\" password -- it makes it far\n"
+"too easy to compromise a system.\n"
+"\n"
+"One caveat -- do not make the password too long or complicated because you\n"
+"must be able to remember it!\n"
+"\n"
+"The password will not be displayed on screen as you type it in. To reduce\n"
+"the chance of a blind typing error you will need to enter the password\n"
+"twice. If you do happen to make the same typing error twice, this\n"
+"``incorrect'' password will be the one you will have use the first time you\n"
+"connect.\n"
+"\n"
+"If you wish access to this computer to be controlled by an authentication\n"
+"server, click the \"%s\" button.\n"
+"\n"
+"If your network uses either LDAP, NIS, or PDC Windows Domain authentication\n"
+"services, select the appropriate one for \"%s\". If you do not know which\n"
+"one to use, you should ask your network administrator.\n"
+"\n"
+"If you happen to have problems with remembering passwords, if your computer\n"
+"will never be connected to the Internet and you absolutely trust everybody\n"
+"who uses your computer, you can choose to have \"%s\"."
+msgstr ""
+"Ова е многу важна одлука во врска со сигурноста на Вашиот ГНУ/Линукс "
+"систем:\n"
+"треба да ја внесете лозинката за \"root\". \"Root\" е системскиот "
+"администратор\n"
+"и е единствениот корисник кој е авторизиран да прави надградби, додава \n"
+"корисници, ја менува севкупната системска конфигурација, итн. Во кратки "
+"црти,\n"
+"\"root\" може да прави сѐ! Затоа мора да изберете лозинка којашто е тешка\n"
+"за погодување -- DrakX ќе Ви каже ако е прелесна. Како што можете да "
+"видите,\n"
+"може да изберете и да не внесете лозинка, но ние Ви препорачуваме да не го\n"
+"правите тоа, од барем една причина: тоа што сте подигнале GNU/Linux не "
+"значи\n"
+"дека другите оперативни системи на Вашите дискови се безбедни. Бидејќи \"root"
+"\"\n"
+"може да ги надмине сите ограничувања и несакајќи да ги избрише сите податоци "
+"на\n"
+"некои партиции ако невнимателни им притапува, важно е да не е прелесно да "
+"се\n"
+"стане \"root\".\n"
+"\n"
+"Лозинката треба да е составена од букви и бројки и да е долга барем 8 "
+"знаци.\n"
+"Никогаш не ја запишувајте лозинката на \"root\" на некое ливче -- така е \n"
+"премногу лесно да се компромитира некој систем.\n"
+"\n"
+"Како и да е, немојте да ја направите лозинката ни предолга или "
+"прекомплицирана,\n"
+"зашто би требало да можете да ја запомните без поголем напор.\n"
+"\n"
+"Лозинката нема да биде прикажана на екранот додека ја внесувате, па затоа\n"
+"ќе треба да ја внесете два пати, за да се намалат шансите дека сте "
+"направиле\n"
+"грешка при чукање. Ако се случи да ја направите истата грешки и при двете\n"
+"внесувања, оваа \"неточна\" лозинка ќе треба да се користи првиот пат кога\n"
+"ќе се најавите.\n"
+"\n"
+"Во експертски режим ќе бидете запрашани дали ќе се поврзувате со сервер за\n"
+"автентикација, како NIS или LDAP.\n"
+"\n"
+"Ако Вашата мрежа користи некоја од LDAP, NIS или PDC Windows Domain \n"
+"автентикациските сервиси, изберете го вистинскиот како \"автентикација\".\n"
+"Ако не знаете за што се работи, прашајте го Вашиот мрежен администратор.\n"
+"\n"
+"Ако Вашиот компјутер не е поврзан со некоја администрирана мрежа, ќе сакате\n"
+"де изберете \"Локални датотеки\" за автентикација."
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "Hard Disk Backup Progress..."
-msgstr "Сигурносна копија на диск во тек..."
+#: help.pm:733
+#, fuzzy, c-format
+msgid "authentication"
+msgstr "автентикација"
-#: ../../standalone/drakconnect:1 ../../standalone/drakfloppy:1
+#. -PO: keep this short or else the buttons will not fit in the window
+#: help.pm:733 install_steps_interactive.pm:1154
#, c-format
-msgid "Unable to fork: %s"
-msgstr "не можеше да го подигне %s"
+msgid "No password"
+msgstr "Без лозинка"
-#: ../../diskdrake/interactive.pm:1
-#, c-format
-msgid "Type: "
-msgstr "Тип: "
+#: help.pm:736
+#, fuzzy, c-format
+msgid ""
+"This dialog allows you to fine tune your bootloader:\n"
+"\n"
+" * \"%s\": there are three choices for your bootloader:\n"
+"\n"
+" * \"%s\": if you prefer GRUB (text menu).\n"
+"\n"
+" * \"%s\": if you prefer LILO with its text menu interface.\n"
+"\n"
+" * \"%s\": if you prefer LILO with its graphical interface.\n"
+"\n"
+" * \"%s\": in most cases, you will not change the default (\"%s\"), but if\n"
+"you prefer, the bootloader can be installed on the second hard drive\n"
+"(\"%s\"), or even on a floppy disk (\"%s\");\n"
+"\n"
+" * \"%s\": after a boot or a reboot of the computer, this is the delay\n"
+"given to the user at the console to select a boot entry other than the\n"
+"default.\n"
+"\n"
+" * \"%s\": ACPI is a new standard (appeared during year 2002) for power\n"
+"management, notably for laptops. If you know your hardware supports it and\n"
+"you need it, check this box.\n"
+"\n"
+" * \"%s\": If you noticed hardware problems on your machine (IRQ conflicts,\n"
+"instabilities, machine freeze, ...) you should try disabling APIC by\n"
+"checking this box.\n"
+"\n"
+"!! Be aware that if you choose not to install a bootloader (by selecting\n"
+"\"%s\"), you must ensure that you have a way to boot your Mandrake Linux\n"
+"system! Be sure you know what you are doing before changing any of the\n"
+"options. !!\n"
+"\n"
+"Clicking the \"%s\" button in this dialog will offer advanced options which\n"
+"are normally reserved for the expert user."
+msgstr ""
+"Овој дијалог ви овозможува подобро да го подесите вашиот подигач:\n"
+"\n"
+" * \"%s\": имате три избори за вашиот подигач:\n"
+"\n"
+" * \"%s\": ако преферирате grub (текстуално мени).\n"
+"\n"
+" * \"%s\": ако преферирате LILO со неговиот текст мени интерфејс.\n"
+"\n"
+" * \"%s\": ако преферирате LILO со неговиот графички интерфејс.\n"
+"\n"
+" * \"%s\": во повеќето случаи нема потреба да го промените вообичаеното(\"%s"
+"\"),\n"
+"но ако претпочитате подигачот може да биде инсталиран на вашиот втор драјв\n"
+"(\"%s\"), или дури и на дискета (\"%s\");\n"
+"\n"
+" * \"%s\": по подигањето или при рестартирањето на компјутерот, ова е \n"
+"задоцнувањето дадено на корисникот да избере подигачки внес различен од\n"
+"стандардниот.\n"
+"\n"
+"!! Внимавајте дека ако изберете да не инсталирате подигач (преку избирање\n"
+"\"%s\"), мора да се осигурате дека имате начин да го подигнете Вашиот\n"
+"Мандрак Линукс Систем! Исто така, осигурајте дека знаете што правите пред\n"
+"да промените некоја од опциите. !!\n"
+"\n"
+"Со Притискање на копчето \"%s\" во вој дијалог ќе ви понуди многу напредни "
+"опции\n"
+"кои обично се резервирани за експертите.."
-#: ../../standalone/drakTermServ:1
+#: help.pm:768
#, c-format
-msgid "<-- Edit Client"
-msgstr "<-- Уреди Клиент"
+msgid "GRUB"
+msgstr "GRUB"
-#: ../../standalone/drakfont:1
+#: help.pm:768
#, c-format
-msgid "no fonts found"
-msgstr "не се најдени фонтови"
+msgid "/dev/hda"
+msgstr "/dev/hda"
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
-#: ../../harddrake/data.pm:1
+#: help.pm:768
#, c-format
-msgid "Mouse"
-msgstr "Глушец"
+msgid "/dev/hdb"
+msgstr "/dev/hdb"
-#: ../../bootloader.pm:1
+#: help.pm:768
#, c-format
-msgid "not enough room in /boot"
-msgstr "нема доволно простор во /boot"
+msgid "/dev/fd0"
+msgstr "/dev/fd0"
+
+#: help.pm:768
+#, fuzzy, c-format
+msgid "Delay before booting the default image"
+msgstr "Пауза пред подигање на првиот"
+
+#: help.pm:768
+#, fuzzy, c-format
+msgid "Force no APIC"
+msgstr "Изврши No APIC"
-#: ../../install_steps_gtk.pm:1
+#: help.pm:771
#, c-format
-msgid "trying to promote %s"
+msgid ""
+"After you have configured the general bootloader parameters, the list of\n"
+"boot options that will be available at boot time will be displayed.\n"
+"\n"
+"If there are other operating systems installed on your machine they will\n"
+"automatically be added to the boot menu. You can fine-tune the existing\n"
+"options by clicking \"%s\" to create a new entry; selecting an entry and\n"
+"clicking \"%s\" or \"%s\" to modify or remove it. \"%s\" validates your\n"
+"changes.\n"
+"\n"
+"You may also not want to give access to these other operating systems to\n"
+"anyone who goes to the console and reboots the machine. You can delete the\n"
+"corresponding entries for the operating systems to remove them from the\n"
+"bootloader menu, but you will need a boot disk in order to boot those other\n"
+"operating systems!"
msgstr ""
+"Откако сте ги конфигуририрале општите параметри на подигањето, ќе биде\n"
+"прикажана листа на опции од кои ќе можете да бирате при секое подигање.\n"
+"\n"
+"Ако на Вашиот систем има инсталирано и некој друг оперативен систем, \n"
+"тој автоматски ќе биде додаден во менито. Овде можете фино да ги наштелувате "
+"постоечките опции со притискање на \"%s\" за внесете нова ставка;\n"
+"изберете ставка кликнете на \"%s\" или \"%s\" за да ја промените или "
+"отстраните.\n"
+"\"%s\" ги потврдува вашите промени.\n"
+"\n"
+"Исто така, може да не сакате да овозможите пристап до овие други оперативни\n"
+"системи за било кого, кој оди во конзола и ја рестартира машината. Во тој "
+"случај,\n"
+"можете да ги отстраните соодветните ставки од менито на подигачот, но тогаш "
+"ќе Ви биде потребна дискета за да ги подигнете тие други оперативни системи!"
-#: ../../lang.pm:1
+#: help.pm:784 interactive.pm:295 interactive/gtk.pm:480
+#: standalone/drakbackup:1843 standalone/drakfont:586 standalone/drakfont:649
+#: standalone/drakvpn:329 standalone/drakvpn:690
#, c-format
-msgid "Liechtenstein"
-msgstr "Лихтенштајн"
+msgid "Add"
+msgstr "Додај"
-#: ../../network/ethernet.pm:1 ../../network/network.pm:1
+#: help.pm:784 interactive.pm:295 interactive/gtk.pm:480
#, c-format
-msgid "Host name"
-msgstr "Име на хост"
+msgid "Modify"
+msgstr "Промени"
-#: ../../standalone/draksplash:1
-#, c-format
-msgid "the color of the progress bar"
-msgstr "бојата на прогресната лента"
+#: help.pm:784 interactive.pm:295 interactive/gtk.pm:480
+#: standalone/drakvpn:329 standalone/drakvpn:690
+#, fuzzy, c-format
+msgid "Remove"
+msgstr "Отстрани"
+
+#: help.pm:787
+#, fuzzy, c-format
+msgid ""
+"LILO and GRUB are GNU/Linux bootloaders. Normally, this stage is totally\n"
+"automated. DrakX will analyze the disk boot sector and act according to\n"
+"what it finds there:\n"
+"\n"
+" * if a Windows boot sector is found, it will replace it with a GRUB/LILO\n"
+"boot sector. This way you will be able to load either GNU/Linux or any\n"
+"other OS installed on your machine.\n"
+"\n"
+" * if a GRUB or LILO boot sector is found, it will replace it with a new\n"
+"one.\n"
+"\n"
+"If it cannot make a determination, DrakX will ask you where to place the\n"
+"bootloader. Generally, the \"%s\" is the safest place. Choosing \"%s\"\n"
+"won't install any bootloader. Use it only if you know what you are doing."
+msgstr ""
+"LILO и grub се GNU/Линукс подигачи. Нормално, оваа фаза е тотално\n"
+"автоматизирана. DrakX ќе го анализира подигачкиот сектор на дискот\n"
+"и ќе се однесува согласно со тоа што ќе пронајде таму:\n"
+"\n"
+" * акое пронајден Windows подигачки сектор, ќе го замени со grub/LILO\n"
+"подигачки сектор. Вака ќе можете да подигате или GNU/Linux или друг\n"
+"Оперативен Систем.\n"
+"\n"
+" * ако е пронајден grub или LILO подигачки сектор, ќе го замени со\n"
+"нов.\n"
+"\n"
+"Ако не може да се определи, DrakX ќе ве праша каде да го сместите\n"
+"подигачот."
+
+#: help.pm:803
+#, fuzzy, c-format
+msgid ""
+"Now, it's time to select a printing system for your computer. Other OSs may\n"
+"offer you one, but Mandrake Linux offers two. Each of the printing systems\n"
+"is best suited to particular types of configuration.\n"
+"\n"
+" * \"%s\" -- which is an acronym for ``print, don't queue'', is the choice\n"
+"if you have a direct connection to your printer, you want to be able to\n"
+"panic out of printer jams, and you do not have networked printers. (\"%s\"\n"
+"will handle only very simple network cases and is somewhat slow when used\n"
+"with networks.) It's recommended that you use \"pdq\" if this is your first\n"
+"experience with GNU/Linux.\n"
+"\n"
+" * \"%s\" - `` Common Unix Printing System'', is an excellent choice for\n"
+"printing to your local printer or to one halfway around the planet. It is\n"
+"simple to configure and can act as a server or a client for the ancient\n"
+"\"lpd \" printing system, so it is compatible with older operating systems\n"
+"which may still need print services. While quite powerful, the basic setup\n"
+"is almost as easy as \"pdq\". If you need to emulate a \"lpd\" server, make\n"
+"sure you turn on the \"cups-lpd \" daemon. \"%s\" includes graphical\n"
+"front-ends for printing or choosing printer options and for managing the\n"
+"printer.\n"
+"\n"
+"If you make a choice now, and later find that you don't like your printing\n"
+"system you may change it by running PrinterDrake from the Mandrake Control\n"
+"Center and clicking the expert button."
+msgstr ""
+"Сега се избира принтерски систем за Вашиот компјутер. Некои други "
+"оперативни\n"
+"системи нудат еден, додека Мандрак Линукс Ви нуди два.\n"
+"\n"
+" * \"pdg\" -- кој значи \"print, don't queue\", е вистинскиот избор ако "
+"имате\n"
+"директна конекција со Вашиот принтер и сакате да можете лесно да се "
+"извадите\n"
+"од заглавувања на хартија, и ако немате мрежни принтери. Може да се справи\n"
+"само со многу едноставни случаи на умреженост и е малку бавен во такви "
+"случаи.\n"
+"Изберете \"pdq\" ако ова е Вашето прво патување во GNU/Linux. Вашиот избор\n"
+"ќе може да го промените по завршувањето на инсталацијата преку извршување "
+"на\n"
+"програмата PrinterDrake од Mandrake Control Center и притискање на копчето\n"
+"за експерти.\n"
+"\n"
+" * \"CUPS\" -- \"Common Unix Printing System\" е извонреден и во печатење "
+"на\n"
+"локалниот принтер и во печатење од другата страна на планетата. Тој е \n"
+"едноставен и може да се однесува како сервер или клиент за стариот \"lpd\"\n"
+"принтерски систем. Значи, е компатибилен со системите пред неговото време.\n"
+"Овозможува многу трикови, но основното поставување е речиси исто толку "
+"лесно\n"
+"како и поставувањето на \"pdq\". Ако ова Ви е потребно за емулација на \"lpd"
+"\"\n"
+"сервер, ќе мора да го вклучите демонот \"cups-lpd\". CUPS има графички "
+"школки\n"
+"за печатење и избирање опции за печатење."
-#: ../../standalone/drakfont:1
+#: help.pm:826
#, c-format
-msgid "Suppress Fonts Files"
-msgstr "Потисни ги Датотеките со Фонтови"
+msgid "pdq"
+msgstr "pdq"
-#: ../../diskdrake/interactive.pm:1
+#: help.pm:826 printer/cups.pm:99 printer/data.pm:82
#, c-format
-msgid "Add to RAID"
-msgstr "Додај на RAID"
+msgid "CUPS"
+msgstr "CUPS"
-#: ../../help.pm:1
+#: help.pm:829
#, c-format
msgid ""
+"DrakX will first detect any IDE devices present in your computer. It will\n"
+"also scan for one or more PCI SCSI cards on your system. If a SCSI card is\n"
+"found, DrakX will automatically install the appropriate driver.\n"
+"\n"
+"Because hardware detection is not foolproof, DrakX may fail in detecting\n"
+"your hard drives. If so, you'll have to specify your hardware by hand.\n"
+"\n"
+"If you had to manually specify your PCI SCSI adapter, DrakX will ask if you\n"
+"want to configure options for it. You should allow DrakX to probe the\n"
+"hardware for the card-specific options which are needed to initialize the\n"
+"adapter. Most of the time, DrakX will get through this step without any\n"
+"issues.\n"
+"\n"
+"If DrakX is not able to probe for the options to automatically determine\n"
+"which parameters need to be passed to the hardware, you'll need to manually\n"
+"configure the driver."
+msgstr ""
+"DrakX прво ќе ги детектира IDE уредите присутни на вашиот компјутер. Исто\n"
+"така ќе скенира еден или повеќе PCI SCSI картички на вашиот ситем. Ако е "
+"пронајдена\n"
+"SCSI картичка, DrakX автоматски ќе го инсталира драјверот кој најмногу "
+"одговара.\n"
+"\n"
+"Бидејќи хардверската детекција не е отпорна на будали, DrakX можеби нема да "
+"успее\n"
+"да ги пронајде вашите хард дискови. Во тој случај треба рачно да го одредите "
+"вашиот хардвер.\n"
+"\n"
+"Ако треба рачно да го одредите вашиот PCI SCSI адаптер, DrakX ќе ве праша\n"
+"дали сакате да ги конфигурирате опциите за него. Треба да дозволите DrakX да "
+"ги проба\n"
+"хардверот со опциите одредени за каритичкта кои се потребни да се "
+"иницијализира\n"
+"адаптерот. Поголемиот дел од времето DrakX ќе го помине овој чекор без "
+"никакви\n"
+"проблеми.\n"
+"\n"
+"Ако DrakX не може автоматски да одреди кои параметрки треба да се\n"
+"пренесат на хардверот за опциите , ќе треба рачно да го\n"
+"конфигурирате драјверот."
+
+#: help.pm:847
+#, fuzzy, c-format
+msgid ""
"You can add additional entries in yaboot for other operating systems,\n"
"alternate kernels, or for an emergency boot image.\n"
"\n"
@@ -4052,10 +5263,10 @@ msgid ""
"emulation for the missing 2nd and 3rd mouse buttons on a stock Apple mouse.\n"
"The following are some examples:\n"
"\n"
-" video=aty128fb:vmode:17,cmode:32,mclk:71 adb_buttons=103,111\n"
+" \t video=aty128fb:vmode:17,cmode:32,mclk:71 adb_buttons=103,111\n"
"hda=autotune\n"
"\n"
-" video=atyfb:vmode:12,cmode:24 adb_buttons=103,111\n"
+" \t video=atyfb:vmode:12,cmode:24 adb_buttons=103,111\n"
"\n"
" * Initrd: this option can be used either to load initial modules before\n"
"the boot device is available, or to load a ramdisk image for an emergency\n"
@@ -4130,400 +5341,777 @@ msgstr ""
"Оваа ставка исто така ќе биде обележана и со \"*\", ако притиснете [Tab] за\n"
"да ги видите можностите за бутирање."
-#: ../../printer/printerdrake.pm:1
+#: help.pm:894
+#, fuzzy, c-format
+msgid ""
+"Yaboot is a bootloader for NewWorld Macintosh hardware and can be used to\n"
+"boot GNU/Linux, MacOS or MacOSX. Normally, MacOS and MacOSX are correctly\n"
+"detected and installed in the bootloader menu. If this is not the case, you\n"
+"can add an entry by hand in this screen. Take care to choose the correct\n"
+"parameters.\n"
+"\n"
+"Yaboot's main options are:\n"
+"\n"
+" * Init Message: a simple text message displayed before the boot prompt.\n"
+"\n"
+" * Boot Device: indicates where you want to place the information required\n"
+"to boot to GNU/Linux. Generally, you set up a bootstrap partition earlier\n"
+"to hold this information.\n"
+"\n"
+" * Open Firmware Delay: unlike LILO, there are two delays available with\n"
+"yaboot. The first delay is measured in seconds and at this point, you can\n"
+"choose between CD, OF boot, MacOS or Linux;\n"
+"\n"
+" * Kernel Boot Timeout: this timeout is similar to the LILO boot delay.\n"
+"After selecting Linux, you will have this delay in 0.1 second increments\n"
+"before your default kernel description is selected;\n"
+"\n"
+" * Enable CD Boot?: checking this option allows you to choose ``C'' for CD\n"
+"at the first boot prompt.\n"
+"\n"
+" * Enable OF Boot?: checking this option allows you to choose ``N'' for\n"
+"Open Firmware at the first boot prompt.\n"
+"\n"
+" * Default OS: you can select which OS will boot by default when the Open\n"
+"Firmware Delay expires."
+msgstr ""
+"Yaboot е подигач за NewWorld MacIntosh хардвер. Тој може да подигне било\n"
+"кој од GNU/Linux, MacOS или MacOSX, доколку се достапни на компјутерот. \n"
+"Обично, овие оперативни системи коректно се детектираат и додаваат во "
+"изборот.\n"
+"Ако тоа не е случај кај Вас, моќете рачно да додадете ставка во овој екран.\n"
+"Внимавајте да ги изберете вистинските парамтери.\n"
+"\n"
+"Главните опции за Yaboot се:\n"
+"\n"
+" * Init порака: едноставна текстуална порака прикажана пред промптот за\n"
+"подигање;\n"
+"\n"
+" * Уред за подигачот: покажува каде сакате да ги поставите информациите\n"
+"потребни за подигање на GNU/Linux. Обично, веќе би требало да сте поставиле\n"
+"bootstrap партиција со таква цел;\n"
+"\n"
+" * Open Firmware пауза: за разлика од LILO, yaboot има два вида паузи. "
+"Првата\n"
+"пауза се мери во секунди и во неа можете да изберете помеѓу CD, OF, MacOS \n"
+"или Linux;\n"
+"\n"
+" * Пауза пред подигање кернел: ова е слично на паузата кај LILO. По изборот\n"
+"на Linux, ќе имате време од 0,1 секунда пред да биде избран претпочитаниот\n"
+"кернел;\n"
+"\n"
+" * Овожможи подигање од CD?: изборот на оваа опција Ви овозможува да\n"
+"изберете \"C\" за CD на првиот промпт за подигање;\n"
+"\n"
+" * Овозможи подигање од OF?: изборот на оваа опција Ви овозможува да\n"
+"изберете \"N\" за Open Firmware на првиот промпт за подигање;\n"
+"\n"
+"\n"
+" * Претпочитан ОС: можете да изберете кој ОС прв ќе се подигне кога ќе\n"
+"помине паузата."
+
+#: help.pm:926
#, c-format
msgid ""
-"The printer \"%s\" was successfully added to Star Office/OpenOffice.org/GIMP."
+"\"%s\": if a sound card is detected on your system, it is displayed here.\n"
+"If you notice the sound card displayed is not the one that is actually\n"
+"present on your system, you can click on the button and choose another\n"
+"driver."
msgstr ""
-"Печатачот \"%s\" беше успешно додаден на Star Office/OpenOffice.org/GIMP."
+"\"%s\": ако е пронајдена звучна картичка на вашиот ситем таа е прикажана "
+"овде.\n"
+"Ако забележите ќе видете дека звучната картичка всушност не е точно онаа\n"
+"која се наоѓа на вашиот систем, можете да притиснете на копчете и да "
+"изберете\n"
+"друг драјвер."
-#: ../../standalone/drakTermServ:1
+#: help.pm:929 help.pm:991 install_steps_interactive.pm:962
+#: install_steps_interactive.pm:979
#, c-format
-msgid "No floppy drive available!"
-msgstr "Не е достапен floppy уред!"
+msgid "Sound card"
+msgstr "Звучна картичка"
-#: ../../printer/printerdrake.pm:1
+#: help.pm:932
#, c-format
msgid ""
-"To know about the options available for the current printer read either the "
-"list shown below or click on the \"Print option list\" button.%s%s%s\n"
+"As a review, DrakX will present a summary of information it has about your\n"
+"system. Depending on your installed hardware, you may have some or all of\n"
+"the following entries. Each entry is made up of the configuration item to\n"
+"be configured, followed by a quick summary of the current configuration.\n"
+"Click on the corresponding \"%s\" button to change that.\n"
"\n"
-msgstr ""
-"За да дознаете за можните опции за избраниот принтер или прочитајте ја листа "
-"прикажана подоле или кликнете на копчето \"Печати опциона листа\".%s%s%s\n"
+" * \"%s\": check the current keyboard map configuration and change it if\n"
+"necessary.\n"
+"\n"
+" * \"%s\": check the current country selection. If you are not in this\n"
+"country, click on the \"%s\" button and choose another one. If your country\n"
+"is not in the first list shown, click the \"%s\" button to get the complete\n"
+"country list.\n"
+"\n"
+" * \"%s\": By default, DrakX deduces your time zone based on the country\n"
+"you have chosen. You can click on the \"%s\" button here if this is not\n"
+"correct.\n"
+"\n"
+" * \"%s\": check the current mouse configuration and click on the button to\n"
+"change it if necessary.\n"
+"\n"
+" * \"%s\": clicking on the \"%s\" button will open the printer\n"
+"configuration wizard. Consult the corresponding chapter of the ``Starter\n"
+"Guide'' for more information on how to setup a new printer. The interface\n"
+"presented there is similar to the one used during installation.\n"
+"\n"
+" * \"%s\": if a sound card is detected on your system, it is displayed\n"
+"here. If you notice the sound card displayed is not the one that is\n"
+"actually present on your system, you can click on the button and choose\n"
+"another driver.\n"
+"\n"
+" * \"%s\": by default, DrakX configures your graphical interface in\n"
+"\"800x600\" or \"1024x768\" resolution. If that does not suit you, click on\n"
+"\"%s\" to reconfigure your graphical interface.\n"
+"\n"
+" * \"%s\": if a TV card is detected on your system, it is displayed here.\n"
+"If you have a TV card and it is not detected, click on \"%s\" to try to\n"
+"configure it manually.\n"
+"\n"
+" * \"%s\": if an ISDN card is detected on your system, it will be displayed\n"
+"here. You can click on \"%s\" to change the parameters associated with the\n"
+"card.\n"
+"\n"
+" * \"%s\": If you wish to configure your Internet or local network access\n"
+"now.\n"
+"\n"
+" * \"%s\": this entry allows you to redefine the security level as set in a\n"
+"previous step ().\n"
"\n"
+" * \"%s\": if you plan to connect your machine to the Internet, it's a good\n"
+"idea to protect yourself from intrusions by setting up a firewall. Consult\n"
+"the corresponding section of the ``Starter Guide'' for details about\n"
+"firewall settings.\n"
+"\n"
+" * \"%s\": if you wish to change your bootloader configuration, click that\n"
+"button. This should be reserved to advanced users.\n"
+"\n"
+" * \"%s\": here you'll be able to fine control which services will be run\n"
+"on your machine. If you plan to use this machine as a server it's a good\n"
+"idea to review this setup."
+msgstr ""
-#: ../../lang.pm:1
+#: help.pm:991 install_steps_interactive.pm:110
+#: install_steps_interactive.pm:899 standalone/keyboarddrake:23
#, c-format
-msgid "Saudi Arabia"
-msgstr "Саудиска Арабија"
+msgid "Keyboard"
+msgstr "Тастатура"
-#: ../../services.pm:1
+#: help.pm:991 install_steps_interactive.pm:921
#, c-format
-msgid "Internet"
-msgstr "Интернет"
+msgid "Timezone"
+msgstr "Часовна зона"
-#: ../../diskdrake/interactive.pm:1
+#: help.pm:991
#, c-format
-msgid "Continue anyway?"
-msgstr "Продолжуваме?"
+msgid "Graphical Interface"
+msgstr "Графички интерфејс"
-#: ../../printer/printerdrake.pm:1
+#: help.pm:991 install_steps_interactive.pm:995
#, c-format
-msgid ""
-"If your printer is not listed, choose a compatible (see printer manual) or a "
-"similar one."
-msgstr ""
-"ако твојот принтер не е во листата, изберете сличен(видете во упатството на "
-"принтерот)"
+msgid "TV card"
+msgstr "ТВ картичка"
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
-#: ../../harddrake/data.pm:1 ../../printer/printerdrake.pm:1
+#: help.pm:991
#, c-format
-msgid "Printer"
-msgstr "Принтер"
+msgid "ISDN card"
+msgstr "ISDN картичка"
-#: ../../standalone/service_harddrake:1
+#: help.pm:991 install_steps_interactive.pm:1013 standalone/drakbackup:2394
#, c-format
-msgid "Some devices were added:\n"
-msgstr "Некои уреди беа додадени.\n"
+msgid "Network"
+msgstr "Мрежа"
-#: ../../diskdrake/interactive.pm:1
-#, c-format
-msgid "Geometry: %s cylinders, %s heads, %s sectors\n"
-msgstr "Геометрија: %s цилиндри, %s глави, %s сектори\n"
+#: help.pm:991 install_steps_interactive.pm:1039
+#, fuzzy, c-format
+msgid "Security Level"
+msgstr "Ниво на сигурност"
-#: ../../printer/printerdrake.pm:1
+#: help.pm:991 install_steps_interactive.pm:1053
#, c-format
-msgid "Printing on the printer \"%s\""
-msgstr "Печатење на принтерот \"%s\""
+msgid "Firewall"
+msgstr "Firewall"
-#: ../../standalone/drakTermServ:1
+#: help.pm:991 install_steps_interactive.pm:1067
#, c-format
-msgid "/etc/hosts.allow and /etc/hosts.deny already configured - not changed"
-msgstr "/etc/hosts.allow и /etc/hosts.deny се веќе подесени - неизменети"
+msgid "Bootloader"
+msgstr "Подигач"
-#: ../../standalone/drakbackup:1
+#: help.pm:991 install_steps_interactive.pm:1077 services.pm:195
#, c-format
-msgid "Restore From Tape"
-msgstr "Врати Од Лента"
+msgid "Services"
+msgstr "Сервиси"
-#: ../../standalone/drakbug:1
-#, c-format
+#: help.pm:994
+#, fuzzy, c-format
msgid ""
-"To submit a bug report, click the report button, which will open your "
-"default browser\n"
-"to Anthill where you will be able to upload the above information as a bug "
-"report."
+"Choose the hard drive you want to erase in order to install your new\n"
+"Mandrake Linux partition. Be careful, all data on this drive will be lost\n"
+"and will not be recoverable!"
msgstr ""
+"Изберете го дискот што сакат да го избришете за да ја инсталирате новата\n"
+"Мандрак Линукс партиција. Внимавајте, сите податоци на него ќе бидат "
+"изгубени\n"
+"и нема да може да се повратат!"
+
+#: help.pm:999
+#, fuzzy, c-format
+msgid ""
+"Click on \"%s\" if you want to delete all data and partitions present on\n"
+"this hard drive. Be careful, after clicking on \"%s\", you will not be able\n"
+"to recover any data and partitions present on this hard drive, including\n"
+"any Windows data.\n"
+"\n"
+"Click on \"%s\" to quit this operation without losing data and partitions\n"
+"present on this hard drive."
+msgstr ""
+"Притиснете на \"%s\" ако сакате да ги избришете сите податоци и партиции што "
+"се наоѓаат на овој диск. Внимавајте, по притискањето \"%s\", нема да\n"
+"може да ги повратите податоците и партициите, вклучувајќи ги и сите Windows "
+"податоци.\n"
+"\n"
+"Притиснете на \"%s\" за да ја откажете оваа операција без да изгубите\n"
+"податоци и партиции кои се наоѓаат на овој диск."
-#: ../../network/netconnect.pm:1
+#: install2.pm:119
#, c-format
-msgid "Choose the profile to configure"
-msgstr "Избор на профил за конфигурирање"
+msgid ""
+"Can't access kernel modules corresponding to your kernel (file %s is "
+"missing), this generally means your boot floppy in not in sync with the "
+"Installation medium (please create a newer boot floppy)"
+msgstr ""
+"Немам пристап до кернелски модули за Вашиот кернел (датотеката %sнедостига). "
+"Ова обично значи дека Вашата boot-дискета не е синхрона со инсталацискиот "
+"медиум (креирајте понова boot-дискета)"
-#: ../../security/l10n.pm:1
+#: install2.pm:169
#, c-format
-msgid "Password minimum length and number of digits and upcase letters"
-msgstr "Минимална должина на лозинка и број на цифри и големи букви"
+msgid "You must also format %s"
+msgstr "Мора да го форматирате и %s"
-#: ../../network/ethernet.pm:1 ../../network/network.pm:1
+#: install_any.pm:413
#, c-format
msgid ""
+"You have selected the following server(s): %s\n"
+"\n"
+"\n"
+"These servers are activated by default. They don't have any known security\n"
+"issues, but some new ones could be found. In that case, you must make sure\n"
+"to upgrade as soon as possible.\n"
"\n"
"\n"
-"Enter a Zeroconf host name without any dot if you don't\n"
-"want to use the default host name."
+"Do you really want to install these servers?\n"
msgstr ""
+"Сте ги избрале следниве сервери: %s\n"
"\n"
+"Овие сервери се активираат автоматски. Тие немаат никакви познати стари\n"
+"сигурносни проблеми, но можно е да се појават нови. Во тој случај, треба да\n"
+"ги надградите пакетите што е можно побрзо.\n"
"\n"
-"Внесете Zeroconf име на компјутерот без точки ако не сакате\n"
-"да го користите стандардното име на компјутерот."
-
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "Backup Now from configuration file"
-msgstr "Направете бекап Сега од конфигурационата датотека"
-
-#: ../../fsedit.pm:1
-#, c-format
-msgid "Mount points should contain only alphanumerical characters"
-msgstr "Точките на монтирање треба да содржат само алфанумерички карактери"
-
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Restarting printing system..."
-msgstr "Рестартирање на печатечкиот систем..."
+"\n"
+"Дали навистина сакате да ги инсталирате овие сервери?\n"
-#: ../../../move/tree/mdk_totem:1
+#: install_any.pm:434
#, c-format
-msgid "You can only run with no CDROM support"
+msgid ""
+"The following packages will be removed to allow upgrading your system: %s\n"
+"\n"
+"\n"
+"Do you really want to remove these packages?\n"
msgstr ""
+"Следниве пакети ќе бидат отстранети за да се овозможи надградба на Вашиот\n"
+"систем: %s\n"
+"\n"
+"\n"
+"Дали навистина сакате да се избришат овие пакети?\n"
-#: ../../modules/interactive.pm:1
-#, c-format
-msgid "See hardware info"
-msgstr "Видете ги информациите за хардверот"
-
-#: ../../standalone/drakbackup:1
+#: install_any.pm:812
#, c-format
-msgid "Day"
-msgstr "Ден"
+msgid "Insert a FAT formatted floppy in drive %s"
+msgstr "Внесете FAT-форматирана дискета во %s"
-#: ../../any.pm:1
+#: install_any.pm:816
#, c-format
-msgid "First sector of boot partition"
-msgstr "Првиот сектор на boot партицијата"
+msgid "This floppy is not FAT formatted"
+msgstr "Оваа дискета не е форматирана со FAT"
-#: ../../printer/printerdrake.pm:1
+#: install_any.pm:828
#, c-format
-msgid "Printer manufacturer, model"
-msgstr "Производител на принтерот, модел"
+msgid ""
+"To use this saved packages selection, boot installation with ``linux "
+"defcfg=floppy''"
+msgstr ""
+"За да ја искористите зачуванава селекција пакети, подигнете ја инсталацијата "
+"со ``linux defcfg=floppy''"
-#: ../../printer/data.pm:1
+#: install_any.pm:856 partition_table.pm:845
#, c-format
-msgid "PDQ - Print, Don't Queue"
-msgstr "PDQ - Print, Don't Queue"
+msgid "Error reading file %s"
+msgstr "Грешка при читање на датотеката %s"
-#: ../../standalone.pm:1
+#: install_any.pm:973
#, c-format
msgid ""
-"[OPTIONS]...\n"
-"Mandrake Terminal Server Configurator\n"
-"--enable : enable MTS\n"
-"--disable : disable MTS\n"
-"--start : start MTS\n"
-"--stop : stop MTS\n"
-"--adduser : add an existing system user to MTS (requires username)\n"
-"--deluser : delete an existing system user from MTS (requires "
-"username)\n"
-"--addclient : add a client machine to MTS (requires MAC address, IP, "
-"nbi image name)\n"
-"--delclient : delete a client machine from MTS (requires MAC address, "
-"IP, nbi image name)"
+"An error occurred - no valid devices were found on which to create new "
+"filesystems. Please check your hardware for the cause of this problem"
msgstr ""
-"[ОПЦИИ]...\n"
-"Конфигуратор на Мандрак Контролниот Сервер\n"
-"--enable : овозможи MTS\n"
-"--disable : оневозможи MTS\n"
-"--start : вклучи MTS\n"
-"--stop : исклучи MTS\n"
-"--adduser : додади постоечки системски корисник на MTS (потребно е "
-"корисничко име)\n"
-"--deluser : избриши постоечки системски корисник од MTS (потребно е "
-"корисничко име)\n"
-"--addclient : додава клиентска машина на MTS (потребно е MAC адреса, "
-"IP, nbi име на сликата)\n"
-"--delclient : брише клиентска машина од MTS (потребно е MAC адреса, IP, "
-"nbi име на сликата)"
+"Се случи грешка - не се најдени валидни уреди за на нив да се создаде нов "
+"фајлсистем. Проверете го Вашиот хардвер, за да го отстраните проблемот"
-#: ../../standalone/drakTermServ:1
-#, c-format
-msgid "Subnet Mask:"
-msgstr "Subnet Mask:"
+#: install_gtk.pm:161
+#, fuzzy, c-format
+msgid "System installation"
+msgstr "Инсталација на SILO"
-#: ../../security/l10n.pm:1
-#, c-format
-msgid "Set password expiration and account inactivation delays"
-msgstr "Намести изминување на лозинката и неактивни задоцнувања на акаунтот"
+#: install_gtk.pm:164
+#, fuzzy, c-format
+msgid "System configuration"
+msgstr "XFree конфигурација"
-#: ../../standalone/logdrake:1
+#: install_interactive.pm:22
#, c-format
msgid ""
-"_: load here is a noun, the load of the system\n"
-"Load"
-msgstr "Оптеретеност"
+"Some hardware on your computer needs ``proprietary'' drivers to work.\n"
+"You can find some information about them at: %s"
+msgstr ""
+"На дел од хардверот на Вашиот компјутер му се потребни \"затворени\"\n"
+"(proprietary) драјвери за да работи. Некои информации за тоа можете\n"
+"да најдете на: %s"
-#: ../../Xconfig/monitor.pm:1
+#: install_interactive.pm:62
#, c-format
msgid ""
-"The two critical parameters are the vertical refresh rate, which is the "
-"rate\n"
-"at which the whole screen is refreshed, and most importantly the horizontal\n"
-"sync rate, which is the rate at which scanlines are displayed.\n"
-"\n"
-"It is VERY IMPORTANT that you do not specify a monitor type with a sync "
-"range\n"
-"that is beyond the capabilities of your monitor: you may damage your "
-"monitor.\n"
-" If in doubt, choose a conservative setting."
+"You must have a root partition.\n"
+"For this, create a partition (or click on an existing one).\n"
+"Then choose action ``Mount point'' and set it to `/'"
msgstr ""
-"Два критични параметри се \"вертикалното освежување\", кое означува\n"
-"со колкава фреквенција се освежува целиот екран; и, најважно, \n"
-"\"хоризонталната синхронизација\", која означува со колкава\n"
-"фреквенција се прикажуваат скен-линиите.\n"
-"\n"
-"МНОГУ Е ВАЖНО да не наведете монитор со ранг на хоризонтална \n"
-"синхронизација кој е вон можностите на Вашиот монитор: затоа што \n"
-"може физички да го оштетите.\n"
-" Ако не сте сигурни, бирајте конзервативно."
-
-#: ../../help.pm:1 ../../interactive.pm:1 ../../interactive/gtk.pm:1
-#, c-format
-msgid "Modify"
-msgstr "Промени"
+"Мора да имате root-партиција.\n"
+"Затоа, создадете партиција (или изберете веќе постоечка),\n"
+"потоа изберете \"Точка на монтирање\" и поставете ја на \"/\""
-#: ../../printer/printerdrake.pm:1
+#: install_interactive.pm:67
#, c-format
msgid ""
+"You don't have a swap partition.\n"
"\n"
-"The \"%s\" and \"%s\" commands also allow to modify the option settings for "
-"a particular printing job. Simply add the desired settings to the command "
-"line, e. g. \"%s <file>\".\n"
+"Continue anyway?"
msgstr ""
+"Немате swap партиција.\n"
"\n"
-"\"%s\" и \"%s\" командите исто така овозможуваат да се променат подесувањата "
-"за одредена печатарска работа. Едноставно додадете ги посакуваните "
-"подесувања во командната линија, пр.\"%s<file>\".\n"
+"Да продолжиме?"
-#: ../../standalone/drakbackup:1
+#: install_interactive.pm:70 install_steps.pm:206
#, c-format
-msgid "Need hostname, username and password!"
-msgstr "Се бара име на хост, корисничко име и лозинка!"
+msgid "You must have a FAT partition mounted in /boot/efi"
+msgstr "Мора да имате FAT партиција монтирана на /boot/efi"
-#: ../../network/tools.pm:1
+#: install_interactive.pm:97
#, c-format
-msgid "Insert floppy"
-msgstr "Внесете дискета"
+msgid "Not enough free space to allocate new partitions"
+msgstr "Нема доволно слободен простор за алоцирање на нови партиции"
-#: ../../diskdrake/dav.pm:1
+#: install_interactive.pm:105
#, c-format
-msgid ""
-"WebDAV is a protocol that allows you to mount a web server's directory\n"
-"locally, and treat it like a local filesystem (provided the web server is\n"
-"configured as a WebDAV server). If you would like to add WebDAV mount\n"
-"points, select \"New\"."
-msgstr ""
-"WebDAV е протокол кој овозможува локално да монтирате директориум од \n"
-"веб сервер и да го третирате како локален датотечен систем (под\n"
-"претпоставка дека веб серверот е конфигуриран како WebDAV сервер). \n"
-"Ако сакате да додадете WebDAV монтирачки точки, изберете \"Ново\"."
+msgid "Use existing partitions"
+msgstr "Користи ги постоечките партиции"
-#: ../../standalone/drakbug:1
+#: install_interactive.pm:107
#, c-format
-msgid "HardDrake"
-msgstr "HardDrake"
+msgid "There is no existing partition to use"
+msgstr "Не постои партиција за да може да се користи"
-#: ../../diskdrake/interactive.pm:1
+#: install_interactive.pm:114
#, c-format
-msgid "new"
-msgstr "нов"
+msgid "Use the Windows partition for loopback"
+msgstr "Користи ја Windows партицијата за loopback"
-#: ../../security/help.pm:1
+#: install_interactive.pm:117
#, c-format
-msgid "Enable/Disable syslog reports to console 12"
-msgstr "Овозможи/Оневозможи syslog извештаи на конзола 12"
+msgid "Which partition do you want to use for Linux4Win?"
+msgstr "Која партиција сакате да ја користите за Linux4Win?"
-#: ../../install_steps_interactive.pm:1
+#: install_interactive.pm:119
#, c-format
-msgid "Would you like to try again?"
-msgstr "Дали сакате да пробате пак?"
+msgid "Choose the sizes"
+msgstr "Избири ги големините"
-#: ../../help.pm:1 ../../diskdrake/hd_gtk.pm:1
+#: install_interactive.pm:120
#, c-format
-msgid "Wizard"
-msgstr "Волшебник"
+msgid "Root partition size in MB: "
+msgstr "Root партиција големина во во МБ: "
-#: ../../printer/printerdrake.pm:1
+#: install_interactive.pm:121
#, c-format
-msgid "Edit selected server"
-msgstr "Уреди го означениот сервер"
+msgid "Swap partition size in MB: "
+msgstr "swap партиција (во МБ): "
-#: ../../standalone/drakbackup:1
+#: install_interactive.pm:130
#, c-format
-msgid "Please choose where you want to backup"
-msgstr "Ве молиме изберете каде сакате да зачувате"
+msgid "There is no FAT partition to use as loopback (or not enough space left)"
+msgstr ""
+"Не постои FAT партиција за користење како loopback\n"
+"(или нема доволно преостанат простор)"
-#: ../../install_steps_interactive.pm:1
+#: install_interactive.pm:139
#, c-format
-msgid "You need to reboot for the partition table modifications to take place"
-msgstr "Морате да го рестартувате компјутерот за модификациите да имаат ефект"
+msgid "Which partition do you want to resize?"
+msgstr "Која партиција сакате да ја зголемувате/намалувате?"
-#: ../../standalone/drakbackup:1
+#: install_interactive.pm:153
#, c-format
-msgid "Do not include the browser cache"
-msgstr "Не вклучувај го кешот на прелистувачот"
+msgid ""
+"The FAT resizer is unable to handle your partition, \n"
+"the following error occured: %s"
+msgstr ""
+"FAT зголемувачот не може да се справи со Вашата партиција,\n"
+"зашто се случи следнава грешка: %s"
+
+#: install_interactive.pm:156
+#, fuzzy, c-format
+msgid "Computing the size of the Windows partition"
+msgstr "Користи го празниот простор на Windows партицијата"
-#: ../../install_steps_interactive.pm:1
+#: install_interactive.pm:163
#, c-format
msgid ""
-"Failed to check filesystem %s. Do you want to repair the errors? (beware, "
-"you can lose data)"
+"Your Windows partition is too fragmented. Please reboot your computer under "
+"Windows, run the ``defrag'' utility, then restart the Mandrake Linux "
+"installation."
msgstr ""
-"Неуспешна проверка на фајлсистемот %s. Сакате ли да ги поправите грешките? "
-"(внимавајте, може да изгубите податоци)"
+"Вашата Windows партиција е премногу фрагментирана. Рестартирајте го "
+"компјутерот, подигнете го под Windows, вклучете ја алатката \"defrag\", и "
+"потоа повторно подигнете ја инсталациската постапка на Мадрак Линукс."
-#: ../../standalone/keyboarddrake:1
+#: install_interactive.pm:164
+#, fuzzy, c-format
+msgid ""
+"WARNING!\n"
+"\n"
+"DrakX will now resize your Windows partition. Be careful: this\n"
+"operation is dangerous. If you have not already done so, you\n"
+"first need to exit the installation, run \"chkdsk c:\" from a\n"
+"Command Prompt under Windows (beware, running graphical program\n"
+"\"scandisk\" is not enough, be sure to use \"chkdsk\" in a\n"
+"Command Prompt!), optionally run defrag, then restart the\n"
+"installation. You should also backup your data.\n"
+"When sure, press Ok."
+msgstr ""
+"ПРЕДУПРЕДУВАЊЕ!\n"
+"\n"
+"DrakX сега ќе ја зголемува/намалува Вашата Windows партиција.\n"
+"Внимавајте: оваа операција е опасна. Ако веќе тоа не сте го\n"
+"сториле, треба да излезете од инсталацијава, да извршите\n"
+"\"scandisk\" под Windows (и, дополнително, ако сакате, \"defrag\"),\n"
+"и потоа повторно да ја вклучите инсталациската постапка на\n"
+"Мандрак Линукс. Исто така, би требало да имате и бекап на \n"
+"Вашите податоци.\n"
+"Ако сте сигурни, притиснете \"Во ред\""
+
+#: install_interactive.pm:176
#, c-format
-msgid "Please, choose your keyboard layout."
-msgstr "Ве молиме, изберете ја вашата тастатура."
+msgid "Which size do you want to keep for Windows on"
+msgstr "Колкава големина да остане за Windows на"
-#: ../../mouse.pm:1 ../../security/level.pm:1
+#: install_interactive.pm:177
#, c-format
-msgid "Standard"
-msgstr "Стандардно"
+msgid "partition %s"
+msgstr "партиција %s"
-#: ../../standalone/mousedrake:1
+#: install_interactive.pm:186
#, c-format
-msgid "Please choose your mouse type."
-msgstr "Ве молиме изберете го типот на глушецот."
+msgid "Resizing Windows partition"
+msgstr "Зголемување/намалување на Windows партиција"
-#: ../../standalone/drakconnect:1
+#: install_interactive.pm:191
#, c-format
-msgid "Connect..."
-msgstr "Поврзан..."
+msgid "FAT resizing failed: %s"
+msgstr "FAT зголемувањето/намалувањето не успеа: %s"
+
+#: install_interactive.pm:206
+#, fuzzy, c-format
+msgid "There is no FAT partition to resize (or not enough space left)"
+msgstr ""
+"Не постои FAT партиција за зголемување/намалување или за користење како "
+"loopback (или нема доволно преостанат простор)"
-#: ../../printer/printerdrake.pm:1
+#: install_interactive.pm:211
#, c-format
-msgid "Failed to configure printer \"%s\"!"
-msgstr "Не успеа да го конфигурира принтерот \"%s\"!"
+msgid "Remove Windows(TM)"
+msgstr "Отстрани го Windows(TM)"
-#: ../../install_steps_gtk.pm:1 ../../install_steps_interactive.pm:1
+#: install_interactive.pm:213
#, c-format
-msgid "not configured"
-msgstr "не е конфигурирано"
+msgid "You have more than one hard drive, which one do you install linux on?"
+msgstr "Имате повеќе од еден хард диск; на кој инсталирате Линукс?"
-#: ../../network/isdn.pm:1
+#: install_interactive.pm:217
#, c-format
-msgid "ISA / PCMCIA"
-msgstr "ISA / PCMCIA"
+msgid "ALL existing partitions and their data will be lost on drive %s"
+msgstr "СИТЕ постоечки партиции и податоци на %s ќе бидат изгубени"
-#: ../../standalone/drakfont:1
+#: install_interactive.pm:230
#, c-format
-msgid "About"
-msgstr "За"
+msgid "Use fdisk"
+msgstr "Користи fdisk"
-#: ../../mouse.pm:1
+#: install_interactive.pm:233
#, c-format
-msgid "GlidePoint"
-msgstr "GlidePoint"
+msgid ""
+"You can now partition %s.\n"
+"When you are done, don't forget to save using `w'"
+msgstr ""
+"Сега можете да го партицирате %s.\n"
+"Кога ќе завршите, не заборавајте да зачувате користејќи \"w\""
-#: ../../network/network.pm:1
+#: install_interactive.pm:269
#, c-format
-msgid "Proxies configuration"
-msgstr "Конфигурација на proxy северите"
+msgid "I can't find any room for installing"
+msgstr "Не можам да најдам простор за инсталирање"
-#: ../../diskdrake/interactive.pm:1
+#: install_interactive.pm:273
#, c-format
-msgid "Start: sector %s\n"
-msgstr "Почеток: сектор %s\n"
+msgid "The DrakX Partitioning wizard found the following solutions:"
+msgstr "DrakX партицирачката самовила ги пронајде следниве решенија:"
-#: ../../standalone/drakconnect:1
+#: install_interactive.pm:279
#, c-format
-msgid "No Mask"
-msgstr "Без маска"
+msgid "Partitioning failed: %s"
+msgstr "Партицирањето не успеа: %s"
-#: ../../standalone/drakgw:1
+#: install_interactive.pm:286
#, c-format
-msgid "Network interface already configured"
-msgstr "Мрежата е веќе конфигурирана"
+msgid "Bringing up the network"
+msgstr "Подигање на мрежата"
-#: ../../standalone/drakTermServ:1
+#: install_interactive.pm:291
#, c-format
-msgid "Couldn't access the floppy!"
-msgstr "Не може да пристапи до floppy-то!"
+msgid "Bringing down the network"
+msgstr "Спуштање на мрежата"
+
+#: install_messages.pm:9
+#, c-format
+msgid ""
+"Introduction\n"
+"\n"
+"The operating system and the different components available in the Mandrake "
+"Linux distribution \n"
+"shall be called the \"Software Products\" hereafter. The Software Products "
+"include, but are not \n"
+"restricted to, the set of programs, methods, rules and documentation related "
+"to the operating \n"
+"system and the different components of the Mandrake Linux distribution.\n"
+"\n"
+"\n"
+"1. License Agreement\n"
+"\n"
+"Please read this document carefully. This document is a license agreement "
+"between you and \n"
+"MandrakeSoft S.A. which applies to the Software Products.\n"
+"By installing, duplicating or using the Software Products in any manner, you "
+"explicitly \n"
+"accept and fully agree to conform to the terms and conditions of this "
+"License. \n"
+"If you disagree with any portion of the License, you are not allowed to "
+"install, duplicate or use \n"
+"the Software Products. \n"
+"Any attempt to install, duplicate or use the Software Products in a manner "
+"which does not comply \n"
+"with the terms and conditions of this License is void and will terminate "
+"your rights under this \n"
+"License. Upon termination of the License, you must immediately destroy all "
+"copies of the \n"
+"Software Products.\n"
+"\n"
+"\n"
+"2. Limited Warranty\n"
+"\n"
+"The Software Products and attached documentation are provided \"as is\", "
+"with no warranty, to the \n"
+"extent permitted by law.\n"
+"MandrakeSoft S.A. will, in no circumstances and to the extent permitted by "
+"law, be liable for any special,\n"
+"incidental, direct or indirect damages whatsoever (including without "
+"limitation damages for loss of \n"
+"business, interruption of business, financial loss, legal fees and penalties "
+"resulting from a court \n"
+"judgment, or any other consequential loss) arising out of the use or "
+"inability to use the Software \n"
+"Products, even if MandrakeSoft S.A. has been advised of the possibility or "
+"occurence of such \n"
+"damages.\n"
+"\n"
+"LIMITED LIABILITY LINKED TO POSSESSING OR USING PROHIBITED SOFTWARE IN SOME "
+"COUNTRIES\n"
+"\n"
+"To the extent permitted by law, MandrakeSoft S.A. or its distributors will, "
+"in no circumstances, be \n"
+"liable for any special, incidental, direct or indirect damages whatsoever "
+"(including without \n"
+"limitation damages for loss of business, interruption of business, financial "
+"loss, legal fees \n"
+"and penalties resulting from a court judgment, or any other consequential "
+"loss) arising out \n"
+"of the possession and use of software components or arising out of "
+"downloading software components \n"
+"from one of Mandrake Linux sites which are prohibited or restricted in some "
+"countries by local laws.\n"
+"This limited liability applies to, but is not restricted to, the strong "
+"cryptography components \n"
+"included in the Software Products.\n"
+"\n"
+"\n"
+"3. The GPL License and Related Licenses\n"
+"\n"
+"The Software Products consist of components created by different persons or "
+"entities. Most \n"
+"of these components are governed under the terms and conditions of the GNU "
+"General Public \n"
+"Licence, hereafter called \"GPL\", or of similar licenses. Most of these "
+"licenses allow you to use, \n"
+"duplicate, adapt or redistribute the components which they cover. Please "
+"read carefully the terms \n"
+"and conditions of the license agreement for each component before using any "
+"component. Any question \n"
+"on a component license should be addressed to the component author and not "
+"to MandrakeSoft.\n"
+"The programs developed by MandrakeSoft S.A. are governed by the GPL License. "
+"Documentation written \n"
+"by MandrakeSoft S.A. is governed by a specific license. Please refer to the "
+"documentation for \n"
+"further details.\n"
+"\n"
+"\n"
+"4. Intellectual Property Rights\n"
+"\n"
+"All rights to the components of the Software Products belong to their "
+"respective authors and are \n"
+"protected by intellectual property and copyright laws applicable to software "
+"programs.\n"
+"MandrakeSoft S.A. reserves its rights to modify or adapt the Software "
+"Products, as a whole or in \n"
+"parts, by all means and for all purposes.\n"
+"\"Mandrake\", \"Mandrake Linux\" and associated logos are trademarks of "
+"MandrakeSoft S.A. \n"
+"\n"
+"\n"
+"5. Governing Laws \n"
+"\n"
+"If any portion of this agreement is held void, illegal or inapplicable by a "
+"court judgment, this \n"
+"portion is excluded from this contract. You remain bound by the other "
+"applicable sections of the \n"
+"agreement.\n"
+"The terms and conditions of this License are governed by the Laws of "
+"France.\n"
+"All disputes on the terms of this license will preferably be settled out of "
+"court. As a last \n"
+"resort, the dispute will be referred to the appropriate Courts of Law of "
+"Paris - France.\n"
+"For any question on this document, please contact MandrakeSoft S.A. \n"
+msgstr ""
+"Вовед\n"
+"\n"
+"Опeрaтивниот систем и различните компoненти достапни во Мандрак Линукс\n"
+"дистрибуцијата, отсега натаму, ќе се викаат \"софтверски производи\". \n"
+"Софтверските прозиводи ги вклучуваат, но не се ограничени само на, \n"
+"множеството програми, методи, правила и документација во врска со \n"
+"оперативниот систем и различните компоненти на Мандрак Линукс\n"
+"дистрибуцијата.\n"
+"\n"
+"\n"
+"1. Лиценцен договор\n"
+"\n"
+"Внимателно прочитајте го овој документ. Овој документ е лиценцен договор\n"
+"меѓу Вас и MandrakeSoft S.A. кој се однесува на софтверските производи.\n"
+"Со инсталирање, дуплицирање или користење на софтверските производи\n"
+"на било кој начин, Вие експлицитно прифаќате и целосно се согласувате со\n"
+"термините и условите на оваа лиценца. Ако не се согласувате со било кој \n"
+"дел од лиценцата, не Ви е дозволено да ги инсталирате, дуплицирате или \n"
+"користите софтверските продукти. Секој обид да ги инсталирате, \n"
+"дуплицирате или користите софтверските производи на начин кој не е\n"
+"во согласност со термините и условите на оваа лиценца е неважечки (void)\n"
+"и ги терминира Вашите права под оваа лиценца. По терминирање на \n"
+"лиценцата, морате веднаш да ги уништите сите копии на софтверските \n"
+"производи.\n"
+"\n"
+"\n"
+"2. Ограничена гаранција\n"
+"\n"
+"Софтверските производи и придружната документација се дадени \n"
+"\"како што се\" (\"as is\"), без никаква гаранција, до степен можен со \n"
+"закон. MandrakeSoft S.A. нема во никој случај, до степен можен со закон, \n"
+"да одговара за било какви специјални, инцидентни, директни и индиректни\n"
+"штети (вклучувајќи, и неограничувајќи се, на губиток на бизнис, прекин на\n"
+"бизнис, финансиски губиток, легални такси и казни последеици на судска\n"
+"одлука, или било каква друга консеквентна штета) кои потекнуваат од \n"
+"користење или неспособност за користење на софтверските производи, \n"
+"дури и ако MandrakeSoft S.A. бил советуван за можноста од или случувањето\n"
+"на такви штети.\n"
+"\n"
+"ОГРАНИЧЕНА ОДГОВОРНОСТ ПОВРЗАНА СО ПОСЕДУВАЊЕТО ИЛИ \n"
+"КОРИСТЕЊЕТО СОФТВЕР ЗАБРАНЕТ ВО НЕКОИ ЗЕМЈИ\n"
+"\n"
+"До степен дозволн со закон, MandrakeSoft S.A. или неговите дистрибутери\n"
+"нема во никој случај да бидат одговорни за било какви специјални, \n"
+"инцидентни, директни и индиректни штети (вклучувајќи, и неограничувајќи се, "
+"на губиток на бизнис, прекин на\n"
+"бизнис, финансиски губиток, легални такси и казни последеици на судска\n"
+"одлука, или било каква друга консеквентна штета) кои потекнуваат од \n"
+"поседување и користење или од преземање (downloading) софтверски\n"
+"компоненти од некој од Мандрак Линукс сајтовите, кои се забранети или\n"
+"ограничени во некои земји со локалните закони. Оваа ограничена одговорност\n"
+"се однесува, но не е ограничена на, компонентите за силна криптографија\n"
+"вклучени во софтверските производи.\n"
+"\n"
+"\n"
+"3. Лиценцата GPL или сродни лиценци\n"
+"\n"
+"Софтверските производи се состојат од компоненти создадени од различни\n"
+"луѓе или ентитети. Повеќете од овие компоненти потпаѓаат под термините \n"
+"и условите на лиценцата \"GNU General Public Licence\", отсега натаму "
+"позната\n"
+"како \"GPL\", или на слични лиценци. Повеќете од овие лиценци Ви "
+"дозволуваат\n"
+"да ги користите, дуплицирате, адаптирате или редистрибуирате компонентите\n"
+"кои ги покриваат. Прочитајате ги внимателно термините и условите на \n"
+"лиценцниот договор за секоја окмпонента, пред да користите било ко од нив.\n"
+"Било какви прашања за лиценца на некоја компонента треба да се адресира\n"
+"на авторот на компонентата, а не на MandrakeSoft. Програмите развиени од\n"
+"MandrakeSoft S.A. потпаѓаат под GPL лиценцата. Документацијата напишана\n"
+"од MandrakeSoft S.A. потпаѓа под посебна лиценца. Видете ја "
+"документацијата,\n"
+"за повеќе детали.\n"
+"\n"
+"4. Права на интелектиална сопственост\n"
+"\n"
+"Сите права на компонентите на софтверските производи им припаѓаат на нивните "
+"соодветни автори и се заштитени со законите за интелектуална\n"
+"сопственост или авторски права (copyright laws) применливи на софтверски\n"
+"програми. MandrakeSoft S.A. го задржува правото да ги модифицира или \n"
+"адаптира софтверските производи, како целина или во делови, на било кој\n"
+"начин и за било која цел.\n"
+"\"Mandrake\", \"Mandrake Linux\" и придружените логотипи се заштитени знаци\n"
+"на MandrakeSoft S.A. \n"
+"\n"
+"\n"
+"5. Правосилни закони\n"
+"\n"
+"Ако било кој дел од овој договор се најде за неважечки, нелегален или \n"
+"неприменлив од страна на судска пресуда, тој дел се исклучува од овој\n"
+"договор. Останувате обврзани од другите применливи делови на \n"
+"договорот. \n"
+"Термините и условите на оваа лиценца потпаѓаат под законите на Франција.\n"
+"Секој спор за термините на оваа лиценца по можност ќе се реши на суд.\n"
+"Како последен чекор, спорот ќе биде предаден на соодветинот суд во\n"
+"Париз - Франиција. За било какви прашања во врска со овој документ,\n"
+"контактирајте го MandrakeSoft S.A.\n"
-#: ../../install_messages.pm:1
+#: install_messages.pm:89
#, c-format
msgid ""
"Warning: Free Software may not necessarily be patent free, and some Free\n"
@@ -4535,9012 +6123,9297 @@ msgid ""
"may be applicable to you, check your local laws."
msgstr ""
-#: ../../network/drakfirewall.pm:1
+#: install_messages.pm:96
#, c-format
-msgid "Mail Server"
-msgstr "E-mail сервер"
+msgid ""
+"\n"
+"Warning\n"
+"\n"
+"Please read carefully the terms below. If you disagree with any\n"
+"portion, you are not allowed to install the next CD media. Press 'Refuse' \n"
+"to continue the installation without using these media.\n"
+"\n"
+"\n"
+"Some components contained in the next CD media are not governed\n"
+"by the GPL License or similar agreements. Each such component is then\n"
+"governed by the terms and conditions of its own specific license. \n"
+"Please read carefully and comply with such specific licenses before \n"
+"you use or redistribute the said components. \n"
+"Such licenses will in general prevent the transfer, duplication \n"
+"(except for backup purposes), redistribution, reverse engineering, \n"
+"de-assembly, de-compilation or modification of the component. \n"
+"Any breach of agreement will immediately terminate your rights under \n"
+"the specific license. Unless the specific license terms grant you such\n"
+"rights, you usually cannot install the programs on more than one\n"
+"system, or adapt it to be used on a network. In doubt, please contact \n"
+"directly the distributor or editor of the component. \n"
+"Transfer to third parties or copying of such components including the \n"
+"documentation is usually forbidden.\n"
+"\n"
+"\n"
+"All rights to the components of the next CD media belong to their \n"
+"respective authors and are protected by intellectual property and \n"
+"copyright laws applicable to software programs.\n"
+msgstr ""
+"\n"
+"Внимание\n"
+"\n"
+"Внимателно прочитајте ги следниве услови. Ако не се согласувате\n"
+"со било кој дел, не Ви е дозволено да инсталирате од следните цедиња.\n"
+"Притиснете \"Одбиј\" за да продолжите со инсталирање без овие медиуми.\n"
+"\n"
+"\n"
+"Некои компоненти на следниве цедиња не потпаѓаат под лиценцата GPL \n"
+"или некои слични договори. Секоја од таквите компоненти во таков\n"
+"случај потпаѓа под термините и условите на сопствената лиценца. \n"
+"Внимателно прочитајте ги и прифатете ги таквите специфични лиценци \n"
+"пред да ги користите или редистрибуирате овие компоненти. \n"
+"Општо земено, таквите лиценци забрануваат трансфер, копирање \n"
+"(освен во цел на бекап), редистрибуирање, обратно инжинерство (reverse\n"
+"engineering), дисасемблирање или модификација на компонентите.\n"
+"Секое прекршување на договорот автоматски ќе ги терминира Вашите\n"
+"права под конкретната лиценца. Освен ако специфичните лиценци Ви\n"
+"дозволуваат, обично не можете да ги инсталирате програмите на повеќе\n"
+"од еден систем, или да ги адаптирате да се користат мрежно. Ако сте\n"
+"во двоумење, контактирајте го дистрибутерот или уредникот на \n"
+"компонентата директно.\n"
+"Трансфер на трети лица или копирање на таквите компоненти, \n"
+"вклучувајќи ја документацијата, е обично забрането.\n"
+"\n"
+"\n"
+"Сите права на компонентите на следните цеде-медиуми припаѓаат\n"
+"на нивните соодветни автори и се заштите со законите за интелектуална\n"
+"сопственост и авторски права (copyright laws) што се применливи за\n"
+"софтверски програми.\n"
-#: ../../diskdrake/hd_gtk.pm:1
+#: install_messages.pm:128
#, c-format
-msgid "Please click on a partition"
-msgstr "Кликнете на партиција"
+msgid ""
+"Congratulations, installation is complete.\n"
+"Remove the boot media and press return to reboot.\n"
+"\n"
+"\n"
+"For information on fixes which are available for this release of Mandrake "
+"Linux,\n"
+"consult the Errata available from:\n"
+"\n"
+"\n"
+"%s\n"
+"\n"
+"\n"
+"Information on configuring your system is available in the post\n"
+"install chapter of the Official Mandrake Linux User's Guide."
+msgstr ""
+"Инсталацијата е завршена. Ви честитаме!\n"
+"Извадете ги инсталационите медиуми и притиснете Ентер за рестартирање.\n"
+"\n"
+"\n"
+"За информации за поправките достапни за ова издание на Мандрак Линукс,\n"
+"консултирајте се со Errata коешто е достапно од:\n"
+"\n"
+"\n"
+"%s\n"
+"\n"
+"\n"
+"Информациите за конфигурирање на Вашиот систем се достапни во поглавјето\n"
+"за пост-инсталација од Официјалниот кориснички водич на Мандрак Линукс."
-#: ../../printer/main.pm:1
+#: install_messages.pm:141
#, c-format
-msgid "Multi-function device on HP JetDirect"
-msgstr "Повеќефункциски уред на HP JetDirect"
+msgid "http://www.mandrakelinux.com/en/100errata.php3"
+msgstr "http://www.mandrakelinux.com/en/100errata.php3"
-#: ../../any.pm:1 ../../standalone/drakbackup:1
+#: install_steps.pm:241
#, c-format
-msgid "Linux"
-msgstr "Линукс"
+msgid "Duplicate mount point %s"
+msgstr "Дупликат точка на монтирање: %s"
-#: ../../standalone/drakxtv:1
+#: install_steps.pm:410
#, c-format
-msgid "Have a nice day!"
-msgstr "Пријатен ден :)"
+msgid ""
+"Some important packages didn't get installed properly.\n"
+"Either your cdrom drive or your cdrom is defective.\n"
+"Check the cdrom on an installed computer using \"rpm -qpl Mandrake/RPMS/*.rpm"
+"\"\n"
+msgstr ""
+"Некои важни пакети не се инсталираа како што треба.\n"
+"Нешто не е во ред, или со Вашиот цедером или со цедеата.\n"
+"Проверете ги цедеата на инсталиран компјутер користејќи\n"
+"\"rpm -qpl Mandrake/RPMS/*.rpm\"\n"
-#: ../../help.pm:1
+#: install_steps.pm:541
#, c-format
-msgid "/dev/fd0"
-msgstr "/dev/fd0"
+msgid "No floppy drive available"
+msgstr "Нема достапен дискетен уред"
-#: ../../install_steps_interactive.pm:1
+#: install_steps_auto_install.pm:76 install_steps_stdio.pm:27
#, c-format
-msgid "Upgrade %s"
-msgstr "Надгради %s"
+msgid "Entering step `%s'\n"
+msgstr "Премин на чекор \"%s\"\n"
-#: ../../printer/printerdrake.pm:1
+#: install_steps_gtk.pm:178
#, c-format
-msgid "Select Printer Connection"
-msgstr "Избери поврзување на принтер"
+msgid ""
+"Your system is low on resources. You may have some problem installing\n"
+"Mandrake Linux. If that occurs, you can try a text install instead. For "
+"this,\n"
+"press `F1' when booting on CDROM, then enter `text'."
+msgstr ""
+"Вашиот систем е слаб со ресурси. Може да Ви се појават проблеми\n"
+"при инсталирање. Ако тоа се случи, пробајте со текстуална инсталација.\n"
+"За тоа, притиснете \"F1\" кога ќе се подигне цедеромот, и потоа внесете\n"
+"\"text\"."
-#: ../../standalone/drakxtv:1
+#: install_steps_gtk.pm:232 install_steps_interactive.pm:587
#, c-format
-msgid "Scanning for TV channels in progress ..."
-msgstr "Скенирање ТВ канали во тек..."
+msgid "Package Group Selection"
+msgstr "Групна селекција на пакети"
-#: ../../standalone/drakbackup:1
+#: install_steps_gtk.pm:292 install_steps_interactive.pm:519
#, c-format
-msgid ""
-"Error during sending file via FTP.\n"
-" Please correct your FTP configuration."
+msgid "Total size: %d / %d MB"
+msgstr "Вкупна големина: %d / %d MB"
+
+#: install_steps_gtk.pm:338
+#, c-format
+msgid "Bad package"
+msgstr "Лош пакет"
+
+#: install_steps_gtk.pm:340
+#, fuzzy, c-format
+msgid "Version: "
+msgstr "Верзија:"
+
+#: install_steps_gtk.pm:341
+#, fuzzy, c-format
+msgid "Size: "
+msgstr "Големина: "
+
+#: install_steps_gtk.pm:341
+#, fuzzy, c-format
+msgid "%d KB\n"
+msgstr "Големина: %d KB\n"
+
+#: install_steps_gtk.pm:342
+#, c-format
+msgid "Importance: "
+msgstr "Важност: "
+
+#: install_steps_gtk.pm:375
+#, c-format
+msgid "You can't select/unselect this package"
+msgstr "Не можете да (не) го изберете овој пакет"
+
+#: install_steps_gtk.pm:379
+#, fuzzy, c-format
+msgid "due to missing %s"
+msgstr "недостига kdesu"
+
+#: install_steps_gtk.pm:380
+#, c-format
+msgid "due to unsatisfied %s"
msgstr ""
-"Грешка при праќањето на фајлот преку FTP.\n"
-"Поправете ја вашата FTP конфигурација."
-#: ../../standalone/drakTermServ:1
+#: install_steps_gtk.pm:381
#, c-format
-msgid "IP Range Start:"
-msgstr "IP Старт на Опсегот:"
+msgid "trying to promote %s"
+msgstr ""
-#: ../../services.pm:1
+#: install_steps_gtk.pm:382
+#, c-format
+msgid "in order to keep %s"
+msgstr ""
+
+#: install_steps_gtk.pm:387
#, c-format
msgid ""
-"The internet superserver daemon (commonly called inetd) starts a\n"
-"variety of other internet services as needed. It is responsible for "
-"starting\n"
-"many services, including telnet, ftp, rsh, and rlogin. Disabling inetd "
-"disables\n"
-"all of the services it is responsible for."
+"You can't select this package as there is not enough space left to install it"
msgstr ""
-"Интернетскиот суперсервер демон (најчесто викан inetd) ако е потребно\n"
-"вклучува и различни други интернет сервиси. Тој е одговорен за вклучување\n"
-"многу сервиси, меѓу кои се telnet, ftp, rsh, и rlogin. Ако се оневозможи "
-"inetd се оневозможиваат\n"
-"сите сервиси за кој што тој е одговорен."
+"Не можете да го изберете овој пакет, зашто нема доволно простор да се "
+"инсталира"
-#: ../../standalone/draksplash:1
+#: install_steps_gtk.pm:390
#, c-format
-msgid "the height of the progress bar"
-msgstr "висината на прогрес лентата"
+msgid "The following packages are going to be installed"
+msgstr "Ќе бидат инсталирани следниве пакети"
+
+#: install_steps_gtk.pm:391
+#, c-format
+msgid "The following packages are going to be removed"
+msgstr "Следниве пакети ќе бидат отстранети"
+
+#: install_steps_gtk.pm:415
+#, c-format
+msgid "This is a mandatory package, it can't be unselected"
+msgstr "Ова е неопходен пакет, и не може да не се избере"
+
+#: install_steps_gtk.pm:417
+#, c-format
+msgid "You can't unselect this package. It is already installed"
+msgstr "Не може да не го изберете овој пакет. Веќе е инсталиран"
-#: ../../standalone/drakbackup:1
+#: install_steps_gtk.pm:420
#, c-format
msgid ""
-"\n"
-"- Save via %s on host: %s\n"
+"This package must be upgraded.\n"
+"Are you sure you want to deselect it?"
msgstr ""
-"\n"
-"- Зачувај преку %s на компјутерот: %s\n"
+"Овој пакет мора да се надгради (upgrade).\n"
+"Дали сте сигурни дека сакате да не го изберете?"
-#: ../../lang.pm:1 ../../standalone/drakxtv:1
+#: install_steps_gtk.pm:423
#, c-format
-msgid "Argentina"
-msgstr "Аргентина"
+msgid "You can't unselect this package. It must be upgraded"
+msgstr ""
+"Не можете да не го изберете овој пакет. Тој мора да се надгради (upgrade)"
-#: ../../network/drakfirewall.pm:1
+#: install_steps_gtk.pm:428
#, c-format
-msgid "Domain Name Server"
-msgstr "DNS сервер"
+msgid "Show automatically selected packages"
+msgstr "Прикажи ги автоматски избраните пакети"
-#: ../../standalone/draksec:1
+#: install_steps_gtk.pm:433
#, c-format
-msgid "Security Level:"
-msgstr "Безбедносно Ниво:"
+msgid "Load/Save on floppy"
+msgstr "Вчитај/зачувај од/на дискета"
-#: ../../fsedit.pm:1
+#: install_steps_gtk.pm:434
#, c-format
-msgid "Mount points must begin with a leading /"
-msgstr "Точките на монтирање мора да почнуваат со префикс /"
+msgid "Updating package selection"
+msgstr "Освежување на селекцијата пакети"
-#: ../../standalone/drakbackup:1
+#: install_steps_gtk.pm:439
#, c-format
-msgid "Choose your CD/DVD device"
-msgstr "Изберете го вашиот CD/DVD уред"
+msgid "Minimal install"
+msgstr "Минимална инсталација"
+
+#: install_steps_gtk.pm:453 install_steps_interactive.pm:427
+#, c-format
+msgid "Choose the packages you want to install"
+msgstr "Изберете ги пакетите што сакате да се инсталираат"
-#: ../../network/drakfirewall.pm:1
+#: install_steps_gtk.pm:469 install_steps_interactive.pm:673
+#, c-format
+msgid "Installing"
+msgstr "Инсталирање"
+
+#: install_steps_gtk.pm:475
#, fuzzy, c-format
-msgid "CUPS server"
-msgstr "DNS сервер"
+msgid "No details"
+msgstr "Без Детали"
-#: ../../standalone/logdrake:1
+#: install_steps_gtk.pm:476
#, c-format
-msgid "Postfix Mail Server"
-msgstr "Postfix E-mail сервер"
+msgid "Estimating"
+msgstr "Проценка"
-#: ../../diskdrake/interactive.pm:1
+#: install_steps_gtk.pm:482
#, c-format
-msgid "Quit without saving"
-msgstr "Напушти без зачувување"
+msgid "Time remaining "
+msgstr "Преостанато време "
-#: ../../lang.pm:1
+#: install_steps_gtk.pm:494
#, c-format
-msgid "Yemen"
-msgstr "Јемен"
+msgid "Please wait, preparing installation..."
+msgstr "Почекајте, подготовка за инсталирање..."
-#: ../advertising/11-mnf.pl:1
+#: install_steps_gtk.pm:555
#, c-format
-msgid "This product is available on the MandrakeStore Web site."
-msgstr "Овој продукт е достапен на веб страната на MandrekeSoft."
+msgid "%d packages"
+msgstr "%d пакети"
-#: ../../interactive/stdio.pm:1
+#: install_steps_gtk.pm:560
#, c-format
-msgid "=> There are many things to choose from (%s).\n"
-msgstr "=> Постојат многу работи за избирање од (%s).\n"
+msgid "Installing package %s"
+msgstr "Инсталирање на пакетот %s"
-#: ../../standalone/drakclock:1
+#: install_steps_gtk.pm:596 install_steps_interactive.pm:88
+#: install_steps_interactive.pm:697
#, c-format
-msgid "GMT - DrakClock"
-msgstr ""
+msgid "Refuse"
+msgstr "Одбиј"
-#: ../../../move/move.pm:1
+#: install_steps_gtk.pm:597 install_steps_interactive.pm:698
#, c-format
msgid ""
-"An error occurred:\n"
-"\n"
-"\n"
-"%s\n"
-"\n"
-"This may come from corrupted system configuration files\n"
-"on the USB key, in this case removing them and then\n"
-"rebooting Mandrake Move would fix the problem. To do\n"
-"so, click on the corresponding button.\n"
-"\n"
+"Change your Cd-Rom!\n"
"\n"
-"You may also want to reboot and remove the USB key, or\n"
-"examine its contents under another OS, or even have\n"
-"a look at log files in console #3 and #4 to try to\n"
-"guess what's happening."
+"Please insert the Cd-Rom labelled \"%s\" in your drive and press Ok when "
+"done.\n"
+"If you don't have it, press Cancel to avoid installation from this Cd-Rom."
msgstr ""
+"Сменете го цедето!\n"
+"\n"
+"Внесете го цедето со наслов \"%s\" во вашиот цедером и притиснете \"Во ред"
+"\".\n"
+"Ако го немате, притиснете \"Откажи\" за да не инсталирате од тоа цеде."
-#: ../../steps.pm:1
+#: install_steps_gtk.pm:612 install_steps_interactive.pm:710
#, c-format
-msgid "Hard drive detection"
-msgstr "Детекција на хард дискот"
+msgid "There was an error ordering packages:"
+msgstr "Се случи грешка во подредувањето на пакетите:"
-#: ../../install_steps_interactive.pm:1
+#: install_steps_gtk.pm:612 install_steps_gtk.pm:616
+#: install_steps_interactive.pm:710 install_steps_interactive.pm:714
#, c-format
-msgid ""
-"You haven't selected any group of packages.\n"
-"Please choose the minimal installation you want:"
-msgstr ""
-"Не сте избрале ниту една група пакети.\n"
-"Изберете ја минималната инсталација што ја сакате:"
+msgid "Go on anyway?"
+msgstr "Да продолжиме?"
-#: ../../network/adsl.pm:1
+#: install_steps_gtk.pm:616 install_steps_interactive.pm:714
#, c-format
-msgid ""
-"You need the Alcatel microcode.\n"
-"You can provide it now via a floppy or your windows partition,\n"
-"or skip and do it later."
-msgstr ""
-"Потребен е Alcatel microcode.\n"
-"Можете да го доставите сега, преку дискета или диск,\n"
-"или можете да прескокнете и тоа да го направите подоцна."
+msgid "There was an error installing packages:"
+msgstr "Се случи грешка во инсталирањето на пакетите:"
-#: ../../diskdrake/dav.pm:1
+#: install_steps_gtk.pm:656 install_steps_interactive.pm:881
+#: install_steps_interactive.pm:1029
#, c-format
-msgid "Please enter the WebDAV server URL"
-msgstr "Внесете го WebDAV серверското URL"
+msgid "not configured"
+msgstr "не е конфигурирано"
-#: ../../lang.pm:1
+#: install_steps_interactive.pm:81
+#, fuzzy, c-format
+msgid "Do you want to recover your system?"
+msgstr "Дали сакате да го користите aboot?"
+
+#: install_steps_interactive.pm:82
#, c-format
-msgid "Tajikistan"
-msgstr "Таџикистан"
+msgid "License agreement"
+msgstr "Лиценцен договор"
-#: ../../help.pm:1 ../../install_steps_gtk.pm:1
-#: ../../install_steps_interactive.pm:1 ../../standalone/drakautoinst:1
+#: install_steps_interactive.pm:111
#, c-format
-msgid "Accept"
-msgstr "Прифати"
+msgid "Please choose your keyboard layout."
+msgstr "Изберете распоред на тастатура."
-#: ../../printer/printerdrake.pm:1 ../../standalone/harddrake2:1
-#: ../../standalone/printerdrake:1
+#: install_steps_interactive.pm:113
#, c-format
-msgid "Description"
-msgstr "Опис"
+msgid "Here is the full list of keyboards available"
+msgstr "Ова е целосна листа на достапни распореди"
-#: ../../standalone/drakbug:1
+#: install_steps_interactive.pm:143
#, c-format
-msgid "Please enter summary text."
-msgstr ""
+msgid "Install/Upgrade"
+msgstr "Инсталирај/Надогради"
-#: ../../fsedit.pm:1
+#: install_steps_interactive.pm:144
#, c-format
-msgid "Error opening %s for writing: %s"
-msgstr "Грешка при отворање на %s за пишување: %s"
+msgid "Is this an install or an upgrade?"
+msgstr "Дали е ова инсталација или надградба?"
-#: ../../Xconfig/various.pm:1
+#: install_steps_interactive.pm:150
#, c-format
-msgid "Mouse type: %s\n"
-msgstr "Тип на глушец: %s\n"
+msgid "Upgrade %s"
+msgstr "Надгради %s"
-#: ../../Xconfig/card.pm:1
+#: install_steps_interactive.pm:160
#, c-format
-msgid "Your card can have 3D hardware acceleration support with XFree %s."
-msgstr "Вашата картичка може да има 3D хардверска акцелерација со XFree %s."
+msgid "Encryption key for %s"
+msgstr "Криптирачки клуч за %s"
-#: ../../Xconfig/monitor.pm:1
+#: install_steps_interactive.pm:177
#, c-format
-msgid "Choose a monitor"
-msgstr "Изберете монитор"
+msgid "Please choose your type of mouse."
+msgstr "Ве молиме изберете го вашиот тип на глушец."
-#: ../../any.pm:1
+#: install_steps_interactive.pm:186 standalone/mousedrake:46
#, c-format
-msgid "Empty label not allowed"
-msgstr "Не се дозволени празни ознаки"
+msgid "Mouse Port"
+msgstr "Порта за глушецот"
-#: ../../keyboard.pm:1
+#: install_steps_interactive.pm:187 standalone/mousedrake:47
#, c-format
-msgid "Maltese (UK)"
-msgstr "Малтешка (UK)"
+msgid "Please choose which serial port your mouse is connected to."
+msgstr "Ве молиме изберете на која сериска порта е поврзан вашиот глушец."
-#: ../../diskdrake/interactive.pm:1
+#: install_steps_interactive.pm:197
#, c-format
-msgid "I can't add any more partition"
-msgstr "Повеќе не може да се додадат партиции"
+msgid "Buttons emulation"
+msgstr "Емулација на копчиња"
-#: ../../diskdrake/interactive.pm:1
+#: install_steps_interactive.pm:199
#, c-format
-msgid "Size in MB: "
-msgstr "Големина во МB: "
+msgid "Button 2 Emulation"
+msgstr "Емулација на 2. копче"
-#: ../../printer/main.pm:1
+#: install_steps_interactive.pm:200
#, c-format
-msgid "Remote printer"
-msgstr "Оддалечен принтер"
+msgid "Button 3 Emulation"
+msgstr "Емулација на 3-то копче"
-#: ../../any.pm:1
+#: install_steps_interactive.pm:221
#, c-format
-msgid "Please choose a language to use."
-msgstr "Изберете јазик."
+msgid "PCMCIA"
+msgstr "PCMCIA"
-#: ../../network/network.pm:1
+#: install_steps_interactive.pm:221
#, c-format
-msgid ""
-"WARNING: this device has been previously configured to connect to the "
-"Internet.\n"
-"Simply accept to keep this device configured.\n"
-"Modifying the fields below will override this configuration."
-msgstr ""
-"Внимание: овој уред е претходно конфигуриран за да се поврзи наИнтернет.\n"
-"Едноставно прифатете да го задржите овој уред конфигуриран.\n"
-"Со изменување на полињата долу ќе ја пребришете оваа конфигурација."
+msgid "Configuring PCMCIA cards..."
+msgstr "Конфигурирање на PCMCIA картички..."
-#: ../../any.pm:1
+#: install_steps_interactive.pm:228
#, c-format
-msgid "I can set up your computer to automatically log on one user."
+msgid "IDE"
+msgstr "IDE"
+
+#: install_steps_interactive.pm:228
+#, c-format
+msgid "Configuring IDE"
+msgstr "Конфигурирање на IDE"
+
+#: install_steps_interactive.pm:248 network/tools.pm:197
+#, c-format
+msgid "No partition available"
+msgstr "Нема достапна партиција"
+
+#: install_steps_interactive.pm:251
+#, c-format
+msgid "Scanning partitions to find mount points"
+msgstr "Скенирање на партиции за да се најдат точки на монтирање"
+
+#: install_steps_interactive.pm:258
+#, c-format
+msgid "Choose the mount points"
+msgstr "Изберете ги точките на монтирање"
+
+#: install_steps_interactive.pm:288
+#, c-format
+msgid ""
+"No free space for 1MB bootstrap! Install will continue, but to boot your "
+"system, you'll need to create the bootstrap partition in DiskDrake"
msgstr ""
-"Можам да го подесам вашиот компјутер автоматски да логира еден корисник."
+"Нема слободен простор за bootstrap од 1МБ! Инсталацијата ќе продолжи, но за "
+"да го подигнете Вашиот систем, ќе треба да креирате bootstrap партиција во "
+"DiskDrake"
-#: ../../standalone/harddrake2:1
+#: install_steps_interactive.pm:325
#, c-format
-msgid "Floppy format"
-msgstr "Формат на дискета"
+msgid "Choose the partitions you want to format"
+msgstr "Изберете ги партициите за форматирање"
-#: ../../standalone/drakfont:1
+#: install_steps_interactive.pm:327
#, c-format
-msgid "Generic Printers"
-msgstr "Генерички Принтери"
+msgid "Check bad blocks?"
+msgstr "Проверка на лоши блокови?"
-#: ../../printer/printerdrake.pm:1
+#: install_steps_interactive.pm:359
#, c-format
msgid ""
-"Please choose the printer to which the print jobs should go or enter a "
-"device name/file name in the input line"
+"Failed to check filesystem %s. Do you want to repair the errors? (beware, "
+"you can lose data)"
msgstr ""
-"Ве молиме изберете го принтерот на кој што треба да се зададат принтерските "
-"задачи или внесете име на уредот/име на датотеката во влезната линија"
+"Неуспешна проверка на фајлсистемот %s. Сакате ли да ги поправите грешките? "
+"(внимавајте, може да изгубите податоци)"
-#: ../../standalone/scannerdrake:1
+#: install_steps_interactive.pm:362
#, c-format
-msgid "The scanners on this machine are available to other computers"
-msgstr "Скенерите на оваа машина се достапни и на други компјутери"
+msgid "Not enough swap space to fulfill installation, please add some"
+msgstr ""
+"Нема доволно swap простор за завршување на инсталацијата; додадете малку"
-#: ../../any.pm:1
+#: install_steps_interactive.pm:369
#, c-format
-msgid "First sector of the root partition"
-msgstr "Првиот сектор на root партицијата"
+msgid "Looking for available packages and rebuilding rpm database..."
+msgstr "Барање достапни пакети и повторно градење на rpm базата..."
-#: ../../standalone/harddrake2:1
+#: install_steps_interactive.pm:370 install_steps_interactive.pm:389
#, c-format
-msgid "Alternative drivers"
-msgstr "Алтернативни драјвери"
+msgid "Looking for available packages..."
+msgstr "Барање достапни пакети..."
+
+#: install_steps_interactive.pm:373
+#, c-format
+msgid "Looking at packages already installed..."
+msgstr "Барање пакети што се веќе инсталирањен..."
-#: ../../standalone/drakbackup:1
+#: install_steps_interactive.pm:377
+#, c-format
+msgid "Finding packages to upgrade..."
+msgstr "Барање пакети за надградба..."
+
+#: install_steps_interactive.pm:398
#, c-format
msgid ""
-"\n"
-"Please check all options that you need.\n"
+"Your system does not have enough space left for installation or upgrade (%d "
+"> %d)"
msgstr ""
-"\n"
-"Ве молиме обележете ги сите опции што ви требаат.\n"
+"Вашиот систем нема доволно простор за инсталација или надградба (%d > %d)"
-#: ../../any.pm:1
+#: install_steps_interactive.pm:439
#, c-format
-msgid "Initrd"
-msgstr "Initrd"
+msgid ""
+"Please choose load or save package selection on floppy.\n"
+"The format is the same as auto_install generated floppies."
+msgstr ""
+"Изберете дали да ја вчитате или зачувате селекцијата на\n"
+"пакети на дискета. Форматот е ист како за дискети генерирани\n"
+"од auto_install."
-#: ../../lang.pm:1
+#: install_steps_interactive.pm:441
#, c-format
-msgid "Cape Verde"
-msgstr "Cape Verde"
+msgid "Load from floppy"
+msgstr "Вчитај од дискета"
-#: ../../standalone/harddrake2:1
+#: install_steps_interactive.pm:441
#, c-format
-msgid "whether this cpu has the Cyrix 6x86 Coma bug"
-msgstr "дали овој процесор го има Cyrix 6x86 Coma багот"
+msgid "Save on floppy"
+msgstr "Зачувај на дискета"
-#: ../../standalone/printerdrake:1
+#: install_steps_interactive.pm:445
#, c-format
-msgid "Loading printer configuration... Please wait"
-msgstr "Вчитување на конфигурацијата на принтерот... Молам почекајте"
+msgid "Package selection"
+msgstr "Селекција на пакети"
-#: ../../standalone/harddrake2:1
+#: install_steps_interactive.pm:445
#, c-format
-msgid "early pentiums were buggy and freezed when decoding the F00F bytecode"
-msgstr ""
-"поранешните пентиуми беа со грешка и замрзнуваа при декодирање на F00F "
-"бајткод"
+msgid "Loading from floppy"
+msgstr "Вчитување од дискета"
-#: ../../lang.pm:1
+#: install_steps_interactive.pm:450
#, c-format
-msgid "Guam"
-msgstr "Гуам"
+msgid "Insert a floppy containing package selection"
+msgstr "Внесете дискета што содржи селекција на пакети"
-#: ../../printer/printerdrake.pm:1
+#: install_steps_interactive.pm:533
#, c-format
msgid ""
-"Please choose the port that your printer is connected to or enter a device "
-"name/file name in the input line"
+"Due to incompatibilities of the 2.6 series kernel with the LSB runtime\n"
+"tests, the 2.4 series kernel will be installed as the default to insure\n"
+"compliance under the \"LSB\" group selection."
msgstr ""
-"Ве молиме изберете порта на која е приклучен вашиот принтер или внесете име "
-"на уред/име на датотека во линијата за внес"
-#: ../../standalone/logdrake:1
+#: install_steps_interactive.pm:540
#, c-format
-msgid "/Options/Test"
-msgstr "/Опции/Тест"
+msgid "Selected size is larger than available space"
+msgstr "Избраната големина е поголема од слободниот простор"
-#: ../../security/level.pm:1
+#: install_steps_interactive.pm:555
+#, c-format
+msgid "Type of install"
+msgstr "Вид на инсталација"
+
+#: install_steps_interactive.pm:556
#, c-format
msgid ""
-"This level is to be used with care. It makes your system more easy to use,\n"
-"but very sensitive. It must not be used for a machine connected to others\n"
-"or to the Internet. There is no password access."
+"You haven't selected any group of packages.\n"
+"Please choose the minimal installation you want:"
msgstr ""
-"Ова ниво треба да се користи внимателно. Со него системот полесно\n"
-"се користи, но е многу чувствителен. Не смее да се користи за машини\n"
-"поврзани со други, или на Интернет. Не постои пристап со лозинки."
+"Не сте избрале ниту една група пакети.\n"
+"Изберете ја минималната инсталација што ја сакате:"
-#: ../../fs.pm:1
+#: install_steps_interactive.pm:560
#, c-format
-msgid "Mounting partition %s"
-msgstr "Монтирање на партицијата %s"
+msgid "With basic documentation (recommended!)"
+msgstr "Со основна документација (препорачано!)"
-#: ../../any.pm:1 ../../help.pm:1 ../../printer/printerdrake.pm:1
+#: install_steps_interactive.pm:561
#, c-format
-msgid "User name"
-msgstr "Корисничко име"
+msgid "Truly minimal install (especially no urpmi)"
+msgstr "Вистински минимална инсталација (без urpmi)"
-#: ../../standalone/drakbug:1
+#: install_steps_interactive.pm:604 standalone/drakxtv:53
#, c-format
-msgid "Userdrake"
-msgstr "Userdrake"
+msgid "All"
+msgstr "Сите"
-#: ../../install_interactive.pm:1
+#: install_steps_interactive.pm:648
#, c-format
-msgid "Which partition do you want to use for Linux4Win?"
-msgstr "Која партиција сакате да ја користите за Linux4Win?"
+msgid ""
+"If you have all the CDs in the list below, click Ok.\n"
+"If you have none of those CDs, click Cancel.\n"
+"If only some CDs are missing, unselect them, then click Ok."
+msgstr ""
+"Ако ги имате сите цедиња од долнава листа, притиснете Во ред.\n"
+"Ако немате ниту едно од нив, притиснете Откажи.\n"
+"Ако недостигаат само некои, деселектирајте ги и притиснете Во ред."
-#: ../../install_steps_gtk.pm:1
-#, fuzzy, c-format
-msgid "due to missing %s"
-msgstr "недостига kdesu"
+#: install_steps_interactive.pm:653
+#, c-format
+msgid "Cd-Rom labeled \"%s\""
+msgstr "Цеде со наслов \"%s\""
-#: ../../printer/printerdrake.pm:1
+#: install_steps_interactive.pm:673
#, c-format
-msgid "Test pages"
-msgstr "Тест страни"
+msgid "Preparing installation"
+msgstr "Подготовка за инсталацијата"
-#: ../../diskdrake/interactive.pm:1
+#: install_steps_interactive.pm:682
#, c-format
-msgid "Logical volume name "
-msgstr "Име на логичка партиција "
+msgid ""
+"Installing package %s\n"
+"%d%%"
+msgstr ""
+"Инсталирање на пакетот %s\n"
+"%d%%"
+
+#: install_steps_interactive.pm:728
+#, c-format
+msgid "Post-install configuration"
+msgstr "Пост-инсталациона конфигурација"
+
+#: install_steps_interactive.pm:734
+#, c-format
+msgid "Please insert the Boot floppy used in drive %s"
+msgstr "Внесете ја boot-дискетата во %s"
-#: ../../standalone/drakbackup:1
+#: install_steps_interactive.pm:740
#, c-format
+msgid "Please insert the Update Modules floppy in drive %s"
+msgstr "Внесете ја дискетата со модули за надградба во %s"
+
+#: install_steps_interactive.pm:761
+#, fuzzy, c-format
msgid ""
-"List of data to restore:\n"
+"You now have the opportunity to download updated packages. These packages\n"
+"have been updated after the distribution was released. They may\n"
+"contain security or bug fixes.\n"
+"\n"
+"To download these packages, you will need to have a working Internet \n"
+"connection.\n"
"\n"
+"Do you want to install the updates ?"
msgstr ""
-"Листа на податоци за повраќање:\n"
+"Имате можност да преземете надградени пакети. Овие пакети се издадени\n"
+"после издавањето на дистрибуцијата. Можно е да содржат поправки на\n"
+"багови или на безбедноста.\n"
"\n"
+"За преземање на овие пакети, ќе треба да имате функционална Интернет\n"
+"врска.\n"
+"\n"
+"Дали сакате да ги инсталирате надградбите ?"
-#: ../../fs.pm:1
+#: install_steps_interactive.pm:782
#, c-format
-msgid "Checking %s"
-msgstr "Проверка %s"
+msgid ""
+"Contacting Mandrake Linux web site to get the list of available mirrors..."
+msgstr ""
+"Контактирање со веб сајтот на Мандрак Линукс за добивање на листата на "
+"огледала..."
-#: ../../printer/printerdrake.pm:1
+#: install_steps_interactive.pm:786
#, c-format
-msgid "TCP/Socket Printer Options"
-msgstr "TCP/Socket Принтерски Опции"
+msgid "Choose a mirror from which to get the packages"
+msgstr "Изберете огледало од кое да се преземат пакетите"
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: install_steps_interactive.pm:800
#, c-format
-msgid "Card mem (DMA)"
-msgstr "Мемориска картичка (DMA)"
+msgid "Contacting the mirror to get the list of available packages..."
+msgstr "Контактирање со огледалото за добивање листа на достапни пакети..."
-#: ../../standalone/net_monitor:1
+#: install_steps_interactive.pm:804
#, c-format
-msgid "Disconnecting from Internet "
-msgstr "Отповрзување од Интернет"
+msgid "Unable to contact mirror %s"
+msgstr "Не можеше да контактира со другиот %s"
-#: ../../crypto.pm:1 ../../lang.pm:1 ../../network/tools.pm:1
+#: install_steps_interactive.pm:804
#, c-format
-msgid "France"
-msgstr "Франција"
+msgid "Would you like to try again?"
+msgstr "Дали сакате да пробате пак?"
-#: ../../standalone/drakperm:1
+#: install_steps_interactive.pm:830 standalone/drakclock:42
#, c-format
-msgid "browse"
-msgstr "разгледај"
+msgid "Which is your timezone?"
+msgstr "Кој е Вашата временска зона?"
-#: ../../printer/printerdrake.pm:1
+#: install_steps_interactive.pm:835
#, c-format
-msgid "Checking installed software..."
-msgstr "Проверка на инсталиран софтвер..."
+msgid "Automatic time synchronization (using NTP)"
+msgstr "Автоматска синхронизација на време (преку NTP)"
-#: ../../printer/printerdrake.pm:1
+#: install_steps_interactive.pm:843
#, c-format
-msgid "Remote printer name missing!"
-msgstr "Недостига име на оддалечен принтер!"
+msgid "NTP Server"
+msgstr "NTP сервер"
-#: ../../printer/printerdrake.pm:1
+#: install_steps_interactive.pm:885 steps.pm:30
#, c-format
-msgid "Do you want to enable printing on printers in the local network?\n"
-msgstr "Дали сакате да овозможите печатење на принтери во локалната мрежа?\n"
+msgid "Summary"
+msgstr "Резултати"
-#: ../../lang.pm:1
+#: install_steps_interactive.pm:898 install_steps_interactive.pm:906
+#: install_steps_interactive.pm:920 install_steps_interactive.pm:927
+#: install_steps_interactive.pm:1076 services.pm:135
+#: standalone/drakbackup:1937
#, c-format
-msgid "Turkey"
-msgstr "Турција"
+msgid "System"
+msgstr "Систем"
-#: ../../network/adsl.pm:1
+#: install_steps_interactive.pm:934 install_steps_interactive.pm:961
+#: install_steps_interactive.pm:978 install_steps_interactive.pm:994
+#: install_steps_interactive.pm:1005
#, c-format
-msgid "Alcatel speedtouch usb"
-msgstr "Alcatel speedtouch usb"
+msgid "Hardware"
+msgstr "Хардвер(машински дел)"
-#: ../../standalone/harddrake2:1
+#: install_steps_interactive.pm:940 install_steps_interactive.pm:949
#, c-format
-msgid "Number of buttons"
-msgstr "Број на копчиња"
+msgid "Remote CUPS server"
+msgstr "Далечински CUPS сервер"
-#: ../../keyboard.pm:1
+#: install_steps_interactive.pm:940
#, c-format
-msgid "Vietnamese \"numeric row\" QWERTY"
-msgstr "Виетнамска QWERTY \"бројки\""
+msgid "No printer"
+msgstr "Нема принтер"
-#: ../../standalone/harddrake2:1
+#: install_steps_interactive.pm:982
#, c-format
-msgid "Module"
-msgstr "Модул"
+msgid "Do you have an ISA sound card?"
+msgstr "Дали имате ISA звучна картичка?"
-#: ../../printer/printerdrake.pm:1
+#: install_steps_interactive.pm:984
#, c-format
-msgid ""
-"In addition, queues not created with this program or \"foomatic-configure\" "
-"cannot be transferred."
+msgid "Run \"sndconfig\" after installation to configure your sound card"
msgstr ""
+"За да ја конфигурирате картичката, по инсталацијата извршете \"sndconfig\" "
-#: ../../install_steps_interactive.pm:1
+#: install_steps_interactive.pm:986
#, c-format
-msgid "Hardware"
-msgstr "Хардвер(машински дел)"
+msgid "No sound card detected. Try \"harddrake\" after installation"
+msgstr ""
+"Не е детектирана звучна картичка. Обидете се со \"harddrake\" по "
+"инсталацијата"
-#: ../../keyboard.pm:1
+#: install_steps_interactive.pm:1006
#, c-format
-msgid "Ctrl and Alt keys simultaneously"
-msgstr "Ctrl и Alt истовремено"
+msgid "Graphical interface"
+msgstr "Графички интерфејс"
-#: ../../crypto.pm:1 ../../lang.pm:1 ../../network/tools.pm:1
-#, c-format
-msgid "United States"
-msgstr "САД"
+#: install_steps_interactive.pm:1012 install_steps_interactive.pm:1027
+#, fuzzy, c-format
+msgid "Network & Internet"
+msgstr "Мрежа & Интернет"
-#: ../../security/l10n.pm:1
-#, c-format
-msgid "User umask"
-msgstr "Кориснички umask"
+#: install_steps_interactive.pm:1028
+#, fuzzy, c-format
+msgid "Proxies"
+msgstr "Профил "
-#: ../../any.pm:1
-#, c-format
-msgid "Default OS?"
-msgstr "Прв OS?"
+#: install_steps_interactive.pm:1029
+#, fuzzy, c-format
+msgid "configured"
+msgstr "реконфигурирај"
-#: ../../keyboard.pm:1
+#: install_steps_interactive.pm:1038 install_steps_interactive.pm:1052
+#: steps.pm:20
#, c-format
-msgid "Swiss (German layout)"
-msgstr "Швајцарска (германски распоред)"
+msgid "Security"
+msgstr "Безбедност"
-#: ../../Xconfig/card.pm:1
+#: install_steps_interactive.pm:1057
#, c-format
-msgid "Configure all heads independently"
-msgstr "Поодделна конфигурација на секоја глава"
+msgid "activated"
+msgstr "активиран"
-#: ../../printer/printerdrake.pm:1
+#: install_steps_interactive.pm:1057
#, c-format
-msgid ""
-"Please choose the printer you want to set up. The configuration of the "
-"printer will work fully automatically. If your printer was not correctly "
-"detected or if you prefer a customized printer configuration, turn on "
-"\"Manual configuration\"."
-msgstr ""
-"Ве молиме изберете го принтерот кој сакате да го подесите. Конфигурацијата "
-"на принтерот ќе работи целосно автоматски. Ако вашиот принтер не е правилно "
-"пронајден или пак преферирате сопствена конфигурација на принтерот, вклучете"
-"\"Рачна конфигурација\"."
+msgid "disabled"
+msgstr "оневозможено"
+
+#: install_steps_interactive.pm:1066
+#, fuzzy, c-format
+msgid "Boot"
+msgstr "Root"
-#: ../../install_steps_interactive.pm:1
+#. -PO: example: lilo-graphic on /dev/hda1
+#: install_steps_interactive.pm:1070
+#, fuzzy, c-format
+msgid "%s on %s"
+msgstr "Вклучено s"
+
+#: install_steps_interactive.pm:1081 services.pm:177
#, c-format
-msgid "NTP Server"
-msgstr "NTP сервер"
+msgid "Services: %d activated for %d registered"
+msgstr "Сервисите: %d активирани за %d регистрирани"
-#: ../../security/l10n.pm:1
+#: install_steps_interactive.pm:1091
#, c-format
-msgid "Sulogin(8) in single user level"
-msgstr "Sulogin(8) во ниво на еден корисник"
+msgid "You have not configured X. Are you sure you really want this?"
+msgstr "Се уште го ш конфигурирано Х. Дали навистина сакаш да го направиш ова?"
+
+#: install_steps_interactive.pm:1149
+#, fuzzy, c-format
+msgid "Set root password and network authentication methods"
+msgstr "Користи лозинка за логирање корисници"
-#: ../../install_steps_gtk.pm:1
+#: install_steps_interactive.pm:1150
#, c-format
-msgid "Load/Save on floppy"
-msgstr "Вчитај/зачувај од/на дискета"
+msgid "Set root password"
+msgstr "Поставка на лозинка за root"
-#: ../../standalone/draksplash:1
+#: install_steps_interactive.pm:1160
#, c-format
-msgid "This theme does not yet have a bootsplash in %s !"
-msgstr "оваа тема се уште нема подигачки екран во %s !"
+msgid "This password is too short (it must be at least %d characters long)"
+msgstr "Оваа лозинка е прекратка (мора да има должина од барем %d знаци)"
-#: ../../pkgs.pm:1
+#: install_steps_interactive.pm:1165 network/netconnect.pm:492
+#: standalone/drakauth:26 standalone/drakconnect:428
+#: standalone/drakconnect:917
#, c-format
-msgid "nice"
-msgstr "убаво"
+msgid "Authentication"
+msgstr "Автентикација"
-#: ../../Xconfig/test.pm:1
+#: install_steps_interactive.pm:1196
#, c-format
-msgid "Leaving in %d seconds"
-msgstr "Напушта за %d секунди"
+msgid "Preparing bootloader..."
+msgstr "Подговтвување на подигачот..."
-#: ../../network/modem.pm:1
+#: install_steps_interactive.pm:1206
#, c-format
-msgid "Please choose which serial port your modem is connected to."
-msgstr "Изберете на која сериска порта е поврзан Вашиот модем."
+msgid ""
+"You appear to have an OldWorld or Unknown\n"
+" machine, the yaboot bootloader will not work for you.\n"
+"The install will continue, but you'll\n"
+" need to use BootX or some other means to boot your machine"
+msgstr ""
+"Изгледа дека имате OldWordk или непозната машина,\n"
+" па yaboot подигачот за Вас нема да работи.\n"
+"Инсталацијата ќе продолжи, но ќе треба да користите\n"
+" BootX или некои други средства за да ја подигнете Вашата машина"
-#: ../../standalone/drakperm:1
+#: install_steps_interactive.pm:1212
#, c-format
-msgid "Property"
-msgstr "Својство"
+msgid "Do you want to use aboot?"
+msgstr "Дали сакате да го користите aboot?"
-#: ../../standalone/drakfont:1
+#: install_steps_interactive.pm:1215
#, c-format
-msgid "Ghostscript"
-msgstr "Ghostscript"
+msgid ""
+"Error installing aboot, \n"
+"try to force installation even if that destroys the first partition?"
+msgstr ""
+"Грешка при инсталирање aboot. \n"
+"Да се обидеме со сила, иако тоа може да ја уништи првата партиција?"
-#: ../../standalone/drakconnect:1
+#: install_steps_interactive.pm:1226
#, c-format
-msgid "LAN Configuration"
-msgstr "Конфигурација на LAN"
+msgid "Installing bootloader"
+msgstr "Инсталирање на подигачот"
-#: ../../lang.pm:1
+#: install_steps_interactive.pm:1233
#, c-format
-msgid "Ghana"
-msgstr "Гана"
+msgid "Installation of bootloader failed. The following error occured:"
+msgstr "Инсталирањето на подигач не успеа. Се случи следнава грешка:"
-#: ../../standalone/drakbackup:1
+#: install_steps_interactive.pm:1238
#, c-format
-msgid "Path or Module required"
-msgstr "Потребно е Патека или Модул"
+msgid ""
+"You may need to change your Open Firmware boot-device to\n"
+" enable the bootloader. If you don't see the bootloader prompt at\n"
+" reboot, hold down Command-Option-O-F at reboot and enter:\n"
+" setenv boot-device %s,\\\\:tbxi\n"
+" Then type: shut-down\n"
+"At your next boot you should see the bootloader prompt."
+msgstr ""
+"Може да треба да го промените OpenFirmware уредот за подигање,\n"
+" за да го овозможите подигачот. Ако не го видите промптот на подигачот\n"
+" по рестартување на компјутерот, при подигање држете ги копчињата\n"
+" Command-Option-O-F и внесете:\n"
+" setenv boot-device %s,\\\\:tbxi\n"
+" Потоа внесете: shut-down\n"
+"При следновот подигање би требало да го видите промптот за подигање."
-#: ../../standalone/drakfont:1
+#: install_steps_interactive.pm:1251
#, c-format
-msgid "Advanced Options"
-msgstr "Напредни Опции"
+msgid ""
+"In this security level, access to the files in the Windows partition is "
+"restricted to the administrator."
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: install_steps_interactive.pm:1283 standalone/drakautoinst:75
#, c-format
-msgid "View Configuration"
-msgstr "Види Конфигурација"
+msgid "Insert a blank floppy in drive %s"
+msgstr "Внесете празна дискета во %s"
-#: ../../standalone/harddrake2:1
+#: install_steps_interactive.pm:1287
#, c-format
-msgid "Coma bug"
-msgstr "Coma баг"
+msgid "Creating auto install floppy..."
+msgstr "Создавање дискета за авто-инсталација..."
-#: ../../help.pm:1
+#: install_steps_interactive.pm:1298
#, c-format
msgid ""
-"At this point, you need to choose which partition(s) will be used for the\n"
-"installation of your Mandrake Linux system. If partitions have already been\n"
-"defined, either from a previous installation of GNU/Linux or by another\n"
-"partitioning tool, you can use existing partitions. Otherwise, hard drive\n"
-"partitions must be defined.\n"
-"\n"
-"To create partitions, you must first select a hard drive. You can select\n"
-"the disk for partitioning by clicking on ``hda'' for the first IDE drive,\n"
-"``hdb'' for the second, ``sda'' for the first SCSI drive and so on.\n"
-"\n"
-"To partition the selected hard drive, you can use these options:\n"
-"\n"
-" * \"%s\": this option deletes all partitions on the selected hard drive\n"
-"\n"
-" * \"%s\": this option enables you to automatically create ext3 and swap\n"
-"partitions in the free space of your hard drive\n"
-"\n"
-"\"%s\": gives access to additional features:\n"
-"\n"
-" * \"%s\": saves the partition table to a floppy. Useful for later\n"
-"partition-table recovery if necessary. It is strongly recommended that you\n"
-"perform this step.\n"
-"\n"
-" * \"%s\": allows you to restore a previously saved partition table from a\n"
-"floppy disk.\n"
-"\n"
-" * \"%s\": if your partition table is damaged, you can try to recover it\n"
-"using this option. Please be careful and remember that it doesn't always\n"
-"work.\n"
-"\n"
-" * \"%s\": discards all changes and reloads the partition table that was\n"
-"originally on the hard drive.\n"
-"\n"
-" * \"%s\": unchecking this option will force users to manually mount and\n"
-"unmount removable media such as floppies and CD-ROMs.\n"
-"\n"
-" * \"%s\": use this option if you wish to use a wizard to partition your\n"
-"hard drive. This is recommended if you do not have a good understanding of\n"
-"partitioning.\n"
-"\n"
-" * \"%s\": use this option to cancel your changes.\n"
-"\n"
-" * \"%s\": allows additional actions on partitions (type, options, format)\n"
-"and gives more information about the hard drive.\n"
-"\n"
-" * \"%s\": when you are finished partitioning your hard drive, this will\n"
-"save your changes back to disk.\n"
-"\n"
-"When defining the size of a partition, you can finely set the partition\n"
-"size by using the Arrow keys of your keyboard.\n"
-"\n"
-"Note: you can reach any option using the keyboard. Navigate through the\n"
-"partitions using [Tab] and the [Up/Down] arrows.\n"
-"\n"
-"When a partition is selected, you can use:\n"
-"\n"
-" * Ctrl-c to create a new partition (when an empty partition is selected)\n"
-"\n"
-" * Ctrl-d to delete a partition\n"
-"\n"
-" * Ctrl-m to set the mount point\n"
-"\n"
-"To get information about the different file system types available, please\n"
-"read the ext2FS chapter from the ``Reference Manual''.\n"
+"Some steps are not completed.\n"
"\n"
-"If you are installing on a PPC machine, you will want to create a small HFS\n"
-"``bootstrap'' partition of at least 1MB which will be used by the yaboot\n"
-"bootloader. If you opt to make the partition a bit larger, say 50MB, you\n"
-"may find it a useful place to store a spare kernel and ramdisk images for\n"
-"emergency boot situations."
+"Do you really want to quit now?"
msgstr ""
-"Во овој момент треба да изберете ко(и)ја партици(ја)и ќе ја користите за\n"
-"инсталација на Мандрак Линукс Ситемот. Ако партициите се веќе дефинирани,\n"
-"од претходна инсталација на GNU/Линукс или од друга алатка за партицирање\n"
-"можете да ги користите веќе постоечките партиции. Во спротивно партициите\n"
-"на хард дискот морат да бидат дефинирани.\n"
-"\n"
-"За да создадете партиции најпрво треба да изберете хард диск. Можете да го\n"
-"изберете дискот за партицирање со притискање на ``hda'' за првиот IDE уред\n"
-"``hdb'' за вториот, ``sda'' за првиот SCSI уред итн.\n"
-"\n"
-"За да го партицирате избраниот хард диск, можете да ги користите овие "
-"опции:\n"
-"\n"
-" * \"%s\": оваа опција опција ги брише Сите партиции на избраниот хард диск\n"
-"\n"
-" * \"%s\": оваа опција ви овозможува автоматски да создадете ext3 и swap\n"
-"партиции во слободниот простор од вашиот хард диск\n"
-"\n"
-"\"%s\": ви дава пристап до додатни карактеристики: \n"
-"\n"
-" * \"%s\": ја зачувува партициската табела на дискета. Корисно за\n"
-"понатамошно враќање на партициската табела, ако е потребно. Строго се\n"
-"препорачува да го изведете овој чекор.\n"
-"\n"
-" * \"%s\": ви овозможува да повратите претходно зачувана партициска табела\n"
-"од дискета.\n"
-"\n"
-" * \"%s\": ако вашата партициска табела е оштетена, со користење на оваа\n"
-"опција можете да се обидете да ја повратите. Ве молиме бидете внимателни\n"
-"и запомтете дека ова не успева секогаш.\n"
-"\n"
-" * \"%s\": ги отфрла сите промени и ја превчитува партициската табела\n"
-"која е претходно постоела на хард дискот.\n"
-"\n"
-" * \"%s\": со одштиклирање на оваа опција ќе ги пресили корисниците рачно\n"
-"да ги монтираат и одмонтираат заменливите медиуми како што се дискетите и "
-"цедињата.\n"
-"\n"
-" * \"%s\": изберете ја оваа опција ако сакате да користите волшебник за\n"
-"партицирање на вашиот хард диск. Ова е препорачано ако немате добро\n"
-"добро познавање за партицирањето.\n"
-"\n"
-" * \"%s\": изберете ја оваа опција за да ги окажете вашите промени.\n"
-"\n"
-" * \"%s\": ви овозможува додатни .дејства на партициите (вид, опции, "
-"формат)\n"
-"и ви дава повеќе информации за хард дискот.\n"
-"\n"
-" * \"%s\": кога ќе завршите со партицирањето на хард дискот, ова ќе ги\n"
-"снима вашите промени на повторно дискот.\n"
-"\n"
-"Кога ја дефинирате големината на партицијата, конечната големина на "
-"партицијата\n"
-"можете да ја подесите преку [Tab] и [Горе/Долу] стрелките.\n"
-"\n"
-"Кога е избрана партиција можете да користите:\n"
-"\n"
-" * Ctrl-c да создадете нова партиција (кога е избрана празна партиција);\n"
-"\n"
-" * Ctrl-d да избришете партиција;\n"
-"\n"
-" * Ctrl-m да поставите точка на монтирање.\n"
-"\n"
-"За да добиете информации за различните типови фајлсистеми, прочитајте ја\n"
-"главата за ext2FS од ``Reference Manual''.\n"
+"Некои чекори не се завршени.\n"
"\n"
-"Ако инсталирате на PPC машина, ќе сакате да создадете мала HFS "
-"``bootstrap''\n"
-"партиција од барем 1МБ, која ќе се користи од подигачот yaboot. Ако сакате\n"
-"да ја направите партицијата малку поголема, на пример 50МБ, тоа може да "
-"биде\n"
-"корисно како место за чување резервен кернел и ramdisk-слики за итни случаи."
+"Дали навистина сакате сега да напуштите?"
+
+#: install_steps_interactive.pm:1313
+#, c-format
+msgid "Generate auto install floppy"
+msgstr "Генерирање дискета за авто-инсталација"
-#: ../../help.pm:1
+#: install_steps_interactive.pm:1315
#, c-format
msgid ""
-"Graphic Card\n"
-"\n"
-" The installer will normally automatically detect and configure the\n"
-"graphic card installed on your machine. If it is not the case, you can\n"
-"choose from this list the card you actually have installed.\n"
+"The auto install can be fully automated if wanted,\n"
+"in that case it will take over the hard drive!!\n"
+"(this is meant for installing on another box).\n"
"\n"
-" In the case that different servers are available for your card, with or\n"
-"without 3D acceleration, you are then asked to choose the server that best\n"
-"suits your needs."
+"You may prefer to replay the installation.\n"
msgstr ""
-"Графичка Карта\n"
-"\n"
-" Вообичаено Инсталерот автоматски ја пронаоѓа и конфигурира\n"
-"графичката карта инсталирана на вашата машина. Во спротивно можете\n"
-"да изберете од листава всушност која картичка ја имате инсталирано.\n"
+"Автоматската инсталација може да биде целосно автоматска,\n"
+"но во тој случај таа ќе го преземе дискот!!\n"
+"(ова е наменето за инсталирање на друга машина).\n"
"\n"
-" Во случај да се овозможени различни сервери за вашата картичка, со\n"
-"или без 3D забрзување, тогаш ве прашуваат да го изберете серверот кој\n"
-"најмногу одговара на вашите потреби."
+"Можеби претпочитате да ја репризирате (replay) инсталацијата.\n"
-#: ../../install_steps_gtk.pm:1 ../../install_steps_interactive.pm:1
+#: install_steps_newt.pm:20
#, c-format
-msgid "There was an error installing packages:"
-msgstr "Се случи грешка во инсталирањето на пакетите:"
+msgid "Mandrake Linux Installation %s"
+msgstr "Mandrake Linux Инсталација %s"
-#: ../../printer/printerdrake.pm:1
+#: install_steps_newt.pm:33
#, c-format
-msgid "Lexmark inkjet configuration"
-msgstr "Конфигурација на Lexmark inkjet"
+msgid ""
+" <Tab>/<Alt-Tab> between elements | <Space> selects | <F12> next screen "
+msgstr ""
+" <Tab>/<Alt-Tab> помеѓу елементи | <Space> избира | <F12> следен екран "
-#: ../../help.pm:1 ../../diskdrake/interactive.pm:1
+#: interactive.pm:170
#, c-format
-msgid "Undo"
-msgstr "Поврати"
+msgid "Choose a file"
+msgstr "Изберете датотека"
-#: ../../help.pm:1 ../../diskdrake/interactive.pm:1
+#: interactive.pm:372
#, c-format
-msgid "Save partition table"
-msgstr "Зачувај партициска табела"
+msgid "Basic"
+msgstr "Основно"
-#: ../../keyboard.pm:1
+#: interactive.pm:403 interactive/newt.pm:308 ugtk2.pm:509
#, c-format
-msgid "Finnish"
-msgstr "Фински"
+msgid "Finish"
+msgstr "Заврши"
+
+#: interactive/newt.pm:83
+#, fuzzy, c-format
+msgid "Do"
+msgstr "Надолу"
-#: ../../lang.pm:1
+#: interactive/stdio.pm:29 interactive/stdio.pm:148
#, c-format
-msgid "Macedonia"
-msgstr "Македонија"
+msgid "Bad choice, try again\n"
+msgstr "Лош избор, обидете се повторно\n"
+
+#: interactive/stdio.pm:30 interactive/stdio.pm:149
+#, c-format
+msgid "Your choice? (default %s) "
+msgstr "Вашиот избор? (%s е стандардно)"
-#: ../../any.pm:1
+#: interactive/stdio.pm:54
#, c-format
msgid ""
-"The per-user sharing uses the group \"fileshare\". \n"
-"You can use userdrake to add a user to this group."
+"Entries you'll have to fill:\n"
+"%s"
msgstr ""
-"Споделување по корисник ја користи групата \"fileshare\". \n"
-"Можете да го користите userdrake за да додадете корисник во оваа група."
+"Ставки што мора да ги пополните:\n"
+"%s"
-#: ../../keyboard.pm:1
+#: interactive/stdio.pm:70
#, c-format
-msgid "Slovenian"
-msgstr "Словенски"
+msgid "Your choice? (0/1, default `%s') "
+msgstr "Вашиот избор? (0/1, \"%s\" е стандарден)"
-#: ../../security/help.pm:1
+#: interactive/stdio.pm:94
#, c-format
-msgid ""
-"Authorize:\n"
-"\n"
-"- all services controlled by tcp_wrappers (see hosts.deny(5) man page) if "
-"set to \"ALL\",\n"
-"\n"
-"- only local ones if set to \"LOCAL\"\n"
-"\n"
-"- none if set to \"NONE\".\n"
-"\n"
-"To authorize the services you need, use /etc/hosts.allow (see hosts.allow"
-"(5))."
-msgstr ""
-"Овласти:\n"
-"\n"
-"- сите сервиси контолирани од tcp_wrappers (види hosts.deny(5) во "
-"прирачникот) if наместено на \"СИТЕ\",\n"
-"\n"
-"- го поседуваат само локалните ако е подесено на \"ЛОКАЛНО\"\n"
-"\n"
-"- никој ако е подесено на \"НИКОЈ\".\n"
-"\n"
-"За да ги овластите сервисите кои ви требаат, користите /etc/hosts.allow "
-"(види hosts.allow(5))."
+msgid "Button `%s': %s"
+msgstr "Копче `%s': %s"
-#: ../../lang.pm:1
+#: interactive/stdio.pm:95
#, c-format
-msgid "Libya"
-msgstr "Либија"
+msgid "Do you want to click on this button?"
+msgstr "Дали сакате да го притиснете ова копче?"
-#: ../../standalone/drakgw:1
+#: interactive/stdio.pm:104
#, c-format
-msgid "Configuring scripts, installing software, starting servers..."
-msgstr ""
-"Конфигурирање на скрипти, инсталирање на софтвер(програмски дел),стартување "
-"на серверите..."
+msgid "Your choice? (default `%s'%s) "
+msgstr "Вашиот избор? ('%s'%s е стандарден)"
-#: ../../printer/printerdrake.pm:1
+#: interactive/stdio.pm:104
#, c-format
-msgid "Printer on parallel port #%s"
-msgstr "Печатач на паралелна порта #%s"
+msgid " enter `void' for void entry"
+msgstr " внесете `void' за void (празна) ставка"
+
+#: interactive/stdio.pm:122
+#, c-format
+msgid "=> There are many things to choose from (%s).\n"
+msgstr "=> Постојат многу работи за избирање од (%s).\n"
-#: ../../standalone/drakbackup:1
+#: interactive/stdio.pm:125
#, c-format
msgid ""
-"\n"
-"- Burn to CD"
+"Please choose the first number of the 10-range you wish to edit,\n"
+"or just hit Enter to proceed.\n"
+"Your choice? "
msgstr ""
-"\n"
-"- Запипи на CD"
+"Изберете го првиот број од рангот од 10, кој сакате да го уредите,\n"
+"или едноставно притиснете Ентер за понатаму.\n"
+"Вашиот избор?"
-#: ../../any.pm:1
+#: interactive/stdio.pm:138
#, c-format
-msgid "Table"
-msgstr "Табела"
+msgid ""
+"=> Notice, a label changed:\n"
+"%s"
+msgstr ""
+"=> Забележете дека се промени:\n"
+"%s"
-#: ../../fs.pm:1
+#: interactive/stdio.pm:145
#, c-format
-msgid "I don't know how to format %s in type %s"
-msgstr "Не знам како да го форматирам %s во тип %s"
+msgid "Re-submit"
+msgstr "Пре-прати"
-#: ../../standalone/harddrake2:1 ../../standalone/printerdrake:1
+#: keyboard.pm:137 keyboard.pm:169
#, c-format
-msgid "Model"
-msgstr "Модел"
+msgid "Czech (QWERTZ)"
+msgstr "Чешка (QWERTZ)"
-#: ../../printer/main.pm:1 ../../printer/printerdrake.pm:1
+#: keyboard.pm:138 keyboard.pm:171
#, c-format
-msgid "USB printer #%s"
-msgstr "USB принтер #%s"
+msgid "German"
+msgstr "Германска"
-#: ../../standalone/drakTermServ:1
+#: keyboard.pm:139
#, c-format
-msgid "Stop Server"
-msgstr "Стопирај го серверот"
+msgid "Dvorak"
+msgstr "Дворак"
-#: ../../standalone/drakboot:1
+#: keyboard.pm:140 keyboard.pm:179
#, c-format
-msgid ""
-"\n"
-"Select the theme for\n"
-"lilo and bootsplash,\n"
-"you can choose\n"
-"them separately"
-msgstr ""
-"\n"
-"Изберете тема за\n"
-"lilo и bootsplash.\n"
-"Можете да ги изберете\n"
-"поодделно"
+msgid "Spanish"
+msgstr "Шпанска"
-#: ../../harddrake/data.pm:1
+#: keyboard.pm:141 keyboard.pm:180
#, c-format
-msgid "Modem"
-msgstr "Модем"
+msgid "Finnish"
+msgstr "Фински"
-#: ../../lang.pm:1
+#: keyboard.pm:142 keyboard.pm:181
#, c-format
-msgid "Tuvalu"
-msgstr "Тувалу"
+msgid "French"
+msgstr "Француска"
-#: ../../help.pm:1 ../../network/netconnect.pm:1
+#: keyboard.pm:143 keyboard.pm:217
#, c-format
-msgid "Use auto detection"
-msgstr "Користи авто-откривање"
+msgid "Norwegian"
+msgstr "Норвешка"
-#: ../../services.pm:1
+#: keyboard.pm:144
#, c-format
-msgid ""
-"GPM adds mouse support to text-based Linux applications such the\n"
-"Midnight Commander. It also allows mouse-based console cut-and-paste "
-"operations,\n"
-"and includes support for pop-up menus on the console."
-msgstr ""
-"GPM додава подрашка за глушецот на Линукс текстуално-базираните апликации, \n"
-"како на пр. Midnight Commander. Исто така дозволува конзолни изечи-и-вметни\n"
-"операции со глушецот, и вклучува подршка за pop-up менија во конзолата."
+msgid "Polish"
+msgstr "Полска"
-#: ../../standalone/drakconnect:1
+#: keyboard.pm:145 keyboard.pm:226
#, c-format
-msgid "Started on boot"
-msgstr "Покренато при стартување"
+msgid "Russian"
+msgstr "Руска"
-#: ../advertising/12-mdkexpert.pl:1
+#: keyboard.pm:147 keyboard.pm:230
#, c-format
-msgid ""
-"Join the MandrakeSoft support teams and the Linux Community online to share "
-"your knowledge and help others by becoming a recognized Expert on the online "
-"technical support website:"
-msgstr ""
-"Приклучете се на MandrakeSoft тимовите за подршка и на Линукс заедницата да "
-"го делите вашето знаење онлајн и да им помогнете на другите така што ќе "
-"станете познат Експерт на онлајн веб сајтот за техничка подршка:"
+msgid "Swedish"
+msgstr "Шведска"
-#: ../../security/l10n.pm:1
+#: keyboard.pm:148 keyboard.pm:249
#, c-format
-msgid "No password aging for"
-msgstr "Нема стареење на лозинка за"
+msgid "UK keyboard"
+msgstr "UK тастатура"
-#: ../../standalone/draksec:1
+#: keyboard.pm:149 keyboard.pm:250
#, c-format
-msgid ""
-"The following options can be set to customize your\n"
-"system security. If you need an explanation, look at the help tooltip.\n"
-msgstr ""
-"Следниве опции можат да се подесат за да се преуреди\n"
-"вашата системска сигурност. Ако ви треба објаснување, видете во ПОМОШ за "
-"совет.\n"
+msgid "US keyboard"
+msgstr "US тастатура"
-#: ../../printer/printerdrake.pm:1
+#: keyboard.pm:151
#, c-format
-msgid "Automatically find available printers on remote machines"
-msgstr "Автоматски најди достапни принтери на оддалечени машини"
+msgid "Albanian"
+msgstr "Албанска"
-#: ../../lang.pm:1
+#: keyboard.pm:152
#, c-format
-msgid "East Timor"
-msgstr "Источен Тимор"
+msgid "Armenian (old)"
+msgstr "Ерменска (стара)"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "On Tape Device"
-msgstr "Вклучено"
+#: keyboard.pm:153
+#, c-format
+msgid "Armenian (typewriter)"
+msgstr "Ерменски (машина)"
-#: ../../standalone/drakbackup:1
+#: keyboard.pm:154
#, c-format
-msgid ""
-"\n"
-"- Save to Tape on device: %s"
-msgstr ""
-"\n"
-"- Зачувај на Лента на уредот: %s"
+msgid "Armenian (phonetic)"
+msgstr "Ерменска (фонетска)"
-#: ../../standalone/drakbackup:1
+#: keyboard.pm:155
#, c-format
-msgid "Login name"
-msgstr ""
+msgid "Arabic"
+msgstr "Арапски"
-#: ../../security/l10n.pm:1
+#: keyboard.pm:156
#, c-format
-msgid "Report unowned files"
-msgstr "Пријави непознати датотеки"
+msgid "Azerbaidjani (latin)"
+msgstr "Азербејџанска (латиница)"
-#: ../../standalone/drakconnect:1
+#: keyboard.pm:158
#, c-format
-msgid "Del profile..."
-msgstr "Избтиши профил..."
+msgid "Belgian"
+msgstr "Белгија"
-#: ../../printer/printerdrake.pm:1
+#: keyboard.pm:159
#, c-format
-msgid "Installing Foomatic..."
-msgstr "Инсталирање на Foomatic..."
+msgid "Bengali"
+msgstr "Бенгали"
-#: ../../standalone/XFdrake:1
+#: keyboard.pm:160
#, c-format
-msgid "Please log out and then use Ctrl-Alt-BackSpace"
-msgstr "Одлогирајте се и тогаш натиснете Ctrl-Alt-BackSpace"
+msgid "Bulgarian (phonetic)"
+msgstr "Бугарски (фонетски)"
-#: ../../network/netconnect.pm:1
+#: keyboard.pm:161
#, c-format
-msgid "detected"
-msgstr "откриено"
+msgid "Bulgarian (BDS)"
+msgstr "Бугарски (БДС)"
-#: ../../network/netconnect.pm:1
+#: keyboard.pm:162
#, c-format
-msgid "The network needs to be restarted. Do you want to restart it ?"
-msgstr "Мрежата треба да биде рестартирана. Дали сакате да ја рестартирате?"
+msgid "Brazilian (ABNT-2)"
+msgstr "Бразилска (ABNT-2)"
-#: ../../standalone/drakbug:1
+#: keyboard.pm:165
#, c-format
-msgid "Package: "
-msgstr "Пакет:"
+msgid "Bosnian"
+msgstr "Босанска"
-#: ../../standalone/drakboot:1
+#: keyboard.pm:166
#, c-format
-msgid "Can't write /etc/sysconfig/bootsplash."
-msgstr "Не можам да го запишам /etc/sysconfig/bootsplash."
+msgid "Belarusian"
+msgstr "Белоруска"
-#: ../../printer/printerdrake.pm:1
+#: keyboard.pm:167
#, c-format
-msgid "SECURITY WARNING!"
-msgstr "СИГУРНОСНО ВНИМАНИЕ!"
+msgid "Swiss (German layout)"
+msgstr "Швајцарска (германски распоред)"
-#: ../../standalone/drakfont:1
+#: keyboard.pm:168
#, c-format
-msgid "StarOffice"
-msgstr "StarOffice"
+msgid "Swiss (French layout)"
+msgstr "Швајцарија (француски распоред)"
-#: ../../standalone/drakboot:1
+#: keyboard.pm:170
#, c-format
-msgid "No, I don't want autologin"
-msgstr "Не, не сакам авто-најавување"
+msgid "Czech (QWERTY)"
+msgstr "Чешка (QWERTY)"
-#: ../../standalone/drakbug:1
+#: keyboard.pm:172
#, c-format
-msgid "Windows Migration tool"
-msgstr "Алатка за миграција на Прозорци"
+msgid "German (no dead keys)"
+msgstr "Германска (без мртви копчиња)"
-#: ../../any.pm:1 ../../help.pm:1
+#: keyboard.pm:173
#, c-format
-msgid "All languages"
-msgstr "Сите јазици"
+msgid "Devanagari"
+msgstr "Девангари"
-#: ../../diskdrake/interactive.pm:1
+#: keyboard.pm:174
#, c-format
-msgid "Removing %s"
-msgstr "Отстранување на %s"
+msgid "Danish"
+msgstr "Дански"
-#: ../../standalone/drakTermServ:1
+#: keyboard.pm:175
#, c-format
-msgid "%s not found...\n"
-msgstr "%s не е најдено...\n"
+msgid "Dvorak (US)"
+msgstr "Дворак (US)"
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: keyboard.pm:176
#, c-format
-msgid "Testing your connection..."
-msgstr "Тестирање на вашата конеција."
+msgid "Dvorak (Norwegian)"
+msgstr "Дворак (Норвешка)"
-#: ../../standalone/harddrake2:1
+#: keyboard.pm:177
#, c-format
-msgid "Cache size"
-msgstr "Големина на кешот"
+msgid "Dvorak (Swedish)"
+msgstr "Дворак (Шведска)"
-#: ../../security/level.pm:1
+#: keyboard.pm:178
#, c-format
-msgid ""
-"Passwords are now enabled, but use as a networked computer is still not "
-"recommended."
-msgstr ""
-"Лозинките се сега овозможени, но да се користење како мрежен компјутер "
-"сеуште не се препорачува."
+msgid "Estonian"
+msgstr "Естонски"
-#: ../../diskdrake/interactive.pm:1
+#: keyboard.pm:182
#, c-format
-msgid "Start sector: "
-msgstr "Почетен сектор: "
+msgid "Georgian (\"Russian\" layout)"
+msgstr "Georgian (руски распоред)"
-#: ../../lang.pm:1
+#: keyboard.pm:183
#, c-format
-msgid "Congo (Brazzaville)"
-msgstr "Конго(Бразавил)"
+msgid "Georgian (\"Latin\" layout)"
+msgstr "Georgian (латиничен распоред)"
-#: ../../standalone/drakperm:1
+#: keyboard.pm:184
#, c-format
-msgid "Read"
-msgstr "Читај"
+msgid "Greek"
+msgstr "Грчка"
-#: ../../any.pm:1 ../../install_any.pm:1 ../../standalone.pm:1
+#: keyboard.pm:185
#, c-format
-msgid "The package %s needs to be installed. Do you want to install it?"
-msgstr "Треба да се инсталира пакетот %s. Дали сакате да го инсталирате?"
+msgid "Greek (polytonic)"
+msgstr "Грчки (Политонски)"
-#: ../../lang.pm:1
+#: keyboard.pm:186
#, c-format
-msgid "Seychelles"
-msgstr "Сејшели"
+msgid "Gujarati"
+msgstr "Гујарати"
-#: ../../printer/printerdrake.pm:1
+#: keyboard.pm:187
#, c-format
-msgid ""
-"Printerdrake has compared the model name resulting from the printer auto-"
-"detection with the models listed in its printer database to find the best "
-"match. This choice can be wrong, especially when your printer is not listed "
-"at all in the database. So check whether the choice is correct and click "
-"\"The model is correct\" if so and if not, click \"Select model manually\" "
-"so that you can choose your printer model manually on the next screen.\n"
-"\n"
-"For your printer Printerdrake has found:\n"
-"\n"
-"%s"
-msgstr ""
-"Printerdrake го спореди името на моделот како резултат на принтерската авто-"
-"детекција со моделите излистани во принтерската база на податоци за да го "
-"пронајде оној најмногу што одговара. Изборот може да е погрешен, посебно "
-"кога вашиот принтер не е воопшто излистан во базата на податоци. Затоа "
-"проверете дали изборот е точен, и ако е така притиснете \"Моделот е точен\". "
-"Во спротивно притиснете \"Изберете го моделот рачно\" за да можете рачно да "
-"го изберете моделот на принтерот на наредниот екран.\n"
-"\n"
-"За вашиот принтер Printerdrake пронајде:\n"
-"\n"
-"%s"
+msgid "Gurmukhi"
+msgstr "Гурмуки"
-#: ../../standalone/drakbackup:1
+#: keyboard.pm:188
#, c-format
-msgid "Bad password on %s"
-msgstr "Лоша лозинка на %s"
+msgid "Hungarian"
+msgstr "Унгарска"
-#: ../../printer/printerdrake.pm:1
+#: keyboard.pm:189
#, c-format
-msgid ""
-"\n"
-"There is one unknown printer directly connected to your system"
-msgstr ""
-"\n"
-"Има еден непознат принтер директно поврзан на твојот систем"
+msgid "Croatian"
+msgstr "Хрватска"
-#: ../../keyboard.pm:1
+#: keyboard.pm:190
#, c-format
-msgid "Right Control key"
-msgstr "Десното Ctrl копче"
+msgid "Irish"
+msgstr ""
-#: ../../network/tools.pm:1
-#, fuzzy, c-format
-msgid ""
-"Insert a FAT formatted floppy in drive %s with %s in root directory and "
-"press %s"
-msgstr "Внесете FAT-форматирана дискета во %s"
+#: keyboard.pm:191
+#, c-format
+msgid "Israeli"
+msgstr "Израелски"
-#: ../../lang.pm:1
+#: keyboard.pm:192
#, c-format
-msgid "Zambia"
-msgstr "Замбија"
+msgid "Israeli (Phonetic)"
+msgstr "Израелски (фонетски)"
-#: ../../security/level.pm:1
+#: keyboard.pm:193
#, c-format
-msgid "Security Administrator (login or email)"
-msgstr "Безбедносен администратор (логин или e-mail)"
+msgid "Iranian"
+msgstr "Иранска"
-#: ../../standalone/drakgw:1
+#: keyboard.pm:194
#, c-format
-msgid "Sorry, we support only 2.4 kernels."
-msgstr "Жалам, ние подржуваме само 2.4 јадра."
+msgid "Icelandic"
+msgstr "Исландска"
-#: ../../keyboard.pm:1
+#: keyboard.pm:195
#, c-format
-msgid "Romanian (qwerty)"
-msgstr "Романска (qwerty)"
+msgid "Italian"
+msgstr "Италијански"
-#: ../../standalone/drakbackup:1
+#: keyboard.pm:196
#, c-format
-msgid "Under Devel ... please wait."
-msgstr "Во развој ... Ве молиме почекајте."
+msgid "Inuktitut"
+msgstr "Инуктитут"
-#: ../../lang.pm:1
+#: keyboard.pm:197
#, c-format
-msgid "Egypt"
-msgstr "Египет"
+msgid "Japanese 106 keys"
+msgstr "Јапонска со 106 копчиња"
-#: ../../crypto.pm:1 ../../lang.pm:1
+#: keyboard.pm:198
#, c-format
-msgid "Czech Republic"
-msgstr "Чешка Република"
+msgid "Kannada"
+msgstr "Канада"
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
+#: keyboard.pm:201
#, c-format
-msgid "Sound card"
-msgstr "Звучна картичка"
+msgid "Korean keyboard"
+msgstr "Корејска тастатура"
-#: ../../standalone/drakfont:1
+#: keyboard.pm:202
#, c-format
-msgid "Import Fonts"
-msgstr "Внеси Фонтови"
+msgid "Latin American"
+msgstr "Латино-американски"
-#: ../../diskdrake/hd_gtk.pm:1
+#: keyboard.pm:203
#, c-format
-msgid ""
-"You have one big MicroSoft Windows partition.\n"
-"I suggest you first resize that partition\n"
-"(click on it, then click on \"Resize\")"
-msgstr ""
-"Имате една голема MicroSoft Windows партиција\n"
-"Предлагам прво да ја промените големината на таа партиција\n"
-"(кликнете на неа, а потоа на \"Промени Големина\")"
+msgid "Laotian"
+msgstr "Лаотска"
-#: ../../standalone/drakfont:1
+#: keyboard.pm:204
#, c-format
-msgid "Suppress Temporary Files"
-msgstr "Потисни ги Привремените Датотеки"
+msgid "Lithuanian AZERTY (old)"
+msgstr "Литванска AZERTY (стара)"
-#: ../../network/netconnect.pm:1
+#: keyboard.pm:206
#, c-format
-msgid ""
-"Congratulations, the network and Internet configuration is finished.\n"
-"\n"
-msgstr ""
-"Честитки, мрежната и интернет конфигурацијата е завршена.\n"
-"\n"
+msgid "Lithuanian AZERTY (new)"
+msgstr "Литвански AZERTY (нова)"
-#: ../../diskdrake/interactive.pm:1
+#: keyboard.pm:207
#, c-format
-msgid "Change partition type"
-msgstr "Промена на тип на партиција"
+msgid "Lithuanian \"number row\" QWERTY"
+msgstr "Литванска QWERTY \"бројки\""
-#: ../../help.pm:1
+#: keyboard.pm:208
#, c-format
-msgid ""
-"Resolution\n"
-"\n"
-" Here you can choose the resolutions and color depths available for your\n"
-"hardware. Choose the one that best suits your needs (you will be able to\n"
-"change that after installation though). A sample of the chosen\n"
-"configuration is shown in the monitor."
-msgstr ""
-"Резолуција\n"
-"\n"
-" Овде можее да ја изберете резолуцијата и длабочината на бојата достапни\n"
-"за вашиот хардвер. Изберете ја онаа која најмногу одговара на вашите "
-"потреби\n"
-"(иако ќе можете да ја смените и по инсталацијата). Примерок од избраната\n"
-"конфигурација е прикажана на мониторот."
+msgid "Lithuanian \"phonetic\" QWERTY"
+msgstr "Литванска QWERTY \"фонетска\""
-#: ../../standalone/draksec:1
+#: keyboard.pm:209
#, c-format
-msgid "Network Options"
-msgstr "Мрежни опции"
+msgid "Latvian"
+msgstr "Латвиски"
-#: ../../security/l10n.pm:1
+#: keyboard.pm:210
#, c-format
-msgid "Enable msec hourly security check"
-msgstr "Овозможи msec сигурносна проверка на час"
+msgid "Malayalam"
+msgstr "Malayalam"
-#: ../../standalone/drakboot:1
+#: keyboard.pm:211
#, c-format
-msgid ""
-"Display theme\n"
-"under console"
-msgstr ""
-"Приказ на тема\n"
-"под конзолата"
+msgid "Macedonian"
+msgstr "Македонска"
-#: ../../printer/cups.pm:1
+#: keyboard.pm:212
#, c-format
-msgid "(on %s)"
-msgstr "(вклучено %s)"
+msgid "Myanmar (Burmese)"
+msgstr "Бурманска (Мјанмар)"
-#: ../../mouse.pm:1
+#: keyboard.pm:213
#, c-format
-msgid "MM Series"
-msgstr "MM Series"
+msgid "Mongolian (cyrillic)"
+msgstr "Монглоска (кирилична)"
-#: ../../security/level.pm:1
+#: keyboard.pm:214
#, c-format
-msgid ""
-"A library which defends against buffer overflow and format string attacks."
-msgstr ""
-"Библиотека што штити од \"buffer overflow\" и \"format string\" напади."
+msgid "Maltese (UK)"
+msgstr "Малтешка (UK)"
-#: ../../standalone/net_monitor:1
+#: keyboard.pm:215
#, c-format
-msgid "average"
-msgstr "просек"
+msgid "Maltese (US)"
+msgstr "Малтешка (US)"
-#: ../../printer/printerdrake.pm:1
+#: keyboard.pm:216
#, c-format
-msgid "New printer name"
-msgstr "Ново име на принтерот"
+msgid "Dutch"
+msgstr "Холандски"
-#: ../../fs.pm:1
+#: keyboard.pm:218
#, c-format
-msgid ""
-"Allow an ordinary user to mount the file system. The\n"
-"name of the mounting user is written to mtab so that he can unmount the "
-"file\n"
-"system again. This option implies the options noexec, nosuid, and nodev\n"
-"(unless overridden by subsequent options, as in the option line\n"
-"user,exec,dev,suid )."
+msgid "Oriya"
msgstr ""
-"Дозволи обичен корисник да го монтира фајл ситемот. Името на корисникот \n"
-"кој монтира е запишано во mtab така што ќе може повторно да го одмонтира\n"
-"фајл ситемот. Оваа опција се однесува на опциите noexec, nosuid и nodev\n"
-"(освен ако се преоптоварени од подсеквенцијалните опции, како во\n"
-"опционата линија user,exec,dev,suid )."
-#: ../../lang.pm:1
+#: keyboard.pm:219
#, c-format
-msgid "Equatorial Guinea"
-msgstr "Екваторска Гвинеја"
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Backup System"
-msgstr "Бекап систем"
+msgid "Polish (qwerty layout)"
+msgstr "Полска (qwerty распоред)"
-#: ../../standalone/drakbackup:1
+#: keyboard.pm:220
#, c-format
-msgid "Build Backup"
-msgstr "Направи бекап"
+msgid "Polish (qwertz layout)"
+msgstr "Полска (qwertz распоред)"
-#: ../../printer/printerdrake.pm:1
+#: keyboard.pm:221
#, c-format
-msgid ""
-"To print a file from the command line (terminal window) use the command \"%s "
-"<file>\" or \"%s <file>\".\n"
-msgstr ""
-"Да изпечатите датотека преку командната линија (терминален прозорец) "
-"користете ја командата \"%s <file>\" или \"%s <file>\".\n"
+msgid "Portuguese"
+msgstr "Португалска"
-#: ../../printer/printerdrake.pm:1
+#: keyboard.pm:222
#, c-format
-msgid "Currently, no alternative possibility is available"
-msgstr "Моментално, ниедна друга можност не е достапна"
+msgid "Canadian (Quebec)"
+msgstr "Канадска (Квебек)"
-#: ../../keyboard.pm:1
+#: keyboard.pm:224
#, c-format
msgid "Romanian (qwertz)"
msgstr "Романска (qwertz)"
-#: ../../standalone/drakTermServ:1
-#, c-format
-msgid "Write Config"
-msgstr "Конфигурација на Записот"
-
-#: ../../services.pm:1
+#: keyboard.pm:225
#, c-format
-msgid ""
-"The routed daemon allows for automatic IP router table updated via\n"
-"the RIP protocol. While RIP is widely used on small networks, more complex\n"
-"routing protocols are needed for complex networks."
-msgstr ""
-"Демонот за пренасочување ви овозможува автоматска пренасочувачка IP табела\n"
-"осовременувана преку RIP протоколот. Додека RIP пошироко се користи за мали\n"
-"мрежи, по комплицирани пренасочувачки протоколи се потребни за комплицирани "
-"мрежи."
+msgid "Romanian (qwerty)"
+msgstr "Романска (qwerty)"
-#: ../../lang.pm:1
+#: keyboard.pm:227
#, c-format
-msgid "Kiribati"
-msgstr "����"
-
-#: ../../mouse.pm:1
-#, fuzzy, c-format
-msgid "Logitech Mouse (serial, old C7 type) with Wheel emulation"
-msgstr "Logitech Mouse (сериски, стар C7)"
+msgid "Russian (Phonetic)"
+msgstr "Руски (Фонетски)"
-#: ../../standalone/drakbackup:1
+#: keyboard.pm:228
#, fuzzy, c-format
-msgid "Other (not drakbackup) keys in place already"
-msgstr ""
-"Други (не на drakbackup)\n"
-"клучеви се веќе на место"
+msgid "Saami (norwegian)"
+msgstr "Сами (Норвешка)"
-#: ../../help.pm:1
+#: keyboard.pm:229
#, fuzzy, c-format
-msgid ""
-"X (for X Window System) is the heart of the GNU/Linux graphical interface\n"
-"on which all the graphical environments (KDE, GNOME, AfterStep,\n"
-"WindowMaker, etc.) bundled with Mandrake Linux rely upon.\n"
-"\n"
-"You will be presented with a list of different parameters to change to get\n"
-"an optimal graphical display: Graphic Card\n"
-"\n"
-" The installer will normally automatically detect and configure the\n"
-"graphic card installed on your machine. If it is not the case, you can\n"
-"choose from this list the card you actually have installed.\n"
-"\n"
-" In the case that different servers are available for your card, with or\n"
-"without 3D acceleration, you are then asked to choose the server that best\n"
-"suits your needs.\n"
-"\n"
-"\n"
-"\n"
-"Monitor\n"
-"\n"
-" The installer will normally automatically detect and configure the\n"
-"monitor connected to your machine. If it is incorrect, you can choose from\n"
-"this list the monitor you actually have connected to your computer.\n"
-"\n"
-"\n"
-"\n"
-"Resolution\n"
-"\n"
-" Here you can choose the resolutions and color depths available for your\n"
-"hardware. Choose the one that best suits your needs (you will be able to\n"
-"change that after installation though). A sample of the chosen\n"
-"configuration is shown in the monitor.\n"
-"\n"
-"\n"
-"\n"
-"Test\n"
-"\n"
-" the system will try to open a graphical screen at the desired\n"
-"resolution. If you can see the message during the test and answer \"%s\",\n"
-"then DrakX will proceed to the next step. If you cannot see the message, it\n"
-"means that some part of the autodetected configuration was incorrect and\n"
-"the test will automatically end after 12 seconds, bringing you back to the\n"
-"menu. Change settings until you get a correct graphical display.\n"
-"\n"
-"\n"
-"\n"
-"Options\n"
-"\n"
-" Here you can choose whether you want to have your machine automatically\n"
-"switch to a graphical interface at boot. Obviously, you want to check\n"
-"\"%s\" if your machine is to act as a server, or if you were not successful\n"
-"in getting the display configured."
-msgstr ""
-"X (за X Window Систем) е срцето на GNU/Linux графичкиот интерфејс\n"
-"на кој се изградени сите графички околини (KDE, GNOME, AfterStep,\n"
-"WindowMaker, и.т.н.).\n"
-"\n"
-"You will be presented with a list of different parameters to change to get\n"
-"an optimal graphical display: Graphic Card\n"
-"\n"
-" Инсталерот автоматски ќе ја детектира и конфигурира\n"
-"графичката картичка инсталирана на Вашиот компјутер. Ако ова не се случи, "
-"тогаш\n"
-"можете од листата да ја изберете графичката картичка која ја имате "
-"инсталирано.\n"
-"\n"
-" Во случај на повеќе сервери поврзани на Вашата картичка, со или\n"
-"без 3D акцелерација, можете да го изберете најдобриот сервер\n"
-"кој Ви е потребен.\n"
-"\n"
-"\n"
-"\n"
-"Монитор\n"
-"\n"
-" Инсталерот автоматски ќе го детектира и конфогурира\n"
-"мониторот кој е поврзан на Вашиот компјутерe. Ако ова не се случи, тогаш\n"
-"можете од листата да го изберете мониторот кој го имате инсталирано.\n"
-"\n"
-"\n"
-"\n"
-"Резолуција\n"
-"\n"
-" Можете да ја изберете резолуцијата и боите за Вашиот\n"
-"хардвер. Одберете ја најдобрата која Ви е потребна.\n"
-"\n"
-"\n"
-"\n"
-"Тест\n"
-"\n"
-" системот ќе се обиде даго отвори графичкиот екран со бараната\n"
-"резолуција. Ако можете да ја прочитате пораката и одговорот \"%s\",\n"
-"тогаш DrakX ќе продолжи со следниот чекор. Ако не можете да ја прочитате "
-"пораката, тогаш\n"
-"нешто не е во ред со автоматската детекција и конигурација и\n"
-"тестот автоматски ќе заврши после 12 секунди, враќајќи Ве назад\n"
-"на менито. Променете ја поставеноста за да добиете добар графички приказ.\n"
-"\n"
-"\n"
-"\n"
-"Опции\n"
-"\n"
-" Овде можете да одберете што ќе се стартува автоматски при рестарт на\n"
-"системот кај графичкиот интерфејс."
+msgid "Saami (swedish/finnish)"
+msgstr "Saami (шведски/фински)"
-#: ../../standalone/draksplash:1
+#: keyboard.pm:231
#, c-format
-msgid "Browse"
-msgstr "Разгледај"
+msgid "Slovenian"
+msgstr "Словенски"
-#: ../../harddrake/data.pm:1
+#: keyboard.pm:232
#, c-format
-msgid "CDROM"
-msgstr "CDROM"
+msgid "Slovakian (QWERTZ)"
+msgstr "Словачки (QWERTZ)"
-#: ../../network/tools.pm:1
+#: keyboard.pm:233
#, c-format
-msgid "Do you want to try to connect to the Internet now?"
-msgstr "Дали сакаш да пробаш да се поврзеш на Интернет сега?"
+msgid "Slovakian (QWERTY)"
+msgstr "Словачка (QWERTY)"
-#: ../../keyboard.pm:1
+#: keyboard.pm:235
#, c-format
-msgid "Belgian"
-msgstr "Белгија"
+msgid "Serbian (cyrillic)"
+msgstr "Српска (кирилица)"
-#: ../../install_steps_interactive.pm:1
+#: keyboard.pm:236
#, c-format
-msgid "Do you have an ISA sound card?"
-msgstr "Дали имате ISA звучна картичка?"
+msgid "Syriac"
+msgstr "Сирија"
-#: ../../network/ethernet.pm:1
+#: keyboard.pm:237
#, c-format
-msgid ""
-"No ethernet network adapter has been detected on your system.\n"
-"I cannot set up this connection type."
-msgstr ""
-"На Вашиот систем не е детектиран мрежен етернет адаптер.\n"
-"Не моќам да го поставам овој вид на конекција."
+msgid "Syriac (phonetic)"
+msgstr "Сириски (фонетски)"
-#: ../../diskdrake/hd_gtk.pm:1
+#: keyboard.pm:238
#, c-format
-msgid "Windows"
-msgstr "Windows"
+msgid "Telugu"
+msgstr "Телуџи"
-#: ../../common.pm:1
-#, c-format
-msgid "Can't make screenshots before partitioning"
-msgstr "Не можат да се прават снимки на екран пред партицирање"
+#: keyboard.pm:240
+#, fuzzy, c-format
+msgid "Tamil (ISCII-layout)"
+msgstr "Тамилска (TSCII)"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "Host Name"
-msgstr "Име на компјутерот"
+#: keyboard.pm:241
+#, fuzzy, c-format
+msgid "Tamil (Typewriter-layout)"
+msgstr "Ерменска (машина)"
-#: ../../standalone/logdrake:1
+#: keyboard.pm:242
#, c-format
-msgid "/File/Save _As"
-msgstr "/Датотека/Зачувај_како"
+msgid "Thai keyboard"
+msgstr "Таи"
-#: ../../printer/printerdrake.pm:1
+#: keyboard.pm:244
#, c-format
-msgid ""
-"To get access to printers on remote CUPS servers in your local network you "
-"only need to turn on the \"Automatically find available printers on remote "
-"machines\" option; the CUPS servers inform your machine automatically about "
-"their printers. All printers currently known to your machine are listed in "
-"the \"Remote printers\" section in the main window of Printerdrake. If your "
-"CUPS server(s) is/are not in your local network, you have to enter the IP "
-"address(es) and optionally the port number(s) here to get the printer "
-"information from the server(s)."
-msgstr ""
-"Да добиете пристап до принтерите на оддалечени CUPS сервери во вашата "
-"локална мрежа,вие треба само да ја вклучите опцијата \"Автоматски пронајди "
-"ги достапните принтери на оддалечените машини\"; CUPS серверите автоматски "
-"ја информираат вашата машина за нивните принтери. Сите моментално познати "
-"принтери на вашата машина се излистани во секцијата \"Оддалечени Принтери\" "
-"во главниот прозорец на Printerdrake. Ако ваши(те)от CUPS сервер(и) не е/се "
-"во вашата локална мрежа, треба да ја/ги внесите IP адрес(ите)ата и опционо "
-"овде бро(евите)јот на порто(вите)тза да добиете информации од сервер(ите)от."
+msgid "Tajik keyboard"
+msgstr "Таџикистанска"
-#: ../../standalone/scannerdrake:1
+#: keyboard.pm:245
#, c-format
-msgid "%s is not in the scanner database, configure it manually?"
-msgstr "%s не е во базата на скенерот, подеси го рачно?"
+msgid "Turkish (traditional \"F\" model)"
+msgstr "Турска (традиционална \"F\")"
-#: ../../any.pm:1
+#: keyboard.pm:246
#, c-format
-msgid "Delay before booting default image"
-msgstr "Пауза пред подигање на првиот"
+msgid "Turkish (modern \"Q\" model)"
+msgstr "Турска (модерен \"Q\" модел)"
-#: ../../any.pm:1
+#: keyboard.pm:248
#, c-format
-msgid "Restrict command line options"
-msgstr "Рестрикција на командна линија"
+msgid "Ukrainian"
+msgstr "Украинска"
-#: ../../standalone/drakxtv:1
+#: keyboard.pm:251
#, c-format
-msgid "East Europe"
-msgstr "Источна Европа"
+msgid "US keyboard (international)"
+msgstr "US (интернационална)"
-#: ../../help.pm:1 ../../install_interactive.pm:1
+#: keyboard.pm:252
#, c-format
-msgid "Use free space"
-msgstr "Користи празен простор"
+msgid "Uzbek (cyrillic)"
+msgstr "Узбекистан (кирилица)"
-#: ../../network/adsl.pm:1
+#: keyboard.pm:253
#, c-format
-msgid "use dhcp"
-msgstr "користи dhcp"
+msgid "Vietnamese \"numeric row\" QWERTY"
+msgstr "Виетнамска QWERTY \"бројки\""
-#: ../../standalone/logdrake:1
+#: keyboard.pm:254
#, c-format
-msgid "Mail alert"
-msgstr "Поштенски аларм"
+msgid "Yugoslavian (latin)"
+msgstr "Југословенска (латиница)"
-#: ../../network/tools.pm:1
+#: keyboard.pm:261
#, c-format
-msgid "Internet configuration"
-msgstr "Конфигурација на Интернет"
+msgid "Right Alt key"
+msgstr "Десното Alt копче"
-#: ../../lang.pm:1
+#: keyboard.pm:262
#, c-format
-msgid "Uzbekistan"
-msgstr "Узбекистан"
+msgid "Both Shift keys simultaneously"
+msgstr "Двете Shift копчиња истовремено"
-#: ../../printer/printerdrake.pm:1
+#: keyboard.pm:263
#, c-format
-msgid "Detected %s"
-msgstr "Откриено %s"
+msgid "Control and Shift keys simultaneously"
+msgstr "Control и Shift истовремено"
-#: ../../standalone/harddrake2:1
+#: keyboard.pm:264
#, c-format
-msgid "/Autodetect _printers"
-msgstr "/Автодетектирај ги _притнерите"
+msgid "CapsLock key"
+msgstr "CapsLock копче"
-#: ../../interactive.pm:1 ../../ugtk2.pm:1 ../../interactive/newt.pm:1
+#: keyboard.pm:265
#, c-format
-msgid "Finish"
-msgstr "Заврши"
+msgid "Ctrl and Alt keys simultaneously"
+msgstr "Ctrl и Alt истовремено"
-#: ../../install_steps_gtk.pm:1
+#: keyboard.pm:266
#, c-format
-msgid "Show automatically selected packages"
-msgstr "Прикажи ги автоматски избраните пакети"
+msgid "Alt and Shift keys simultaneously"
+msgstr "Alt и Shift истовремено"
-#: ../../lang.pm:1
+#: keyboard.pm:267
#, c-format
-msgid "Togo"
-msgstr "Того"
+msgid "\"Menu\" key"
+msgstr "\"Мени\"-копчето"
-#: ../../standalone/harddrake2:1
+#: keyboard.pm:268
#, c-format
-msgid "CPU flags reported by the kernel"
-msgstr "Процесорски знамиња изјавени од страна на кернелот"
+msgid "Left \"Windows\" key"
+msgstr "Левото \"Windows\"-копче"
-#: ../../standalone/drakTermServ:1
+#: keyboard.pm:269
#, c-format
-msgid "Something went wrong! - Is mkisofs installed?"
-msgstr "Нешто тргна наопаку! - Дали е mkisofs инсталирано?"
+msgid "Right \"Windows\" key"
+msgstr "Десното \"Windows\"-копче"
-#: ../../Xconfig/card.pm:1
-#, c-format
-msgid "16 MB"
-msgstr "16 MB"
+#: keyboard.pm:270
+#, fuzzy, c-format
+msgid "Both Control keys simultaneously"
+msgstr "Двете Shift копчиња истовремено"
-#: ../../any.pm:1 ../../install_steps_interactive.pm:1
-#: ../../diskdrake/interactive.pm:1
+#: keyboard.pm:271
#, c-format
-msgid "Please try again"
-msgstr "Обидете се повторно"
+msgid "Both Alt keys simultaneously"
+msgstr "Двете Alt копчиња истовремено"
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "The model is correct"
-msgstr "Моделот е точен"
+#: keyboard.pm:272
+#, fuzzy, c-format
+msgid "Left Shift key"
+msgstr "Левото Shift копче"
-#: ../../install_interactive.pm:1
+#: keyboard.pm:273
#, c-format
-msgid "FAT resizing failed: %s"
-msgstr "FAT зголемувањето/намалувањето не успеа: %s"
+msgid "Right Shift key"
+msgstr "Десното Shift копче"
-#: ../../help.pm:1 ../../install_steps_gtk.pm:1
-#: ../../install_steps_interactive.pm:1
-#, c-format
-msgid "Individual package selection"
-msgstr "Подделна селекција на пакети"
+#: keyboard.pm:274
+#, fuzzy, c-format
+msgid "Left Alt key"
+msgstr "Лево Alt копче"
+
+#: keyboard.pm:275
+#, fuzzy, c-format
+msgid "Left Control key"
+msgstr "Лево Контрол кошче"
-#: ../../diskdrake/interactive.pm:1
+#: keyboard.pm:276
#, c-format
-msgid "This partition is not resizeable"
-msgstr "На оваа партиција не може да и се промени големината"
+msgid "Right Control key"
+msgstr "Десното Ctrl копче"
-#: ../../printer/printerdrake.pm:1 ../../standalone/printerdrake:1
+#: keyboard.pm:307
#, c-format
-msgid "Location"
-msgstr "Локација"
+msgid ""
+"Here you can choose the key or key combination that will \n"
+"allow switching between the different keyboard layouts\n"
+"(eg: latin and non latin)"
+msgstr ""
+"Овде можете да изберете копче или комбинација копчиња\n"
+"за префрлување од еден во друг распоред на тастатура\n"
+"(на пример: латиница и кирилица)"
-#: ../../standalone/drakxtv:1
+#: keyboard.pm:312
#, c-format
-msgid "USA (cable-hrc)"
-msgstr "САД (кабелски-hrc)"
+msgid ""
+"This setting will be activated after the installation.\n"
+"During installation, you will need to use the Right Control\n"
+"key to switch between the different keyboard layouts."
+msgstr ""
-#: ../../lang.pm:1
+#: lang.pm:144
+#, fuzzy, c-format
+msgid "default:LTR"
+msgstr "вообичаено:LTR"
+
+#: lang.pm:160
#, c-format
-msgid "Guatemala"
-msgstr "Гватемала"
+msgid "Afghanistan"
+msgstr "Авганистански"
-#: ../../diskdrake/hd_gtk.pm:1
+#: lang.pm:161
#, c-format
-msgid "Journalised FS"
-msgstr "Journalised FS"
+msgid "Andorra"
+msgstr "Андора"
+
+#: lang.pm:162
+#, fuzzy, c-format
+msgid "United Arab Emirates"
+msgstr "Обединете Арапски Емирати"
-#: ../../security/l10n.pm:1
+#: lang.pm:163
#, c-format
-msgid "Ethernet cards promiscuity check"
-msgstr "Мешана проверка на мрежните картички"
+msgid "Antigua and Barbuda"
+msgstr "Антигва и Барбуда"
-#: ../../standalone/scannerdrake:1
+#: lang.pm:164
#, c-format
-msgid "This machine"
-msgstr "Оваа машина"
+msgid "Anguilla"
+msgstr "Ангуила"
+
+#: lang.pm:165
+#, fuzzy, c-format
+msgid "Albania"
+msgstr "Албанска"
-#: ../../diskdrake/interactive.pm:1
+#: lang.pm:166
#, c-format
-msgid "DOS drive letter: %s (just a guess)\n"
-msgstr "DOS диск-буква: %s (само претпоставка)\n"
+msgid "Armenia"
+msgstr "Ерменија"
-#: ../../lang.pm:1
+#: lang.pm:167
+#, fuzzy, c-format
+msgid "Netherlands Antilles"
+msgstr "Холандија"
+
+#: lang.pm:168
#, c-format
-msgid "Bahrain"
-msgstr ""
+msgid "Angola"
+msgstr "Ангола"
-#: ../../standalone/drakbackup:1
+#: lang.pm:169
#, c-format
-msgid "Select the files or directories and click on 'OK'"
-msgstr "Избери ги датотеките или директориумите и натисни на 'ОК'"
+msgid "Antarctica"
+msgstr "Антартик"
-#: ../../standalone/drakfloppy:1
+#: lang.pm:170 standalone/drakxtv:51
#, c-format
-msgid "omit scsi modules"
-msgstr "изостави ги scsi модулите"
+msgid "Argentina"
+msgstr "Аргентина"
-#: ../../standalone/harddrake2:1
+#: lang.pm:171
#, c-format
-msgid "family of the cpu (eg: 6 for i686 class)"
-msgstr "фамилија на процесорот (на пр. 6 за i686 класата)"
+msgid "American Samoa"
+msgstr "Американска Самоа"
-#: ../../network/netconnect.pm:1
+#: lang.pm:173 standalone/drakxtv:49
+#, fuzzy, c-format
+msgid "Australia"
+msgstr "Австралија"
+
+#: lang.pm:174
#, c-format
-msgid ""
-"Because you are doing a network installation, your network is already "
-"configured.\n"
-"Click on Ok to keep your configuration, or cancel to reconfigure your "
-"Internet & Network connection.\n"
-msgstr ""
-"Бидејќи вршите мрежна инсталација, Вашата мрежа веќе е конфигурирана.\n"
-"Притиснете на Во ред за да ја задржите моменталната конфигурација, или\n"
-"Откажи за да ја реконфигурирате Вашата Интернет и мрежна врска.\n"
+msgid "Aruba"
+msgstr "Аруба"
+
+#: lang.pm:175
+#, fuzzy, c-format
+msgid "Azerbaijan"
+msgstr "Азербејџанска (латиница)"
-#: ../../security/l10n.pm:1
+#: lang.pm:176
#, c-format
-msgid "Run the daily security checks"
-msgstr "Вклучи ги дневните сигурносни проверки"
+msgid "Bosnia and Herzegovina"
+msgstr "Босна и Херцеговина"
-#: ../../Xconfig/various.pm:1
+#: lang.pm:177
#, c-format
-msgid "Keyboard layout: %s\n"
-msgstr "Тастатурен распоред: %s\n"
+msgid "Barbados"
+msgstr "Барбодас"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:178
#, c-format
-msgid ""
-"Here you can choose whether the printers connected to this machine should be "
-"accessable by remote machines and by which remote machines."
-msgstr ""
-"Овде можете да изберете дали принтерите поврзани на оваа машина можат да "
-"бидат достапни од оддалечени машини и тоа од кои оддалечени машини."
+msgid "Bangladesh"
+msgstr "Бангладеш"
-#: ../../keyboard.pm:1
+#: lang.pm:180
#, c-format
-msgid "Maltese (US)"
-msgstr "Малтешка (US)"
+msgid "Burkina Faso"
+msgstr "Буркима фасо"
-#: ../../standalone/drakfloppy:1
+#: lang.pm:181
#, c-format
-msgid "The creation of the boot floppy has been successfully completed \n"
-msgstr ""
+msgid "Bulgaria"
+msgstr "Бугарија"
-#: ../../services.pm:1
+#: lang.pm:182
#, c-format
-msgid ""
-"Mounts and unmounts all Network File System (NFS), SMB (Lan\n"
-"Manager/Windows), and NCP (NetWare) mount points."
+msgid "Bahrain"
msgstr ""
-"Ги монтира и одмонтира сите Network File System (NFS), SMB (Менаџер\n"
-"на локалната мрежа/Windows), и NCP (NetWare) монтирачките точки."
-#: ../../standalone/drakconnect:1
+#: lang.pm:183
#, c-format
-msgid "Launch the wizard"
-msgstr "Лансирај го волшебникот"
+msgid "Burundi"
+msgstr "Бурунди"
-#: ../../harddrake/data.pm:1
+#: lang.pm:184
#, c-format
-msgid "Tvcard"
-msgstr "ТВ картичка"
+msgid "Benin"
+msgstr "Бенин"
-#: ../../help.pm:1
+#: lang.pm:185
+#, fuzzy, c-format
+msgid "Bermuda"
+msgstr "Бермуди"
+
+#: lang.pm:186
#, c-format
-msgid "Toggle between normal/expert mode"
-msgstr "Префрлање помеѓу нормален/експертски режим"
+msgid "Brunei Darussalam"
+msgstr "Брунеи Дарусалам"
-#: ../../standalone/drakfloppy:1
+#: lang.pm:187
#, c-format
-msgid "Size"
-msgstr "Големина"
+msgid "Bolivia"
+msgstr "Боливија"
-#: ../../help.pm:1
+#: lang.pm:188
#, c-format
-msgid "GRUB"
-msgstr "GRUB"
+msgid "Brazil"
+msgstr "Бразил"
-#: ../../lang.pm:1
+#: lang.pm:189
#, c-format
-msgid "Greenland"
-msgstr "Гренланд"
+msgid "Bahamas"
+msgstr "Бахами"
-#: ../../mouse.pm:1
+#: lang.pm:190
#, c-format
-msgid "Logitech MouseMan+/FirstMouse+"
-msgstr "Logitech MouseMan+/FirstMouse+"
+msgid "Bhutan"
+msgstr "��"
-#: ../../standalone/drakbackup:1
+#: lang.pm:191
#, c-format
-msgid "Thursday"
+msgid "Bouvet Island"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: lang.pm:192
+#, fuzzy, c-format
+msgid "Botswana"
+msgstr "Босанска"
+
+#: lang.pm:193
#, c-format
-msgid "Not the correct tape label. Tape is labelled %s."
-msgstr "Не точната ознака на лентата. Лентата е означена %s."
+msgid "Belarus"
+msgstr "Белорусија"
-#: ../../standalone/drakgw:1
+#: lang.pm:194
+#, fuzzy, c-format
+msgid "Belize"
+msgstr "Големина"
+
+#: lang.pm:195
#, c-format
-msgid ""
-"The setup of Internet Connection Sharing has already been done.\n"
-"It's currently enabled.\n"
-"\n"
-"What would you like to do?"
-msgstr ""
-"Подесувањето за Делење на Интернет Конекција е веќе завршено.\n"
-"Моментално е овозможна.\n"
-"\n"
-"Што сакате да правите?"
+msgid "Canada"
+msgstr "Канада"
-#: ../../standalone/drakTermServ:1
+#: lang.pm:196
#, c-format
-msgid "Delete All NBIs"
-msgstr "Избриши ги Сите NBls"
+msgid "Cocos (Keeling) Islands"
+msgstr "Кокосови (Килингови) Острови"
-#: ../../help.pm:1
+#: lang.pm:197
#, c-format
-msgid ""
-"This dialog allows you to fine tune your bootloader:\n"
-"\n"
-" * \"%s\": there are three choices for your bootloader:\n"
-"\n"
-" * \"%s\": if you prefer grub (text menu).\n"
-"\n"
-" * \"%s\": if you prefer LILO with its text menu interface.\n"
-"\n"
-" * \"%s\": if you prefer LILO with its graphical interface.\n"
-"\n"
-" * \"%s\": in most cases, you will not change the default (\"%s\"), but if\n"
-"you prefer, the bootloader can be installed on the second hard drive\n"
-"(\"%s\"), or even on a floppy disk (\"%s\");\n"
-"\n"
-" * \"%s\": after a boot or a reboot of the computer, this is the delay\n"
-"given to the user at the console to select a boot entry other than the\n"
-"default.\n"
-"\n"
-"!! Beware that if you choose not to install a bootloader (by selecting\n"
-"\"%s\"), you must ensure that you have a way to boot your Mandrake Linux\n"
-"system! Be sure you know what you are doing before changing any of the\n"
-"options. !!\n"
-"\n"
-"Clicking the \"%s\" button in this dialog will offer advanced options which\n"
-"are normally reserved for the expert user."
-msgstr ""
-"Овој дијалог ви овозможува подобро да го подесите вашиот подигач:\n"
-"\n"
-" * \"%s\": имате три избори за вашиот подигач:\n"
-"\n"
-" * \"%s\": ако преферирате grub (текстуално мени).\n"
-"\n"
-" * \"%s\": ако преферирате LILO со неговиот текст мени интерфејс.\n"
-"\n"
-" * \"%s\": ако преферирате LILO со неговиот графички интерфејс.\n"
-"\n"
-" * \"%s\": во повеќето случаи нема потреба да го промените вообичаеното(\"%s"
-"\"),\n"
-"но ако претпочитате подигачот може да биде инсталиран на вашиот втор драјв\n"
-"(\"%s\"), или дури и на дискета (\"%s\");\n"
-"\n"
-" * \"%s\": по подигањето или при рестартирањето на компјутерот, ова е \n"
-"задоцнувањето дадено на корисникот да избере подигачки внес различен од\n"
-"стандардниот.\n"
-"\n"
-"!! Внимавајте дека ако изберете да не инсталирате подигач (преку избирање\n"
-"\"%s\"), мора да се осигурате дека имате начин да го подигнете Вашиот\n"
-"Мандрак Линукс Систем! Исто така, осигурајте дека знаете што правите пред\n"
-"да промените некоја од опциите. !!\n"
-"\n"
-"Со Притискање на копчето \"%s\" во вој дијалог ќе ви понуди многу напредни "
-"опции\n"
-"кои обично се резервирани за експертите.."
+msgid "Congo (Kinshasa)"
+msgstr "Конго(Киншаса)"
-#: ../../security/help.pm:1
+#: lang.pm:198
#, c-format
-msgid ""
-"if set, send the mail report to this email address else send it to root."
-msgstr ""
-"ако е подесено, испрати го извештајот за поштата на оваа е-пошта во "
-"спротивно испрати го на root."
+msgid "Central African Republic"
+msgstr "Централно Афричка Република"
-#: ../../Xconfig/card.pm:1
+#: lang.pm:199
#, c-format
-msgid "Which configuration of XFree do you want to have?"
-msgstr "Која конфигурација на XFree сакате да ја имате?"
+msgid "Congo (Brazzaville)"
+msgstr "Конго(Бразавил)"
-#: ../../any.pm:1 ../../help.pm:1 ../../install_steps_interactive.pm:1
-#: ../../diskdrake/interactive.pm:1
+#: lang.pm:200
#, c-format
-msgid "More"
-msgstr "Повеќе"
+msgid "Switzerland"
+msgstr "Швајцарија"
-#: ../../standalone/drakbackup:1
+#: lang.pm:201
#, c-format
-msgid ""
-"This uses the same syntax as the command line program 'cdrecord'. 'cdrecord -"
-"scanbus' would also show you the device number."
+msgid "Cote d'Ivoire"
msgstr ""
-#: ../../security/level.pm:1
+#: lang.pm:202
#, c-format
-msgid ""
-"With this security level, the use of this system as a server becomes "
-"possible.\n"
-"The security is now high enough to use the system as a server which can "
-"accept\n"
-"connections from many clients. Note: if your machine is only a client on the "
-"Internet, you should choose a lower level."
-msgstr ""
-"Со ова безбедносно ниво, користењето на системов како сервер станува можно.\n"
-"Безбедност е на ниво доволно високо за системот да се користи како сервер\n"
-"за многу клиенти. Забелешка: ако Вашата машина е само клиент на Интернет, би "
-"требало да изберете пониско ниво."
+msgid "Cook Islands"
+msgstr "Островите Кук"
-#: ../../standalone/printerdrake:1
+#: lang.pm:203
#, fuzzy, c-format
-msgid "Server Name"
-msgstr "Сервер: "
+msgid "Chile"
+msgstr "Чиле"
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: lang.pm:204
#, c-format
-msgid "Account Password"
-msgstr "Лозинка на акаунтот"
+msgid "Cameroon"
+msgstr "Камерун"
-#: ../../standalone/drakhelp:1
+#: lang.pm:205
#, c-format
-msgid ""
-"%s cannot be displayed \n"
-". No Help entry of this type\n"
-msgstr ""
-"%s не може да биде прикажано \n"
-". Нема Помош за овој вид\n"
+msgid "China"
+msgstr "Кина"
-#: ../../any.pm:1
+#: lang.pm:206
#, c-format
-msgid ""
-"You decided to install the bootloader on a partition.\n"
-"This implies you already have a bootloader on the hard drive you boot (eg: "
-"System Commander).\n"
-"\n"
-"On which drive are you booting?"
-msgstr ""
-"Одлучивте да инсталирате подигач на партиција.\n"
-"Тоа претпоставува дека веќе имате подигач (пр. System Commander) на "
-"хардискот што го подигате.\n"
-"\n"
-"На кој диск подигате?"
-
-#: ../../install_interactive.pm:1
-#, fuzzy, c-format
-msgid ""
-"WARNING!\n"
-"\n"
-"DrakX will now resize your Windows partition. Be careful: this\n"
-"operation is dangerous. If you have not already done so, you\n"
-"first need to exit the installation, run \"chkdsk c:\" from a\n"
-"Command Prompt under Windows (beware, running graphical program\n"
-"\"scandisk\" is not enough, be sure to use \"chkdsk\" in a\n"
-"Command Prompt!), optionally run defrag, then restart the\n"
-"installation. You should also backup your data.\n"
-"When sure, press Ok."
-msgstr ""
-"ПРЕДУПРЕДУВАЊЕ!\n"
-"\n"
-"DrakX сега ќе ја зголемува/намалува Вашата Windows партиција.\n"
-"Внимавајте: оваа операција е опасна. Ако веќе тоа не сте го\n"
-"сториле, треба да излезете од инсталацијава, да извршите\n"
-"\"scandisk\" под Windows (и, дополнително, ако сакате, \"defrag\"),\n"
-"и потоа повторно да ја вклучите инсталациската постапка на\n"
-"Мандрак Линукс. Исто така, би требало да имате и бекап на \n"
-"Вашите податоци.\n"
-"Ако сте сигурни, притиснете \"Во ред\""
+msgid "Colombia"
+msgstr "Колумбија"
-#: ../../keyboard.pm:1
+#: lang.pm:208
#, c-format
-msgid "Tajik keyboard"
-msgstr "Таџикистанска"
+msgid "Cuba"
+msgstr "Куба"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:209
#, c-format
-msgid ""
-"You can copy the printer configuration which you have done for the spooler %"
-"s to %s, your current spooler. All the configuration data (printer name, "
-"description, location, connection type, and default option settings) is "
-"overtaken, but jobs will not be transferred.\n"
-"Not all queues can be transferred due to the following reasons:\n"
-msgstr ""
-"Можете да ја копирате принтерската конфигурација која ја направивте за "
-"спулер %s со %s, вашиот моментален спулер. Сите конфигурациони податоци (име "
-"на принтерот, опис, локација, вид на конекција, и стандардни опции за "
-"подесување) се презафатени, но работите нема да бидат преместени.\n"
-"Не сите редици на чекање можат да се преместат поради следниве причини:\n"
+msgid "Cape Verde"
+msgstr "Cape Verde"
-#: ../../standalone/drakfont:1
+#: lang.pm:210
#, c-format
-msgid "Font List"
-msgstr "Листа на Фонтови"
+msgid "Christmas Island"
+msgstr "Божиќни Острови"
-#: ../../install_steps_interactive.pm:1
+#: lang.pm:211
#, c-format
-msgid ""
-"You may need to change your Open Firmware boot-device to\n"
-" enable the bootloader. If you don't see the bootloader prompt at\n"
-" reboot, hold down Command-Option-O-F at reboot and enter:\n"
-" setenv boot-device %s,\\\\:tbxi\n"
-" Then type: shut-down\n"
-"At your next boot you should see the bootloader prompt."
-msgstr ""
-"Може да треба да го промените OpenFirmware уредот за подигање,\n"
-" за да го овозможите подигачот. Ако не го видите промптот на подигачот\n"
-" по рестартување на компјутерот, при подигање држете ги копчињата\n"
-" Command-Option-O-F и внесете:\n"
-" setenv boot-device %s,\\\\:tbxi\n"
-" Потоа внесете: shut-down\n"
-"При следновот подигање би требало да го видите промптот за подигање."
+msgid "Cyprus"
+msgstr "Кипар"
-#: ../../install_steps_interactive.pm:1
+#: lang.pm:214
#, c-format
-msgid ""
-"You appear to have an OldWorld or Unknown\n"
-" machine, the yaboot bootloader will not work for you.\n"
-"The install will continue, but you'll\n"
-" need to use BootX or some other means to boot your machine"
+msgid "Djibouti"
msgstr ""
-"Изгледа дека имате OldWordk или непозната машина,\n"
-" па yaboot подигачот за Вас нема да работи.\n"
-"Инсталацијата ќе продолжи, но ќе треба да користите\n"
-" BootX или некои други средства за да ја подигнете Вашата машина"
-#: ../../diskdrake/interactive.pm:1
+#: lang.pm:215
#, c-format
-msgid "Select file"
-msgstr "Избор на датотека"
+msgid "Denmark"
+msgstr "Данска"
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid ""
-"Choose the network or host on which the local printers should be made "
-"available:"
-msgstr ""
-"Изберете ја мрежата или хостот на кој локалните принтери треба да бидат "
-"достапни:"
+#: lang.pm:216
+#, fuzzy, c-format
+msgid "Dominica"
+msgstr "Домен"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:217
#, c-format
-msgid ""
-"These commands you can also use in the \"Printing command\" field of the "
-"printing dialogs of many applications, but here do not supply the file name "
-"because the file to print is provided by the application.\n"
-msgstr ""
-"Овие команди можеш да ги користиш исто така и во полето \"Печатачки команди"
-"\" на принтерските дијалози од многу апликации, но овде не прикажувајте го "
-"името на датоката бидејќи датотеката за печатење е обезбедена од "
-"апликацијата.\n"
+msgid "Dominican Republic"
+msgstr "Доминиканска Република"
-#: ../../lang.pm:1
+#: lang.pm:218
+#, fuzzy, c-format
+msgid "Algeria"
+msgstr "Алжир"
+
+#: lang.pm:219
#, c-format
-msgid "Japan"
-msgstr "Јапонија"
+msgid "Ecuador"
+msgstr "Еквадор"
+
+#: lang.pm:220
+#, fuzzy, c-format
+msgid "Estonia"
+msgstr "Естонска"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:221
#, c-format
-msgid "Print option list"
-msgstr "Печати листа со опции"
+msgid "Egypt"
+msgstr "Египет"
-#: ../../standalone/localedrake:1
+#: lang.pm:222
#, c-format
-msgid "The change is done, but to be effective you must logout"
-msgstr "Промената е направена, но за да има ефект треба да се одјавите"
+msgid "Western Sahara"
+msgstr "Западна Сахара"
-#: ../../any.pm:1 ../../help.pm:1 ../../install_steps_interactive.pm:1
+#: lang.pm:223
+#, fuzzy, c-format
+msgid "Eritrea"
+msgstr "Еритреа"
+
+#: lang.pm:224 network/adsl_consts.pm:193 network/adsl_consts.pm:200
+#: network/adsl_consts.pm:209 network/adsl_consts.pm:220
#, c-format
-msgid "Country / Region"
-msgstr "Земја / Регион"
+msgid "Spain"
+msgstr "Шпанија"
-#: ../../diskdrake/smbnfs_gtk.pm:1
+#: lang.pm:225
#, c-format
-msgid "Search servers"
-msgstr "Барај сервери"
+msgid "Ethiopia"
+msgstr "Етиопија"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:226 network/adsl_consts.pm:119
#, c-format
-msgid "NCP queue name missing!"
-msgstr "Недостига името на NCP редицата!"
+msgid "Finland"
+msgstr "Финска"
-#: ../../standalone/net_monitor:1
+#: lang.pm:227
#, c-format
-msgid ""
-"Warning, another internet connection has been detected, maybe using your "
-"network"
-msgstr ""
-"Предупредување, откриена е друга интернет врска, што можеби ја користи "
-"твојата мрежа"
+msgid "Fiji"
+msgstr "Фуџи"
-#: ../../install_steps_interactive.pm:1
+#: lang.pm:228
#, c-format
-msgid "Cd-Rom labeled \"%s\""
-msgstr "Цеде со наслов \"%s\""
+msgid "Falkland Islands (Malvinas)"
+msgstr "Фолкленд Острови"
-#: ../../standalone/drakbackup:1
+#: lang.pm:229
#, c-format
-msgid "CDRW media"
-msgstr "CDRW медиум"
+msgid "Micronesia"
+msgstr "Микронезија"
-#: ../../services.pm:1
+#: lang.pm:230
#, c-format
-msgid ""
-"Saves and restores system entropy pool for higher quality random\n"
-"number generation."
-msgstr ""
-"Ја зачувува и повратува ентропската системска резерва за поголем квалитет\n"
-"на случајно генерирање броеви."
+msgid "Faroe Islands"
+msgstr "Фарски Острови"
-#: ../advertising/07-server.pl:1
+#: lang.pm:232
#, c-format
-msgid "Turn your computer into a reliable server"
-msgstr "Претворете го вашиот компјутер во потпорен сервер."
+msgid "Gabon"
+msgstr "Габон"
-#: ../../security/l10n.pm:1
+#: lang.pm:233 network/adsl_consts.pm:237 network/adsl_consts.pm:244
+#: network/netconnect.pm:51
#, c-format
-msgid "Check empty password in /etc/shadow"
-msgstr "Провери да не е празна лозинката во /etc/shadow"
+msgid "United Kingdom"
+msgstr "Велика Британија"
-#: ../../network/network.pm:1
+#: lang.pm:234
#, c-format
-msgid " (driver %s)"
-msgstr " (driver %s)"
+msgid "Grenada"
+msgstr "Гренада"
+
+#: lang.pm:235
+#, fuzzy, c-format
+msgid "Georgia"
+msgstr "Џорџија"
+
+#: lang.pm:236
+#, fuzzy, c-format
+msgid "French Guiana"
+msgstr "Француска Гвајана"
-#: ../../services.pm:1
+#: lang.pm:237
#, c-format
-msgid "Start when requested"
-msgstr ""
+msgid "Ghana"
+msgstr "Гана"
-#: ../../diskdrake/interactive.pm:1
+#: lang.pm:238
#, c-format
-msgid ""
-"Loopback file(s):\n"
-" %s\n"
-msgstr ""
-"Loopback датотека(и):\n"
-" %s\n"
+msgid "Gibraltar"
+msgstr "Гибралтар"
-#: ../../network/isdn.pm:1
+#: lang.pm:239
#, c-format
-msgid "I don't know"
-msgstr "Не знам"
+msgid "Greenland"
+msgstr "Гренланд"
-#: ../../printer/main.pm:1
+#: lang.pm:240
#, c-format
-msgid ", TCP/IP host \"%s\", port %s"
-msgstr ", TCP/IP хост \"%s\", порта %s"
+msgid "Gambia"
+msgstr "Гамбија"
+
+#: lang.pm:241
+#, fuzzy, c-format
+msgid "Guinea"
+msgstr "Општо"
-#: ../../standalone/drakautoinst:1
+#: lang.pm:242
#, c-format
-msgid ""
-"You are about to configure an Auto Install floppy. This feature is somewhat "
-"dangerous and must be used circumspectly.\n"
-"\n"
-"With that feature, you will be able to replay the installation you've "
-"performed on this computer, being interactively prompted for some steps, in "
-"order to change their values.\n"
-"\n"
-"For maximum safety, the partitioning and formatting will never be performed "
-"automatically, whatever you chose during the install of this computer.\n"
-"\n"
-"Do you want to continue?"
-msgstr ""
-"Вие ќе конфигурирате дискетна Авто - Инсталација. Оваа карактеристика е "
-"опасна и мора да се користи внимателно.\n"
-"\n"
-"Со таа карактеристика вие ќе можете да ги повторувате инсталациите кои сте "
-"ги извршиле на овој компјутер, интерактивно прашани за некои чекори за да се "
-"сменат нивните вредности.\n"
-"\n"
-"За максимална сигурност, партиционирањето и форматирањето никогаш нема да се "
-"изведат автоматски што и да изберете во текот на инсталација на овој "
-"компјутер.\n"
-"\n"
-"Дали сакате да продолжите?"
+msgid "Guadeloupe"
+msgstr "Гвадалупе"
-#: ../../keyboard.pm:1
+#: lang.pm:243
#, c-format
-msgid "Telugu"
-msgstr "Телуџи"
+msgid "Equatorial Guinea"
+msgstr "Екваторска Гвинеја"
-#: ../../harddrake/sound.pm:1
+#: lang.pm:245
#, c-format
-msgid ""
-"\n"
-"\n"
-"Your card currently use the %s\"%s\" driver (default driver for your card is "
-"\"%s\")"
-msgstr ""
-"\n"
-"\n"
-"Вашата картичка моментално го користи драјверот %s\"%s\" (подразбираниот "
-"драјвер за Вашата картичка е \"%s\")"
+msgid "South Georgia and the South Sandwich Islands"
+msgstr "Северна Џорџија"
-#: ../../standalone/drakfont:1
+#: lang.pm:246
#, c-format
-msgid "Post Uninstall"
-msgstr "Пост деинсталација"
+msgid "Guatemala"
+msgstr "Гватемала"
-#: ../../standalone/net_monitor:1
+#: lang.pm:247
#, c-format
-msgid "Connecting to Internet "
-msgstr "Се поврзува на Интернет"
+msgid "Guam"
+msgstr "Гуам"
-#: ../../standalone/scannerdrake:1
+#: lang.pm:248
#, c-format
-msgid " ("
-msgstr " ("
+msgid "Guinea-Bissau"
+msgstr "Гвинеја-Бисао"
-#: ../../standalone/harddrake2:1
+#: lang.pm:249
#, c-format
-msgid "Cpuid level"
-msgstr "Cpuid ниво"
+msgid "Guyana"
+msgstr "Гвајана"
-#: ../../printer/main.pm:1
+#: lang.pm:250
#, fuzzy, c-format
-msgid "Novell server \"%s\", printer \"%s\""
-msgstr "на Novell сервер \"%s\", принтер \"%s\""
+msgid "China (Hong Kong)"
+msgstr "Хонг Конг"
-#: ../../keyboard.pm:1
+#: lang.pm:251
#, c-format
-msgid "Mongolian (cyrillic)"
-msgstr "Монглоска (кирилична)"
+msgid "Heard and McDonald Islands"
+msgstr "МекДоналд Острови"
-#: ../../standalone/drakfloppy:1
+#: lang.pm:252
#, c-format
-msgid "Add a module"
-msgstr "Додај модул"
+msgid "Honduras"
+msgstr "Хондурас"
-#: ../../standalone/drakconnect:1
-#, c-format
-msgid "Profile to delete:"
-msgstr "Профил за бришење:"
+#: lang.pm:253
+#, fuzzy, c-format
+msgid "Croatia"
+msgstr "Хрватска"
-#: ../../standalone/net_monitor:1
+#: lang.pm:254
#, c-format
-msgid "Local measure"
-msgstr "Локални мерења"
+msgid "Haiti"
+msgstr "Хаити"
-#: ../../network/network.pm:1
+#: lang.pm:255 network/adsl_consts.pm:144
+#, fuzzy, c-format
+msgid "Hungary"
+msgstr "Унгарска"
+
+#: lang.pm:256
#, c-format
-msgid "Warning : IP address %s is usually reserved !"
-msgstr "Внимание : IP адресата %s вообичаено е резервирана !"
+msgid "Indonesia"
+msgstr "Идонезија"
-#: ../../mouse.pm:1
+#: lang.pm:257 standalone/drakxtv:48
#, c-format
-msgid "busmouse"
-msgstr "Bus-глушец"
+msgid "Ireland"
+msgstr "Ирска"
-#: ../../standalone/drakTermServ:1
+#: lang.pm:258
+#, fuzzy, c-format
+msgid "Israel"
+msgstr "Израелска"
+
+#: lang.pm:259
#, c-format
-msgid ""
-" - Create Etherboot Enabled Boot Images:\n"
-" \tTo boot a kernel via etherboot, a special kernel/initrd image must "
-"be created.\n"
-" \tmkinitrd-net does much of this work and drakTermServ is just a "
-"graphical \n"
-" \tinterface to help manage/customize these images. To create the "
-"file \n"
-" \t/etc/dhcpd.conf.etherboot-pcimap.include that is pulled in as an "
-"include in \n"
-" \tdhcpd.conf, you should create the etherboot images for at least "
-"one full kernel."
-msgstr ""
+msgid "India"
+msgstr "Индија"
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: lang.pm:260
#, c-format
-msgid "Account Login (user name)"
-msgstr "Акаунт Пријава (корисничко име)"
+msgid "British Indian Ocean Territory"
+msgstr "Британска територија во Индискиот Океан"
-#: ../../standalone/harddrake2:1
+#: lang.pm:261
#, c-format
-msgid "Fdiv bug"
-msgstr "Fdiv bug"
+msgid "Iraq"
+msgstr "Ирак"
-#: ../../network/drakfirewall.pm:1
+#: lang.pm:262
#, c-format
-msgid ""
-"drakfirewall configurator\n"
-"\n"
-"Make sure you have configured your Network/Internet access with\n"
-"drakconnect before going any further."
-msgstr ""
-"drakfirewall конфигуратор\n"
-"\n"
-"Пред да продолжите, осигурајте дека сте го конфигурирале Вашиот\n"
-"мрежен или Интернет пристап со drakconnect."
+msgid "Iran"
+msgstr "Иран"
+
+#: lang.pm:263
+#, fuzzy, c-format
+msgid "Iceland"
+msgstr "Исландска"
-#: ../../security/l10n.pm:1
+#: lang.pm:265
#, c-format
-msgid "Accept broadcasted icmp echo"
-msgstr "Прифати емитираното icmp ехо"
+msgid "Jamaica"
+msgstr "Јамајка"
-#: ../../lang.pm:1
+#: lang.pm:266
#, c-format
-msgid "Uruguay"
-msgstr "Уругвај"
+msgid "Jordan"
+msgstr "Јордан"
-#: ../../lang.pm:1
+#: lang.pm:267
#, c-format
-msgid "Benin"
-msgstr "Бенин"
+msgid "Japan"
+msgstr "Јапонија"
-#: ../../printer/main.pm:1
+#: lang.pm:268
#, fuzzy, c-format
-msgid "SMB/Windows server \"%s\", share \"%s\""
-msgstr " на SMB/Windows сервер \"%s\", дели \"%s\""
+msgid "Kenya"
+msgstr "Кенија"
-#: ../../standalone/drakperm:1
+#: lang.pm:269
#, c-format
-msgid "Path selection"
-msgstr "Бирање на патека"
+msgid "Kyrgyzstan"
+msgstr "Киргистан"
-#: ../../standalone/scannerdrake:1
+#: lang.pm:270
#, c-format
-msgid "Name/IP address of host:"
-msgstr "Име/IP адреса на хост:"
+msgid "Cambodia"
+msgstr "Камбоџа"
-#: ../../Xconfig/various.pm:1
+#: lang.pm:271
#, c-format
-msgid "Monitor: %s\n"
-msgstr "Монитор: %s\n"
+msgid "Kiribati"
+msgstr "����"
-#: ../../standalone/drakperm:1
-#, fuzzy, c-format
-msgid "Custom & system settings"
-msgstr "Сопствени поставувања"
+#: lang.pm:272
+#, c-format
+msgid "Comoros"
+msgstr ""
-#: ../../partition_table/raw.pm:1
+#: lang.pm:273
#, c-format
-msgid ""
-"Something bad is happening on your drive. \n"
-"A test to check the integrity of data has failed. \n"
-"It means writing anything on the disk will end up with random, corrupted "
-"data."
+msgid "Saint Kitts and Nevis"
msgstr ""
-"Нешто лошо се случува на вашиот диск. \n"
-"Тест да се провери дали откажа интегритетот на податоците. \n"
-"Тоа значи запишување на било што на дискот ќе резултира со случајни, "
-"оштетени податоци."
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:274
#, c-format
-msgid "Printer host name or IP missing!"
-msgstr "Име на принтерки хост или IP недостасуваат!"
+msgid "Korea (North)"
+msgstr "Северна Кореа"
-#: ../../standalone/drakbackup:1
+#: lang.pm:275
#, c-format
-msgid "Please check all users that you want to include in your backup."
-msgstr ""
-"Ве молиме одберете ги сите корисници кои сакате да ги вклучите во Вашиот "
-"бекап."
+msgid "Korea"
+msgstr "Кореа"
-#: ../../standalone/scannerdrake:1
+#: lang.pm:276
#, c-format
-msgid ""
-"The %s must be configured by printerdrake.\n"
-"You can launch printerdrake from the Mandrake Control Center in Hardware "
-"section."
-msgstr ""
-"%s треба да биде конфигуриран од страна на printerdrake.\n"
-"Можете да го вклучете printerdrake преку Мандрак Контролниот Центар во "
-"Хардвер секцијата."
+msgid "Kuwait"
+msgstr "Кувајт"
-#: ../../../move/move.pm:1
-#, fuzzy, c-format
-msgid "Key isn't writable"
-msgstr "XawTV не е инсталиран!"
+#: lang.pm:277
+#, c-format
+msgid "Cayman Islands"
+msgstr "Кајмански Острови"
-#: ../../lang.pm:1
+#: lang.pm:278
#, c-format
-msgid "Bangladesh"
-msgstr "Бангладеш"
+msgid "Kazakhstan"
+msgstr "Казахстан"
-#: ../../standalone/drakxtv:1
+#: lang.pm:279
#, c-format
-msgid "Japan (cable)"
-msgstr "Јапонија(кабел)"
+msgid "Laos"
+msgstr "Лаос"
-#: ../../standalone/drakfont:1
+#: lang.pm:280
#, c-format
-msgid "Initial tests"
-msgstr "Инстални тестови"
+msgid "Lebanon"
+msgstr "Либан"
-#: ../../network/isdn.pm:1
+#: lang.pm:281
#, c-format
-msgid "Continue"
-msgstr "Продолжи"
+msgid "Saint Lucia"
+msgstr "Света Луција"
-#: ../../standalone/drakbackup:1
+#: lang.pm:282
#, c-format
-msgid "Custom Restore"
-msgstr "Повратување По Избор"
+msgid "Liechtenstein"
+msgstr "Лихтенштајн"
-#: ../../standalone/drakbackup:1
+#: lang.pm:283
+#, c-format
+msgid "Sri Lanka"
+msgstr "Шри Ланка"
+
+#: lang.pm:284
#, fuzzy, c-format
-msgid "Saturday"
-msgstr "Судан"
+msgid "Liberia"
+msgstr "Либерија"
-#: ../../help.pm:1
+#: lang.pm:285
#, c-format
-msgid ""
-"\"%s\": if a sound card is detected on your system, it is displayed here.\n"
-"If you notice the sound card displayed is not the one that is actually\n"
-"present on your system, you can click on the button and choose another\n"
-"driver."
+msgid "Lesotho"
msgstr ""
-"\"%s\": ако е пронајдена звучна картичка на вашиот ситем таа е прикажана "
-"овде.\n"
-"Ако забележите ќе видете дека звучната картичка всушност не е точно онаа\n"
-"која се наоѓа на вашиот систем, можете да притиснете на копчете и да "
-"изберете\n"
-"друг драјвер."
-#: ../../security/help.pm:1
+#: lang.pm:286
#, c-format
-msgid "Set the root umask."
-msgstr "Подеси го umask за root."
+msgid "Lithuania"
+msgstr "Литванија"
-#: ../../install_any.pm:1 ../../partition_table.pm:1
+#: lang.pm:287
#, c-format
-msgid "Error reading file %s"
-msgstr "Грешка при читање на датотеката %s"
+msgid "Luxembourg"
+msgstr "Луксембург"
-#: ../../network/modem.pm:1 ../../standalone/drakconnect:1
+#: lang.pm:288
#, c-format
-msgid "Script-based"
-msgstr "Со скрипта"
+msgid "Latvia"
+msgstr "Латвија"
-#: ../../harddrake/v4l.pm:1
+#: lang.pm:289
#, c-format
-msgid "PLL setting:"
-msgstr "PLL поставка:"
+msgid "Libya"
+msgstr "Либија"
-#: ../../install_interactive.pm:1 ../../install_steps.pm:1
+#: lang.pm:290
#, c-format
-msgid "You must have a FAT partition mounted in /boot/efi"
-msgstr "Мора да имате FAT партиција монтирана на /boot/efi"
+msgid "Morocco"
+msgstr "Мароко"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:291
#, c-format
-msgid " on "
-msgstr " Вклучено "
+msgid "Monaco"
+msgstr "Монако"
-#: ../../diskdrake/dav.pm:1
+#: lang.pm:292
#, c-format
-msgid "The URL must begin with http:// or https://"
-msgstr "URL-то мора да има префикс http:// или https://"
+msgid "Moldova"
+msgstr "Молдавија"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:293
#, c-format
-msgid ""
-"You can specify directly the URI to access the printer. The URI must fulfill "
-"either the CUPS or the Foomatic specifications. Note that not all URI types "
-"are supported by all the spoolers."
-msgstr ""
-"Можеш директно да го одредиш URI да пристапиш до принтерот. URI мора да ги "
-"задоволува спецификациите на CUPS или на Foomatic. Забележете дека не сите "
-"видови на URI се подржани од сите спулери."
+msgid "Madagascar"
+msgstr "Магадаскар"
-#: ../../any.pm:1
+#: lang.pm:294
#, c-format
-msgid "Other OS (SunOS...)"
-msgstr "Друг OS (SunOS...)"
+msgid "Marshall Islands"
+msgstr "Маршалски Острови"
-#: ../../install_steps_interactive.pm:1
+#: lang.pm:295
#, c-format
-msgid "Install/Upgrade"
-msgstr "Инсталирај/Надогради"
+msgid "Macedonia"
+msgstr "Македонија"
-#: ../../install_steps_gtk.pm:1
+#: lang.pm:296
#, c-format
-msgid "%d packages"
-msgstr "%d пакети"
+msgid "Mali"
+msgstr "Мали"
-#: ../../crypto.pm:1 ../../lang.pm:1
+#: lang.pm:297
#, c-format
-msgid "Costa Rica"
-msgstr "Костарика"
+msgid "Myanmar"
+msgstr "Myanmar"
-#: ../../standalone.pm:1
+#: lang.pm:298
#, c-format
-msgid ""
-"[--config-info] [--daemon] [--debug] [--default] [--show-conf]\n"
-"Backup and Restore application\n"
-"\n"
-"--default : save default directories.\n"
-"--debug : show all debug messages.\n"
-"--show-conf : list of files or directories to backup.\n"
-"--config-info : explain configuration file options (for non-X "
-"users).\n"
-"--daemon : use daemon configuration. \n"
-"--help : show this message.\n"
-"--version : show version number.\n"
-msgstr ""
-"[--config-info] [--daemon] [--debug] [--default] [--show-conf]\n"
-"Апликација за Бекап и Повратување\n"
-"\n"
-"--default : ги снима стандардните директориуми.\n"
-"--debug : ги прикажува сите дебагирачки пораки.\n"
-"--show-conf : листа на датотеки или директориуми за бекап.\n"
-"--config-info : ги објаснува конфигурационите опции (за не-X "
-"корисници).\n"
-"--daemon : користи демон конфигурација. \n"
-"--help : ја прикажува оваа порака.\n"
-"--version : го прикажува бројот на верзијата.\n"
+msgid "Mongolia"
+msgstr "Монголија"
-#: ../../diskdrake/smbnfs_gtk.pm:1
+#: lang.pm:299
#, c-format
-msgid "Domain Authentication Required"
-msgstr "Потребна е автентикација на домен"
+msgid "Northern Mariana Islands"
+msgstr "Западно Маријански Острови"
-#: ../../security/level.pm:1
+#: lang.pm:300
#, c-format
-msgid "Use libsafe for servers"
-msgstr "Користење libsafe за сервери"
+msgid "Martinique"
+msgstr "Мартиник"
-#: ../../keyboard.pm:1
+#: lang.pm:301
#, c-format
-msgid "Icelandic"
-msgstr "Исландска"
+msgid "Mauritania"
+msgstr "Мауританија"
-#: ../../standalone.pm:1
+#: lang.pm:302
#, c-format
-msgid ""
-"\n"
-"Usage: %s [--auto] [--beginner] [--expert] [-h|--help] [--noauto] [--"
-"testing] [-v|--version] "
-msgstr ""
-"\n"
-"Искористеност: %s [--auto] [--beginner] [--expert] [-h|--help] [--noauto] "
-"[--testing] [-v|--version] "
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid ""
-"Maximum size\n"
-" allowed for Drakbackup (MB)"
-msgstr ""
-"Внесете ја максималната големина\n"
-" дозволена за Drakbackup (Mb)"
+msgid "Montserrat"
+msgstr "Монсерат"
-#: ../../loopback.pm:1
+#: lang.pm:303
#, c-format
-msgid "Circular mounts %s\n"
-msgstr "Циркуларни монтирања %s\n"
+msgid "Malta"
+msgstr "Малта"
-#: ../../standalone/drakboot:1
+#: lang.pm:304
#, c-format
-msgid "Lilo/grub mode"
-msgstr "Lilo/grub режим"
+msgid "Mauritius"
+msgstr "Маурициус"
-#: ../../lang.pm:1
+#: lang.pm:305
#, c-format
-msgid "Martinique"
-msgstr "Мартиник"
+msgid "Maldives"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: lang.pm:306
#, c-format
-msgid "HardDrive / NFS"
-msgstr "HardDrive / NFS"
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Old user list:\n"
-msgstr ""
-"\n"
-" Кориснички Датотеки"
+msgid "Malawi"
+msgstr "Малави"
-#: ../../standalone/drakbackup:1
+#: lang.pm:307
#, c-format
-msgid "Search Backups"
-msgstr "Барај бекапи"
+msgid "Mexico"
+msgstr "Мексико"
-#: ../../modules/parameters.pm:1
+#: lang.pm:308
#, c-format
-msgid "a number"
-msgstr "број"
+msgid "Malaysia"
+msgstr "Малезија"
-#: ../../keyboard.pm:1
+#: lang.pm:309
#, c-format
-msgid "Swedish"
-msgstr "Шведска"
+msgid "Mozambique"
+msgstr "Мозамбик"
-#. -PO: the %s is the driver type (scsi, network, sound,...)
-#: ../../modules/interactive.pm:1
+#: lang.pm:310
#, c-format
-msgid "Which %s driver should I try?"
-msgstr "Кој %s драјвер да го пробам?"
+msgid "Namibia"
+msgstr "Намбиа"
-#: ../../standalone/logdrake:1
+#: lang.pm:311
#, c-format
-msgid ""
-"You will receive an alert if one of the selected services is no longer "
-"running"
-msgstr "Ќе добиете аларм ако еден од избраните сервиси повеќе не работи"
+msgid "New Caledonia"
+msgstr "Нова Каледонија"
-#: ../../standalone/drakbackup:1
+#: lang.pm:312
#, fuzzy, c-format
-msgid "Weekday"
-msgstr "неделно"
+msgid "Niger"
+msgstr "Нигерија"
-#: ../../diskdrake/hd_gtk.pm:1
+#: lang.pm:313
#, c-format
-msgid "Filesystem types:"
-msgstr "Типови фајлсистеми:"
+msgid "Norfolk Island"
+msgstr "Норфолк Остров"
-#: ../../lang.pm:1
+#: lang.pm:314
#, c-format
-msgid "Northern Mariana Islands"
-msgstr "Западно Маријански Острови"
+msgid "Nigeria"
+msgstr "Нигериа"
-#: ../../printer/main.pm:1
+#: lang.pm:315
#, c-format
-msgid ", multi-function device on HP JetDirect"
-msgstr ", повеќе-функциски уред на HP JetDirect"
+msgid "Nicaragua"
+msgstr "Никарагва"
-#: ../../mouse.pm:1
+#: lang.pm:318
#, c-format
-msgid "none"
-msgstr "ниту еден"
+msgid "Nepal"
+msgstr "непал"
-#: ../../standalone/drakconnect:1
+#: lang.pm:319
#, c-format
-msgid ""
-"Name of the profile to create (the new profile is created as a copy of the "
-"current one) :"
+msgid "Nauru"
+msgstr "Науру"
+
+#: lang.pm:320
+#, c-format
+msgid "Niue"
msgstr ""
-"Име на профилот што треба да се направи(новиот профил ќе се направи како "
-"копија на постоечкиот) :"
-#: ../../harddrake/data.pm:1
+#: lang.pm:321
+#, fuzzy, c-format
+msgid "New Zealand"
+msgstr "Нов Зеланд"
+
+#: lang.pm:322
#, c-format
-msgid "Floppy"
-msgstr "Floppy"
+msgid "Oman"
+msgstr "Оман"
-#: ../../standalone/drakfont:1
+#: lang.pm:323
#, c-format
-msgid "Ghostscript referencing"
-msgstr "Ghostscript поврзување"
+msgid "Panama"
+msgstr "Панама"
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
+#: lang.pm:324
#, c-format
-msgid "Bootloader"
-msgstr "Подигач"
+msgid "Peru"
+msgstr "Перу"
-#: ../../security/l10n.pm:1
+#: lang.pm:325
#, c-format
-msgid "Authorize all services controlled by tcp_wrappers"
-msgstr "Одобри ги сите сервиси контролирани од страна на tcp_wrappers"
+msgid "French Polynesia"
+msgstr "Француска Полинезија"
-#: ../../diskdrake/interactive.pm:1
+#: lang.pm:326
#, c-format
-msgid "Move"
-msgstr "Премести"
+msgid "Papua New Guinea"
+msgstr "Папа Нова Гвинеја"
-#: ../../any.pm:1 ../../help.pm:1
+#: lang.pm:327
#, c-format
-msgid "Bootloader to use"
-msgstr "Подигач кој ќе се користи"
+msgid "Philippines"
+msgstr "Филипини"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:328
#, c-format
-msgid "SMB server host"
-msgstr "SMB компјутерски сервер"
+msgid "Pakistan"
+msgstr "Пакистан"
-#: ../../standalone/drakTermServ:1
+#: lang.pm:329 network/adsl_consts.pm:177
#, c-format
-msgid "Name Servers:"
-msgstr "Name сервери:"
+msgid "Poland"
+msgstr "Полска"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Minute"
-msgstr "1 минута"
+#: lang.pm:330
+#, c-format
+msgid "Saint Pierre and Miquelon"
+msgstr "Свети Петар и Микелон"
-#: ../../install_messages.pm:1
+#: lang.pm:331
#, c-format
-msgid ""
-"\n"
-"Warning\n"
-"\n"
-"Please read carefully the terms below. If you disagree with any\n"
-"portion, you are not allowed to install the next CD media. Press 'Refuse' \n"
-"to continue the installation without using these media.\n"
-"\n"
-"\n"
-"Some components contained in the next CD media are not governed\n"
-"by the GPL License or similar agreements. Each such component is then\n"
-"governed by the terms and conditions of its own specific license. \n"
-"Please read carefully and comply with such specific licenses before \n"
-"you use or redistribute the said components. \n"
-"Such licenses will in general prevent the transfer, duplication \n"
-"(except for backup purposes), redistribution, reverse engineering, \n"
-"de-assembly, de-compilation or modification of the component. \n"
-"Any breach of agreement will immediately terminate your rights under \n"
-"the specific license. Unless the specific license terms grant you such\n"
-"rights, you usually cannot install the programs on more than one\n"
-"system, or adapt it to be used on a network. In doubt, please contact \n"
-"directly the distributor or editor of the component. \n"
-"Transfer to third parties or copying of such components including the \n"
-"documentation is usually forbidden.\n"
-"\n"
-"\n"
-"All rights to the components of the next CD media belong to their \n"
-"respective authors and are protected by intellectual property and \n"
-"copyright laws applicable to software programs.\n"
-msgstr ""
-"\n"
-"Внимание\n"
-"\n"
-"Внимателно прочитајте ги следниве услови. Ако не се согласувате\n"
-"со било кој дел, не Ви е дозволено да инсталирате од следните цедиња.\n"
-"Притиснете \"Одбиј\" за да продолжите со инсталирање без овие медиуми.\n"
-"\n"
-"\n"
-"Некои компоненти на следниве цедиња не потпаѓаат под лиценцата GPL \n"
-"или некои слични договори. Секоја од таквите компоненти во таков\n"
-"случај потпаѓа под термините и условите на сопствената лиценца. \n"
-"Внимателно прочитајте ги и прифатете ги таквите специфични лиценци \n"
-"пред да ги користите или редистрибуирате овие компоненти. \n"
-"Општо земено, таквите лиценци забрануваат трансфер, копирање \n"
-"(освен во цел на бекап), редистрибуирање, обратно инжинерство (reverse\n"
-"engineering), дисасемблирање или модификација на компонентите.\n"
-"Секое прекршување на договорот автоматски ќе ги терминира Вашите\n"
-"права под конкретната лиценца. Освен ако специфичните лиценци Ви\n"
-"дозволуваат, обично не можете да ги инсталирате програмите на повеќе\n"
-"од еден систем, или да ги адаптирате да се користат мрежно. Ако сте\n"
-"во двоумење, контактирајте го дистрибутерот или уредникот на \n"
-"компонентата директно.\n"
-"Трансфер на трети лица или копирање на таквите компоненти, \n"
-"вклучувајќи ја документацијата, е обично забрането.\n"
-"\n"
-"\n"
-"Сите права на компонентите на следните цеде-медиуми припаѓаат\n"
-"на нивните соодветни автори и се заштите со законите за интелектуална\n"
-"сопственост и авторски права (copyright laws) што се применливи за\n"
-"софтверски програми.\n"
+msgid "Pitcairn"
+msgstr "Pitcairn"
-#: ../../standalone/printerdrake:1
+#: lang.pm:332
#, fuzzy, c-format
-msgid "/_Expert mode"
-msgstr "Експертски режим"
+msgid "Puerto Rico"
+msgstr "Порто Рико"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:333
#, c-format
-msgid "Remove this printer from Star Office/OpenOffice.org/GIMP"
-msgstr "Отстрани го овој принтер од Star Office/OpenOffice.org/GIMP"
+msgid "Palestine"
+msgstr "Палестина"
-#: ../../services.pm:1
+#: lang.pm:334 network/adsl_consts.pm:187
+#, fuzzy, c-format
+msgid "Portugal"
+msgstr "Португалија"
+
+#: lang.pm:335
#, c-format
-msgid ""
-"Linux Virtual Server, used to build a high-performance and highly\n"
-"available server."
-msgstr ""
-"Линукс Виртуален Сервер, се користи за да се изгради високо достапен сервер "
-"со високи перформанси."
+msgid "Paraguay"
+msgstr "Парагвај"
-#: ../../lang.pm:1
+#: lang.pm:336
#, c-format
-msgid "Micronesia"
-msgstr "Микронезија"
+msgid "Palau"
+msgstr "Палау"
-#: ../../Xconfig/resolution_and_depth.pm:1
+#: lang.pm:337
#, c-format
-msgid "4 billion colors (32 bits)"
-msgstr "4 милијарди бои (32 бита)"
+msgid "Qatar"
+msgstr "Катар"
-#: ../../steps.pm:1
+#: lang.pm:338
#, c-format
-msgid "License"
-msgstr "Лиценца"
+msgid "Reunion"
+msgstr "Ресоединување"
-#: ../../standalone/drakbackup:1
+#: lang.pm:339
#, c-format
-msgid "This may take a moment to generate the keys."
-msgstr "На ова можеби му е потребно момент за да ги генерира копчињата."
+msgid "Romania"
+msgstr "Романија"
-#: ../../standalone/draksec:1
+#: lang.pm:340
#, fuzzy, c-format
-msgid ""
-"Here, you can setup the security level and administrator of your machine.\n"
-"\n"
-"\n"
-"The Security Administrator is the one who will receive security alerts if "
-"the\n"
-"'Security Alerts' option is set. It can be a username or an email.\n"
-"\n"
-"\n"
-"The Security Level menu allows you to select one of the six preconfigured "
-"security levels\n"
-"provided with msec. These levels range from poor security and ease of use, "
-"to\n"
-"paranoid config, suitable for very sensitive server applications:\n"
-"\n"
-"\n"
-"<span foreground=\"royalblue3\">Poor</span>: This is a totally unsafe but "
-"very\n"
-"easy to use security level. It should only be used for machines not "
-"connected to\n"
-"any network and that are not accessible to everybody.\n"
-"\n"
-"\n"
-"<span foreground=\"royalblue3\">Standard</span>: This is the standard "
-"security\n"
-"recommended for a computer that will be used to connect to the Internet as "
-"a\n"
-"client.\n"
-"\n"
-"\n"
-"<span foreground=\"royalblue3\">High</span>: There are already some\n"
-"restrictions, and more automatic checks are run every night.\n"
-"\n"
-"\n"
-"<span foreground=\"royalblue3\">Higher</span>: The security is now high "
-"enough\n"
-"to use the system as a server which can accept connections from many "
-"clients. If\n"
-"your machine is only a client on the Internet, you should choose a lower "
-"level.\n"
-"\n"
-"\n"
-"<span foreground=\"royalblue3\">Paranoid</span>: This is similar to the "
-"previous\n"
-"level, but the system is entirely closed and security features are at their\n"
-"maximum"
-msgstr ""
-"Овде можете да го поставите сигурносното ниво и администраторот на Вашиот "
-"компјутер.\n"
-"\n"
-"\n"
-"Администраторот е еден кој ќе ги прима сигурносните пораки, ако the\n"
-"таа опција е вклучена. Тој може да биде корисничко име или е-маил адреса.\n"
-"\n"
-"\n"
-"Сигурносното ниво овозможува да одберете една од шест преконфигурирани "
-"сигурности.\n"
-"Тие нивоа се рангирани од сиромашна сигурност и лесна за употреба, до\n"
-"параноидена која се користи за многу чуствителни сервери:\n"
-"\n"
-"\n"
-"<span foreground=\"royalblue3\">Сиромашна</span>: Ова е тотално несигурно но "
-"многу\n"
-"лесно за употреба сигурносно ниво. Ова би требало да се користи кај "
-"компјутери кои не се поврзани\n"
-"на никаква мрежа и не се достапни за никој.\n"
-"\n"
-"\n"
-"<span foreground=\"royalblue3\">Стандардна</span>: Ова е стандардна "
-"сигурност\n"
-"препорачлива за компјутер кој се корити за поврзување на Интернет како "
-"клиент.\n"
-"\n"
-"\n"
-"<span foreground=\"royalblue3\">Висока</span>: Овде постојат некои "
-"рестрикции\n"
-"и многу автоматски проверки.\n"
-"\n"
-"\n"
-"<span foreground=\"royalblue3\">Повисока</span>: Сигурноста е такава да "
-"можете овој компјутер\n"
-"да го користете како сервер, на кој ќе може да се поврзат клиенти. Ако\n"
-"Вашиот компјутер е само клиент заповрзување на Интернет треба да користете "
-"пониско ниво на сигурност.\n"
-"\n"
-"\n"
-"<span foreground=\"royalblue3\">Параноидна</span>: Овде сите влезови во "
-"системот се затворени и се е поставено на максимум"
+msgid "Russia"
+msgstr "Руска"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:341
#, c-format
-msgid "Printer auto-detection (Local, TCP/Socket, and SMB printers)"
-msgstr "Принтерска авто-детекција (Локален, TCP/Socket, и SMB принтери)"
+msgid "Rwanda"
+msgstr "Руанда"
-#: ../../network/adsl.pm:1
+#: lang.pm:342
#, c-format
-msgid "Sagem (using pppoa) usb"
-msgstr "Sagem (користи pppoa) usb"
+msgid "Saudi Arabia"
+msgstr "Саудиска Арабија"
-#: ../../install_any.pm:1
+#: lang.pm:343
#, c-format
-msgid ""
-"An error occurred - no valid devices were found on which to create new "
-"filesystems. Please check your hardware for the cause of this problem"
-msgstr ""
-"Се случи грешка - не се најдени валидни уреди за на нив да се создаде нов "
-"фајлсистем. Проверете го Вашиот хардвер, за да го отстраните проблемот"
+msgid "Solomon Islands"
+msgstr "Соломонски Острови"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:344
#, c-format
-msgid "Starting the printing system at boot time"
-msgstr "Вклучување на принтерскиот систем при подигањето"
+msgid "Seychelles"
+msgstr "Сејшели"
-#: ../../network/netconnect.pm:1
+#: lang.pm:345
+#, fuzzy, c-format
+msgid "Sudan"
+msgstr "Судан"
+
+#: lang.pm:347
#, c-format
-msgid "Do you want to start the connection at boot?"
-msgstr "Дали сакате да ја вклучите конекцијата при подигањето?"
+msgid "Singapore"
+msgstr "Сингапур"
-#: ../../standalone/harddrake2:1
+#: lang.pm:348
+#, fuzzy, c-format
+msgid "Saint Helena"
+msgstr "Света Елена"
+
+#: lang.pm:349
#, c-format
-msgid "Processor ID"
-msgstr "Процесорски ID"
+msgid "Slovenia"
+msgstr "Словенија"
-#: ../../harddrake/sound.pm:1
+#: lang.pm:350
#, c-format
-msgid "Sound trouble shooting"
-msgstr "Отстранување на проблемот за звукот"
+msgid "Svalbard and Jan Mayen Islands"
+msgstr "Свалбандски и Јан Мајенски Острови"
-#: ../../keyboard.pm:1
+#: lang.pm:351
#, c-format
-msgid "Polish (qwerty layout)"
-msgstr "Полска (qwerty распоред)"
+msgid "Slovakia"
+msgstr "Словачка"
-#: ../../standalone/printerdrake:1
-#, fuzzy, c-format
-msgid "/_Add Printer"
-msgstr "Принтер"
+#: lang.pm:352
+#, c-format
+msgid "Sierra Leone"
+msgstr "Сиера Леоне"
-#: ../../standalone/drakbackup:1
+#: lang.pm:353
#, c-format
-msgid ""
-"\n"
-"Drakbackup activities via CD:\n"
-"\n"
-msgstr ""
-"\n"
-"Drakbackup се активира преку CD:\n"
-"\n"
+msgid "San Marino"
+msgstr "Сан Марино"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:354
#, c-format
-msgid ""
-"You are about to install the printing system %s on a system running in the %"
-"s security level.\n"
-"\n"
-"This printing system runs a daemon (background process) which waits for "
-"print jobs and handles them. This daemon is also accessable by remote "
-"machines through the network and so it is a possible point for attacks. "
-"Therefore only a few selected daemons are started by default in this "
-"security level.\n"
-"\n"
-"Do you really want to configure printing on this machine?"
-msgstr ""
-"Вие ќе го инсталирате принтерскиот систем %s на систем кој работи во%s "
-"сигурносно ниво.\n"
-"\n"
-"Овој принтерски ситем вклучува демон (процес во позадина) кој чека "
-"принтерски работи и се справува со нив. Овој демон е исто така достапен "
-"преку оддалечени машни прелу мрежата и е можна точка за напади. Затоа само "
-"неколку избрани демони се стандардно вклучени во овасигурносно ниво.\n"
-"\n"
-"Дали навистина сакаш да го конфигурираш принтерскиот систем на оваа машина?"
+msgid "Senegal"
+msgstr "Сенегал"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:355
#, c-format
-msgid "Host \"%s\", port %s"
-msgstr "Компјутер \"%s\", порт %s"
+msgid "Somalia"
+msgstr "Сомалија"
+
+#: lang.pm:356
+#, fuzzy, c-format
+msgid "Suriname"
+msgstr "Сурнинам"
-#: ../../diskdrake/interactive.pm:1
+#: lang.pm:357
#, c-format
-msgid "This partition can't be used for loopback"
-msgstr "Оваа партиција не може да се користи за loopback"
+msgid "Sao Tome and Principe"
+msgstr "Sao Tome and Principe"
-#: ../../diskdrake/interactive.pm:1
+#: lang.pm:358
#, c-format
-msgid "File already exists. Use it?"
-msgstr "Датотека веќе постои. Да се користи?"
+msgid "El Salvador"
+msgstr "Ел Салвадор"
-#: ../../standalone/net_monitor:1
+#: lang.pm:359
#, c-format
-msgid "received: "
-msgstr "добиено: "
+msgid "Syria"
+msgstr "Сирија"
-#: ../../keyboard.pm:1
+#: lang.pm:360
#, c-format
-msgid "Right Alt key"
-msgstr "Десното Alt копче"
+msgid "Swaziland"
+msgstr "Свазиленд"
-#: ../../standalone/harddrake2:1
+#: lang.pm:361
#, c-format
-msgid "the list of alternative drivers for this sound card"
-msgstr "листата на алтернативни драјвери за оваа звучна картичка"
+msgid "Turks and Caicos Islands"
+msgstr ""
-#: ../../standalone/drakconnect:1
+#: lang.pm:362
#, c-format
-msgid "Gateway"
-msgstr "Gateway"
+msgid "Chad"
+msgstr "Чад"
-#: ../../lang.pm:1
+#: lang.pm:363
#, c-format
-msgid "Tonga"
-msgstr "Tonga"
+msgid "French Southern Territories"
+msgstr "Југоисточни Француски Територии"
-#: ../../lang.pm:1
+#: lang.pm:364
#, c-format
-msgid "Tunisia"
-msgstr "���"
+msgid "Togo"
+msgstr "Того"
-#: ../../standalone/scannerdrake:1
+#: lang.pm:365
#, c-format
-msgid "Scanner sharing"
-msgstr "Делење на Скенер"
+msgid "Thailand"
+msgstr "Тајланд"
-#: ../../standalone/drakconnect:1
+#: lang.pm:366
#, c-format
-msgid "Profile: "
-msgstr "Профил: "
+msgid "Tajikistan"
+msgstr "Таџикистан"
-#: ../../standalone/harddrake2:1
+#: lang.pm:367
#, c-format
-msgid ""
-"Click on a device in the left tree in order to display its information here."
-msgstr ""
-"Притиснете на уред во левата гранка за да се прикаже неговата информацијата "
-"овде."
+msgid "Tokelau"
+msgstr "Толекау"
-#: ../../security/help.pm:1
+#: lang.pm:368
#, c-format
-msgid "Allow/Forbid autologin."
-msgstr "Дозволи/Забрани авто-логирање."
+msgid "East Timor"
+msgstr "Источен Тимор"
-#: ../../standalone/drakxtv:1
+#: lang.pm:369
#, c-format
-msgid "XawTV isn't installed!"
-msgstr "XawTV не е инсталиран!"
+msgid "Turkmenistan"
+msgstr "Туркменистан"
-#: ../../standalone/drakbackup:1
+#: lang.pm:370
#, c-format
-msgid "Do not include critical files (passwd, group, fstab)"
-msgstr "Не ги вклучувај критичните датотеки (passwd, group, fstab)"
+msgid "Tunisia"
+msgstr "���"
-#: ../../standalone/harddrake2:1
+#: lang.pm:371
#, c-format
-msgid "old static device name used in dev package"
-msgstr "старо статично име на уред користено во dev пакетот"
+msgid "Tonga"
+msgstr "Tonga"
-#: ../../security/l10n.pm:1
+#: lang.pm:372
#, c-format
-msgid "Enable the logging of IPv4 strange packets"
-msgstr "Овозможи го логирањето на IPv4 чудните пакети"
+msgid "Turkey"
+msgstr "Турција"
-#: ../../any.pm:1
+#: lang.pm:373
#, c-format
-msgid "This label is already used"
-msgstr "Оваа ознака е веќе искористена"
+msgid "Trinidad and Tobago"
+msgstr "Тринидад и Тобаго"
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid ""
-"\n"
-"Welcome to the Printer Setup Wizard\n"
-"\n"
-"This wizard will help you to install your printer(s) connected to this "
-"computer or connected directly to the network.\n"
-"\n"
-"If you have printer(s) connected to this machine, Please plug it/them in on "
-"this computer and turn it/them on so that it/they can be auto-detected. Also "
-"your network printer(s) must be connected and turned on.\n"
-"\n"
-"Note that auto-detecting printers on the network takes longer than the auto-"
-"detection of only the printers connected to this machine. So turn off the "
-"auto-detection of network printers when you don't need it.\n"
-"\n"
-" Click on \"Next\" when you are ready, and on \"Cancel\" if you do not want "
-"to set up your printer(s) now."
-msgstr ""
-"\n"
-" Добредојдовте на Печатач Подготви Волшебник\n"
-"\n"
-" на s на или на\n"
-"\n"
-" s на во Вклучено и Вклучено s и Вклучено\n"
-"\n"
-" Забелешка Вклучено на Исклучено\n"
-"\n"
-" Вклучено Следно и Вклучено Откажи на s."
+#: lang.pm:374
+#, c-format
+msgid "Tuvalu"
+msgstr "Тувалу"
-#: ../../keyboard.pm:1
+#: lang.pm:375
#, c-format
-msgid "Greek (polytonic)"
-msgstr "Грчки (Политонски)"
+msgid "Taiwan"
+msgstr "Тајван"
-#: ../../diskdrake/interactive.pm:1
+#: lang.pm:376
#, c-format
-msgid "After formatting partition %s, all data on this partition will be lost"
-msgstr ""
-"По форматирањето на партицијата %s, сите податоци на оваа партиција ќе бидат "
-"изгубени"
+msgid "Tanzania"
+msgstr "Танзанија"
-#: ../../standalone/net_monitor:1
+#: lang.pm:377
#, c-format
-msgid "Connection Time: "
-msgstr "Време на конектирање:"
+msgid "Ukraine"
+msgstr "Украина"
-#: ../../standalone/livedrake:1
+#: lang.pm:378
#, fuzzy, c-format
-msgid ""
-"Please insert the Installation Cd-Rom in your drive and press Ok when done.\n"
-"If you don't have it, press Cancel to avoid live upgrade."
-msgstr ""
-"во и Ок\n"
-" Откажи на."
+msgid "Uganda"
+msgstr "Уганда"
-#: ../../standalone/drakperm:1
+#: lang.pm:379
#, c-format
-msgid "Use group id for execution"
-msgstr "Користи групна идентификација за извршување"
+msgid "United States Minor Outlying Islands"
+msgstr ""
-#: ../../any.pm:1
+#: lang.pm:381
#, c-format
-msgid "Choose the default user:"
-msgstr "Изберете го корисникот:"
+msgid "Uruguay"
+msgstr "Уругвај"
-#: ../../lang.pm:1
+#: lang.pm:382
#, c-format
-msgid "Gabon"
-msgstr "Габон"
+msgid "Uzbekistan"
+msgstr "Узбекистан"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:383
#, fuzzy, c-format
-msgid ""
-"\n"
-"Printers on remote CUPS servers do not need to be configured here; these "
-"printers will be automatically detected."
-msgstr ""
-"\n"
-" Печатачи Вклучено на."
+msgid "Vatican"
+msgstr "Лаотска"
-#: ../../any.pm:1
+#: lang.pm:384
#, c-format
-msgid ""
-"Mandrake Linux can support multiple languages. Select\n"
-"the languages you would like to install. They will be available\n"
-"when your installation is complete and you restart your system."
-msgstr ""
-"Мандрак Линукс подджува повеќејазичност. Изберете\n"
-"ги јазиците што сакате да се инсталираат. Тие ќе бидат\n"
-"достапни кога инсталацијата ќе заврши и ќе го \n"
-"рестартирате системот."
+msgid "Saint Vincent and the Grenadines"
+msgstr "Свети Винсент"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Directory (or module) to put the backup on this host."
+#: lang.pm:385
+#, c-format
+msgid "Venezuela"
+msgstr "Венецуела"
+
+#: lang.pm:386
+#, c-format
+msgid "Virgin Islands (British)"
+msgstr "Девствени Острови"
+
+#: lang.pm:387
+#, c-format
+msgid "Virgin Islands (U.S.)"
msgstr ""
-"Ве молиме внесете го директориумот (или модулот) каде\n"
-" да се смети бекапот на овој компјутер."
-#: ../../diskdrake/smbnfs_gtk.pm:1
+#: lang.pm:388
#, c-format
-msgid "Domain"
-msgstr "Домен"
+msgid "Vietnam"
+msgstr "Виетнам"
-#: ../../any.pm:1
+#: lang.pm:389
#, c-format
-msgid "Precise RAM size if needed (found %d MB)"
-msgstr "Точното количество РАМ, ако е потребно (пронајдени се %d МБ) "
+msgid "Vanuatu"
+msgstr "Вануту"
-#: ../../help.pm:1
+#: lang.pm:390
#, c-format
-msgid ""
-"LILO and grub are GNU/Linux bootloaders. Normally, this stage is totally\n"
-"automated. DrakX will analyze the disk boot sector and act according to\n"
-"what it finds there:\n"
-"\n"
-" * if a Windows boot sector is found, it will replace it with a grub/LILO\n"
-"boot sector. This way you will be able to load either GNU/Linux or another\n"
-"OS.\n"
-"\n"
-" * if a grub or LILO boot sector is found, it will replace it with a new\n"
-"one.\n"
-"\n"
-"If it cannot make a determination, DrakX will ask you where to place the\n"
-"bootloader."
+msgid "Wallis and Futuna"
msgstr ""
-"LILO и grub се GNU/Линукс подигачи. Нормално, оваа фаза е тотално\n"
-"автоматизирана. DrakX ќе го анализира подигачкиот сектор на дискот\n"
-"и ќе се однесува согласно со тоа што ќе пронајде таму:\n"
-"\n"
-" * акое пронајден Windows подигачки сектор, ќе го замени со grub/LILO\n"
-"подигачки сектор. Вака ќе можете да подигате или GNU/Linux или друг\n"
-"Оперативен Систем.\n"
-"\n"
-" * ако е пронајден grub или LILO подигачки сектор, ќе го замени со\n"
-"нов.\n"
-"\n"
-"Ако не може да се определи, DrakX ќе ве праша каде да го сместите\n"
-"подигачот."
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: lang.pm:391
#, c-format
-msgid "Provider dns 2 (optional)"
-msgstr "dns Провајдер 2 (опционо)"
+msgid "Samoa"
+msgstr "Самоа"
-#: ../../any.pm:1 ../../help.pm:1
+#: lang.pm:392
#, c-format
-msgid "Boot device"
-msgstr "Уред за подигачот"
+msgid "Yemen"
+msgstr "Јемен"
-#: ../../install_interactive.pm:1
+#: lang.pm:393
#, c-format
-msgid "Which partition do you want to resize?"
-msgstr "Која партиција сакате да ја зголемувате/намалувате?"
+msgid "Mayotte"
+msgstr "Мајот"
-#: ../../lang.pm:1
+#: lang.pm:394
#, c-format
-msgid "United States Minor Outlying Islands"
+msgid "Serbia & Montenegro"
msgstr ""
-#: ../../lang.pm:1
+#: lang.pm:395 standalone/drakxtv:50
#, c-format
-msgid "Djibouti"
-msgstr ""
+msgid "South Africa"
+msgstr "Јужна Африка"
-#: ../../standalone/logdrake:1
+#: lang.pm:396
#, c-format
-msgid "A tool to monitor your logs"
-msgstr "Алатка за надгледување на вашите логови"
+msgid "Zambia"
+msgstr "Замбија"
-#: ../../network/netconnect.pm:1
+#: lang.pm:397
#, c-format
-msgid "detected on port %s"
-msgstr "детектирано на порта %s"
+msgid "Zimbabwe"
+msgstr "Зимбабве"
-#: ../../printer/data.pm:1
+#: lang.pm:966
#, c-format
-msgid "LPD"
-msgstr "LPD"
+msgid "Welcome to %s"
+msgstr "Добредојдовте во %s"
-#: ../../Xconfig/various.pm:1
+#: loopback.pm:32
#, c-format
-msgid "Graphics card: %s\n"
-msgstr "Графичка карта: %s\n"
+msgid "Circular mounts %s\n"
+msgstr "Циркуларни монтирања %s\n"
-#: ../../standalone/printerdrake:1
-#, fuzzy, c-format
-msgid "/Set as _Default"
-msgstr "Предефинирано"
+#: lvm.pm:115
+#, c-format
+msgid "Remove the logical volumes first\n"
+msgstr "Отстрани ги прво логичките партиции\n"
-#: ../../security/l10n.pm:1
+#: modules/interactive.pm:21 standalone/drakconnect:962
#, c-format
-msgid "Accept icmp echo"
-msgstr "Прифати icmp ехо"
+msgid "Parameters"
+msgstr "Параметри"
-#: ../../bootloader.pm:1
+#: modules/interactive.pm:21 standalone/draksec:44
#, c-format
-msgid "Yaboot"
-msgstr "Yaboot"
+msgid "NONE"
+msgstr "ПРАЗНО"
-#: ../../mouse.pm:1
+#: modules/interactive.pm:22
#, fuzzy, c-format
-msgid "Logitech CC Series with Wheel emulation"
-msgstr "Logitech CC Series"
+msgid "Module configuration"
+msgstr "Рачна конфигурација"
-#: ../../partition_table.pm:1
+#: modules/interactive.pm:22
#, c-format
-msgid "Extended partition not supported on this platform"
-msgstr "Продолжената партиција не е подржана на оваа платформа"
+msgid "You can configure each parameter of the module here."
+msgstr "Тука можете да го наместите секој параметар на модулот."
-#: ../../standalone/drakboot:1
+#: modules/interactive.pm:63
#, c-format
-msgid "Splash selection"
-msgstr "Избор на ударен екран"
+msgid "Found %s %s interfaces"
+msgstr "Најдени се %s %s интерфејси"
-#: ../../network/isdn.pm:1
+#: modules/interactive.pm:64
#, c-format
-msgid "ISDN Configuration"
-msgstr "Конфигурација на ISDN"
+msgid "Do you have another one?"
+msgstr "Дали имате уште некој?"
-#: ../../printer/printerdrake.pm:1
+#: modules/interactive.pm:65
#, c-format
-msgid "high"
-msgstr "високо"
+msgid "Do you have any %s interfaces?"
+msgstr "Дали имате %s интерфејси?"
-#: ../../standalone/drakgw:1
+#: modules/interactive.pm:71
#, c-format
-msgid "Internet Connection Sharing"
-msgstr "Делење на Интернет Конекцијата"
+msgid "See hardware info"
+msgstr "Видете ги информациите за хардверот"
+
+#. -PO: the first %s is the card type (scsi, network, sound,...)
+#. -PO: the second is the vendor+model name
+#: modules/interactive.pm:87
+#, c-format
+msgid "Installing driver for %s card %s"
+msgstr "Инсталирање на драјвер за %s картичката %s"
-#: ../../standalone/logdrake:1
+#: modules/interactive.pm:87
#, c-format
-msgid "Choose file"
-msgstr "Избери датотека"
+msgid "(module %s)"
+msgstr "(модул %s)"
-#: ../../standalone/drakbug:1
+#: modules/interactive.pm:98
#, fuzzy, c-format
-msgid "Summary: "
-msgstr "Резултати"
+msgid ""
+"You may now provide options to module %s.\n"
+"Note that any address should be entered with the prefix 0x like '0x123'"
+msgstr ""
+"Сега можете да ги наведете неговите опции за модулот %s.\n"
+"Ако внесувате адреси, правете го тоа со префикс 0x, како на пример \"0x124\""
-#: ../../network/shorewall.pm:1
+#: modules/interactive.pm:104
#, c-format
msgid ""
-"Warning! An existing firewalling configuration has been detected. You may "
-"need some manual fixes after installation."
+"You may now provide options to module %s.\n"
+"Options are in format ``name=value name2=value2 ...''.\n"
+"For instance, ``io=0x300 irq=7''"
msgstr ""
-"Предупредување! Откриена е постоечка конфигурација на огнен ѕид. Можеби "
-"треба нешто рачно да поправите по инсталацијата."
+"Сега можете да наведете опции за модулот %s.\n"
+"Опциите се со формат \"name=value name2=value2 ...\".\n"
+"На пример, \"io=0x300 irq=7\""
-#: ../../printer/printerdrake.pm:1
+#: modules/interactive.pm:106
#, c-format
-msgid "Printing/Photo Card Access on \"%s\""
-msgstr "Печатачка/Фотографска Пристап-картичка на \"%s\""
+msgid "Module options:"
+msgstr "Модул-опции:"
-#: ../../security/l10n.pm:1
+#. -PO: the %s is the driver type (scsi, network, sound,...)
+#: modules/interactive.pm:118
#, c-format
-msgid "Daily security check"
-msgstr "Дневна сигурносна проверка"
+msgid "Which %s driver should I try?"
+msgstr "Кој %s драјвер да го пробам?"
-#: ../../printer/printerdrake.pm:1
-#, c-format
+#: modules/interactive.pm:127
+#, fuzzy, c-format
msgid ""
-"Do you want to enable printing on the printers mentioned above or on "
-"printers in the local network?\n"
+"In some cases, the %s driver needs to have extra information to work\n"
+"properly, although it normally works fine without them. Would you like to "
+"specify\n"
+"extra options for it or allow the driver to probe your machine for the\n"
+"information it needs? Occasionally, probing will hang a computer, but it "
+"should\n"
+"not cause any damage."
msgstr ""
-"Дали сакате да овозможите печатење на принтерите споменати погоре или на "
-"принтерите во локалната мрежа?\n"
+"Во некои случаи, драјверот %s бара дополнителни информации за да работи\n"
+"како што треба, иако фино работи и без нив. Дали сакате да наведете\n"
+"дополнителни опции за него или да дозволите драјверот да побара ги на\n"
+"Вашата машина потребните информации? Понекогаш барањето може да го \n"
+"смрзне компјутерот, но не би требало да предизвика штета."
-#: ../../printer/printerdrake.pm:1
+#: modules/interactive.pm:131
#, c-format
-msgid "Printer default settings"
-msgstr "Стандардни Подесувања на Печатачот"
+msgid "Autoprobe"
+msgstr "Автоматско барање"
-#: ../../mouse.pm:1
+#: modules/interactive.pm:131
#, c-format
-msgid "Generic PS2 Wheel Mouse"
-msgstr "Општ PS2 глушец со тркалце"
+msgid "Specify options"
+msgstr "Наведување опции"
-#: ../../standalone/harddrake2:1
+#: modules/interactive.pm:143
#, c-format
msgid ""
-"the WP flag in the CR0 register of the cpu enforce write proctection at the "
-"memory page level, thus enabling the processor to prevent unchecked kernel "
-"accesses to user memory (aka this is a bug guard)"
+"Loading module %s failed.\n"
+"Do you want to try again with other parameters?"
msgstr ""
-"WP знамето во CR0 регистарот од процесорот ја засилува заштитата за "
-"запишување на нивото на меориската страна, иако овозможувајќи му на "
-"процесорот да ги запре непроверените кернелските пристапи на корисничката "
-"моморија (aka ова е заштитник од багови)"
+"Вчитувањето на модулот %s е неуспешно.\n"
+"Дали сакате да се обидете со други параметри?"
-#: ../../printer/printerdrake.pm:1
+#: modules/parameters.pm:49
#, c-format
-msgid "Removing old printer \"%s\"..."
-msgstr "Отстранување на стариот принтер \"%s\"..."
+msgid "a number"
+msgstr "број"
-#: ../../standalone/harddrake2:1
+#: modules/parameters.pm:51
#, c-format
-msgid "Select a device !"
-msgstr "Избери уред!"
+msgid "%d comma separated numbers"
+msgstr "%d броеви одвоени со запирки"
-#: ../../printer/printerdrake.pm:1
+#: modules/parameters.pm:51
#, c-format
-msgid "Remove selected server"
-msgstr "Отстрани го избраниот сервер"
-
-#: ../../network/adsl.pm:1
-#, fuzzy, c-format
-msgid "Sagem (using dhcp) usb"
-msgstr "Sagem (користи pppoa) usb"
+msgid "%d comma separated strings"
+msgstr "%d стрингови одвоени со запирки"
-#: ../../lang.pm:1
+#: modules/parameters.pm:53
#, c-format
-msgid "French Southern Territories"
-msgstr "Југоисточни Француски Територии"
+msgid "comma separated numbers"
+msgstr "броеви одвоени со запирки"
-#: ../../standalone/harddrake2:1
+#: modules/parameters.pm:53
#, c-format
-msgid "the vendor name of the processor"
-msgstr "имтое на производителот на процесорот"
+msgid "comma separated strings"
+msgstr "стрингови одвоени со запирки"
-#: ../../standalone/drakTermServ:1
+#: mouse.pm:25
#, c-format
-msgid ""
-" - Maintain %s:\n"
-" \tFor users to be able to log into the system from a diskless "
-"client, their entry in\n"
-" \t/etc/shadow needs to be duplicated in %s. drakTermServ\n"
-" \thelps in this respect by adding or removing system users from this "
-"file."
-msgstr ""
+msgid "Sun - Mouse"
+msgstr "Sun - глушец"
-#: ../../diskdrake/interactive.pm:1
+#: mouse.pm:31 security/level.pm:12
#, c-format
-msgid "All data on this partition should be backed-up"
-msgstr "Сите податоци на оваа партиција би требало да се во бекап"
+msgid "Standard"
+msgstr "Стандардно"
-#: ../../install_steps_gtk.pm:1
+#: mouse.pm:32
#, c-format
-msgid "Installing package %s"
-msgstr "Инсталирање на пакетот %s"
+msgid "Logitech MouseMan+"
+msgstr "Logitech MouseMan+"
-#: ../../printer/printerdrake.pm:1
+#: mouse.pm:33
#, c-format
-msgid "Checking device and configuring HPOJ..."
-msgstr "Го проверува уредот и конфигурирање на HPOJ..."
+msgid "Generic PS2 Wheel Mouse"
+msgstr "Општ PS2 глушец со тркалце"
-#: ../../diskdrake/interactive.pm:1
+#: mouse.pm:34
#, c-format
-msgid ""
-"To have more partitions, please delete one to be able to create an extended "
-"partition"
-msgstr ""
-"За да може да имате повеќе партиции, избришете една за да може да создадете "
-"extended партиција"
+msgid "GlidePoint"
+msgstr "GlidePoint"
-#: ../../printer/printerdrake.pm:1
+#: mouse.pm:36 network/modem.pm:23 network/modem.pm:37 network/modem.pm:42
+#: network/modem.pm:73 network/netconnect.pm:481 network/netconnect.pm:482
+#: network/netconnect.pm:483 network/netconnect.pm:503
+#: network/netconnect.pm:508 network/netconnect.pm:520
+#: network/netconnect.pm:525 network/netconnect.pm:541
+#: network/netconnect.pm:543
#, fuzzy, c-format
-msgid ""
-"Your printer was configured automatically to give you access to the photo "
-"card drives from your PC. Now you can access your photo cards using the "
-"graphical program \"MtoolsFM\" (Menu: \"Applications\" -> \"File tools\" -> "
-"\"MTools File Manager\") or the command line utilities \"mtools\" (enter "
-"\"man mtools\" on the command line for more info). You find the card's file "
-"system under the drive letter \"p:\", or subsequent drive letters when you "
-"have more than one HP printer with photo card drives. In \"MtoolsFM\" you "
-"can switch between drive letters with the field at the upper-right corners "
-"of the file lists."
-msgstr ""
-"на на Сега Мени Апликации Датотека Датотека Менаџер или Вклучено s или "
-"помеѓу."
+msgid "Automatic"
+msgstr "Автоматска IP"
-#: ../../steps.pm:1
+#: mouse.pm:39 mouse.pm:73
#, c-format
-msgid "Choose packages to install"
-msgstr "Избери пакети за инсталција"
+msgid "Kensington Thinking Mouse"
+msgstr "Kensington Thinking Mouse"
-#: ../../install_interactive.pm:1
+#: mouse.pm:40 mouse.pm:68
#, c-format
-msgid "ALL existing partitions and their data will be lost on drive %s"
-msgstr "СИТЕ постоечки партиции и податоци на %s ќе бидат изгубени"
+msgid "Genius NetMouse"
+msgstr "Genius NetMouse"
-#: ../../install_steps_interactive.pm:1
+#: mouse.pm:41
#, c-format
-msgid ""
-"Your system does not have enough space left for installation or upgrade (%d "
-"> %d)"
-msgstr ""
-"Вашиот систем нема доволно простор за инсталација или надградба (%d > %d)"
+msgid "Genius NetScroll"
+msgstr "Genius NetScroll"
-#: ../../printer/printerdrake.pm:1
+#: mouse.pm:42 mouse.pm:52
#, c-format
-msgid ""
-"Every printer needs a name (for example \"printer\"). The Description and "
-"Location fields do not need to be filled in. They are comments for the users."
-msgstr ""
-"На секој принтер му е потребно име (на пример \"принтер\"). Полињата за "
-"Описот и Локацијата не мора да се пополнети. Тоа се коментари за корисниците."
+msgid "Microsoft Explorer"
+msgstr "Microsoft Explorer"
-#: ../../help.pm:1
+#: mouse.pm:47 mouse.pm:79
#, c-format
-msgid ""
-"\"%s\": clicking on the \"%s\" button will open the printer configuration\n"
-"wizard. Consult the corresponding chapter of the ``Starter Guide'' for more\n"
-"information on how to setup a new printer. The interface presented there is\n"
-"similar to the one used during installation."
-msgstr ""
-"\"%s\": притискајќи на \"%s\" копчето ќе ја отвори волшебникот на \n"
-"конфигурација. Консултирајте се со подрачјето кое одговара од ``Почетниот "
-"Водич''\n"
-"за повеќе информации . како да подесите нов принтер. Интерфејсот кој е "
-"претставен\n"
-"е сличен со оној кој се користи во текот на инсталацијата."
+msgid "1 button"
+msgstr "Со 1 копче"
-#: ../../lang.pm:1
+#: mouse.pm:48 mouse.pm:57
#, c-format
-msgid "Bhutan"
-msgstr "��"
+msgid "Generic 2 Button Mouse"
+msgstr "Општ со 2 копчиња"
+
+#: mouse.pm:50 mouse.pm:59
+#, fuzzy, c-format
+msgid "Generic 3 Button Mouse with Wheel emulation"
+msgstr "Општ со 3 копчиња"
-#: ../../standalone/drakgw:1
+#: mouse.pm:51
#, c-format
-msgid "Network interface"
-msgstr "Мрежен Интерфејс"
+msgid "Wheel"
+msgstr "Со тркалце"
-#: ../../standalone/net_monitor:1
+#: mouse.pm:55
#, c-format
-msgid "Disconnection from Internet failed."
-msgstr "Дисконектирањето од Интернет не успеа."
+msgid "serial"
+msgstr "сериски"
-#: ../../printer/printerdrake.pm:1
+#: mouse.pm:58
#, c-format
-msgid "Reading printer data..."
-msgstr "Читање принтерските податоци..."
+msgid "Generic 3 Button Mouse"
+msgstr "Општ со 3 копчиња"
-#: ../../keyboard.pm:1
+#: mouse.pm:60
#, c-format
-msgid "Korean keyboard"
-msgstr "Корејска тастатура"
+msgid "Microsoft IntelliMouse"
+msgstr "Microsoft IntelliMouse"
-#: ../../standalone/drakconnect:1 ../../standalone/net_monitor:1
+#: mouse.pm:61
#, c-format
-msgid "Not connected"
-msgstr "Не е поврзан"
+msgid "Logitech MouseMan"
+msgstr "Logitech MouseMan"
-#: ../../standalone/net_monitor:1
+#: mouse.pm:62
#, fuzzy, c-format
-msgid "No internet connection configured"
-msgstr "Конфигурација на Интернет конекција"
+msgid "Logitech MouseMan with Wheel emulation"
+msgstr "Logitech MouseMan"
-#: ../../keyboard.pm:1
+#: mouse.pm:63
#, c-format
-msgid "Greek"
-msgstr "Грчка"
+msgid "Mouse Systems"
+msgstr "Mouse Systems"
-#: ../../lang.pm:1
+#: mouse.pm:65
#, c-format
-msgid "Saint Kitts and Nevis"
-msgstr ""
+msgid "Logitech CC Series"
+msgstr "Logitech CC Series"
-#: ../../mouse.pm:1
+#: mouse.pm:66
#, fuzzy, c-format
-msgid "Generic 3 Button Mouse with Wheel emulation"
-msgstr "Општ со 3 копчиња"
-
-#: ../../any.pm:1
-#, c-format
-msgid "Enable OF Boot?"
-msgstr "Овозможи OF подигање?"
+msgid "Logitech CC Series with Wheel emulation"
+msgstr "Logitech CC Series"
-#: ../../fsedit.pm:1
+#: mouse.pm:67
#, c-format
-msgid "You can't use JFS for partitions smaller than 16MB"
-msgstr "Не можете да користите JFS за партиции помали од 16MB"
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Erase your RW media (1st Session)"
-msgstr ""
-"Ве молиме штиклирајте ако сакате да го избришите вашиот RW медиум (1-ва "
-"Сесија)"
+msgid "Logitech MouseMan+/FirstMouse+"
+msgstr "Logitech MouseMan+/FirstMouse+"
-#: ../../Xconfig/various.pm:1
+#: mouse.pm:69
#, c-format
-msgid "Monitor VertRefresh: %s\n"
-msgstr "Монитор вертикално: %s\n"
+msgid "MM Series"
+msgstr "MM Series"
-#: ../../diskdrake/dav.pm:1 ../../diskdrake/interactive.pm:1
-#: ../../diskdrake/removable.pm:1 ../../diskdrake/smbnfs_gtk.pm:1
+#: mouse.pm:70
#, c-format
-msgid "Mount point"
-msgstr "Точка на монтирање"
+msgid "MM HitTablet"
+msgstr "MM HitTablet"
-#: ../../Xconfig/test.pm:1
+#: mouse.pm:71
#, c-format
-msgid ""
-"An error occurred:\n"
-"%s\n"
-"Try to change some parameters"
-msgstr ""
-"Се појави грешка:\n"
-"%s\n"
-"Обидете се да сменете некои параметри"
+msgid "Logitech Mouse (serial, old C7 type)"
+msgstr "Logitech Mouse (сериски, стар C7)"
-#: ../../printer/main.pm:1
+#: mouse.pm:72
#, fuzzy, c-format
-msgid "TCP/IP host \"%s\", port %s"
-msgstr ", TCP/IP хост \"%s\", порта %s"
+msgid "Logitech Mouse (serial, old C7 type) with Wheel emulation"
+msgstr "Logitech Mouse (сериски, стар C7)"
-#: ../../standalone/drakperm:1
+#: mouse.pm:74
#, c-format
-msgid "User :"
-msgstr "Корисник :"
+msgid "Kensington Thinking Mouse with Wheel emulation"
+msgstr "Kensington Thinking Mouse со емулација на тркалце"
-#: ../../standalone/drakbackup:1
+#: mouse.pm:77
#, c-format
-msgid "Restore system"
-msgstr "Врати го системот"
+msgid "busmouse"
+msgstr "Bus-глушец"
-#: ../../standalone/scannerdrake:1
+#: mouse.pm:80
#, c-format
-msgid ""
-"These are the machines on which the locally connected scanner(s) should be "
-"available:"
-msgstr ""
-"Ова се машините на кои што локално поврзаните скенер(и) треба да се достапни:"
+msgid "2 buttons"
+msgstr "Со 2 копчиња"
-#: ../../standalone/drakpxe:1
+#: mouse.pm:81
#, c-format
-msgid "The DHCP end ip"
-msgstr "DHCP крајно ip"
+msgid "3 buttons"
+msgstr "Со 3 копчиња"
-#: ../../diskdrake/smbnfs_gtk.pm:1
+#: mouse.pm:82
+#, fuzzy, c-format
+msgid "3 buttons with Wheel emulation"
+msgstr "Емулација на копчиња"
+
+#: mouse.pm:86
+#, fuzzy, c-format
+msgid "Universal"
+msgstr "Пост деинсталација"
+
+#: mouse.pm:88
#, c-format
-msgid "Another one"
-msgstr "Друг"
+msgid "Any PS/2 & USB mice"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: mouse.pm:92
#, c-format
-msgid "Drakbackup"
-msgstr "Drakbackup"
+msgid "none"
+msgstr "ниту еден"
-#: ../../lang.pm:1
+#: mouse.pm:94
#, c-format
-msgid "Colombia"
-msgstr "Колумбија"
+msgid "No mouse"
+msgstr "Нема глушец"
-#: ../../standalone/drakgw:1
+#: mouse.pm:515
#, c-format
-msgid ""
-"Current configuration of `%s':\n"
-"\n"
-"Network: %s\n"
-"IP address: %s\n"
-"IP attribution: %s\n"
-"Driver: %s"
-msgstr ""
-"Тековна конфигурација на `%s':\n"
-"\n"
-"Мрежата: %s\n"
-"IP адреса: %s\n"
-"IP препишување: %s\n"
-"Драјвер: %s"
+msgid "Please test the mouse"
+msgstr "Тестирајте го глушецот"
-#: ../../Xconfig/monitor.pm:1
+#: mouse.pm:517
#, c-format
-msgid "Plug'n Play"
-msgstr "Plug'n Play"
+msgid "To activate the mouse,"
+msgstr "За да го активирате глушецот,"
-#: ../../lang.pm:1
+#: mouse.pm:518
#, c-format
-msgid "Reunion"
-msgstr "Ресоединување"
+msgid "MOVE YOUR WHEEL!"
+msgstr "ДВИЖЕТЕ ГО ТРКАЛЦЕТО!"
-#: ../../install_steps_gtk.pm:1 ../../diskdrake/hd_gtk.pm:1
-#: ../../diskdrake/smbnfs_gtk.pm:1
+#: network/adsl.pm:19
#, c-format
-msgid "Details"
-msgstr "Детали"
+msgid "use pppoe"
+msgstr "користи pppoe"
-#: ../../network/tools.pm:1
+#: network/adsl.pm:20
#, c-format
-msgid "For security reasons, it will be disconnected now."
-msgstr "Поради безбедносни причини, сега ќе се дисконектира."
+msgid "use pptp"
+msgstr "користи pptp"
-#: ../../standalone/drakbug:1
+#: network/adsl.pm:21
#, c-format
-msgid "Synchronization tool"
-msgstr "Алатка за синхронизација"
+msgid "use dhcp"
+msgstr "користи dhcp"
-#: ../../printer/printerdrake.pm:1
+#: network/adsl.pm:22
#, c-format
-msgid "Checking your system..."
-msgstr "Вашиот систем се проверува..."
+msgid "Alcatel speedtouch usb"
+msgstr "Alcatel speedtouch usb"
+
+#: network/adsl.pm:22 network/adsl.pm:23 network/adsl.pm:24
+#, fuzzy, c-format
+msgid " - detected"
+msgstr "откриено"
-#: ../../printer/printerdrake.pm:1
+#: network/adsl.pm:23
#, c-format
-msgid "Print"
-msgstr "Печати"
+msgid "Sagem (using pppoa) usb"
+msgstr "Sagem (користи pppoa) usb"
+
+#: network/adsl.pm:24
+#, fuzzy, c-format
+msgid "Sagem (using dhcp) usb"
+msgstr "Sagem (користи pppoa) usb"
-#: ../../standalone/drakbackup:1
+#: network/adsl.pm:35 network/netconnect.pm:679
#, c-format
+msgid "Connect to the Internet"
+msgstr "Поврзи се на Интернет"
+
+#: network/adsl.pm:36 network/netconnect.pm:680
+#, fuzzy, c-format
msgid ""
-"Insert the tape with volume label %s\n"
-" in the tape drive device %s"
+"The most common way to connect with adsl is pppoe.\n"
+"Some connections use pptp, a few use dhcp.\n"
+"If you don't know, choose 'use pppoe'"
msgstr ""
-"Внесете ја лентата насловена %s\n"
-" во лентовниот уред %s"
+"Највообичаениот начин на поврзувње со adsl е pppoe.\n"
+"Некои конекции користат и pptp, а само неко dhcp.\n"
+"Ако не знаете, изберете \"користи pppoe\""
+
+#: network/adsl.pm:41 network/netconnect.pm:684
+#, fuzzy, c-format
+msgid "ADSL connection type :"
+msgstr "ADSL конекција"
-#: ../../lang.pm:1
+#: network/drakfirewall.pm:12
#, c-format
-msgid "Mongolia"
-msgstr "Монголија"
+msgid "Web Server"
+msgstr "Веб сервер"
-#: ../../diskdrake/interactive.pm:1
+#: network/drakfirewall.pm:17
#, c-format
-msgid "Mounted\n"
-msgstr "Монтирано\n"
+msgid "Domain Name Server"
+msgstr "DNS сервер"
-#: ../../standalone/printerdrake:1
+#: network/drakfirewall.pm:22
#, fuzzy, c-format
-msgid "Configure CUPS"
-msgstr "Конфигурирај го Х"
+msgid "SSH server"
+msgstr "SSH Сервер"
-#: ../../help.pm:1
-#, c-format
-msgid "Graphical Interface"
-msgstr "Графички интерфејс"
+#: network/drakfirewall.pm:27
+#, fuzzy, c-format
+msgid "FTP server"
+msgstr "NTP сервер"
-#: ../../standalone/drakbackup:1
+#: network/drakfirewall.pm:32
#, c-format
-msgid "Restore Users"
-msgstr "Поврати корисници"
+msgid "Mail Server"
+msgstr "E-mail сервер"
-#: ../../install_steps_interactive.pm:1
+#: network/drakfirewall.pm:37
#, c-format
-msgid "Encryption key for %s"
-msgstr "Криптирачки клуч за %s"
+msgid "POP and IMAP Server"
+msgstr "POP и IMAP сервер"
-#: ../../install_steps_interactive.pm:1
+#: network/drakfirewall.pm:42
#, fuzzy, c-format
-msgid "Do you want to recover your system?"
-msgstr "Дали сакате да го користите aboot?"
+msgid "Telnet server"
+msgstr "X сервер"
-#: ../../services.pm:1
-#, c-format
-msgid ""
-"The portmapper manages RPC connections, which are used by\n"
-"protocols such as NFS and NIS. The portmap server must be running on "
-"machines\n"
-"which act as servers for protocols which make use of the RPC mechanism."
-msgstr ""
-"Portmapper е менаџер на RPC конекции, кои се користат при\n"
-"протоколи како NFS и NIS. Серверот portmapper мора да се\n"
-"извршува на машини кои претставуваат сервер за протоколи\n"
-"што го користат механизмот RPC."
+#: network/drakfirewall.pm:48
+#, fuzzy, c-format
+msgid "Samba server"
+msgstr "Samba ���"
-#: ../../standalone/harddrake2:1
-#, c-format
-msgid "Detected hardware"
-msgstr "Детектиран хардвер"
+#: network/drakfirewall.pm:54
+#, fuzzy, c-format
+msgid "CUPS server"
+msgstr "DNS сервер"
-#: ../../lang.pm:1
+#: network/drakfirewall.pm:60
#, c-format
-msgid "Mauritius"
-msgstr "Маурициус"
+msgid "Echo request (ping)"
+msgstr ""
-#: ../../keyboard.pm:1
+#: network/drakfirewall.pm:125
#, c-format
-msgid "Myanmar (Burmese)"
-msgstr "Бурманска (Мјанмар)"
+msgid "No network card"
+msgstr "Нема мрежна картичка"
-#: ../../fs.pm:1
-#, c-format
-msgid "Enabling swap partition %s"
-msgstr "Вклучување на swap партицијата %s"
+#: network/drakfirewall.pm:146
+#, fuzzy, c-format
+msgid ""
+"drakfirewall configurator\n"
+"\n"
+"This configures a personal firewall for this Mandrake Linux machine.\n"
+"For a powerful and dedicated firewall solution, please look to the\n"
+"specialized MandrakeSecurity Firewall distribution."
+msgstr ""
+"drakfirewall конфигуратор\n"
+"\n"
+"Ова конфигурира личен firewall за оваа Мандрак Линукс машина.\n"
+"За можно наменско firewall решение, видете ја специјализираната\n"
+"MandrakeSecurity Firewall дистрибуција."
-#: ../../install_interactive.pm:1
+#: network/drakfirewall.pm:152
#, c-format
-msgid "There is no FAT partition to use as loopback (or not enough space left)"
+msgid ""
+"drakfirewall configurator\n"
+"\n"
+"Make sure you have configured your Network/Internet access with\n"
+"drakconnect before going any further."
msgstr ""
-"Не постои FAT партиција за користење како loopback\n"
-"(или нема доволно преостанат простор)"
+"drakfirewall конфигуратор\n"
+"\n"
+"Пред да продолжите, осигурајте дека сте го конфигурирале Вашиот\n"
+"мрежен или Интернет пристап со drakconnect."
-#: ../../keyboard.pm:1
+#: network/drakfirewall.pm:169
#, c-format
-msgid "Armenian (old)"
-msgstr "Ерменска (стара)"
+msgid "Which services would you like to allow the Internet to connect to?"
+msgstr "На кои сервиси треба да може да се поврзе надворешниот Интернет?"
-#: ../../printer/printerdrake.pm:1
+#: network/drakfirewall.pm:170
#, c-format
msgid ""
-"A printer named \"%s\" already exists under %s. \n"
-"Click \"Transfer\" to overwrite it.\n"
-"You can also type a new name or skip this printer."
+"You can enter miscellaneous ports. \n"
+"Valid examples are: 139/tcp 139/udp.\n"
+"Have a look at /etc/services for information."
msgstr ""
-"Принтер со име \"%s\" веќе постои под %s. \n"
-"Притиснете \"Префрли\" за да го пребришете.\n"
-"Исто така, можете и да внесете ново име или да го прескокнете\n"
-"овој принтер."
+"Можете да внесете разни порти.\n"
+"На пример: 139/tcp 139/udp.\n"
+"Видете ја /etc/services за повеќе информации."
-#: ../advertising/12-mdkexpert.pl:1
-#, c-format
+#: network/drakfirewall.pm:176
+#, fuzzy, c-format
msgid ""
-"Find the solutions of your problems via MandrakeSoft's online support "
-"platform."
+"Invalid port given: %s.\n"
+"The proper format is \"port/tcp\" or \"port/udp\", \n"
+"where port is between 1 and 65535.\n"
+"\n"
+"You can also give a range of ports (eg: 24300:24350/udp)"
msgstr ""
-"Наоѓање решенија на Вашите проблеми: преку платформата за онлајн поддршка на "
-"MandrakeSoft."
+"Дадена е невалидна порта: %s.\n"
+"Валидниот формат е \"port/tcp\" или \"port/udp\", \n"
+"каде портата е помеѓу 1 и 65535."
-#: ../../printer/printerdrake.pm:1
+#: network/drakfirewall.pm:186
#, c-format
-msgid ", host \"%s\", port %s"
-msgstr ", хост \"%s\", порта %s"
+msgid "Everything (no firewall)"
+msgstr "Сите (нема firewall)"
-#: ../../lang.pm:1
+#: network/drakfirewall.pm:188
#, c-format
-msgid "Monaco"
-msgstr "Монако"
+msgid "Other ports"
+msgstr "Други порти"
-#: ../../install_interactive.pm:1
+#: network/isdn.pm:127 network/isdn.pm:145 network/isdn.pm:157
+#: network/isdn.pm:163 network/isdn.pm:173 network/isdn.pm:183
+#: network/netconnect.pm:332
#, c-format
-msgid "Partitioning failed: %s"
-msgstr "Партицирањето не успеа: %s"
+msgid "ISDN Configuration"
+msgstr "Конфигурација на ISDN"
-#: ../../fs.pm:1 ../../swap.pm:1
+#: network/isdn.pm:127
#, c-format
-msgid "%s formatting of %s failed"
-msgstr "%s форматирање на %s не успеа"
+msgid ""
+"Select your provider.\n"
+"If it isn't listed, choose Unlisted."
+msgstr ""
+"Изберете го Вашиот провајдер.\n"
+"Ако не е во листете, изберете Неизлистан."
-#: ../../standalone/drakxtv:1
+#: network/isdn.pm:140 standalone/drakconnect:503
#, c-format
-msgid "Canada (cable)"
-msgstr "Канада (кабелски)"
+msgid "European protocol (EDSS1)"
+msgstr "Европски протокол (EDSS1)"
-#: ../../standalone/drakfloppy:1
+#: network/isdn.pm:140
#, fuzzy, c-format
-msgid "Floppy creation completed"
-msgstr "Врската е завршена."
+msgid "European protocol"
+msgstr "Европски протокол"
-#: ../../help.pm:1
+#: network/isdn.pm:142 standalone/drakconnect:504
#, c-format
-msgid "Upgrade"
-msgstr "Надградба"
+msgid ""
+"Protocol for the rest of the world\n"
+"No D-Channel (leased lines)"
+msgstr ""
+"Протокол за остатокот на Светот\n"
+"Без D-канал (закупени линии)"
-#: ../../help.pm:1
+#: network/isdn.pm:142
#, c-format
-msgid "Workstation"
-msgstr "Работна станица"
+msgid "Protocol for the rest of the world"
+msgstr "Протокол за остатокот на Светот"
-#: ../../install_steps_interactive.pm:1
+#: network/isdn.pm:146
#, c-format
-msgid ""
-"Installing package %s\n"
-"%d%%"
-msgstr ""
-"Инсталирање на пакетот %s\n"
-"%d%%"
+msgid "Which protocol do you want to use?"
+msgstr "Кој протокол сакате да го користите?"
-#: ../../lang.pm:1
+#: network/isdn.pm:157
#, c-format
-msgid "Kyrgyzstan"
-msgstr "Киргистан"
+msgid "Found \"%s\" interface do you want to use it ?"
+msgstr "Најден е \"%s\" интерфејс. Дали сакате да го користите?"
+
+#: network/isdn.pm:164
+#, c-format
+msgid "What kind of card do you have?"
+msgstr "Каков вид на картичка имате?"
+
+#: network/isdn.pm:165
+#, c-format
+msgid "ISA / PCMCIA"
+msgstr "ISA / PCMCIA"
-#: ../../printer/main.pm:1
+#: network/isdn.pm:165
+#, c-format
+msgid "PCI"
+msgstr "PCI"
+
+#: network/isdn.pm:165
#, fuzzy, c-format
-msgid "Multi-function device on USB"
-msgstr "Вклучено"
+msgid "USB"
+msgstr "LSB"
+
+#: network/isdn.pm:165
+#, c-format
+msgid "I don't know"
+msgstr "Не знам"
-#: ../../../move/move.pm:1
+#: network/isdn.pm:174
#, c-format
msgid ""
-"We didn't detect any USB key on your system. If you\n"
-"plug in an USB key now, Mandrake Move will have the ability\n"
-"to transparently save the data in your home directory and\n"
-"system wide configuration, for next boot on this computer\n"
-"or another one. Note: if you plug in a key now, wait several\n"
-"seconds before detecting again.\n"
"\n"
+"If you have an ISA card, the values on the next screen should be right.\n"
"\n"
-"You may also proceed without an USB key - you'll still be\n"
-"able to use Mandrake Move as a normal live Mandrake\n"
-"Operating System."
+"If you have a PCMCIA card, you have to know the \"irq\" and \"io\" of your "
+"card.\n"
msgstr ""
+"\n"
+"Ако имате ISA картичка, вредностите на следниот екран би требало да се\n"
+"точни.\n"
+"\n"
+"Ако имате PCMCIA картичка, ќе мора да ги знаете \"irq\" и \"io\" "
+"вредностите\n"
+"за Вашата картичка.\n"
-#: ../../help.pm:1
+#: network/isdn.pm:178
#, c-format
-msgid "With basic documentation"
-msgstr "Со основна документација"
+msgid "Continue"
+msgstr "Продолжи"
-#: ../../services.pm:1
+#: network/isdn.pm:178
#, c-format
-msgid "Anacron is a periodic command scheduler."
-msgstr "Anacron е периодично команден распоредувач."
+msgid "Abort"
+msgstr "Прекини"
-#: ../../install_interactive.pm:1
+#: network/isdn.pm:184
+#, fuzzy, c-format
+msgid "Which of the following is your ISDN card?"
+msgstr "Која е Вашата ISDN картичка?"
+
+#: network/netconnect.pm:95
#, c-format
-msgid ""
-"You must have a root partition.\n"
-"For this, create a partition (or click on an existing one).\n"
-"Then choose action ``Mount point'' and set it to `/'"
+msgid "Ad-hoc"
msgstr ""
-"Мора да имате root-партиција.\n"
-"Затоа, создадете партиција (или изберете веќе постоечка),\n"
-"потоа изберете \"Точка на монтирање\" и поставете ја на \"/\""
-#: ../../lang.pm:1
-#, c-format
-msgid "Western Sahara"
-msgstr "Западна Сахара"
+#: network/netconnect.pm:96
+#, fuzzy, c-format
+msgid "Managed"
+msgstr "��"
-#: ../../network/network.pm:1
-#, c-format
-msgid "Proxy should be http://..."
-msgstr "Проксито треба да биде од облик http://...."
+#: network/netconnect.pm:97
+#, fuzzy, c-format
+msgid "Master"
+msgstr "Мајот"
-#: ../../lang.pm:1 ../../standalone/drakxtv:1
-#, c-format
-msgid "South Africa"
-msgstr "Јужна Африка"
+#: network/netconnect.pm:98
+#, fuzzy, c-format
+msgid "Repeater"
+msgstr "Поврати"
-#: ../../standalone/drakbackup:1
+#: network/netconnect.pm:99
#, fuzzy, c-format
-msgid "Eject tape after the backup"
-msgstr "Користи лента за бекап"
+msgid "Secondary"
+msgstr "секундарен"
-#: ../../standalone/drakTermServ:1
-#, c-format
-msgid "Etherboot Floppy/ISO"
-msgstr "Локален подигач Дискета/ISO"
+#: network/netconnect.pm:100
+#, fuzzy, c-format
+msgid "Auto"
+msgstr "За"
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Modify printer configuration"
-msgstr "Измени ја принтерската конфигурација"
+#: network/netconnect.pm:103 printer/printerdrake.pm:1118
+#, fuzzy, c-format
+msgid "Manual configuration"
+msgstr "Рачна конфигурација"
+
+#: network/netconnect.pm:104
+#, fuzzy, c-format
+msgid "Automatic IP (BOOTP/DHCP)"
+msgstr "Автоматска IP"
-#: ../../diskdrake/interactive.pm:1
+#: network/netconnect.pm:106
#, c-format
-msgid "Choose a partition"
-msgstr "Изберете партиција"
+msgid "Automatic IP (BOOTP/DHCP/Zeroconf)"
+msgstr ""
+
+#: network/netconnect.pm:156
+#, fuzzy, c-format
+msgid "Alcatel speedtouch USB modem"
+msgstr "Alcatel speedtouch usb"
-#: ../../standalone/drakperm:1
+#: network/netconnect.pm:157
+#, fuzzy, c-format
+msgid "Sagem USB modem"
+msgstr "Системски режим"
+
+#: network/netconnect.pm:158
#, c-format
-msgid "Edit current rule"
-msgstr "Уреди го моменталното правило"
+msgid "Bewan USB modem"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: network/netconnect.pm:159
#, c-format
-msgid "%s"
-msgstr "%s"
+msgid "Bewan PCI modem"
+msgstr ""
-#: ../../mouse.pm:1
+#: network/netconnect.pm:160
#, c-format
-msgid "Please test the mouse"
-msgstr "Тестирајте го глушецот"
+msgid "ECI Hi-Focus modem"
+msgstr ""
-#: ../../fs.pm:1
+#: network/netconnect.pm:164
#, c-format
-msgid ""
-"Do not update inode access times on this file system\n"
-"(e.g, for faster access on the news spool to speed up news servers)."
+msgid "Dynamic Host Configuration Protocol (DHCP)"
msgstr ""
-"Не ги ажурирај инодно временските пристапи на овој фајл ситем\n"
-"(на пр. за побрз пристап на новостите паралелно за да се забрзат серверите "
-"за дискусионите групи)."
-#: ../../mouse.pm:1
+#: network/netconnect.pm:165
#, fuzzy, c-format
-msgid "3 buttons with Wheel emulation"
-msgstr "Емулација на копчиња"
+msgid "Manual TCP/IP configuration"
+msgstr "Рачна конфигурација"
-#: ../../standalone/drakperm:1
+#: network/netconnect.pm:166
#, c-format
-msgid "Sticky-bit"
-msgstr "Непријатен-бит"
+msgid "Point to Point Tunneling Protocol (PPTP)"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: network/netconnect.pm:167
#, c-format
-msgid "Other Media"
-msgstr "Друг медиум"
+msgid "PPP over Ethernet (PPPoE)"
+msgstr ""
-#: ../../mouse.pm:1
+#: network/netconnect.pm:168
#, c-format
-msgid "Logitech MouseMan+"
-msgstr "Logitech MouseMan+"
+msgid "PPP over ATM (PPPoA)"
+msgstr ""
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "Backup system files"
-msgstr "Сигурносна копија на системски датотеки"
+#: network/netconnect.pm:172
+#, fuzzy, c-format
+msgid "Bridged Ethernet LLC"
+msgstr "Мрежна картичка"
-#: ../../diskdrake/interactive.pm:1
-#, c-format
-msgid "Sector"
-msgstr "Сектор"
+#: network/netconnect.pm:173
+#, fuzzy, c-format
+msgid "Bridged Ethernet VC"
+msgstr "Мрежна картичка"
-#: ../../lang.pm:1
+#: network/netconnect.pm:174
#, c-format
-msgid "Qatar"
-msgstr "Катар"
+msgid "Routed IP LLC"
+msgstr ""
-#: ../../any.pm:1
+#: network/netconnect.pm:175
#, c-format
-msgid "LDAP Base dn"
-msgstr "LDAP Base dn"
+msgid "Routed IP VC"
+msgstr ""
-#: ../../install_steps_gtk.pm:1
+#: network/netconnect.pm:176
#, c-format
-msgid ""
-"You can't select this package as there is not enough space left to install it"
+msgid "PPPOA LLC"
msgstr ""
-"Не можете да го изберете овој пакет, зашто нема доволно простор да се "
-"инсталира"
-#: ../../help.pm:1
+#: network/netconnect.pm:177
#, c-format
-msgid "generate auto-install floppy"
-msgstr "генерирање дискета за авто-инсталација"
+msgid "PPPOA VC"
+msgstr ""
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: network/netconnect.pm:181 standalone/drakconnect:443
+#: standalone/drakconnect:917
#, c-format
-msgid "Dialing mode"
-msgstr "Режим на бирање"
+msgid "Script-based"
+msgstr "Со скрипта"
-#: ../../services.pm:1
+#: network/netconnect.pm:182 standalone/drakconnect:443
+#: standalone/drakconnect:917
#, c-format
-msgid "File sharing"
-msgstr "Споделување датотеки"
+msgid "PAP"
+msgstr "PAP"
-#: ../../any.pm:1
+#: network/netconnect.pm:183 standalone/drakconnect:443
+#: standalone/drakconnect:917
#, c-format
-msgid "Clean /tmp at each boot"
-msgstr "Чистење на /tmp при секое подигање"
+msgid "Terminal-based"
+msgstr "Со терминал"
-#: ../../lang.pm:1
+#: network/netconnect.pm:184 standalone/drakconnect:443
+#: standalone/drakconnect:917
#, c-format
-msgid "Malawi"
-msgstr "Малави"
+msgid "CHAP"
+msgstr "CHAP"
-#: ../../standalone/drakTermServ:1
-#, c-format
-msgid "local config: false"
-msgstr "Локална конфигурација: погрешна"
+#: network/netconnect.pm:185
+#, fuzzy, c-format
+msgid "PAP/CHAP"
+msgstr "CHAP"
-#: ../../standalone/drakperm:1
+#: network/netconnect.pm:199 standalone/drakconnect:54
#, fuzzy, c-format
-msgid "System settings"
-msgstr "Сопствени поставувања"
+msgid "Network & Internet Configuration"
+msgstr "Конфигурација на мрежа"
+
+#: network/netconnect.pm:205
+#, fuzzy, c-format
+msgid "(detected on port %s)"
+msgstr "детектирано на порта %s"
-#: ../../install_steps_interactive.pm:1
+#. -PO: here, "(detected)" string will be appended to eg "ADSL connection"
+#: network/netconnect.pm:207
+#, fuzzy, c-format
+msgid "(detected %s)"
+msgstr "детектирано %s"
+
+#: network/netconnect.pm:207
+#, fuzzy, c-format
+msgid "(detected)"
+msgstr "откриено"
+
+#: network/netconnect.pm:209
+#, fuzzy, c-format
+msgid "Modem connection"
+msgstr "Конекција со winmodem"
+
+#: network/netconnect.pm:210
#, c-format
-msgid "Please choose your type of mouse."
-msgstr "Ве молиме изберете го вашиот тип на глушец."
+msgid "ISDN connection"
+msgstr "ISDN Конекција"
-#: ../../services.pm:1
+#: network/netconnect.pm:211
#, c-format
-msgid "running"
-msgstr "работи"
+msgid "ADSL connection"
+msgstr "ADSL конекција"
-#: ../../standalone/harddrake2:1
+#: network/netconnect.pm:212
#, c-format
-msgid "class of hardware device"
-msgstr "класа на хардверскиот уред"
+msgid "Cable connection"
+msgstr "Врска со кабел"
-#: ../../printer/printerdrake.pm:1
+#: network/netconnect.pm:213
#, c-format
+msgid "LAN connection"
+msgstr "Локална мрежна (LAN) конекција"
+
+#: network/netconnect.pm:214 network/netconnect.pm:228
+#, fuzzy, c-format
+msgid "Wireless connection"
+msgstr "Врска со кабел"
+
+#: network/netconnect.pm:224
+#, fuzzy, c-format
+msgid "Choose the connection you want to configure"
+msgstr "Избери ја конекцијата која сакате да ја конфигурирате"
+
+#: network/netconnect.pm:241
+#, fuzzy, c-format
msgid ""
-"These are the machines and networks on which the locally connected printer"
-"(s) should be available:"
+"We are now going to configure the %s connection.\n"
+"\n"
+"\n"
+"Press \"%s\" to continue."
msgstr ""
-"Ова се машините и мрежите на кои локално поврзани(те)от принтер(и) треба да "
-"се достапни:"
+"Сега ќе ја конфигурираме конекцијата %s.\n"
+"\n"
+"\n"
+"Притиснете на Во ред за да продолжиме."
+
+#: network/netconnect.pm:249 network/netconnect.pm:710
+#, fuzzy, c-format
+msgid "Connection Configuration"
+msgstr "Конфигурација на Врска"
-#: ../../lang.pm:1 ../../network/tools.pm:1
+#: network/netconnect.pm:250 network/netconnect.pm:711
+#, fuzzy, c-format
+msgid "Please fill or check the field below"
+msgstr "или"
+
+#: network/netconnect.pm:256 standalone/drakconnect:494
+#: standalone/drakconnect:899
#, c-format
-msgid "United Kingdom"
-msgstr "Велика Британија"
+msgid "Card IRQ"
+msgstr "IRQ картичка"
-#: ../../lang.pm:1
+#: network/netconnect.pm:257 standalone/drakconnect:495
+#: standalone/drakconnect:900
#, c-format
-msgid "Indonesia"
-msgstr "Идонезија"
+msgid "Card mem (DMA)"
+msgstr "Мемориска картичка (DMA)"
-#: ../../standalone/draksec:1
+#: network/netconnect.pm:258 standalone/drakconnect:496
+#: standalone/drakconnect:901
#, c-format
-msgid "default"
-msgstr "стандардно"
+msgid "Card IO"
+msgstr "Велзно/Озлезна (IO) картичка"
-#: ../../standalone/drakxtv:1
+#: network/netconnect.pm:259 standalone/drakconnect:497
+#: standalone/drakconnect:902
#, c-format
-msgid "France [SECAM]"
-msgstr "Франција [SECAM]"
+msgid "Card IO_0"
+msgstr "Картичка IO_0"
-#: ../../any.pm:1
+#: network/netconnect.pm:260 standalone/drakconnect:903
#, c-format
-msgid "restrict"
-msgstr "рестрикција"
+msgid "Card IO_1"
+msgstr "Картичка IO_1"
-#: ../../pkgs.pm:1
+#: network/netconnect.pm:261 standalone/drakconnect:904
#, c-format
-msgid "must have"
-msgstr "мора да се има"
+msgid "Your personal phone number"
+msgstr "Вашиот телефонски број"
-#: ../../printer/printerdrake.pm:1
+#: network/netconnect.pm:262 network/netconnect.pm:714
+#: standalone/drakconnect:905
#, c-format
-msgid ""
-"CUPS does not support printers on Novell servers or printers sending the "
-"data into a free-formed command.\n"
-msgstr ""
-"CUPS не поддржува принтери на Novell сервери или принтер што ги испраќаат "
-"податоците во команда од слободен облик.\n"
+msgid "Provider name (ex provider.net)"
+msgstr "Име на провајдерот (пр. provajder.net)"
-#: ../../lang.pm:1
+#: network/netconnect.pm:263 standalone/drakconnect:440
+#: standalone/drakconnect:906
#, c-format
-msgid "Senegal"
-msgstr "Сенегал"
+msgid "Provider phone number"
+msgstr "Телефонски број на Провајдерот"
+
+#: network/netconnect.pm:264
+#, fuzzy, c-format
+msgid "Provider DNS 1 (optional)"
+msgstr "Провајдер dns 1 (опција)"
+
+#: network/netconnect.pm:265
+#, fuzzy, c-format
+msgid "Provider DNS 2 (optional)"
+msgstr "dns Провајдер 2 (опционо)"
-#: ../../printer/printerdrake.pm:1
+#: network/netconnect.pm:266 standalone/drakconnect:396
+#: standalone/drakconnect:462 standalone/drakconnect:911
#, c-format
-msgid "Command line"
-msgstr "Командна линија"
+msgid "Dialing mode"
+msgstr "Режим на бирање"
-#: ../advertising/08-store.pl:1
+#: network/netconnect.pm:267 standalone/drakconnect:401
+#: standalone/drakconnect:459 standalone/drakconnect:923
#, c-format
-msgid ""
-"Our full range of Linux solutions, as well as special offers on products and "
-"other \"goodies\", are available on our e-store:"
-msgstr ""
-"Целиот ранг на наши линукс решенија, како и специјалните понуди на продукти "
-"и алатки, се достапни преку нашата е-продавница:"
+msgid "Connection speed"
+msgstr "Брзина на поврзување"
-#: ../../standalone/drakbackup:1
+#: network/netconnect.pm:268 standalone/drakconnect:406
+#: standalone/drakconnect:924
#, fuzzy, c-format
-msgid "March"
-msgstr "барај"
+msgid "Connection timeout (in sec)"
+msgstr "Врска во"
-#: ../../any.pm:1
+#: network/netconnect.pm:271 network/netconnect.pm:717
+#: standalone/drakconnect:438 standalone/drakconnect:909
#, c-format
-msgid "access to administrative files"
-msgstr "пристап до административни датотеки"
+msgid "Account Login (user name)"
+msgstr "Акаунт Пријава (корисничко име)"
-#: ../../standalone/drakbackup:1
+#: network/netconnect.pm:272 network/netconnect.pm:718
+#: standalone/drakconnect:439 standalone/drakconnect:910
+#: standalone/drakconnect:944
#, c-format
-msgid ""
-"Error during sendmail.\n"
-" Your report mail was not sent.\n"
-" Please configure sendmail"
-msgstr ""
-"Грешка при sendmail.\n"
-" Пораката со известувањето не е испратена.\n"
-" Ве молиме, конфигурирајте го sendmail"
+msgid "Account Password"
+msgstr "Лозинка на акаунтот"
-#: ../../fs.pm:1
+#: network/netconnect.pm:300
#, c-format
-msgid ""
-"Do not allow set-user-identifier or set-group-identifier\n"
-"bits to take effect. (This seems safe, but is in fact rather unsafe if you\n"
-"have suidperl(1) installed.)"
-msgstr ""
-"Не дозволувајте битовите на подеси-кориснички-идентификатор или\n"
-"подеси-групен-идентификатор да се применат. (Ова изгледа сигурно, но\n"
-"всушност не е сигурно ако имате инсталирано suidperl(1))"
+msgid "What kind is your ISDN connection?"
+msgstr "Од каков вид е Вашата ISDN конекција?"
-#: ../../lang.pm:1
+#: network/netconnect.pm:301
#, c-format
-msgid "Montserrat"
-msgstr "Монсерат"
+msgid "Internal ISDN card"
+msgstr "Интерна ISDN картичка"
-#: ../../help.pm:1
+#: network/netconnect.pm:301
#, c-format
-msgid "Automatic dependencies"
-msgstr "Автоматски зависности"
+msgid "External ISDN modem"
+msgstr "Надворешен ISDN модем"
-#: ../../diskdrake/hd_gtk.pm:1
+#: network/netconnect.pm:332
#, c-format
-msgid "Swap"
-msgstr "Swap"
+msgid "Do you want to start a new configuration ?"
+msgstr "Дали сакате да ја започнете нова конфигурацијата?"
-#: ../../standalone/drakperm:1
+#: network/netconnect.pm:335
#, c-format
-msgid "Custom settings"
-msgstr "Сопствени поставувања"
+msgid ""
+"I have detected an ISDN PCI card, but I don't know its type. Please select a "
+"PCI card on the next screen."
+msgstr ""
+"Открив ISDN PCI картичка, но не го знам нејзиниот тип. Ве молам изберете "
+"една PCI картичка на следниот екран."
-#: ../../../move/move.pm:1
+#: network/netconnect.pm:344
+#, c-format
+msgid "No ISDN PCI card found. Please select one on the next screen."
+msgstr ""
+"Не е најдена ISDN PCI картичка. Ве молам изберете една на следниот екран."
+
+#: network/netconnect.pm:353
#, c-format
msgid ""
-"The USB key seems to have write protection enabled, but we can't safely\n"
-"unplug it now.\n"
-"\n"
-"\n"
-"Click the button to reboot the machine, unplug it, remove write protection,\n"
-"plug the key again, and launch Mandrake Move again."
+"Your modem isn't supported by the system.\n"
+"Take a look at http://www.linmodems.org"
msgstr ""
+"Вашиот модем не е поддржан од системот.\n"
+"Проверете на http://www.linmodems.org"
-#: ../../standalone/drakbackup:1
+#: network/netconnect.pm:364
+#, fuzzy, c-format
+msgid "Select the modem to configure:"
+msgstr "Изберете го мрежниот интерфејс"
+
+#: network/netconnect.pm:403
#, c-format
-msgid "Restore Other"
-msgstr "Поврати друг"
+msgid "Please choose which serial port your modem is connected to."
+msgstr "Изберете на која сериска порта е поврзан Вашиот модем."
+
+#: network/netconnect.pm:427
+#, fuzzy, c-format
+msgid "Select your provider:"
+msgstr "Избор Печатач"
+
+#: network/netconnect.pm:429 network/netconnect.pm:599
+#, fuzzy, c-format
+msgid "Provider:"
+msgstr "Профил: "
+
+#: network/netconnect.pm:481 network/netconnect.pm:482
+#: network/netconnect.pm:483 network/netconnect.pm:508
+#: network/netconnect.pm:525 network/netconnect.pm:541
+#, fuzzy, c-format
+msgid "Manual"
+msgstr "рачно"
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
+#: network/netconnect.pm:485
+#, fuzzy, c-format
+msgid "Dialup: account options"
+msgstr "Опции за бирање број"
+
+#: network/netconnect.pm:488 standalone/drakconnect:913
#, c-format
-msgid "TV card"
-msgstr "ТВ картичка"
+msgid "Connection name"
+msgstr "Име на врска"
-#: ../../printer/main.pm:1
+#: network/netconnect.pm:489 standalone/drakconnect:914
#, c-format
-msgid "Printer on SMB/Windows 95/98/NT server"
-msgstr "Печатач на SMB/Windows 95/98/NT сервер"
+msgid "Phone number"
+msgstr "Телефонски број"
-#: ../../standalone/printerdrake:1
+#: network/netconnect.pm:490 standalone/drakconnect:915
+#, c-format
+msgid "Login ID"
+msgstr "Логин идент."
+
+#: network/netconnect.pm:505 network/netconnect.pm:538
#, fuzzy, c-format
-msgid "/_Configure CUPS"
-msgstr "Конфигурирај го Х"
+msgid "Dialup: IP parameters"
+msgstr "Параметри"
+
+#: network/netconnect.pm:508
+#, fuzzy, c-format
+msgid "IP parameters"
+msgstr "Параметри"
-#: ../../standalone/scannerdrake:1
+#: network/netconnect.pm:509 network/netconnect.pm:829
+#: printer/printerdrake.pm:431 standalone/drakconnect:113
+#: standalone/drakconnect:306 standalone/drakconnect:764
#, c-format
-msgid ", "
-msgstr ", "
+msgid "IP address"
+msgstr "IP адреса"
+
+#: network/netconnect.pm:510
+#, fuzzy, c-format
+msgid "Subnet mask"
+msgstr "Subnet Mask:"
-#: ../../standalone/drakbug:1
+#: network/netconnect.pm:522
#, c-format
-msgid "Submit lspci"
+msgid "Dialup: DNS parameters"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: network/netconnect.pm:525
+#, fuzzy, c-format
+msgid "DNS"
+msgstr "NIS"
+
+#: network/netconnect.pm:526 standalone/drakconnect:918
#, c-format
-msgid "Remove selected host/network"
-msgstr "Отстрани го избраниот хост/мрежа"
+msgid "Domain name"
+msgstr "Име на домен"
-#: ../../services.pm:1
+#: network/netconnect.pm:527 network/netconnect.pm:715
+#: standalone/drakconnect:919
#, c-format
-msgid ""
-"Postfix is a Mail Transport Agent, which is the program that moves mail from "
-"one machine to another."
-msgstr ""
-"Postfix е Mail Transport Agent, а тоа е програма што ја пренесува поштата од "
-"една машина на друга."
+msgid "First DNS Server (optional)"
+msgstr "Прв DNS Сервер (ако треба)"
-#: ../../keyboard.pm:1
+#: network/netconnect.pm:528 network/netconnect.pm:716
+#: standalone/drakconnect:920
#, c-format
-msgid "Uzbek (cyrillic)"
-msgstr "Узбекистан (кирилица)"
+msgid "Second DNS Server (optional)"
+msgstr "Втор DNS Сервер (ако треба)"
+
+#: network/netconnect.pm:529
+#, fuzzy, c-format
+msgid "Set hostname from IP"
+msgstr "Хост на Печатач или IP"
-#: ../../keyboard.pm:1
+#: network/netconnect.pm:541 standalone/drakconnect:317
+#: standalone/drakconnect:912
+#, c-format
+msgid "Gateway"
+msgstr "Gateway"
+
+#: network/netconnect.pm:542
+#, fuzzy, c-format
+msgid "Gateway IP address"
+msgstr "IP адреса"
+
+#: network/netconnect.pm:567
+#, fuzzy, c-format
+msgid "ADSL configuration"
+msgstr "LAN конфигурација"
+
+#: network/netconnect.pm:567 network/netconnect.pm:746
+#, fuzzy, c-format
+msgid "Select the network interface to configure:"
+msgstr "Изберете го мрежниот интерфејс"
+
+#: network/netconnect.pm:568 network/netconnect.pm:748 network/shorewall.pm:77
+#: standalone/drakconnect:602 standalone/drakgw:218 standalone/drakvpn:217
+#, fuzzy, c-format
+msgid "Net Device"
+msgstr "Мрежни Уреди"
+
+#: network/netconnect.pm:597
+#, fuzzy, c-format
+msgid "Please choose your ADSL provider"
+msgstr "Ве молам изберете ја вашата земја."
+
+#: network/netconnect.pm:616
#, c-format
msgid ""
-"Here you can choose the key or key combination that will \n"
-"allow switching between the different keyboard layouts\n"
-"(eg: latin and non latin)"
+"You need the Alcatel microcode.\n"
+"You can provide it now via a floppy or your windows partition,\n"
+"or skip and do it later."
msgstr ""
-"Овде можете да изберете копче или комбинација копчиња\n"
-"за префрлување од еден во друг распоред на тастатура\n"
-"(на пример: латиница и кирилица)"
+"Потребен е Alcatel microcode.\n"
+"Можете да го доставите сега, преку дискета или диск,\n"
+"или можете да прескокнете и тоа да го направите подоцна."
+
+#: network/netconnect.pm:620 network/netconnect.pm:625
+#, fuzzy, c-format
+msgid "Use a floppy"
+msgstr "Зачувај на дискета"
+
+#: network/netconnect.pm:620 network/netconnect.pm:629
+#, fuzzy, c-format
+msgid "Use my Windows partition"
+msgstr "Зголемување/намалување на Windows партиција"
-#: ../../network/network.pm:1
+#: network/netconnect.pm:620 network/netconnect.pm:633
#, c-format
-msgid "Network Hotplugging"
-msgstr "Мрежен Hotplugging"
+msgid "Do it later"
+msgstr ""
-#: ../../security/help.pm:1
+#: network/netconnect.pm:640
#, c-format
-msgid "if set to yes, reports check result to tty."
-msgstr "ако е \"да\", го испишува резултатот од проверката на tty."
+msgid "Firmware copy failed, file %s not found"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: network/netconnect.pm:647
#, c-format
-msgid "Restore From CD"
-msgstr "Поврати од CD"
+msgid "Firmware copy succeeded"
+msgstr ""
-#: ../../standalone/drakgw:1
+#: network/netconnect.pm:662
#, fuzzy, c-format
msgid ""
-"You are about to configure your computer to share its Internet connection.\n"
-"With that feature, other computers on your local network will be able to use "
-"this computer's Internet connection.\n"
-"\n"
-"Make sure you have configured your Network/Internet access using drakconnect "
-"before going any further.\n"
-"\n"
-"Note: you need a dedicated Network Adapter to set up a Local Area Network "
-"(LAN)."
+"You need the Alcatel microcode.\n"
+"Download it at:\n"
+"%s\n"
+"and copy the mgmt.o in /usr/share/speedtouch"
msgstr ""
-"на на\n"
-" Вклучено на s\n"
-"\n"
-" Направи Мрежа\n"
-"\n"
-" Забелешка Мрежа на Локален Мрежа."
+"Потребен Ви е alcatel микрокодот.\n"
+"Преземете го од\n"
+"http://www.speedtouchdsl.com/dvrreg_lx.htm\n"
+"и ископирајте ја mgmt.o во /usr/share/speedtouch"
-#: ../../network/ethernet.pm:1
+#: network/netconnect.pm:719
#, c-format
-msgid ""
-"Please choose which network adapter you want to use to connect to Internet."
-msgstr "Изберете мрежен адаптер за поврзување на Интернет"
+msgid "Virtual Path ID (VPI):"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: network/netconnect.pm:720
#, c-format
-msgid "Photo memory card access on your HP multi-function device"
-msgstr "Пристап до апартските мемориски картички на HP повеќе-функциски уред"
+msgid "Virtual Circuit ID (VCI):"
+msgstr ""
+
+#: network/netconnect.pm:721
+#, fuzzy, c-format
+msgid "Encapsulation :"
+msgstr "Криптирачки клуч"
-#: ../advertising/09-mdksecure.pl:1
+#: network/netconnect.pm:736
#, c-format
msgid ""
-"Enhance your computer performance with the help of a selection of partners "
-"offering professional solutions compatible with Mandrake Linux"
+"The ECI Hi-Focus modem cannot be supported due to binary driver distribution "
+"problem.\n"
+"\n"
+"You can find a driver on http://eciadsl.flashtux.org/"
msgstr ""
-"Подобрете ги вашите компјутерски перформанси со помош на избор од партнери "
-"кои нудат професионални решенија компатибилни со Мандрак Линукс"
-#: ../../standalone/printerdrake:1
+#: network/netconnect.pm:753
+#, fuzzy, c-format
+msgid "No wireless network adapter on your system!"
+msgstr "Нема мрежен адаптер на Вашиот систем!"
+
+#: network/netconnect.pm:754 standalone/drakgw:240 standalone/drakpxe:137
+#, fuzzy, c-format
+msgid "No network adapter on your system!"
+msgstr "Нема мрежен адаптер на Вашиот систем!"
+
+#: network/netconnect.pm:766
#, c-format
-msgid "Authors: "
+msgid ""
+"WARNING: this device has been previously configured to connect to the "
+"Internet.\n"
+"Simply accept to keep this device configured.\n"
+"Modifying the fields below will override this configuration."
msgstr ""
+"Внимание: овој уред е претходно конфигуриран за да се поврзи наИнтернет.\n"
+"Едноставно прифатете да го задржите овој уред конфигуриран.\n"
+"Со изменување на полињата долу ќе ја пребришете оваа конфигурација."
-#: ../../standalone/drakgw:1
-#, c-format
-msgid "Internet Connection Sharing is now disabled."
-msgstr "Делењето на интернет конекцијата сега е оневозможено."
+#: network/netconnect.pm:784
+#, fuzzy, c-format
+msgid "Zeroconf hostname resolution"
+msgstr "Zeroconf Име на хост"
+
+#: network/netconnect.pm:785 network/netconnect.pm:816
+#, fuzzy, c-format
+msgid "Configuring network device %s (driver %s)"
+msgstr "Конфигурација на мрежниот уред %s"
-#: ../../security/help.pm:1
+#: network/netconnect.pm:786
#, c-format
-msgid "if set to yes, verify checksum of the suid/sgid files."
-msgstr "ако е \"да\", потврди го проверениот збир од suid/sgid датотеките."
+msgid ""
+"The following protocols can be used to configure an ethernet connection. "
+"Please choose the one you want to use"
+msgstr ""
-#: ../../keyboard.pm:1
+#: network/netconnect.pm:817
#, c-format
-msgid "Latin American"
-msgstr "Латино-американски"
+msgid ""
+"Please enter the IP configuration for this machine.\n"
+"Each item should be entered as an IP address in dotted-decimal\n"
+"notation (for example, 1.2.3.4)."
+msgstr ""
+"Ве молам внесете ја IP конфигурацијата за оваа машина.\n"
+"Секој елемент треба да е внесен како IP адреса во точкасто-децимално\n"
+"означување (на пример, 1.2.3.4)."
-#: ../../printer/printerdrake.pm:1
+#: network/netconnect.pm:824
#, c-format
-msgid "Japanese text printing mode"
-msgstr "Јапонски режим за печатење текст"
+msgid "Assign host name from DHCP address"
+msgstr "Додели име на хостот преку DHCP адреса"
-#: ../../standalone/harddrake2:1
+#: network/netconnect.pm:825
#, c-format
-msgid "Old device file"
-msgstr "Стара датотека на уред"
+msgid "DHCP host name"
+msgstr "DHCP име на хостот"
-#: ../../diskdrake/interactive.pm:1
+#: network/netconnect.pm:830 standalone/drakconnect:311
+#: standalone/drakconnect:765 standalone/drakgw:313
#, c-format
-msgid "Info: "
-msgstr "Инфо: "
+msgid "Netmask"
+msgstr "НЕТМаска"
+
+#: network/netconnect.pm:832 standalone/drakconnect:389
+#, fuzzy, c-format
+msgid "Track network card id (useful for laptops)"
+msgstr "Песна идентификација"
-#: ../../interactive/stdio.pm:1
+#: network/netconnect.pm:833 standalone/drakconnect:390
#, c-format
-msgid "Button `%s': %s"
-msgstr "Копче `%s': %s"
+msgid "Network Hotplugging"
+msgstr "Мрежен Hotplugging"
-#: ../../any.pm:1 ../../interactive.pm:1 ../../harddrake/sound.pm:1
-#: ../../standalone/drakbug:1 ../../standalone/drakconnect:1
-#: ../../standalone/drakxtv:1 ../../standalone/harddrake2:1
-#: ../../standalone/service_harddrake:1
+#: network/netconnect.pm:834 standalone/drakconnect:384
#, c-format
-msgid "Please wait"
-msgstr "Ве молиме, почекајте"
+msgid "Start at boot"
+msgstr "Стартувај на подигање"
-#: ../../mouse.pm:1
+#: network/netconnect.pm:836 standalone/drakconnect:768
#, c-format
-msgid "Genius NetMouse"
-msgstr "Genius NetMouse"
+msgid "DHCP client"
+msgstr "DHCP Клиент"
+
+#: network/netconnect.pm:846 printer/printerdrake.pm:1349
+#: standalone/drakconnect:569
+#, fuzzy, c-format
+msgid "IP address should be in format 1.2.3.4"
+msgstr "IP адресата треба да биде во следната форма 1.2.3.4"
-#: ../../printer/printerdrake.pm:1
+#: network/netconnect.pm:849
#, c-format
-msgid "None"
-msgstr "Ниедно"
+msgid "Warning : IP address %s is usually reserved !"
+msgstr "Внимание : IP адресата %s вообичаено е резервирана !"
-#: ../../printer/printerdrake.pm:1
+#: network/netconnect.pm:879 network/netconnect.pm:908
#, c-format
-msgid "The entered IP is not correct.\n"
-msgstr "Внесената IP не е точна.\n"
+msgid "Please enter the wireless parameters for this card:"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: network/netconnect.pm:882 standalone/drakconnect:355
#, fuzzy, c-format
-msgid "Please be sure that the cron daemon is included in your services."
-msgstr ""
-"во\n"
-"\n"
-" Забелешка."
+msgid "Operating Mode"
+msgstr "Експертски режим"
-#: ../../standalone/drakconnect:1
+#: network/netconnect.pm:884 standalone/drakconnect:356
#, c-format
-msgid "Ethernet Card"
-msgstr "Мрежна картичка"
+msgid "Network name (ESSID)"
+msgstr ""
-#: ../../standalone/printerdrake:1
+#: network/netconnect.pm:885 standalone/drakconnect:357
#, fuzzy, c-format
-msgid "Delete selected printer"
-msgstr "Избриши"
+msgid "Network ID"
+msgstr "Мрежа"
-#: ../../services.pm:1 ../../ugtk2.pm:1
+#: network/netconnect.pm:886 standalone/drakconnect:358
#, c-format
-msgid "Info"
-msgstr "Информации"
+msgid "Operating frequency"
+msgstr ""
-#: ../../help.pm:1 ../../install_steps_gtk.pm:1
-#: ../../install_steps_interactive.pm:1 ../../standalone/drakbackup:1
+#: network/netconnect.pm:887 standalone/drakconnect:359
#, c-format
-msgid "Install"
-msgstr "Инсталирај"
+msgid "Sensitivity threshold"
+msgstr ""
-#: ../../help.pm:1
+#: network/netconnect.pm:888 standalone/drakconnect:360
#, c-format
+msgid "Bitrate (in b/s)"
+msgstr ""
+
+#: network/netconnect.pm:894
+#, fuzzy, c-format
msgid ""
-"Click on \"%s\" if you want to delete all data and partitions present on\n"
-"this hard drive. Be careful, after clicking on \"%s\", you will not be able\n"
-"to recover any data and partitions present on this hard drive, including\n"
-"any Windows data.\n"
-"\n"
-"Click on \"%s\" to stop this operation without losing any data and\n"
-"partitions present on this hard drive."
+"Freq should have the suffix k, M or G (for example, \"2.46G\" for 2.46 GHz "
+"frequency), or add enough '0' (zeroes)."
msgstr ""
-"Притиснете на \"%s\" ако сакате да ги избришете сите податоци и партиции што "
-"се наоѓаат на овој диск. Внимавајте, по притискањето \"%s\", нема да\n"
-"може да ги повратите податоците и партициите, вклучувајќи ги и сите Windows "
-"податоци.\n"
-"\n"
-"Притиснете на \"%s\" за да ја откажете оваа операција без да изгубите\n"
-"податоци и партиции кои се наоѓаат на овој диск."
+"Фреквенцијата треба да има суфикс к, M или G(на пр. \"2.46G\" за 2.46 GHz) "
+"или додадете доволно 0(нули)."
-#: ../../steps.pm:1
-#, c-format
-msgid "Exit install"
-msgstr "Излези од Инсталацијата"
+#: network/netconnect.pm:898
+#, fuzzy, c-format
+msgid ""
+"Rate should have the suffix k, M or G (for example, \"11M\" for 11M), or add "
+"enough '0' (zeroes)."
+msgstr "M или или."
-#: ../../../move/move.pm:1
+#: network/netconnect.pm:911 standalone/drakconnect:371
#, c-format
-msgid "Need a key to save your data"
+msgid "RTS/CTS"
msgstr ""
-#: ../../standalone/drakgw:1
+#: network/netconnect.pm:912
#, c-format
msgid ""
-"Everything has been configured.\n"
-"You may now share Internet connection with other computers on your Local "
-"Area Network, using automatic network configuration (DHCP)."
+"RTS/CTS adds a handshake before each packet transmission to make sure that "
+"the\n"
+"channel is clear. This adds overhead, but increase performance in case of "
+"hidden\n"
+"nodes or large number of active nodes. This parameter sets the size of the\n"
+"smallest packet for which the node sends RTS, a value equal to the maximum\n"
+"packet size disable the scheme. You may also set this parameter to auto, "
+"fixed\n"
+"or off."
msgstr ""
-"Се е конфигурирано.\n"
-"Сега можете да делите Интернет конекција со други компјутери на вашата "
-"ЛокалнаМрежа, користејки автоматски мрежен конфигуратор (DHCP)."
-#: ../../install_steps_interactive.pm:1
-#, c-format
-msgid "Remote CUPS server"
-msgstr "Далечински CUPS сервер"
+#: network/netconnect.pm:919 standalone/drakconnect:372
+#, fuzzy, c-format
+msgid "Fragmentation"
+msgstr "Игри"
-#: ../../mouse.pm:1
+#: network/netconnect.pm:920 standalone/drakconnect:373
#, c-format
-msgid "Sun - Mouse"
-msgstr "Sun - глушец"
+msgid "Iwconfig command extra arguments"
+msgstr ""
-#: ../../standalone/drakgw:1
+#: network/netconnect.pm:921
#, c-format
msgid ""
-"There is only one configured network adapter on your system:\n"
+"Here, one can configure some extra wireless parameters such as:\n"
+"ap, channel, commit, enc, power, retry, sens, txpower (nick is already set "
+"as the hostname).\n"
"\n"
-"%s\n"
-"\n"
-"I am about to setup your Local Area Network with that adapter."
+"See iwpconfig(8) man page for further information."
msgstr ""
-"Има само еден конфигуриран мрежен адаптер на вашиот систем:\n"
-"\n"
-"%s\n"
-"\n"
-"Ќе ја подесам вашата Локална Мрежа со тој адаптер."
-#: ../../standalone/drakbug:1
+#. -PO: split the "xyz command extra argument" translated string into two lines if it's bigger than the english one
+#: network/netconnect.pm:928 standalone/drakconnect:374
#, c-format
-msgid "Submit cpuinfo"
+msgid "Iwspy command extra arguments"
msgstr ""
-#: ../../install_steps_gtk.pm:1
+#: network/netconnect.pm:929
#, c-format
-msgid "Minimal install"
-msgstr "Минимална инсталација"
+msgid ""
+"Iwspy is used to set a list of addresses in a wireless network\n"
+"interface and to read back quality of link information for each of those.\n"
+"\n"
+"This information is the same as the one available in /proc/net/wireless :\n"
+"quality of the link, signal strength and noise level.\n"
+"\n"
+"See iwpspy(8) man page for further information."
+msgstr ""
-#: ../../lang.pm:1
+#: network/netconnect.pm:937 standalone/drakconnect:375
#, c-format
-msgid "Ethiopia"
-msgstr "Етиопија"
+msgid "Iwpriv command extra arguments"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: network/netconnect.pm:938
#, c-format
-msgid "YES"
+msgid ""
+"Iwpriv enable to set up optionals (private) parameters of a wireless "
+"network\n"
+"interface.\n"
+"\n"
+"Iwpriv deals with parameters and setting specific to each driver (as opposed "
+"to\n"
+"iwconfig which deals with generic ones).\n"
+"\n"
+"In theory, the documentation of each device driver should indicate how to "
+"use\n"
+"those interface specific commands and their effect.\n"
+"\n"
+"See iwpriv(8) man page for further information."
msgstr ""
-#: ../../security/l10n.pm:1
+#: network/netconnect.pm:965
#, c-format
-msgid "Enable \"crontab\" and \"at\" for users"
-msgstr "Овозможи \"crontab\" и \"at\" за корисниците"
+msgid ""
+"No ethernet network adapter has been detected on your system.\n"
+"I cannot set up this connection type."
+msgstr ""
+"На Вашиот систем не е детектиран мрежен етернет адаптер.\n"
+"Не моќам да го поставам овој вид на конекција."
-#: ../../keyboard.pm:1
+#: network/netconnect.pm:969 standalone/drakgw:254 standalone/drakpxe:142
#, c-format
-msgid "Devanagari"
-msgstr "Девангари"
+msgid "Choose the network interface"
+msgstr "Изберете го мрежниот интерфејс"
-#: ../../standalone/harddrake2:1
+#: network/netconnect.pm:970
#, c-format
msgid ""
-"- pci devices: this gives the PCI slot, device and function of this card\n"
-"- eide devices: the device is either a slave or a master device\n"
-"- scsi devices: the scsi bus and the scsi device ids"
+"Please choose which network adapter you want to use to connect to Internet."
+msgstr "Изберете мрежен адаптер за поврзување на Интернет"
+
+#: network/netconnect.pm:991
+#, fuzzy, c-format
+msgid ""
+"Please enter your host name.\n"
+"Your host name should be a fully-qualified host name,\n"
+"such as ``mybox.mylab.myco.com''.\n"
+"You may also enter the IP address of the gateway if you have one."
msgstr ""
-"- pci уреди: го дава PCI-slot-от, уредот и функцијата на картичката\n"
-"- eide уреди: уредот е или slave или master\n"
-"- scsi уреди: scsi магистралата и идентификаторите на scsi уредот"
+"Внесете Име на хост.\n"
+"Името би требало да биде во следниот облик\n"
+"kancelarija.firma.com\n"
+"Исто така можете да внесете и IP адреса на gateway ако имате"
-#: ../../install_steps_gtk.pm:1 ../../install_steps_interactive.pm:1
+#: network/netconnect.pm:995
#, c-format
-msgid "Total size: %d / %d MB"
-msgstr "Вкупна големина: %d / %d MB"
+msgid "Last but not least you can also type in your DNS server IP addresses."
+msgstr ""
-#: ../../install_steps_interactive.pm:1
-#, c-format
-msgid "disabled"
-msgstr "оневозможено"
+#: network/netconnect.pm:997
+#, fuzzy, c-format
+msgid "Host name (optional)"
+msgstr "Прв DNS Сервер (ако треба)"
-#: ../../standalone/scannerdrake:1
+#: network/netconnect.pm:997
#, c-format
-msgid "Search for new scanners"
-msgstr "Барај нови скенери"
+msgid "Host name"
+msgstr "Име на хост"
-#: ../../standalone/drakgw:1
-#, c-format
-msgid "Disabling servers..."
-msgstr "Се оневозможуваат серверите..."
+#: network/netconnect.pm:998
+#, fuzzy, c-format
+msgid "DNS server 1"
+msgstr "DNS сервер"
-#: ../../standalone/drakboot:1
-#, c-format
-msgid "Installation of %s failed. The following error occured:"
-msgstr "Инсталацијата на %s не успеа. Се појавија следниве грешки:"
+#: network/netconnect.pm:999
+#, fuzzy, c-format
+msgid "DNS server 2"
+msgstr "DNS сервер"
-#: ../../standalone/drakboot:1
-#, c-format
-msgid "Can't launch mkinitrd -f /boot/initrd-%s.img %s."
-msgstr "Не може да се изврши mkinitrd -f /boot/initrd-%s.img %s."
+#: network/netconnect.pm:1000
+#, fuzzy, c-format
+msgid "DNS server 3"
+msgstr "DNS сервер"
+
+#: network/netconnect.pm:1001
+#, fuzzy, c-format
+msgid "Search domain"
+msgstr "NIS Домен"
-#: ../../install_any.pm:1
+#: network/netconnect.pm:1002
#, c-format
-msgid ""
-"You have selected the following server(s): %s\n"
-"\n"
-"\n"
-"These servers are activated by default. They don't have any known security\n"
-"issues, but some new ones could be found. In that case, you must make sure\n"
-"to upgrade as soon as possible.\n"
-"\n"
-"\n"
-"Do you really want to install these servers?\n"
+msgid "By default search domain will be set from the fully-qualified host name"
msgstr ""
-"Сте ги избрале следниве сервери: %s\n"
-"\n"
-"Овие сервери се активираат автоматски. Тие немаат никакви познати стари\n"
-"сигурносни проблеми, но можно е да се појават нови. Во тој случај, треба да\n"
-"ги надградите пакетите што е можно побрзо.\n"
-"\n"
-"\n"
-"Дали навистина сакате да ги инсталирате овие сервери?\n"
-#: ../../printer/main.pm:1
+#: network/netconnect.pm:1003
#, c-format
-msgid "Network printer (TCP/Socket)"
-msgstr "Мрежен Принтер (TCP/Socket)"
+msgid "Gateway (e.g. %s)"
+msgstr "Gateway (на пр. %s)"
-#: ../../standalone/drakbackup:1
+#: network/netconnect.pm:1005
#, c-format
-msgid "Backup User files..."
-msgstr "Бекап на корисничките датотеки..."
+msgid "Gateway device"
+msgstr "Gateway уред"
-#: ../../steps.pm:1
-#, c-format
-msgid "Install system"
-msgstr "Инсталирај го ситемот"
+#: network/netconnect.pm:1014
+#, fuzzy, c-format
+msgid "DNS server address should be in format 1.2.3.4"
+msgstr "Адресата на DNS серверот треба да биде во облик 1.2.3.4"
-#: ../../network/modem.pm:1 ../../standalone/drakconnect:1
-#, c-format
-msgid "First DNS Server (optional)"
-msgstr "Прв DNS Сервер (ако треба)"
+#: network/netconnect.pm:1019 standalone/drakconnect:571
+#, fuzzy, c-format
+msgid "Gateway address should be in format 1.2.3.4"
+msgstr "Gateway адресата треба да биде во следната форма 1.2.3.4"
-#: ../../printer/printerdrake.pm:1
+#: network/netconnect.pm:1030
#, c-format
msgid ""
-"Alternatively, you can specify a device name/file name in the input line"
+"Enter a Zeroconf host name which will be the one that your machine will get "
+"back to other machines on the network:"
msgstr ""
-"Алтернативно, може да одредите име на уредот/име на датотека во влезната "
-"линија"
-#: ../../security/help.pm:1
+#: network/netconnect.pm:1031
+#, fuzzy, c-format
+msgid "Zeroconf Host name"
+msgstr "Zeroconf Име на хост"
+
+#: network/netconnect.pm:1034
#, c-format
+msgid "Zeroconf host name must not contain a ."
+msgstr ""
+
+#: network/netconnect.pm:1044
+#, fuzzy, c-format
msgid ""
-"If SERVER_LEVEL (or SECURE_LEVEL if absent)\n"
-"is greater than 3 in /etc/security/msec/security.conf, creates the\n"
-"symlink /etc/security/msec/server to point to\n"
-"/etc/security/msec/server.<SERVER_LEVEL>.\n"
+"You have configured multiple ways to connect to the Internet.\n"
+"Choose the one you want to use.\n"
"\n"
-"The /etc/security/msec/server is used by chkconfig --add to decide to\n"
-"add a service if it is present in the file during the installation of\n"
-"packages."
msgstr ""
-"Ако SERVER_LEVEL (или SECURE_LEVEL е исклучено)\n"
-"е поголемо од 3 во /etc/security/msec/security.conf, го создава\n"
-"линкот /etc/security/msec/server да го посочи до\n"
-"/etc/security/msec/server.<SERVER_LEVEL>.\n"
-"\n"
-"/etc/security/msec/server го користи chkconfig --add да одреди дали да\n"
-"додаде сервис ако е присутен во датотеката во текот на инсталацијата на\n"
-"пакетите."
-
-#: ../../keyboard.pm:1
-#, c-format
-msgid "Russian (Phonetic)"
-msgstr "Руски (Фонетски)"
-
-#: ../../standalone/drakTermServ:1
-#, c-format
-msgid "dhcpd Config..."
-msgstr "dhcpd Конфигурирање..."
-
-#: ../../any.pm:1
-#, c-format
-msgid "LILO/grub Installation"
-msgstr "Инсталација на LILO/grub"
-
-#: ../../keyboard.pm:1
-#, c-format
-msgid "Israeli"
-msgstr "Израелски"
-
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Printer \"%s\" on server \"%s\""
-msgstr "Принтер \"%s\" на сервер \"%s\""
-
-#: ../../standalone/drakTermServ:1
-#, c-format
-msgid "Floppy can be removed now"
-msgstr "Дискетата сега може да се отстрани"
-
-#: ../../help.pm:1
-#, c-format
-msgid "Truly minimal install"
-msgstr "Искрено Минимална инсталација"
+"Конфигуриравте повеќе начини за поврзување на Интернет. \n"
+"Одберете еден кој ќе го користете. \n"
-#: ../../lang.pm:1
+#: network/netconnect.pm:1046
#, c-format
-msgid "Denmark"
-msgstr "Данска"
+msgid "Internet connection"
+msgstr "Интернет врска"
-#: ../../diskdrake/interactive.pm:1
+#: network/netconnect.pm:1054
#, c-format
-msgid "Moving partition..."
-msgstr "Преместување на партиција..."
+msgid "Configuration is complete, do you want to apply settings ?"
+msgstr "Конфигурацијата е завршена, дали саката да ги примените подесувањата?"
-#: ../../standalone/drakgw:1
+#: network/netconnect.pm:1070
#, c-format
-msgid "(This) DHCP Server IP"
-msgstr "(Ова) DHCP Сервер IP"
+msgid "Do you want to start the connection at boot?"
+msgstr "Дали сакате да ја вклучите конекцијата при подигањето?"
-#: ../../Xconfig/test.pm:1
+#: network/netconnect.pm:1094
#, c-format
-msgid "Test of the configuration"
-msgstr "Тест на конфигурацијата"
+msgid "The network needs to be restarted. Do you want to restart it ?"
+msgstr "Мрежата треба да биде рестартирана. Дали сакате да ја рестартирате?"
-#: ../../printer/printerdrake.pm:1
+#: network/netconnect.pm:1100 network/netconnect.pm:1165
#, c-format
-msgid "Installing %s ..."
-msgstr "Се инсталира %s ..."
+msgid "Network Configuration"
+msgstr "Конфигурација на мрежа"
-#: ../../help.pm:1
+#: network/netconnect.pm:1101
#, c-format
msgid ""
-"If you told the installer that you wanted to individually select packages,\n"
-"it will present a tree containing all packages classified by groups and\n"
-"subgroups. While browsing the tree, you can select entire groups,\n"
-"subgroups, or individual packages.\n"
-"\n"
-"Whenever you select a package on the tree, a description appears on the\n"
-"right to let you know the purpose of the package.\n"
-"\n"
-"!! If a server package has been selected, either because you specifically\n"
-"chose the individual package or because it was part of a group of packages,\n"
-"you will be asked to confirm that you really want those servers to be\n"
-"installed. By default Mandrake Linux will automatically start any installed\n"
-"services at boot time. Even if they are safe and have no known issues at\n"
-"the time the distribution was shipped, it is entirely possible that that\n"
-"security holes were discovered after this version of Mandrake Linux was\n"
-"finalized. If you do not know what a particular service is supposed to do\n"
-"or why it is being installed, then click \"%s\". Clicking \"%s\" will\n"
-"install the listed services and they will be started automatically by\n"
-"default during boot. !!\n"
-"\n"
-"The \"%s\" option is used to disable the warning dialog which appears\n"
-"whenever the installer automatically selects a package to resolve a\n"
-"dependency issue. Some packages have relationships between each other such\n"
-"that installation of a package requires that some other program is also\n"
-"rerquired to be installed. The installer can determine which packages are\n"
-"required to satisfy a dependency to successfully complete the installation.\n"
+"A problem occured while restarting the network: \n"
"\n"
-"The tiny floppy disk icon at the bottom of the list allows you to load a\n"
-"package list created during a previous installation. This is useful if you\n"
-"have a number of machines that you wish to configure identically. Clicking\n"
-"on this icon will ask you to insert a floppy disk previously created at the\n"
-"end of another installation. See the second tip of last step on how to\n"
-"create such a floppy."
+"%s"
msgstr ""
-"Ако сте му кажале на инсталерот дека сакате поодделно да селектирате\n"
-"пакети, ќе Ви биде дадено дрво што ги содржи сите пакети, класифицирани\n"
-"во групи и подгрупи. Додека го разгледувате дрвото, можете да избирате\n"
-"цели групи, подгрупи, или одделни пакети.\n"
-"\n"
-"При избор на пакет од дрвото, од Вашата десна страна ќе се појави опис,\n"
-"за да знаете за што е наменет пакетот.\n"
-"\n"
-"Кога ќе завршите со селектирање, притиснете на копчето \"Инсталирај\",\n"
-"кое тогаш ќе го лансира процесот на инсталирање. Во зависност од брзината\n"
-"на хардверот и бројот на пакети што се инсталираат, процесот може да\n"
-"потрае. Проценка за потребното време ќе биде прикажана на екранот, за да\n"
-"можете да уживате во чашка чај додека чекате.\n"
-"\n"
-"!! Ако се инсталира серверски пакет, дали со Ваша намера или затоа што\n"
-"е дел од цела група, ќе бидете запрашани да потврдите дека навистина\n"
-"сакате тие сервери да се инсталираат. Во Мандрак Линукс, сите инсталирани\n"
-"сервери при подигање автоматски се вклучуваат. Дури и ако тие се безбедни\n"
-"и немаат проблеми во време на излегување на дистрибуцијата, може да се "
-"случи\n"
-"да бидат откриени безбедносни дупки по излегувањето. Ако не знаете што "
-"прави\n"
-"одделен сервис или зошто се инсталира, притиснете \"%s\". Со притискање на "
-"\"%s\"\n"
-"ќе ги инсталира излистаните сервиси и тие ќе бидат автоматски вклучувани,"
-"вообичаено во текот на подигањето !!\n"
-"\n"
-"Опцијата \"%s\" го оневозможува дијалогот за предупредување,\n"
-"кој се појавува секогаш кога програмата за инсталирање автоматски\n"
-"избира пакет за да го реши проблемот околу зависностите. Некои пакети\n"
-"имаат врска помеѓу себе и како такви инсталацијата на пакетот бара исто\n"
-"така да бидат инсталирани и други програми. Инсталерот може да одреди\n"
-"кои пакети се потребни за да се задоволи зависноста потоа да\n"
-"инсталацијата биде успешно завршена.\n"
+"Се случи проблем при рестартирање на мрежата: \n"
"\n"
-"Малата икона на дискета во дното на листата овозможува да се вчита листата\n"
-"на пакети што создадена за време на претходна инсталација. Ова е корисно "
-"акоимате повеќе машини кои сакате да ги конфигурирате идентично. Со "
-"притискање\n"
-"на оваа икона ќе побара од Вас да внесете дискета што претходно била "
-"создадена,\n"
-"на крајот на некоја друга инсталација. Видете го вториот совет од "
-"претходниот\n"
-"чекор за тоа како да направите таква дискета."
+"%s"
-#: ../../diskdrake/interactive.pm:1
+#: network/netconnect.pm:1110
#, c-format
-msgid "Choose your filesystem encryption key"
-msgstr "Изберете го клучот за криптирање на фајлсистемот"
+msgid "Do you want to try to connect to the Internet now?"
+msgstr "Дали сакаш да пробаш да се поврзеш на Интернет сега?"
-#: ../../lang.pm:1
+#: network/netconnect.pm:1118 standalone/drakconnect:958
#, c-format
-msgid "Sierra Leone"
-msgstr "Сиера Леоне"
+msgid "Testing your connection..."
+msgstr "Тестирање на вашата конеција."
-#: ../../lang.pm:1
+#: network/netconnect.pm:1134
#, fuzzy, c-format
-msgid "Botswana"
-msgstr "Босанска"
-
-#: ../../lang.pm:1
-#, c-format
-msgid "Andorra"
-msgstr "Андора"
+msgid "The system is now connected to the Internet."
+msgstr "Системот сега е поврзан на Интернет"
-#: ../../standalone/draksec:1
+#: network/netconnect.pm:1135
#, c-format
-msgid "(default value: %s)"
-msgstr "(вообичаена вредност: %s)"
+msgid "For security reasons, it will be disconnected now."
+msgstr "Поради безбедносни причини, сега ќе се дисконектира."
-#: ../../security/help.pm:1
+#: network/netconnect.pm:1136
#, c-format
-msgid "Set password aging to \"max\" days and delay to change to \"inactive\"."
+msgid ""
+"The system doesn't seem to be connected to the Internet.\n"
+"Try to reconfigure your connection."
msgstr ""
-"Подеси го остарувањето на лозинката на \"максимум\" денови и задоцнувањето "
-"го смени на \"неактивно\"."
-
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Alternative test page (Letter)"
-msgstr "Алтернативна Тест Страна (Писмо)"
+"Системот изгледа дека не е поврзан на Интернет.\n"
+"Пробај да ја реконфигурираш твојата конекција."
-#: ../../standalone/drakgw:1
+#: network/netconnect.pm:1150
#, c-format
msgid ""
-"DHCP Server Configuration.\n"
-"\n"
-"Here you can select different options for the DHCP server configuration.\n"
-"If you don't know the meaning of an option, simply leave it as it is.\n"
+"Congratulations, the network and Internet configuration is finished.\n"
"\n"
msgstr ""
-"Конфигурација на DHCP сервер.\n"
-"\n"
-"Овде можете да ги изберете различните опции за конфигурација на DHCP "
-"серверот.\n"
-"Ако не го знаете значењето на некоја опција, едноставно оставете како што "
-"е.\n"
+"Честитки, мрежната и интернет конфигурацијата е завршена.\n"
"\n"
-#: ../../Xconfig/card.pm:1
+#: network/netconnect.pm:1153
#, c-format
-msgid "Choose an X server"
-msgstr "Изберете X сервер"
+msgid ""
+"After this is done, we recommend that you restart your X environment to "
+"avoid any hostname-related problems."
+msgstr ""
+"Откако ова ќе заврши, препорачуваме да ја рестартираш Х околината за да "
+"избегнеш секакви хост-ориентирани проблеми."
-#: ../../../move/tree/mdk_totem:1
+#: network/netconnect.pm:1154
#, c-format
-msgid "Copying to memory to allow removing the CDROM"
+msgid ""
+"Problems occured during configuration.\n"
+"Test your connection via net_monitor or mcc. If your connection doesn't "
+"work, you might want to relaunch the configuration."
msgstr ""
+"Се случија проблеми за време на конфигурацијата.\n"
+"Тестирајте ја вашата конекција преку net_monitor или mcc. Ако вашата "
+"конекција не работи, можеби ќе сакате повторно да го отпочнете "
+"конфигурирањето."
-#: ../../install_interactive.pm:1
+#: network/netconnect.pm:1166
#, c-format
-msgid "Swap partition size in MB: "
-msgstr "swap партиција (во МБ): "
+msgid ""
+"Because you are doing a network installation, your network is already "
+"configured.\n"
+"Click on Ok to keep your configuration, or cancel to reconfigure your "
+"Internet & Network connection.\n"
+msgstr ""
+"Бидејќи вршите мрежна инсталација, Вашата мрежа веќе е конфигурирана.\n"
+"Притиснете на Во ред за да ја задржите моменталната конфигурација, или\n"
+"Откажи за да ја реконфигурирате Вашата Интернет и мрежна врска.\n"
-#: ../../standalone/drakbackup:1
+#: network/network.pm:314
#, c-format
-msgid "No changes to backup!"
-msgstr "Нема промени на бакапот!"
+msgid "Proxies configuration"
+msgstr "Конфигурација на proxy северите"
-#: ../../diskdrake/interactive.pm:1
+#: network/network.pm:315
#, c-format
-msgid "Formatted\n"
-msgstr "Форматирана\n"
+msgid "HTTP proxy"
+msgstr "HTTP прокси"
-#: ../../install_steps_interactive.pm:1
+#: network/network.pm:316
#, c-format
-msgid "Type of install"
-msgstr "Вид на инсталација"
+msgid "FTP proxy"
+msgstr "FTP прокси"
-#: ../../printer/printerdrake.pm:1
+#: network/network.pm:319
#, c-format
-msgid "Printer \"%s\" on SMB/Windows server \"%s\""
-msgstr "Принтер \"%s\" на SMB/Windows сервер \"%s\""
+msgid "Proxy should be http://..."
+msgstr "Проксито треба да биде од облик http://...."
-#: ../../modules/parameters.pm:1
+#: network/network.pm:320
#, c-format
-msgid "%d comma separated numbers"
-msgstr "%d броеви одвоени со запирки"
+msgid "URL should begin with 'ftp:' or 'http:'"
+msgstr "Url треба да започнува со ftp:' или 'http:'"
+
+#: network/shorewall.pm:26
+#, c-format
+msgid "Firewalling configuration detected!"
+msgstr "Детектирана е конфигурација на огнен ѕид"
-#: ../../services.pm:1
+#: network/shorewall.pm:27
#, c-format
msgid ""
-"The rusers protocol allows users on a network to identify who is\n"
-"logged in on other responding machines."
+"Warning! An existing firewalling configuration has been detected. You may "
+"need some manual fixes after installation."
msgstr ""
-"rusers протоколот дозволува корисниците на мрежата да се индетификува\n"
-"кој е логиран7 на други машини кои што одговараат."
+"Предупредување! Откриена е постоечка конфигурација на огнен ѕид. Можеби "
+"треба нешто рачно да поправите по инсталацијата."
-#: ../../standalone/drakautoinst:1
-#, c-format
-msgid "Automatic Steps Configuration"
-msgstr "Конфигурација со Автоматски Чекори"
+#: network/shorewall.pm:70
+#, fuzzy, c-format
+msgid ""
+"Please enter the name of the interface connected to the "
+"internet. \n"
+" \n"
+"Examples:\n"
+" ppp+ for modem or DSL connections, \n"
+" eth0, or eth1 for cable connection, \n"
+" ippp+ for a isdn connection.\n"
+msgstr ""
+"Ве молиме внесете го името на интерфејсот за поврзување на Интернет\n"
+"\n"
+"На пример:\n"
+"\t\tppp+ за модем или DSL конекција, \n"
+"\t\teth0, или eth1 за кабелска конекција, \n"
+"\t\tippp+ за ISDN конекција. \n"
-#: ../../lang.pm:1
+#: network/tools.pm:207
#, c-format
-msgid "Barbados"
-msgstr "Барбодас"
+msgid "Insert floppy"
+msgstr "Внесете дискета"
-#: ../advertising/02-community.pl:1
-#, c-format
+#: network/tools.pm:208
+#, fuzzy, c-format
msgid ""
-"Want to know more and to contribute to the Open Source community? Get "
-"involved in the Free Software world!"
-msgstr ""
-"Сакате да знаете повеќе и да придонесете на Open Source заедницата? Влезете "
-"во светот на Слобдниот Софтвер!"
+"Insert a FAT formatted floppy in drive %s with %s in root directory and "
+"press %s"
+msgstr "Внесете FAT-форматирана дискета во %s"
-#: ../../standalone/drakbackup:1
+#: network/tools.pm:209
+#, fuzzy, c-format
+msgid "Floppy access error, unable to mount device %s"
+msgstr "Каде сакате да го монтирате уредот %s?"
+
+#: partition_table.pm:642
#, c-format
-msgid "Please select data to backup..."
-msgstr "Ве молиме изберете податоци за бекап..."
+msgid "mount failed: "
+msgstr "монтирањето неуспешно:"
-#: ../../standalone/net_monitor:1
+#: partition_table.pm:747
#, c-format
+msgid "Extended partition not supported on this platform"
+msgstr "Продолжената партиција не е подржана на оваа платформа"
+
+#: partition_table.pm:765
+#, fuzzy, c-format
msgid ""
-"Connection failed.\n"
-"Verify your configuration in the Mandrake Control Center."
+"You have a hole in your partition table but I can't use it.\n"
+"The only solution is to move your primary partitions to have the hole next "
+"to the extended partitions."
msgstr ""
-"Врската не успеа.\n"
-"Потврдете ја вашата конфигурација во Мандрак Контролниот Центар."
+"Ја имате цела табела на партицијата, но не можам да ја користам.\n"
+" Единствено решение е да ја поместите примарната партиција за да ја имам "
+"цела следна проширена партиција."
-#: ../../standalone/net_monitor:1
-#, c-format
-msgid "received"
-msgstr "добиено"
+#: partition_table.pm:852
+#, fuzzy, c-format
+msgid "Restoring from file %s failed: %s"
+msgstr "s"
-#: ../../security/l10n.pm:1
+#: partition_table.pm:854
#, c-format
-msgid "Enable su only from the wheel group members or for any user"
-msgstr ""
-"Овозможите su само од членовите на контролната група или од секој корисник."
+msgid "Bad backup file"
+msgstr "Лоша бекап датотека"
-#: ../../standalone/logdrake:1
+#: partition_table.pm:874
#, c-format
-msgid "/File/_New"
-msgstr "/Дадотека/_Нова"
+msgid "Error writing to file %s"
+msgstr "Грешка при запишувањето во датотеката %s"
-#: ../../standalone/drakgw:1
+#: partition_table/raw.pm:181
#, c-format
-msgid "The DNS Server IP"
-msgstr "DNS Сервер IP"
+msgid ""
+"Something bad is happening on your drive. \n"
+"A test to check the integrity of data has failed. \n"
+"It means writing anything on the disk will end up with random, corrupted "
+"data."
+msgstr ""
+"Нешто лошо се случува на вашиот диск. \n"
+"Тест да се провери дали откажа интегритетот на податоците. \n"
+"Тоа значи запишување на било што на дискот ќе резултира со случајни, "
+"оштетени податоци."
-#: ../../standalone/drakTermServ:1
+#: pkgs.pm:24
#, c-format
-msgid "IP Range End:"
-msgstr "IP Опсег Крај:"
+msgid "must have"
+msgstr "мора да се има"
-#: ../../security/level.pm:1
+#: pkgs.pm:25
#, c-format
-msgid "High"
-msgstr "Високо"
-
-#: ../../standalone/printerdrake:1
-#, fuzzy, c-format
-msgid "Add a new printer to the system"
-msgstr "Додади ново правило на крајот"
+msgid "important"
+msgstr "важно"
-#: ../../any.pm:1
+#: pkgs.pm:26
#, c-format
-msgid "NoVideo"
-msgstr "NoVideo"
+msgid "very nice"
+msgstr "одлично"
-#: ../../standalone/harddrake2:1
+#: pkgs.pm:27
#, c-format
-msgid "this field describes the device"
-msgstr "ова поле го опишува уредот"
+msgid "nice"
+msgstr "убаво"
-#: ../../printer/printerdrake.pm:1
+#: pkgs.pm:28
#, c-format
-msgid "Adding printer to Star Office/OpenOffice.org/GIMP"
-msgstr "Додавање принтер на Star Office/OpenOffice.org/GIMP"
+msgid "maybe"
+msgstr "можеи"
-#: ../../printer/printerdrake.pm:1
+#: printer/cups.pm:87
#, c-format
-msgid "Local Printers"
-msgstr "Локалени Притнери"
+msgid "(on %s)"
+msgstr "(вклучено %s)"
-#: ../../standalone/drakpxe:1
-#, c-format
-msgid "Installation image directory"
-msgstr "Директориум на инсталациона слика"
+#: printer/cups.pm:87
+#, fuzzy, c-format
+msgid "(on this machine)"
+msgstr "(на овој компјутер)"
-#: ../../any.pm:1
-#, c-format
-msgid "NIS Server"
-msgstr "NIS сервер"
+#: printer/cups.pm:99 standalone/printerdrake:197
+#, fuzzy, c-format
+msgid "Configured on other machines"
+msgstr "Конфигурирај ги сервисите"
-#: ../../standalone/scannerdrake:1
+#: printer/cups.pm:101
#, c-format
-msgid "Port: %s"
-msgstr "Порта: %s"
+msgid "On CUPS server \"%s\""
+msgstr "На CUPS сервер \"%s\""
-#: ../../lang.pm:1
-#, c-format
-msgid "Spain"
-msgstr "Шпанија"
+#: printer/cups.pm:101 printer/printerdrake.pm:3784
+#: printer/printerdrake.pm:3793 printer/printerdrake.pm:3934
+#: printer/printerdrake.pm:3945 printer/printerdrake.pm:4157
+#, fuzzy, c-format
+msgid " (Default)"
+msgstr "Предефинирано"
-#: ../../standalone/drakTermServ:1
+#: printer/data.pm:21
#, c-format
-msgid "local config: %s"
-msgstr "локална конфигурција: %s"
+msgid "PDQ - Print, Don't Queue"
+msgstr "PDQ - Print, Don't Queue"
-#: ../../any.pm:1
+#: printer/data.pm:22
#, c-format
-msgid "This user name has already been added"
-msgstr "Ова корисничко име веќе е додадено"
+msgid "PDQ"
+msgstr "PDQ"
-#: ../../interactive.pm:1
+#: printer/data.pm:33
#, c-format
-msgid "Choose a file"
-msgstr "Изберете датотека"
+msgid "LPD - Line Printer Daemon"
+msgstr "LPD - Line Printer Daemon"
-#: ../../standalone/drakconnect:1
+#: printer/data.pm:34
#, c-format
-msgid "Apply"
-msgstr "Примени"
+msgid "LPD"
+msgstr "LPD"
-#: ../../standalone/scannerdrake:1
-#, c-format
-msgid "Auto-detect available ports"
-msgstr "Автоматски ги детектирај достапните порти"
+#: printer/data.pm:55
+#, fuzzy, c-format
+msgid "LPRng - LPR New Generation"
+msgstr "LPRng - LPR Нова Генерација"
-#: ../../lang.pm:1
+#: printer/data.pm:56
#, c-format
-msgid "San Marino"
-msgstr "Сан Марино"
+msgid "LPRng"
+msgstr "LPRng"
-#: ../../standalone/drakgw:1
-#, c-format
-msgid "Internet Connection Sharing currently disabled"
-msgstr "Делењето на Интернет Конекцијата моментално е оневозможена"
+#: printer/data.pm:81
+#, fuzzy, c-format
+msgid "CUPS - Common Unix Printing System"
+msgstr "CUPS - Common Unix Систем за Печатење"
-#: ../../crypto.pm:1 ../../lang.pm:1 ../../network/tools.pm:1
+#: printer/detect.pm:148 printer/detect.pm:226 printer/detect.pm:428
+#: printer/detect.pm:465 printer/printerdrake.pm:679
#, c-format
-msgid "Belgium"
-msgstr "Белгија"
+msgid "Unknown Model"
+msgstr "Непознат Модел"
-#: ../../lang.pm:1
+#: printer/main.pm:28
#, c-format
-msgid "Kuwait"
-msgstr "Кувајт"
+msgid "Local printer"
+msgstr "Локален принтер"
-#: ../../any.pm:1
+#: printer/main.pm:29
#, c-format
-msgid "Choose the window manager to run:"
-msgstr "Изберете прозор-менаџер:"
+msgid "Remote printer"
+msgstr "Оддалечен принтер"
-#: ../../standalone/drakbackup:1
+#: printer/main.pm:30
#, c-format
-msgid "December"
-msgstr ""
+msgid "Printer on remote CUPS server"
+msgstr "Печатач на оддалечен CUPS сервер"
-#: ../../standalone/harddrake2:1
-#, c-format
-msgid "sub generation of the cpu"
-msgstr "под генерирање на процесорот"
+#: printer/main.pm:31 printer/printerdrake.pm:1372
+#, fuzzy, c-format
+msgid "Printer on remote lpd server"
+msgstr "Печатач од локален lpd сервер"
-#: ../../standalone/drakbug:1
+#: printer/main.pm:32
#, c-format
-msgid "First Time Wizard"
-msgstr "Вошебник за Прв Пат"
+msgid "Network printer (TCP/Socket)"
+msgstr "Мрежен Принтер (TCP/Socket)"
-#: ../../lang.pm:1
+#: printer/main.pm:33
#, c-format
-msgid "Taiwan"
-msgstr "Тајван"
+msgid "Printer on SMB/Windows 95/98/NT server"
+msgstr "Печатач на SMB/Windows 95/98/NT сервер"
-#: ../../lang.pm:1
-#, c-format
-msgid "Pakistan"
-msgstr "Пакистан"
+#: printer/main.pm:34
+#, fuzzy, c-format
+msgid "Printer on NetWare server"
+msgstr "Печатач Вклучено"
-#: ../../standalone/logdrake:1
+#: printer/main.pm:35 printer/printerdrake.pm:1376
#, c-format
-msgid "please wait, parsing file: %s"
-msgstr "Ве молиме почекајте, датотеката се расчленува: %s"
+msgid "Enter a printer device URI"
+msgstr "Поврзете го принтерот"
-#: ../../install_steps.pm:1 ../../../move/move.pm:1
+#: printer/main.pm:36
#, c-format
-msgid ""
-"An error occurred, but I don't know how to handle it nicely.\n"
-"Continue at your own risk."
+msgid "Pipe job into a command"
msgstr ""
-"Се случи грешка, но не знам како добро да се справам со неа.\n"
-"Продолжете на сопствен ризик."
-#: ../../install_steps_gtk.pm:1
-#, c-format
-msgid "Importance: "
-msgstr "Важност: "
+#: printer/main.pm:306 printer/main.pm:574 printer/main.pm:1544
+#: printer/main.pm:2217 printer/printerdrake.pm:1781
+#: printer/printerdrake.pm:4191
+#, fuzzy, c-format
+msgid "Unknown model"
+msgstr "Непознат модел"
-#: ../../printer/printerdrake.pm:1
+#: printer/main.pm:331 standalone/printerdrake:196
#, fuzzy, c-format
-msgid ""
-"To be able to print with your Lexmark inkjet and this configuration, you "
-"need the inkjet printer drivers provided by Lexmark (http://www.lexmark."
-"com/). Click on the \"Drivers\" link. Then choose your model and afterwards "
-"\"Linux\" as operating system. The drivers come as RPM packages or shell "
-"scripts with interactive graphical installation. You do not need to do this "
-"configuration by the graphical frontends. Cancel directly after the license "
-"agreement. Then print printhead alignment pages with \"lexmarkmaintain\" and "
-"adjust the head alignment settings with this program."
-msgstr "До на иhttp://www.lexmark. Вклучено линк и Linux или на Откажи и."
+msgid "Configured on this machine"
+msgstr "(на овој компјутер)"
-#: ../../standalone/drakperm:1
-#, c-format
-msgid "Permissions"
-msgstr "Дозоли"
+#: printer/main.pm:337 printer/printerdrake.pm:948
+#, fuzzy, c-format
+msgid " on parallel port #%s"
+msgstr "на паралелна порта #%s"
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
-#, c-format
-msgid "Provider name (ex provider.net)"
-msgstr "Име на провајдерот (пр. provajder.net)"
+#: printer/main.pm:340 printer/printerdrake.pm:950
+#, fuzzy, c-format
+msgid ", USB printer #%s"
+msgstr "USB"
-#: ../../install_steps_gtk.pm:1
-#, c-format
-msgid ""
-"Your system is low on resources. You may have some problem installing\n"
-"Mandrake Linux. If that occurs, you can try a text install instead. For "
-"this,\n"
-"press `F1' when booting on CDROM, then enter `text'."
-msgstr ""
-"Вашиот систем е слаб со ресурси. Може да Ви се појават проблеми\n"
-"при инсталирање. Ако тоа се случи, пробајте со текстуална инсталација.\n"
-"За тоа, притиснете \"F1\" кога ќе се подигне цедеромот, и потоа внесете\n"
-"\"text\"."
+#: printer/main.pm:342
+#, fuzzy, c-format
+msgid ", USB printer"
+msgstr "USB принтер"
-#: ../../install_interactive.pm:1
-#, c-format
-msgid "Use the Windows partition for loopback"
-msgstr "Користи ја Windows партицијата за loopback"
+#: printer/main.pm:347
+#, fuzzy, c-format
+msgid ", multi-function device on parallel port #%s"
+msgstr ", мулти-функционален уред на паралелна порта #%s"
-#: ../../keyboard.pm:1
-#, c-format
-msgid "Armenian (typewriter)"
-msgstr "Ерменски (машина)"
+#: printer/main.pm:350
+#, fuzzy, c-format
+msgid ", multi-function device on a parallel port"
+msgstr ", мулти-функционален уред на паралелна порта #%s"
-#: ../../standalone/drakconnect:1 ../../standalone/net_monitor:1
-#, c-format
-msgid "Connection type: "
-msgstr "Тип на Врска: "
+#: printer/main.pm:352
+#, fuzzy, c-format
+msgid ", multi-function device on USB"
+msgstr "Вклучено"
-#: ../../install_steps_interactive.pm:1
+#: printer/main.pm:354
#, c-format
-msgid "Graphical interface"
-msgstr "Графички интерфејс"
+msgid ", multi-function device on HP JetDirect"
+msgstr ", повеќе-функциски уред на HP JetDirect"
-#: ../../lang.pm:1
+#: printer/main.pm:356
#, c-format
-msgid "Chad"
-msgstr "Чад"
+msgid ", multi-function device"
+msgstr ", повеќе функционален уред"
-#: ../../lang.pm:1
-#, c-format
-msgid "India"
-msgstr "Индија"
+#: printer/main.pm:359
+#, fuzzy, c-format
+msgid ", printing to %s"
+msgstr ", печатење на %s"
-#: ../../Xconfig/card.pm:1 ../../Xconfig/various.pm:1
-#, c-format
-msgid "XFree %s with 3D hardware acceleration"
-msgstr "XFree %s со 3D хардверско забрзување"
+#: printer/main.pm:361
+#, fuzzy, c-format
+msgid " on LPD server \"%s\", printer \"%s\""
+msgstr "на LPD сервер \"%s\", принтер \"%s\""
-#: ../../lang.pm:1
+#: printer/main.pm:363
#, c-format
-msgid "Slovakia"
-msgstr "Словачка"
+msgid ", TCP/IP host \"%s\", port %s"
+msgstr ", TCP/IP хост \"%s\", порта %s"
-#: ../../lang.pm:1
+#: printer/main.pm:367
#, c-format
-msgid "Singapore"
-msgstr "Сингапур"
+msgid " on SMB/Windows server \"%s\", share \"%s\""
+msgstr " на SMB/Windows сервер \"%s\", дели \"%s\""
-#: ../../lang.pm:1
+#: printer/main.pm:371
#, c-format
-msgid "Cambodia"
-msgstr "Камбоџа"
+msgid " on Novell server \"%s\", printer \"%s\""
+msgstr "на Novell сервер \"%s\", принтер \"%s\""
-#: ../../Xconfig/various.pm:1
+#: printer/main.pm:373
#, c-format
-msgid "Monitor HorizSync: %s\n"
-msgstr "Монитор хоризонтално: %s\n"
+msgid ", using command %s"
+msgstr ", користи команда %s"
-#: ../../standalone/drakperm:1
-#, c-format
-msgid "Path"
-msgstr "Пат"
+#: printer/main.pm:388
+#, fuzzy, c-format
+msgid "Parallel port #%s"
+msgstr "на паралелна порта #%s"
-#: ../../standalone/drakbug:1
+#: printer/main.pm:391 printer/printerdrake.pm:964 printer/printerdrake.pm:987
+#: printer/printerdrake.pm:1005
#, c-format
-msgid "NOT FOUND"
-msgstr ""
+msgid "USB printer #%s"
+msgstr "USB принтер #%s"
+
+#: printer/main.pm:393
+#, fuzzy, c-format
+msgid "USB printer"
+msgstr "USB принтер"
-#: ../../printer/printerdrake.pm:1
+#: printer/main.pm:398
#, c-format
-msgid ""
-"Here you can specify any arbitrary command line into which the job should be "
-"piped instead of being sent directly to a printer."
-msgstr ""
-"Овде можете да специфицирате било каква своеволна командна линија во која "
-"што работата ќе биде сместена наместо директно да се праќа на принтерот."
+msgid "Multi-function device on parallel port #%s"
+msgstr "Mулти-функционален уред на паралелна порта #%s"
-#: ../../printer/printerdrake.pm:1
+#: printer/main.pm:401
#, fuzzy, c-format
-msgid ""
-"The printing system (%s) will not be started automatically when the machine "
-"is booted.\n"
-"\n"
-"It is possible that the automatic starting was turned off by changing to a "
-"higher security level, because the printing system is a potential point for "
-"attacks.\n"
-"\n"
-"Do you want to have the automatic starting of the printing system turned on "
-"again?"
-msgstr ""
-"s\n"
-"\n"
-" Исклучено на\n"
-"\n"
-" на Вклучено?"
+msgid "Multi-function device on a parallel port"
+msgstr ", мулти-функционален уред на паралелна порта #%s"
-#: ../../printer/printerdrake.pm:1
+#: printer/main.pm:403
#, fuzzy, c-format
-msgid ""
-"Printer %s\n"
-"What do you want to modify on this printer?"
-msgstr ""
-"Печатач s\n"
-" на Вклучено?"
+msgid "Multi-function device on USB"
+msgstr "Вклучено"
-#: ../../standalone/scannerdrake:1
+#: printer/main.pm:405
#, c-format
-msgid "Add host"
-msgstr "Додади компјутер"
+msgid "Multi-function device on HP JetDirect"
+msgstr "Повеќефункциски уред на HP JetDirect"
-#: ../../harddrake/sound.pm:1
-#, c-format
-msgid ""
-"If you really think that you know which driver is the right one for your "
-"card\n"
-"you can pick one in the above list.\n"
-"\n"
-"The current driver for your \"%s\" sound card is \"%s\" "
-msgstr ""
-"Ако навистина знаете кој е вистинскиот драјвер за вашата картичка\n"
-"можете да изберете еден од горната листа.\n"
-"\n"
-"Тековниот драјвер за вашата \"%s\" звучна картичка е \"%s\" "
+#: printer/main.pm:407
+#, fuzzy, c-format
+msgid "Multi-function device"
+msgstr ", повеќе функционален уред"
-#: ../../any.pm:1
-#, c-format
-msgid ""
-"Would you like to allow users to share some of their directories?\n"
-"Allowing this will permit users to simply click on \"Share\" in konqueror "
-"and nautilus.\n"
-"\n"
-"\"Custom\" permit a per-user granularity.\n"
-msgstr ""
-"Дали сакате да допуштите корисниците да споделуваат некои од своите \n"
-"директориуми? Тоа ќе им дозволи да притиснат на \"Share\" во konqueror\n"
-"и nautilus.\n"
-"\n"
-"\"По избор\" поодделни ги третира корисниците.\n"
+#: printer/main.pm:410
+#, fuzzy, c-format
+msgid "Prints into %s"
+msgstr ", печатење на %s"
-#: ../../install_steps_interactive.pm:1
+#: printer/main.pm:412
#, c-format
-msgid ""
-"Please choose load or save package selection on floppy.\n"
-"The format is the same as auto_install generated floppies."
-msgstr ""
-"Изберете дали да ја вчитате или зачувате селекцијата на\n"
-"пакети на дискета. Форматот е ист како за дискети генерирани\n"
-"од auto_install."
+msgid "LPD server \"%s\", printer \"%s\""
+msgstr "LPD сервер \"%s\", принтер \"%s\""
-#: ../../../move/tree/mdk_totem:1
+#: printer/main.pm:414
#, fuzzy, c-format
-msgid "No CDROM support"
-msgstr "Радио поддршка:"
+msgid "TCP/IP host \"%s\", port %s"
+msgstr ", TCP/IP хост \"%s\", порта %s"
-#: ../../standalone/drakxtv:1
-#, c-format
-msgid "China (broadcast)"
-msgstr "Кина (емитирање)"
+#: printer/main.pm:418
+#, fuzzy, c-format
+msgid "SMB/Windows server \"%s\", share \"%s\""
+msgstr " на SMB/Windows сервер \"%s\", дели \"%s\""
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "Use quota for backup files."
-msgstr "Користи ја квотата за бекап датотеките."
+#: printer/main.pm:422
+#, fuzzy, c-format
+msgid "Novell server \"%s\", printer \"%s\""
+msgstr "на Novell сервер \"%s\", принтер \"%s\""
-#: ../../printer/printerdrake.pm:1
+#: printer/main.pm:424
+#, fuzzy, c-format
+msgid "Uses command %s"
+msgstr ", користи команда %s"
+
+#: printer/main.pm:426
#, c-format
-msgid "Configuring printer \"%s\"..."
-msgstr "Конфигурање на принтерот \"%s\"..."
+msgid "URI: %s"
+msgstr ""
-#: ../../fs.pm:1
+#: printer/main.pm:571 printer/printerdrake.pm:725
+#: printer/printerdrake.pm:2331
#, fuzzy, c-format
-msgid ""
-"Do not allow execution of any binaries on the mounted\n"
-"file system. This option might be useful for a server that has file systems\n"
-"containing binaries for architectures other than its own."
-msgstr ""
-"Не дозволувајте извршивање на ниедни binaries на монтираниот\n"
-"фајл ситем. Оваа опција можеби е корисна за сервер чиј што фајл системи\n"
-"содржат binaries за архитектури поинакви од неговата."
+msgid "Raw printer (No driver)"
+msgstr "Нема драјвер за принтерот"
-#: ../../network/netconnect.pm:1
+#: printer/main.pm:1085 printer/printerdrake.pm:179
+#: printer/printerdrake.pm:191
#, c-format
-msgid "Internet connection"
-msgstr "Интернет врска"
+msgid "Local network(s)"
+msgstr "Локалнa Мрежа(и)"
-#: ../../modules/interactive.pm:1
+#: printer/main.pm:1087 printer/printerdrake.pm:195
#, c-format
-msgid ""
-"Loading module %s failed.\n"
-"Do you want to try again with other parameters?"
-msgstr ""
-"Вчитувањето на модулот %s е неуспешно.\n"
-"Дали сакате да се обидете со други параметри?"
+msgid "Interface \"%s\""
+msgstr "Интерфејс \"%s\""
-#: ../advertising/01-thanks.pl:1
-#, c-format
-msgid "Welcome to the Open Source world."
-msgstr "Добредојдовте во светот на Open Source."
+#: printer/main.pm:1089
+#, fuzzy, c-format
+msgid "Network %s"
+msgstr "Мрежа %s"
-#: ../../lang.pm:1
+#: printer/main.pm:1091
#, c-format
-msgid "Bosnia and Herzegovina"
-msgstr "Босна и Херцеговина"
+msgid "Host %s"
+msgstr "Хост: %s"
+
+#: printer/main.pm:1120
+#, fuzzy, c-format
+msgid "%s (Port %s)"
+msgstr "%s (Порта %s)"
-#: ../../fsedit.pm:1
+#: printer/printerdrake.pm:22
#, c-format
msgid ""
-"You need a true filesystem (ext2/ext3, reiserfs, xfs, or jfs) for this mount "
-"point\n"
+"The HP LaserJet 1000 needs its firmware to be uploaded after being turned "
+"on. Download the Windows driver package from the HP web site (the firmware "
+"on the printer's CD does not work) and extract the firmware file from it by "
+"uncompresing the self-extracting '.exe' file with the 'unzip' utility and "
+"searching for the 'sihp1000.img' file. Copy this file into the '/etc/"
+"printer' directory. There it will be found by the automatic uploader script "
+"and uploaded whenever the printer is connected and turned on.\n"
msgstr ""
-"Потребен ви е вистински фајлсистем (ext2/ext3, reiserfs, xfs, или jfs) за "
-"оваа точка на монтирање\n"
-
-#: ../../standalone/scannerdrake:1
-#, c-format
-msgid "You must enter a host name or an IP address.\n"
-msgstr "Мора да внесете име на компјутерот или IP адреса.\n"
-
-#: ../../crypto.pm:1 ../../lang.pm:1 ../../network/tools.pm:1
-#, c-format
-msgid "Netherlands"
-msgstr "Холандија"
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:62
#, c-format
-msgid "Sending files by FTP"
-msgstr "Се испраќаат датотеките преку FTP"
+msgid "CUPS printer configuration"
+msgstr "CUPS принтерска конфигурација"
-#: ../../network/isdn.pm:1
+#: printer/printerdrake.pm:63
#, c-format
-msgid "Internal ISDN card"
-msgstr "Интерна ISDN картичка"
+msgid ""
+"Here you can choose whether the printers connected to this machine should be "
+"accessable by remote machines and by which remote machines."
+msgstr ""
+"Овде можете да изберете дали принтерите поврзани на оваа машина можат да "
+"бидат достапни од оддалечени машини и тоа од кои оддалечени машини."
-#: ../../harddrake/sound.pm:1
+#: printer/printerdrake.pm:64
#, c-format
msgid ""
-"There's no known OSS/ALSA alternative driver for your sound card (%s) which "
-"currently uses \"%s\""
+"You can also decide here whether printers on remote machines should be "
+"automatically made available on this machine."
msgstr ""
-"Не постои познат OSS/ALSA алтернативен драјвер за Вашата звучна картичка (%"
-"s) која моментално го користи \"%s\""
+"Овде можете исто така да одлучите дали принтерите на оддалечените машини "
+"треба автоматски да се направат достапни за оваа машина."
-#: ../../network/modem.pm:1
+#: printer/printerdrake.pm:67
#, c-format
-msgid "Title"
-msgstr "Наслов"
+msgid "The printers on this machine are available to other computers"
+msgstr "Печатачите на овој компјутер се достапни на други компјутери"
-#: ../../standalone/drakfont:1
+#: printer/printerdrake.pm:69
#, c-format
-msgid "Install & convert Fonts"
-msgstr "Инсталирај и конвертирај ѓи Фонтовите"
+msgid "Automatically find available printers on remote machines"
+msgstr "Автоматски најди достапни принтери на оддалечени машини"
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:71
#, fuzzy, c-format
-msgid "WARNING"
-msgstr "ВНИМАНИЕ"
+msgid "Printer sharing on hosts/networks: "
+msgstr "Спуштање на мрежата"
-#: ../../install_steps_interactive.pm:1
-#, c-format
-msgid "Installing bootloader"
-msgstr "Инсталирање на подигачот"
+#: printer/printerdrake.pm:73
+#, fuzzy, c-format
+msgid "Custom configuration"
+msgstr "Автоматски"
-#: ../../standalone/drakautoinst:1
-#, c-format
-msgid "replay"
-msgstr "повторно"
+#: printer/printerdrake.pm:78 standalone/scannerdrake:554
+#: standalone/scannerdrake:571
+#, fuzzy, c-format
+msgid "No remote machines"
+msgstr "Нема локални компјутери"
+
+#: printer/printerdrake.pm:88
+#, fuzzy, c-format
+msgid "Additional CUPS servers: "
+msgstr "Вклучено s"
-#: ../../network/netconnect.pm:1
+#: printer/printerdrake.pm:93
#, c-format
-msgid "detected %s"
-msgstr "детектирано %s"
+msgid "None"
+msgstr "Ниедно"
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:95
#, c-format
msgid ""
-"Expect is an extension to the Tcl scripting language that allows interactive "
-"sessions without user intervention."
+"To get access to printers on remote CUPS servers in your local network you "
+"only need to turn on the \"Automatically find available printers on remote "
+"machines\" option; the CUPS servers inform your machine automatically about "
+"their printers. All printers currently known to your machine are listed in "
+"the \"Remote printers\" section in the main window of Printerdrake. If your "
+"CUPS server(s) is/are not in your local network, you have to enter the IP "
+"address(es) and optionally the port number(s) here to get the printer "
+"information from the server(s)."
msgstr ""
+"Да добиете пристап до принтерите на оддалечени CUPS сервери во вашата "
+"локална мрежа,вие треба само да ја вклучите опцијата \"Автоматски пронајди "
+"ги достапните принтери на оддалечените машини\"; CUPS серверите автоматски "
+"ја информираат вашата машина за нивните принтери. Сите моментално познати "
+"принтери на вашата машина се излистани во секцијата \"Оддалечени Принтери\" "
+"во главниот прозорец на Printerdrake. Ако ваши(те)от CUPS сервер(и) не е/се "
+"во вашата локална мрежа, треба да ја/ги внесите IP адрес(ите)ата и опционо "
+"овде бро(евите)јот на порто(вите)тза да добиете информации од сервер(ите)от."
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:100
#, c-format
-msgid "Virgin Islands (U.S.)"
-msgstr ""
+msgid "Japanese text printing mode"
+msgstr "Јапонски режим за печатење текст"
-#: ../../partition_table.pm:1
+#: printer/printerdrake.pm:101
#, c-format
-msgid "Bad backup file"
-msgstr "Лоша бекап датотека"
+msgid ""
+"Turning on this allows to print plain text files in japanese language. Only "
+"use this function if you really want to print text in japanese, if it is "
+"activated you cannot print accentuated characters in latin fonts any more "
+"and you will not be able to adjust the margins, the character size, etc. "
+"This setting only affects printers defined on this machine. If you want to "
+"print japanese text on a printer set up on a remote machine, you have to "
+"activate this function on that remote machine."
+msgstr ""
+"Ако го вклучите ова ќе ви овозможи да печатите датотеки со обичен текст на "
+"јапонски јазик. Користете ја оваа функција само ако навистина сакате да "
+"печатете текст на јапонски, ако е активирана нема да можете повеќе да "
+"печатете акцентирани карактери на латински фонтови и нема да можете да ги "
+"прилагодите маргините, големината на карактерот итн. Ова подесувања има "
+"влијание само на принтерите кои се дефинирани на оваа машина. Ако сакате да "
+"печатите јапонски текст преку принтер кој е на оддалечена машина, оваа "
+"функција треба да се активира на оддалечената машина."
-#: ../../standalone/drakgw:1
+#: printer/printerdrake.pm:105
#, fuzzy, c-format
+msgid "Automatic correction of CUPS configuration"
+msgstr "Автоматска корекција на CUPS конфигурацијата"
+
+#: printer/printerdrake.pm:107
+#, c-format
msgid ""
-"The setup of Internet connection sharing has already been done.\n"
-"It's currently disabled.\n"
+"When this option is turned on, on every startup of CUPS it is automatically "
+"made sure that\n"
"\n"
-"What would you like to do?"
+"- if LPD/LPRng is installed, /etc/printcap will not be overwritten by CUPS\n"
+"\n"
+"- if /etc/cups/cupsd.conf is missing, it will be created\n"
+"\n"
+"- when printer information is broadcasted, it does not contain \"localhost\" "
+"as the server name.\n"
+"\n"
+"If some of these measures lead to problems for you, turn this option off, "
+"but then you have to take care of these points."
msgstr ""
+"Кога е вклучена оваа опција, при секое подигање на CUPS автоматски се "
+"обезбедува дека\n"
"\n"
-" s неовозможено\n"
+" - ако LPD/LPRng е инсталиран, /etc/printcap нема да биде препишан од CUPS\n"
"\n"
-" на?"
+" - ако недостига /etc/cups/cupsd.conf, ќе биде креиран\n"
+"\n"
+" - кога се пренесува печатарска информација, таа не содржи \"localhost\" "
+"како име на серверот.\n"
+"\n"
+"Ако некои од овие мерки ви претставуваат проблем, исклучета ја оваа опција, "
+"но тогаш ќе морате да се погрижите за овие финкции."
+
+#: printer/printerdrake.pm:129 printer/printerdrake.pm:205
+#, fuzzy, c-format
+msgid "Sharing of local printers"
+msgstr "Локален принтер"
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:130
#, c-format
-msgid "Enter IP address and port of the host whose printers you want to use."
+msgid ""
+"These are the machines and networks on which the locally connected printer"
+"(s) should be available:"
msgstr ""
-"Внесете IP адреса и порта на компјутерите чии што принтери сакате да ги "
-"користите."
+"Ова се машините и мрежите на кои локално поврзани(те)от принтер(и) треба да "
+"се достапни:"
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:141
#, c-format
-msgid "Pipe into command"
-msgstr "Смести во команда"
+msgid "Add host/network"
+msgstr "Додади хост/мрежа"
-#: ../../install_interactive.pm:1
+#: printer/printerdrake.pm:147
#, c-format
-msgid ""
-"Some hardware on your computer needs ``proprietary'' drivers to work.\n"
-"You can find some information about them at: %s"
-msgstr ""
-"На дел од хардверот на Вашиот компјутер му се потребни \"затворени\"\n"
-"(proprietary) драјвери за да работи. Некои информации за тоа можете\n"
-"да најдете на: %s"
+msgid "Edit selected host/network"
+msgstr "Промена на селектираниот хост/мрежа"
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:156
#, c-format
-msgid "Haiti"
-msgstr "Хаити"
+msgid "Remove selected host/network"
+msgstr "Отстрани го избраниот хост/мрежа"
-#: ../../network/netconnect.pm:1 ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:187 printer/printerdrake.pm:197
+#: printer/printerdrake.pm:210 printer/printerdrake.pm:217
+#: printer/printerdrake.pm:248 printer/printerdrake.pm:266
#, c-format
-msgid "Detecting devices..."
-msgstr "Детектирање уреди..."
+msgid "IP address of host/network:"
+msgstr "IP адреса на хост/мрежа"
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:206
#, c-format
msgid ""
-"Custom allows you to specify your own day and time. The other options use "
-"run-parts in /etc/crontab."
+"Choose the network or host on which the local printers should be made "
+"available:"
msgstr ""
+"Изберете ја мрежата или хостот на кој локалните принтери треба да бидат "
+"достапни:"
-#: ../../standalone/harddrake2:1
+#: printer/printerdrake.pm:213
#, c-format
-msgid ""
-"Description of the fields:\n"
-"\n"
-msgstr ""
-"Опис на полињата:\n"
-"\n"
+msgid "Host/network IP address missing."
+msgstr "IP на хост/мрежа недостига."
-#: ../../standalone/draksec:1
-#, fuzzy, c-format
-msgid "Basic options"
-msgstr "DrakSec основни опции"
+#: printer/printerdrake.pm:221
+#, c-format
+msgid "The entered host/network IP is not correct.\n"
+msgstr "Внесената IP на хост/мрежа не е точна.\n"
-#: ../../standalone/harddrake2:1
-#, fuzzy, c-format
-msgid "the name of the CPU"
-msgstr "имтое на производителот на уредот"
+#: printer/printerdrake.pm:222 printer/printerdrake.pm:400
+#, c-format
+msgid "Examples for correct IPs:\n"
+msgstr "Пример на исправни IP адреси:\n"
-#: ../../security/l10n.pm:1
+#: printer/printerdrake.pm:246
#, c-format
-msgid "Accept bogus IPv4 error messages"
-msgstr "Прифати лажни IPv4 пораки со грешка"
+msgid "This host/network is already in the list, it cannot be added again.\n"
+msgstr "Овој хост/мрежа веќе е на листата, не може да се додади повторно.\n"
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:316 printer/printerdrake.pm:387
#, fuzzy, c-format
-msgid "Refreshing printer data..."
-msgstr "податок."
+msgid "Accessing printers on remote CUPS servers"
+msgstr "Печатач Вклучено"
-#: ../../install2.pm:1
+#: printer/printerdrake.pm:317
#, c-format
-msgid "You must also format %s"
-msgstr "Мора да го форматирате и %s"
+msgid ""
+"Add here the CUPS servers whose printers you want to use. You only need to "
+"do this if the servers do not broadcast their printer information into the "
+"local network."
+msgstr ""
+"Овде додадете ги CUPS серверите кои сакате Вашите принтери да ги користат. "
+"Ова е потребно да го направитеYou only need to ако серверите немаат "
+"broadcast."
-#: ../../diskdrake/interactive.pm:1
-#, c-format
-msgid "Be careful: this operation is dangerous."
-msgstr "Внимателно: оваа операција е опасна."
+#: printer/printerdrake.pm:328
+#, fuzzy, c-format
+msgid "Add server"
+msgstr "Додади сервер"
-#: ../../install_steps_interactive.pm:1
+#: printer/printerdrake.pm:334
#, c-format
-msgid "Insert a floppy containing package selection"
-msgstr "Внесете дискета што содржи селекција на пакети"
+msgid "Edit selected server"
+msgstr "Уреди го означениот сервер"
-#: ../../diskdrake/dav.pm:1
+#: printer/printerdrake.pm:343
#, c-format
-msgid "Server: "
-msgstr "Сервер: "
+msgid "Remove selected server"
+msgstr "Отстрани го избраниот сервер"
-#: ../../standalone/draksec:1
-#, fuzzy, c-format
-msgid "Security Alerts:"
-msgstr "Безбедност:"
+#: printer/printerdrake.pm:388
+#, c-format
+msgid "Enter IP address and port of the host whose printers you want to use."
+msgstr ""
+"Внесете IP адреса и порта на компјутерите чии што принтери сакате да ги "
+"користите."
-#: ../../crypto.pm:1 ../../lang.pm:1
+#: printer/printerdrake.pm:389
#, c-format
-msgid "Sweden"
-msgstr "Шведска"
+msgid "If no port is given, 631 will be taken as default."
+msgstr "Ако не е дадена порта, тогаш 631 се зема за стандардна."
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:393
#, fuzzy, c-format
-msgid "Use Expect for SSH"
-msgstr "Користи го"
+msgid "Server IP missing!"
+msgstr "IP адреса на Сервер недостига!"
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:399
#, c-format
-msgid "Poland"
-msgstr "Полска"
+msgid "The entered IP is not correct.\n"
+msgstr "Внесената IP не е точна.\n"
-#: ../../network/drakfirewall.pm:1
+#: printer/printerdrake.pm:411 printer/printerdrake.pm:1582
#, c-format
-msgid "Other ports"
-msgstr "Други порти"
+msgid "The port number should be an integer!"
+msgstr "Пората треба да биде во integer!"
-#: ../../harddrake/v4l.pm:1
+#: printer/printerdrake.pm:422
#, c-format
-msgid "number of capture buffers for mmap'ed capture"
-msgstr "број на бафери за mmap-иран capture"
+msgid "This server is already in the list, it cannot be added again.\n"
+msgstr "Овој сервер веќе е во листата, не може да се додаде пак.\n"
-#: ../../network/adsl.pm:1
+#: printer/printerdrake.pm:433 printer/printerdrake.pm:1603
+#: standalone/harddrake2:64
#, fuzzy, c-format
-msgid " - detected"
-msgstr "откриено"
+msgid "Port"
+msgstr "Порт"
-#: ../../harddrake/data.pm:1
+#: printer/printerdrake.pm:478 printer/printerdrake.pm:545
+#: printer/printerdrake.pm:605 printer/printerdrake.pm:621
+#: printer/printerdrake.pm:704 printer/printerdrake.pm:761
+#: printer/printerdrake.pm:787 printer/printerdrake.pm:1800
+#: printer/printerdrake.pm:1808 printer/printerdrake.pm:1830
+#: printer/printerdrake.pm:1857 printer/printerdrake.pm:1892
+#: printer/printerdrake.pm:1929 printer/printerdrake.pm:1939
+#: printer/printerdrake.pm:2182 printer/printerdrake.pm:2187
+#: printer/printerdrake.pm:2326 printer/printerdrake.pm:2436
+#: printer/printerdrake.pm:2901 printer/printerdrake.pm:2966
+#: printer/printerdrake.pm:3000 printer/printerdrake.pm:3003
+#: printer/printerdrake.pm:3122 printer/printerdrake.pm:3184
+#: printer/printerdrake.pm:3256 printer/printerdrake.pm:3277
+#: printer/printerdrake.pm:3286 printer/printerdrake.pm:3377
+#: printer/printerdrake.pm:3475 printer/printerdrake.pm:3481
+#: printer/printerdrake.pm:3488 printer/printerdrake.pm:3534
+#: printer/printerdrake.pm:3574 printer/printerdrake.pm:3586
+#: printer/printerdrake.pm:3597 printer/printerdrake.pm:3606
+#: printer/printerdrake.pm:3619 printer/printerdrake.pm:3689
+#: printer/printerdrake.pm:3740 printer/printerdrake.pm:3805
+#: printer/printerdrake.pm:4065 printer/printerdrake.pm:4108
+#: printer/printerdrake.pm:4254 printer/printerdrake.pm:4312
+#: printer/printerdrake.pm:4341 standalone/printerdrake:65
+#: standalone/printerdrake:85 standalone/printerdrake:515
#, c-format
-msgid "SMBus controllers"
-msgstr "SMBus контролери"
+msgid "Printerdrake"
+msgstr "Printerdrake"
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: printer/printerdrake.pm:479
#, fuzzy, c-format
-msgid "Connection timeout (in sec)"
-msgstr "Врска во"
+msgid "Restarting CUPS..."
+msgstr "Рестартирање на CUPS..."
-#: ../../standalone/harddrake2:1
+#: printer/printerdrake.pm:502
#, c-format
+msgid "Select Printer Connection"
+msgstr "Избери поврзување на принтер"
+
+#: printer/printerdrake.pm:503
+#, c-format
+msgid "How is the printer connected?"
+msgstr "Како е поврзан принтерот?"
+
+#: printer/printerdrake.pm:505
+#, fuzzy, c-format
msgid ""
-"Some of the early i486DX-100 chips cannot reliably return to operating mode "
-"after the \"halt\" instruction is used"
+"\n"
+"Printers on remote CUPS servers do not need to be configured here; these "
+"printers will be automatically detected."
msgstr ""
-"Некои од поранешните i486DX-100 не можат потпорно да се вратат во извршен "
-"режим поради извршувањето на инструкцијата \"halt\""
+"\n"
+" Печатачи Вклучено на."
-#: ../../keyboard.pm:1
+#: printer/printerdrake.pm:508 printer/printerdrake.pm:3807
#, c-format
-msgid "Croatian"
-msgstr "Хрватска"
+msgid ""
+"\n"
+"WARNING: No local network connection active, remote printers can neither be "
+"detected nor tested!"
+msgstr ""
-#: ../../help.pm:1
+#: printer/printerdrake.pm:515
#, c-format
-msgid "Use existing partition"
-msgstr "Користи ја постоечката партиција"
+msgid "Printer auto-detection (Local, TCP/Socket, and SMB printers)"
+msgstr "Принтерска авто-детекција (Локален, TCP/Socket, и SMB принтери)"
-#: ../../install_steps_interactive.pm:1
+#: printer/printerdrake.pm:545
#, c-format
-msgid "Unable to contact mirror %s"
-msgstr "Не можеше да контактира со другиот %s"
+msgid "Checking your system..."
+msgstr "Вашиот систем се проверува..."
-#: ../../standalone/logdrake:1
+#: printer/printerdrake.pm:560
#, c-format
-msgid "/Help/_About..."
-msgstr "/Помош/_За..."
+msgid "and one unknown printer"
+msgstr "и еден непознат принтер"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "Remove user directories before restore."
-msgstr "Отстрани ги корисничките директориуми пред повратувањето."
+#: printer/printerdrake.pm:562
+#, fuzzy, c-format
+msgid "and %d unknown printers"
+msgstr ""
+"�%d непознати принтери\n"
+" и непознато "
-#: ../../printer/printerdrake.pm:1
-#, c-format
+#: printer/printerdrake.pm:566
+#, fuzzy, c-format
msgid ""
-"You are going to configure a remote printer. This needs working network "
-"access, but your network is not configured yet. If you go on without network "
-"configuration, you will not be able to use the printer which you are "
-"configuring now. How do you want to proceed?"
+"The following printers\n"
+"\n"
+"%s%s\n"
+"are directly connected to your system"
msgstr ""
-"Ќе конфигурирате оддалечен принтер. За ова е потребно овозможен мрежен "
-"пристап, но вашата мрежа се уште не е конфигурирана. Ако продолжите без "
-"мрежна конфигурација, нема да можете да го користите принтерот кој што го "
-"конфигурирате. Како сакате да продолжите?"
+"\n"
+" непознато на"
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:568
#, c-format
-msgid "CUPS printer configuration"
-msgstr "CUPS принтерска конфигурација"
+msgid ""
+"The following printer\n"
+"\n"
+"%s%s\n"
+"are directly connected to your system"
+msgstr ""
+"Следниве принтери\n"
+"\n"
+"%s%s\n"
+"се директно поврзани на твојот систем"
-#: ../../standalone/drakfont:1
-#, c-format
-msgid "could not find any font in your mounted partitions"
-msgstr "не се пронајде ниту еден фонт на вашите монтирани паритиции"
+#: printer/printerdrake.pm:569
+#, fuzzy, c-format
+msgid ""
+"The following printer\n"
+"\n"
+"%s%s\n"
+"is directly connected to your system"
+msgstr ""
+"\n"
+" непознато на"
-#: ../../standalone/harddrake2:1
+#: printer/printerdrake.pm:573
#, c-format
-msgid "F00f bug"
-msgstr "F00f баг"
+msgid ""
+"\n"
+"There is one unknown printer directly connected to your system"
+msgstr ""
+"\n"
+"Има еден непознат принтер директно поврзан на твојот систем"
-#: ../../Xconfig/card.pm:1 ../../Xconfig/various.pm:1
+#: printer/printerdrake.pm:574
#, c-format
-msgid "XFree %s"
-msgstr "XFree %s"
+msgid ""
+"\n"
+"There are %d unknown printers directly connected to your system"
+msgstr ""
+"\n"
+" Има %d непознати принтери дирекно поврзани со Вашиот систем"
-#: ../../standalone/drakTermServ:1
+#: printer/printerdrake.pm:577
#, c-format
-msgid "Domain Name:"
-msgstr "Име на доменот:"
+msgid ""
+"There are no printers found which are directly connected to your machine"
+msgstr "Не се пронајдени принтери кои се директно поврзани со вашата машина"
-#: ../../security/l10n.pm:1
-#, c-format
-msgid "Root umask"
-msgstr "Root umask"
+#: printer/printerdrake.pm:580
+#, fuzzy, c-format
+msgid " (Make sure that all your printers are connected and turned on).\n"
+msgstr "(Бидете сигурни дека сите принтери се поврзани и уклучени)."
-#: ../../any.pm:1
+#: printer/printerdrake.pm:593
#, c-format
-msgid "On Floppy"
-msgstr "На дискета"
+msgid ""
+"Do you want to enable printing on the printers mentioned above or on "
+"printers in the local network?\n"
+msgstr ""
+"Дали сакате да овозможите печатење на принтерите споменати погоре или на "
+"принтерите во локалната мрежа?\n"
-#: ../../security/l10n.pm:1
+#: printer/printerdrake.pm:594
#, c-format
-msgid "Reboot by the console user"
-msgstr "Рестарт од конзолниот корисник"
+msgid "Do you want to enable printing on printers in the local network?\n"
+msgstr "Дали сакате да овозможите печатење на принтери во локалната мрежа?\n"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "Restore"
-msgstr "Поврати"
+#: printer/printerdrake.pm:596
+#, fuzzy, c-format
+msgid "Do you want to enable printing on the printers mentioned above?\n"
+msgstr "Дали сакате да биде овозможено печатење на принтерите ?"
-#: ../../standalone/drakclock:1
+#: printer/printerdrake.pm:597
#, fuzzy, c-format
-msgid "Server:"
-msgstr "Сервер: "
+msgid "Are you sure that you want to set up printing on this machine?\n"
+msgstr ""
+"Дали сте сигурни дека сакате да го сетирате печатењето на овој компјутер?\n"
-#: ../../security/help.pm:1
+#: printer/printerdrake.pm:598
#, c-format
-msgid "if set to yes, check if the network devices are in promiscuous mode."
+msgid ""
+"NOTE: Depending on the printer model and the printing system up to %d MB of "
+"additional software will be installed."
msgstr ""
-"ако е подесено на да, провери дали мрежните уреди со во заеднички режим."
+"ЗАБЕЛЕШКА: Во зависност од моделот на принтерот и на принтерскиот систем, ќе "
+"биде инсталиран дополнителен софтвер до %d MB."
-#: ../../install_steps_interactive.pm:1
-#, c-format
-msgid "Looking for available packages..."
-msgstr "Барање достапни пакети..."
+#: printer/printerdrake.pm:622
+#, fuzzy, c-format
+msgid "Searching for new printers..."
+msgstr "Барање на нови принтери..."
-#: ../../../move/move.pm:1
+#: printer/printerdrake.pm:706
#, fuzzy, c-format
-msgid "Please wait, setting up system configuration files on USB key..."
-msgstr "Ве молиме почекајте, се сетира сигурносното ниво..."
+msgid "Configuring printer ..."
+msgstr "Конфигурирање на принтер..."
-#: ../../any.pm:1
+#: printer/printerdrake.pm:707 printer/printerdrake.pm:762
+#: printer/printerdrake.pm:3598
#, c-format
-msgid "Init Message"
-msgstr "Init порака"
+msgid "Configuring printer \"%s\"..."
+msgstr "Конфигурање на принтерот \"%s\"..."
-#: ../../help.pm:1 ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:727
#, c-format
-msgid "Rescue partition table"
-msgstr "Спасувај партициска табела"
+msgid "("
+msgstr "("
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:728
#, c-format
-msgid "Cyprus"
-msgstr "Кипар"
+msgid " on "
+msgstr " Вклучено "
-#: ../../standalone/net_monitor:1
+#: printer/printerdrake.pm:729 standalone/scannerdrake:130
#, c-format
-msgid "Connection complete."
-msgstr "Врската е завршена."
+msgid ")"
+msgstr ")"
-#: ../../diskdrake/interactive.pm:1
-#, c-format
-msgid "Remove from RAID"
-msgstr "Отстрани од RAID"
+#: printer/printerdrake.pm:734 printer/printerdrake.pm:2338
+#, fuzzy, c-format
+msgid "Printer model selection"
+msgstr "Печатач"
-#: ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:735 printer/printerdrake.pm:2339
#, c-format
-msgid "This encryption key is too simple (must be at least %d characters long)"
+msgid "Which printer model do you have?"
+msgstr "Кој модел на принтер го имате?"
+
+#: printer/printerdrake.pm:736
+#, fuzzy, c-format
+msgid ""
+"\n"
+"\n"
+"Printerdrake could not determine which model your printer %s is. Please "
+"choose the correct model from the list."
msgstr ""
-"Овој криптирачки клуч е преедноставен (мора да има должина од барем %d знаци)"
+"\n"
+"\n"
+"Printerdrake не може да го препознае моделот на Вашиот принтер. Ве молиме "
+"изберете го моделот од листата."
-#: ../../standalone/drakbug:1
+#: printer/printerdrake.pm:739 printer/printerdrake.pm:2344
#, c-format
-msgid "Configuration Wizards"
-msgstr "Конфигурационен Волшебник"
+msgid ""
+"If your printer is not listed, choose a compatible (see printer manual) or a "
+"similar one."
+msgstr ""
+"ако твојот принтер не е во листата, изберете сличен(видете во упатството на "
+"принтерот)"
-#: ../../network/netconnect.pm:1
+#: printer/printerdrake.pm:788 printer/printerdrake.pm:3587
+#: printer/printerdrake.pm:3741 printer/printerdrake.pm:4066
+#: printer/printerdrake.pm:4109 printer/printerdrake.pm:4313
#, c-format
-msgid "ISDN connection"
-msgstr "ISDN Конекција"
+msgid "Configuring applications..."
+msgstr "Конфигурирање на апликации..."
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:824 printer/printerdrake.pm:836
+#: printer/printerdrake.pm:894 printer/printerdrake.pm:1787
+#: printer/printerdrake.pm:3823 printer/printerdrake.pm:4006
#, fuzzy, c-format
-msgid "CD-R / DVD-R"
-msgstr "CDROM / DVDROM"
-
-#: ../../standalone/harddrake2:1
-#, c-format
-msgid "primary"
-msgstr "примарен"
-
-#: ../../printer/main.pm:1
-#, c-format
-msgid " on SMB/Windows server \"%s\", share \"%s\""
-msgstr " на SMB/Windows сервер \"%s\", дели \"%s\""
+msgid "Add a new printer"
+msgstr "Додај"
-#: ../../help.pm:1
-#, c-format
+#: printer/printerdrake.pm:825
+#, fuzzy, c-format
msgid ""
-"This dialog is used to choose which services you wish to start at boot\n"
-"time.\n"
"\n"
-"DrakX will list all the services available on the current installation.\n"
-"Review each one carefully and uncheck those which are not needed at boot\n"
-"time.\n"
+"Welcome to the Printer Setup Wizard\n"
"\n"
-"A short explanatory text will be displayed about a service when it is\n"
-"selected. However, if you are not sure whether a service is useful or not,\n"
-"it is safer to leave the default behavior.\n"
+"This wizard allows you to install local or remote printers to be used from "
+"this machine and also from other machines in the network.\n"
"\n"
-"!! At this stage, be very careful if you intend to use your machine as a\n"
-"server: you will probably not want to start any services that you do not\n"
-"need. Please remember that several services can be dangerous if they are\n"
-"enabled on a server. In general, select only the services you really need.\n"
-"!!"
+"It asks you for all necessary information to set up the printer and gives "
+"you access to all available printer drivers, driver options, and printer "
+"connection types."
msgstr ""
-"Овој дијалог се користи за да ги изберете сервисите што сакате да се \n"
-"стартуваат за време на подигање.\n"
"\n"
-"DrakX ќе ги излиста сите достапни сервиси во тековната инсталација.\n"
-"Внимателно разгледајте ги и дештиклирајте ги оние што не се потребни\n"
-"за време на подигање.\n"
+" Добредојдовте на Печатач Подготви Волшебник\n"
"\n"
-"Можете да добиете кратко објаснување за некој сервис ако го изберете.\n"
-"Сепак, ако не сте сигурни дали некој сервис е корисен или не, побезбедно\n"
-"е да го оставите како што е.\n"
+" на или на и во\n"
"\n"
-"!! Во овој стадиум, бидете внимателни ако планирате да ја користите\n"
-"Вашата машина како сервер: веројатно нема да сакате да стартувате некој\n"
-"сервис што не Ви треба. Ве молиме запомнете дека повеќе сервиси можат да \n"
-"бидат опасни ако бидат овозможени на сервер. Генерално, изберете ги\n"
-"само сервисите што навистина Ви се потребни.\n"
-"!!"
+" на и на достапен и."
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:838
#, c-format
-msgid "Niue"
+msgid ""
+"\n"
+"Welcome to the Printer Setup Wizard\n"
+"\n"
+"This wizard will help you to install your printer(s) connected to this "
+"computer, connected directly to the network or to a remote Windows machine.\n"
+"\n"
+"Please plug in and turn on all printers connected to this machine so that it/"
+"they can be auto-detected. Also your network printer(s) and your Windows "
+"machines must be connected and turned on.\n"
+"\n"
+"Note that auto-detecting printers on the network takes longer than the auto-"
+"detection of only the printers connected to this machine. So turn off the "
+"auto-detection of network and/or Windows-hosted printers when you don't need "
+"it.\n"
+"\n"
+" Click on \"Next\" when you are ready, and on \"Cancel\" if you do not want "
+"to set up your printer(s) now."
msgstr ""
+"\n"
+"Добредојдовте на Волшебникот за подесување на Печатач \n"
+"\n"
+"Овој волшебник ќе ви помогне да го инсталирате вашиот принтер(и) поврзани "
+"со\n"
+"овој компјутер, поврзани директно на мрежата или на далечинска Windows "
+"машина.\n"
+"\n"
+"Ве молам поврзете ги и вклучете ги сите печатари поврзани на овој компјутер "
+"за да\n"
+"може(ат) да бидат авто-откриени. Исто така вашите мрежни компјутери и "
+"вашите\n"
+"Windows машини мора да бидат поврзани и вклучени.\n"
+"\n"
+"Запамтете дека авто-откривањето на печатарите на мрежа трае подолго "
+"отколку \n"
+"авто-откивањето само на печатарите поврзани на оваа машина. Затоа исклучете "
+"го\n"
+"авто-откривањето на мрежни и/или Windows хостирани печатари кога не ви "
+"требаат.\n"
+"\n"
+"Кликнете на \"Следно\" кога сте спремни, и на \"Откажи\" ако не сакате сега "
+"да правите подесување на печатарот(рите)."
-#: ../../any.pm:1 ../../help.pm:1 ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Skip"
-msgstr "Прескокни"
+#: printer/printerdrake.pm:847
+#, fuzzy, c-format
+msgid ""
+"\n"
+"Welcome to the Printer Setup Wizard\n"
+"\n"
+"This wizard will help you to install your printer(s) connected to this "
+"computer.\n"
+"\n"
+"Please plug in and turn on all printers connected to this machine so that it/"
+"they can be auto-detected.\n"
+"\n"
+" Click on \"Next\" when you are ready, and on \"Cancel\" if you do not want "
+"to set up your printer(s) now."
+msgstr ""
+"\n"
+" Добредојдовте на Волшебник за Подготовка на Печатач\n"
+"Овој волшебник ќе Ви помогне во инсталирањето на Вашиот принтер/и поврзан/и "
+"на овој компјутер.\n"
+"\n"
+" Ако имате принтер/и поврзан/и на компјутерот уклучете го/и за да може/ат "
+"давтоматски да се детектираат.\n"
+"\n"
+" Клинете на \"Следно\" кога сте подготвени или \"Откажи\" ако не сакате сега "
+"да го/и поставите Вашиот/те принтер/и."
-#: ../../services.pm:1
-#, c-format
+#: printer/printerdrake.pm:855
+#, fuzzy, c-format
msgid ""
-"Activates/Deactivates all network interfaces configured to start\n"
-"at boot time."
+"\n"
+"Welcome to the Printer Setup Wizard\n"
+"\n"
+"This wizard will help you to install your printer(s) connected to this "
+"computer or connected directly to the network.\n"
+"\n"
+"If you have printer(s) connected to this machine, Please plug it/them in on "
+"this computer and turn it/them on so that it/they can be auto-detected. Also "
+"your network printer(s) must be connected and turned on.\n"
+"\n"
+"Note that auto-detecting printers on the network takes longer than the auto-"
+"detection of only the printers connected to this machine. So turn off the "
+"auto-detection of network printers when you don't need it.\n"
+"\n"
+" Click on \"Next\" when you are ready, and on \"Cancel\" if you do not want "
+"to set up your printer(s) now."
msgstr ""
-"Ги Активира/Деактивира сите мрежни интерфејси конфигурирани на почетокот\n"
-"од времето на подигање."
+"\n"
+" Добредојдовте на Печатач Подготви Волшебник\n"
+"\n"
+" на s на или на\n"
+"\n"
+" s на во Вклучено и Вклучено s и Вклучено\n"
+"\n"
+" Забелешка Вклучено на Исклучено\n"
+"\n"
+" Вклучено Следно и Вклучено Откажи на s."
-#: ../../standalone/harddrake2:1
+#: printer/printerdrake.pm:864
#, fuzzy, c-format
msgid ""
-"the CPU frequency in MHz (Megahertz which in first approximation may be "
-"coarsely assimilated to number of instructions the cpu is able to execute "
-"per second)"
+"\n"
+"Welcome to the Printer Setup Wizard\n"
+"\n"
+"This wizard will help you to install your printer(s) connected to this "
+"computer.\n"
+"\n"
+"If you have printer(s) connected to this machine, Please plug it/them in on "
+"this computer and turn it/them on so that it/they can be auto-detected.\n"
+"\n"
+" Click on \"Next\" when you are ready, and on \"Cancel\" if you do not want "
+"to set up your printer(s) now."
msgstr ""
-"Фреквенцијата на Процесорот во MHz (Мегахерци кои што на првата приближност "
-"можат coarsely да асоцираат на бројот на иструкции кои процесорот може да ги "
-"изврши во секунда)"
+"\n"
+" Добредојдовте на Волшебник за Подготовка на Печатач\n"
+"Овој волшебник ќе Ви помогне во инсталирањето на Вашиот принтер/и поврзан/и "
+"на овој компјутер.\n"
+"\n"
+" Ако имате принтер/и поврзан/и на компјутерот уклучете го/и за да може/ат "
+"давтоматски да се детектираат.\n"
+"\n"
+" Клинете на \"Следно\" кога сте подготвени или \"Откажи\" ако не сакате сега "
+"да го/и поставите Вашиот/те принтер/и."
-#: ../../pkgs.pm:1
+#: printer/printerdrake.pm:873
#, c-format
-msgid "important"
-msgstr "важно"
+msgid "Auto-detect printers connected to this machine"
+msgstr "Авто-откривање на принтери поврзани со оваа машина"
-#: ../../standalone/printerdrake:1
+#: printer/printerdrake.pm:876
#, fuzzy, c-format
-msgid "Mandrake Linux Printer Management Tool"
-msgstr "Mandrake Linux Инсталација %s"
+msgid "Auto-detect printers connected directly to the local network"
+msgstr "Автоматско детектирање на принтери, конектирани на локална мрежа"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "Total Progress"
-msgstr "Вкупен Напредок"
+#: printer/printerdrake.pm:879
+#, fuzzy, c-format
+msgid "Auto-detect printers connected to machines running Microsoft Windows"
+msgstr ""
+"Автоматски детектирај ги принтерите кои се поврзани на кошмјутери со "
+"Microsoft Windows оперативни системи."
-#: ../../help.pm:1
-#, c-format
+#: printer/printerdrake.pm:895
+#, fuzzy, c-format
msgid ""
-"DrakX will first detect any IDE devices present in your computer. It will\n"
-"also scan for one or more PCI SCSI cards on your system. If a SCSI card is\n"
-"found, DrakX will automatically install the appropriate driver.\n"
"\n"
-"Because hardware detection is not foolproof, DrakX may fail in detecting\n"
-"your hard drives. If so, you'll have to specify your hardware by hand.\n"
+"Congratulations, your printer is now installed and configured!\n"
"\n"
-"If you had to manually specify your PCI SCSI adapter, DrakX will ask if you\n"
-"want to configure options for it. You should allow DrakX to probe the\n"
-"hardware for the card-specific options which are needed to initialize the\n"
-"adapter. Most of the time, DrakX will get through this step without any\n"
-"issues.\n"
+"You can print using the \"Print\" command of your application (usually in "
+"the \"File\" menu).\n"
"\n"
-"If DrakX is not able to probe for the options to automatically determine\n"
-"which parameters need to be passed to the hardware, you'll need to manually\n"
-"configure the driver."
+"If you want to add, remove, or rename a printer, or if you want to change "
+"the default option settings (paper input tray, printout quality, ...), "
+"select \"Printer\" in the \"Hardware\" section of the %s Control Center."
msgstr ""
-"DrakX прво ќе ги детектира IDE уредите присутни на вашиот компјутер. Исто\n"
-"така ќе скенира еден или повеќе PCI SCSI картички на вашиот ситем. Ако е "
-"пронајдена\n"
-"SCSI картичка, DrakX автоматски ќе го инсталира драјверот кој најмногу "
-"одговара.\n"
"\n"
-"Бидејќи хардверската детекција не е отпорна на будали, DrakX можеби нема да "
-"успее\n"
-"да ги пронајде вашите хард дискови. Во тој случај треба рачно да го одредите "
-"вашиот хардвер.\n"
+" Честитки Вашиот принтер сега е инсталиран и конфигуриран!\n"
"\n"
-"Ако треба рачно да го одредите вашиот PCI SCSI адаптер, DrakX ќе ве праша\n"
-"дали сакате да ги конфигурирате опциите за него. Треба да дозволите DrakX да "
-"ги проба\n"
-"хардверот со опциите одредени за каритичкта кои се потребни да се "
-"иницијализира\n"
-"адаптерот. Поголемиот дел од времето DrakX ќе го помине овој чекор без "
-"никакви\n"
-"проблеми.\n"
+" Можете да печатите користејќи ја \"Печати\" командата на Вашата апликација "
+"која се наоќа во \"Датотека\" менито\n"
"\n"
-"Ако DrakX не може автоматски да одреди кои параметрки треба да се\n"
-"пренесат на хардверот за опциите , ќе треба рачно да го\n"
-"конфигурирате драјверот."
+" Доколку сакате да додадите, избришете или преименувате некој принтер или да "
+"ги промените неговите опцииодберете \"Печатач\" во \"Хардвер\" секцијата на "
+"section of the Mandrake Control Центарот."
-#: ../../lang.pm:1
-#, c-format
-msgid "Aruba"
-msgstr "Аруба"
+#: printer/printerdrake.pm:930 printer/printerdrake.pm:1060
+#: printer/printerdrake.pm:1276 printer/printerdrake.pm:1516
+#, fuzzy, c-format
+msgid "Printer auto-detection"
+msgstr "Автоматска детрекција на принтер"
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:930
#, c-format
-msgid "Users"
-msgstr "Корисници"
+msgid "Detecting devices..."
+msgstr "Детектирање уреди..."
-#: ../../install_steps_interactive.pm:1
+#: printer/printerdrake.pm:952
#, c-format
-msgid "Preparing bootloader..."
-msgstr "Подговтвување на подигачот..."
+msgid ", network printer \"%s\", port %s"
+msgstr ", мрежен принтер \"%s\",порт %s"
-#: ../../../move/move.pm:1
+#: printer/printerdrake.pm:954
#, c-format
-msgid "Enter your user information, password will be used for screensaver"
-msgstr ""
+msgid ", printer \"%s\" on SMB/Windows server \"%s\""
+msgstr ", принтер \"%s\" на SMB/Windows сервер \"%s\""
-#: ../../network/network.pm:1
+#: printer/printerdrake.pm:958
#, c-format
-msgid "Gateway (e.g. %s)"
-msgstr "Gateway (на пр. %s)"
+msgid "Detected %s"
+msgstr "Откриено %s"
-#: ../../any.pm:1 ../../install_steps_interactive.pm:1
+#: printer/printerdrake.pm:962 printer/printerdrake.pm:985
+#: printer/printerdrake.pm:1002
#, c-format
-msgid "The passwords do not match"
-msgstr "Лозинките не се совпаѓаат"
+msgid "Printer on parallel port #%s"
+msgstr "Печатач на паралелна порта #%s"
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:966
#, c-format
-msgid "Examples for correct IPs:\n"
-msgstr "Пример на исправни IP адреси:\n"
+msgid "Network printer \"%s\", port %s"
+msgstr "Мрежен принтер \"%s\", порт %s"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Please choose the media for backup."
-msgstr ""
-"Ве молиме изберете\n"
-"мeдиум за бекап."
+#: printer/printerdrake.pm:968
+#, c-format
+msgid "Printer \"%s\" on SMB/Windows server \"%s\""
+msgstr "Принтер \"%s\" на SMB/Windows сервер \"%s\""
-#: ../../standalone/harddrake2:1
+#: printer/printerdrake.pm:1047
#, c-format
-msgid "Frequency (MHz)"
-msgstr "Фреквенција (MHz)"
+msgid "Local Printer"
+msgstr "Локален Печатач"
-#: ../../install_any.pm:1
+#: printer/printerdrake.pm:1048
#, c-format
msgid ""
-"To use this saved packages selection, boot installation with ``linux "
-"defcfg=floppy''"
+"No local printer found! To manually install a printer enter a device name/"
+"file name in the input line (Parallel Ports: /dev/lp0, /dev/lp1, ..., "
+"equivalent to LPT1:, LPT2:, ..., 1st USB printer: /dev/usb/lp0, 2nd USB "
+"printer: /dev/usb/lp1, ...)."
msgstr ""
-"За да ја искористите зачуванава селекција пакети, подигнете ја инсталацијата "
-"со ``linux defcfg=floppy''"
+"Не е пронајден локален принтер! За да инсталирате рачно принтер внесете име "
+"на уредот/име на датотеката во влезната линија(Паралелни Порти: /dev/lp0, /"
+"dev/lp1, ..., е исто како и LPT1:, LPT2:, ..., 1-ви USB принтер: /dev/usb/"
+"lp0, 2-ри USB принтер: /dev/usb/lp1, ...)."
-#: ../../standalone/harddrake2:1
+#: printer/printerdrake.pm:1052
#, c-format
-msgid "the number of the processor"
-msgstr "бројот на процесорот"
+msgid "You must enter a device or file name!"
+msgstr "Мора да внесете име на уредот или име на датотеката!"
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
-#, c-format
-msgid "Hardware clock set to GMT"
-msgstr "Хардверски часовник наместен според GMT"
+#: printer/printerdrake.pm:1061
+#, fuzzy, c-format
+msgid "No printer found!"
+msgstr "Нема пронајдено принтер!"
-#: ../../network/isdn.pm:1
+#: printer/printerdrake.pm:1069
#, c-format
-msgid "Do you want to start a new configuration ?"
-msgstr "Дали сакате да ја започнете нова конфигурацијата?"
+msgid "Local Printers"
+msgstr "Локалени Притнери"
-#: ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:1070
#, c-format
-msgid "Give a file name"
-msgstr "Наведете датотека"
+msgid "Available printers"
+msgstr "Пристапни принтери"
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:1074 printer/printerdrake.pm:1083
#, c-format
-msgid "Please choose the port that your printer is connected to."
-msgstr "Ве молиме изберете го портот на кој е поврзан вашиот принтер."
+msgid "The following printer was auto-detected. "
+msgstr "Принтерот е автоматски детектиран."
-#: ../../standalone/livedrake:1
-#, c-format
-msgid "Change Cd-Rom"
-msgstr "Промени го Cd-Rom-от"
+#: printer/printerdrake.pm:1076
+#, fuzzy, c-format
+msgid ""
+"If it is not the one you want to configure, enter a device name/file name in "
+"the input line"
+msgstr "на име име во"
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:1077
#, c-format
-msgid "Paraguay"
-msgstr "Парагвај"
+msgid ""
+"Alternatively, you can specify a device name/file name in the input line"
+msgstr ""
+"Алтернативно, може да одредите име на уредот/име на датотека во влезната "
+"линија"
-#: ../../network/netconnect.pm:1
+#: printer/printerdrake.pm:1078 printer/printerdrake.pm:1087
#, c-format
-msgid "Configuration is complete, do you want to apply settings ?"
-msgstr "Конфигурацијата е завршена, дали саката да ги примените подесувањата?"
+msgid "Here is a list of all auto-detected printers. "
+msgstr "Ова е листа на автоматски детектирани принтери"
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:1080
+#, fuzzy, c-format
+msgid ""
+"Please choose the printer you want to set up or enter a device name/file "
+"name in the input line"
+msgstr "на или име име во"
+
+#: printer/printerdrake.pm:1081
#, c-format
-msgid "Use Incremental/Differential Backups (do not replace old backups)"
+msgid ""
+"Please choose the printer to which the print jobs should go or enter a "
+"device name/file name in the input line"
msgstr ""
-"Користи Инкрементални/Деференцијални Бекапи (не ги заменувај старите бекапи)"
+"Ве молиме изберете го принтерот на кој што треба да се зададат принтерските "
+"задачи или внесете име на уредот/име на датотеката во влезната линија"
-#: ../../standalone/drakTermServ:1
+#: printer/printerdrake.pm:1085
#, c-format
msgid ""
-" - Maintain /etc/dhcpd.conf:\n"
-" \tTo net boot clients, each client needs a dhcpd.conf entry, "
-"assigning an IP \n"
-" \taddress and net boot images to the machine. drakTermServ helps "
-"create/remove \n"
-" \tthese entries.\n"
-"\t\t\t\n"
-" \t(PCI cards may omit the image - etherboot will request the correct "
-"image. \n"
-"\t\t\tYou should also consider that when etherboot looks for the images, it "
-"expects \n"
-"\t\t\tnames like boot-3c59x.nbi, rather than boot-3c59x.2.4.19-16mdk.nbi).\n"
-"\t\t\t \n"
-" \tA typical dhcpd.conf stanza to support a diskless client looks "
-"like:"
+"The configuration of the printer will work fully automatically. If your "
+"printer was not correctly detected or if you prefer a customized printer "
+"configuration, turn on \"Manual configuration\"."
msgstr ""
+"Конфигурацијата на принтерот ќе работи потполно автоматски. Ако твојот "
+"принтер не беше препознаен исправно или ако сакаш рачна конфигурација, "
+"вклучи \"Рачна конфигурација\"."
-#: ../../harddrake/sound.pm:1
+#: printer/printerdrake.pm:1086
#, c-format
-msgid "There's no known driver for your sound card (%s)"
-msgstr "Нема познат драјвер за Вашата звучна (%s)"
+msgid "Currently, no alternative possibility is available"
+msgstr "Моментално, ниедна друга можност не е достапна"
-#: ../../standalone/drakfloppy:1
+#: printer/printerdrake.pm:1089
#, c-format
-msgid "force"
-msgstr "присили"
+msgid ""
+"Please choose the printer you want to set up. The configuration of the "
+"printer will work fully automatically. If your printer was not correctly "
+"detected or if you prefer a customized printer configuration, turn on "
+"\"Manual configuration\"."
+msgstr ""
+"Ве молиме изберете го принтерот кој сакате да го подесите. Конфигурацијата "
+"на принтерот ќе работи целосно автоматски. Ако вашиот принтер не е правилно "
+"пронајден или пак преферирате сопствена конфигурација на принтерот, вклучете"
+"\"Рачна конфигурација\"."
-#: ../../diskdrake/interactive.pm:1
-#, c-format
-msgid "Exit"
-msgstr "Излез"
+#: printer/printerdrake.pm:1090
+#, fuzzy, c-format
+msgid "Please choose the printer to which the print jobs should go."
+msgstr "Ве молиме одберет принтер со кој ќе работите"
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:1092
#, c-format
msgid ""
-"NOTE: Depending on the printer model and the printing system up to %d MB of "
-"additional software will be installed."
+"Please choose the port that your printer is connected to or enter a device "
+"name/file name in the input line"
msgstr ""
-"ЗАБЕЛЕШКА: Во зависност од моделот на принтерот и на принтерскиот систем, ќе "
-"биде инсталиран дополнителен софтвер до %d MB."
+"Ве молиме изберете порта на која е приклучен вашиот принтер или внесете име "
+"на уред/име на датотека во линијата за внес"
-#: ../../standalone/drakconnect:1
+#: printer/printerdrake.pm:1093
#, c-format
+msgid "Please choose the port that your printer is connected to."
+msgstr "Ве молиме изберете го портот на кој е поврзан вашиот принтер."
+
+#: printer/printerdrake.pm:1095
+#, fuzzy, c-format
msgid ""
-"You don't have any configured interface.\n"
-"Configure them first by clicking on 'Configure'"
-msgstr ""
-"Немате ниту еден конфигуриран интерфејс.\n"
-"Најпрво ги конфигурирајте со притискање на 'Configure'"
+" (Parallel Ports: /dev/lp0, /dev/lp1, ..., equivalent to LPT1:, LPT2:, ..., "
+"1st USB printer: /dev/usb/lp0, 2nd USB printer: /dev/usb/lp1, ...)."
+msgstr "Паралелен на 1-ви USB 2-ри USB."
-#: ../../keyboard.pm:1
+#: printer/printerdrake.pm:1099
#, c-format
-msgid "Estonian"
-msgstr "Естонски"
+msgid "You must choose/enter a printer/device!"
+msgstr "Мора да изберете/внесете принтер/уред!"
-#: ../../services.pm:1
+#: printer/printerdrake.pm:1168
#, c-format
-msgid ""
-"Apache is a World Wide Web server. It is used to serve HTML files and CGI."
-msgstr ""
-"Apache е World Wide Web(WWW) сервер. Се користи за ги услужува HTML и CGI "
-"датотеките."
+msgid "Remote lpd Printer Options"
+msgstr "Опции за Нелокален lpd Печатач"
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:1169
#, fuzzy, c-format
msgid ""
-"Enter your CD Writer device name\n"
-" ex: 0,1,0"
-msgstr ""
-"Ве молам внесете името на вашиот CD Writer уред\n"
-"пр: 0,1,0"
+"To use a remote lpd printer, you need to supply the hostname of the printer "
+"server and the printer name on that server."
+msgstr "До на и име Вклучено."
+
+#: printer/printerdrake.pm:1170
+#, fuzzy, c-format
+msgid "Remote host name"
+msgstr "Локален хост"
-#: ../../standalone/draksec:1
+#: printer/printerdrake.pm:1171
+#, fuzzy, c-format
+msgid "Remote printer name"
+msgstr "Нелокален"
+
+#: printer/printerdrake.pm:1174
#, c-format
-msgid "ALL"
-msgstr "СИТЕ"
+msgid "Remote host name missing!"
+msgstr "Недостасува името на локалениот хост!"
-#: ../../standalone/drakTermServ:1
+#: printer/printerdrake.pm:1178
#, c-format
-msgid "Add/Del Clients"
-msgstr "Додај/Избриши Клиенти"
+msgid "Remote printer name missing!"
+msgstr "Недостига име на оддалечен принтер!"
-#: ../../network/ethernet.pm:1 ../../standalone/drakgw:1
-#: ../../standalone/drakpxe:1
+#: printer/printerdrake.pm:1200 printer/printerdrake.pm:1714
+#: standalone/drakTermServ:442 standalone/drakTermServ:725
+#: standalone/drakTermServ:741 standalone/drakTermServ:1332
+#: standalone/drakTermServ:1340 standalone/drakTermServ:1351
+#: standalone/drakbackup:767 standalone/drakbackup:874
+#: standalone/drakbackup:908 standalone/drakbackup:1027
+#: standalone/drakbackup:1891 standalone/drakbackup:1895
+#: standalone/drakconnect:254 standalone/drakconnect:283
+#: standalone/drakconnect:512 standalone/drakconnect:516
+#: standalone/drakconnect:540 standalone/harddrake2:159
#, c-format
-msgid "Choose the network interface"
-msgstr "Изберете го мрежниот интерфејс"
+msgid "Information"
+msgstr "Информации"
-#: ../../printer/detect.pm:1 ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:1200 printer/printerdrake.pm:1714
+#, fuzzy, c-format
+msgid "Detected model: %s %s"
+msgstr "Детектиран модел: %s %s"
+
+#: printer/printerdrake.pm:1276 printer/printerdrake.pm:1516
#, c-format
-msgid "Unknown Model"
-msgstr "Непознат Модел"
+msgid "Scanning network..."
+msgstr "Скенирам мрежа..."
-#: ../../harddrake/data.pm:1
+#: printer/printerdrake.pm:1287 printer/printerdrake.pm:1308
#, c-format
-msgid "CD/DVD burners"
-msgstr "CD/DVD режачи"
+msgid ", printer \"%s\" on server \"%s\""
+msgstr ", принтер \"%s\" на сервер \"%s\""
-#: ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:1290 printer/printerdrake.pm:1311
#, c-format
+msgid "Printer \"%s\" on server \"%s\""
+msgstr "Принтер \"%s\" на сервер \"%s\""
+
+#: printer/printerdrake.pm:1332
+#, fuzzy, c-format
+msgid "SMB (Windows 9x/NT) Printer Options"
+msgstr "SMB (Windows 9x/NT Опции за Печатач"
+
+#: printer/printerdrake.pm:1333
+#, fuzzy, c-format
msgid ""
-"Partition booted by default\n"
-" (for MS-DOS boot, not for lilo)\n"
+"To print to a SMB printer, you need to provide the SMB host name (Note! It "
+"may be different from its TCP/IP hostname!) and possibly the IP address of "
+"the print server, as well as the share name for the printer you wish to "
+"access and any applicable user name, password, and workgroup information."
+msgstr "До на на име Забелешка IP и IP име на и име и."
+
+#: printer/printerdrake.pm:1334
+#, fuzzy, c-format
+msgid ""
+" If the desired printer was auto-detected, simply choose it from the list "
+"and then add user name, password, and/or workgroup if needed."
msgstr ""
-"Партицијата што прва се подига\n"
-" (за MS-DOS, не за lilo)\n"
+" Ако вашиот принтер е автоматски детектиран, одберете го од листата и "
+"додадете корисничко име, лозинка и/или група на корисници, ако е тоа "
+"потребно."
-#: ../../standalone/drakperm:1
+#: printer/printerdrake.pm:1336
#, c-format
-msgid "Enable \"%s\" to read the file"
-msgstr "Овозможи \"%s\" да ја чите датотеката"
+msgid "SMB server host"
+msgstr "SMB компјутерски сервер"
-#: ../../standalone/draksplash:1
+#: printer/printerdrake.pm:1337
#, c-format
-msgid "choose image"
-msgstr "Избери слика"
+msgid "SMB server IP"
+msgstr "IP на SBM сервер"
-#: ../../network/shorewall.pm:1
+#: printer/printerdrake.pm:1338
#, c-format
-msgid "Firewalling configuration detected!"
-msgstr "Детектирана е конфигурација на огнен ѕид"
+msgid "Share name"
+msgstr "Заедничко име"
-#: ../../network/modem.pm:1 ../../standalone/drakconnect:1
+#: printer/printerdrake.pm:1341
+#, fuzzy, c-format
+msgid "Workgroup"
+msgstr "Работна група"
+
+#: printer/printerdrake.pm:1343
#, c-format
-msgid "Connection name"
-msgstr "Име на врска"
+msgid "Auto-detected"
+msgstr "Автоматски-детектирано"
-#: ../../standalone/draksplash:1
+#: printer/printerdrake.pm:1353
#, c-format
+msgid "Either the server name or the server's IP must be given!"
+msgstr "Или Името на серверот или неговата IP мора да бидат дадени!"
+
+#: printer/printerdrake.pm:1357
+#, fuzzy, c-format
+msgid "Samba share name missing!"
+msgstr "Samba име!"
+
+#: printer/printerdrake.pm:1363
+#, c-format
+msgid "SECURITY WARNING!"
+msgstr "СИГУРНОСНО ВНИМАНИЕ!"
+
+#: printer/printerdrake.pm:1364
+#, fuzzy, c-format
msgid ""
-"x coordinate of text box\n"
-"in number of characters"
+"You are about to set up printing to a Windows account with password. Due to "
+"a fault in the architecture of the Samba client software the password is put "
+"in clear text into the command line of the Samba client used to transmit the "
+"print job to the Windows server. So it is possible for every user on this "
+"machine to display the password on the screen by issuing commands as \"ps "
+"auxwww\".\n"
+"\n"
+"We recommend to make use of one of the following alternatives (in all cases "
+"you have to make sure that only machines from your local network have access "
+"to your Windows server, for example by means of a firewall):\n"
+"\n"
+"Use a password-less account on your Windows server, as the \"GUEST\" account "
+"or a special account dedicated for printing. Do not remove the password "
+"protection from a personal account or the administrator account.\n"
+"\n"
+"Set up your Windows server to make the printer available under the LPD "
+"protocol. Then set up printing from this machine with the \"%s\" connection "
+"type in Printerdrake.\n"
+"\n"
msgstr ""
-"xкоординатата на текст кутијата\n"
-"во број на карактери"
+"на на Прозорци на во Samba во Samba на на Прозорци Вклучено на Вклучено\n"
+"\n"
+" на во на на Прозорци\n"
+"\n"
+" Користи го Вклучено Прозорци или или\n"
+"\n"
+" Прозорци на достапен s тип во\n"
-#: ../../fsedit.pm:1
+#: printer/printerdrake.pm:1374
#, c-format
msgid ""
-"You may not be able to install lilo (since lilo doesn't handle a LV on "
-"multiple PVs)"
+"Set up your Windows server to make the printer available under the IPP "
+"protocol and set up printing from this machine with the \"%s\" connection "
+"type in Printerdrake.\n"
+"\n"
msgstr ""
+"Подесете го вашиот Windows сервер да го направи печатарот достапен под IPP "
+"протоколот и подесете го пешатењето од оваа машина со \"%s\" тип на "
+"конекција во Printerdrake.\n"
+"\n"
-#: ../../install_steps_gtk.pm:1
+#: printer/printerdrake.pm:1377
#, c-format
-msgid "Updating package selection"
-msgstr "Освежување на селекцијата пакети"
+msgid ""
+"Connect your printer to a Linux server and let your Windows machine(s) "
+"connect to it as a client.\n"
+"\n"
+"Do you really want to continue setting up this printer as you are doing now?"
+msgstr ""
+"Поврзи го твојот принтер на Linux сервер и дозволи твојата Windows машина"
+"(и)\n"
+"да се поврзе на него како клиент.\n"
+"\n"
+"Дали навистина сакаш да продолжиш да го подесиш принтерот како што е сега?"
-#: ../../diskdrake/interactive.pm:1
-#, fuzzy, c-format
-msgid "Where do you want to mount the loopback file %s?"
-msgstr "Каде сакате да ја монтирате loopback датотеката %s?"
+#: printer/printerdrake.pm:1449
+#, c-format
+msgid "NetWare Printer Options"
+msgstr "NetWare Опции за Печатач"
-#: ../../standalone/drakautoinst:1
+#: printer/printerdrake.pm:1450
#, c-format
msgid ""
-"The floppy has been successfully generated.\n"
-"You may now replay your installation."
+"To print on a NetWare printer, you need to provide the NetWare print server "
+"name (Note! it may be different from its TCP/IP hostname!) as well as the "
+"print queue name for the printer you wish to access and any applicable user "
+"name and password."
msgstr ""
-"Дискетата е успешно генерирана.\n"
-"Сега можете повторно да ја извршите инсталацијата."
+"За да печатите на NetWare принтер, морате да го обезбедите името на NetWare "
+"системот за печатење (Запамтете! може да е различно од неговото TCP/IP хост "
+"име!) како и името на задачата за печатење за печатарот до кој сакате да "
+"имате пристап и било кое корисничко име и лозинка."
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:1451
#, fuzzy, c-format
-msgid "Use CD-R/DVD-R to backup"
-msgstr "Користи го CD на"
+msgid "Printer Server"
+msgstr "Сервер Печатач"
-#: ../../standalone/harddrake2:1
+#: printer/printerdrake.pm:1452
#, c-format
-msgid "the number of buttons the mouse has"
-msgstr "бројот на копчиња што ги има глушецот"
+msgid "Print Queue Name"
+msgstr "Печати ги имињата во Редицата"
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
+#: printer/printerdrake.pm:1457
#, c-format
-msgid "Replay"
-msgstr "Реприза"
+msgid "NCP server name missing!"
+msgstr "Недостасува името на NCP сервер!"
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:1461
#, c-format
-msgid "Backup other files"
-msgstr "Бекап на други датотеки"
+msgid "NCP queue name missing!"
+msgstr "Недостига името на NCP редицата!"
-#: ../../install_steps.pm:1
+#: printer/printerdrake.pm:1527 printer/printerdrake.pm:1547
#, c-format
-msgid "No floppy drive available"
-msgstr "Нема достапен дискетен уред"
+msgid ", host \"%s\", port %s"
+msgstr ", хост \"%s\", порта %s"
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:1530 printer/printerdrake.pm:1550
#, c-format
-msgid "Backup files are corrupted"
-msgstr "Бекап датотеките се оштетени"
+msgid "Host \"%s\", port %s"
+msgstr "Компјутер \"%s\", порт %s"
-#: ../../standalone/drakxtv:1
+#: printer/printerdrake.pm:1571
#, c-format
-msgid "TV norm:"
-msgstr "TV нормализација:"
+msgid "TCP/Socket Printer Options"
+msgstr "TCP/Socket Принтерски Опции"
-#: ../../standalone/harddrake2:1
-#, c-format
-msgid "Cpuid family"
-msgstr "Cpuid фамилија"
+#: printer/printerdrake.pm:1573
+#, fuzzy, c-format
+msgid ""
+"Choose one of the auto-detected printers from the list or enter the hostname "
+"or IP and the optional port number (default is 9100) in the input fields."
+msgstr ""
+"Избери една од авто-детектираните принтери од листата или внесете го "
+"хостотили IP адресата и портата (дефаулт е 9100)."
-#: ../../Xconfig/card.pm:1
+#: printer/printerdrake.pm:1574
#, c-format
-msgid "32 MB"
-msgstr "32 MB"
+msgid ""
+"To print to a TCP or socket printer, you need to provide the host name or IP "
+"of the printer and optionally the port number (default is 9100). On HP "
+"JetDirect servers the port number is usually 9100, on other servers it can "
+"vary. See the manual of your hardware."
+msgstr ""
+"Да принтате преку TCP или socket принтер, треба да го обезбедите името на "
+"компјутеорт или IP-тона принтерот и опционалниот број на портот "
+"(стандардниот е 9100). На HP JetDirect сервери бројот на портот вообичаено е "
+"9100, на други сервери бројот може да бидепроменлив. Видете во прирачникот "
+"за вашиот хардвер."
-#: ../../standalone/drakTermServ:1
+#: printer/printerdrake.pm:1578
#, c-format
-msgid "type: thin"
-msgstr "тип: тенок"
+msgid "Printer host name or IP missing!"
+msgstr "Име на принтерки хост или IP недостасуваат!"
-#: ../../keyboard.pm:1
-#, c-format
-msgid "Lithuanian AZERTY (new)"
-msgstr "Литвански AZERTY (нова)"
+#: printer/printerdrake.pm:1601
+#, fuzzy, c-format
+msgid "Printer host name or IP"
+msgstr "Хост на Печатач или IP"
-#: ../../standalone/harddrake2:1
+#: printer/printerdrake.pm:1649 printer/printerdrake.pm:1651
#, c-format
-msgid "yes means the arithmetic coprocessor has an exception vector attached"
-msgstr ""
-"да значи дека аритметичкиот копроцесор има прикачено исклучителен вектор"
+msgid "Printer Device URI"
+msgstr "Уред за Печатење URI"
-#: ../../fsedit.pm:1
+#: printer/printerdrake.pm:1650
#, c-format
msgid ""
-"You've selected a software RAID partition as root (/).\n"
-"No bootloader is able to handle this without a /boot partition.\n"
-"Please be sure to add a /boot partition"
+"You can specify directly the URI to access the printer. The URI must fulfill "
+"either the CUPS or the Foomatic specifications. Note that not all URI types "
+"are supported by all the spoolers."
msgstr ""
-"Избравте софтверска RAID партиција како root-партиција (/).\n"
-"Ниту еден подигач не може да се справи со ова без /boot партиција.\n"
-"Ве молиме бидете сигурни да додадете /boot партиција"
+"Можеш директно да го одредиш URI да пристапиш до принтерот. URI мора да ги "
+"задоволува спецификациите на CUPS или на Foomatic. Забележете дека не сите "
+"видови на URI се подржани од сите спулери."
-#: ../../any.pm:1
-#, c-format
-msgid "Other OS (MacOS...)"
-msgstr "Друг OS (MacOS...)"
+#: printer/printerdrake.pm:1668
+#, fuzzy, c-format
+msgid "A valid URI must be entered!"
+msgstr "Мора да се внесе валиедн URI!"
-#: ../../mouse.pm:1
+#: printer/printerdrake.pm:1749
#, c-format
-msgid "To activate the mouse,"
-msgstr "За да го активирате глушецот,"
+msgid "Pipe into command"
+msgstr "Смести во команда"
-#: ../../install_interactive.pm:1
+#: printer/printerdrake.pm:1750
#, c-format
-msgid "Bringing up the network"
-msgstr "Подигање на мрежата"
+msgid ""
+"Here you can specify any arbitrary command line into which the job should be "
+"piped instead of being sent directly to a printer."
+msgstr ""
+"Овде можете да специфицирате било каква своеволна командна линија во која "
+"што работата ќе биде сместена наместо директно да се праќа на принтерот."
-#: ../../common.pm:1
+#: printer/printerdrake.pm:1751
#, c-format
-msgid "Screenshots will be available after install in %s"
-msgstr "Екранските снимки ќе бидат достапни по инсталацијата во %s"
+msgid "Command line"
+msgstr "Командна линија"
-#: ../../help.pm:1
-#, c-format
+#: printer/printerdrake.pm:1755
+#, fuzzy, c-format
+msgid "A command line must be entered!"
+msgstr "Мора да внесете команда!"
+
+#: printer/printerdrake.pm:1788
+#, fuzzy, c-format
msgid ""
-"More than one Microsoft partition has been detected on your hard drive.\n"
-"Please choose which one you want to resize in order to install your new\n"
-"Mandrake Linux operating system.\n"
-"\n"
-"Each partition is listed as follows: \"Linux name\", \"Windows name\"\n"
-"\"Capacity\".\n"
-"\n"
-"\"Linux name\" is structured: \"hard drive type\", \"hard drive number\",\n"
-"\"partition number\" (for example, \"hda1\").\n"
-"\n"
-"\"Hard drive type\" is \"hd\" if your hard dive is an IDE hard drive and\n"
-"\"sd\" if it is a SCSI hard drive.\n"
-"\n"
-"\"Hard drive number\" is always a letter after \"hd\" or \"sd\". With IDE\n"
-"hard drives:\n"
-"\n"
-" * \"a\" means \"master hard drive on the primary IDE controller\";\n"
-"\n"
-" * \"b\" means \"slave hard drive on the primary IDE controller\";\n"
-"\n"
-" * \"c\" means \"master hard drive on the secondary IDE controller\";\n"
-"\n"
-" * \"d\" means \"slave hard drive on the secondary IDE controller\".\n"
-"\n"
-"With SCSI hard drives, an \"a\" means \"lowest SCSI ID\", a \"b\" means\n"
-"\"second lowest SCSI ID\", etc.\n"
-"\n"
-"\"Windows name\" is the letter of your hard drive under Windows (the first\n"
-"disk or partition is called \"C:\")."
+"Is your printer a multi-function device from HP or Sony (OfficeJet, PSC, "
+"LaserJet 1100/1200/1220/3200/3300 with scanner, DeskJet 450, Sony IJP-V100), "
+"an HP PhotoSmart or an HP LaserJet 2200?"
msgstr ""
-"На Вашиот диск е откриена повеќе од една Microsoft партиција. Изберете ја\n"
-"онаа што сакате да ја намалите/зголемите за да го инсталирате Вашиот нов\n"
-"Мандрак Линукс оперативен систем.\n"
-"\n"
-"Секоја партиција е излистана со: \"Linux име\", \"Windows име\"\n"
-"\"Капацитет\".\n"
-"\n"
-"\"Linux името\" е со структура: \"тип на диск\", \"број на диск\",\n"
-"\"број на партиција\" (на пример, \"hda1\").\n"
-"\n"
-"\"Тип на дискот\" е \"hd\" ако дискот е IDE, и \"sd\" ако дискот е SCSI.\n"
-"\n"
-"\"Број на дискот\" е секогаш буква после \"hd\" или \"sd\". Кај IDE "
-"дисковите:\n"
-"\n"
-" * \"a\" значи \"master диск на примарниот IDE контролер\";\n"
-"\n"
-" * \"b\" значи \"slave диск на примарниот IDE контролер\";\n"
-"\n"
-" * \"c\" значи \"master диск на секундарниот IDE контролер\";\n"
-"\n"
-" * \"d\" значи \"slave диск на секундарниот IDE контролер\".\n"
-"\n"
-"Кај SCSI дисковите, буквата \"a\" значи \"најнизок SCSI ID\", а \"b\" значи\n"
-"\"втор најмал SCSI ID\", итн.\n"
-"\n"
-"\"Windows името\" е буквата на дискот под Windows (првиот диск или "
-"партиција\n"
-"се вика \"C:\")."
+"Дали Вашиот принтер е мулти-функционале уред од HP или Sony (OfficeJet, PSC, "
+"LaserJet 1100/1200/1220/3200/3300 со скенер, Sony IJP-V100), HP PhotoSmart "
+"или HP LaserJet 2200?"
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:1801
#, c-format
-msgid "Tanzania"
-msgstr "Танзанија"
+msgid "Installing HPOJ package..."
+msgstr "Инсталирање на HPOJ пакет..."
-#: ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:1809 printer/printerdrake.pm:1893
#, c-format
-msgid "Computing FAT filesystem bounds"
-msgstr "Пресметување на граници на FAT фајлсистемот"
+msgid "Checking device and configuring HPOJ..."
+msgstr "Го проверува уредот и конфигурирање на HPOJ..."
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid ""
-"\n"
-"Backup Sources: \n"
-msgstr ""
-"\n"
-" Бекап Извори: \n"
+#: printer/printerdrake.pm:1831
+#, fuzzy, c-format
+msgid "Installing SANE packages..."
+msgstr "Инсталирање."
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:1858
#, fuzzy, c-format
-msgid "custom"
-msgstr "По избор"
+msgid "Installing mtools packages..."
+msgstr "Инсталирање на mtools пакетите..."
-#: ../../standalone/logdrake:1
+#: printer/printerdrake.pm:1873
#, c-format
-msgid "Content of the file"
-msgstr "Содржина на датотеката"
+msgid "Scanning on your HP multi-function device"
+msgstr "Се скенира твојот НР повеќе-функциски уред"
-#: ../../any.pm:1
+#: printer/printerdrake.pm:1881
#, c-format
-msgid "Authentication LDAP"
-msgstr "LDAP за автентикација"
+msgid "Photo memory card access on your HP multi-function device"
+msgstr "Пристап до апартските мемориски картички на HP повеќе-функциски уред"
-#: ../../install_steps_gtk.pm:1
+#: printer/printerdrake.pm:1930
#, c-format
-msgid "in order to keep %s"
-msgstr ""
+msgid "Making printer port available for CUPS..."
+msgstr "Правам печатарската порта да биде достапна за CUPS..."
-#: ../../harddrake/sound.pm:1
+#: printer/printerdrake.pm:1939 printer/printerdrake.pm:2183
+#: printer/printerdrake.pm:2327
#, c-format
-msgid "Let me pick any driver"
-msgstr "Дозволи ми да изберам било кој уред"
+msgid "Reading printer database..."
+msgstr "Читање на базата на принтерот..."
-#: ../../standalone/net_monitor:1
+#: printer/printerdrake.pm:2149
#, c-format
-msgid "transmitted"
-msgstr "пренесено"
+msgid "Enter Printer Name and Comments"
+msgstr "Внесете го името на принтерот и коментар"
-#: ../../lang.pm:1
-#, c-format
-msgid "Palestine"
-msgstr "Палестина"
+#: printer/printerdrake.pm:2153 printer/printerdrake.pm:3241
+#, fuzzy, c-format
+msgid "Name of printer should contain only letters, numbers and the underscore"
+msgstr "Име на принтерот треба да содржи само букви и бројки"
+
+#: printer/printerdrake.pm:2159 printer/printerdrake.pm:3246
+#, fuzzy, c-format
+msgid ""
+"The printer \"%s\" already exists,\n"
+"do you really want to overwrite its configuration?"
+msgstr ""
+"Печатачот \"%s\" веќе постои\n"
+" дали сакате да ја препишете конфигурацијата?"
-#: ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:2168
#, c-format
-msgid "RAID md%s\n"
-msgstr "RAID md%s\n"
+msgid ""
+"Every printer needs a name (for example \"printer\"). The Description and "
+"Location fields do not need to be filled in. They are comments for the users."
+msgstr ""
+"На секој принтер му е потребно име (на пример \"принтер\"). Полињата за "
+"Описот и Локацијата не мора да се пополнети. Тоа се коментари за корисниците."
-#: ../../modules/parameters.pm:1
+#: printer/printerdrake.pm:2169
+#, fuzzy, c-format
+msgid "Name of printer"
+msgstr "Име на принтерот"
+
+#: printer/printerdrake.pm:2170 standalone/drakconnect:521
+#: standalone/harddrake2:40 standalone/printerdrake:212
+#: standalone/printerdrake:219
#, c-format
-msgid "%d comma separated strings"
-msgstr "%d стрингови одвоени со запирки"
+msgid "Description"
+msgstr "Опис"
-#: ../../network/netconnect.pm:1
+#: printer/printerdrake.pm:2171 standalone/printerdrake:212
+#: standalone/printerdrake:219
#, c-format
-msgid " isdn"
-msgstr " isdn"
+msgid "Location"
+msgstr "Локација"
-#: ../../install_steps_interactive.pm:1
+#: printer/printerdrake.pm:2188
#, c-format
-msgid "Here is the full list of keyboards available"
-msgstr "Ова е целосна листа на достапни распореди"
+msgid "Preparing printer database..."
+msgstr "Подготовка на базата на податоци за принтерот..."
-#: ../../standalone/draksplash:1
+#: printer/printerdrake.pm:2306
#, c-format
-msgid "Theme name"
-msgstr "Име на Темата"
+msgid "Your printer model"
+msgstr "Моделот на Вашиот печатч"
-#: ../../standalone/harddrake2:1 ../../standalone/logdrake:1
-#: ../../standalone/printerdrake:1
+#: printer/printerdrake.pm:2307
#, c-format
-msgid "/_Help"
-msgstr "/_Помош"
+msgid ""
+"Printerdrake has compared the model name resulting from the printer auto-"
+"detection with the models listed in its printer database to find the best "
+"match. This choice can be wrong, especially when your printer is not listed "
+"at all in the database. So check whether the choice is correct and click "
+"\"The model is correct\" if so and if not, click \"Select model manually\" "
+"so that you can choose your printer model manually on the next screen.\n"
+"\n"
+"For your printer Printerdrake has found:\n"
+"\n"
+"%s"
+msgstr ""
+"Printerdrake го спореди името на моделот како резултат на принтерската авто-"
+"детекција со моделите излистани во принтерската база на податоци за да го "
+"пронајде оној најмногу што одговара. Изборот може да е погрешен, посебно "
+"кога вашиот принтер не е воопшто излистан во базата на податоци. Затоа "
+"проверете дали изборот е точен, и ако е така притиснете \"Моделот е точен\". "
+"Во спротивно притиснете \"Изберете го моделот рачно\" за да можете рачно да "
+"го изберете моделот на принтерот на наредниот екран.\n"
+"\n"
+"За вашиот принтер Printerdrake пронајде:\n"
+"\n"
+"%s"
-#: ../../harddrake/sound.pm:1
+#: printer/printerdrake.pm:2312 printer/printerdrake.pm:2315
#, c-format
-msgid "Choosing an arbitrary driver"
-msgstr "Избирање на произволен драјвер"
+msgid "The model is correct"
+msgstr "Моделот е точен"
+
+#: printer/printerdrake.pm:2313 printer/printerdrake.pm:2314
+#: printer/printerdrake.pm:2317
+#, fuzzy, c-format
+msgid "Select model manually"
+msgstr "Избери го моделот рачно"
+
+#: printer/printerdrake.pm:2340
+#, fuzzy, c-format
+msgid ""
+"\n"
+"\n"
+"Please check whether Printerdrake did the auto-detection of your printer "
+"model correctly. Find the correct model in the list when a wrong model or "
+"\"Raw printer\" is highlighted."
+msgstr ""
+"\n"
+"\n"
+" Пребарај во Вклучено или Вклучено."
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:2359
#, c-format
-msgid "Cook Islands"
-msgstr "Островите Кук"
+msgid "Install a manufacturer-supplied PPD file"
+msgstr ""
-#: ../../standalone/scannerdrake:1
+#: printer/printerdrake.pm:2390
#, c-format
msgid ""
-"Here you can choose whether the scanners connected to this machine should be "
-"accessable by remote machines and by which remote machines."
+"Every PostScript printer is delivered with a PPD file which describes the "
+"printer's options and features."
msgstr ""
-"Овде можете да изберете дали скенерите поврзани на оваа машина треба да се "
-"достапни за оддалечени машини и за кои оддалечени машини."
-#: ../../standalone/draksplash:1
+#: printer/printerdrake.pm:2391
#, c-format
-msgid "the width of the progress bar"
-msgstr "ширина на прогрес лентата"
+msgid ""
+"This file is usually somewhere on the CD with the Windows and Mac drivers "
+"delivered with the printer."
+msgstr ""
-#: ../../fs.pm:1
+#: printer/printerdrake.pm:2392
#, c-format
-msgid "Formatting partition %s"
-msgstr "Форматирање на партицијата %s"
+msgid "You can find the PPD files also on the manufacturer's web sites."
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:2393
#, c-format
-msgid "Hostname required"
-msgstr "Потребно е Име на компјутерот"
+msgid ""
+"If you have Windows installed on your machine, you can find the PPD file on "
+"your Windows partition, too."
+msgstr ""
-#: ../../standalone/drakfont:1
+#: printer/printerdrake.pm:2394
#, c-format
-msgid "Unselect fonts installed"
-msgstr "Отселектирај ги инсталираните фонтови"
+msgid ""
+"Installing the printer's PPD file and using it when setting up the printer "
+"makes all options of the printer available which are provided by the "
+"printer's hardware"
+msgstr ""
-#: ../../mouse.pm:1
+#: printer/printerdrake.pm:2395
#, c-format
-msgid "Wheel"
-msgstr "Со тркалце"
+msgid ""
+"Here you can choose the PPD file to be installed on your machine, it will "
+"then be used for the setup of your printer."
+msgstr ""
-#: ../../standalone/drakbug:1
+#: printer/printerdrake.pm:2397
#, fuzzy, c-format
-msgid "Submit kernel version"
-msgstr "верзија на јадрото"
+msgid "Install PPD file from"
+msgstr "Инсталирај rpm"
-#: ../../any.pm:1 ../../help.pm:1 ../../install_steps_gtk.pm:1
-#: ../../install_steps_interactive.pm:1 ../../interactive.pm:1
-#: ../../ugtk2.pm:1 ../../Xconfig/resolution_and_depth.pm:1
-#: ../../diskdrake/smbnfs_gtk.pm:1 ../../interactive/gtk.pm:1
-#: ../../interactive/http.pm:1 ../../interactive/newt.pm:1
-#: ../../interactive/stdio.pm:1 ../../printer/printerdrake.pm:1
-#: ../../standalone/drakautoinst:1 ../../standalone/drakbackup:1
-#: ../../standalone/drakboot:1 ../../standalone/drakconnect:1
-#: ../../standalone/drakfloppy:1 ../../standalone/drakfont:1
-#: ../../standalone/drakperm:1 ../../standalone/draksec:1
-#: ../../standalone/logdrake:1 ../../standalone/mousedrake:1
-#: ../../standalone/net_monitor:1
-#, c-format
-msgid "Cancel"
-msgstr "Откажи"
+#: printer/printerdrake.pm:2399 printer/printerdrake.pm:2406
+#: standalone/scannerdrake:174 standalone/scannerdrake:182
+#: standalone/scannerdrake:233 standalone/scannerdrake:240
+#, fuzzy, c-format
+msgid "CD-ROM"
+msgstr "CDROM"
-#: ../../standalone/scannerdrake:1
-#, c-format
-msgid "Searching for configured scanners ..."
-msgstr "Барање на конфигурирани скенери ..."
+#: printer/printerdrake.pm:2400 printer/printerdrake.pm:2408
+#: standalone/scannerdrake:175 standalone/scannerdrake:184
+#: standalone/scannerdrake:234 standalone/scannerdrake:242
+#, fuzzy, c-format
+msgid "Floppy Disk"
+msgstr "Floppy"
-#: ../../harddrake/data.pm:1
-#, c-format
-msgid "Videocard"
-msgstr "Видео картичка"
+#: printer/printerdrake.pm:2401 printer/printerdrake.pm:2410
+#: standalone/scannerdrake:176 standalone/scannerdrake:186
+#: standalone/scannerdrake:235 standalone/scannerdrake:244
+#, fuzzy, c-format
+msgid "Other place"
+msgstr "Други порти"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "\tBackups use tar and bzip2\n"
-msgstr "\tБекапите користат tar и bzip2\n"
+#: printer/printerdrake.pm:2416
+#, fuzzy, c-format
+msgid "Select PPD file"
+msgstr "Избор на датотека"
-#: ../../standalone/drakbackup:1 ../../standalone/drakfont:1
+#: printer/printerdrake.pm:2420
#, c-format
-msgid "Remove Selected"
-msgstr "Отстрани ги избраните"
+msgid "The PPD file %s does not exist or is unreadable!"
+msgstr ""
-#: ../../standalone/harddrake2:1
+#: printer/printerdrake.pm:2426
#, c-format
-msgid "/Autodetect _modems"
-msgstr "/Авто-детекција на_модеми"
+msgid "The PPD file %s does not conform with the PPD specifications!"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Remove printer"
-msgstr "Отстрани принтер"
+#: printer/printerdrake.pm:2437
+#, fuzzy, c-format
+msgid "Installing PPD file..."
+msgstr "Се инсталира %s ..."
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:2539
#, c-format
-msgid "View Last Log"
-msgstr "Види го Последниот Лог"
+msgid "OKI winprinter configuration"
+msgstr "OKI принтер конфигурација"
-#: ../../network/drakfirewall.pm:1
+#: printer/printerdrake.pm:2540
+#, fuzzy, c-format
+msgid ""
+"You are configuring an OKI laser winprinter. These printers\n"
+"use a very special communication protocol and therefore they work only when "
+"connected to the first parallel port. When your printer is connected to "
+"another port or to a print server box please connect the printer to the "
+"first parallel port before you print a test page. Otherwise the printer will "
+"not work. Your connection type setting will be ignored by the driver."
+msgstr ""
+"\n"
+" и на на или на на тип игнориран."
+
+#: printer/printerdrake.pm:2564 printer/printerdrake.pm:2593
#, c-format
-msgid "Which services would you like to allow the Internet to connect to?"
-msgstr "На кои сервиси треба да може да се поврзе надворешниот Интернет?"
+msgid "Lexmark inkjet configuration"
+msgstr "Конфигурација на Lexmark inkjet"
-#: ../../standalone/printerdrake:1
+#: printer/printerdrake.pm:2565
#, fuzzy, c-format
-msgid "Connection Type"
-msgstr "Тип на Врска: "
+msgid ""
+"The inkjet printer drivers provided by Lexmark only support local printers, "
+"no printers on remote machines or print server boxes. Please connect your "
+"printer to a local port or configure it on the machine where it is connected "
+"to."
+msgstr ""
+"не Вклучено или на или Вклучено на.Драјверите на Инкџет принтерите од "
+"Lexmark поддржуваат само локални принтери, не и принтери од локални "
+"компјутери или од сервери. Ве молиме сетирајте го Вашиот принтер за "
+"поврзување на локални порти или конфигурирајте го за компјутерот каде тој е "
+"приклучен. "
-#: ../../standalone/logdrake:1
+#: printer/printerdrake.pm:2594
+#, fuzzy, c-format
+msgid ""
+"To be able to print with your Lexmark inkjet and this configuration, you "
+"need the inkjet printer drivers provided by Lexmark (http://www.lexmark."
+"com/). Click on the \"Drivers\" link. Then choose your model and afterwards "
+"\"Linux\" as operating system. The drivers come as RPM packages or shell "
+"scripts with interactive graphical installation. You do not need to do this "
+"configuration by the graphical frontends. Cancel directly after the license "
+"agreement. Then print printhead alignment pages with \"lexmarkmaintain\" and "
+"adjust the head alignment settings with this program."
+msgstr "До на иhttp://www.lexmark. Вклучено линк и Linux или на Откажи и."
+
+#: printer/printerdrake.pm:2597
#, c-format
+msgid "Firmware-Upload for HP LaserJet 1000"
+msgstr ""
+
+#: printer/printerdrake.pm:2710
+#, fuzzy, c-format
msgid ""
-"Welcome to the mail configuration utility.\n"
+"Printer default settings\n"
"\n"
-"Here, you'll be able to set up the alert system.\n"
+"You should make sure that the page size and the ink type/printing mode (if "
+"available) and also the hardware configuration of laser printers (memory, "
+"duplex unit, extra trays) are set correctly. Note that with a very high "
+"printout quality/resolution printing can get substantially slower."
msgstr ""
-"Добредојдовте во помошната алатка за конфигурирање на поштата.\n"
+"Печатач стандардно\n"
"\n"
-"Овде можете да го подесите системскиот аларм.\n"
+" и тип достапен и Забелешка."
-#: ../../install_steps_gtk.pm:1 ../../mouse.pm:1 ../../services.pm:1
-#: ../../diskdrake/hd_gtk.pm:1 ../../standalone/drakbackup:1
-#: ../../standalone/drakperm:1
+#: printer/printerdrake.pm:2835
#, c-format
-msgid "Other"
-msgstr "Друго"
+msgid "Printer default settings"
+msgstr "Стандардни Подесувања на Печатачот"
-#: ../../any.pm:1 ../../harddrake/v4l.pm:1 ../../standalone/drakfloppy:1
+#: printer/printerdrake.pm:2842
#, c-format
-msgid "Default"
-msgstr "Прво"
+msgid "Option %s must be an integer number!"
+msgstr "Опцијата %s мора да биде цел број!"
-#: ../../install_steps_interactive.pm:1
+#: printer/printerdrake.pm:2846
#, c-format
-msgid "Button 2 Emulation"
-msgstr "Емулација на 2. копче"
+msgid "Option %s must be a number!"
+msgstr "Опцијата %s мора да е број!"
-#: ../../standalone/drakbug:1
+#: printer/printerdrake.pm:2850
#, fuzzy, c-format
-msgid "Please enter a package name."
-msgstr "Внесете корисничко име"
-
-#: ../../security/l10n.pm:1
-#, c-format
-msgid "Run chkrootkit checks"
-msgstr "Вклучи ги chkrootkit проверките"
+msgid "Option %s out of range!"
+msgstr "Option %s надвор од ранг!"
-#: ../../standalone/drakfont:1
-#, c-format
-msgid "type1inst building"
+#: printer/printerdrake.pm:2901
+#, fuzzy, c-format
+msgid ""
+"Do you want to set this printer (\"%s\")\n"
+"as the default printer?"
msgstr ""
+"Дали сакате овој принтер (\"%s\")\n"
+"да го поставите за стандарден?"
-#: ../../standalone/drakfont:1
-#, c-format
-msgid "Abiword"
-msgstr "Abiword"
-
-#: ../../standalone/draksplash:1
+#: printer/printerdrake.pm:2916
#, c-format
-msgid "choose image file"
-msgstr "избери датотека со слика"
+msgid "Test pages"
+msgstr "Тест страни"
-#: ../../Xconfig/card.pm:1
-#, c-format
-msgid "X server"
-msgstr "X сервер"
+#: printer/printerdrake.pm:2917
+#, fuzzy, c-format
+msgid ""
+"Please select the test pages you want to print.\n"
+"Note: the photo test page can take a rather long time to get printed and on "
+"laser printers with too low memory it can even not come out. In most cases "
+"it is enough to print the standard test page."
+msgstr ""
+"Одберете ја страната со која ќе го тестирате принтерот\n"
+" Забелешка, сликите ќе земат повеќе време за печатање Во многу случаеви "
+"доволно е дасе печати стандардната страна за тестирање."
-#: ../../any.pm:1
-#, c-format
-msgid "Domain Admin User Name"
-msgstr "Корисничко име на домен-админ."
+#: printer/printerdrake.pm:2921
+#, fuzzy, c-format
+msgid "No test pages"
+msgstr "Без страница за тестирање"
-#: ../../standalone/drakxtv:1
+#: printer/printerdrake.pm:2922
#, c-format
-msgid "There was an error while scanning for TV channels"
-msgstr "Имаше грешко додека бараше ТВ канали"
+msgid "Print"
+msgstr "Печати"
-#: ../../keyboard.pm:1
+#: printer/printerdrake.pm:2947
#, c-format
-msgid "US keyboard (international)"
-msgstr "US (интернационална)"
+msgid "Standard test page"
+msgstr "Стандардна Тест Страница"
-#: ../../standalone/drakbug:1
+#: printer/printerdrake.pm:2950
#, c-format
-msgid "Not installed"
-msgstr "Не е инсталиран"
+msgid "Alternative test page (Letter)"
+msgstr "Алтернативна Тест Страна (Писмо)"
-#: ../../keyboard.pm:1
-#, c-format
-msgid "Both Alt keys simultaneously"
-msgstr "Двете Alt копчиња истовремено"
+#: printer/printerdrake.pm:2953
+#, fuzzy, c-format
+msgid "Alternative test page (A4)"
+msgstr "Алтернативна A4 тест страница"
-#: ../../network/netconnect.pm:1
-#, c-format
-msgid "LAN connection"
-msgstr "Локална мрежна (LAN) конекција"
+#: printer/printerdrake.pm:2955
+#, fuzzy, c-format
+msgid "Photo test page"
+msgstr "Фотографија"
-#: ../../standalone/logdrake:1
+#: printer/printerdrake.pm:2959
#, c-format
-msgid "/File/-"
-msgstr "/Датотека/-"
+msgid "Do not print any test page"
+msgstr "Не печати никаква тест страна."
-#: ../../keyboard.pm:1
+#: printer/printerdrake.pm:2967 printer/printerdrake.pm:3123
#, c-format
-msgid "Italian"
-msgstr "Италијански"
+msgid "Printing test page(s)..."
+msgstr "Печатење на тест страна(и)..."
-#: ../../interactive.pm:1
+#: printer/printerdrake.pm:2992
#, c-format
-msgid "Basic"
-msgstr "Основно"
+msgid ""
+"Test page(s) have been sent to the printer.\n"
+"It may take some time before the printer starts.\n"
+"Printing status:\n"
+"%s\n"
+"\n"
+msgstr ""
+"Тест страницата(ците) се испратени до печатарот.\n"
+"Може да помине малку време пред да стартува печатарот.\n"
+"Печатење статус:\n"
+"%s\n"
+"\n"
-#: ../../install_messages.pm:1
+#: printer/printerdrake.pm:2996
#, fuzzy, c-format
-msgid "http://www.mandrakelinux.com/en/92errata.php3"
-msgstr "http://www.mandrakelinux.com/en/90errata.php3"
-
-#: ../../lang.pm:1
-#, c-format
-msgid "Honduras"
-msgstr "Хондурас"
+msgid ""
+"Test page(s) have been sent to the printer.\n"
+"It may take some time before the printer starts.\n"
+msgstr ""
+"Тест страницата е испратена до принтерот.\n"
+" Ќе помине малку време додека принтерот стартува."
-#: ../../help.pm:1
+#: printer/printerdrake.pm:3003
#, c-format
-msgid "pdq"
-msgstr "pdq"
+msgid "Did it work properly?"
+msgstr "Дали работи како што треба?"
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
-#, c-format
-msgid "Card IO"
-msgstr "Велзно/Озлезна (IO) картичка"
+#: printer/printerdrake.pm:3024 printer/printerdrake.pm:4192
+#, fuzzy, c-format
+msgid "Raw printer"
+msgstr "Гол принтер"
-#: ../../network/drakfirewall.pm:1
+#: printer/printerdrake.pm:3054
#, fuzzy, c-format
-msgid "Samba server"
-msgstr "Samba ���"
+msgid ""
+"To print a file from the command line (terminal window) you can either use "
+"the command \"%s <file>\" or a graphical printing tool: \"xpp <file>\" or "
+"\"kprinter <file>\". The graphical tools allow you to choose the printer and "
+"to modify the option settings easily.\n"
+msgstr ""
+"До s<file> или<file> или<file> на и наЗа печатење на датотека од командната "
+"линија, можете да ја користете командата \"%s <датотека>\" или графичката "
+"алатка за печатење: \"xpp <датотека>\" или \"kprinter <датотека>\". "
+"Графичките алатки Ви овозможуваат да го одберете принтерот и лесно да ги "
+"модифицирате поставките за него.\n"
-#: ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:3056
#, c-format
msgid ""
+"These commands you can also use in the \"Printing command\" field of the "
+"printing dialogs of many applications, but here do not supply the file name "
+"because the file to print is provided by the application.\n"
+msgstr ""
+"Овие команди можеш да ги користиш исто така и во полето \"Печатачки команди"
+"\" на принтерските дијалози од многу апликации, но овде не прикажувајте го "
+"името на датоката бидејќи датотеката за печатење е обезбедена од "
+"апликацијата.\n"
+
+#: printer/printerdrake.pm:3059 printer/printerdrake.pm:3076
+#: printer/printerdrake.pm:3086
+#, fuzzy, c-format
+msgid ""
"\n"
-"This special Bootstrap\n"
-"partition is for\n"
-"dual-booting your system.\n"
+"The \"%s\" command also allows to modify the option settings for a "
+"particular printing job. Simply add the desired settings to the command "
+"line, e. g. \"%s <file>\". "
msgstr ""
"\n"
-"Оваа специјална Bootstrap\n"
-"партиција е за\n"
-"двојно подигање на Вашиот систем.\n"
+" s на на s<file> "
-#: ../../standalone/drakautoinst:1
+#: printer/printerdrake.pm:3062 printer/printerdrake.pm:3102
#, c-format
msgid ""
-"Please choose for each step whether it will replay like your install, or it "
-"will be manual"
+"To know about the options available for the current printer read either the "
+"list shown below or click on the \"Print option list\" button.%s%s%s\n"
+"\n"
msgstr ""
-"Ве молиме изберете за дали секој чекор ќе се повторува вашата инсталација "
-"или ќе биде рачно"
+"За да дознаете за можните опции за избраниот принтер или прочитајте ја листа "
+"прикажана подоле или кликнете на копчето \"Печати опциона листа\".%s%s%s\n"
+"\n"
-#: ../../standalone/scannerdrake:1
-#, c-format
+#: printer/printerdrake.pm:3066
+#, fuzzy, c-format
msgid ""
-"You can also decide here whether scanners on remote machines should be made "
-"available on this machine."
-msgstr ""
-"Овде можете исто така да одлучите дали скенерите на оддалечените машини би "
-"требало да се направат како достапни за оваа машина."
+"Here is a list of the available printing options for the current printer:\n"
+"\n"
+msgstr "Ова е листата на достапни опции за овој принтер:\n"
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:3071 printer/printerdrake.pm:3081
#, c-format
-msgid "\t-Network by FTP.\n"
-msgstr "\t-Мрежа од FTP.\n"
+msgid ""
+"To print a file from the command line (terminal window) use the command \"%s "
+"<file>\".\n"
+msgstr ""
+"За да печатиш датотека од командната линија(терминален прозор) користи ја "
+"командата \"%s<file>\".\n"
-#: ../../security/l10n.pm:1
-#, c-format
-msgid "Reports check result to tty"
-msgstr "Ги известува проверените резулатати на tty"
+#: printer/printerdrake.pm:3073 printer/printerdrake.pm:3083
+#: printer/printerdrake.pm:3093
+#, fuzzy, c-format
+msgid ""
+"This command you can also use in the \"Printing command\" field of the "
+"printing dialogs of many applications. But here do not supply the file name "
+"because the file to print is provided by the application.\n"
+msgstr "во Печатење име на"
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:3078 printer/printerdrake.pm:3088
#, c-format
-msgid "You must enter a device or file name!"
-msgstr "Мора да внесете име на уредот или име на датотеката!"
+msgid ""
+"To get a list of the options available for the current printer click on the "
+"\"Print option list\" button."
+msgstr ""
+"За да ја добитете листата на опции достапни за тековниот принтер кликнете на "
+"копчето \"Испечати листа на опции\"."
-#: ../../standalone/harddrake2:1 ../../standalone/printerdrake:1
+#: printer/printerdrake.pm:3091
#, c-format
-msgid "/_Quit"
-msgstr "/_Напушти"
+msgid ""
+"To print a file from the command line (terminal window) use the command \"%s "
+"<file>\" or \"%s <file>\".\n"
+msgstr ""
+"Да изпечатите датотека преку командната линија (терминален прозорец) "
+"користете ја командата \"%s <file>\" или \"%s <file>\".\n"
-#: ../../Xconfig/various.pm:1
+#: printer/printerdrake.pm:3095
#, c-format
-msgid "Graphics memory: %s kB\n"
-msgstr "Графичка меморија: %s kB\n"
+msgid ""
+"You can also use the graphical interface \"xpdq\" for setting options and "
+"handling printing jobs.\n"
+"If you are using KDE as desktop environment you have a \"panic button\", an "
+"icon on the desktop, labeled with \"STOP Printer!\", which stops all print "
+"jobs immediately when you click it. This is for example useful for paper "
+"jams.\n"
+msgstr ""
+"Можете да користите и графички интерфејс \"xpdq\" за подесување на опции и "
+"справување со задачите за печатење.\n"
+"Ако користите KDE како десктоп опкружување, имате \"копче за паника\", икона "
+"на десктопот, означена со \"STOP Printer!\", која ги запира сите работи за "
+"печатење веднаш одкога ќе го кликнете. Ова на пример е корисно кога "
+"хартијата ќе заглави.\n"
-#: ../../standalone.pm:1
+#: printer/printerdrake.pm:3099
#, c-format
msgid ""
-"This program is free software; you can redistribute it and/or modify\n"
-"it under the terms of the GNU General Public License as published by\n"
-"the Free Software Foundation; either version 2, or (at your option)\n"
-"any later version.\n"
-"\n"
-"This program is distributed in the hope that it will be useful,\n"
-"but WITHOUT ANY WARRANTY; without even the implied warranty of\n"
-"MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n"
-"GNU General Public License for more details.\n"
"\n"
-"You should have received a copy of the GNU General Public License\n"
-"along with this program; if not, write to the Free Software\n"
-"Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.\n"
+"The \"%s\" and \"%s\" commands also allow to modify the option settings for "
+"a particular printing job. Simply add the desired settings to the command "
+"line, e. g. \"%s <file>\".\n"
msgstr ""
-"Оваа програма е слободен софтвер, можете да ја редистрибуирате и/или да ја\n"
-"изменувате под условите на GNU Општо Јавна Лиценца ако што е објавена од\n"
-"Фондацијата за Слободно Софтвер, како верзија 2, или (како ваша опција)\n"
-"било која понатамошна верзија\n"
"\n"
-"Оваа програма е дистрибуирана со надеж дека ќе биде корисна,\n"
-"но со НИКАКВА ГАРАНЦИЈА; дури и без имплементирана гаранција за\n"
-"ТРГУВАЊЕ или НАМЕНА ЗА НЕКАКВА ПОСЕБНА ЦЕЛ. Видете ја\n"
-"GNU Општо Јавна Лиценца за повеќе детали.\n"
-"\n"
-"Би требало да добиете копија од GNU Општо Јавна Лиценца\n"
-"заедно со програмата, ако не пишете на Фондацијата за Слободен\n"
-"Софтвер, Корпорација, 59 Temple Place - Suite 330, Boston, MA 02111-1307, "
-"USA.\n"
-
-#: ../../any.pm:1
-#, c-format
-msgid "access to compilation tools"
-msgstr "пристап до компајлерски алатки"
+"\"%s\" и \"%s\" командите исто така овозможуваат да се променат подесувањата "
+"за одредена печатарска работа. Едноставно додадете ги посакуваните "
+"подесувања во командната линија, пр.\"%s<file>\".\n"
-#: ../../standalone/net_monitor:1
+#: printer/printerdrake.pm:3109
#, fuzzy, c-format
-msgid "Global statistics"
-msgstr "Статистика"
+msgid "Printing/Scanning/Photo Cards on \"%s\""
+msgstr "Печатење Скенирање Фотографија Карти Вклучено s"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "Please select data to restore..."
-msgstr "Ве молиме изберете ги податоците за враќање..."
+#: printer/printerdrake.pm:3110
+#, fuzzy, c-format
+msgid "Printing/Scanning on \"%s\""
+msgstr "Печатење Скенирање Вклучено s"
-#: ../../diskdrake/hd_gtk.pm:1
+#: printer/printerdrake.pm:3112
#, c-format
-msgid ""
-"If you plan to use aboot, be carefull to leave a free space (2048 sectors is "
-"enough)\n"
-"at the beginning of the disk"
-msgstr ""
-"Ако планирате да го користите aboot, внимавајте да оставите празен простор\n"
-"(2048 сектори се доволно) на почетокот на дискот"
+msgid "Printing/Photo Card Access on \"%s\""
+msgstr "Печатачка/Фотографска Пристап-картичка на \"%s\""
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:3113
#, c-format
-msgid "Standard test page"
-msgstr "Стандардна Тест Страница"
+msgid "Printing on the printer \"%s\""
+msgstr "Печатење на принтерот \"%s\""
-#: ../../standalone/drakclock:1
+#: printer/printerdrake.pm:3116 printer/printerdrake.pm:3119
+#: printer/printerdrake.pm:3120 printer/printerdrake.pm:3121
+#: printer/printerdrake.pm:4179 standalone/drakTermServ:321
+#: standalone/drakbackup:4583 standalone/drakbug:177 standalone/drakfont:497
+#: standalone/drakfont:588 standalone/net_monitor:106
+#: standalone/printerdrake:508
#, fuzzy, c-format
-msgid "Time Zone"
-msgstr "Часовна зона"
+msgid "Close"
+msgstr "Затвори"
-#: ../../diskdrake/hd_gtk.pm:1 ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:3119
#, c-format
-msgid "Create"
-msgstr "Креирај"
+msgid "Print option list"
+msgstr "Печати листа со опции"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "What"
-msgstr "Што"
+#: printer/printerdrake.pm:3140
+#, fuzzy, c-format
+msgid ""
+"Your multi-function device was configured automatically to be able to scan. "
+"Now you can scan with \"scanimage\" (\"scanimage -d hp:%s\" to specify the "
+"scanner when you have more than one) from the command line or with the "
+"graphical interfaces \"xscanimage\" or \"xsane\". If you are using the GIMP, "
+"you can also scan by choosing the appropriate point in the \"File\"/\"Acquire"
+"\" menu. Call also \"man scanimage\" on the command line to get more "
+"information.\n"
+"\n"
+"Do not use \"scannerdrake\" for this device!"
+msgstr ""
+"Вашиот повеќе фукционален уред е конфигуриран автоматски за скенирање.\n"
+"Сега можете да скенирате со \"scanimage\" (\"scanimage -d hp:%s\" кога имате "
+"повеќе од еден скенер) од командната линија или со графичкиот интерфејс "
+"\"xscanimage\" или \"xsane\". Ако користете GIMP, исто така можете да "
+"скенирате избирајќи од \"Датотека\"/\"Acquire\" менито. За повеќе "
+"информации користете \"man scanimage\". \n"
+"Не го користете \"scannerdrake\" за овој уред!"
-#: ../../install_steps_gtk.pm:1 ../../install_steps_interactive.pm:1
-#, c-format
-msgid "There was an error ordering packages:"
-msgstr "Се случи грешка во подредувањето на пакетите:"
+#: printer/printerdrake.pm:3163
+#, fuzzy, c-format
+msgid ""
+"Your printer was configured automatically to give you access to the photo "
+"card drives from your PC. Now you can access your photo cards using the "
+"graphical program \"MtoolsFM\" (Menu: \"Applications\" -> \"File tools\" -> "
+"\"MTools File Manager\") or the command line utilities \"mtools\" (enter "
+"\"man mtools\" on the command line for more info). You find the card's file "
+"system under the drive letter \"p:\", or subsequent drive letters when you "
+"have more than one HP printer with photo card drives. In \"MtoolsFM\" you "
+"can switch between drive letters with the field at the upper-right corners "
+"of the file lists."
+msgstr ""
+"на на Сега Мени Апликации Датотека Датотека Менаџер или Вклучено s или "
+"помеѓу."
-#: ../../keyboard.pm:1
+#: printer/printerdrake.pm:3185 printer/printerdrake.pm:3575
#, c-format
-msgid "Bulgarian (BDS)"
-msgstr "Бугарски (БДС)"
+msgid "Reading printer data..."
+msgstr "Читање принтерските податоци..."
-#: ../../standalone/drakTermServ:1
+#: printer/printerdrake.pm:3205 printer/printerdrake.pm:3232
+#: printer/printerdrake.pm:3267
#, c-format
-msgid "Disable Server"
-msgstr "Оневозможи Сервер"
+msgid "Transfer printer configuration"
+msgstr "Префрлување на конфигурација за принтер"
-#: ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:3206
#, c-format
-msgid "Filesystem encryption key"
-msgstr "Клуч за криптирање на фајлсистемот"
+msgid ""
+"You can copy the printer configuration which you have done for the spooler %"
+"s to %s, your current spooler. All the configuration data (printer name, "
+"description, location, connection type, and default option settings) is "
+"overtaken, but jobs will not be transferred.\n"
+"Not all queues can be transferred due to the following reasons:\n"
+msgstr ""
+"Можете да ја копирате принтерската конфигурација која ја направивте за "
+"спулер %s со %s, вашиот моментален спулер. Сите конфигурациони податоци (име "
+"на принтерот, опис, локација, вид на конекција, и стандардни опции за "
+"подесување) се презафатени, но работите нема да бидат преместени.\n"
+"Не сите редици на чекање можат да се преместат поради следниве причини:\n"
-#: ../../keyboard.pm:1
+#: printer/printerdrake.pm:3209
#, c-format
-msgid "Gujarati"
-msgstr "Гујарати"
+msgid ""
+"CUPS does not support printers on Novell servers or printers sending the "
+"data into a free-formed command.\n"
+msgstr ""
+"CUPS не поддржува принтери на Novell сервери или принтер што ги испраќаат "
+"податоците во команда од слободен облик.\n"
-#: ../../standalone/drakTermServ:1
-#, c-format
+#: printer/printerdrake.pm:3211
+#, fuzzy, c-format
msgid ""
-" While you can use a pool of IP addresses, rather than setup a "
-"specific entry for\n"
-" a client machine, using a fixed address scheme facilitates using the "
-"functionality\n"
-" of client-specific configuration files that ClusterNFS provides.\n"
-"\t\t\t\n"
-" Note: The '#type' entry is only used by drakTermServ. Clients can "
-"either be 'thin'\n"
-" or 'fat'. Thin clients run most software on the server via xdmcp, "
-"while fat clients run \n"
-" most software on the client machine. A special inittab, %s is\n"
-" written for thin clients. System config files xdm-config, kdmrc, and "
-"gdm.conf are \n"
-" modified if thin clients are used, to enable xdmcp. Since there are "
-"security issues in \n"
-" using xdmcp, hosts.deny and hosts.allow are modified to limit access "
-"to the local\n"
-" subnet.\n"
-"\t\t\t\n"
-" Note: The '#hdw_config' entry is also only used by drakTermServ. "
-"Clients can either \n"
-" be 'true' or 'false'. 'true' enables root login at the client "
-"machine and allows local \n"
-" hardware configuration of sound, mouse, and X, using the 'drak' "
-"tools. This is enabled \n"
-" by creating separate config files associated with the client's IP "
-"address and creating \n"
-" read/write mount points to allow the client to alter the file. Once "
-"you are satisfied \n"
-" with the configuration, you can remove root login privileges from "
-"the client.\n"
-"\t\t\t\n"
-" Note: You must stop/start the server after adding or changing "
-"clients."
+"PDQ only supports local printers, remote LPD printers, and Socket/TCP "
+"printers.\n"
msgstr ""
+"PDQ подржава само локални принтери, локални LPD принтери и Socket/TCP "
+"принтери"
+
+#: printer/printerdrake.pm:3213
+#, fuzzy, c-format
+msgid "LPD and LPRng do not support IPP printers.\n"
+msgstr "LPD и LPRng не подржуваат IPP принтери.\n"
-#: ../../interactive/stdio.pm:1
+#: printer/printerdrake.pm:3215
#, c-format
msgid ""
-"Please choose the first number of the 10-range you wish to edit,\n"
-"or just hit Enter to proceed.\n"
-"Your choice? "
+"In addition, queues not created with this program or \"foomatic-configure\" "
+"cannot be transferred."
msgstr ""
-"Изберете го првиот број од рангот од 10, кој сакате да го уредите,\n"
-"или едноставно притиснете Ентер за понатаму.\n"
-"Вашиот избор?"
-#: ../../standalone/drakTermServ:1
+#: printer/printerdrake.pm:3216
#, c-format
msgid ""
"\n"
-" Copyright (C) 2002 by MandrakeSoft \n"
-"\tStew Benedict sbenedict@mandrakesoft.com\n"
-"\n"
+"Also printers configured with the PPD files provided by their manufacturers "
+"or with native CUPS drivers cannot be transferred."
msgstr ""
"\n"
-" Авторски Права (C) 2002 од MandrakeSoft \n"
-"\tStew Benedict sbenedict@mandrakesoft.com\n"
+"Исто така печатарите конфигурирани со PPD датотеки обезбедени од нивните "
+"призведувачи или со оригиналните CUPS драјвери не можат да се преместат."
+
+#: printer/printerdrake.pm:3217
+#, fuzzy, c-format
+msgid ""
"\n"
+"Mark the printers which you want to transfer and click \n"
+"\"Transfer\"."
+msgstr ""
+"\n"
+" Одбележете го принтерот кој сакате да го префрлите и кликнете\n"
+"\"Трансфер\"."
-#: ../../standalone/draksplash:1
+#: printer/printerdrake.pm:3220
#, c-format
-msgid "Save theme"
-msgstr "Зачувај Тема"
+msgid "Do not transfer printers"
+msgstr "Не го префрлај принтерот"
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:3221 printer/printerdrake.pm:3237
#, c-format
-msgid "Brazil"
-msgstr "Бразил"
+msgid "Transfer"
+msgstr "Пренос"
-#: ../../standalone/drakautoinst:1
+#: printer/printerdrake.pm:3233
#, c-format
-msgid "Auto Install"
-msgstr "Автоматска Инсталација"
+msgid ""
+"A printer named \"%s\" already exists under %s. \n"
+"Click \"Transfer\" to overwrite it.\n"
+"You can also type a new name or skip this printer."
+msgstr ""
+"Принтер со име \"%s\" веќе постои под %s. \n"
+"Притиснете \"Префрли\" за да го пребришете.\n"
+"Исто така, можете и да внесете ново име или да го прескокнете\n"
+"овој принтер."
-#: ../../network/isdn.pm:1 ../../network/netconnect.pm:1
+#: printer/printerdrake.pm:3254
#, c-format
-msgid "Network Configuration Wizard"
-msgstr "Самовила за конфигурација на мрежа"
+msgid "New printer name"
+msgstr "Ново име на принтерот"
-#: ../../help.pm:1 ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:3257
+#, fuzzy, c-format
+msgid "Transferring %s..."
+msgstr "Префрлување %s..."
+
+#: printer/printerdrake.pm:3268
#, c-format
-msgid "Removable media automounting"
-msgstr "Автомонтирање на отстранливи медиуми"
+msgid ""
+"You have transferred your former default printer (\"%s\"), Should it be also "
+"the default printer under the new printing system %s?"
+msgstr ""
+"Сте го преместиле вашиот поранешен стандарден принтер (\"%s\"), дали да биде "
+"исто така стандарден принтер и под новиот печатарски систем %s?"
-#: ../../services.pm:1
+#: printer/printerdrake.pm:3278
+#, fuzzy, c-format
+msgid "Refreshing printer data..."
+msgstr "податок."
+
+#: printer/printerdrake.pm:3287
#, c-format
-msgid "Printing"
-msgstr "Печатење"
+msgid "Starting network..."
+msgstr "Стартување на мрежата..."
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:3328 printer/printerdrake.pm:3332
+#: printer/printerdrake.pm:3334
#, fuzzy, c-format
-msgid "Enter the directory to save:"
-msgstr "Внесете го директориумот за снимање:"
+msgid "Configure the network now"
+msgstr "Конфигурирај"
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:3329
#, c-format
-msgid ""
-"There are no printers found which are directly connected to your machine"
-msgstr "Не се пронајдени принтери кои се директно поврзани со вашата машина"
+msgid "Network functionality not configured"
+msgstr "Мрежната функционалност не е подесена"
-#: ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:3330
#, c-format
-msgid "Create a new partition"
-msgstr "Создај нова партиција"
+msgid ""
+"You are going to configure a remote printer. This needs working network "
+"access, but your network is not configured yet. If you go on without network "
+"configuration, you will not be able to use the printer which you are "
+"configuring now. How do you want to proceed?"
+msgstr ""
+"Ќе конфигурирате оддалечен принтер. За ова е потребно овозможен мрежен "
+"пристап, но вашата мрежа се уште не е конфигурирана. Ако продолжите без "
+"мрежна конфигурација, нема да можете да го користите принтерот кој што го "
+"конфигурирате. Како сакате да продолжите?"
-#: ../../harddrake/sound.pm:1
+#: printer/printerdrake.pm:3333
#, c-format
-msgid "Driver:"
-msgstr "Драјвер:"
+msgid "Go on without configuring the network"
+msgstr "Продолжи без конфигурација на мрежа"
+
+#: printer/printerdrake.pm:3367
+#, fuzzy, c-format
+msgid ""
+"The network configuration done during the installation cannot be started "
+"now. Please check whether the network is accessable after booting your "
+"system and correct the configuration using the %s Control Center, section "
+"\"Network & Internet\"/\"Connection\", and afterwards set up the printer, "
+"also using the %s Control Center, section \"Hardware\"/\"Printer\""
+msgstr ""
+"Мрежната конфигурација која беше извршена во текот на инсталацијата не може "
+"да се стартува сега. Ве молиме проверете дали мрежата е достапна по "
+"подигањето на вашиотсистем и поправете ја конфигурацијата со помош на "
+"Мандрак Контролниот Центар,секција \"Мрежа И Интернет\"/\"Конекција\", а "
+"потоа подесете гопринтерот, исто така со Мандрак Контролниот Центар, секција "
+"\"Хардвер\"/\"Принтер\""
-#: ../../standalone/harddrake2:1
+#: printer/printerdrake.pm:3368
#, c-format
-msgid "unknown"
-msgstr "непознат"
+msgid ""
+"The network access was not running and could not be started. Please check "
+"your configuration and your hardware. Then try to configure your remote "
+"printer again."
+msgstr ""
+"Мрежниот пристеп не работи и не може да се подигне. Ве молам проверете ја "
+"Вашата конфигурација и Вашиот хардвер. Потоа пробајте повторно да го "
+"конфигурирате вашиот далечински принтер."
-#: ../../install_interactive.pm:1
+#: printer/printerdrake.pm:3378
#, c-format
-msgid "Use fdisk"
-msgstr "Користи fdisk"
+msgid "Restarting printing system..."
+msgstr "Рестартирање на печатечкиот систем..."
-#: ../../mouse.pm:1
+#: printer/printerdrake.pm:3417
#, c-format
-msgid "MOVE YOUR WHEEL!"
-msgstr "ДВИЖЕТЕ ГО ТРКАЛЦЕТО!"
+msgid "high"
+msgstr "високо"
-#: ../../standalone/net_monitor:1
+#: printer/printerdrake.pm:3417
#, c-format
-msgid "sent: "
-msgstr "пратени:"
+msgid "paranoid"
+msgstr "параноидна"
-#: ../../network/network.pm:1
+#: printer/printerdrake.pm:3418
#, c-format
-msgid "Automatic IP"
-msgstr "Автоматска IP"
+msgid "Installing a printing system in the %s security level"
+msgstr "Инсталирање принтерки систем во %s сигурното ниво"
-#: ../../help.pm:1
+#: printer/printerdrake.pm:3419
#, c-format
msgid ""
-"There you are. Installation is now complete and your GNU/Linux system is\n"
-"ready to use. Just click \"%s\" to reboot the system. The first thing you\n"
-"should see after your computer has finished doing its hardware tests is the\n"
-"bootloader menu, giving you the choice of which operating system to start.\n"
-"\n"
-"The \"%s\" button shows two more buttons to:\n"
-"\n"
-" * \"%s\": to create an installation floppy disk that will automatically\n"
-"perform a whole installation without the help of an operator, similar to\n"
-"the installation you just configured.\n"
-"\n"
-" Note that two different options are available after clicking the button:\n"
-"\n"
-" * \"%s\". This is a partially automated installation. The partitioning\n"
-"step is the only interactive procedure.\n"
-"\n"
-" * \"%s\". Fully automated installation: the hard disk is completely\n"
-"rewritten, all data is lost.\n"
-"\n"
-" This feature is very handy when installing a number of similar machines.\n"
-"See the Auto install section on our web site for more information.\n"
+"You are about to install the printing system %s on a system running in the %"
+"s security level.\n"
"\n"
-" * \"%s\"(*): saves a list of the packages selected in this installation.\n"
-"To use this selection with another installation, insert the floppy and\n"
-"start the installation. At the prompt, press the [F1] key and type >>linux\n"
-"defcfg=\"floppy\" <<.\n"
+"This printing system runs a daemon (background process) which waits for "
+"print jobs and handles them. This daemon is also accessable by remote "
+"machines through the network and so it is a possible point for attacks. "
+"Therefore only a few selected daemons are started by default in this "
+"security level.\n"
"\n"
-"(*) You need a FAT-formatted floppy (to create one under GNU/Linux, type\n"
-"\"mformat a:\")"
+"Do you really want to configure printing on this machine?"
msgstr ""
-"Готово. Инсталацијата заврши и Вашиот GNU/Linux систем е спремен за\n"
-"користење. Само притиснете \"%s\" за да го рестартирате системот. Прво нешто "
-"што треба да видете по завршувањето на хардверските тестови\n"
-"е подигачкото мени, кое ви дава избор кој оперативен систем сакате да го "
-"подигнете.\n"
-"\n"
-"Копчето \"%s\" покажува уште две копчиња за:\n"
-"\n"
-" * \"%s\": за создавање на инсталациска дискета која автоматски ќе го\n"
-"изведе целиот процес на инсталација без помош од оператор,\n"
-"слично на инсталацијата која штотуку ја конфигуриравте.\n"
+"Вие ќе го инсталирате принтерскиот систем %s на систем кој работи во%s "
+"сигурносно ниво.\n"
"\n"
-" Забележете дека по притискањето на ова копче се појавуваат две\n"
-"различни опции:\n"
+"Овој принтерски ситем вклучува демон (процес во позадина) кој чека "
+"принтерски работи и се справува со нив. Овој демон е исто така достапен "
+"преку оддалечени машни прелу мрежата и е можна точка за напади. Затоа само "
+"неколку избрани демони се стандардно вклучени во овасигурносно ниво.\n"
"\n"
-" * \"%s\". Ова е делумно автоматска инсталација, бидејќи\n"
-"чекорот на партицирање е единствениот интерактивен чекор;\n"
+"Дали навистина сакаш да го конфигурираш принтерскиот систем на оваа машина?"
+
+#: printer/printerdrake.pm:3453
+#, c-format
+msgid "Starting the printing system at boot time"
+msgstr "Вклучување на принтерскиот систем при подигањето"
+
+#: printer/printerdrake.pm:3454
+#, fuzzy, c-format
+msgid ""
+"The printing system (%s) will not be started automatically when the machine "
+"is booted.\n"
"\n"
-" * \"%s\". Целосно автоматска инсталација: дискот комплетно\n"
-"се пребришува, и сите податоци биваат изгубени.\n"
+"It is possible that the automatic starting was turned off by changing to a "
+"higher security level, because the printing system is a potential point for "
+"attacks.\n"
"\n"
-" Оваа можност е многу практична при инсталирање на голем број слични\n"
-"машини. Видете го одделот за Автоматска Инсталација на нашиот веб сајт;\n"
+"Do you want to have the automatic starting of the printing system turned on "
+"again?"
+msgstr ""
+"s\n"
"\n"
-" * \"%s\"(*): ја зачувува листата на селекцијата на пакети што е избрана.\n"
-"За да ја користите селекцијата за друга инсталација, внесете ја дискетата\n"
-"и започнете ја инсталацијата. По прозорчето притиснете на [F1] копчето и\n"
-"напишете >>linux defcfg=\"floppy\"<<.\n"
+" Исклучено на\n"
"\n"
-"(*) Потребна Ви е FAT-форматирана дискета (за да направите таква под GNU/"
-"Linux напишете \"mformat a:\") "
+" на Вклучено?"
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:3475 printer/printerdrake.pm:3690
#, c-format
-msgid "Moldova"
-msgstr "Молдавија"
+msgid "Checking installed software..."
+msgstr "Проверка на инсталиран софтвер..."
-#: ../../mouse.pm:1
+#: printer/printerdrake.pm:3481
#, c-format
-msgid "Kensington Thinking Mouse"
-msgstr "Kensington Thinking Mouse"
+msgid "Removing %s ..."
+msgstr "Отстранување на %s ..."
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:3488
#, c-format
-msgid "Configuration of a remote printer"
-msgstr "Конфигурација на оддалечен принтер"
+msgid "Installing %s ..."
+msgstr "Се инсталира %s ..."
-#: ../advertising/13-mdkexpert_corporate.pl:1
+#: printer/printerdrake.pm:3535
#, fuzzy, c-format
-msgid "An online platform to respond to enterprise support needs."
-msgstr "на на s"
+msgid "Setting Default Printer..."
+msgstr "Позтавување на Стандарден Печатач"
-#: ../../network/network.pm:1
-#, c-format
-msgid "URL should begin with 'ftp:' or 'http:'"
-msgstr "Url треба да започнува со ftp:' или 'http:'"
+#: printer/printerdrake.pm:3555
+#, fuzzy, c-format
+msgid "Select Printer Spooler"
+msgstr "Избор Печатач"
-#: ../../keyboard.pm:1
+#: printer/printerdrake.pm:3556
+#, fuzzy, c-format
+msgid "Which printing system (spooler) do you want to use?"
+msgstr "Кој систем за печатење сакате да го користете?"
+
+#: printer/printerdrake.pm:3607
#, c-format
-msgid "Oriya"
-msgstr ""
+msgid "Failed to configure printer \"%s\"!"
+msgstr "Не успеа да го конфигурира принтерот \"%s\"!"
-#: ../../standalone/drakperm:1
+#: printer/printerdrake.pm:3620
#, c-format
-msgid "Add a new rule at the end"
-msgstr "Додади ново правило на крајот"
+msgid "Installing Foomatic..."
+msgstr "Инсталирање на Foomatic..."
-#: ../../standalone/drakboot:1
+#: printer/printerdrake.pm:3806
#, fuzzy, c-format
-msgid "LiLo and Bootsplash themes installation successful"
-msgstr "Успешна инсталација на LiLo и Bootsplash темите"
-
-#: ../../printer/printerdrake.pm:1
-#, c-format
msgid ""
-"You can also decide here whether printers on remote machines should be "
-"automatically made available on this machine."
+"The following printers are configured. Double-click on a printer to change "
+"its settings; to make it the default printer; or to view information about "
+"it. "
msgstr ""
-"Овде можете исто така да одлучите дали принтерите на оддалечените машини "
-"треба автоматски да се направат достапни за оваа машина."
+"Следните принтери се конфигурирани. Двоен клик на принтерот за промена на "
+"неговите поставки; да го направите стандарден принтер; или да ги видите "
+"информациите за него."
+
+#: printer/printerdrake.pm:3834
+#, fuzzy, c-format
+msgid "Display all available remote CUPS printers"
+msgstr "Прикажи ги сите достапни локални CUPS принтери"
-#: ../../modules/interactive.pm:1
+#: printer/printerdrake.pm:3835
#, c-format
-msgid ""
-"You may now provide options to module %s.\n"
-"Options are in format ``name=value name2=value2 ...''.\n"
-"For instance, ``io=0x300 irq=7''"
+msgid "Refresh printer list (to display all available remote CUPS printers)"
msgstr ""
-"Сега можете да наведете опции за модулот %s.\n"
-"Опциите се со формат \"name=value name2=value2 ...\".\n"
-"На пример, \"io=0x300 irq=7\""
+"Освежи ја листата на принтери (да се прикажат сите достапни CUPS принтери)"
-#: ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:3845
#, c-format
-msgid "Quit without writing the partition table?"
-msgstr "Напушти без запишување на партициската табела?"
+msgid "CUPS configuration"
+msgstr "CUPS конфигурација"
-#: ../../mouse.pm:1
-#, c-format
-msgid "Genius NetScroll"
-msgstr "Genius NetScroll"
+#: printer/printerdrake.pm:3857
+#, fuzzy, c-format
+msgid "Change the printing system"
+msgstr "Промени го системот за печатење"
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:3866
#, fuzzy, c-format
-msgid "On Hard Drive"
-msgstr "на Тврдиот диск"
+msgid "Normal Mode"
+msgstr "Нормално"
-#: ../../standalone.pm:1
+#: printer/printerdrake.pm:3867
#, c-format
-msgid "Installing packages..."
-msgstr "Инсталирање на пакетите..."
+msgid "Expert Mode"
+msgstr "Експертски режим"
-#: ../../keyboard.pm:1
-#, c-format
-msgid "Dutch"
-msgstr "Холандски"
+#: printer/printerdrake.pm:4138 printer/printerdrake.pm:4193
+#: printer/printerdrake.pm:4274 printer/printerdrake.pm:4284
+#, fuzzy, c-format
+msgid "Printer options"
+msgstr "Печатач"
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:4174
#, c-format
-msgid "Angola"
-msgstr "Ангола"
+msgid "Modify printer configuration"
+msgstr "Измени ја принтерската конфигурација"
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:4176
+#, fuzzy, c-format
+msgid ""
+"Printer %s\n"
+"What do you want to modify on this printer?"
+msgstr ""
+"Печатач s\n"
+" на Вклучено?"
+
+#: printer/printerdrake.pm:4180
+#, fuzzy, c-format
+msgid "Do it!"
+msgstr "Стори го тоа!"
+
+#: printer/printerdrake.pm:4185 printer/printerdrake.pm:4243
+#, fuzzy, c-format
+msgid "Printer connection type"
+msgstr "Тип на поврзување на принтер"
+
+#: printer/printerdrake.pm:4186 printer/printerdrake.pm:4247
#, c-format
-msgid "The following packages need to be installed:\n"
-msgstr "Следниве пакети мора да се инсталирани:\n"
+msgid "Printer name, description, location"
+msgstr "Име на принтерот, опис, локација"
+
+#: printer/printerdrake.pm:4188 printer/printerdrake.pm:4266
+#, fuzzy, c-format
+msgid "Printer manufacturer, model, driver"
+msgstr "Печатач, модел, драјвер"
-#: ../../standalone/logdrake:1
+#: printer/printerdrake.pm:4189 printer/printerdrake.pm:4267
#, c-format
-msgid "service setting"
-msgstr "подесување на сервисот"
+msgid "Printer manufacturer, model"
+msgstr "Производител на принтерот, модел"
-#: ../../any.pm:1 ../../Xconfig/main.pm:1 ../../Xconfig/monitor.pm:1
+#: printer/printerdrake.pm:4195 printer/printerdrake.pm:4278
#, c-format
-msgid "Custom"
-msgstr "По избор"
+msgid "Set this printer as the default"
+msgstr "Подеси го овој принтер како стандарден"
+
+#: printer/printerdrake.pm:4197 printer/printerdrake.pm:4285
+#, fuzzy, c-format
+msgid "Add this printer to Star Office/OpenOffice.org/GIMP"
+msgstr "Додај го принтерот на Star Office/OpenOffice.org/GIMP"
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:4198 printer/printerdrake.pm:4290
#, c-format
-msgid "Latvia"
-msgstr "Латвија"
+msgid "Remove this printer from Star Office/OpenOffice.org/GIMP"
+msgstr "Отстрани го овој принтер од Star Office/OpenOffice.org/GIMP"
-#: ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:4199 printer/printerdrake.pm:4295
#, fuzzy, c-format
-msgid "File is already used by another loopback, choose another one"
-msgstr "Датотеката веќе се користи од друг loopback, изберете друга"
+msgid "Print test pages"
+msgstr "Печати ја пробната страна"
-#: ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:4200 printer/printerdrake.pm:4297
+#, fuzzy, c-format
+msgid "Learn how to use this printer"
+msgstr "Научите како да го користете овој принтер"
+
+#: printer/printerdrake.pm:4201 printer/printerdrake.pm:4299
#, c-format
-msgid "Read-only"
-msgstr "Само за читање"
+msgid "Remove printer"
+msgstr "Отстрани принтер"
-#: ../../security/help.pm:1
+#: printer/printerdrake.pm:4255
#, c-format
-msgid ""
-"Enable/Disable name resolution spoofing protection. If\n"
-"\"alert\" is true, also reports to syslog."
-msgstr ""
+msgid "Removing old printer \"%s\"..."
+msgstr "Отстранување на стариот принтер \"%s\"..."
-#: ../../harddrake/sound.pm:1
+#: printer/printerdrake.pm:4286
#, c-format
-msgid "No known driver"
-msgstr "Нема познат драјвер"
+msgid "Adding printer to Star Office/OpenOffice.org/GIMP"
+msgstr "Додавање принтер на Star Office/OpenOffice.org/GIMP"
-#: ../../Xconfig/card.pm:1
+#: printer/printerdrake.pm:4288
#, c-format
-msgid "1 MB"
-msgstr "1 MB"
+msgid ""
+"The printer \"%s\" was successfully added to Star Office/OpenOffice.org/GIMP."
+msgstr ""
+"Печатачот \"%s\" беше успешно додаден на Star Office/OpenOffice.org/GIMP."
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:4289
+#, c-format
+msgid "Failed to add the printer \"%s\" to Star Office/OpenOffice.org/GIMP."
+msgstr ""
+"Неуспешно додавање на принтерот \"%s\" во to Star Office/OpenOffice.org/GIMP."
+
+#: printer/printerdrake.pm:4291
#, fuzzy, c-format
-msgid ""
-"If it is not the one you want to configure, enter a device name/file name in "
-"the input line"
-msgstr "на име име во"
+msgid "Removing printer from Star Office/OpenOffice.org/GIMP"
+msgstr "Бришење на принтерот од Star Office/OpenOffice.org/GIMP"
-#: ../../standalone/draksound:1
+#: printer/printerdrake.pm:4293
#, fuzzy, c-format
msgid ""
-"No Sound Card has been detected on your machine. Please verify that a Linux-"
-"supported Sound Card is correctly plugged in.\n"
-"\n"
-"\n"
-"You can visit our hardware database at:\n"
-"\n"
-"\n"
-"http://www.linux-mandrake.com/en/hardware.php3"
+"The printer \"%s\" was successfully removed from Star Office/OpenOffice.org/"
+"GIMP."
msgstr ""
-"Нема детектирано Звучна картичка на Вашиот компјутер. Ве молиме проверете "
-"кои звучни картички се\n"
-"подржани од Linux\n"
-"\n"
-"\n"
-"Можете да ја посетите базата која ги содржи подржаните хардвери на:\n"
-"\n"
-"http://www.linux-mandrake.com/en/hardware.php3"
-
-#: ../../standalone/drakconnect:1
-#, fuzzy, c-format
-msgid "Configure Local Area Network..."
-msgstr "Конфигурирај Локален Мрежа."
+"Пачатачот \"%s\" успешно е избришан од Star Office/OpenOffice.org/GIMP."
-#: ../../../move/move.pm:1
+#: printer/printerdrake.pm:4294
#, c-format
msgid ""
-"The USB key seems to have write protection enabled. Please\n"
-"unplug it, remove write protection, and then plug it again."
+"Failed to remove the printer \"%s\" from Star Office/OpenOffice.org/GIMP."
msgstr ""
+"Неуспешно отстранување на принтерот \"%s\" од Star Office/OpenOffice.org/"
+"GIMP."
-#: ../../services.pm:1
+#: printer/printerdrake.pm:4338
#, fuzzy, c-format
-msgid "Launch the sound system on your machine"
-msgstr "Стартувај го звукот на Вашиот компјутер"
+msgid "Do you really want to remove the printer \"%s\"?"
+msgstr "Дали навистина сакате да го избришете принтерот \"%s\"?"
-#: ../../security/l10n.pm:1
+#: printer/printerdrake.pm:4342
#, c-format
-msgid "Verify checksum of the suid/sgid files"
-msgstr ""
+msgid "Removing printer \"%s\"..."
+msgstr "Отстранување на принтер \"%s\"..."
-#: ../../security/l10n.pm:1
-#, c-format
-msgid "Run some checks against the rpm database"
-msgstr "Изврши неколку проверки врз rpm базата на податоци"
+#: printer/printerdrake.pm:4366
+#, fuzzy, c-format
+msgid "Default printer"
+msgstr "Прв принтер"
-#: ../../standalone/drakperm:1
+#: printer/printerdrake.pm:4367
#, c-format
-msgid "Execute"
-msgstr "Изврши"
+msgid "The printer \"%s\" is set as the default printer now."
+msgstr "Печатачот \"%s\" е поставен за стандарден."
-#: ../../printer/printerdrake.pm:1
+#: raid.pm:37
#, c-format
-msgid "Preparing printer database..."
-msgstr "Подготовка на базата на податоци за принтерот..."
+msgid "Can't add a partition to _formatted_ RAID md%d"
+msgstr "Неможам да додадам партиција на_форматираниот_RAID md%d"
-#: ../../standalone/harddrake2:1
+#: raid.pm:139
#, c-format
-msgid "Information"
-msgstr "Информации"
+msgid "mkraid failed (maybe raidtools are missing?)"
+msgstr "mkraid не успеа (можеби недостасуваат raid алатките?)"
-#: ../../network/drakfirewall.pm:1
+#: raid.pm:139
#, c-format
-msgid "No network card"
-msgstr "Нема мрежна картичка"
+msgid "mkraid failed"
+msgstr "mkraid не успеа"
-#: ../../mouse.pm:1
+#: raid.pm:155
#, c-format
-msgid "3 buttons"
-msgstr "Со 3 копчиња"
+msgid "Not enough partitions for RAID level %d\n"
+msgstr "Нема доволно партиции за RAID ниво %d\n"
-#: ../../diskdrake/interactive.pm:1 ../../diskdrake/removable.pm:1
+#: scanner.pm:96
#, c-format
-msgid "Which filesystem do you want?"
-msgstr "Кој фајлсистем го сакате?"
+msgid "Could not create directory /usr/share/sane/firmware!"
+msgstr ""
-#: ../../lang.pm:1
+#: scanner.pm:102
#, c-format
-msgid "Malta"
-msgstr "Малта"
+msgid "Could not copy firmware file %s to /usr/share/sane/firmware!"
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: scanner.pm:109
#, c-format
-msgid "Detailed information"
-msgstr "Детални информации"
+msgid "Could not set permissions of firmware file %s!"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: scanner.pm:188 standalone/scannerdrake:59 standalone/scannerdrake:63
+#: standalone/scannerdrake:71 standalone/scannerdrake:333
+#: standalone/scannerdrake:407 standalone/scannerdrake:451
+#: standalone/scannerdrake:455 standalone/scannerdrake:477
+#: standalone/scannerdrake:542
#, fuzzy, c-format
-msgid ""
-"Printer default settings\n"
-"\n"
-"You should make sure that the page size and the ink type/printing mode (if "
-"available) and also the hardware configuration of laser printers (memory, "
-"duplex unit, extra trays) are set correctly. Note that with a very high "
-"printout quality/resolution printing can get substantially slower."
+msgid "Scannerdrake"
+msgstr "Scannerdrake"
+
+#: scanner.pm:189 standalone/scannerdrake:903
+#, c-format
+msgid "Could not install the packages needed to share your scanner(s)."
msgstr ""
-"Печатач стандардно\n"
-"\n"
-" и тип достапен и Забелешка."
-#: ../../install_any.pm:1
+#: scanner.pm:190
#, c-format
-msgid "This floppy is not FAT formatted"
-msgstr "Оваа дискета не е форматирана со FAT"
+msgid "Your scanner(s) will not be available for non-root users."
+msgstr ""
+
+#: security/help.pm:11
+#, c-format
+msgid "Accept/Refuse bogus IPv4 error messages."
+msgstr "Прифати/Одбиј ги IPv4 пораките за грешки."
-#: ../../network/ethernet.pm:1 ../../network/network.pm:1
+#: security/help.pm:13
#, c-format
-msgid "Configuring network"
-msgstr "Конфигурирање на мрежата"
+msgid " Accept/Refuse broadcasted icmp echo."
+msgstr "Прифати/Одбиј ги broadcasted icmp echo"
-#: ../../standalone/drakbackup:1
+#: security/help.pm:15
+#, c-format
+msgid " Accept/Refuse icmp echo."
+msgstr "Прифати/Одбиј icmp echo."
+
+#: security/help.pm:17
+#, c-format
+msgid "Allow/Forbid autologin."
+msgstr "Дозволи/Забрани авто-логирање."
+
+#: security/help.pm:19
#, c-format
msgid ""
-"This option will save files that have changed. Exact behavior depends on "
-"whether incremental or differential mode is used."
+"If set to \"ALL\", /etc/issue and /etc/issue.net are allowed to exist.\n"
+"\n"
+"If set to NONE, no issues are allowed.\n"
+"\n"
+"Else only /etc/issue is allowed."
msgstr ""
+"Ако е подесено на \"СИТЕ\", на /etc/issue и /etc/issue.net им е дозволено да "
+"постојат.\n"
+"\n"
+"Ако е подесено на НИТУ ЕДНО, не се дозволени никакви извршувања.\n"
+"\n"
+"Инаку, само /etc/issue е дозволено."
-#: ../../Xconfig/main.pm:1
+#: security/help.pm:25
#, c-format
-msgid "Graphic Card"
-msgstr "Графичка картичка"
+msgid "Allow/Forbid reboot by the console user."
+msgstr "Дозволи/Забрани рестартирање од конзолниот корисник."
-#: ../../install_interactive.pm:1
+#: security/help.pm:27
#, c-format
-msgid "Resizing Windows partition"
-msgstr "Зголемување/намалување на Windows партиција"
+msgid "Allow/Forbid remote root login."
+msgstr "Дозволи/Забрани нелокално логирање на root."
-#: ../../lang.pm:1
+#: security/help.pm:29
#, c-format
-msgid "Cameroon"
-msgstr "Камерун"
+msgid "Allow/Forbid direct root login."
+msgstr "Дозволи/Забрани ги директните пријавувања како root."
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: security/help.pm:31
#, c-format
-msgid "Provider dns 1 (optional)"
-msgstr "Провајдер dns 1 (опција)"
+msgid ""
+"Allow/Forbid the list of users on the system on display managers (kdm and "
+"gdm)."
+msgstr "Дозволи/Забрани листа на корисници на дисплеј менаџерот(kdm and gdm)."
-#: ../../install_interactive.pm:1
+#: security/help.pm:33
#, c-format
msgid ""
-"You can now partition %s.\n"
-"When you are done, don't forget to save using `w'"
+"Allow/Forbid X connections:\n"
+"\n"
+"- ALL (all connections are allowed),\n"
+"\n"
+"- LOCAL (only connection from local machine),\n"
+"\n"
+"- NONE (no connection)."
msgstr ""
-"Сега можете да го партицирате %s.\n"
-"Кога ќе завршите, не заборавајте да зачувате користејќи \"w\""
-
-#: ../../keyboard.pm:1
-#, fuzzy, c-format
-msgid "Saami (swedish/finnish)"
-msgstr "Saami (шведски/фински)"
+"Дозоволи/Forbid X конекција:\n"
+"\n"
+"- СИТЕ (сите конекции се дозволени),\n"
+"\n"
+"- ЛОКАЛНИ (само конекции од локални компјутери),\n"
+"\n"
+"- ПРАЗНО (без кокнекции)."
-#: ../../printer/printerdrake.pm:1 ../../standalone/drakTermServ:1
-#: ../../standalone/drakbackup:1 ../../standalone/drakbug:1
-#: ../../standalone/drakfont:1 ../../standalone/net_monitor:1
-#: ../../standalone/printerdrake:1
-#, fuzzy, c-format
-msgid "Close"
-msgstr "Затвори"
+#: security/help.pm:41
+#, c-format
+msgid ""
+"The argument specifies if clients are authorized to connect\n"
+"to the X server from the network on the tcp port 6000 or not."
+msgstr ""
+"Специфицираниот аргументThe argument specifies if clients are authorized to "
+"connect\n"
+"to the X server from the network on the tcp port 6000 or not."
-#: ../../help.pm:1
+#: security/help.pm:44
#, c-format
msgid ""
-"\"%s\": check the current country selection. If you are not in this\n"
-"country, click on the \"%s\" button and choose another one. If your country\n"
-"is not in the first list shown, click the \"%s\" button to get the complete\n"
-"country list."
+"Authorize:\n"
+"\n"
+"- all services controlled by tcp_wrappers (see hosts.deny(5) man page) if "
+"set to \"ALL\",\n"
+"\n"
+"- only local ones if set to \"LOCAL\"\n"
+"\n"
+"- none if set to \"NONE\".\n"
+"\n"
+"To authorize the services you need, use /etc/hosts.allow (see hosts.allow"
+"(5))."
msgstr ""
-"\"%s\": проверете која земја ја имате одберено. Ако не сте од таа земја\n"
-"кликнете на \"%s\" копчето и одберете. Ако Вашата земја не е на листата\n"
-"кликнете на \"%s\" копчето за да ја добиете \n"
-"комплетмната листа на земји"
+"Овласти:\n"
+"\n"
+"- сите сервиси контолирани од tcp_wrappers (види hosts.deny(5) во "
+"прирачникот) if наместено на \"СИТЕ\",\n"
+"\n"
+"- го поседуваат само локалните ако е подесено на \"ЛОКАЛНО\"\n"
+"\n"
+"- никој ако е подесено на \"НИКОЈ\".\n"
+"\n"
+"За да ги овластите сервисите кои ви требаат, користите /etc/hosts.allow "
+"(види hosts.allow(5))."
-#: ../../standalone/logdrake:1
-#, fuzzy, c-format
-msgid "Calendar"
-msgstr "Календар"
+#: security/help.pm:54
+#, c-format
+msgid ""
+"If SERVER_LEVEL (or SECURE_LEVEL if absent)\n"
+"is greater than 3 in /etc/security/msec/security.conf, creates the\n"
+"symlink /etc/security/msec/server to point to\n"
+"/etc/security/msec/server.<SERVER_LEVEL>.\n"
+"\n"
+"The /etc/security/msec/server is used by chkconfig --add to decide to\n"
+"add a service if it is present in the file during the installation of\n"
+"packages."
+msgstr ""
+"Ако SERVER_LEVEL (или SECURE_LEVEL е исклучено)\n"
+"е поголемо од 3 во /etc/security/msec/security.conf, го создава\n"
+"линкот /etc/security/msec/server да го посочи до\n"
+"/etc/security/msec/server.<SERVER_LEVEL>.\n"
+"\n"
+"/etc/security/msec/server го користи chkconfig --add да одреди дали да\n"
+"додаде сервис ако е присутен во датотеката во текот на инсталацијата на\n"
+"пакетите."
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
+#: security/help.pm:63
+#, c-format
msgid ""
-"Restore Selected\n"
-"Catalog Entry"
-msgstr "Врати\n"
+"Enable/Disable crontab and at for users.\n"
+"\n"
+"Put allowed users in /etc/cron.allow and /etc/at.allow (see man at(1)\n"
+"and crontab(1))."
+msgstr ""
+"Enable/Disable crontab and at for users.\n"
+"Стави ги дозволените корисници во /etc/cron.allow и /etc/at.allow (види man "
+"во(1)\n"
+"и crontab(1))."
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
+#: security/help.pm:68
+#, c-format
+msgid "Enable/Disable syslog reports to console 12"
+msgstr "Овозможи/Оневозможи syslog извештаи на конзола 12"
+
+#: security/help.pm:70
+#, c-format
msgid ""
-"To use a remote lpd printer, you need to supply the hostname of the printer "
-"server and the printer name on that server."
-msgstr "До на и име Вклучено."
+"Enable/Disable name resolution spoofing protection. If\n"
+"\"alert\" is true, also reports to syslog."
+msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Iceland"
-msgstr "Исландска"
+#: security/help.pm:73
+#, c-format
+msgid "Enable/Disable IP spoofing protection."
+msgstr "Овозможи/Оневозможи заштита од IP измама."
-#: ../../standalone/drakconnect:1
-#, fuzzy, c-format
-msgid "Network & Internet Configuration"
-msgstr "Конфигурација на мрежа"
+#: security/help.pm:75
+#, c-format
+msgid "Enable/Disable libsafe if libsafe is found on the system."
+msgstr "Дозволи/Забрани libsafe ако libsafe е на системот."
-#: ../../common.pm:1
+#: security/help.pm:77
#, c-format
-msgid "consolehelper missing"
-msgstr "недостига consolehelper"
+msgid "Enable/Disable the logging of IPv4 strange packets."
+msgstr "Овозможи/Оневозможи логирање на IPv4 чудни пакети."
-#: ../../services.pm:1
+#: security/help.pm:79
#, c-format
-msgid "stopped"
-msgstr "престани"
+msgid "Enable/Disable msec hourly security check."
+msgstr "Овозможи/Оневозможи msec безбедносна проверка на секој час."
-#: ../../standalone/harddrake2:1
+#: security/help.pm:81
#, c-format
-msgid "Whether the FPU has an irq vector"
-msgstr "Дали FPU има irq вектор"
+msgid ""
+" Enabling su only from members of the wheel group or allow su from any user."
+msgstr ""
-#: ../../diskdrake/hd_gtk.pm:1
+#: security/help.pm:83
#, c-format
-msgid "Ext2"
-msgstr "Ext2"
+msgid "Use password to authenticate users."
+msgstr "Користи лозинка за препознавање на корисниците"
-#: ../../ugtk2.pm:1
+#: security/help.pm:85
#, c-format
-msgid "Expand Tree"
-msgstr "Рашири го дрвото"
+msgid "Activate/Disable ethernet cards promiscuity check."
+msgstr "Активирај/Забрани проверка на ethernet картичките"
-#: ../../harddrake/sound.pm:1
-#, fuzzy, c-format
-msgid ""
-"The old \"%s\" driver is blacklisted.\n"
-"\n"
-"It has been reported to oops the kernel on unloading.\n"
-"\n"
-"The new \"%s\" driver'll only be used on next bootstrap."
+#: security/help.pm:87
+#, c-format
+msgid " Activate/Disable daily security check."
+msgstr "Активирај/Исклучи ја дневната проверка на сигурност."
+
+#: security/help.pm:89
+#, c-format
+msgid " Enable/Disable sulogin(8) in single user level."
msgstr ""
-"Стариот драјвер \"%s\" е во црната листа.\n"
-"\n"
-"Има извештаи дека го oops-ува крнелот при .\n"
-"\n"
-"The new \"%s\" driver'll only be used on next bootstrap."
-#: ../../network/netconnect.pm:1 ../../printer/printerdrake.pm:1
+#: security/help.pm:91
#, c-format
-msgid "Expert Mode"
-msgstr "Експертски режим"
+msgid "Add the name as an exception to the handling of password aging by msec."
+msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Printer options"
-msgstr "Печатач"
+#: security/help.pm:93
+#, c-format
+msgid "Set password aging to \"max\" days and delay to change to \"inactive\"."
+msgstr ""
+"Подеси го остарувањето на лозинката на \"максимум\" денови и задоцнувањето "
+"го смени на \"неактивно\"."
-#: ../../standalone/drakgw:1
-#, fuzzy, c-format
-msgid "Local Network adress"
-msgstr "Локален Мрежа"
+#: security/help.pm:95
+#, c-format
+msgid "Set the password history length to prevent password reuse."
+msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Backup your System files. (/etc directory)"
-msgstr "Сигурносна копија Систем"
+#: security/help.pm:97
+#, c-format
+msgid ""
+"Set the password minimum length and minimum number of digit and minimum "
+"number of capitalized letters."
+msgstr ""
+"Поставете јалозинката на минимум ... и минимум борјки и минимум број на "
+"големи букви."
-#: ../../security/help.pm:1
+#: security/help.pm:99
#, c-format
-msgid "Set the user umask."
-msgstr "Подеси го корисничкиот umask."
+msgid "Set the root umask."
+msgstr "Подеси го umask за root."
-#: ../../install_steps_interactive.pm:1
-#, fuzzy, c-format
+#: security/help.pm:100
+#, c-format
+msgid "if set to yes, check open ports."
+msgstr "ако поставете да, проверете ги отворените порти."
+
+#: security/help.pm:101
+#, c-format
msgid ""
-"You now have the opportunity to download updated packages. These packages\n"
-"have been updated after the distribution was released. They may\n"
-"contain security or bug fixes.\n"
+"if set to yes, check for :\n"
"\n"
-"To download these packages, you will need to have a working Internet \n"
-"connection.\n"
+"- empty passwords,\n"
"\n"
-"Do you want to install the updates ?"
+"- no password in /etc/shadow\n"
+"\n"
+"- for users with the 0 id other than root."
msgstr ""
-"Имате можност да преземете надградени пакети. Овие пакети се издадени\n"
-"после издавањето на дистрибуцијата. Можно е да содржат поправки на\n"
-"багови или на безбедноста.\n"
+"ако е поставено на да, направете проверка за:\n"
"\n"
-"За преземање на овие пакети, ќе треба да имате функционална Интернет\n"
-"врска.\n"
+"- празни лозинки,\n"
"\n"
-"Дали сакате да ги инсталирате надградбите ?"
-
-#: ../../standalone/logdrake:1
-#, fuzzy, c-format
-msgid "Samba Server"
-msgstr "Samba ���"
+"-нема лозинки во /etc/shadow\n"
+"\n"
+"-за корисници со id 0 а кои не се root."
-#: ../../standalone/drakxtv:1
+#: security/help.pm:108
#, c-format
-msgid "Australian Optus cable TV"
-msgstr "Optus Австралијанска Кабловска ТВ"
+msgid "if set to yes, check permissions of files in the users' home."
+msgstr ""
-#: ../../install_steps_newt.pm:1
+#: security/help.pm:109
#, c-format
-msgid ""
-" <Tab>/<Alt-Tab> between elements | <Space> selects | <F12> next screen "
+msgid "if set to yes, check if the network devices are in promiscuous mode."
msgstr ""
-" <Tab>/<Alt-Tab> помеѓу елементи | <Space> избира | <F12> следен екран "
+"ако е подесено на да, провери дали мрежните уреди со во заеднички режим."
-#: ../../standalone/drakTermServ:1
+#: security/help.pm:110
#, c-format
-msgid "Subnet:"
-msgstr "Subnet:"
+msgid "if set to yes, run the daily security checks."
+msgstr "ако поставете да, вклучете ја дневната проверка на безбедност."
-#: ../../lang.pm:1
+#: security/help.pm:111
#, c-format
-msgid "Zimbabwe"
-msgstr "Зимбабве"
+msgid "if set to yes, check additions/removals of sgid files."
+msgstr ""
+"ако е подесено на да. проверете ги додатоците/отстранувањата на sgid "
+"датотеките."
-#: ../../standalone/drakbackup:1
+#: security/help.pm:112
#, c-format
-msgid "When"
-msgstr "Кога"
+msgid "if set to yes, check empty password in /etc/shadow."
+msgstr "ако е поставено да, провери ја празната лозинка во /etc/shadow."
-#: ../../network/adsl.pm:1
-#, fuzzy, c-format
-msgid ""
-"You need the Alcatel microcode.\n"
-"Download it at:\n"
-"%s\n"
-"and copy the mgmt.o in /usr/share/speedtouch"
-msgstr ""
-"Потребен Ви е alcatel микрокодот.\n"
-"Преземете го од\n"
-"http://www.speedtouchdsl.com/dvrreg_lx.htm\n"
-"и ископирајте ја mgmt.o во /usr/share/speedtouch"
+#: security/help.pm:113
+#, c-format
+msgid "if set to yes, verify checksum of the suid/sgid files."
+msgstr "ако е \"да\", потврди го проверениот збир од suid/sgid датотеките."
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Hour"
-msgstr "Хондурас"
+#: security/help.pm:114
+#, c-format
+msgid "if set to yes, check additions/removals of suid root files."
+msgstr ""
+"ако е наместено на да, провери за додавања/отсранувања на suid root "
+"датотеките."
-#: ../../network/modem.pm:1 ../../standalone/drakconnect:1
+#: security/help.pm:115
#, c-format
-msgid "Second DNS Server (optional)"
-msgstr "Втор DNS Сервер (ако треба)"
+msgid "if set to yes, report unowned files."
+msgstr "ако е поставено да, извести за не своите датотеки."
-#: ../../lang.pm:1
+#: security/help.pm:116
#, c-format
-msgid "Finland"
-msgstr "Финска"
+msgid "if set to yes, check files/directories writable by everybody."
+msgstr ""
+"ако поставите да, проверете ги датотеките/директориумите на кои може секој "
+"да пишува."
-#: ../../Xconfig/various.pm:1
+#: security/help.pm:117
#, c-format
-msgid "Color depth: %s\n"
-msgstr "Длабочина на бои: %s\n"
+msgid "if set to yes, run chkrootkit checks."
+msgstr "ако одберете да, стартувајте ја chkrootkit проверката"
-#: ../../install_steps_gtk.pm:1
+#: security/help.pm:118
#, c-format
-msgid "You can't unselect this package. It must be upgraded"
+msgid ""
+"if set, send the mail report to this email address else send it to root."
msgstr ""
-"Не можете да не го изберете овој пакет. Тој мора да се надгради (upgrade)"
+"ако е подесено, испрати го извештајот за поштата на оваа е-пошта во "
+"спротивно испрати го на root."
-#: ../../install_steps_interactive.pm:1
+#: security/help.pm:119
#, c-format
-msgid "Loading from floppy"
-msgstr "Вчитување од дискета"
+msgid "if set to yes, report check result by mail."
+msgstr "ако е подесено на да, прати го добиениот резултат по е-пошта"
-#: ../../standalone/drakclock:1
+#: security/help.pm:120
#, c-format
-msgid "Timezone - DrakClock"
+msgid "Do not send mails if there's nothing to warn about"
msgstr ""
-#: ../../security/help.pm:1
+#: security/help.pm:121
#, c-format
-msgid "Enable/Disable the logging of IPv4 strange packets."
-msgstr "Овозможи/Оневозможи логирање на IPv4 чудни пакети."
+msgid "if set to yes, run some checks against the rpm database."
+msgstr "ако поставете да, стартувајте некои проверки во rpm базата на податоци"
-#: ../../lang.pm:1
+#: security/help.pm:122
#, c-format
-msgid "Slovenia"
-msgstr "Словенија"
+msgid "if set to yes, report check result to syslog."
+msgstr "ако е ставено на да, известува за резултатот од проверката во syslog."
-#: ../../standalone/mousedrake:1
+#: security/help.pm:123
#, c-format
-msgid "Mouse test"
-msgstr "Тест на Глушецот"
+msgid "if set to yes, reports check result to tty."
+msgstr "ако е \"да\", го испишува резултатот од проверката на tty."
-#: ../../standalone/drakperm:1
-#, fuzzy, c-format
-msgid ""
-"Drakperm is used to see files to use in order to fix permissions, owners, "
-"and groups via msec.\n"
-"You can also edit your own rules which will owerwrite the default rules."
+#: security/help.pm:125
+#, c-format
+msgid "Set shell commands history size. A value of -1 means unlimited."
msgstr ""
-"на на во на и\n"
-" стандардно."
+"Постави ја големинта на поранешните команди во школката. -1 значи "
+"неограничен простор."
-#: ../../any.pm:1
+#: security/help.pm:127
#, c-format
-msgid ""
-"Enter a user\n"
-"%s"
+msgid "Set the shell timeout. A value of zero means no timeout."
msgstr ""
-"Внесете корисник\n"
-"%s"
-#: ../../standalone/harddrake2:1
-#, fuzzy, c-format
-msgid ""
-"- PCI and USB devices: this lists the vendor, device, subvendor and "
-"subdevice PCI/USB ids"
+#: security/help.pm:127
+#, c-format
+msgid "Timeout unit is second"
msgstr ""
-"- PCI и USB уреди: ова ги покажува имињата на производителот, уредот, "
-"подпроизводителот и подуредот"
-#: ../../standalone/draksplash:1
+#: security/help.pm:129
#, c-format
-msgid "ProgressBar color selection"
-msgstr "избор на боја на ProgressBar"
+msgid "Set the user umask."
+msgstr "Подеси го корисничкиот umask."
-#: ../../any.pm:1
-#, fuzzy, c-format
-msgid ""
-"Here are the entries on your boot menu so far.\n"
-"You can create additional entries or change the existing ones."
-msgstr ""
-"Ова се досегашните ставки во Вашето мени на подигање.\n"
-"Можете да додадете уште или да ги промените постоечките."
+#: security/l10n.pm:11
+#, c-format
+msgid "Accept bogus IPv4 error messages"
+msgstr "Прифати лажни IPv4 пораки со грешка"
-#: ../../help.pm:1
+#: security/l10n.pm:12
#, c-format
-msgid "/dev/hda"
-msgstr "/dev/hda"
+msgid "Accept broadcasted icmp echo"
+msgstr "Прифати емитираното icmp ехо"
-#: ../../help.pm:1
+#: security/l10n.pm:13
#, c-format
-msgid "/dev/hdb"
-msgstr "/dev/hdb"
+msgid "Accept icmp echo"
+msgstr "Прифати icmp ехо"
-#: ../../standalone/drakbug:1
+#: security/l10n.pm:15
#, c-format
-msgid ""
-"Application Name\n"
-"or Full Path:"
-msgstr ""
+msgid "/etc/issue* exist"
+msgstr "/etc/issue* излез"
-#: ../../services.pm:1
-#, fuzzy, c-format
-msgid ""
-"Runs commands scheduled by the at command at the time specified when\n"
-"at was run, and runs batch commands when the load average is low enough."
-msgstr ""
-"време\n"
-" и."
+#: security/l10n.pm:16
+#, c-format
+msgid "Reboot by the console user"
+msgstr "Рестарт од конзолниот корисник"
-#: ../../harddrake/v4l.pm:1
+#: security/l10n.pm:17
#, c-format
-msgid "Radio support:"
-msgstr "Радио поддршка:"
+msgid "Allow remote root login"
+msgstr "Дозволи remote root логирање"
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Installing SANE packages..."
-msgstr "Инсталирање."
+#: security/l10n.pm:18
+#, c-format
+msgid "Direct root login"
+msgstr "Директно root логирање"
-#: ../../any.pm:1
+#: security/l10n.pm:19
#, c-format
-msgid "LDAP"
-msgstr "LDAP"
+msgid "List users on display managers (kdm and gdm)"
+msgstr "Листа на корисници на дисплеј менаџерот (kdm и gdm)"
+
+#: security/l10n.pm:20
+#, fuzzy, c-format
+msgid "Allow X Window connections"
+msgstr "Дозволи X Window конекција"
-#: ../../bootloader.pm:1
+#: security/l10n.pm:21
#, c-format
-msgid "SILO"
-msgstr "SILO"
+msgid "Authorize TCP connections to X Window"
+msgstr "Авторизирај TCP конекции со X Window"
-#: ../../diskdrake/removable.pm:1
+#: security/l10n.pm:22
#, c-format
-msgid "Change type"
-msgstr "Промена на тип"
+msgid "Authorize all services controlled by tcp_wrappers"
+msgstr "Одобри ги сите сервиси контролирани од страна на tcp_wrappers"
-#: ../../printer/main.pm:1 ../../printer/printerdrake.pm:1
+#: security/l10n.pm:23
#, fuzzy, c-format
-msgid ", USB printer #%s"
-msgstr "USB"
+msgid "Chkconfig obey msec rules"
+msgstr "Конфигурирај"
-#: ../../any.pm:1
+#: security/l10n.pm:24
#, c-format
-msgid "SILO Installation"
-msgstr "Инсталација на SILO"
+msgid "Enable \"crontab\" and \"at\" for users"
+msgstr "Овозможи \"crontab\" и \"at\" за корисниците"
-#: ../../install_messages.pm:1
+#: security/l10n.pm:25
#, c-format
-msgid ""
-"Congratulations, installation is complete.\n"
-"Remove the boot media and press return to reboot.\n"
-"\n"
-"\n"
-"For information on fixes which are available for this release of Mandrake "
-"Linux,\n"
-"consult the Errata available from:\n"
-"\n"
-"\n"
-"%s\n"
-"\n"
-"\n"
-"Information on configuring your system is available in the post\n"
-"install chapter of the Official Mandrake Linux User's Guide."
+msgid "Syslog reports to console 12"
+msgstr "Syslog извештаи за конзола 12"
+
+#: security/l10n.pm:26
+#, c-format
+msgid "Name resolution spoofing protection"
msgstr ""
-"Инсталацијата е завршена. Ви честитаме!\n"
-"Извадете ги инсталационите медиуми и притиснете Ентер за рестартирање.\n"
-"\n"
-"\n"
-"За информации за поправките достапни за ова издание на Мандрак Линукс,\n"
-"консултирајте се со Errata коешто е достапно од:\n"
-"\n"
-"\n"
-"%s\n"
-"\n"
-"\n"
-"Информациите за конфигурирање на Вашиот систем се достапни во поглавјето\n"
-"за пост-инсталација од Официјалниот кориснички водич на Мандрак Линукс."
-#: ../../standalone/drakclock:1
-#, fuzzy, c-format
-msgid "Enable Network Time Protocol"
-msgstr "Поврати преку мрежен протокол:%s"
+#: security/l10n.pm:27
+#, c-format
+msgid "Enable IP spoofing protection"
+msgstr "Овозможи IP заштита"
-#: ../../printer/printerdrake.pm:1
+#: security/l10n.pm:28
#, c-format
-msgid "paranoid"
-msgstr "параноидна"
+msgid "Enable libsafe if libsafe is found on the system"
+msgstr "Овозможи го libsafe ако libsafe е пронајден на вашиот систем"
-#: ../../security/l10n.pm:1
-#, fuzzy, c-format
-msgid "Do not send mails when unneeded"
-msgstr "Не праќај е-пошти кога не се потребни"
+#: security/l10n.pm:29
+#, c-format
+msgid "Enable the logging of IPv4 strange packets"
+msgstr "Овозможи го логирањето на IPv4 чудните пакети"
-#: ../../standalone/scannerdrake:1
+#: security/l10n.pm:30
#, c-format
-msgid "Your scanner(s) will not be available on the network."
+msgid "Enable msec hourly security check"
+msgstr "Овозможи msec сигурносна проверка на час"
+
+#: security/l10n.pm:31
+#, c-format
+msgid "Enable su only from the wheel group members or for any user"
msgstr ""
+"Овозможите su само од членовите на контролната група или од секој корисник."
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Send mail report after each backup to:"
-msgstr "Испрати на:"
+#: security/l10n.pm:32
+#, c-format
+msgid "Use password to authenticate users"
+msgstr "Користи лозинка за логирање корисници"
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid ""
-"This command you can also use in the \"Printing command\" field of the "
-"printing dialogs of many applications. But here do not supply the file name "
-"because the file to print is provided by the application.\n"
-msgstr "во Печатење име на"
+#: security/l10n.pm:33
+#, c-format
+msgid "Ethernet cards promiscuity check"
+msgstr "Мешана проверка на мрежните картички"
-#: ../../Xconfig/main.pm:1 ../../Xconfig/resolution_and_depth.pm:1
+#: security/l10n.pm:34
#, c-format
-msgid "Resolution"
-msgstr "Резолуција"
+msgid "Daily security check"
+msgstr "Дневна сигурносна проверка"
+
+#: security/l10n.pm:35
+#, c-format
+msgid "Sulogin(8) in single user level"
+msgstr "Sulogin(8) во ниво на еден корисник"
+
+#: security/l10n.pm:36
+#, c-format
+msgid "No password aging for"
+msgstr "Нема стареење на лозинка за"
-#: ../../printer/printerdrake.pm:1
+#: security/l10n.pm:37
+#, c-format
+msgid "Set password expiration and account inactivation delays"
+msgstr "Намести изминување на лозинката и неактивни задоцнувања на акаунтот"
+
+#: security/l10n.pm:38
#, fuzzy, c-format
-msgid ""
-"To print to a SMB printer, you need to provide the SMB host name (Note! It "
-"may be different from its TCP/IP hostname!) and possibly the IP address of "
-"the print server, as well as the share name for the printer you wish to "
-"access and any applicable user name, password, and workgroup information."
-msgstr "До на на име Забелешка IP и IP име на и име и."
+msgid "Password history length"
+msgstr "Лозинка"
-#: ../../security/help.pm:1
+#: security/l10n.pm:39
#, c-format
-msgid ""
-" Enabling su only from members of the wheel group or allow su from any user."
-msgstr ""
+msgid "Password minimum length and number of digits and upcase letters"
+msgstr "Минимална должина на лозинка и број на цифри и големи букви"
-#: ../../standalone/drakgw:1
+#: security/l10n.pm:40
#, c-format
-msgid "reconfigure"
-msgstr "реконфигурирај"
+msgid "Root umask"
+msgstr "Root umask"
-#: ../../Xconfig/card.pm:1
+#: security/l10n.pm:41
#, c-format
-msgid ""
-"Your card can have 3D hardware acceleration support with XFree %s,\n"
-"NOTE THIS IS EXPERIMENTAL SUPPORT AND MAY FREEZE YOUR COMPUTER."
-msgstr ""
-"Можно е Вашата картичка да има 3D хардверско забрзување со XFree %s.\n"
-"ВНИМАВАЈТЕ ДЕКА ОВА Е ЕКСПЕРИМЕНТАЛНА ПОДДРШКА\n"
-"И МОЖЕ ДА ГО ЗАМРЗНЕ ВАШИОТ КОМПЈУТЕР."
+msgid "Shell history size"
+msgstr "Големина на историјата на шелот"
-#: ../../security/l10n.pm:1
+#: security/l10n.pm:42
#, fuzzy, c-format
msgid "Shell timeout"
msgstr "Пауза пред подигање на кернел"
-#: ../../standalone/logdrake:1
+#: security/l10n.pm:43
#, c-format
-msgid "Xinetd Service"
-msgstr "Xinetd Сервис"
+msgid "User umask"
+msgstr "Кориснички umask"
+
+#: security/l10n.pm:44
+#, fuzzy, c-format
+msgid "Check open ports"
+msgstr "Провери ги отворените порти"
-#: ../../any.pm:1
+#: security/l10n.pm:45
#, c-format
-msgid "access to network tools"
-msgstr "пристап до мрежни алатки"
+msgid "Check for unsecured accounts"
+msgstr "Проверка на несигурни акаунти"
-#: ../../printer/printerdrake.pm:1
+#: security/l10n.pm:46
#, c-format
-msgid "Firmware-Upload for HP LaserJet 1000"
-msgstr ""
+msgid "Check permissions of files in the users' home"
+msgstr "Провери ја пристапноста до датотеките на кориниците во home"
-#: ../advertising/03-software.pl:1
-#, fuzzy, c-format
-msgid ""
-"And, of course, push multimedia to its limits with the very latest software "
-"to play videos, audio files and to handle your images or photos."
-msgstr "Linux на на пушти и или и пушти"
+#: security/l10n.pm:47
+#, c-format
+msgid "Check if the network devices are in promiscuous mode"
+msgstr "Проверка на мрежните уреди"
-#: ../../printer/printerdrake.pm:1
+#: security/l10n.pm:48
#, c-format
-msgid "Here is a list of all auto-detected printers. "
-msgstr "Ова е листа на автоматски детектирани принтери"
+msgid "Run the daily security checks"
+msgstr "Вклучи ги дневните сигурносни проверки"
-#: ../../install_steps_interactive.pm:1
+#: security/l10n.pm:49
#, c-format
-msgid ""
-"Error installing aboot, \n"
-"try to force installation even if that destroys the first partition?"
-msgstr ""
-"Грешка при инсталирање aboot. \n"
-"Да се обидеме со сила, иако тоа може да ја уништи првата партиција?"
+msgid "Check additions/removals of sgid files"
+msgstr "Провери ги додавањата/отстранувањата од sgid датотеките"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid ""
-"Restore Selected\n"
-"Files"
-msgstr "Врати\n"
+#: security/l10n.pm:50
+#, c-format
+msgid "Check empty password in /etc/shadow"
+msgstr "Провери да не е празна лозинката во /etc/shadow"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid ""
-"%s exists, delete?\n"
-"\n"
-"Warning: If you've already done this process you'll probably\n"
-" need to purge the entry from authorized_keys on the server."
+#: security/l10n.pm:51
+#, c-format
+msgid "Verify checksum of the suid/sgid files"
msgstr ""
-"s\n"
-"\n"
-" Предупредување\n"
-" на Вклучено."
-#: ../../network/tools.pm:1
-#, fuzzy, c-format
-msgid "Please fill or check the field below"
-msgstr "или"
+#: security/l10n.pm:52
+#, c-format
+msgid "Check additions/removals of suid root files"
+msgstr "Проверка на додадените/поместените suid root датотеки"
-#: ../../diskdrake/interactive.pm:1
+#: security/l10n.pm:53
#, c-format
-msgid "Do you want to save /etc/fstab modifications"
-msgstr "Дали сакате да ги зачувате модификациите на /etc/fstab"
+msgid "Report unowned files"
+msgstr "Пријави непознати датотеки"
-#: ../../standalone/drakconnect:1
+#: security/l10n.pm:54
#, c-format
-msgid "Boot Protocol"
-msgstr "Подигачки протокол"
+msgid "Check files/directories writable by everybody"
+msgstr "Провери ги датотеките/директориумите на кои може секој да пишува"
-#: ../../diskdrake/interactive.pm:1
+#: security/l10n.pm:55
#, c-format
-msgid "LVM-disks %s\n"
-msgstr "LVM-дискови %s\n"
+msgid "Run chkrootkit checks"
+msgstr "Вклучи ги chkrootkit проверките"
-#: ../../services.pm:1
+#: security/l10n.pm:56
#, fuzzy, c-format
-msgid "On boot"
-msgstr "Вклучено"
+msgid "Do not send mails when unneeded"
+msgstr "Не праќај е-пошти кога не се потребни"
-#: ../../diskdrake/interactive.pm:1
+#: security/l10n.pm:57
#, c-format
-msgid "The package %s is needed. Install it?"
-msgstr "Потребен е пакетот %s. Да се инсталира?"
+msgid "If set, send the mail report to this email address else send it to root"
+msgstr ""
+"Ако е подесено, пратете го маил репортот на оваа е-маил адреса, инаку "
+"пратете го на root "
-#: ../../standalone/harddrake2:1
+#: security/l10n.pm:58
#, c-format
-msgid "Bus identification"
-msgstr "Име на магистрала"
-
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Vatican"
-msgstr "Лаотска"
+msgid "Report check result by mail"
+msgstr "Резултатите од проверките на маил"
-#: ../../diskdrake/hd_gtk.pm:1
+#: security/l10n.pm:59
#, c-format
-msgid "Please make a backup of your data first"
-msgstr "Ве молиме прво да направите бекап на Вашите податоци"
+msgid "Run some checks against the rpm database"
+msgstr "Изврши неколку проверки врз rpm базата на податоци"
-#: ../../harddrake/data.pm:1
+#: security/l10n.pm:60
#, c-format
-msgid "ADSL adapters"
-msgstr ""
+msgid "Report check result to syslog"
+msgstr "Извести за резултатите од проверката во syslog"
-#: ../../install_interactive.pm:1
+#: security/l10n.pm:61
#, c-format
-msgid "You have more than one hard drive, which one do you install linux on?"
-msgstr "Имате повеќе од еден хард диск; на кој инсталирате Линукс?"
+msgid "Reports check result to tty"
+msgstr "Ги известува проверените резулатати на tty"
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Eritrea"
-msgstr "Еритреа"
+#: security/level.pm:10
+#, c-format
+msgid "Welcome To Crackers"
+msgstr "Бујрум кракери"
-#: ../../standalone/drakTermServ:1
+#: security/level.pm:11
#, c-format
-msgid "Boot ISO"
-msgstr "Boot ISO"
+msgid "Poor"
+msgstr "Сиромашно"
-#: ../../network/adsl.pm:1
-#, fuzzy, c-format
-msgid "Firmware needed"
-msgstr "ако е потребно"
+#: security/level.pm:13
+#, c-format
+msgid "High"
+msgstr "Високо"
-#: ../../standalone/drakfont:1
-#, fuzzy, c-format
-msgid "Remove List"
-msgstr "Отстрани листа"
+#: security/level.pm:14
+#, c-format
+msgid "Higher"
+msgstr "Повисоко"
-#: ../advertising/05-desktop.pl:1
+#: security/level.pm:15
#, c-format
-msgid "A customizable environment"
-msgstr "Променлива Околина"
+msgid "Paranoid"
+msgstr "Параноично"
-#: ../../keyboard.pm:1
+#: security/level.pm:41
#, c-format
-msgid "Inuktitut"
-msgstr "Инуктитут"
+msgid ""
+"This level is to be used with care. It makes your system more easy to use,\n"
+"but very sensitive. It must not be used for a machine connected to others\n"
+"or to the Internet. There is no password access."
+msgstr ""
+"Ова ниво треба да се користи внимателно. Со него системот полесно\n"
+"се користи, но е многу чувствителен. Не смее да се користи за машини\n"
+"поврзани со други, или на Интернет. Не постои пристап со лозинки."
-#: ../../standalone/drakbackup:1
+#: security/level.pm:44
#, c-format
msgid ""
-"Some protocols, like rsync, may be configured at the server end. Rather "
-"than using a directory path, you would use the 'module' name for the service "
-"path."
+"Passwords are now enabled, but use as a networked computer is still not "
+"recommended."
msgstr ""
+"Лозинките се сега овозможени, но да се користење како мрежен компјутер "
+"сеуште не се препорачува."
-#: ../../lang.pm:1
+#: security/level.pm:45
#, c-format
-msgid "Morocco"
-msgstr "Мароко"
+msgid ""
+"This is the standard security recommended for a computer that will be used "
+"to connect to the Internet as a client."
+msgstr ""
+"Ова е стандардната сигурност препорачана за компјутер што ќе се користи за "
+"клиентска конекција на Интернет."
-#: ../../printer/printerdrake.pm:1
+#: security/level.pm:46
#, c-format
-msgid "Which printer model do you have?"
-msgstr "Кој модел на принтер го имате?"
+msgid ""
+"There are already some restrictions, and more automatic checks are run every "
+"night."
+msgstr ""
+"Постојат некои ограничувања, и повеќе автоматски проверки се извршуваат "
+"секоја вечер."
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Add a new printer"
-msgstr "Додај"
+#: security/level.pm:47
+#, c-format
+msgid ""
+"With this security level, the use of this system as a server becomes "
+"possible.\n"
+"The security is now high enough to use the system as a server which can "
+"accept\n"
+"connections from many clients. Note: if your machine is only a client on the "
+"Internet, you should choose a lower level."
+msgstr ""
+"Со ова безбедносно ниво, користењето на системов како сервер станува можно.\n"
+"Безбедност е на ниво доволно високо за системот да се користи како сервер\n"
+"за многу клиенти. Забелешка: ако Вашата машина е само клиент на Интернет, би "
+"требало да изберете пониско ниво."
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid " All of your selected data have been "
-msgstr "Сите податок "
+#: security/level.pm:50
+#, c-format
+msgid ""
+"This is similar to the previous level, but the system is entirely closed and "
+"security features are at their maximum."
+msgstr ""
+"Ова е слично на преходното ниво, но системот е целосно затворен и "
+"безбедносните функции се во нивниот максимум."
-#: ../../lang.pm:1
+#: security/level.pm:55
#, c-format
-msgid "Nepal"
-msgstr "непал"
+msgid "DrakSec Basic Options"
+msgstr "DrakSec основни опции"
-#: ../../standalone/drakTermServ:1
+#: security/level.pm:56
#, c-format
-msgid "<-- Delete"
-msgstr "<-- Избриши"
+msgid "Please choose the desired security level"
+msgstr "Изберете безбедносно ниво"
-#: ../../harddrake/data.pm:1
+#: security/level.pm:60
#, c-format
-msgid "cpu # "
-msgstr "cpu #"
+msgid "Security level"
+msgstr "Сигурносно ниво"
-#: ../../diskdrake/interactive.pm:1
+#: security/level.pm:62
#, c-format
-msgid "chunk size"
-msgstr "големина на блок"
+msgid "Use libsafe for servers"
+msgstr "Користење libsafe за сервери"
-#: ../../security/help.pm:1
+#: security/level.pm:63
#, c-format
msgid ""
-"If set to \"ALL\", /etc/issue and /etc/issue.net are allowed to exist.\n"
-"\n"
-"If set to NONE, no issues are allowed.\n"
-"\n"
-"Else only /etc/issue is allowed."
+"A library which defends against buffer overflow and format string attacks."
msgstr ""
-"Ако е подесено на \"СИТЕ\", на /etc/issue и /etc/issue.net им е дозволено да "
-"постојат.\n"
-"\n"
-"Ако е подесено на НИТУ ЕДНО, не се дозволени никакви извршувања.\n"
-"\n"
-"Инаку, само /etc/issue е дозволено."
+"Библиотека што штити од \"buffer overflow\" и \"format string\" напади."
-#: ../../security/help.pm:1
+#: security/level.pm:64
#, c-format
-msgid " Enable/Disable sulogin(8) in single user level."
-msgstr ""
+msgid "Security Administrator (login or email)"
+msgstr "Безбедносен администратор (логин или e-mail)"
-#. -PO: these messages will be displayed at boot time in the BIOS, use only ASCII (7bit)
-#. -PO: and keep them smaller than 79 chars long
-#: ../../bootloader.pm:1
+#: services.pm:19
#, c-format
-msgid "commands before booting, or 'c' for a command-line."
-msgstr "na komandi pred podiganje, ili 'c' za komandna linija."
+msgid "Launch the ALSA (Advanced Linux Sound Architecture) sound system"
+msgstr "Го лансира ALSA (Advanced Linux Sound Architecture) звучниот систем."
-#: ../../standalone/drakgw:1 ../../standalone/drakpxe:1
+#: services.pm:20
#, c-format
-msgid "Problems installing package %s"
-msgstr "Проблеми при инсталација на пакетот %s"
+msgid "Anacron is a periodic command scheduler."
+msgstr "Anacron е периодично команден распоредувач."
-#: ../../standalone/logdrake:1
+#: services.pm:21
#, c-format
-msgid "You will receive an alert if the load is higher than this value"
+msgid ""
+"apmd is used for monitoring battery status and logging it via syslog.\n"
+"It can also be used for shutting down the machine when the battery is low."
msgstr ""
+"apmd се користи за набљудување на статусот на батеријата и логирање преку "
+"syslog\n"
+"Исто така може да се користи за исклучување на машината кога батеријата е "
+"слаба."
-#: ../../standalone/scannerdrake:1
+#: services.pm:23
#, fuzzy, c-format
-msgid "Add a scanner manually"
-msgstr "Избор"
+msgid ""
+"Runs commands scheduled by the at command at the time specified when\n"
+"at was run, and runs batch commands when the load average is low enough."
+msgstr ""
+"време\n"
+" и."
-#: ../../standalone/printerdrake:1
+#: services.pm:25
#, fuzzy, c-format
-msgid "Refresh"
-msgstr "Одбиј"
+msgid ""
+"cron is a standard UNIX program that runs user-specified programs\n"
+"at periodic scheduled times. vixie cron adds a number of features to the "
+"basic\n"
+"UNIX cron, including better security and more powerful configuration options."
+msgstr ""
+"cron е стандардна UNIX програма кој ги стартува специфираните кориснички "
+"програми\n"
+"во определено време. vixie cron додава бројки на основна на\n"
+"UNIX cron, вклучувајќи и подобра сигурност и многу помоќни опции за "
+"конфигурација."
-#: ../../help.pm:1 ../../diskdrake/interactive.pm:1
+#: services.pm:28
#, c-format
-msgid "Reload partition table"
-msgstr "Превчитај партициска табела"
+msgid ""
+"FAM is a file monitoring daemon. It is used to get reports when files "
+"change.\n"
+"It is used by GNOME and KDE"
+msgstr ""
-#: ../../standalone/drakboot:1
+#: services.pm:30
#, c-format
-msgid "Yes, I want autologin with this (user, desktop)"
-msgstr "Да, сакам авто-најавување со овој (корисник, околина)"
+msgid ""
+"GPM adds mouse support to text-based Linux applications such the\n"
+"Midnight Commander. It also allows mouse-based console cut-and-paste "
+"operations,\n"
+"and includes support for pop-up menus on the console."
+msgstr ""
+"GPM додава подрашка за глушецот на Линукс текстуално-базираните апликации, \n"
+"како на пр. Midnight Commander. Исто така дозволува конзолни изечи-и-вметни\n"
+"операции со глушецот, и вклучува подршка за pop-up менија во конзолата."
-#: ../../standalone/drakbackup:1
+#: services.pm:33
#, fuzzy, c-format
-msgid "Restore Selected"
-msgstr "Врати\n"
+msgid ""
+"HardDrake runs a hardware probe, and optionally configures\n"
+"new/changed hardware."
+msgstr ""
+"и\n"
+"."
-#: ../../standalone/drakfont:1
-#, fuzzy, c-format
-msgid "Search for fonts in installed list"
-msgstr "Пребарај ги фонтовите во листата на инсталирани фонтови"
+#: services.pm:35
+#, c-format
+msgid ""
+"Apache is a World Wide Web server. It is used to serve HTML files and CGI."
+msgstr ""
+"Apache е World Wide Web(WWW) сервер. Се користи за ги услужува HTML и CGI "
+"датотеките."
+
+#: services.pm:36
+#, c-format
+msgid ""
+"The internet superserver daemon (commonly called inetd) starts a\n"
+"variety of other internet services as needed. It is responsible for "
+"starting\n"
+"many services, including telnet, ftp, rsh, and rlogin. Disabling inetd "
+"disables\n"
+"all of the services it is responsible for."
+msgstr ""
+"Интернетскиот суперсервер демон (најчесто викан inetd) ако е потребно\n"
+"вклучува и различни други интернет сервиси. Тој е одговорен за вклучување\n"
+"многу сервиси, меѓу кои се telnet, ftp, rsh, и rlogin. Ако се оневозможи "
+"inetd се оневозможиваат\n"
+"сите сервиси за кој што тој е одговорен."
-#: ../../standalone/drakgw:1
+#: services.pm:40
#, fuzzy, c-format
-msgid "The Local Network did not finish with `.0', bailing out."
-msgstr "Локален Мрежа."
+msgid ""
+"Launch packet filtering for Linux kernel 2.2 series, to set\n"
+"up a firewall to protect your machine from network attacks."
+msgstr ""
+"Стартувај го филтрираниот пакет за Linux кернел 2.2 серија, за да го "
+"поставите\n"
+"firewall-от да го штити Вашиот компјутер од нападите на мрежа."
-#: ../../install_steps_interactive.pm:1
+#: services.pm:42
#, fuzzy, c-format
-msgid "Boot"
-msgstr "Root"
+msgid ""
+"This package loads the selected keyboard map as set in\n"
+"/etc/sysconfig/keyboard. This can be selected using the kbdconfig utility.\n"
+"You should leave this enabled for most machines."
+msgstr ""
+"во\n"
+"\n"
+" овозможено."
-#: ../../standalone/drakbackup:1
+#: services.pm:45
#, c-format
-msgid " and the CD is in the drive"
+msgid ""
+"Automatic regeneration of kernel header in /boot for\n"
+"/usr/include/linux/{autoconf,version}.h"
msgstr ""
+"Автоматско регенерирање на хедерот на кернелот во /boot за\n"
+"/usr/include/linux/{autoconf,version}.h"
-#: ../../harddrake/v4l.pm:1
+#: services.pm:47
#, c-format
-msgid "Tuner type:"
-msgstr "Тип на тјунер:"
+msgid "Automatic detection and configuration of hardware at boot."
+msgstr "Автоматско откривање и подесување на хардвер при стартување."
-#: ../../help.pm:1
+#: services.pm:48
#, fuzzy, c-format
msgid ""
-"Now, it's time to select a printing system for your computer. Other OSs may\n"
-"offer you one, but Mandrake Linux offers two. Each of the printing system\n"
-"is best suited to particular types of configuration.\n"
-"\n"
-" * \"%s\" -- which is an acronym for ``print, don't queue'', is the choice\n"
-"if you have a direct connection to your printer, you want to be able to\n"
-"panic out of printer jams, and you do not have networked printers. (\"%s\"\n"
-"will handle only very simple network cases and is somewhat slow when used\n"
-"with networks.) It's recommended that you use \"pdq\" if this is your first\n"
-"experience with GNU/Linux.\n"
-"\n"
-" * \"%s\" - `` Common Unix Printing System'', is an excellent choice for\n"
-"printing to your local printer or to one halfway around the planet. It is\n"
-"simple to configure and can act as a server or a client for the ancient\n"
-"\"lpd \" printing system, so it compatible with older operating systems\n"
-"which may still need print services. While quite powerful, the basic setup\n"
-"is almost as easy as \"pdq\". If you need to emulate a \"lpd\" server, make\n"
-"sure you turn on the \"cups-lpd \" daemon. \"%s\" includes graphical\n"
-"front-ends for printing or choosing printer options and for managing the\n"
-"printer.\n"
-"\n"
-"If you make a choice now, and later find that you don't like your printing\n"
-"system you may change it by running PrinterDrake from the Mandrake Control\n"
-"Center and clicking the expert button."
+"Linuxconf will sometimes arrange to perform various tasks\n"
+"at boot-time to maintain the system configuration."
msgstr ""
-"Сега се избира принтерски систем за Вашиот компјутер. Некои други "
-"оперативни\n"
-"системи нудат еден, додека Мандрак Линукс Ви нуди два.\n"
-"\n"
-" * \"pdg\" -- кој значи \"print, don't queue\", е вистинскиот избор ако "
-"имате\n"
-"директна конекција со Вашиот принтер и сакате да можете лесно да се "
-"извадите\n"
-"од заглавувања на хартија, и ако немате мрежни принтери. Може да се справи\n"
-"само со многу едноставни случаи на умреженост и е малку бавен во такви "
-"случаи.\n"
-"Изберете \"pdq\" ако ова е Вашето прво патување во GNU/Linux. Вашиот избор\n"
-"ќе може да го промените по завршувањето на инсталацијата преку извршување "
"на\n"
-"програмата PrinterDrake од Mandrake Control Center и притискање на копчето\n"
-"за експерти.\n"
-"\n"
-" * \"CUPS\" -- \"Common Unix Printing System\" е извонреден и во печатење "
-"на\n"
-"локалниот принтер и во печатење од другата страна на планетата. Тој е \n"
-"едноставен и може да се однесува како сервер или клиент за стариот \"lpd\"\n"
-"принтерски систем. Значи, е компатибилен со системите пред неговото време.\n"
-"Овозможува многу трикови, но основното поставување е речиси исто толку "
-"лесно\n"
-"како и поставувањето на \"pdq\". Ако ова Ви е потребно за емулација на \"lpd"
-"\"\n"
-"сервер, ќе мора да го вклучите демонот \"cups-lpd\". CUPS има графички "
-"школки\n"
-"за печатење и избирање опции за печатење."
-
-#: ../../keyboard.pm:1
-#, c-format
-msgid "\"Menu\" key"
-msgstr "\"Мени\"-копчето"
+" време на."
-#: ../../printer/printerdrake.pm:1
+#: services.pm:50
#, fuzzy, c-format
msgid ""
-"\n"
-"\n"
-"Please check whether Printerdrake did the auto-detection of your printer "
-"model correctly. Find the correct model in the list when a wrong model or "
-"\"Raw printer\" is highlighted."
+"lpd is the print daemon required for lpr to work properly. It is\n"
+"basically a server that arbitrates print jobs to printer(s)."
msgstr ""
-"\n"
-"\n"
-" Пребарај во Вклучено или Вклучено."
-
-#: ../../standalone/draksec:1
-#, fuzzy, c-format
-msgid "Security Administrator:"
-msgstr "Безбедност:"
+"lpd е демон за печатење, кој бара lpr за да работи како што треба.\n"
+" Тоа е основен сервер кој ја арбитрира работата на принтерите."
-#: ../../security/help.pm:1
+#: services.pm:52
#, c-format
-msgid "Set the shell timeout. A value of zero means no timeout."
+msgid ""
+"Linux Virtual Server, used to build a high-performance and highly\n"
+"available server."
msgstr ""
+"Линукс Виртуален Сервер, се користи за да се изгради високо достапен сервер "
+"со високи перформанси."
-#: ../../network/tools.pm:1
+#: services.pm:54
#, c-format
-msgid "Firmware copy succeeded"
+msgid ""
+"named (BIND) is a Domain Name Server (DNS) that is used to resolve host "
+"names to IP addresses."
msgstr ""
+"named (BIND) е Domain Name Server (DNS) кој што се користи за доделување "
+"имиња на компјутерите за IP адресите."
-#: ../../../move/tree/mdk_totem:1
+#: services.pm:55
#, c-format
msgid ""
-"You can't use another CDROM when the following programs are running: \n"
-"%s"
+"Mounts and unmounts all Network File System (NFS), SMB (Lan\n"
+"Manager/Windows), and NCP (NetWare) mount points."
msgstr ""
+"Ги монтира и одмонтира сите Network File System (NFS), SMB (Менаџер\n"
+"на локалната мрежа/Windows), и NCP (NetWare) монтирачките точки."
-#: ../../security/help.pm:1
+#: services.pm:57
#, c-format
-msgid "if set to yes, check permissions of files in the users' home."
+msgid ""
+"Activates/Deactivates all network interfaces configured to start\n"
+"at boot time."
msgstr ""
+"Ги Активира/Деактивира сите мрежни интерфејси конфигурирани на почетокот\n"
+"од времето на подигање."
-#: ../../standalone/drakconnect:1
+#: services.pm:59
#, fuzzy, c-format
msgid ""
-"You don't have an Internet connection.\n"
-"Create one first by clicking on 'Configure'"
+"NFS is a popular protocol for file sharing across TCP/IP networks.\n"
+"This service provides NFS server functionality, which is configured via the\n"
+"/etc/exports file."
msgstr ""
-"Немате Интернет конекција\n"
-" Создадете една притискакчи на 'Конфигурирај'"
+"NFS е популарен протокол за делење на датотеки во TCP/IP мрежи.\n"
+"Овој сервер е конфигуриран со датотеката /etc/exports.\n"
-#: ../../standalone/drakfont:1
+#: services.pm:62
#, fuzzy, c-format
-msgid "Fonts copy"
-msgstr "Фонтови"
+msgid ""
+"NFS is a popular protocol for file sharing across TCP/IP\n"
+"networks. This service provides NFS file locking functionality."
+msgstr ""
+"NFS е популарен протокол за делење на датотеки низ TCP/IP\n"
+"мрежите"
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
+#: services.pm:64
#, c-format
-msgid "Automated"
-msgstr "Автоматска"
+msgid ""
+"Automatically switch on numlock key locker under console\n"
+"and XFree at boot."
+msgstr ""
+"Автоматски го вклучи Num Lock копчето во конзола \n"
+"и XFree на вклучување."
-#: ../../Xconfig/test.pm:1
+#: services.pm:66
#, c-format
-msgid "Do you want to test the configuration?"
-msgstr "Дали сакате да ја тестирате конфигурацијата?"
+msgid "Support the OKI 4w and compatible winprinters."
+msgstr "Ги подржува OKI 4w и компатибилните win печатари."
-#: ../../printer/printerdrake.pm:1
+#: services.pm:67
#, fuzzy, c-format
msgid ""
-"The printer \"%s\" was successfully removed from Star Office/OpenOffice.org/"
-"GIMP."
+"PCMCIA support is usually to support things like ethernet and\n"
+"modems in laptops. It won't get started unless configured so it is safe to "
+"have\n"
+"it installed on machines that don't need it."
msgstr ""
-"Пачатачот \"%s\" успешно е избришан од Star Office/OpenOffice.org/GIMP."
+"PCMCIA на и\n"
+" во на\n"
+" Вклучено."
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
+#: services.pm:70
#, c-format
-msgid "Save packages selection"
-msgstr "Зачувување на селекцијата пакети"
-
-#: ../../standalone/printerdrake:1
-#, fuzzy, c-format
-msgid "/_Actions"
-msgstr "/_Опции"
+msgid ""
+"The portmapper manages RPC connections, which are used by\n"
+"protocols such as NFS and NIS. The portmap server must be running on "
+"machines\n"
+"which act as servers for protocols which make use of the RPC mechanism."
+msgstr ""
+"Portmapper е менаџер на RPC конекции, кои се користат при\n"
+"протоколи како NFS и NIS. Серверот portmapper мора да се\n"
+"извршува на машини кои претставуваат сервер за протоколи\n"
+"што го користат механизмот RPC."
-#: ../../standalone/drakautoinst:1
-#, fuzzy, c-format
-msgid "Remove the last item"
-msgstr "Отстрани го последниот"
+#: services.pm:73
+#, c-format
+msgid ""
+"Postfix is a Mail Transport Agent, which is the program that moves mail from "
+"one machine to another."
+msgstr ""
+"Postfix е Mail Transport Agent, а тоа е програма што ја пренесува поштата од "
+"една машина на друга."
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "User list to restore (only the most recent date per user is important)"
-msgstr "Корисник на"
+#: services.pm:74
+#, c-format
+msgid ""
+"Saves and restores system entropy pool for higher quality random\n"
+"number generation."
+msgstr ""
+"Ја зачувува и повратува ентропската системска резерва за поголем квалитет\n"
+"на случајно генерирање броеви."
-#: ../../standalone/drakTermServ:1
+#: services.pm:76
#, fuzzy, c-format
-msgid "No net boot images created!"
-msgstr "Не!"
+msgid ""
+"Assign raw devices to block devices (such as hard drive\n"
+"partitions), for the use of applications such as Oracle or DVD players"
+msgstr "на\n"
-#: ../../network/adsl.pm:1
+#: services.pm:78
#, c-format
-msgid "use pptp"
-msgstr "користи pptp"
+msgid ""
+"The routed daemon allows for automatic IP router table updated via\n"
+"the RIP protocol. While RIP is widely used on small networks, more complex\n"
+"routing protocols are needed for complex networks."
+msgstr ""
+"Демонот за пренасочување ви овозможува автоматска пренасочувачка IP табела\n"
+"осовременувана преку RIP протоколот. Додека RIP пошироко се користи за мали\n"
+"мрежи, по комплицирани пренасочувачки протоколи се потребни за комплицирани "
+"мрежи."
-#: ../../services.pm:1
-#, fuzzy, c-format
-msgid "Choose which services should be automatically started at boot time"
-msgstr "Избери кои сервиси автоматски да стартуваатпри рестарт"
+#: services.pm:81
+#, c-format
+msgid ""
+"The rstat protocol allows users on a network to retrieve\n"
+"performance metrics for any machine on that network."
+msgstr ""
+"rstat протоколот овозможува корисниците на мрежата да добиваат\n"
+"мерења на перормансите на било која машина на мрежата."
-#: ../../security/l10n.pm:1
+#: services.pm:83
#, c-format
-msgid "Check files/directories writable by everybody"
-msgstr "Провери ги датотеките/директориумите на кои може секој да пишува"
+msgid ""
+"The rusers protocol allows users on a network to identify who is\n"
+"logged in on other responding machines."
+msgstr ""
+"rusers протоколот дозволува корисниците на мрежата да се индетификува\n"
+"кој е логиран7 на други машини кои што одговараат."
-#: ../../printer/printerdrake.pm:1
+#: services.pm:85
#, fuzzy, c-format
-msgid "Learn how to use this printer"
-msgstr "Научите како да го користете овој принтер"
+msgid ""
+"The rwho protocol lets remote users get a list of all of the users\n"
+"logged into a machine running the rwho daemon (similiar to finger)."
+msgstr ""
+"rwho пртоколот дозволува локалните корисници да имаат пристап до листата на "
+"сите корисници\n"
+" пријавени на компјутерот."
-#: ../../printer/printerdrake.pm:1
+#: services.pm:87
#, fuzzy, c-format
-msgid "Configure the network now"
-msgstr "Конфигурирај"
+msgid "Launch the sound system on your machine"
+msgstr "Стартувај го звукот на Вашиот компјутер"
+
+#: services.pm:88
+#, fuzzy, c-format
+msgid ""
+"Syslog is the facility by which many daemons use to log messages\n"
+"to various system log files. It is a good idea to always run syslog."
+msgstr ""
+"Syslog на\n"
+" на на."
-#: ../../install_steps_interactive.pm:1
+#: services.pm:90
#, c-format
-msgid "Choose a mirror from which to get the packages"
-msgstr "Изберете огледало од кое да се преземат пакетите"
+msgid "Load the drivers for your usb devices."
+msgstr "Подиги ги драјверите за вашиот usb уред."
-#: ../../install_interactive.pm:1
+#: services.pm:91
#, c-format
-msgid ""
-"The FAT resizer is unable to handle your partition, \n"
-"the following error occured: %s"
+msgid "Starts the X Font Server (this is mandatory for XFree to run)."
msgstr ""
-"FAT зголемувачот не може да се справи со Вашата партиција,\n"
-"зашто се случи следнава грешка: %s"
+"Го стартува Х Фонт Серверот (ова е задолжително за да може XFree да работи)."
-#: ../../install_steps_gtk.pm:1
+#: services.pm:117 services.pm:159
#, fuzzy, c-format
-msgid "Size: "
-msgstr "Големина: "
+msgid "Choose which services should be automatically started at boot time"
+msgstr "Избери кои сервиси автоматски да стартуваатпри рестарт"
-#: ../../diskdrake/interactive.pm:1
+#: services.pm:129
#, c-format
-msgid "Which sector do you want to move it to?"
-msgstr "На кој сектор сакате да ја преместите?"
+msgid "Printing"
+msgstr "Печатење"
-#: ../../lang.pm:1
+#: services.pm:130
#, c-format
-msgid "Bahamas"
-msgstr "Бахами"
+msgid "Internet"
+msgstr "Интернет"
-#: ../../interactive/stdio.pm:1
+#: services.pm:133
#, c-format
-msgid "Do you want to click on this button?"
-msgstr "Дали сакате да го притиснете ова копче?"
+msgid "File sharing"
+msgstr "Споделување датотеки"
-#: ../../printer/printerdrake.pm:1
+#: services.pm:140
#, fuzzy, c-format
-msgid "Manual configuration"
-msgstr "Рачна конфигурација"
+msgid "Remote Administration"
+msgstr "Локална Администрација"
-#: ../../standalone/logdrake:1
+#: services.pm:148
#, c-format
-msgid "search"
-msgstr "барај"
+msgid "Database Server"
+msgstr "Сервер за Бази на Податоци"
+
+#: services.pm:211
+#, c-format
+msgid "running"
+msgstr "работи"
+
+#: services.pm:211
+#, c-format
+msgid "stopped"
+msgstr "престани"
+
+#: services.pm:215
+#, c-format
+msgid "Services and deamons"
+msgstr "Сервиси и демони"
-#: ../../services.pm:1
+#: services.pm:221
#, fuzzy, c-format
msgid ""
-"This package loads the selected keyboard map as set in\n"
-"/etc/sysconfig/keyboard. This can be selected using the kbdconfig utility.\n"
-"You should leave this enabled for most machines."
+"No additional information\n"
+"about this service, sorry."
msgstr ""
-"во\n"
-"\n"
-" овозможено."
+"Нема дополнителни информации\n"
+"за овој сервис. Жалиме!"
-#: ../../Xconfig/card.pm:1
+#: services.pm:226 ugtk2.pm:1139
#, c-format
-msgid "Xpmac (installation display driver)"
-msgstr "Xpmac (installation display driver)"
+msgid "Info"
+msgstr "Информации"
-#: ../../network/ethernet.pm:1 ../../network/network.pm:1
+#: services.pm:229
#, c-format
-msgid "Zeroconf host name must not contain a ."
+msgid "Start when requested"
msgstr ""
-#: ../../security/help.pm:1
+#: services.pm:229
+#, fuzzy, c-format
+msgid "On boot"
+msgstr "Вклучено"
+
+#: services.pm:244
#, c-format
-msgid " Accept/Refuse icmp echo."
-msgstr "Прифати/Одбиј icmp echo."
+msgid "Start"
+msgstr "Старт"
+
+#: services.pm:244
+#, c-format
+msgid "Stop"
+msgstr "Стоп"
+
+#: share/advertising/dis-01.pl:13 share/advertising/dwd-01.pl:13
+#: share/advertising/ppp-01.pl:13 share/advertising/pwp-01.pl:13
+#, fuzzy, c-format
+msgid "<b>Congratulations for choosing Mandrake Linux!</b>"
+msgstr "Ви благодариме што корисете Linux"
-#: ../../services.pm:1
+#: share/advertising/dis-01.pl:15 share/advertising/dwd-01.pl:15
+#: share/advertising/ppp-01.pl:15 share/advertising/pwp-01.pl:15
#, fuzzy, c-format
+msgid "Welcome to the Open Source world!"
+msgstr "Добредојдовте во светот на Open Source."
+
+#: share/advertising/dis-01.pl:17
+#, c-format
msgid ""
-"Syslog is the facility by which many daemons use to log messages\n"
-"to various system log files. It is a good idea to always run syslog."
+"Your new Mandrake Linux operating system and its many applications is the "
+"result of collaborative efforts between MandrakeSoft developers and Mandrake "
+"Linux contributors throughout the world."
msgstr ""
-"Syslog на\n"
-" на на."
-#: ../../harddrake/data.pm:1 ../../standalone/harddrake2:1
+#: share/advertising/dis-01.pl:19 share/advertising/dwd-01.pl:19
+#: share/advertising/ppp-01.pl:19
#, c-format
-msgid "Unknown/Others"
-msgstr "Непознато/Други"
+msgid ""
+"We would like to thank everyone who participated in the development of this "
+"latest release."
+msgstr ""
-#: ../../standalone/drakxtv:1
+#: share/advertising/dis-02.pl:13
+#, fuzzy, c-format
+msgid "<b>Discovery</b>"
+msgstr "Драјвер"
+
+#: share/advertising/dis-02.pl:15
#, c-format
-msgid "No TV Card detected!"
-msgstr "Не е детектирана ТВ картичка!"
+msgid ""
+"Discovery is the easiest and most user-friendly Linux distribution. It "
+"includes a hand-picked selection of premium software for Office, Multimedia "
+"and Internet activities."
+msgstr ""
-#: ../../Xconfig/main.pm:1 ../../diskdrake/dav.pm:1
-#: ../../diskdrake/interactive.pm:1 ../../diskdrake/removable.pm:1
-#: ../../diskdrake/smbnfs_gtk.pm:1 ../../standalone/harddrake2:1
+#: share/advertising/dis-02.pl:17
#, c-format
-msgid "Options"
-msgstr "Опции"
+msgid "The menu is task-oriented, with a single selected application per task."
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: share/advertising/dis-03.pl:13
#, c-format
-msgid "The printer \"%s\" is set as the default printer now."
-msgstr "Печатачот \"%s\" е поставен за стандарден."
+msgid "<b>The KDE Choice</b>"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
+#: share/advertising/dis-03.pl:15
+#, c-format
msgid ""
-"You are configuring an OKI laser winprinter. These printers\n"
-"use a very special communication protocol and therefore they work only when "
-"connected to the first parallel port. When your printer is connected to "
-"another port or to a print server box please connect the printer to the "
-"first parallel port before you print a test page. Otherwise the printer will "
-"not work. Your connection type setting will be ignored by the driver."
+"The powerful Open Source graphical desktop environment KDE is the desktop of "
+"choice for the Discovery Pack."
msgstr ""
-"\n"
-" и на на или на на тип игнориран."
-#: ../../standalone/harddrake2:1
+#: share/advertising/dis-04.pl:13
#, c-format
-msgid "generation of the cpu (eg: 8 for PentiumIII, ...)"
-msgstr "генерација на cpu (на пр.: 8 за PentiumIII, ...)"
+msgid "<b>OpenOffice.org</b>: The complete Linux office suite."
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: share/advertising/dis-04.pl:15
#, c-format
-msgid "Auto-detected"
-msgstr "Автоматски-детектирано"
+msgid ""
+"<b>WRITER</b> is a powerful word processor for creating all types of text "
+"documents. Documents may include images, diagrams and tables."
+msgstr ""
-#: ../../standalone/drakpxe:1
-#, fuzzy, c-format
+#: share/advertising/dis-04.pl:16
+#, c-format
msgid ""
-"You are about to configure your computer to install a PXE server as a DHCP "
-"server\n"
-"and a TFTP server to build an installation server.\n"
-"With that feature, other computers on your local network will be installable "
-"using this computer as source.\n"
-"\n"
-"Make sure you have configured your Network/Internet access using drakconnect "
-"before going any further.\n"
-"\n"
-"Note: you need a dedicated Network Adapter to set up a Local Area Network "
-"(LAN)."
+"<b>CALC</b> is a feature-packed spreadsheet which enables you to compute, "
+"analyze and manage all of your data."
msgstr ""
-"на на\n"
-" Вклучено на s\n"
-"\n"
-" Направи Мрежа\n"
-"\n"
-" Забелешка Мрежа на Локален Мрежа."
-#: ../../harddrake/sound.pm:1
-#, fuzzy, c-format
+#: share/advertising/dis-04.pl:17
+#, c-format
msgid ""
-"OSS (Open Sound System) was the first sound API. It's an OS independent "
-"sound API (it's available on most UNIX(tm) systems) but it's a very basic "
-"and limited API.\n"
-"What's more, OSS drivers all reinvent the wheel.\n"
-"\n"
-"ALSA (Advanced Linux Sound Architecture) is a modularized architecture "
-"which\n"
-"supports quite a large range of ISA, USB and PCI cards.\n"
-"\n"
-"It also provides a much higher API than OSS.\n"
-"\n"
-"To use alsa, one can either use:\n"
-"- the old compatibility OSS api\n"
-"- the new ALSA api that provides many enhanced features but requires using "
-"the ALSA library.\n"
+"<b>IMPRESS</b> is the fastest, most powerful way to create effective "
+"multimedia presentations."
msgstr ""
-"OSS (Open Sound System) беше првото звучно API. Тоа е независно од "
-"оперативниот систем (достапно е на повеќето јуникси), но е многу едноставно "
-"и ограничено.\n"
-"Дополнително, OSS драјверите прават се од почеток.\n"
-"\n"
-"ALSA (Advanced Linux Sound Architecture) е модуларизирана архитектура која "
-"поддржува голем број ISA, USB и PCI картички.\n"
-"\n"
-"Исто така, нуди и \"повисоко\" API од OSS.\n"
-"\n"
-"За да користите ALSA, можете да изберете помеѓу:\n"
-"- старото API компатибилно со OSS - новото ALSA API кое нуди многу напредни "
-"можности, но бара користење на ALSA библиотеката.\n"
-#: ../../install_steps_interactive.pm:1
+#: share/advertising/dis-04.pl:18
#, c-format
msgid ""
-"No free space for 1MB bootstrap! Install will continue, but to boot your "
-"system, you'll need to create the bootstrap partition in DiskDrake"
+"<b>DRAW</b> will produce everything from simple diagrams to dynamic 3D "
+"illustrations."
msgstr ""
-"Нема слободен простор за bootstrap од 1МБ! Инсталацијата ќе продолжи, но за "
-"да го подигнете Вашиот систем, ќе треба да креирате bootstrap партиција во "
-"DiskDrake"
-#: ../../printer/printerdrake.pm:1
+#: share/advertising/dis-05.pl:13 share/advertising/dis-06.pl:13
#, fuzzy, c-format
+msgid "<b>Surf The Internet</b>"
+msgstr "Интернет"
+
+#: share/advertising/dis-05.pl:15
+#, c-format
+msgid "Discover the new integrated personal information suite KDE Kontact."
+msgstr ""
+
+#: share/advertising/dis-05.pl:17
+#, c-format
msgid ""
-"Please choose the printer you want to set up or enter a device name/file "
-"name in the input line"
-msgstr "на или име име во"
+"More than just a full-featured email client, <b>Kontact</b> also includes an "
+"address book, a calendar and scheduling program, plus a tool for taking "
+"notes!"
+msgstr ""
-#: ../../install_steps_gtk.pm:1 ../../install_steps_interactive.pm:1
+#: share/advertising/dis-06.pl:15
#, c-format
-msgid "Refuse"
-msgstr "Одбиј"
+msgid "You can also:"
+msgstr ""
-#: ../../standalone/draksec:1
+#: share/advertising/dis-06.pl:16
#, c-format
-msgid "LOCAL"
-msgstr "ЛОКАЛНО"
+msgid "\t- browse the Web"
+msgstr ""
-#: ../../diskdrake/hd_gtk.pm:1
+#: share/advertising/dis-06.pl:17
#, c-format
-msgid "HFS"
-msgstr "HFS"
+msgid "\t- chat"
+msgstr ""
-#: ../../services.pm:1
-#, fuzzy, c-format
-msgid ""
-"HardDrake runs a hardware probe, and optionally configures\n"
-"new/changed hardware."
+#: share/advertising/dis-06.pl:18
+#, c-format
+msgid "\t- organize a video-conference"
msgstr ""
-"и\n"
-"."
-#: ../../fs.pm:1
+#: share/advertising/dis-06.pl:19
#, c-format
-msgid "Creating and formatting file %s"
-msgstr "Создавање и форматирање на датотеката %s"
+msgid "\t- create your own Web site"
+msgstr ""
-#: ../../security/help.pm:1
+#: share/advertising/dis-06.pl:20
#, c-format
-msgid "if set to yes, check additions/removals of sgid files."
+msgid "\t- ..."
msgstr ""
-"ако е подесено на да. проверете ги додатоците/отстранувањата на sgid "
-"датотеките."
-#: ../../printer/printerdrake.pm:1
+#: share/advertising/dis-07.pl:13
#, c-format
-msgid ""
-"The HP LaserJet 1000 needs its firmware to be uploaded after being turned "
-"on. Download the Windows driver package from the HP web site (the firmware "
-"on the printer's CD does not work) and extract the firmware file from it by "
-"uncompresing the self-extracting '.exe' file with the 'unzip' utility and "
-"searching for the 'sihp1000.img' file. Copy this file into the '/etc/"
-"printer' directory. There it will be found by the automatic uploader script "
-"and uploaded whenever the printer is connected and turned on.\n"
+msgid "<b>Multimedia</b>: Software for every need!"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: share/advertising/dis-07.pl:15
#, c-format
-msgid "Choose an existing LVM to add to"
-msgstr "Изберете LVM на кој да се додаде"
+msgid "Listen to audio CDs with <b>KsCD</b>."
+msgstr ""
-#: ../../standalone/drakfont:1
+#: share/advertising/dis-07.pl:17
#, c-format
-msgid "xfs restart"
-msgstr "xfs рестарт"
+msgid "Listen to music files and watch videos with <b>Totem</b>."
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: share/advertising/dis-07.pl:19
+#, c-format
+msgid "View and edit images and photos with <b>GQview</b> and <b>The Gimp!</b>"
+msgstr ""
+
+#: share/advertising/dis-08.pl:13 share/advertising/ppp-08.pl:13
+#: share/advertising/pwp-07.pl:13
#, fuzzy, c-format
+msgid "<b>Mandrake Control Center</b>"
+msgstr "Mandrake контролен центар"
+
+#: share/advertising/dis-08.pl:15 share/advertising/ppp-08.pl:15
+#: share/advertising/pwp-07.pl:15
+#, c-format
msgid ""
-"The printer \"%s\" already exists,\n"
-"do you really want to overwrite its configuration?"
+"The Mandrake Control Center is an essential collection of Mandrake-specific "
+"utilities for simplifying the configuration of your computer."
msgstr ""
-"Печатачот \"%s\" веќе постои\n"
-" дали сакате да ја препишете конфигурацијата?"
-#: ../../standalone/scannerdrake:1
+#: share/advertising/dis-08.pl:17 share/advertising/ppp-08.pl:17
+#: share/advertising/pwp-07.pl:17
#, c-format
-msgid "Use the scanners on hosts: "
-msgstr "Користи ги скенерите од хост:"
+msgid ""
+"You will immediately appreciate this collection of handy utilities for "
+"easily configuring hardware devices, defining mount points, setting up "
+"Network and Internet, adjusting the security level of your computer, and "
+"just about everything related to the system."
+msgstr ""
-#: ../../standalone/drakfont:1
+#: share/advertising/dis-09.pl:13 share/advertising/dwd-06.pl:13
+#: share/advertising/ppp-09.pl:13 share/advertising/pwp-08.pl:13
+#, fuzzy, c-format
+msgid "<b>MandrakeStore</b>"
+msgstr "Mandrake контролен центар"
+
+#: share/advertising/dis-09.pl:15 share/advertising/ppp-09.pl:15
+#: share/advertising/pwp-08.pl:15
#, c-format
-msgid "Unselected All"
-msgstr "Сите се неселектирани"
+msgid ""
+"Find all MandrakeSoft products and services at <b>MandrakeStore</b> -- our "
+"full service e-commerce platform."
+msgstr ""
-#: ../../install_steps_interactive.pm:1 ../../network/tools.pm:1
+#: share/advertising/dis-09.pl:17 share/advertising/dwd-06.pl:19
+#: share/advertising/ppp-09.pl:17 share/advertising/pwp-08.pl:17
#, c-format
-msgid "No partition available"
-msgstr "Нема достапна партиција"
+msgid "Stop by today at <b>www.mandrakestore.com</b>"
+msgstr ""
-#: ../../standalone/printerdrake:1
+#: share/advertising/dis-10.pl:13 share/advertising/ppp-10.pl:13
+#: share/advertising/pwp-09.pl:13
#, fuzzy, c-format
-msgid "Printer Management \n"
-msgstr "Ново име на принтерот"
+msgid "Become a <b>MandrakeClub</b> member!"
+msgstr "Стани MandrakeExpert"
+
+#: share/advertising/dis-10.pl:15 share/advertising/ppp-10.pl:15
+#: share/advertising/pwp-09.pl:15
+#, c-format
+msgid ""
+"Take advantage of valuable benefits, products and services by joining "
+"MandrakeClub, such as:"
+msgstr ""
-#: ../../standalone/logdrake:1
+#: share/advertising/dis-10.pl:16 share/advertising/dwd-07.pl:16
+#: share/advertising/ppp-10.pl:17 share/advertising/pwp-09.pl:16
#, fuzzy, c-format
-msgid "Domain Name Resolver"
-msgstr "Домејн Име"
+msgid "\t- Full access to commercial applications"
+msgstr "пристап до компајлерски алатки"
-#: ../../diskdrake/interactive.pm:1
+#: share/advertising/dis-10.pl:17 share/advertising/dwd-07.pl:17
+#: share/advertising/ppp-10.pl:18 share/advertising/pwp-09.pl:17
#, c-format
-msgid "Encryption key (again)"
-msgstr "Криптирачки клуч (повторно)"
+msgid "\t- Special download mirror list exclusively for MandrakeClub Members"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: share/advertising/dis-10.pl:18 share/advertising/dwd-07.pl:18
+#: share/advertising/ppp-10.pl:19 share/advertising/pwp-09.pl:18
#, fuzzy, c-format
-msgid "Samba share name missing!"
-msgstr "Samba име!"
+msgid "\t- Voting for software to put in Mandrake Linux"
+msgstr "Ви благодариме што корисете Linux"
-#: ../../standalone/drakfont:1
-#, fuzzy, c-format
-msgid "True Type install done"
-msgstr "Точно Тип"
+#: share/advertising/dis-10.pl:19 share/advertising/dwd-07.pl:19
+#: share/advertising/ppp-10.pl:20 share/advertising/pwp-09.pl:19
+#, c-format
+msgid "\t- Special discounts for products and services at MandrakeStore"
+msgstr ""
-#: ../../standalone/harddrake2:1
+#: share/advertising/dis-10.pl:20 share/advertising/dwd-07.pl:20
+#: share/advertising/ppp-04.pl:21 share/advertising/ppp-06.pl:19
+#: share/advertising/ppp-10.pl:21 share/advertising/pwp-04.pl:21
+#: share/advertising/pwp-09.pl:20
#, c-format
-msgid "Detection in progress"
-msgstr "Детекцијата е во тек"
+msgid "\t- Plus much more"
+msgstr ""
-#: ../../standalone/drakTermServ:1
-#, fuzzy, c-format
-msgid "Build Whole Kernel -->"
-msgstr "Кернел"
+#: share/advertising/dis-10.pl:22 share/advertising/dwd-07.pl:22
+#: share/advertising/ppp-10.pl:23 share/advertising/pwp-09.pl:22
+#, c-format
+msgid "For more information, please visit <b>www.mandrakeclub.com</b>"
+msgstr ""
-#: ../../network/netconnect.pm:1
+#: share/advertising/dis-11.pl:13
#, fuzzy, c-format
-msgid "modem"
-msgstr "модем"
+msgid "Do you require assistance?"
+msgstr "Дали имате %s интерфејси?"
-#: ../../lang.pm:1
+#: share/advertising/dis-11.pl:15 share/advertising/dwd-08.pl:16
+#: share/advertising/ppp-11.pl:15 share/advertising/pwp-10.pl:15
#, c-format
-msgid "Welcome to %s"
-msgstr "Добредојдовте во %s"
+msgid "<b>MandrakeExpert</b> is the primary source for technical support."
+msgstr ""
-#: ../../standalone/drakhelp:1
+#: share/advertising/dis-11.pl:17 share/advertising/dwd-08.pl:18
+#: share/advertising/ppp-11.pl:17 share/advertising/pwp-10.pl:17
#, c-format
msgid ""
-" drakhelp 0.1\n"
-"Copyright (C) 2003 MandrakeSoft.\n"
-"This is free software and may be redistributed under the terms of the GNU "
-"GPL.\n"
-"\n"
-"Usage: \n"
+"If you have Linux questions, subscribe to MandrakeExpert at <b>www."
+"mandrakeexpert.com</b>"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: share/advertising/dwd-01.pl:17
#, c-format
-msgid "Please insert the Update Modules floppy in drive %s"
-msgstr "Внесете ја дискетата со модули за надградба во %s"
+msgid ""
+"Mandrake Linux is committed to the Open Source Model and fully respects the "
+"General Public License. This new release is the result of collaboration "
+"between MandrakeSoft's team of developers and the worldwide community of "
+"Mandrake Linux contributors."
+msgstr ""
-#: ../../standalone/drakboot:1
+#: share/advertising/dwd-02.pl:13
#, c-format
-msgid "Bootsplash"
-msgstr "Bootsplash"
+msgid "<b>Join the Mandrake Linux community!</b>"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
+#: share/advertising/dwd-02.pl:15
+#, c-format
msgid ""
-"The following printer\n"
-"\n"
-"%s%s\n"
-"is directly connected to your system"
+"If you would like to get involved, please subscribe to the \"Cooker\" "
+"mailing list by visiting <b>mandrake-linux.com/cooker</b>"
msgstr ""
-"\n"
-" непознато на"
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Printer sharing on hosts/networks: "
-msgstr "Спуштање на мрежата"
-
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
+#: share/advertising/dwd-02.pl:17
+#, c-format
msgid ""
-"\n"
-"The \"%s\" command also allows to modify the option settings for a "
-"particular printing job. Simply add the desired settings to the command "
-"line, e. g. \"%s <file>\". "
+"To learn more about our dynamic community, please visit <b>www.mandrake-"
+"linux.com</b>!"
msgstr ""
-"\n"
-" s на на s<file> "
-#: ../../standalone/drakclock:1
-#, fuzzy, c-format
-msgid "DrakClock"
-msgstr "Drakbackup"
+#: share/advertising/dwd-03.pl:13
+#, c-format
+msgid "<b>What is Mandrake Linux?</b>"
+msgstr ""
-#: ../../modules/interactive.pm:1
-#, fuzzy, c-format
+#: share/advertising/dwd-03.pl:15
+#, c-format
msgid ""
-"In some cases, the %s driver needs to have extra information to work\n"
-"properly, although it normally works fine without them. Would you like to "
-"specify\n"
-"extra options for it or allow the driver to probe your machine for the\n"
-"information it needs? Occasionally, probing will hang a computer, but it "
-"should\n"
-"not cause any damage."
+"Mandrake Linux is an Open Source distribution created with thousands of the "
+"choicest applications from the Free Software world. Mandrake Linux is one of "
+"the most widely used Linux distributions worldwide!"
msgstr ""
-"Во некои случаи, драјверот %s бара дополнителни информации за да работи\n"
-"како што треба, иако фино работи и без нив. Дали сакате да наведете\n"
-"дополнителни опции за него или да дозволите драјверот да побара ги на\n"
-"Вашата машина потребните информации? Понекогаш барањето може да го \n"
-"смрзне компјутерот, но не би требало да предизвика штета."
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Not the correct CD label. Disk is labelled %s."
-msgstr "CD s."
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
+#: share/advertising/dwd-03.pl:17
+#, c-format
msgid ""
-"\n"
-"- Daemon, %s via:\n"
+"Mandrake Linux includes the famous graphical desktops KDE and GNOME, plus "
+"the latest versions of the most popular Open Source applications."
msgstr ""
-"\n"
-"- Демонот (%s) вклучув:\n"
-#: ../../lang.pm:1
+#: share/advertising/dwd-04.pl:13
#, c-format
-msgid "Cuba"
-msgstr "Куба"
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "October"
-msgstr "Друго"
+msgid ""
+"Mandrake Linux is widely known as the most user-friendly and the easiest to "
+"install and easy to use Linux distribution."
+msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Belize"
-msgstr "Големина"
+#: share/advertising/dwd-04.pl:15
+#, c-format
+msgid "Find out about our <b>Personal Solutions</b>:"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Searching for new printers..."
-msgstr "Барање на нови принтери..."
+#: share/advertising/dwd-04.pl:16
+#, c-format
+msgid "\t- Find out Mandrake Linux on a bootable CD with <b>MandrakeMove</b>"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: share/advertising/dwd-04.pl:17
#, c-format
-msgid " (multi-session)"
-msgstr "(мулти-сесија)"
+msgid ""
+"\t- If you use Linux mostly for Office, Internet and Multimedia tasks, "
+"<b>Discovery</b> perfectly meets your needs"
+msgstr ""
-#: ../../any.pm:1
+#: share/advertising/dwd-04.pl:18
#, c-format
-msgid "Kernel Boot Timeout"
-msgstr "Пауза пред подигање на кернел"
+msgid ""
+"\t- If you appreciate the largest selection of software including powerful "
+"development tools, <b>PowerPack</b> is for you"
+msgstr ""
-#: ../../Xconfig/card.pm:1
+#: share/advertising/dwd-04.pl:19
#, c-format
msgid ""
-"Your card can have 3D hardware acceleration support but only with XFree %s.\n"
-"Your card is supported by XFree %s which may have a better support in 2D."
+"\t- If you require a full-featured Linux solution customized for small to "
+"medium-sized networks, choose <b>PowerPack+</b>"
msgstr ""
-"Вашата картичка може да има 3D хардверска акцелерација, но само\n"
-"со XFree %s. Таа е поддржана со XFree %s, со кој може да имате\n"
-"подобра поддршка за 2D."
-#: ../../security/help.pm:1
+#: share/advertising/dwd-05.pl:13
#, c-format
-msgid " Activate/Disable daily security check."
-msgstr "Активирај/Исклучи ја дневната проверка на сигурност."
+msgid "Find out also our <b>Business Solutions</b>!"
+msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "\t-CD-R.\n"
-msgstr "\t-CDROM.\n"
+#: share/advertising/dwd-05.pl:15
+#, c-format
+msgid ""
+"<b>Corporate Server</b>: the ideal solution for entreprises. It is a "
+"complete \"all-in-one\" solution that includes everything needed to rapidly "
+"deploy world-class Linux server applications."
+msgstr ""
-#: ../../security/l10n.pm:1
+#: share/advertising/dwd-05.pl:17
#, c-format
-msgid "Enable libsafe if libsafe is found on the system"
-msgstr "Овозможи го libsafe ако libsafe е пронајден на вашиот систем"
+msgid ""
+"<b>Multi Network Firewall</b>: based on Linux 2.4 \"kernel secure\" to "
+"provide multi-VPN as well as multi-DMZ functionalities. It is the perfect "
+"high performance security solution."
+msgstr ""
-#: ../../install_interactive.pm:1
+#: share/advertising/dwd-05.pl:19
#, c-format
-msgid "The DrakX Partitioning wizard found the following solutions:"
-msgstr "DrakX партицирачката самовила ги пронајде следниве решенија:"
+msgid ""
+"<b>MandrakeClustering</b>: the power and speed of a Linux cluster combined "
+"with the stability and easy-of-use of the world-famous Mandrake Linux "
+"distribution. A unique blend for incomparable HPC performance."
+msgstr ""
-#: ../../keyboard.pm:1
+#: share/advertising/dwd-06.pl:15
#, c-format
-msgid "Hungarian"
-msgstr "Унгарска"
+msgid ""
+"Find all MandrakeSoft products at <b>MandrakeStore</b> -- our full service e-"
+"commerce platform."
+msgstr ""
-#: ../../network/isdn.pm:1
+#: share/advertising/dwd-06.pl:17
#, c-format
msgid ""
-"Select your provider.\n"
-"If it isn't listed, choose Unlisted."
+"Find out also support incidents if you have any problems, from standard to "
+"professional support, from 1 to 50 incidents, take the one which meets "
+"perfectly your needs!"
msgstr ""
-"Изберете го Вашиот провајдер.\n"
-"Ако не е во листете, изберете Неизлистан."
-#: ../../install_steps_interactive.pm:1
+#: share/advertising/dwd-07.pl:13
+#, fuzzy, c-format
+msgid "<b>Become a MandrakeClub member!</b>"
+msgstr "Стани MandrakeExpert"
+
+#: share/advertising/dwd-07.pl:15
#, c-format
-msgid "Automatic time synchronization (using NTP)"
-msgstr "Автоматска синхронизација на време (преку NTP)"
+msgid ""
+"Take advantage of valuable benefits, products and services by joining "
+"Mandrake Club, such as:"
+msgstr ""
-#: ../../network/adsl.pm:1
+#: share/advertising/dwd-08.pl:14 share/advertising/ppp-11.pl:13
+#: share/advertising/pwp-10.pl:13
#, fuzzy, c-format
-msgid "Use my Windows partition"
-msgstr "Зголемување/намалување на Windows партиција"
+msgid "<b>Do you require assistance?</b>"
+msgstr "Дали имате %s интерфејси?"
-#: ../../Xconfig/card.pm:1
+#: share/advertising/dwd-09.pl:16
#, c-format
-msgid "8 MB"
-msgstr "8 MB"
+msgid "<b>Note</b>"
+msgstr ""
-#: ../../any.pm:1
+#: share/advertising/dwd-09.pl:18
#, c-format
-msgid "LDAP Server"
-msgstr "LDAP server"
+msgid "This is the Mandrake Linux <b>Download version</b>."
+msgstr ""
-#: ../../services.pm:1
-#, fuzzy, c-format
+#: share/advertising/dwd-09.pl:20
+#, c-format
msgid ""
-"PCMCIA support is usually to support things like ethernet and\n"
-"modems in laptops. It won't get started unless configured so it is safe to "
-"have\n"
-"it installed on machines that don't need it."
+"The free download version does not include commercial software, and "
+"therefore may not work with certain modems (such as some ADSL and RTC) and "
+"video cards (such as ATI® and NVIDIA®)."
msgstr ""
-"PCMCIA на и\n"
-" во на\n"
-" Вклучено."
-
-#: ../../network/tools.pm:1
-#, fuzzy, c-format
-msgid "Choose your country"
-msgstr "Избери ја Вашата земја"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
+#: share/advertising/ppp-01.pl:17
+#, c-format
msgid ""
-"\n"
-"- System Files:\n"
+"Your new Mandrake Linux distribution and its many applications are the "
+"result of collaborative efforts between MandrakeSoft developers and Mandrake "
+"Linux contributors throughout the world."
msgstr ""
-"\n"
-" Систем Датотеки"
-#: ../../standalone/drakbug:1
+#: share/advertising/ppp-02.pl:13
#, c-format
-msgid "Standalone Tools"
-msgstr "Самостојни Алатки"
+msgid "<b>PowerPack+</b>"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: share/advertising/ppp-02.pl:15
#, c-format
-msgid "Where"
-msgstr "Каде"
+msgid ""
+"PowerPack+ is a full-featured Linux solution for small to medium-sized "
+"networks. PowerPack+ increases the value of the standard PowerPack by adding "
+"a comprehensive selection of world-class server applications."
+msgstr ""
-#: ../../standalone/logdrake:1
+#: share/advertising/ppp-02.pl:17
#, c-format
-msgid "but not matching"
-msgstr "но не се совпаѓаат"
+msgid ""
+"It is the only Mandrake Linux product that includes the groupware solution."
+msgstr ""
+
+#: share/advertising/ppp-03.pl:13 share/advertising/pwp-03.pl:13
+#, fuzzy, c-format
+msgid "<b>Choose your graphical Desktop environment!</b>"
+msgstr "Изберете го клучот за криптирање на фајлсистемот"
-#: ../../harddrake/sound.pm:1
+#: share/advertising/ppp-03.pl:15 share/advertising/pwp-03.pl:15
#, c-format
msgid ""
-"Here you can select an alternative driver (either OSS or ALSA) for your "
-"sound card (%s)."
+"When you log into your Mandrake Linux system for the first time, you can "
+"choose between several popular graphical desktops environments, including: "
+"KDE, GNOME, WindowMaker, IceWM, and others."
msgstr ""
-"Овде може да изберете алтернативен драјвер (или OSS или ALSA) за Вашата "
-"звучна картичка (%s)."
-#: ../../install_steps_interactive.pm:1
+#: share/advertising/ppp-04.pl:13
#, c-format
-msgid "Configuring PCMCIA cards..."
-msgstr "Конфигурирање на PCMCIA картички..."
+msgid ""
+"In the Mandrake Linux menu you will find easy-to-use applications for all "
+"tasks:"
+msgstr ""
-#: ../../common.pm:1
+#: share/advertising/ppp-04.pl:15 share/advertising/pwp-04.pl:15
#, c-format
-msgid "kdesu missing"
-msgstr "недостига kdesu"
+msgid "\t- Create, edit and share office documents with <b>OpenOffice.org</b>"
+msgstr ""
-#: ../../standalone/drakTermServ:1
+#: share/advertising/ppp-04.pl:16
#, c-format
-msgid "%s: %s requires a username...\n"
-msgstr "%s: %s потреба од корисничко име...\n"
+msgid ""
+"\t- Take charge of your personal data with the integrated personal "
+"information suites: <b>Kontact</b> and <b>Evolution</b>"
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: share/advertising/ppp-04.pl:17
#, c-format
-msgid "Encryption key"
-msgstr "Криптирачки клуч"
+msgid "\t- Browse the Web with <b>Mozilla and Konqueror</b>"
+msgstr ""
-#: ../../mouse.pm:1
+#: share/advertising/ppp-04.pl:18 share/advertising/pwp-04.pl:18
#, c-format
-msgid "Microsoft IntelliMouse"
-msgstr "Microsoft IntelliMouse"
+msgid "\t- Participate in online chat with <b>Kopete</b>"
+msgstr ""
-#: ../../keyboard.pm:1
+#: share/advertising/ppp-04.pl:19
#, c-format
msgid ""
-"This setting will be activated after the installation.\n"
-"During installation, you will need to use the Right Control\n"
-"key to switch between the different keyboard layouts."
+"\t- Listen to audio CDs and music files with <b>KsCD</b> and <b>Totem</b>"
msgstr ""
-#: ../../lang.pm:1
+#: share/advertising/ppp-04.pl:20 share/advertising/pwp-04.pl:20
#, c-format
-msgid "Christmas Island"
-msgstr "Божиќни Острови"
+msgid "\t- Edit images and photos with <b>The Gimp</b>"
+msgstr ""
-#: ../../mouse.pm:1
-#, fuzzy, c-format
-msgid "Automatic"
-msgstr "Автоматска IP"
+#: share/advertising/ppp-05.pl:13
+#, c-format
+msgid ""
+"PowerPack+ includes everything needed for developing and creating your own "
+"software, including:"
+msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: share/advertising/ppp-05.pl:15 share/advertising/pwp-05.pl:16
#, c-format
-msgid "Installation of bootloader failed. The following error occured:"
-msgstr "Инсталирањето на подигач не успеа. Се случи следнава грешка:"
+msgid ""
+"\t- <b>Kdevelop</b>: a full featured, easy to use Integrated Development "
+"Environment for C++ programming"
+msgstr ""
-#: ../../standalone/harddrake2:1
+#: share/advertising/ppp-05.pl:16 share/advertising/pwp-05.pl:17
#, c-format
-msgid "EIDE/SCSI channel"
-msgstr "EIDE/SCSI канал"
+msgid "\t- <b>GCC</b>: the GNU Compiler Collection"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: share/advertising/ppp-05.pl:17 share/advertising/pwp-05.pl:18
#, c-format
-msgid "Set this printer as the default"
-msgstr "Подеси го овој принтер како стандарден"
+msgid "\t- <b>GDB</b>: the GNU Project debugger"
+msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Verify that %s is the correct path"
-msgstr "Дали се ова точните подесувања?"
+#: share/advertising/ppp-05.pl:18 share/advertising/pwp-06.pl:16
+#, c-format
+msgid "\t- <b>Emacs</b>: a customizable and real time display editor"
+msgstr ""
-#: ../../install_interactive.pm:1
+#: share/advertising/ppp-05.pl:19
#, c-format
-msgid "partition %s"
-msgstr "партиција %s"
+msgid ""
+"\t- <b>Xemacs</b>: open source text editor and application development system"
+msgstr ""
-#: ../../security/level.pm:1
+#: share/advertising/ppp-05.pl:20
#, c-format
-msgid "Paranoid"
-msgstr "Параноично"
+msgid ""
+"\t- <b>Vim</b>: advanced text editor with more features than standard Vi"
+msgstr ""
-#: ../../any.pm:1
+#: share/advertising/ppp-06.pl:13
#, c-format
-msgid "NIS"
-msgstr "NIS"
+msgid "<b>Discover the full-featured groupware solution!</b>"
+msgstr ""
-#: ../../standalone/drakTermServ:1
+#: share/advertising/ppp-06.pl:15
#, c-format
-msgid "<-- Del User"
-msgstr "<-- Избриши Корисник"
+msgid "It includes both server and client features for:"
+msgstr ""
-#: ../../standalone/harddrake2:1
+#: share/advertising/ppp-06.pl:16
#, c-format
-msgid "Location on the bus"
-msgstr "Локација на магистралата"
+msgid "\t- Sending and receiving emails"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "No printer found!"
-msgstr "Нема пронајдено принтер!"
+#: share/advertising/ppp-06.pl:17
+#, c-format
+msgid ""
+"\t- Calendar, Task List, Memos, Contacts, Meeting Request (sending and "
+"receiving), Task Requests (sending and receiving)"
+msgstr ""
-#: ../../standalone/harddrake2:1
+#: share/advertising/ppp-06.pl:18
#, c-format
-msgid "the vendor name of the device"
-msgstr "имтое на производителот на уредот"
+msgid "\t- Address Book (server and client)"
+msgstr ""
-#: ../../help.pm:1 ../../install_interactive.pm:1
+#: share/advertising/ppp-07.pl:13
#, c-format
-msgid "Erase entire disk"
-msgstr "Избриши го целиот диск"
+msgid ""
+"Empower your business network with <b>premier server solutions</b> including:"
+msgstr ""
-#: ../../printer/cups.pm:1 ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid " (Default)"
-msgstr "Предефинирано"
+#: share/advertising/ppp-07.pl:15
+#, c-format
+msgid "\t- <b>Samba</b>: File and print services for MS-Windows clients"
+msgstr ""
-#: ../../standalone/drakgw:1
+#: share/advertising/ppp-07.pl:16
#, fuzzy, c-format
-msgid "Automatic reconfiguration"
-msgstr "Автоматска реконфигурација"
+msgid "\t- <b>Apache</b>: The most widely used Web server"
+msgstr "Apache World Wide Web Сервер"
-#: ../../standalone/net_monitor:1
+#: share/advertising/ppp-07.pl:17
#, c-format
-msgid "Receiving Speed:"
-msgstr "Брзина на Примање:"
+msgid "\t- <b>MySQL</b>: The world's most popular Open Source database"
+msgstr ""
-#: ../../lang.pm:1
+#: share/advertising/ppp-07.pl:18
#, c-format
-msgid "Turks and Caicos Islands"
+msgid ""
+"\t- <b>CVS</b>: Concurrent Versions System, the dominant open-source network-"
+"transparent version control system"
msgstr ""
-#: ../../standalone/drakconnect:1
+#: share/advertising/ppp-07.pl:19
#, c-format
-msgid "No Ip"
+msgid ""
+"\t- <b>ProFTPD</b>: the highly configurable GPL-licensed FTP server software"
msgstr ""
-#: ../../help.pm:1 ../../install_steps_gtk.pm:1 ../../interactive.pm:1
-#: ../../ugtk2.pm:1 ../../interactive/newt.pm:1
-#: ../../printer/printerdrake.pm:1 ../../standalone/drakbackup:1
+#: share/advertising/ppp-07.pl:20
#, c-format
-msgid "<- Previous"
-msgstr "<- Претходно"
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Transfer Now"
+msgid "\t- And others"
msgstr ""
-" Трансфер \n"
-"Сега"
-#: ../../install_steps_interactive.pm:1
-#, fuzzy, c-format
-msgid "Set root password and network authentication methods"
-msgstr "Користи лозинка за логирање корисници"
+#: share/advertising/pwp-01.pl:17
+#, c-format
+msgid ""
+"Your new Mandrake Linux distribution is the result of collaborative efforts "
+"between MandrakeSoft developers and Mandrake Linux contributors throughout "
+"the world."
+msgstr ""
-#: ../../ugtk2.pm:1
+#: share/advertising/pwp-01.pl:19
#, c-format
-msgid "Toggle between flat and group sorted"
-msgstr "Избор меѓу линеарно и сортирано по група"
+msgid ""
+"We would like to thank everyone who participated in the development of our "
+"latest release."
+msgstr ""
-#: ../../standalone/drakboot:1
+#: share/advertising/pwp-02.pl:13
#, c-format
-msgid "Themes"
-msgstr "Теми"
+msgid "<b>PowerPack</b>"
+msgstr ""
-#: ../../diskdrake/dav.pm:1 ../../diskdrake/interactive.pm:1
+#: share/advertising/pwp-02.pl:15
#, c-format
-msgid "Options: %s"
-msgstr "Опции: %s"
+msgid ""
+"PowerPack is MandrakeSoft's premier Linux desktop product. In addition to "
+"being the easiest and the most user-friendly Linux distribution, PowerPack "
+"includes thousands of applications - everything from the most popular to the "
+"most technical."
+msgstr ""
-#: ../../standalone/drakboot:1
+#: share/advertising/pwp-04.pl:13
#, c-format
msgid ""
-"You are currently using %s as your boot manager.\n"
-"Click on Configure to launch the setup wizard."
+"In the Mandrake Linux menu you will find easy-to-use applications for all of "
+"your tasks:"
msgstr ""
-"Моментално користите %s како подигач.\n"
-"Притиснете на Конфигурирај за самовилата."
-#: ../../printer/printerdrake.pm:1
+#: share/advertising/pwp-04.pl:16
#, c-format
-msgid "OKI winprinter configuration"
-msgstr "OKI принтер конфигурација"
+msgid ""
+"\t- Take charge of your personal data with the integrated personal "
+"information suites <b>Kontact</b> and <b>Evolution</b>"
+msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Saint Helena"
-msgstr "Света Елена"
+#: share/advertising/pwp-04.pl:17
+#, c-format
+msgid "\t- Browse the Web with <b>Mozilla</b> and <b>Konqueror</b>"
+msgstr ""
-#: ../../printer/main.pm:1
-#, fuzzy, c-format
-msgid "Parallel port #%s"
-msgstr "на паралелна порта #%s"
+#: share/advertising/pwp-04.pl:19
+#, c-format
+msgid "\t- Listen to audio CDs and music files with KsCD and <b>Totem</b>"
+msgstr ""
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
+#: share/advertising/pwp-05.pl:13 share/advertising/pwp-06.pl:13
#, fuzzy, c-format
-msgid "Security Level"
-msgstr "Ниво на сигурност"
+msgid "<b>Development tools</b>"
+msgstr "Развој"
-#: ../../install_steps_interactive.pm:1
+#: share/advertising/pwp-05.pl:15
#, c-format
msgid ""
-"Some steps are not completed.\n"
-"\n"
-"Do you really want to quit now?"
+"PowerPack includes everything needed for developing and creating your own "
+"software, including:"
msgstr ""
-"Некои чекори не се завршени.\n"
-"\n"
-"Дали навистина сакате сега да напуштите?"
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Sudan"
-msgstr "Судан"
-
-#: ../../keyboard.pm:1
+#: share/advertising/pwp-06.pl:15
#, c-format
-msgid "Polish (qwertz layout)"
-msgstr "Полска (qwertz распоред)"
+msgid "And of course the editors!"
+msgstr ""
-#: ../../lang.pm:1
+#: share/advertising/pwp-06.pl:17
#, c-format
-msgid "Syria"
-msgstr "Сирија"
+msgid ""
+"\t- <b>Xemacs</b>: another open source text editor and application "
+"development system"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
+#: share/advertising/pwp-06.pl:18
+#, c-format
msgid ""
-"Is your printer a multi-function device from HP or Sony (OfficeJet, PSC, "
-"LaserJet 1100/1200/1220/3200/3300 with scanner, DeskJet 450, Sony IJP-V100), "
-"an HP PhotoSmart or an HP LaserJet 2200?"
+"\t- <b>Vim</b>: an advanced text editor with more features than standard Vi"
msgstr ""
-"Дали Вашиот принтер е мулти-функционале уред од HP или Sony (OfficeJet, PSC, "
-"LaserJet 1100/1200/1220/3200/3300 со скенер, Sony IJP-V100), HP PhotoSmart "
-"или HP LaserJet 2200?"
-#. -PO: these messages will be displayed at boot time in the BIOS, use only ASCII (7bit)
-#: ../../bootloader.pm:1
-#, fuzzy, c-format
+#: standalone.pm:21
+#, c-format
msgid ""
-"Welcome to %s the operating system chooser!\n"
+"This program is free software; you can redistribute it and/or modify\n"
+"it under the terms of the GNU General Public License as published by\n"
+"the Free Software Foundation; either version 2, or (at your option)\n"
+"any later version.\n"
"\n"
-"Choose an operating system from the list above or\n"
-"wait %d seconds for default boot.\n"
+"This program is distributed in the hope that it will be useful,\n"
+"but WITHOUT ANY WARRANTY; without even the implied warranty of\n"
+"MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n"
+"GNU General Public License for more details.\n"
"\n"
+"You should have received a copy of the GNU General Public License\n"
+"along with this program; if not, write to the Free Software\n"
+"Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.\n"
msgstr ""
-"Dobredojdovte vo %s, programata za izbiranje operativen sistem!\n"
+"Оваа програма е слободен софтвер, можете да ја редистрибуирате и/или да ја\n"
+"изменувате под условите на GNU Општо Јавна Лиценца ако што е објавена од\n"
+"Фондацијата за Слободно Софтвер, како верзија 2, или (како ваша опција)\n"
+"било која понатамошна верзија\n"
"\n"
-"Izberete operativen sistem od gornata lista ili\n"
-"pochekajte %d sekundi za voobichaeno podiganje.\n"
+"Оваа програма е дистрибуирана со надеж дека ќе биде корисна,\n"
+"но со НИКАКВА ГАРАНЦИЈА; дури и без имплементирана гаранција за\n"
+"ТРГУВАЊЕ или НАМЕНА ЗА НЕКАКВА ПОСЕБНА ЦЕЛ. Видете ја\n"
+"GNU Општо Јавна Лиценца за повеќе детали.\n"
"\n"
+"Би требало да добиете копија од GNU Општо Јавна Лиценца\n"
+"заедно со програмата, ако не пишете на Фондацијата за Слободен\n"
+"Софтвер, Корпорација, 59 Temple Place - Suite 330, Boston, MA 02111-1307, "
+"USA.\n"
-#: ../../keyboard.pm:1
+#: standalone.pm:40
#, c-format
-msgid "Portuguese"
-msgstr "Португалска"
+msgid ""
+"[--config-info] [--daemon] [--debug] [--default] [--show-conf]\n"
+"Backup and Restore application\n"
+"\n"
+"--default : save default directories.\n"
+"--debug : show all debug messages.\n"
+"--show-conf : list of files or directories to backup.\n"
+"--config-info : explain configuration file options (for non-X "
+"users).\n"
+"--daemon : use daemon configuration. \n"
+"--help : show this message.\n"
+"--version : show version number.\n"
+msgstr ""
+"[--config-info] [--daemon] [--debug] [--default] [--show-conf]\n"
+"Апликација за Бекап и Повратување\n"
+"\n"
+"--default : ги снима стандардните директориуми.\n"
+"--debug : ги прикажува сите дебагирачки пораки.\n"
+"--show-conf : листа на датотеки или директориуми за бекап.\n"
+"--config-info : ги објаснува конфигурационите опции (за не-X "
+"корисници).\n"
+"--daemon : користи демон конфигурација. \n"
+"--help : ја прикажува оваа порака.\n"
+"--version : го прикажува бројот на верзијата.\n"
-#: ../../diskdrake/interactive.pm:1
+#: standalone.pm:52
#, c-format
-msgid "Loopback file name: "
-msgstr "Loopback датотека: "
-
-#: ../../network/network.pm:1
-#, fuzzy, c-format
-msgid "DNS server address should be in format 1.2.3.4"
-msgstr "Адресата на DNS серверот треба да биде во облик 1.2.3.4"
-
-#: ../../keyboard.pm:1
-#, fuzzy, c-format
-msgid "Left Control key"
-msgstr "Лево Контрол кошче"
-
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Serbia"
-msgstr "Сериски"
+msgid ""
+"[--boot] [--splash]\n"
+"OPTIONS:\n"
+" --boot - enable to configure boot loader\n"
+" --splash - enable to configure boot theme\n"
+"default mode: offer to configure autologin feature"
+msgstr ""
-#: ../../standalone/drakxtv:1
+#: standalone.pm:57
#, c-format
-msgid "Newzealand"
-msgstr "Нов Зеланд"
+msgid ""
+"[OPTIONS] [PROGRAM_NAME]\n"
+"\n"
+"OPTIONS:\n"
+" --help - print this help message.\n"
+" --report - program should be one of mandrake tools\n"
+" --incident - program should be one of mandrake tools"
+msgstr ""
+"[ОПЦИИ] [ИМЕ_НА_ПРОГРАМАТА]\n"
+"\n"
+"ОПЦИИ:\n"
+" --help - ја прикажува оваа порака за помош.\n"
+" --report - програмата треба да е една од алатките на мандрак\n"
+" --incident - програмата треба да е една од алатките на мандрак"
-#: ../../fsedit.pm:1
+#: standalone.pm:63
#, c-format
-msgid "This directory should remain within the root filesystem"
-msgstr "Овој директориум би требало да остане во root-фајлсистемот"
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Across Network"
-msgstr "низ Мрежа"
+msgid ""
+"[--add]\n"
+" --add - \"add a network interface\" wizard\n"
+" --del - \"delete a network interface\" wizard\n"
+" --skip-wizard - manage connections\n"
+" --internet - configure internet\n"
+" --wizard - like --add"
+msgstr ""
-#: ../../keyboard.pm:1
+#: standalone.pm:69
#, c-format
-msgid "CapsLock key"
-msgstr "CapsLock копче"
+msgid ""
+"\n"
+"Font Importation and monitoring application\n"
+"\n"
+"OPTIONS:\n"
+"--windows_import : import from all available windows partitions.\n"
+"--xls_fonts : show all fonts that already exist from xls\n"
+"--install : accept any font file and any directry.\n"
+"--uninstall : uninstall any font or any directory of font.\n"
+"--replace : replace all font if already exist\n"
+"--application : 0 none application.\n"
+" : 1 all application available supported.\n"
+" : name_of_application like so for staroffice \n"
+" : and gs for ghostscript for only this one."
+msgstr ""
-#: ../../steps.pm:1
-#, fuzzy, c-format
-msgid "Install bootloader"
-msgstr "Инсталирај"
+#: standalone.pm:84
+#, c-format
+msgid ""
+"[OPTIONS]...\n"
+"Mandrake Terminal Server Configurator\n"
+"--enable : enable MTS\n"
+"--disable : disable MTS\n"
+"--start : start MTS\n"
+"--stop : stop MTS\n"
+"--adduser : add an existing system user to MTS (requires username)\n"
+"--deluser : delete an existing system user from MTS (requires "
+"username)\n"
+"--addclient : add a client machine to MTS (requires MAC address, IP, "
+"nbi image name)\n"
+"--delclient : delete a client machine from MTS (requires MAC address, "
+"IP, nbi image name)"
+msgstr ""
+"[ОПЦИИ]...\n"
+"Конфигуратор на Мандрак Контролниот Сервер\n"
+"--enable : овозможи MTS\n"
+"--disable : оневозможи MTS\n"
+"--start : вклучи MTS\n"
+"--stop : исклучи MTS\n"
+"--adduser : додади постоечки системски корисник на MTS (потребно е "
+"корисничко име)\n"
+"--deluser : избриши постоечки системски корисник од MTS (потребно е "
+"корисничко име)\n"
+"--addclient : додава клиентска машина на MTS (потребно е MAC адреса, "
+"IP, nbi име на сликата)\n"
+"--delclient : брише клиентска машина од MTS (потребно е MAC адреса, IP, "
+"nbi име на сликата)"
-#: ../../Xconfig/card.pm:1
+#: standalone.pm:96
#, c-format
-msgid "Select the memory size of your graphics card"
-msgstr "Изберете големина за меморијата на Вашата графичка картичка"
+msgid "[keyboard]"
+msgstr "[Тастатура]"
-#: ../../security/help.pm:1
+#: standalone.pm:97
#, c-format
-msgid ""
-"Enable/Disable crontab and at for users.\n"
-"\n"
-"Put allowed users in /etc/cron.allow and /etc/at.allow (see man at(1)\n"
-"and crontab(1))."
-msgstr ""
-"Enable/Disable crontab and at for users.\n"
-"Стави ги дозволените корисници во /etc/cron.allow и /etc/at.allow (види man "
-"во(1)\n"
-"и crontab(1))."
+msgid "[--file=myfile] [--word=myword] [--explain=regexp] [--alert]"
+msgstr "[--file=myfile] [--word=myword] [--explain=regexp] [--alert]"
-#: ../../standalone.pm:1
+#: standalone.pm:98
#, c-format
msgid ""
"[OPTIONS]\n"
@@ -13563,4155 +15436,4634 @@ msgstr ""
"--status : returns 1 if connected 0 otherwise, then exit.\n"
"--quiet : don't be interactive. To be used with (dis)connect."
-#: ../../standalone/drakTermServ:1
-#, fuzzy, c-format
-msgid "Dynamic IP Address Pool:"
-msgstr "IP Адреса:"
+#: standalone.pm:107
+#, c-format
+msgid " [--skiptest] [--cups] [--lprng] [--lpd] [--pdq]"
+msgstr "[--skiptest] [--cups] [--lprng] [--lpd] [--pdq]"
-#: ../../diskdrake/interactive.pm:1
+#: standalone.pm:108
#, c-format
-msgid "LVM name?"
-msgstr "LVM име?"
+msgid ""
+"[OPTION]...\n"
+" --no-confirmation don't ask first confirmation question in "
+"MandrakeUpdate mode\n"
+" --no-verify-rpm don't verify packages signatures\n"
+" --changelog-first display changelog before filelist in the "
+"description window\n"
+" --merge-all-rpmnew propose to merge all .rpmnew/.rpmsave files found"
+msgstr ""
-#: ../../standalone/service_harddrake:1
-#, fuzzy, c-format
-msgid "Some devices in the \"%s\" hardware class were removed:\n"
-msgstr "Некои уреди во \"%s\" се избришани:"
+#: standalone.pm:113
+#, c-format
+msgid ""
+"[--manual] [--device=dev] [--update-sane=sane_source_dir] [--update-"
+"usbtable] [--dynamic=dev]"
+msgstr ""
+"[--manual] [--device=dev] [--update-sane=sane_source_dir] [--update-"
+"usbtable] [--dynamic=dev]"
-#: ../../modules/interactive.pm:1
+#: standalone.pm:114
#, c-format
-msgid "Found %s %s interfaces"
-msgstr "Најдени се %s %s интерфејси"
+msgid ""
+" [everything]\n"
+" XFdrake [--noauto] monitor\n"
+" XFdrake resolution"
+msgstr ""
+" [се]\n"
+" XFdrake [--noauto] монитор\n"
+" XFdrake резолуција"
-#: ../../standalone/drakfont:1
+#: standalone.pm:128
#, c-format
-msgid "Post Install"
-msgstr "Постинсталација"
+msgid ""
+"\n"
+"Usage: %s [--auto] [--beginner] [--expert] [-h|--help] [--noauto] [--"
+"testing] [-v|--version] "
+msgstr ""
+"\n"
+"Искористеност: %s [--auto] [--beginner] [--expert] [-h|--help] [--noauto] "
+"[--testing] [-v|--version] "
-#: ../../standalone/drakgw:1
+#: standalone/XFdrake:87
#, c-format
-msgid "The internal domain name"
-msgstr "Внатрешно име на домен"
+msgid "Please log out and then use Ctrl-Alt-BackSpace"
+msgstr "Одлогирајте се и тогаш натиснете Ctrl-Alt-BackSpace"
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: standalone/XFdrake:91
#, c-format
-msgid "Card IRQ"
-msgstr "IRQ картичка"
+msgid "You need to log out and back in again for changes to take effect"
+msgstr ""
-#: ../../standalone/logdrake:1
+#: standalone/drakTermServ:71
#, c-format
-msgid "logdrake"
-msgstr "logdrake"
+msgid "Useless without Terminal Server"
+msgstr "Најупотребуван без Terminal Сервер "
-#: ../../standalone.pm:1
+#: standalone/drakTermServ:101 standalone/drakTermServ:108
+#, c-format
+msgid "%s: %s requires a username...\n"
+msgstr "%s: %s потреба од корисничко име...\n"
+
+#: standalone/drakTermServ:121
#, c-format
msgid ""
-"Font Importation and monitoring "
-"application \n"
-"--windows_import : import from all available windows partitions.\n"
-"--xls_fonts : show all fonts that already exist from xls\n"
-"--strong : strong verification of font.\n"
-"--install : accept any font file and any directry.\n"
-"--uninstall : uninstall any font or any directory of font.\n"
-"--replace : replace all font if already exist\n"
-"--application : 0 none application.\n"
-" : 1 all application available supported.\n"
-" : name_of_application like so for staroffice \n"
-" : and gs for ghostscript for only this one."
+"%s: %s requires hostname, MAC address, IP, nbi-image, 0/1 for THIN_CLIENT, "
+"0/1 for Local Config...\n"
msgstr ""
+"%s: %s бара име на компјутерот, MAC адреса, IP, nbi-слика, 0/1 за "
+"THIN_CLIENT, 0/1 за Local Config...\n"
-#: ../../standalone.pm:1
+#: standalone/drakTermServ:128
#, c-format
-msgid " [--skiptest] [--cups] [--lprng] [--lpd] [--pdq]"
-msgstr "[--skiptest] [--cups] [--lprng] [--lpd] [--pdq]"
+msgid "%s: %s requires hostname...\n"
+msgstr "%s:%s бара име на хост...\n"
-#: ../../any.pm:1
+#: standalone/drakTermServ:140
#, c-format
-msgid "Choose the floppy drive you want to use to make the bootdisk"
-msgstr "Изберете го дискетниот уред за создавање дискета за подигање"
+msgid "You must be root to read configuration file. \n"
+msgstr "Мора да си root за да го читаш конфигурациониот фајл. \n"
-#: ../../bootloader.pm:1 ../../help.pm:1
+#: standalone/drakTermServ:219 standalone/drakTermServ:488
+#: standalone/drakfont:572
#, c-format
-msgid "LILO with text menu"
-msgstr "LILO со текстуално мени"
+msgid "OK"
+msgstr "Во ред"
-#: ../../standalone/net_monitor:1
+#: standalone/drakTermServ:235
+#, fuzzy, c-format
+msgid "Terminal Server Configuration"
+msgstr "Mandrakе Конфигурација на Терминал Сервер"
+
+#: standalone/drakTermServ:240
#, c-format
-msgid "instantaneous"
-msgstr ""
+msgid "DrakTermServ"
+msgstr "DrakTermServ"
-#: ../../network/drakfirewall.pm:1
+#: standalone/drakTermServ:264
#, c-format
-msgid "Everything (no firewall)"
-msgstr "Сите (нема firewall)"
+msgid "Enable Server"
+msgstr "Овозможи Сервер"
-#: ../../any.pm:1
+#: standalone/drakTermServ:270
#, c-format
-msgid "You must specify a kernel image"
-msgstr "Мора да наведете кернелски имиџ"
+msgid "Disable Server"
+msgstr "Оневозможи Сервер"
-#: ../../printer/main.pm:1
+#: standalone/drakTermServ:278
#, fuzzy, c-format
-msgid ", multi-function device on USB"
-msgstr "Вклучено"
+msgid "Start Server"
+msgstr "Стартувај го серверот"
-#: ../../interactive/newt.pm:1
-#, fuzzy, c-format
-msgid "Do"
-msgstr "Надолу"
+#: standalone/drakTermServ:284
+#, c-format
+msgid "Stop Server"
+msgstr "Стопирај го серверот"
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakTermServ:292
#, c-format
-msgid "Contacting the mirror to get the list of available packages..."
-msgstr "Контактирање со огледалото за добивање листа на достапни пакети..."
+msgid "Etherboot Floppy/ISO"
+msgstr "Локален подигач Дискета/ISO"
-#: ../../keyboard.pm:1
+#: standalone/drakTermServ:296
#, c-format
-msgid "Lithuanian AZERTY (old)"
-msgstr "Литванска AZERTY (стара)"
+msgid "Net Boot Images"
+msgstr "Мрежно подигачки слики"
-#: ../../keyboard.pm:1
+#: standalone/drakTermServ:302
+#, fuzzy, c-format
+msgid "Add/Del Users"
+msgstr "Додај/Избриши Корисници"
+
+#: standalone/drakTermServ:306
#, c-format
-msgid "Brazilian (ABNT-2)"
-msgstr "Бразилска (ABNT-2)"
+msgid "Add/Del Clients"
+msgstr "Додај/Избриши Клиенти"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakTermServ:317 standalone/drakbug:54
#, c-format
-msgid "IP address of host/network:"
-msgstr "IP адреса на хост/мрежа"
+msgid "First Time Wizard"
+msgstr "Вошебник за Прв Пат"
-#: ../../standalone/draksplash:1
+#: standalone/drakTermServ:342
#, c-format
msgid ""
-"the progress bar y coordinate\n"
-"of its upper left corner"
+"\n"
+" This wizard routine will:\n"
+" \t1) Ask you to select either 'thin' or 'fat' clients.\n"
+"\t2) Setup dhcp.\n"
+"\t\n"
+"After doing these steps, the wizard will:\n"
+"\t\n"
+" a) Make all "
+"nbis. \n"
+" b) Activate the "
+"server. \n"
+" c) Start the "
+"server. \n"
+" d) Synchronize the shadow files so that all users, including root, \n"
+" are added to the shadow$$CLIENT$$ "
+"file. \n"
+" e) Ask you to make a boot floppy.\n"
+" f) If it's thin clients, ask if you want to restart KDM.\n"
msgstr ""
-"y координатата на прогрес барот\n"
-"од неговиот горен лев агол"
-#: ../../install_gtk.pm:1
+#: standalone/drakTermServ:387
#, fuzzy, c-format
-msgid "System installation"
-msgstr "Инсталација на SILO"
+msgid "Cancel Wizard"
+msgstr "Лансирај го волшебникот"
-#: ../../lang.pm:1
+#: standalone/drakTermServ:399
#, c-format
-msgid "Saint Vincent and the Grenadines"
-msgstr "Свети Винсент"
+msgid "Please save dhcpd config!"
+msgstr ""
-#: ../../security/help.pm:1
+#: standalone/drakTermServ:427
#, c-format
-msgid "Allow/Forbid reboot by the console user."
-msgstr "Дозволи/Забрани рестартирање од конзолниот корисник."
+msgid ""
+"Please select client type.\n"
+" 'Thin' clients run everything off the server's CPU/RAM, using the client "
+"display.\n"
+" 'Fat' clients use their own CPU/RAM but the server's filesystem."
+msgstr ""
-#: ../../standalone/logdrake:1
-#, c-format
-msgid "/File/_Open"
-msgstr "/Датотека/_Отвори"
+#: standalone/drakTermServ:433
+#, fuzzy, c-format
+msgid "Allow thin clients."
+msgstr "Дозволи Тенок Клиент"
-#: ../../standalone/drakpxe:1
+#: standalone/drakTermServ:441
#, c-format
-msgid "Location of auto_install.cfg file"
-msgstr "Локацијата на auto_install.cfg датотеката"
+msgid "Creating net boot images for all kernels"
+msgstr ""
-#: ../../any.pm:1
+#: standalone/drakTermServ:442 standalone/drakTermServ:725
+#: standalone/drakTermServ:741
#, c-format
-msgid "Open Firmware Delay"
-msgstr "Open Firmware пауза"
-
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Hungary"
-msgstr "Унгарска"
+msgid "This will take a few minutes."
+msgstr "Ова ќе потрае неколку минути."
-#: ../../lang.pm:1
+#: standalone/drakTermServ:446 standalone/drakTermServ:466
#, fuzzy, c-format
-msgid "New Zealand"
-msgstr "Нов Зеланд"
+msgid "Done!"
+msgstr "Завршено"
-#: ../../standalone/net_monitor:1
-#, fuzzy, c-format
-msgid "Color configuration"
-msgstr "Конфигурација"
+#: standalone/drakTermServ:452
+#, c-format
+msgid "Syncing server user list with client list, including root."
+msgstr ""
-#: ../../security/level.pm:1
+#: standalone/drakTermServ:472
#, c-format
msgid ""
-"There are already some restrictions, and more automatic checks are run every "
-"night."
+"In order to enable changes made for thin clients, the display manager must "
+"be restarted. Restart now?"
msgstr ""
-"Постојат некои ограничувања, и повеќе автоматски проверки се извршуваат "
-"секоја вечер."
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "please choose the date to restore"
-msgstr "изберете ја датата на враќање"
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Netherlands Antilles"
-msgstr "Холандија"
+#: standalone/drakTermServ:507
+#, c-format
+msgid "drakTermServ Overview"
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakTermServ:508
#, c-format
-msgid "Switching from ext2 to ext3"
-msgstr "Префрлање од ext2 на ext3"
+msgid ""
+" - Create Etherboot Enabled Boot Images:\n"
+" \tTo boot a kernel via etherboot, a special kernel/initrd image must "
+"be created.\n"
+" \tmkinitrd-net does much of this work and drakTermServ is just a "
+"graphical \n"
+" \tinterface to help manage/customize these images. To create the "
+"file \n"
+" \t/etc/dhcpd.conf.etherboot-pcimap.include that is pulled in as an "
+"include in \n"
+" \tdhcpd.conf, you should create the etherboot images for at least "
+"one full kernel."
+msgstr ""
-#: ../../printer/data.pm:1
+#: standalone/drakTermServ:514
#, c-format
-msgid "LPRng"
-msgstr "LPRng"
+msgid ""
+" - Maintain /etc/dhcpd.conf:\n"
+" \tTo net boot clients, each client needs a dhcpd.conf entry, "
+"assigning an IP \n"
+" \taddress and net boot images to the machine. drakTermServ helps "
+"create/remove \n"
+" \tthese entries.\n"
+"\t\t\t\n"
+" \t(PCI cards may omit the image - etherboot will request the correct "
+"image. \n"
+"\t\t\tYou should also consider that when etherboot looks for the images, it "
+"expects \n"
+"\t\t\tnames like boot-3c59x.nbi, rather than boot-3c59x.2.4.19-16mdk.nbi).\n"
+"\t\t\t \n"
+" \tA typical dhcpd.conf stanza to support a diskless client looks "
+"like:"
+msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Browse to new restore repository."
-msgstr "Разгледај на."
+#: standalone/drakTermServ:532
+#, c-format
+msgid ""
+" While you can use a pool of IP addresses, rather than setup a "
+"specific entry for\n"
+" a client machine, using a fixed address scheme facilitates using the "
+"functionality\n"
+" of client-specific configuration files that ClusterNFS provides.\n"
+"\t\t\t\n"
+" Note: The '#type' entry is only used by drakTermServ. Clients can "
+"either be 'thin'\n"
+" or 'fat'. Thin clients run most software on the server via xdmcp, "
+"while fat clients run \n"
+" most software on the client machine. A special inittab, %s is\n"
+" written for thin clients. System config files xdm-config, kdmrc, and "
+"gdm.conf are \n"
+" modified if thin clients are used, to enable xdmcp. Since there are "
+"security issues in \n"
+" using xdmcp, hosts.deny and hosts.allow are modified to limit access "
+"to the local\n"
+" subnet.\n"
+"\t\t\t\n"
+" Note: The '#hdw_config' entry is also only used by drakTermServ. "
+"Clients can either \n"
+" be 'true' or 'false'. 'true' enables root login at the client "
+"machine and allows local \n"
+" hardware configuration of sound, mouse, and X, using the 'drak' "
+"tools. This is enabled \n"
+" by creating separate config files associated with the client's IP "
+"address and creating \n"
+" read/write mount points to allow the client to alter the file. Once "
+"you are satisfied \n"
+" with the configuration, you can remove root login privileges from "
+"the client.\n"
+"\t\t\t\n"
+" Note: You must stop/start the server after adding or changing "
+"clients."
+msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
+#: standalone/drakTermServ:552
+#, c-format
msgid ""
+" - Maintain /etc/exports:\n"
+" \tClusternfs allows export of the root filesystem to diskless "
+"clients. drakTermServ\n"
+" \tsets up the correct entry to allow anonymous access to the root "
+"filesystem from\n"
+" \tdiskless clients.\n"
"\n"
-"Welcome to the Printer Setup Wizard\n"
-"\n"
-"This wizard allows you to install local or remote printers to be used from "
-"this machine and also from other machines in the network.\n"
-"\n"
-"It asks you for all necessary information to set up the printer and gives "
-"you access to all available printer drivers, driver options, and printer "
-"connection types."
+" \tA typical exports entry for clusternfs is:\n"
+" \t\t\n"
+" \t/\t\t\t\t\t(ro,all_squash)\n"
+" \t/home\t\t\t\tSUBNET/MASK(rw,root_squash)\n"
+"\t\t\t\n"
+" \tWith SUBNET/MASK being defined for your network."
msgstr ""
-"\n"
-" Добредојдовте на Печатач Подготви Волшебник\n"
-"\n"
-" на или на и во\n"
-"\n"
-" на и на достапен и."
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "and %d unknown printers"
+#: standalone/drakTermServ:564
+#, c-format
+msgid ""
+" - Maintain %s:\n"
+" \tFor users to be able to log into the system from a diskless "
+"client, their entry in\n"
+" \t/etc/shadow needs to be duplicated in %s. drakTermServ\n"
+" \thelps in this respect by adding or removing system users from this "
+"file."
msgstr ""
-"�%d непознати принтери\n"
-" и непознато "
-#: ../../standalone/harddrake2:1
+#: standalone/drakTermServ:568
#, c-format
msgid ""
-"Early Intel Pentium chips manufactured have a bug in their floating point "
-"processor which did not achieve the required precision when performing a "
-"Floating point DIVision (FDIV)"
+" - Per client %s:\n"
+" \tThrough clusternfs, each diskless client can have its own unique "
+"configuration files\n"
+" \ton the root filesystem of the server. By allowing local client "
+"hardware configuration, \n"
+" \tdrakTermServ will help create these files."
msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
+#: standalone/drakTermServ:573
+#, c-format
msgid ""
-"Backup quota exceeded!\n"
-"%d MB used vs %d MB allocated."
+" - Per client system configuration files:\n"
+" \tThrough clusternfs, each diskless client can have its own unique "
+"configuration files\n"
+" \ton the root filesystem of the server. By allowing local client "
+"hardware configuration, \n"
+" \tclients can customize files such as /etc/modules.conf, /etc/"
+"sysconfig/mouse, \n"
+" \t/etc/sysconfig/keyboard on a per-client basis.\n"
+"\n"
+" Note: Enabling local client hardware configuration does enable root "
+"login to the terminal \n"
+" server on each client machine that has this feature enabled. Local "
+"configuration can be\n"
+" turned back off, retaining the configuration files, once the client "
+"machine is configured."
msgstr ""
-"Премината е бекап квотата!\n"
-"%d Mb искористени vs %d Mb алоцирани."
-#: ../../network/isdn.pm:1
+#: standalone/drakTermServ:582
#, c-format
-msgid "No ISDN PCI card found. Please select one on the next screen."
+msgid ""
+" - /etc/xinetd.d/tftp:\n"
+" \tdrakTermServ will configure this file to work in conjunction with "
+"the images created\n"
+" \tby mkinitrd-net, and the entries in /etc/dhcpd.conf, to serve up "
+"the boot image to \n"
+" \teach diskless client.\n"
+"\n"
+" \tA typical tftp configuration file looks like:\n"
+" \t\t\n"
+" \tservice tftp\n"
+"\t\t\t{\n"
+" disable = no\n"
+" socket_type = dgram\n"
+" protocol = udp\n"
+" wait = yes\n"
+" user = root\n"
+" server = /usr/sbin/in.tftpd\n"
+" server_args = -s /var/lib/tftpboot\n"
+" \t}\n"
+" \t\t\n"
+" \tThe changes here from the default installation are changing the "
+"disable flag to\n"
+" \t'no' and changing the directory path to /var/lib/tftpboot, where "
+"mkinitrd-net\n"
+" \tputs its images."
msgstr ""
-"Не е најдена ISDN PCI картичка. Ве молам изберете една на следниот екран."
-#: ../../common.pm:1
+#: standalone/drakTermServ:603
#, c-format
-msgid "GB"
-msgstr "GB"
+msgid ""
+" - Create etherboot floppies/CDs:\n"
+" \tThe diskless client machines need either ROM images on the NIC, or "
+"a boot floppy\n"
+" \tor CD to initate the boot sequence. drakTermServ will help "
+"generate these\n"
+" \timages, based on the NIC in the client machine.\n"
+" \t\t\n"
+" \tA basic example of creating a boot floppy for a 3Com 3c509 "
+"manually:\n"
+" \t\t\n"
+" \tcat /usr/lib/etherboot/floppyload.bin \\\n"
+" \t\t/usr/share/etherboot/start16.bin \\\t\t\t\n"
+" \t\t/usr/lib/etherboot/zimg/3c509.zimg > /dev/fd0"
+msgstr ""
-#: ../../any.pm:1
+#: standalone/drakTermServ:638
#, c-format
-msgid "Please give a user name"
-msgstr "Внесете корисничко име"
+msgid "Boot Floppy"
+msgstr "Boot Floppy"
-#: ../../any.pm:1
+#: standalone/drakTermServ:640
#, c-format
-msgid "Enable CD Boot?"
-msgstr "Овозможи подигање од CD?"
+msgid "Boot ISO"
+msgstr "Boot ISO"
+
+#: standalone/drakTermServ:642
+#, fuzzy, c-format
+msgid "PXE Image"
+msgstr "Image"
+
+#: standalone/drakTermServ:723
+#, fuzzy, c-format
+msgid "Build Whole Kernel -->"
+msgstr "Кернел"
+
+#: standalone/drakTermServ:730
+#, fuzzy, c-format
+msgid "No kernel selected!"
+msgstr "Нема селектирано Кернел!"
-#: ../../../move/move.pm:1
+#: standalone/drakTermServ:733
#, c-format
-msgid "Simply reboot"
-msgstr ""
+msgid "Build Single NIC -->"
+msgstr "Изгради Еден NIC -->"
-#: ../../interactive/stdio.pm:1
+#: standalone/drakTermServ:737
#, c-format
-msgid " enter `void' for void entry"
-msgstr " внесете `void' за void (празна) ставка"
+msgid "No NIC selected!"
+msgstr "Не не е избран NIC!"
+
+#: standalone/drakTermServ:740
+#, fuzzy, c-format
+msgid "Build All Kernels -->"
+msgstr "Сите Кернели"
-#: ../../standalone/drakbackup:1
+#: standalone/drakTermServ:747
#, c-format
-msgid "Backups on unmountable media - Use Catalog to restore"
+msgid "<-- Delete"
+msgstr "<-- Избриши"
+
+#: standalone/drakTermServ:754
+#, c-format
+msgid "Delete All NBIs"
+msgstr "Избриши ги Сите NBls"
+
+#: standalone/drakTermServ:841
+#, c-format
+msgid ""
+"!!! Indicates the password in the system database is different than\n"
+" the one in the Terminal Server database.\n"
+"Delete/re-add the user to the Terminal Server to enable login."
msgstr ""
+"!!! Индицирано е дека лозинката во системската база на податоци е различна "
+"од\n"
+" онаа во базата на податоци на Терминалниот Сервер\n"
+" Избриши/повторно-додади го корисникот во Терминалниот Сервер за да "
+"овозможиш логирање."
-#: ../../standalone/drakbackup:1
+#: standalone/drakTermServ:846
#, fuzzy, c-format
-msgid "January"
-msgstr "рачно"
+msgid "Add User -->"
+msgstr "Додај Корисник -->"
-#: ../../security/l10n.pm:1
+#: standalone/drakTermServ:852
+#, c-format
+msgid "<-- Del User"
+msgstr "<-- Избриши Корисник"
+
+#: standalone/drakTermServ:888
#, fuzzy, c-format
-msgid "Password history length"
-msgstr "Лозинка"
+msgid "type: %s"
+msgstr "тип: %s"
-#: ../../network/netconnect.pm:1
+#: standalone/drakTermServ:892
#, c-format
-msgid "Winmodem connection"
-msgstr "Конекција со winmodem"
+msgid "local config: %s"
+msgstr "локална конфигурција: %s"
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
+#: standalone/drakTermServ:922
+#, c-format
msgid ""
-"\n"
-"Congratulations, your printer is now installed and configured!\n"
-"\n"
-"You can print using the \"Print\" command of your application (usually in "
-"the \"File\" menu).\n"
-"\n"
-"If you want to add, remove, or rename a printer, or if you want to change "
-"the default option settings (paper input tray, printout quality, ...), "
-"select \"Printer\" in the \"Hardware\" section of the Mandrake Control "
-"Center."
+"Allow local hardware\n"
+"configuration."
msgstr ""
-"\n"
-" Честитки Вашиот принтер сега е инсталиран и конфигуриран!\n"
-"\n"
-" Можете да печатите користејќи ја \"Печати\" командата на Вашата апликација "
-"која се наоќа во \"Датотека\" менито\n"
-"\n"
-" Доколку сакате да додадите, избришете или преименувате некој принтер или да "
-"ги промените неговите опцииодберете \"Печатач\" во \"Хардвер\" секцијата на "
-"section of the Mandrake Control Центарот."
+"Дозволи конфигурација\n"
+"на ликален хардвер"
-#: ../../standalone/drakxtv:1
+#: standalone/drakTermServ:931
#, fuzzy, c-format
-msgid "Now, you can run xawtv (under X Window!) !\n"
-msgstr "Сега Прозорец"
+msgid "No net boot images created!"
+msgstr "Не!"
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakTermServ:949
+#, fuzzy, c-format
+msgid "Thin Client"
+msgstr "Тенок клиент"
+
+#: standalone/drakTermServ:953
+#, fuzzy, c-format
+msgid "Allow Thin Clients"
+msgstr "Дозволи Тенок Клиент"
+
+#: standalone/drakTermServ:954
#, c-format
-msgid "Not enough swap space to fulfill installation, please add some"
-msgstr ""
-"Нема доволно swap простор за завршување на инсталацијата; додадете малку"
+msgid "Add Client -->"
+msgstr "Додај Клиент -->"
-#. -PO: example: lilo-graphic on /dev/hda1
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakTermServ:968
#, fuzzy, c-format
-msgid "%s on %s"
-msgstr "Вклучено s"
+msgid "type: fat"
+msgstr "тип: фат"
-#: ../../security/help.pm:1
+#: standalone/drakTermServ:969
#, c-format
-msgid "Allow/Forbid remote root login."
-msgstr "Дозволи/Забрани нелокално логирање на root."
+msgid "type: thin"
+msgstr "тип: тенок"
+
+#: standalone/drakTermServ:976
+#, c-format
+msgid "local config: false"
+msgstr "Локална конфигурација: погрешна"
+
+#: standalone/drakTermServ:977
+#, c-format
+msgid "local config: true"
+msgstr "локален конфиг: вистинито"
+
+#: standalone/drakTermServ:985
+#, c-format
+msgid "<-- Edit Client"
+msgstr "<-- Уреди Клиент"
+
+#: standalone/drakTermServ:1011
+#, c-format
+msgid "Disable Local Config"
+msgstr "Исклучен Локален Конфиг"
+
+#: standalone/drakTermServ:1018
+#, fuzzy, c-format
+msgid "Delete Client"
+msgstr "Избриши го Клиентот"
+
+#: standalone/drakTermServ:1027
+#, c-format
+msgid "dhcpd Config..."
+msgstr "dhcpd Конфигурирање..."
-#: ../../help.pm:1
+#: standalone/drakTermServ:1040
#, fuzzy, c-format
msgid ""
-"GNU/Linux manages time in GMT (Greenwich Mean Time) and translates it to\n"
-"local time according to the time zone you selected. If the clock on your\n"
-"motherboard is set to local time, you may deactivate this by unselecting\n"
-"\"%s\", which will let GNU/Linux know that the system clock and the\n"
-"hardware clock are in the same timezone. This is useful when the machine\n"
-"also hosts another operating system like Windows.\n"
-"\n"
-"The \"%s\" option will automatically regulate the clock by connecting to a\n"
-"remote time server on the Internet. For this feature to work, you must have\n"
-"a working Internet connection. It is best to choose a time server located\n"
-"near you. This option actually installs a time server that can used by\n"
-"other machines on your local network as well."
-msgstr ""
-"GNU/Linux управува со времето според GMT (Greenwich Mean Time) и го "
-"преведува\n"
-"во локално време според временската зона што сте ја избрале. Сепак, можно е\n"
-"да го деактивирате ова однесување со деселектирање на \"Хардверски "
-"часовник \n"
-"според GMT\" така што хардверскиот часовник да биде исто со системскиот \n"
-"часовник. Ова е корисно кога на машината се извршува и друг оперативен "
-"систем,\n"
-"како Windows.\n"
-"\n"
-"Опцијата \"Автоматска синхронизација на време\" автоматски ќе го регулира\n"
-"часовникот преку поврзување со далечински временски сервер на Интернет. Од\n"
-"листата што е дадена, изберете сервер што е лоциран во Ваша близина. Се "
-"разбира,\n"
-"мора да имате функционална Интернет врска за ова да може да работи. "
-"Всушност,\n"
-"на Вашата машина ќе биде инсталиран временски сервер што дополнително може "
-"да\n"
-"се користи од други машини на Вашата локална мрежа."
+"Need to restart the Display Manager for full changes to take effect. \n"
+"(service dm restart - at the console)"
+msgstr "на Прикажи Менаџер на\n"
-#: ../../standalone/drakbackup:1
+#: standalone/drakTermServ:1084
#, c-format
-msgid "Can't create log file!"
-msgstr "Не можам да клреирам лог датотеки!"
+msgid "Subnet:"
+msgstr "Subnet:"
-#: ../../install_steps_interactive.pm:1 ../../standalone/drakclock:1
+#: standalone/drakTermServ:1091
#, c-format
-msgid "Which is your timezone?"
-msgstr "Кој е Вашата временска зона?"
+msgid "Netmask:"
+msgstr "Netmask:"
-#: ../../standalone/drakbackup:1
+#: standalone/drakTermServ:1098
#, fuzzy, c-format
-msgid "Use .backupignore files"
-msgstr "Користи го."
+msgid "Routers:"
+msgstr "Рутери:"
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Guinea"
-msgstr "Општо"
+#: standalone/drakTermServ:1105
+#, c-format
+msgid "Subnet Mask:"
+msgstr "Subnet Mask:"
-#: ../../network/tools.pm:1
+#: standalone/drakTermServ:1112
#, fuzzy, c-format
-msgid "The system is now connected to the Internet."
-msgstr "Системот сега е поврзан на Интернет"
+msgid "Broadcast Address:"
+msgstr "Пренеси Адреса:"
-#: ../../lang.pm:1
+#: standalone/drakTermServ:1119
#, c-format
-msgid "South Georgia and the South Sandwich Islands"
-msgstr "Северна Џорџија"
+msgid "Domain Name:"
+msgstr "Име на доменот:"
-#: ../../standalone/drakxtv:1
+#: standalone/drakTermServ:1127
#, c-format
-msgid "Japan (broadcast)"
-msgstr "Јапонија"
+msgid "Name Servers:"
+msgstr "Name сервери:"
-#: ../../help.pm:1
-#, fuzzy, c-format
+#: standalone/drakTermServ:1138
+#, c-format
+msgid "IP Range Start:"
+msgstr "IP Старт на Опсегот:"
+
+#: standalone/drakTermServ:1139
+#, c-format
+msgid "IP Range End:"
+msgstr "IP Опсег Крај:"
+
+#: standalone/drakTermServ:1191
+#, c-format
+msgid "dhcpd Server Configuration"
+msgstr "Конфигурација на dhcpd серверот"
+
+#: standalone/drakTermServ:1192
+#, c-format
msgid ""
-"Monitor\n"
-"\n"
-" The installer will normally automatically detect and configure the\n"
-"monitor connected to your machine. If it is incorrect, you can choose from\n"
-"this list the monitor you actually have connected to your computer."
+"Most of these values were extracted\n"
+"from your running system.\n"
+"You can modify as needed."
msgstr ""
-"Монитор\n"
-" Инсталерот автоматски ќе го детектира и конфигурира\n"
-"мониторот кој е поврзан на Вашиот компјутер. Ако е тој, можете од листата\n"
-"да го одберите мониторот кој моментално е поврзан на Вашиот компјутер."
+"Повеќето од овие вредности биле екстрахирани\n"
+"од вашиот подигнат систем.\n"
+"Можете да ги промените по потреба."
+
+#: standalone/drakTermServ:1195
+#, fuzzy, c-format
+msgid "Dynamic IP Address Pool:"
+msgstr "IP Адреса:"
-#: ../../lang.pm:1
+#: standalone/drakTermServ:1208
#, c-format
-msgid "Mozambique"
-msgstr "Мозамбик"
+msgid "Write Config"
+msgstr "Конфигурација на Записот"
-#: ../../any.pm:1
+#: standalone/drakTermServ:1326
#, c-format
-msgid "Icon"
-msgstr "Икона"
+msgid "Please insert floppy disk:"
+msgstr "Ве молиме внесете floppy дискета:"
-#: ../../../move/tree/mdk_totem:1
+#: standalone/drakTermServ:1330
+#, c-format
+msgid "Couldn't access the floppy!"
+msgstr "Не може да пристапи до floppy-то!"
+
+#: standalone/drakTermServ:1332
+#, c-format
+msgid "Floppy can be removed now"
+msgstr "Дискетата сега може да се отстрани"
+
+#: standalone/drakTermServ:1335
+#, c-format
+msgid "No floppy drive available!"
+msgstr "Не е достапен floppy уред!"
+
+#: standalone/drakTermServ:1340
#, fuzzy, c-format
-msgid "Kill those programs"
-msgstr "пристап до X програми"
+msgid "PXE image is %s/%s"
+msgstr "Etherboot ISO image is %s"
-#: ../../standalone/drakbackup:1
+#: standalone/drakTermServ:1342
#, fuzzy, c-format
-msgid "Please choose what you want to backup"
-msgstr "Ве молиме да одберете на што сакате да направите бекап"
+msgid "Error writing %s/%s"
+msgstr "Грешка при запишувањето во датотеката %s"
-#: ../../Xconfig/resolution_and_depth.pm:1
+#: standalone/drakTermServ:1351
#, c-format
-msgid "256 colors (8 bits)"
-msgstr "256 бои (8 бита)"
+msgid "Etherboot ISO image is %s"
+msgstr "Etherboot ISO image is %s"
-#: ../../any.pm:1
+#: standalone/drakTermServ:1353
#, c-format
-msgid "Read-write"
-msgstr "Читање-пишување"
+msgid "Something went wrong! - Is mkisofs installed?"
+msgstr "Нешто тргна наопаку! - Дали е mkisofs инсталирано?"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakTermServ:1372
+#, fuzzy, c-format
+msgid "Need to create /etc/dhcpd.conf first!"
+msgstr "Прво треба да се креира /etc/dhcpd.conf!"
+
+#: standalone/drakTermServ:1533
#, c-format
-msgid "Size: %s\n"
-msgstr "Големина: %s\n"
+msgid "%s passwd bad in Terminal Server - rewriting...\n"
+msgstr ""
-#: ../../standalone/drakconnect:1
+#: standalone/drakTermServ:1551
#, fuzzy, c-format
-msgid "Hostname: "
-msgstr "Име на компјутер "
+msgid "%s is not a user..\n"
+msgstr "%s не е најдено...\n"
-#: ../../standalone/drakperm:1
+#: standalone/drakTermServ:1552
#, fuzzy, c-format
-msgid "Add a rule"
-msgstr "Додај модул"
+msgid "%s is already a Terminal Server user\n"
+msgstr "%s веќе се користи\n"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakTermServ:1554
#, c-format
-msgid "Chunk size %s\n"
-msgstr "Големина на блок %s\n"
+msgid "Addition of %s to Terminal Server failed!\n"
+msgstr ""
-#: ../advertising/02-community.pl:1
+#: standalone/drakTermServ:1556
+#, fuzzy, c-format
+msgid "%s added to Terminal Server\n"
+msgstr "Најупотребуван без Terminal Сервер "
+
+#: standalone/drakTermServ:1608
+#, fuzzy, c-format
+msgid "Deleted %s...\n"
+msgstr "Откриено %s"
+
+#: standalone/drakTermServ:1610 standalone/drakTermServ:1687
#, c-format
-msgid "Build the future of Linux!"
-msgstr "Изгради ја иднината на Линукс!"
+msgid "%s not found...\n"
+msgstr "%s не е најдено...\n"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakTermServ:1632 standalone/drakTermServ:1633
+#: standalone/drakTermServ:1634
#, c-format
-msgid "Local Printer"
-msgstr "Локален Печатач"
+msgid "%s already in use\n"
+msgstr "%s веќе се користи\n"
-#: ../../network/tools.pm:1
+#: standalone/drakTermServ:1658
#, fuzzy, c-format
-msgid "Floppy access error, unable to mount device %s"
-msgstr "Каде сакате да го монтирате уредот %s?"
-
-#: ../../standalone.pm:1
-#, c-format
-msgid "[--file=myfile] [--word=myword] [--explain=regexp] [--alert]"
-msgstr "[--file=myfile] [--word=myword] [--explain=regexp] [--alert]"
+msgid "Can't open %s!"
+msgstr "Не може да се отвори %s!"
-#: ../../network/netconnect.pm:1
+#: standalone/drakTermServ:1715
#, c-format
-msgid "ADSL connection"
-msgstr "ADSL конекција"
+msgid "/etc/hosts.allow and /etc/hosts.deny already configured - not changed"
+msgstr "/etc/hosts.allow и /etc/hosts.deny се веќе подесени - неизменети"
-#: ../../standalone/drakbackup:1
+#: standalone/drakTermServ:1872
#, c-format
-msgid "No configuration, please click Wizard or Advanced.\n"
-msgstr "Нема конфигурација, ве молиме кликнете на Волшебник или Напредно.\n"
+msgid "Configuration changed - restart clusternfs/dhcpd?"
+msgstr "Конфигурацијата е сменета- рестартирај clusternfs/dhcpd?"
-#: ../../standalone/drakautoinst:1
+#: standalone/drakautoinst:37
#, fuzzy, c-format
msgid "Error!"
msgstr "Грешка!"
-#: ../../network/netconnect.pm:1
-#, c-format
-msgid "cable connection detected"
-msgstr "детектирана кабелска конекција"
+#: standalone/drakautoinst:38
+#, fuzzy, c-format
+msgid "I can't find needed image file `%s'."
+msgstr "Не можам да ја пронајдам потребната датотека `%s'."
-#: ../../standalone/drakbackup:1
+#: standalone/drakautoinst:40
#, fuzzy, c-format
-msgid "Permission denied transferring %s to %s"
-msgstr "s на"
+msgid "Auto Install Configurator"
+msgstr "Автоматски Инсталирај Конфигуратор"
-#: ../../standalone/harddrake2:1 ../../standalone/printerdrake:1
+#: standalone/drakautoinst:41
+#, fuzzy, c-format
+msgid ""
+"You are about to configure an Auto Install floppy. This feature is somewhat "
+"dangerous and must be used circumspectly.\n"
+"\n"
+"With that feature, you will be able to replay the installation you've "
+"performed on this computer, being interactively prompted for some steps, in "
+"order to change their values.\n"
+"\n"
+"For maximum safety, the partitioning and formatting will never be performed "
+"automatically, whatever you chose during the install of this computer.\n"
+"\n"
+"Press ok to continue."
+msgstr ""
+"Вие ќе конфигурирате дискетна Авто - Инсталација. Оваа карактеристика е "
+"опасна и мора да се користи внимателно.\n"
+"\n"
+"Со таа карактеристика вие ќе можете да ги повторувате инсталациите кои сте "
+"ги извршиле на овој компјутер, интерактивно прашани за некои чекори за да се "
+"сменат нивните вредности.\n"
+"\n"
+"За максимална сигурност, партиционирањето и форматирањето никогаш нема да се "
+"изведат автоматски што и да изберете во текот на инсталација на овој "
+"компјутер.\n"
+"\n"
+"Дали сакате да продолжите?"
+
+#: standalone/drakautoinst:59
#, c-format
-msgid "/_Report Bug"
-msgstr "/_Извести за бубачка"
+msgid "replay"
+msgstr "повторно"
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Dominica"
-msgstr "Домен"
+#: standalone/drakautoinst:59 standalone/drakautoinst:68
+#, c-format
+msgid "manual"
+msgstr "рачно"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakautoinst:63
#, c-format
-msgid "Resize"
-msgstr "Големина"
+msgid "Automatic Steps Configuration"
+msgstr "Конфигурација со Автоматски Чекори"
-#: ../../Xconfig/various.pm:1
+#: standalone/drakautoinst:64
#, c-format
-msgid "Resolution: %s\n"
-msgstr "Резолуција: %s\n"
+msgid ""
+"Please choose for each step whether it will replay like your install, or it "
+"will be manual"
+msgstr ""
+"Ве молиме изберете за дали секој чекор ќе се повторува вашата инсталација "
+"или ќе биде рачно"
-#: ../../install2.pm:1
+#: standalone/drakautoinst:76 standalone/drakautoinst:77
#, c-format
+msgid "Creating auto install floppy"
+msgstr "Создавам аудио инсталациона дискета"
+
+#: standalone/drakautoinst:141
+#, fuzzy, c-format
msgid ""
-"Can't access kernel modules corresponding to your kernel (file %s is "
-"missing), this generally means your boot floppy in not in sync with the "
-"Installation medium (please create a newer boot floppy)"
+"\n"
+"Welcome.\n"
+"\n"
+"The parameters of the auto-install are available in the sections on the left"
msgstr ""
-"Немам пристап до кернелски модули за Вашиот кернел (датотеката %sнедостига). "
-"Ова обично значи дека Вашата boot-дискета не е синхрона со инсталацискиот "
-"медиум (креирајте понова boot-дискета)"
+"\n"
+" Добредојдовте\n"
+"\n"
+" Параметрите на авто-инсталацијата се достапни во левата секција."
+
+#: standalone/drakautoinst:235 standalone/drakgw:583 standalone/drakvpn:898
+#: standalone/scannerdrake:367
+#, fuzzy, c-format
+msgid "Congratulations!"
+msgstr "Честитки!"
-#: ../../help.pm:1
+#: standalone/drakautoinst:236
#, c-format
msgid ""
-"Please select the correct port. For example, the \"COM1\" port under\n"
-"Windows is named \"ttyS0\" under GNU/Linux."
+"The floppy has been successfully generated.\n"
+"You may now replay your installation."
msgstr ""
-"Изберете ја вистинската порта. На пример, портата \"COM1\" под Windows\n"
-"се вика \"ttyS0\" под GNU/Linux."
+"Дискетата е успешно генерирана.\n"
+"Сега можете повторно да ја извршите инсталацијата."
-#: ../../install_steps_gtk.pm:1
+#: standalone/drakautoinst:272
#, c-format
-msgid "The following packages are going to be removed"
-msgstr "Следниве пакети ќе бидат отстранети"
+msgid "Auto Install"
+msgstr "Автоматска Инсталација"
+
+#: standalone/drakautoinst:341
+#, fuzzy, c-format
+msgid "Add an item"
+msgstr "Додај"
-#: ../../network/adsl.pm:1 ../../network/ethernet.pm:1
+#: standalone/drakautoinst:348
+#, fuzzy, c-format
+msgid "Remove the last item"
+msgstr "Отстрани го последниот"
+
+#: standalone/drakbackup:87
+#, fuzzy, c-format
+msgid "hd"
+msgstr "Чад"
+
+#: standalone/drakbackup:87
+#, fuzzy, c-format
+msgid "tape"
+msgstr "Лента"
+
+#: standalone/drakbackup:158
+#, fuzzy, c-format
+msgid "No devices found"
+msgstr "Не е пронајдена слика!"
+
+#: standalone/drakbackup:196
#, c-format
-msgid "Connect to the Internet"
-msgstr "Поврзи се на Интернет"
+msgid ""
+"Expect is an extension to the Tcl scripting language that allows interactive "
+"sessions without user intervention."
+msgstr ""
-#: ../../install_interactive.pm:1
+#: standalone/drakbackup:197
#, c-format
-msgid "Use existing partitions"
-msgstr "Користи ги постоечките партиции"
+msgid "Store the password for this system in drakbackup configuration."
+msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/drakbackup:198
#, c-format
-msgid "Canadian (Quebec)"
-msgstr "Канадска (Квебек)"
+msgid ""
+"For a multisession CD, only the first session will erase the cdrw. Otherwise "
+"the cdrw is erased before each backup."
+msgstr ""
-#: ../../Xconfig/various.pm:1
+#: standalone/drakbackup:199
#, c-format
-msgid "Mouse device: %s\n"
-msgstr "Уред за глушецот: %s\n"
+msgid ""
+"This uses the same syntax as the command line program 'cdrecord'. 'cdrecord -"
+"scanbus' would also show you the device number."
+msgstr ""
-#: ../../standalone/drakfont:1
+#: standalone/drakbackup:200
#, c-format
-msgid "Reselect correct fonts"
-msgstr "Повторно ги селектирај точните фонтови"
+msgid ""
+"This option will save files that have changed. Exact behavior depends on "
+"whether incremental or differential mode is used."
+msgstr ""
-#: ../../help.pm:1
-#, fuzzy, c-format
+#: standalone/drakbackup:201
+#, c-format
msgid ""
-"Options\n"
-"\n"
-" Here you can choose whether you want to have your machine automatically\n"
-"switch to a graphical interface at boot. Obviously, you want to check\n"
-"\"%s\" if your machine is to act as a server, or if you were not successful\n"
-"in getting the display configured."
+"Incremental backups only save files that have changed or are new since the "
+"last backup."
msgstr ""
-"Конечно, ќе бидете прашани дали сакате да го видите графичкиот интерфејс\n"
-"при подигање. Ова прашање ќе Ви биде поставено дури и ако сте избрале да\n"
-"не ја тестирате конфигурацијата. Веројатно би сакале да одговорите \"Не\", \n"
-"ако намената на Вашата машина е да биде сервер, или ако не сте успеале да\n"
-"го конфигурирате графичкиот приказ."
-#: ../advertising/13-mdkexpert_corporate.pl:1
+#: standalone/drakbackup:202
#, c-format
-msgid "MandrakeExpert Corporate"
-msgstr "MandrakeExpert Corporate"
+msgid ""
+"Differential backups only save files that have changed or are new since the "
+"original 'base' backup."
+msgstr ""
+"Диференцијалните бекапи единствено ги зачувуваат датотеките што се променети "
+"или се нови од последниот целосен бекап."
-#: ../../standalone.pm:1
+#: standalone/drakbackup:203
#, c-format
msgid ""
-" [everything]\n"
-" XFdrake [--noauto] monitor\n"
-" XFdrake resolution"
+"This should be a local user or email addresse that you want the backup "
+"results sent to. You will need to define a functioning mail server."
msgstr ""
-" [се]\n"
-" XFdrake [--noauto] монитор\n"
-" XFdrake резолуција"
-#: ../../standalone/harddrake2:1
-#, fuzzy, c-format
-msgid "Write protection"
-msgstr "Заштита за пишување"
+#: standalone/drakbackup:204
+#, c-format
+msgid ""
+"Files or wildcards listed in a .backupignore file at the top of a directory "
+"tree will not be backed up."
+msgstr ""
-#: ../../standalone/drakfont:1
+#: standalone/drakbackup:205
#, c-format
-msgid "You've not selected any font"
-msgstr "немате одбрано ни еден фонт"
+msgid ""
+"For backups to other media, files are still created on the hard drive, then "
+"moved to the other media. Enabling this option will remove the hard drive "
+"tar files after the backup."
+msgstr ""
-#: ../../steps.pm:1
+#: standalone/drakbackup:206
#, c-format
-msgid "Language"
-msgstr "��"
+msgid ""
+"Some protocols, like rsync, may be configured at the server end. Rather "
+"than using a directory path, you would use the 'module' name for the service "
+"path."
+msgstr ""
+
+#: standalone/drakbackup:207
+#, c-format
+msgid ""
+"Custom allows you to specify your own day and time. The other options use "
+"run-parts in /etc/crontab."
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:604
#, fuzzy, c-format
-msgid "Printer model selection"
-msgstr "Печатач"
+msgid "Interval cron not available as non-root"
+msgstr "Cron сеуште не е достапен за користење како не-root"
+
+#: standalone/drakbackup:715 standalone/logdrake:415
+#, c-format
+msgid "\"%s\" neither is a valid email nor is an existing local user!"
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakbackup:719 standalone/logdrake:420
#, c-format
msgid ""
-"After changing type of partition %s, all data on this partition will be lost"
+"\"%s\" is a local user, but you did not select a local smtp, so you must use "
+"a complete email address!"
+msgstr ""
+
+#: standalone/drakbackup:728
+#, c-format
+msgid "Valid user list changed, rewriting config file."
msgstr ""
-"По промената на типот на партицијата %s, сите податоци на таа партиција ќе "
-"бидат изгубени"
-#: ../../harddrake/data.pm:1
+#: standalone/drakbackup:730
#, fuzzy, c-format
-msgid "ISDN adapters"
-msgstr "ISDN картичка"
+msgid "Old user list:\n"
+msgstr ""
+"\n"
+" Кориснички Датотеки"
+
+#: standalone/drakbackup:732
+#, fuzzy, c-format
+msgid "New user list:\n"
+msgstr ""
+"\n"
+" Кориснички Датотеки"
-#: ../../common.pm:1
+#: standalone/drakbackup:779
#, c-format
-msgid "%d seconds"
-msgstr "%d секунди"
+msgid ""
+"\n"
+" DrakBackup Report \n"
+msgstr ""
+"\n"
+" DrakBackup Извештај \n"
-#: ../../install_steps_interactive.pm:1 ../../standalone/drakautoinst:1
+#: standalone/drakbackup:780
#, c-format
-msgid "Insert a blank floppy in drive %s"
-msgstr "Внесете празна дискета во %s"
+msgid ""
+"\n"
+" DrakBackup Daemon Report\n"
+msgstr ""
+"\n"
+".................... Извештај на DrakBackup Демонот\n"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:786
#, fuzzy, c-format
-msgid "A valid URI must be entered!"
-msgstr "Мора да се внесе валиедн URI!"
+msgid ""
+"\n"
+" DrakBackup Report Details\n"
+"\n"
+"\n"
+msgstr ""
+"\n"
+" Детали\n"
+"\n"
-#: ../../network/isdn.pm:1
+#: standalone/drakbackup:810 standalone/drakbackup:883
+#: standalone/drakbackup:939
#, c-format
-msgid "Found \"%s\" interface do you want to use it ?"
-msgstr "Најден е \"%s\" интерфејс. Дали сакате да го користите?"
+msgid "Total progress"
+msgstr "Вкупен прогрес"
-#: ../../standalone/drakgw:1
+#: standalone/drakbackup:865
#, fuzzy, c-format
-msgid "Re-configure interface and DHCP server"
-msgstr "Ре-конфигурација на интерфејс и DHCP сервер"
+msgid ""
+"%s exists, delete?\n"
+"\n"
+"If you've already done this process you'll probably\n"
+" need to purge the entry from authorized_keys on the server."
+msgstr ""
+"s\n"
+"\n"
+" Предупредување\n"
+" на Вклучено."
-#: ../../harddrake/sound.pm:1
+#: standalone/drakbackup:874
#, c-format
-msgid "Sound configuration"
-msgstr "Конфигурација на звук"
+msgid "This may take a moment to generate the keys."
+msgstr "На ова можеби му е потребно момент за да ги генерира копчињата."
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:881
#, fuzzy, c-format
-msgid "Photo test page"
-msgstr "Фотографија"
+msgid "Cannot spawn %s."
+msgstr "ГРЕШКА s."
-#: ../../help.pm:1 ../../install_interactive.pm:1
+#: standalone/drakbackup:898
#, c-format
-msgid "Custom disk partitioning"
-msgstr "Сопствено партицирање"
+msgid "No password prompt on %s at port %s"
+msgstr "Немаше прашање за лозинка на %s на порт %s"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:899
#, c-format
-msgid "Enter Printer Name and Comments"
-msgstr "Внесете го името на принтерот и коментар"
+msgid "Bad password on %s"
+msgstr "Лоша лозинка на %s"
+
+#: standalone/drakbackup:900
+#, fuzzy, c-format
+msgid "Permission denied transferring %s to %s"
+msgstr "s на"
+
+#: standalone/drakbackup:901
+#, fuzzy, c-format
+msgid "Can't find %s on %s"
+msgstr "Не може да се најде %s на %s"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:904
#, fuzzy, c-format
+msgid "%s not responding"
+msgstr "%s не одговара"
+
+#: standalone/drakbackup:908
+#, c-format
msgid ""
-"The following printers\n"
+"Transfer successful\n"
+"You may want to verify you can login to the server with:\n"
"\n"
-"%s%s\n"
-"are directly connected to your system"
+"ssh -i %s %s@%s\n"
+"\n"
+"without being prompted for a password."
msgstr ""
+"Преносот е успешен\n"
+"Можеби сакате да потврдите, можете да се логирате на серверот со:\n"
"\n"
-" непознато на"
+"ssh -i %s %s@%s\n"
+"\n"
+"без да бидете прашани за лозинка."
-#: ../../network/modem.pm:1
+#: standalone/drakbackup:953
#, c-format
-msgid "You don't have any winmodem"
-msgstr ""
+msgid "WebDAV remote site already in sync!"
+msgstr "WebDAV далечинската страна е веќе во sync!"
+
+#: standalone/drakbackup:957
+#, c-format
+msgid "WebDAV transfer failed!"
+msgstr "WebDAV трансферот не успеа!"
-#: ../../standalone/drakTermServ:1
+#: standalone/drakbackup:978
#, fuzzy, c-format
-msgid "type: %s"
-msgstr "тип: %s"
+msgid "No CD-R/DVD-R in drive!"
+msgstr "Нема CDR/DVD во драјвот!"
-#: ../../keyboard.pm:1
+#: standalone/drakbackup:982
#, c-format
-msgid "Slovakian (QWERTY)"
-msgstr "Словачка (QWERTY)"
+msgid "Does not appear to be recordable media!"
+msgstr "Изгледа дека нема медиум на кој може да се снима!"
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:986
#, c-format
-msgid ""
-"This should be a comma-separated list of local users or email addresses that "
-"you want the backup results sent to. You will need a functioning mail "
-"transfer agent setup on your system."
-msgstr ""
+msgid "Not erasable media!"
+msgstr "Нема медиум што може да се брише!"
-#: ../../standalone/draksound:1
+#: standalone/drakbackup:1027
#, fuzzy, c-format
-msgid "No Sound Card detected!"
-msgstr "Нема Звучна Картичка!"
+msgid "This may take a moment to erase the media."
+msgstr "Ова ќе потрае за ришење на медијата."
-#: ../../install_steps_interactive.pm:1 ../../standalone/mousedrake:1
+#: standalone/drakbackup:1103
#, c-format
-msgid "Mouse Port"
-msgstr "Порта за глушецот"
+msgid "Permission problem accessing CD."
+msgstr "Проблем со дозволата за пристап до CD."
-#: ../../security/l10n.pm:1
-#, c-format
-msgid "Check for unsecured accounts"
-msgstr "Проверка на несигурни акаунти"
+#: standalone/drakbackup:1130
+#, fuzzy, c-format
+msgid "No tape in %s!"
+msgstr "Нема во %s!"
-#: ../../standalone/drakTermServ:1
+#: standalone/drakbackup:1232
#, fuzzy, c-format
msgid ""
-"Need to restart the Display Manager for full changes to take effect. \n"
-"(service dm restart - at the console)"
-msgstr "на Прикажи Менаџер на\n"
+"Backup quota exceeded!\n"
+"%d MB used vs %d MB allocated."
+msgstr ""
+"Премината е бекап квотата!\n"
+"%d Mb искористени vs %d Mb алоцирани."
-#: ../../standalone/logdrake:1
+#: standalone/drakbackup:1251 standalone/drakbackup:1305
#, c-format
-msgid "Ftp Server"
-msgstr "Ftp Сервер"
+msgid "Backup system files..."
+msgstr "Бекап на системски датотеки..."
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Uganda"
-msgstr "Уганда"
+#: standalone/drakbackup:1306 standalone/drakbackup:1368
+#, c-format
+msgid "Hard Disk Backup files..."
+msgstr "Сигурносна копија на датотеките на Хард Дискот..."
-#: ../../standalone/drakfont:1
-#, fuzzy, c-format
-msgid "%s fonts conversion"
-msgstr "Конверзија на %s фонтови"
+#: standalone/drakbackup:1367
+#, c-format
+msgid "Backup User files..."
+msgstr "Бекап на корисничките датотеки..."
-#: ../../standalone/harddrake2:1
-#, fuzzy, c-format
-msgid "the type of bus on which the mouse is connected"
-msgstr "Изберете на која сериска порта е поврзан глушецот."
+#: standalone/drakbackup:1421
+#, c-format
+msgid "Backup Other files..."
+msgstr "Направи Бекап на Други датотеки..."
+
+#: standalone/drakbackup:1422
+#, c-format
+msgid "Hard Disk Backup Progress..."
+msgstr "Сигурносна копија на диск во тек..."
+
+#: standalone/drakbackup:1427
+#, c-format
+msgid "No changes to backup!"
+msgstr "Нема промени на бакапот!"
-#: ../../help.pm:1
+#: standalone/drakbackup:1445 standalone/drakbackup:1469
#, c-format
msgid ""
-"As a review, DrakX will present a summary of information it has about your\n"
-"system. Depending on your installed hardware, you may have some or all of\n"
-"the following entries. Each entry is made up of the configuration item to\n"
-"be configured, followed by a quick summary of the current configuration.\n"
-"Click on the corresponding \"%s\" button to change that.\n"
"\n"
-" * \"%s\": check the current keyboard map configuration and change that if\n"
-"necessary.\n"
+"Drakbackup activities via %s:\n"
"\n"
-" * \"%s\": check the current country selection. If you are not in this\n"
-"country, click on the \"%s\" button and choose another one. If your country\n"
-"is not in the first list shown, click the \"%s\" button to get the complete\n"
-"country list.\n"
+msgstr ""
"\n"
-" * \"%s\": By default, DrakX deduces your time zone based on the country\n"
-"you have chosen. You can click on the \"%s\" button here if this is not\n"
-"correct.\n"
+"Drakbackup активности преку %s\n"
"\n"
-" * \"%s\": check the current mouse configuration and click on the button to\n"
-"change it if necessary.\n"
+
+#: standalone/drakbackup:1454
+#, c-format
+msgid ""
"\n"
-" * \"%s\": clicking on the \"%s\" button will open the printer\n"
-"configuration wizard. Consult the corresponding chapter of the ``Starter\n"
-"Guide'' for more information on how to setup a new printer. The interface\n"
-"presented there is similar to the one used during installation.\n"
+" FTP connection problem: It was not possible to send your backup files by "
+"FTP.\n"
+msgstr ""
"\n"
-" * \"%s\": if a sound card is detected on your system, it is displayed\n"
-"here. If you notice the sound card displayed is not the one that is\n"
-"actually present on your system, you can click on the button and choose\n"
-"another driver.\n"
+"Проблем на FTP конекција: Не беше возможно да се пратат вашите бекап "
+"датотеки со FTP.\n"
+
+#: standalone/drakbackup:1455
+#, fuzzy, c-format
+msgid ""
+"Error during sending file via FTP. Please correct your FTP configuration."
+msgstr ""
+"Грешка при праќањето на фајлот преку FTP.\n"
+"Поправете ја вашата FTP конфигурација."
+
+#: standalone/drakbackup:1457
+#, fuzzy, c-format
+msgid "file list sent by FTP: %s\n"
+msgstr ""
+"листата на датотеки е испратена со FTP: %s\n"
+"."
+
+#: standalone/drakbackup:1474
+#, c-format
+msgid ""
"\n"
-" * \"%s\": by default, DrakX configures your graphical interface in\n"
-"\"800x600\" or \"1024x768\" resolution. If that does not suit you, click on\n"
-"\"%s\" to reconfigure your graphical interface.\n"
+"Drakbackup activities via CD:\n"
"\n"
-" * \"%s\": if a TV card is detected on your system, it is displayed here.\n"
-"If you have a TV card and it is not detected, click on \"%s\" to try to\n"
-"configure it manually.\n"
+msgstr ""
"\n"
-" * \"%s\": if an ISDN card is detected on your system, it will be displayed\n"
-"here. You can click on \"%s\" to change the parameters associated with the\n"
-"card.\n"
+"Drakbackup се активира преку CD:\n"
"\n"
-" * \"%s\": If you want to configure your Internet or local network access\n"
-"now.\n"
+
+#: standalone/drakbackup:1479
+#, c-format
+msgid ""
"\n"
-" * \"%s\": this entry allows you to redefine the security level as set in a\n"
-"previous step ().\n"
+"Drakbackup activities via tape:\n"
"\n"
-" * \"%s\": if you plan to connect your machine to the Internet, it's a good\n"
-"idea to protect yourself from intrusions by setting up a firewall. Consult\n"
-"the corresponding section of the ``Starter Guide'' for details about\n"
-"firewall settings.\n"
+msgstr ""
"\n"
-" * \"%s\": if you wish to change your bootloader configuration, click that\n"
-"button. This should be reserved to advanced users.\n"
+"Drakbackup активности преку лента:\n"
"\n"
-" * \"%s\": here you'll be able to fine control which services will be run\n"
-"on your machine. If you plan to use this machine as a server it's a good\n"
-"idea to review this setup."
-msgstr ""
-#: ../../lang.pm:1
-#, c-format
-msgid "Comoros"
+#: standalone/drakbackup:1488
+#, fuzzy, c-format
+msgid "Error sending mail. Your report mail was not sent."
msgstr ""
+"Грешка при sendmail.\n"
+" Пораката со известувањето не е испратена.\n"
+" Ве молиме, конфигурирајте го sendmail"
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:1489
#, fuzzy, c-format
-msgid "May"
-msgstr "Мајот"
+msgid " Error while sending mail. \n"
+msgstr "Грешка во праќањето на маил"
-#: ../../standalone/drakboot:1
+#: standalone/drakbackup:1518
#, c-format
-msgid "Yaboot mode"
-msgstr "Yaboot режим"
+msgid "Can't create catalog!"
+msgstr "Не можам да креирам каталог"
-#: ../../mouse.pm:1
+#: standalone/drakbackup:1639
#, c-format
-msgid "Generic 3 Button Mouse"
-msgstr "Општ со 3 копчиња"
+msgid "Can't create log file!"
+msgstr "Не можам да клреирам лог датотеки!"
-#: ../../standalone/drakxtv:1
+#: standalone/drakbackup:1656 standalone/drakbackup:1667
+#: standalone/drakfont:584
#, c-format
-msgid "USA (cable)"
-msgstr "САД (кабел)"
+msgid "File Selection"
+msgstr "Избор на датотека"
-#: ../../standalone/drakboot:1
+#: standalone/drakbackup:1695
+#, c-format
+msgid "Select the files or directories and click on 'OK'"
+msgstr "Избери ги датотеките или директориумите и натисни на 'ОК'"
+
+#: standalone/drakbackup:1723
#, c-format
msgid ""
-"Can't relaunch LiLo!\n"
-"Launch \"lilo\" as root in command line to complete LiLo theme installation."
+"\n"
+"Please check all options that you need.\n"
msgstr ""
-"Не може да се пре-изврши Lilo!\n"
-"Извршете \"lilo\" како root од командна линија за да заврши инсталацијата на "
-"тема."
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Select another media to restore from"
-msgstr "избери друг медиум за враќање од"
-
-#: ../../standalone/drakbug:1
-#, fuzzy, c-format
-msgid "Software Manager"
-msgstr "Софтвер Менаџер"
+"\n"
+"Ве молиме обележете ги сите опции што ви требаат.\n"
-#: ../../interactive/stdio.pm:1
+#: standalone/drakbackup:1724
#, c-format
-msgid "Re-submit"
-msgstr "Пре-прати"
+msgid ""
+"These options can backup and restore all files in your /etc directory.\n"
+msgstr ""
+"Овие опции можат да ги зачуваат и повратат сите датотеки во твојот /etc "
+"директориум.\n"
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:1725
#, fuzzy, c-format
-msgid "CD in place - continue."
-msgstr "CD во."
+msgid "Backup your System files. (/etc directory)"
+msgstr "Сигурносна копија Систем"
-#: ../../common.pm:1
+#: standalone/drakbackup:1726 standalone/drakbackup:1790
+#: standalone/drakbackup:1856
#, c-format
-msgid "KB"
-msgstr "KB"
-
-#: ../../install_steps_interactive.pm:1
-#, fuzzy, c-format
-msgid "Network & Internet"
-msgstr "Мрежа & Интернет"
+msgid "Use Incremental/Differential Backups (do not replace old backups)"
+msgstr ""
+"Користи Инкрементални/Деференцијални Бекапи (не ги заменувај старите бекапи)"
-#: ../../keyboard.pm:1
+#: standalone/drakbackup:1728 standalone/drakbackup:1792
+#: standalone/drakbackup:1858
#, c-format
-msgid "Lithuanian \"phonetic\" QWERTY"
-msgstr "Литванска QWERTY \"фонетска\""
+msgid "Use Incremental Backups"
+msgstr "Користи Инкрементален Бекап"
-#: ../../standalone/drakTermServ:1
+#: standalone/drakbackup:1728 standalone/drakbackup:1792
+#: standalone/drakbackup:1858
#, c-format
-msgid "Net Boot Images"
-msgstr "Мрежно подигачки слики"
+msgid "Use Differential Backups"
+msgstr "Користи Ралични Бекапи"
-#: ../../standalone/scannerdrake:1
+#: standalone/drakbackup:1730
#, c-format
-msgid "Sharing of local scanners"
-msgstr "Делење на локални скенери"
+msgid "Do not include critical files (passwd, group, fstab)"
+msgstr "Не ги вклучувај критичните датотеки (passwd, group, fstab)"
-#: ../../Xconfig/monitor.pm:1
+#: standalone/drakbackup:1731
#, c-format
-msgid "Plug'n Play probing failed. Please select the correct monitor"
+msgid ""
+"With this option you will be able to restore any version\n"
+" of your /etc directory."
msgstr ""
-"Пробата на Plug'n Play е неуспешна. Ве молиме изберете го правилниот монитор"
+"Со оваа опција ќе можеш да ја повратиш секоја верзија\n"
+" на твојот /etc директориум."
-#: ../../../move/move.pm:1
+#: standalone/drakbackup:1762
#, c-format
-msgid "Detect again USB key"
+msgid "Please check all users that you want to include in your backup."
msgstr ""
+"Ве молиме одберете ги сите корисници кои сакате да ги вклучите во Вашиот "
+"бекап."
-#: ../../services.pm:1
-#, c-format
-msgid "Services and deamons"
-msgstr "Сервиси и демони"
-
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Remote host name missing!"
-msgstr "Недостасува името на локалениот хост!"
-
-#: ../../fsedit.pm:1
+#: standalone/drakbackup:1789
#, c-format
-msgid "with /usr"
-msgstr "со /usr"
+msgid "Do not include the browser cache"
+msgstr "Не вклучувај го кешот на прелистувачот"
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:1844 standalone/drakfont:650
#, c-format
-msgid "Network"
-msgstr "Мрежа"
-
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Auto-detect printers connected to machines running Microsoft Windows"
-msgstr ""
-"Автоматски детектирај ги принтерите кои се поврзани на кошмјутери со "
-"Microsoft Windows оперативни системи."
+msgid "Remove Selected"
+msgstr "Отстрани ги избраните"
-#: ../../any.pm:1
+#: standalone/drakbackup:1891 standalone/drakbackup:1895
#, c-format
-msgid "This password is too simple"
-msgstr "Лозинката е преедноставна"
+msgid "Under Devel ... please wait."
+msgstr "Во развој ... Ве молиме почекајте."
-#: ../../security/l10n.pm:1
+#: standalone/drakbackup:1909
#, fuzzy, c-format
-msgid "Chkconfig obey msec rules"
-msgstr "Конфигурирај"
-
-#: ../../keyboard.pm:1
-#, c-format
-msgid "Slovakian (QWERTZ)"
-msgstr "Словачки (QWERTZ)"
+msgid "Windows (FAT32)"
+msgstr "Windows (FAT32)"
-#: ../advertising/06-development.pl:1
+#: standalone/drakbackup:1942
#, c-format
-msgid ""
-"To modify and to create in different languages such as Perl, Python, C and C+"
-"+ has never been so easy thanks to GNU gcc 3 and the best Open Source "
-"development environments."
-msgstr ""
-"За модивицирање или цреирање на различни јазици како Perl, Python, C �C++ "
-"никогаш не било олесно благодарение на GNU gcc 3 и најдобриот Open Source "
-"development environments."
+msgid "Users"
+msgstr "Корисници"
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:1961
#, fuzzy, c-format
-msgid "No devices found"
-msgstr "Не е пронајдена слика!"
+msgid "Use network connection to backup"
+msgstr "Користи ја мрежата за бекап"
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakbackup:1963
#, c-format
-msgid "Truly minimal install (especially no urpmi)"
-msgstr "Вистински минимална инсталација (без urpmi)"
+msgid "Net Method:"
+msgstr "Мрежен Метод:"
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:1967
#, fuzzy, c-format
-msgid "Use daemon"
+msgid "Use Expect for SSH"
msgstr "Користи го"
-#: ../../install_steps_interactive.pm:1 ../../network/modem.pm:1
-#: ../../standalone/drakauth:1 ../../standalone/drakconnect:1
-#: ../../standalone/logdrake:1
-#, c-format
-msgid "Authentication"
-msgstr "Автентикација"
-
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:1968
#, fuzzy, c-format
-msgid "Add this printer to Star Office/OpenOffice.org/GIMP"
-msgstr "Додај го принтерот на Star Office/OpenOffice.org/GIMP"
+msgid "Create/Transfer backup keys for SSH"
+msgstr ""
+"Создади/Премести\n"
+"бекап клучеви за SSH"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:1970
#, fuzzy, c-format
-msgid "Additional CUPS servers: "
-msgstr "Вклучено s"
+msgid "Transfer Now"
+msgstr ""
+" Трансфер \n"
+"Сега"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:1972
#, fuzzy, c-format
-msgid ""
-"Choose one of the auto-detected printers from the list or enter the hostname "
-"or IP and the optional port number (default is 9100) in the input fields."
+msgid "Other (not drakbackup) keys in place already"
msgstr ""
-"Избери една од авто-детектираните принтери од листата или внесете го "
-"хостотили IP адресата и портата (дефаулт е 9100)."
-
-#: ../../diskdrake/interactive.pm:1
-#, c-format
-msgid "Where do you want to mount %s?"
-msgstr "Каде сакате да го монтирате %s?"
+"Други (не на drakbackup)\n"
+"клучеви се веќе на место"
-#: ../../lang.pm:1
+#: standalone/drakbackup:1975
#, fuzzy, c-format
-msgid "Algeria"
-msgstr "Алжир"
+msgid "Host name or IP."
+msgstr "Име на хост"
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:1980
#, fuzzy, c-format
-msgid "Restore Via Network"
-msgstr "Врати"
+msgid "Directory (or module) to put the backup on this host."
+msgstr ""
+"Ве молиме внесете го директориумот (или модулот) каде\n"
+" да се смети бекапот на овој компјутер."
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:1985
#, c-format
-msgid "Use tar and bzip2 (rather than tar and gzip)"
+msgid "Login name"
msgstr ""
-#: ../../any.pm:1
+#: standalone/drakbackup:1992
#, c-format
-msgid "Initrd-size"
-msgstr "Initrd-големина"
+msgid "Remember this password"
+msgstr "Запамти ја лозинката"
-#: ../../help.pm:1
+#: standalone/drakbackup:2004
#, c-format
-msgid ""
-"In the case that different servers are available for your card, with or\n"
-"without 3D acceleration, you are then asked to choose the server that best\n"
-"suits your needs."
-msgstr ""
-"Во случај ако имате различни серверина Вашата картичка, со или\n"
-"без 3D акцелерација, тогаш можете да го изберете најдобриот сервер\n"
-"кој Ви е потребен."
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "\tBackups use tar and gzip\n"
-msgstr "\tЗа бекап корист tar и gzip\n"
+msgid "Need hostname, username and password!"
+msgstr "Се бара име на хост, корисничко име и лозинка!"
-#: ../../standalone/printerdrake:1
+#: standalone/drakbackup:2106
#, fuzzy, c-format
-msgid "Set as default"
-msgstr "стандардно"
+msgid "Use CD-R/DVD-R to backup"
+msgstr "Користи го CD на"
-#: ../../Xconfig/card.pm:1
+#: standalone/drakbackup:2109
#, c-format
-msgid "2 MB"
-msgstr "2 MB"
+msgid "Choose your CD/DVD device"
+msgstr "Изберете го вашиот CD/DVD уред"
-#: ../../printer/main.pm:1 ../../standalone/printerdrake:1
+#: standalone/drakbackup:2114
#, fuzzy, c-format
-msgid "Configured on this machine"
-msgstr "(на овој компјутер)"
+msgid "Choose your CD/DVD media size"
+msgstr "Ве молиме одберете ja вашaтa големина на CD/DVD (Mb)"
-#: ../../keyboard.pm:1
-#, fuzzy, c-format
-msgid "Both Control keys simultaneously"
-msgstr "Двете Shift копчиња истовремено"
+#: standalone/drakbackup:2121
+#, c-format
+msgid "Multisession CD"
+msgstr "CD со повеќе сесии"
-#: ../../standalone/drakhelp:1
+#: standalone/drakbackup:2123
#, c-format
-msgid " --help - display this help \n"
+msgid "CDRW media"
+msgstr "CDRW медиум"
+
+#: standalone/drakbackup:2128
+#, fuzzy, c-format
+msgid "Erase your RW media (1st Session)"
msgstr ""
+"Ве молиме штиклирајте ако сакате да го избришите вашиот RW медиум (1-ва "
+"Сесија)"
-#: ../../standalone.pm:1
+#: standalone/drakbackup:2129
#, c-format
-msgid ""
-"[OPTION]...\n"
-" --no-confirmation don't ask first confirmation question in "
-"MandrakeUpdate mode\n"
-" --no-verify-rpm don't verify packages signatures\n"
-" --changelog-first display changelog before filelist in the "
-"description window\n"
-" --merge-all-rpmnew propose to merge all .rpmnew/.rpmsave files found"
-msgstr ""
+msgid " Erase Now "
+msgstr "Избриши Сега"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:2136
#, fuzzy, c-format
-msgid "Setting Default Printer..."
-msgstr "Позтавување на Стандарден Печатач"
+msgid "DVD+RW media"
+msgstr "CDRW медиум"
-#: ../../standalone/drakgw:1
+#: standalone/drakbackup:2138
#, fuzzy, c-format
-msgid "Interface %s (using module %s)"
-msgstr "Интерфејс %s (користејќи модул %s)"
+msgid "DVD-R media"
+msgstr "CDRW медиум"
-#: ../../standalone/draksplash:1
-#, c-format
-msgid "Generating preview ..."
-msgstr "генерирање на прегледот..."
+#: standalone/drakbackup:2140
+#, fuzzy, c-format
+msgid "DVDRAM device"
+msgstr "DVDRAM уред"
-#: ../../network/network.pm:1
+#: standalone/drakbackup:2145
#, fuzzy, c-format
msgid ""
-"Freq should have the suffix k, M or G (for example, \"2.46G\" for 2.46 GHz "
-"frequency), or add enough '0' (zeroes)."
+"Enter your CD Writer device name\n"
+" ex: 0,1,0"
msgstr ""
-"Фреквенцијата треба да има суфикс к, M или G(на пр. \"2.46G\" за 2.46 GHz) "
-"или додадете доволно 0(нули)."
+"Ве молам внесете името на вашиот CD Writer уред\n"
+"пр: 0,1,0"
-#: ../../standalone/draksec:1
-#, fuzzy, c-format
-msgid "ignore"
-msgstr "ниту еден"
+#: standalone/drakbackup:2177
+#, c-format
+msgid "No CD device defined!"
+msgstr "Не е дефиниран CD-уред!"
-#: ../../security/help.pm:1
+#: standalone/drakbackup:2227
#, c-format
-msgid ""
-"Allow/Forbid X connections:\n"
-"\n"
-"- ALL (all connections are allowed),\n"
-"\n"
-"- LOCAL (only connection from local machine),\n"
-"\n"
-"- NONE (no connection)."
-msgstr ""
-"Дозоволи/Forbid X конекција:\n"
-"\n"
-"- СИТЕ (сите конекции се дозволени),\n"
-"\n"
-"- ЛОКАЛНИ (само конекции од локални компјутери),\n"
-"\n"
-"- ПРАЗНО (без кокнекции)."
+msgid "Use tape to backup"
+msgstr "Користи лента за бекап"
-#: ../../printer/main.pm:1
+#: standalone/drakbackup:2230
#, fuzzy, c-format
-msgid ", multi-function device on parallel port #%s"
-msgstr ", мулти-функционален уред на паралелна порта #%s"
+msgid "Device name to use for backup"
+msgstr "име на"
-#: ../../mouse.pm:1
+#: standalone/drakbackup:2237
#, c-format
-msgid "serial"
-msgstr "сериски"
+msgid "Don't rewind tape after backup"
+msgstr "Не ја премотувај лентата по бекапот"
-#: ../../harddrake/data.pm:1
+#: standalone/drakbackup:2243
#, c-format
-msgid "DVD-ROM"
-msgstr "DVD-ROM"
+msgid "Erase tape before backup"
+msgstr "Избриши лента пред бекап"
-#: ../../keyboard.pm:1
-#, c-format
-msgid "Georgian (\"Latin\" layout)"
-msgstr "Georgian (латиничен распоред)"
+#: standalone/drakbackup:2249
+#, fuzzy, c-format
+msgid "Eject tape after the backup"
+msgstr "Користи лента за бекап"
-#: ../advertising/09-mdksecure.pl:1
-#, c-format
-msgid "Get the best items with Mandrake Linux Strategic partners"
-msgstr "Земет г о најдоброто од Mandrake Linux Стратешките Партнери"
+#: standalone/drakbackup:2317
+#, fuzzy, c-format
+msgid "Enter the directory to save to:"
+msgstr "Внесете директориум за зачувување на:"
-#: ../../modules/interactive.pm:1
+#: standalone/drakbackup:2326
#, fuzzy, c-format
msgid ""
-"You may now provide options to module %s.\n"
-"Note that any address should be entered with the prefix 0x like '0x123'"
+"Maximum size\n"
+" allowed for Drakbackup (MB)"
msgstr ""
-"Сега можете да ги наведете неговите опции за модулот %s.\n"
-"Ако внесувате адреси, правете го тоа со префикс 0x, како на пример \"0x124\""
+"Внесете ја максималната големина\n"
+" дозволена за Drakbackup (Mb)"
-#: ../../lang.pm:1
+#: standalone/drakbackup:2399
#, fuzzy, c-format
-msgid "Kenya"
-msgstr "Кенија"
+msgid "CD-R / DVD-R"
+msgstr "CDROM / DVDROM"
-#: ../../diskdrake/hd_gtk.pm:1
+#: standalone/drakbackup:2404
#, c-format
-msgid "Use ``Unmount'' first"
-msgstr "Прво користи \"Одмонтирај\""
+msgid "HardDrive / NFS"
+msgstr "HardDrive / NFS"
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Installing mtools packages..."
-msgstr "Инсталирање на mtools пакетите..."
+#: standalone/drakbackup:2420 standalone/drakbackup:2425
+#: standalone/drakbackup:2430
+#, c-format
+msgid "hourly"
+msgstr "на час"
-#: ../../any.pm:1
+#: standalone/drakbackup:2421 standalone/drakbackup:2426
+#: standalone/drakbackup:2430
#, c-format
-msgid "You must specify a root partition"
-msgstr "Мора да наведете root партиција"
+msgid "daily"
+msgstr "дневно"
-#: ../../standalone/draksplash:1
+#: standalone/drakbackup:2422 standalone/drakbackup:2427
+#: standalone/drakbackup:2430
#, c-format
-msgid "first step creation"
-msgstr "прв чекор на создавање"
+msgid "weekly"
+msgstr "неделно"
-#: ../../keyboard.pm:1
+#: standalone/drakbackup:2423 standalone/drakbackup:2428
+#: standalone/drakbackup:2430
#, c-format
-msgid "Both Shift keys simultaneously"
-msgstr "Двете Shift копчиња истовремено"
+msgid "monthly"
+msgstr "месечно"
+
+#: standalone/drakbackup:2424 standalone/drakbackup:2429
+#: standalone/drakbackup:2430
+#, fuzzy, c-format
+msgid "custom"
+msgstr "По избор"
-#: ../../standalone/drakhelp:1
+#: standalone/drakbackup:2435
+#, fuzzy, c-format
+msgid "January"
+msgstr "рачно"
+
+#: standalone/drakbackup:2435
#, c-format
-msgid ""
-" --id <id_label> - load the html help page which refers to id_label\n"
+msgid "February"
msgstr ""
-#: ../../standalone/scannerdrake:1
+#: standalone/drakbackup:2435
#, fuzzy, c-format
-msgid "Select a scanner model"
-msgstr "Избор на моделот на скенер"
+msgid "March"
+msgstr "барај"
-#: ../../security/help.pm:1
-#, c-format
-msgid "Accept/Refuse bogus IPv4 error messages."
-msgstr "Прифати/Одбиј ги IPv4 пораките за грешки."
+#: standalone/drakbackup:2436
+#, fuzzy, c-format
+msgid "April"
+msgstr "Примени"
-#: ../../printer/data.pm:1
+#: standalone/drakbackup:2436
#, fuzzy, c-format
-msgid "LPRng - LPR New Generation"
-msgstr "LPRng - LPR Нова Генерација"
+msgid "May"
+msgstr "Мајот"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "Drakbackup Configuration"
-msgstr "Drakbackup Конфогурација"
+#: standalone/drakbackup:2436
+#, fuzzy, c-format
+msgid "June"
+msgstr "режач"
-#: ../../standalone/logdrake:1
+#: standalone/drakbackup:2436
#, fuzzy, c-format
-msgid "Save as.."
-msgstr "Зачувај како."
+msgid "July"
+msgstr "на час"
-#: ../../lang.pm:1
+#: standalone/drakbackup:2436
#, c-format
-msgid "Korea (North)"
-msgstr "Северна Кореа"
+msgid "August"
+msgstr "август"
-#: ../../standalone/drakconnect:1
+#: standalone/drakbackup:2436
#, fuzzy, c-format
-msgid ""
-"This interface has not been configured yet.\n"
-"Launch the configuration wizard in the main window"
-msgstr ""
-"овој интерфејс не е конфигуриран.\n"
-" Стартувај го волшебникот за конфгурација."
+msgid "September"
+msgstr "Зачувај Тема"
-#: ../../install_gtk.pm:1
+#: standalone/drakbackup:2437
#, fuzzy, c-format
-msgid "System configuration"
-msgstr "XFree конфигурација"
+msgid "October"
+msgstr "Друго"
-#: ../../any.pm:1 ../../security/l10n.pm:1
+#: standalone/drakbackup:2437
#, c-format
-msgid "Autologin"
-msgstr "Авто-најавување"
+msgid "November"
+msgstr "ноември"
-#: ../../any.pm:1
+#: standalone/drakbackup:2437
#, c-format
-msgid "Domain Admin Password"
-msgstr "Лозинка на домен-админ."
+msgid "December"
+msgstr ""
-#: ../advertising/05-desktop.pl:1
+#: standalone/drakbackup:2442
#, fuzzy, c-format
-msgid ""
-"Perfectly adapt your computer to your needs thanks to the 11 available "
-"Mandrake Linux user interfaces which can be fully modified: KDE 3.1, GNOME "
-"2.2, Window Maker, ..."
-msgstr "Linux променет KDE Гноме."
+msgid "Sunday"
+msgstr "Судан"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:2442
#, fuzzy, c-format
-msgid "Configuring printer ..."
-msgstr "Конфигурирање на принтер..."
+msgid "Monday"
+msgstr "Монако"
-#: ../../install_interactive.pm:1 ../../diskdrake/interactive.pm:1
+#: standalone/drakbackup:2442
+#, fuzzy, c-format
+msgid "Tuesday"
+msgstr "Турција"
+
+#: standalone/drakbackup:2443
#, c-format
-msgid ""
-"To ensure data integrity after resizing the partition(s), \n"
-"filesystem checks will be run on your next boot into Windows(TM)"
+msgid "Wednesday"
msgstr ""
-#: ../../common.pm:1
+#: standalone/drakbackup:2443
#, c-format
-msgid "MB"
-msgstr "MB"
+msgid "Thursday"
+msgstr ""
-#: ../../security/help.pm:1
-#, c-format
-msgid "if set to yes, run some checks against the rpm database."
-msgstr "ако поставете да, стартувајте некои проверки во rpm базата на податоци"
+#: standalone/drakbackup:2443
+#, fuzzy, c-format
+msgid "Friday"
+msgstr "примарен"
+
+#: standalone/drakbackup:2443
+#, fuzzy, c-format
+msgid "Saturday"
+msgstr "Судан"
+
+#: standalone/drakbackup:2478
+#, fuzzy, c-format
+msgid "Use daemon"
+msgstr "Користи го"
+
+#: standalone/drakbackup:2483
+#, fuzzy, c-format
+msgid "Please choose the time interval between each backup"
+msgstr ""
+"Ве молиме изберете го временскиот \n"
+"интервал повеѓу секој бекап"
-#: ../../lang.pm:1
+#: standalone/drakbackup:2489
#, c-format
-msgid "Virgin Islands (British)"
-msgstr "Девствени Острови"
+msgid "Custom setup/crontab entry:"
+msgstr ""
-#: ../../lang.pm:1
+#: standalone/drakbackup:2494
#, fuzzy, c-format
-msgid "Bermuda"
-msgstr "Бермуди"
+msgid "Minute"
+msgstr "1 минута"
+
+#: standalone/drakbackup:2498
+#, fuzzy, c-format
+msgid "Hour"
+msgstr "Хондурас"
-#: ../../standalone/drakfont:1
+#: standalone/drakbackup:2502
#, c-format
-msgid "click here if you are sure."
-msgstr "кликнете ако сте сигурни"
+msgid "Day"
+msgstr "Ден"
+
+#: standalone/drakbackup:2506
+#, c-format
+msgid "Month"
+msgstr "Месец"
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:2510
#, fuzzy, c-format
-msgid ""
-"No configuration file found \n"
-"please click Wizard or Advanced."
+msgid "Weekday"
+msgstr "неделно"
+
+#: standalone/drakbackup:2516
+#, fuzzy, c-format
+msgid "Please choose the media for backup."
msgstr ""
-"Не е пронајдена датотеката\n"
-"Ве молиме одберете Волшебник или Напредно."
+"Ве молиме изберете\n"
+"мeдиум за бекап."
-#: ../../help.pm:1
+#: standalone/drakbackup:2523
#, fuzzy, c-format
-msgid ""
-"Listed here are the existing Linux partitions detected on your hard drive.\n"
-"You can keep the choices made by the wizard, since they are good for most\n"
-"common installations. If you make any changes, you must at least define a\n"
-"root partition (\"/\"). Do not choose too small a partition or you will not\n"
-"be able to install enough software. If you want to store your data on a\n"
-"separate partition, you will also need to create a \"/home\" partition\n"
-"(only possible if you have more than one Linux partition available).\n"
-"\n"
-"Each partition is listed as follows: \"Name\", \"Capacity\".\n"
-"\n"
-"\"Name\" is structured: \"hard drive type\", \"hard drive number\",\n"
-"\"partition number\" (for example, \"hda1\").\n"
-"\n"
-"\"Hard drive type\" is \"hd\" if your hard drive is an IDE hard drive and\n"
-"\"sd\" if it is a SCSI hard drive.\n"
-"\n"
-"\"Hard drive number\" is always a letter after \"hd\" or \"sd\". For IDE\n"
-"hard drives:\n"
-"\n"
-" * \"a\" means \"master hard drive on the primary IDE controller\";\n"
-"\n"
-" * \"b\" means \"slave hard drive on the primary IDE controller\";\n"
-"\n"
-" * \"c\" means \"master hard drive on the secondary IDE controller\";\n"
-"\n"
-" * \"d\" means \"slave hard drive on the secondary IDE controller\".\n"
-"\n"
-"With SCSI hard drives, an \"a\" means \"lowest SCSI ID\", a \"b\" means\n"
-"\"second lowest SCSI ID\", etc."
+msgid "Please be sure that the cron daemon is included in your services."
msgstr ""
-"Горе се наведени постоечките Линукс партиции што се откриени на Вашиот "
-"диск.\n"
-"Можете да го прифатите изборот направен од самовилата; тој е добар за \n"
-"вообичаени инсталации. Ако правите некои промени, ќе мора барем да "
-"деинирате\n"
-"root-партиција (\"/\"). Не избирајте премала партиција, зашто нема нема да\n"
-"може да се инсталира доволно софтвер. Ако сакате Вашите податоци да ги "
-"чувате\n"
-"на посевна партиција, ќе треба да направите и една \"/home\" партиција (а "
-"тоа е\n"
-"можно ако имате повеќе од една Линукс партиција).\n"
-"\n"
-"Секоја партиција во листата е дадена со: \"Име\", \"Капацитет\".\n"
-"\n"
-"Структурата на \"\" е следнава: \"тип на диск\", \"број на диск\",\n"
-"\"број на партиција\" (на пример, \"hda1\").\n"
-"\n"
-"\"Типот на дискот\" е \"hd\" ако дискот е IDE, и \"sd\" ако тој е SCSI "
-"диск.\n"
-"\n"
-"\"Бројот на дискот\" е буква, суфикс на \"hd\" или \"sd\". За IDE дискови:\n"
-"\n"
-"* \"a\" значи \"диск што е master на примарниот IDE контролер\";\n"
-"\n"
-"* \"b\" значи \"диск што е slave на примарниот IDE контролер\";\n"
-"\n"
-"* \"c\" значи \"диск што е master на секундарниот IDE контролер\";\n"
-"\n"
-"* \"d\" значи \"диск што е slave на секундарниот IDE контролер\";\n"
+"во\n"
"\n"
-"Кај SCSI дисковите, \"a\" значи \"најнизок SCSI ID\", а \"b\" значи\n"
-"\"втор најнизок SCSI ID\", итн."
+" Забелешка."
-#: ../../help.pm:1 ../../interactive.pm:1 ../../interactive/gtk.pm:1
+#: standalone/drakbackup:2524
#, fuzzy, c-format
-msgid "Remove"
-msgstr "Отстрани"
+msgid "Note that currently all 'net' media also use the hard drive."
+msgstr ""
+"во\n"
+"\n"
+" Забелешка."
-#: ../../lang.pm:1
+#: standalone/drakbackup:2571
#, c-format
-msgid "Lesotho"
+msgid "Use tar and bzip2 (rather than tar and gzip)"
msgstr ""
-#: ../../ugtk2.pm:1
+#: standalone/drakbackup:2572
+#, fuzzy, c-format
+msgid "Use .backupignore files"
+msgstr "Користи го."
+
+#: standalone/drakbackup:2574
+#, fuzzy, c-format
+msgid "Send mail report after each backup to:"
+msgstr "Испрати на:"
+
+#: standalone/drakbackup:2580
+#, fuzzy, c-format
+msgid "SMTP server for mail:"
+msgstr "SMB компјутерски сервер"
+
+#: standalone/drakbackup:2585
+#, c-format
+msgid "Delete Hard Drive tar files after backup to other media."
+msgstr "Избриши ги tar датотеките од Тврдиот Диск после бекап на друг медиум."
+
+#: standalone/drakbackup:2624
#, c-format
-msgid "utopia 25"
-msgstr "utopia 25"
+msgid "What"
+msgstr "Што"
-#: ../../printer/main.pm:1
+#: standalone/drakbackup:2629
#, c-format
-msgid "Pipe job into a command"
-msgstr ""
+msgid "Where"
+msgstr "Каде"
-#: ../../../move/move.pm:1
-#, fuzzy, c-format
-msgid "Remove system config files"
-msgstr "Отстранување на loopback датотеката?"
+#: standalone/drakbackup:2634
+#, c-format
+msgid "When"
+msgstr "Кога"
-#: ../../lang.pm:1
+#: standalone/drakbackup:2639
#, c-format
-msgid "Cote d'Ivoire"
-msgstr ""
+msgid "More Options"
+msgstr "Повеќе Опции"
-#: ../../standalone/harddrake2:1
+#: standalone/drakbackup:2651
#, fuzzy, c-format
-msgid "new dynamic device name generated by core kernel devfs"
-msgstr "ново динамично име на уред генерирано од devfs внатре кернелот"
+msgid "Backup destination not configured..."
+msgstr "Мрежната функционалност не е подесена"
-#: ../../help.pm:1 ../../install_any.pm:1 ../../interactive.pm:1
-#: ../../ugtk2.pm:1 ../../modules/interactive.pm:1
-#: ../../standalone/drakclock:1 ../../standalone/drakgw:1
-#: ../../standalone/harddrake2:1
+#: standalone/drakbackup:2667 standalone/drakbackup:4731
#, c-format
-msgid "Yes"
-msgstr "Да"
+msgid "Drakbackup Configuration"
+msgstr "Drakbackup Конфогурација"
-#: ../../network/isdn.pm:1
+#: standalone/drakbackup:2684
#, c-format
-msgid "Which protocol do you want to use?"
-msgstr "Кој протокол сакате да го користите?"
+msgid "Please choose where you want to backup"
+msgstr "Ве молиме изберете каде сакате да зачувате"
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:2686
#, fuzzy, c-format
-msgid "Restore Progress"
-msgstr "Врати"
+msgid "Hard Drive used to prepare backups for all media"
+msgstr "Избриши ги tar датотеките од Тврдиот Диск после бекап на друг медиум."
-#: ../../lang.pm:1
+#: standalone/drakbackup:2694
#, fuzzy, c-format
-msgid "Estonia"
-msgstr "Естонска"
+msgid "Across Network"
+msgstr "низ Мрежа"
-#: ../../partition_table.pm:1
+#: standalone/drakbackup:2702
#, fuzzy, c-format
-msgid ""
-"You have a hole in your partition table but I can't use it.\n"
-"The only solution is to move your primary partitions to have the hole next "
-"to the extended partitions."
-msgstr ""
-"Ја имате цела табела на партицијата, но не можам да ја користам.\n"
-" Единствено решение е да ја поместите примарната партиција за да ја имам "
-"цела следна проширена партиција."
+msgid "On CD-R"
+msgstr "на CDROM"
-#: ../../standalone/scannerdrake:1
-#, c-format
-msgid "Choose the host on which the local scanners should be made available:"
-msgstr "Изберете го хостот на кој локалните скенери би требало да работат:"
+#: standalone/drakbackup:2710
+#, fuzzy, c-format
+msgid "On Tape Device"
+msgstr "Вклучено"
-#: ../../standalone/harddrake2:1
+#: standalone/drakbackup:2738
#, c-format
-msgid "Channel"
-msgstr "Канал"
+msgid "Please select media for backup..."
+msgstr "Одберете го медиумот за бекап..."
-#: ../../help.pm:1 ../../interactive.pm:1 ../../interactive/gtk.pm:1
-#: ../../standalone/drakbackup:1 ../../standalone/drakfont:1
-#, c-format
-msgid "Add"
-msgstr "Додај"
+#: standalone/drakbackup:2760
+#, fuzzy, c-format
+msgid "Backup Users"
+msgstr "Бекап Корисници"
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:2761
#, fuzzy, c-format
-msgid " Error while sending mail. \n"
-msgstr "Грешка во праќањето на маил"
+msgid " (Default is all users)"
+msgstr "Стандарден корисник"
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
-#: ../../standalone/keyboarddrake:1
-#, c-format
-msgid "Keyboard"
-msgstr "Тастатура"
+#: standalone/drakbackup:2773
+#, fuzzy, c-format
+msgid "Please choose what you want to backup"
+msgstr "Ве молиме да одберете на што сакате да направите бекап"
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:2774
#, fuzzy, c-format
+msgid "Backup System"
+msgstr "Бекап систем"
+
+#: standalone/drakbackup:2776
+#, fuzzy, c-format
+msgid "Select user manually"
+msgstr "Рачен избор на корисник"
+
+#: standalone/drakbackup:2805
+#, c-format
+msgid "Please select data to backup..."
+msgstr "Ве молиме изберете податоци за бекап..."
+
+#: standalone/drakbackup:2879
+#, c-format
msgid ""
-"Insert the CD with volume label %s\n"
-" in the CD drive under mount point /mnt/cdrom"
+"\n"
+"Backup Sources: \n"
msgstr ""
-"Вметни CD јачина s\n"
-" во CD"
+"\n"
+" Бекап Извори: \n"
-#: ../../network/network.pm:1
+#: standalone/drakbackup:2880
#, fuzzy, c-format
msgid ""
-"Rate should have the suffix k, M or G (for example, \"11M\" for 11M), or add "
-"enough '0' (zeroes)."
-msgstr "M или или."
+"\n"
+"- System Files:\n"
+msgstr ""
+"\n"
+" Систем Датотеки"
-#: ../../network/netconnect.pm:1
+#: standalone/drakbackup:2882
#, fuzzy, c-format
-msgid "Choose the connection you want to configure"
-msgstr "Избери ја конекцијата која сакате да ја конфигурирате"
+msgid ""
+"\n"
+"- User Files:\n"
+msgstr ""
+"\n"
+" Кориснички Датотеки"
-#: ../../standalone/draksec:1
-#, c-format
-msgid "Please wait, setting security level..."
-msgstr "Ве молиме почекајте, се сетира сигурносното ниво..."
+#: standalone/drakbackup:2884
+#, fuzzy, c-format
+msgid ""
+"\n"
+"- Other Files:\n"
+msgstr ""
+"\n"
+" Други Датотеки:\n"
-#: ../../network/network.pm:1
-#, c-format
-msgid "Configuring network device %s"
-msgstr "Конфигурација на мрежниот уред %s"
+#: standalone/drakbackup:2886
+#, fuzzy, c-format
+msgid ""
+"\n"
+"- Save on Hard drive on path: %s\n"
+msgstr ""
+"\n"
+" Зачувај на Тврдиот диск со патека: %s\n"
-#: ../../install_steps_interactive.pm:1
-#, c-format
-msgid "activated"
-msgstr "активиран"
+#: standalone/drakbackup:2887
+#, fuzzy, c-format
+msgid "\tLimit disk usage to %s MB\n"
+msgstr "\tОграничена употреба на дисот до %s Mb\n"
-#: ../../standalone/drakpxe:1
+#: standalone/drakbackup:2890
#, fuzzy, c-format
-msgid "Please choose which network interface will be used for the dhcp server."
+msgid ""
+"\n"
+"- Delete hard drive tar files after backup.\n"
msgstr ""
-"Ве молиме одберете кој мрежен интерфејс ќе го користете на dhcp серверот."
+"\n"
+" Избриши ги tar датотеките после бекап.\n"
-#: ../../install_steps_interactive.pm:1
-#, c-format
-msgid "Finding packages to upgrade..."
-msgstr "Барање пакети за надградба..."
+#: standalone/drakbackup:2894
+#, fuzzy, c-format
+msgid "NO"
+msgstr "ИНФО"
-#: ../../diskdrake/dav.pm:1 ../../diskdrake/interactive.pm:1
+#: standalone/drakbackup:2895
#, c-format
-msgid "Mount point: "
-msgstr "Точка на монтирање: "
+msgid "YES"
+msgstr ""
-#: ../../standalone/drakfont:1
+#: standalone/drakbackup:2896
#, c-format
-msgid "parse all fonts"
+msgid ""
+"\n"
+"- Burn to CD"
msgstr ""
+"\n"
+"- Запипи на CD"
-#: ../../security/help.pm:1
-#, c-format
-msgid "Allow/Forbid direct root login."
-msgstr "Дозволи/Забрани ги директните пријавувања како root."
+#: standalone/drakbackup:2897
+#, fuzzy, c-format
+msgid "RW"
+msgstr "RW"
-#: ../../security/help.pm:1
+#: standalone/drakbackup:2898
#, c-format
-msgid " Accept/Refuse broadcasted icmp echo."
-msgstr "Прифати/Одбиј ги broadcasted icmp echo"
+msgid " on device: %s"
+msgstr "на уред: %s"
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
+#: standalone/drakbackup:2899
#, c-format
-msgid "With X"
-msgstr "Со X"
+msgid " (multi-session)"
+msgstr "(мулти-сесија)"
-#: ../../Xconfig/card.pm:1
+#: standalone/drakbackup:2900
#, c-format
-msgid "Multi-head configuration"
-msgstr "Multi-head конфигурација"
+msgid ""
+"\n"
+"- Save to Tape on device: %s"
+msgstr ""
+"\n"
+"- Зачувај на Лента на уредот: %s"
-#: ../../standalone/drakbug:1
-#, fuzzy, c-format
-msgid "No browser available! Please install one"
-msgstr "Не пости пребарувач! Ве молиме инсталирајте некој"
+#: standalone/drakbackup:2901
+#, c-format
+msgid "\t\tErase=%s"
+msgstr "\t\tИзбриши=%s"
-#: ../../Xconfig/main.pm:1
+#: standalone/drakbackup:2904
#, c-format
msgid ""
-"Keep the changes?\n"
-"The current configuration is:\n"
"\n"
-"%s"
+"- Save via %s on host: %s\n"
msgstr ""
-"Да се зачуваат промените?\n"
-"Моменталната конфигурација е:\n"
"\n"
-"%s"
+"- Зачувај преку %s на компјутерот: %s\n"
-#: ../../fsedit.pm:1
+#: standalone/drakbackup:2905
#, c-format
-msgid "You can't use ReiserFS for partitions smaller than 32MB"
-msgstr "Не можете да користите ReiserFS за партиции помали од 32MB"
+msgid ""
+"\t\t user name: %s\n"
+"\t\t on path: %s \n"
+msgstr ""
+"\t\t кориничко име: %s\n"
+"\t\t на патека: %s\n"
-#: ../../services.pm:1
-#, fuzzy, c-format
+#: standalone/drakbackup:2906
+#, c-format
msgid ""
-"The rwho protocol lets remote users get a list of all of the users\n"
-"logged into a machine running the rwho daemon (similiar to finger)."
+"\n"
+"- Options:\n"
msgstr ""
-"rwho пртоколот дозволува локалните корисници да имаат пристап до листата на "
-"сите корисници\n"
-" пријавени на компјутерот."
+"\n"
+"- Опции:\n"
-#: ../../network/modem.pm:1 ../../standalone/drakconnect:1
+#: standalone/drakbackup:2907
+#, fuzzy, c-format
+msgid "\tDo not include System Files\n"
+msgstr "\tНе ги вметнувај Систем Датотеките\n"
+
+#: standalone/drakbackup:2910
#, c-format
-msgid "Domain name"
-msgstr "Име на домен"
+msgid "\tBackups use tar and bzip2\n"
+msgstr "\tБекапите користат tar и bzip2\n"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:2912
#, fuzzy, c-format
-msgid "Sharing of local printers"
-msgstr "Локален принтер"
+msgid "\tBackups use tar and gzip\n"
+msgstr "\tЗа бекап корист tar и gzip\n"
-#: ../../security/help.pm:1
+#: standalone/drakbackup:2915
#, c-format
-msgid "Enable/Disable libsafe if libsafe is found on the system."
-msgstr "Дозволи/Забрани libsafe ако libsafe е на системот."
+msgid "\tUse .backupignore files\n"
+msgstr "\tКористење на .backupignore датотеките\n"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:2916
#, c-format
-msgid "Available printers"
-msgstr "Пристапни принтери"
+msgid "\tSend mail to %s\n"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:2917
#, fuzzy, c-format
-msgid "NO"
-msgstr "ИНФО"
+msgid "\tUsing SMTP server %s\n"
+msgstr "На CUPS сервер \"%s\""
-#: ../../diskdrake/hd_gtk.pm:1 ../../diskdrake/interactive.pm:1
+#: standalone/drakbackup:2919
+#, fuzzy, c-format
+msgid ""
+"\n"
+"- Daemon, %s via:\n"
+msgstr ""
+"\n"
+"- Демонот (%s) вклучув:\n"
+
+#: standalone/drakbackup:2920
#, c-format
-msgid "Empty"
-msgstr "Празно"
+msgid "\t-Hard drive.\n"
+msgstr "\t-Тврд диск.\n"
+
+#: standalone/drakbackup:2921
+#, fuzzy, c-format
+msgid "\t-CD-R.\n"
+msgstr "\t-CDROM.\n"
-#: ../../standalone/draksplash:1
+#: standalone/drakbackup:2922
#, c-format
-msgid "text width"
-msgstr "широчина на текстот"
+msgid "\t-Tape \n"
+msgstr "\t-Лента \n"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakbackup:2923
#, c-format
-msgid "Where do you want to mount device %s?"
-msgstr "Каде сакате да го монтирате уредот %s?"
+msgid "\t-Network by FTP.\n"
+msgstr "\t-Мрежа од FTP.\n"
-#: ../../standalone/drakgw:1
+#: standalone/drakbackup:2924
#, fuzzy, c-format
-msgid "The default lease (in seconds)"
-msgstr "Стандардно во секунди"
+msgid "\t-Network by SSH.\n"
+msgstr "\t-Мрежа за SSH.\n"
+
+#: standalone/drakbackup:2925
+#, fuzzy, c-format
+msgid "\t-Network by rsync.\n"
+msgstr "\t-Мрежа од rsync.\n"
-#: ../../network/netconnect.pm:1
+#: standalone/drakbackup:2926
#, fuzzy, c-format
+msgid "\t-Network by webdav.\n"
+msgstr "\t-Мрежа од webdav.\n"
+
+#: standalone/drakbackup:2928
+#, c-format
+msgid "No configuration, please click Wizard or Advanced.\n"
+msgstr "Нема конфигурација, ве молиме кликнете на Волшебник или Напредно.\n"
+
+#: standalone/drakbackup:2933
+#, c-format
msgid ""
-"We are now going to configure the %s connection.\n"
-"\n"
+"List of data to restore:\n"
"\n"
-"Press \"%s\" to continue."
msgstr ""
-"Сега ќе ја конфигурираме конекцијата %s.\n"
+"Листа на податоци за повраќање:\n"
"\n"
+
+#: standalone/drakbackup:2935
+#, fuzzy, c-format
+msgid "- Restore System Files.\n"
+msgstr ""
"\n"
-"Притиснете на Во ред за да продолжиме."
+" Систем Датотеки"
-#: ../../printer/main.pm:1 ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:2937 standalone/drakbackup:2947
#, c-format
-msgid "Interface \"%s\""
-msgstr "Интерфејс \"%s\""
+msgid " - from date: %s %s\n"
+msgstr ""
-#: ../../install_steps_interactive.pm:1
-#, c-format
-msgid "With basic documentation (recommended!)"
-msgstr "Со основна документација (препорачано!)"
+#: standalone/drakbackup:2940
+#, fuzzy, c-format
+msgid "- Restore User Files: \n"
+msgstr ""
+"\n"
+" Кориснички Датотеки"
-#: ../../mouse.pm:1
-#, c-format
-msgid "1 button"
-msgstr "Со 1 копче"
+#: standalone/drakbackup:2945
+#, fuzzy, c-format
+msgid "- Restore Other Files: \n"
+msgstr ""
+"\n"
+" Други Датотеки:\n"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:3121
#, c-format
msgid ""
+"List of data corrupted:\n"
"\n"
-"There are %d unknown printers directly connected to your system"
msgstr ""
+"Листа на оштетени податоци:\n"
"\n"
-" Има %d непознати принтери дирекно поврзани со Вашиот систем"
-#: ../../Xconfig/main.pm:1
+#: standalone/drakbackup:3123
+#, fuzzy, c-format
+msgid "Please uncheck or remove it on next time."
+msgstr "Ве молиме исклучете го или избришете го следниот пат."
+
+#: standalone/drakbackup:3133
#, c-format
-msgid "Test"
-msgstr "Тест"
+msgid "Backup files are corrupted"
+msgstr "Бекап датотеките се оштетени"
-#: ../../lang.pm:1
+#: standalone/drakbackup:3154
+#, fuzzy, c-format
+msgid " All of your selected data have been "
+msgstr "Сите податок "
+
+#: standalone/drakbackup:3155
#, c-format
-msgid "Korea"
-msgstr "Кореа"
+msgid " Successfuly Restored on %s "
+msgstr " Успешно Повратено на %s "
-#: ../../interactive/stdio.pm:1
+#: standalone/drakbackup:3270
#, c-format
-msgid "Your choice? (default `%s'%s) "
-msgstr "Вашиот избор? ('%s'%s е стандарден)"
+msgid " Restore Configuration "
+msgstr " Врати ја Конфигурацијата "
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Raw printer"
-msgstr "Гол принтер"
+#: standalone/drakbackup:3298
+#, c-format
+msgid "OK to restore the other files."
+msgstr "Во ред е да се повратат другите датотеки."
-#: ../../standalone/harddrake2:1
+#: standalone/drakbackup:3316
#, fuzzy, c-format
-msgid "official vendor name of the cpu"
-msgstr "името на производителот на уредот"
+msgid "User list to restore (only the most recent date per user is important)"
+msgstr "Корисник на"
-#: ../../standalone/drakTermServ:1
-#, c-format
-msgid "Useless without Terminal Server"
-msgstr "Најупотребуван без Terminal Сервер "
+#: standalone/drakbackup:3382
+#, fuzzy, c-format
+msgid "Please choose the date to restore:"
+msgstr "изберете ја датата на враќање"
-#: ../../Xconfig/monitor.pm:1 ../../standalone/harddrake2:1
-#, c-format
-msgid "Vendor"
-msgstr "Производител"
+#: standalone/drakbackup:3420
+#, fuzzy, c-format
+msgid "Restore from Hard Disk."
+msgstr "Врати од Тврдиот Диск."
-#: ../../standalone/drakgw:1
-#, c-format
-msgid "Interface %s"
-msgstr "Интерфејс %s"
+#: standalone/drakbackup:3422
+#, fuzzy, c-format
+msgid "Enter the directory where backups are stored"
+msgstr "Одберете директориум каде бекапот ќе биде распакуван"
-#: ../../steps.pm:1
-#, c-format
-msgid "Configure mouse"
-msgstr "Конфигурирај го глушецот"
+#: standalone/drakbackup:3478
+#, fuzzy, c-format
+msgid "Select another media to restore from"
+msgstr "избери друг медиум за враќање од"
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakbackup:3480
#, c-format
-msgid "Choose the mount points"
-msgstr "Изберете ги точките на монтирање"
+msgid "Other Media"
+msgstr "Друг медиум"
-#: ../../help.pm:1 ../../standalone/drakTermServ:1 ../../standalone/drakfont:1
+#: standalone/drakbackup:3485
#, c-format
-msgid "OK"
-msgstr "Во ред"
+msgid "Restore system"
+msgstr "Врати го системот"
-#: ../../keyboard.pm:1
+#: standalone/drakbackup:3486
#, c-format
-msgid "Yugoslavian (latin)"
-msgstr "Југословенска (латиница)"
+msgid "Restore Users"
+msgstr "Поврати корисници"
-#: ../../install_steps_gtk.pm:1 ../../install_steps_interactive.pm:1
+#: standalone/drakbackup:3487
#, c-format
-msgid "Installing"
-msgstr "Инсталирање"
+msgid "Restore Other"
+msgstr "Поврати друг"
-#: ../../mouse.pm:1
+#: standalone/drakbackup:3489
#, fuzzy, c-format
-msgid "Logitech MouseMan with Wheel emulation"
-msgstr "Logitech MouseMan"
+msgid "select path to restore (instead of /)"
+msgstr "одберете ја патеката на враќање"
-#: ../../any.pm:1
+#: standalone/drakbackup:3493
#, c-format
-msgid "Launch userdrake"
-msgstr "Лансирај userdrake"
+msgid "Do new backup before restore (only for incremental backups.)"
+msgstr ""
+"Направи нов бекап пред повраќањето на информации (само за инкрементални "
+"бекапи.)"
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakbackup:3495
#, c-format
-msgid "Is this an install or an upgrade?"
-msgstr "Дали е ова инсталација или надградба?"
+msgid "Remove user directories before restore."
+msgstr "Отстрани ги корисничките директориуми пред повратувањето."
-#: ../../help.pm:1
+#: standalone/drakbackup:3575
+#, fuzzy, c-format
+msgid "Filename text substring to search for (empty string matches all):"
+msgstr "Име на датотеката која се бара (дозволени се џокери)"
+
+#: standalone/drakbackup:3578
#, c-format
-msgid "ISDN card"
-msgstr "ISDN картичка"
+msgid "Search Backups"
+msgstr "Барај бекапи"
-#: ../advertising/02-community.pl:1
+#: standalone/drakbackup:3597
#, fuzzy, c-format
-msgid ""
-"To share your own knowledge and help build Linux software, join our "
-"discussion forums on our \"Community\" webpages."
-msgstr ""
-"За да го поделите Вашето знаење и помошта при градење на Linux софтвер, "
-"приклучете се на наште форуми."
+msgid "No matches found..."
+msgstr "Не е пронајдена слика!"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "\t-Hard drive.\n"
-msgstr "\t-Тврд диск.\n"
+#: standalone/drakbackup:3601
+#, fuzzy, c-format
+msgid "Restore Selected"
+msgstr "Врати\n"
-#: ../../help.pm:1
+#: standalone/drakbackup:3735
#, c-format
msgid ""
-"This step is activated only if an old GNU/Linux partition has been found on\n"
-"your machine.\n"
-"\n"
-"DrakX now needs to know if you want to perform a new install or an upgrade\n"
-"of an existing Mandrake Linux system:\n"
-"\n"
-" * \"%s\": For the most part, this completely wipes out the old system. If\n"
-"you wish to change how your hard drives are partitioned, or change the file\n"
-"system, you should use this option. However, depending on your partitioning\n"
-"scheme, you can prevent some of your existing data from being over-written.\n"
-"\n"
-" * \"%s\": this installation class allows you to update the packages\n"
-"currently installed on your Mandrake Linux system. Your current\n"
-"partitioning scheme and user data is not altered. Most of other\n"
-"configuration steps remain available, similar to a standard installation.\n"
-"\n"
-"Using the ``Upgrade'' option should work fine on Mandrake Linux systems\n"
-"running version \"8.1\" or later. Performing an Upgrade on versions prior\n"
-"to Mandrake Linux version \"8.1\" is not recommended."
+"Click date/time to see backup files.\n"
+"Ctrl-Click files to select multiple files."
msgstr ""
-"Оваа постапка се активира само ако на Вашиот компјутер се најде некоја стара "
-"GNU/Linux партиција.\n"
-"\n"
-"DrakX треба да знае дали ќе поставите нова инсталација или ќе го надградите "
-"постоечкиот Linux систем:\n"
-"\n"
-" * \"%s\": Во најголем број случаеви, ова го брише стариот систем. Ако "
-"сакате да го промените начинот на кој е партициониран Вашиот Тврд диск\n"
-"или да ги промените системските датотеки, треба да ја искористете оваа "
-"опција.\n"
-"\n"
-" * \"%s\": Ова ви овозможува да ги надградите пакетите кои веќе се "
-"инсталирани на Вашиот систем\n"
-"currently installed on your Mandrake Linux system. Your current\n"
-"partitioning scheme and user data is not altered. Most of other\n"
-"configuration steps remain available, similar to a standard installation.\n"
-"\n"
-"�����``Upgrade'' ����should work fine on Mandrake Linux systems\n"
-"running version \"8.1\" or later. Performing an Upgrade on versions prior\n"
-"to Mandrake Linux version \"8.1\" is not recommended."
-#: ../../standalone/drakfont:1
+#: standalone/drakbackup:3741
#, fuzzy, c-format
msgid ""
-"\n"
-" Copyright (C) 2001-2002 by MandrakeSoft \n"
-" DUPONT Sebastien (original version)\n"
-" CHAUMETTE Damien <dchaumette@mandrakesoft.com>\n"
-"\n"
-" This program is free software; you can redistribute it and/or modify\n"
-" it under the terms of the GNU General Public License as published by\n"
-" the Free Software Foundation; either version 2, or (at your option)\n"
-" any later version.\n"
-"\n"
-" This program is distributed in the hope that it will be useful,\n"
-" but WITHOUT ANY WARRANTY; without even the implied warranty of\n"
-" MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n"
-" GNU General Public License for more details.\n"
-"\n"
-" You should have received a copy of the GNU General Public License\n"
-" along with this program; if not, write to the Free Software\n"
-" Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.\n"
-"\n"
-" Thanks:\n"
-" - pfm2afm: \n"
-"\t by Ken Borgendale:\n"
-"\t Convert a Windows .pfm file to a .afm (Adobe Font Metrics)\n"
-" - type1inst:\n"
-"\t by James Macnicol: \n"
-"\t type1inst generates files fonts.dir fonts.scale & Fontmap.\n"
-" - ttf2pt1: \n"
-"\t by Andrew Weeks, Frank Siegert, Thomas Henlich, Sergey Babkin \n"
-" Convert ttf font files to afm and pfb fonts\n"
-msgstr ""
-"\n"
-" Copyright (C) 2001-2002 by MandrakeSoft \n"
-" DUPONT Sebastien (original version)\n"
-" CHAUMETTE Damien <dchaumette@mandrakesoft.com>\n"
-"Оваа програма е слободен софтвер; можете да редистрибуирате и/или "
-"модифицирате\n"
-" под услвите на GNU General Public License, публикувани од Free Software "
-"Foundation;\n"
-" Слободно Софтвер или\n"
-"\n"
-"Оваа програма е дистибуирана со надеж дека ќе биде корисна\n"
-" во\n"
-"\n"
-" или\n"
-" Општо Јавно Лиценца\n"
-"\n"
-" копирај Општо Јавно Лиценца\n"
-" на Слободно Софтвер\n"
-"."
+"Restore Selected\n"
+"Catalog Entry"
+msgstr "Врати\n"
-#: ../../printer/main.pm:1
-#, c-format
-msgid "Printer on remote CUPS server"
-msgstr "Печатач на оддалечен CUPS сервер"
+#: standalone/drakbackup:3750
+#, fuzzy, c-format
+msgid ""
+"Restore Selected\n"
+"Files"
+msgstr "Врати\n"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:3766
#, c-format
msgid ""
-"Failed to remove the printer \"%s\" from Star Office/OpenOffice.org/GIMP."
+"Change\n"
+"Restore Path"
msgstr ""
-"Неуспешно отстранување на принтерот \"%s\" од Star Office/OpenOffice.org/"
-"GIMP."
-
-#: ../../standalone/drakfont:1
-#, c-format
-msgid "here if no."
-msgstr "овде ако не."
+"Промени\n"
+"Врати Патека"
-#: ../../network/network.pm:1
-#, c-format
-msgid "DHCP host name"
-msgstr "DHCP име на хостот"
+#: standalone/drakbackup:3833
+#, fuzzy, c-format
+msgid "Backup files not found at %s."
+msgstr "Датотеки од Сигурносна копија не се најдено во %s."
-#: ../../standalone/drakgw:1
+#: standalone/drakbackup:3846
#, c-format
-msgid "The maximum lease (in seconds)"
-msgstr "Максимален закуп (во секунди)"
+msgid "Restore From CD"
+msgstr "Поврати од CD"
-#: ../../install_steps_interactive.pm:1 ../../standalone/mousedrake:1
-#, c-format
-msgid "Please choose which serial port your mouse is connected to."
-msgstr "Ве молиме изберете на која сериска порта е поврзан вашиот глушец."
+#: standalone/drakbackup:3846
+#, fuzzy, c-format
+msgid ""
+"Insert the CD with volume label %s\n"
+" in the CD drive under mount point /mnt/cdrom"
+msgstr ""
+"Вметни CD јачина s\n"
+" во CD"
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Did it work properly?"
-msgstr "Дали работи како што треба?"
+#: standalone/drakbackup:3848
+#, fuzzy, c-format
+msgid "Not the correct CD label. Disk is labelled %s."
+msgstr "CD s."
-#: ../../fs.pm:1
+#: standalone/drakbackup:3858
#, c-format
-msgid "Mount the file system read-only."
-msgstr "Монтирањето на системската датотека е само за читање."
+msgid "Restore From Tape"
+msgstr "Врати Од Лента"
-#: ../../security/level.pm:1
+#: standalone/drakbackup:3858
#, c-format
-msgid "Poor"
-msgstr "Сиромашно"
+msgid ""
+"Insert the tape with volume label %s\n"
+" in the tape drive device %s"
+msgstr ""
+"Внесете ја лентата насловена %s\n"
+" во лентовниот уред %s"
-#: ../../security/l10n.pm:1
+#: standalone/drakbackup:3860
#, c-format
-msgid "Report check result by mail"
-msgstr "Резултатите од проверките на маил"
+msgid "Not the correct tape label. Tape is labelled %s."
+msgstr "Не точната ознака на лентата. Лентата е означена %s."
-#: ../../lang.pm:1
-#, c-format
-msgid "Grenada"
-msgstr "Гренада"
+#: standalone/drakbackup:3871
+#, fuzzy, c-format
+msgid "Restore Via Network"
+msgstr "Врати"
-#: ../../standalone/drakgw:1
+#: standalone/drakbackup:3871
#, c-format
-msgid "The DHCP start range"
-msgstr "DHCP ранг"
+msgid "Restore Via Network Protocol: %s"
+msgstr "Поврати преку мрежен протокол:%s"
-#: ../../any.pm:1
+#: standalone/drakbackup:3872
#, c-format
-msgid "Unsafe"
-msgstr "Небезбедно"
+msgid "Host Name"
+msgstr "Име на компјутерот"
-#: ../../network/drakfirewall.pm:1
+#: standalone/drakbackup:3873
#, fuzzy, c-format
-msgid "SSH server"
-msgstr "SSH Сервер"
+msgid "Host Path or Module"
+msgstr "Хост Патека или Модул"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakbackup:3880
#, c-format
-msgid ", %s sectors"
-msgstr ", %s сектори"
+msgid "Password required"
+msgstr "Лозинка се бара"
-#: ../../help.pm:1 ../../install_any.pm:1 ../../interactive.pm:1
-#: ../../ugtk2.pm:1 ../../modules/interactive.pm:1
-#: ../../standalone/drakclock:1 ../../standalone/harddrake2:1
+#: standalone/drakbackup:3886
#, c-format
-msgid "No"
-msgstr "Не"
+msgid "Username required"
+msgstr "Потреба од корисничко име"
-#: ../../lang.pm:1
+#: standalone/drakbackup:3889
#, c-format
-msgid "Guadeloupe"
-msgstr "Гвадалупе"
+msgid "Hostname required"
+msgstr "Потребно е Име на компјутерот"
-#: ../../keyboard.pm:1
+#: standalone/drakbackup:3894
#, c-format
-msgid "Kannada"
-msgstr "Канада"
+msgid "Path or Module required"
+msgstr "Потребно е Патека или Модул"
-#: ../../standalone/drakfont:1
+#: standalone/drakbackup:3907
#, c-format
-msgid "could not find any font.\n"
-msgstr "не можам да пронајдам ни еден фонт.\n"
+msgid "Files Restored..."
+msgstr "Повратени датотеки..."
-#: ../../standalone/keyboarddrake:1
+#: standalone/drakbackup:3910
#, c-format
-msgid "Do you want the BackSpace to return Delete in console?"
-msgstr "Дали сакате BackSpace да го врати Delete во конзола?"
+msgid "Restore Failed..."
+msgstr "Враќањето не успеа..."
-#: ../../Xconfig/monitor.pm:1
-#, c-format
-msgid "Vertical refresh rate"
-msgstr "Вертикално освежување"
+#: standalone/drakbackup:4015 standalone/drakbackup:4031
+#, fuzzy, c-format
+msgid "%s not retrieved..."
+msgstr "%s не е најдено...\n"
-#: ../../install_steps_auto_install.pm:1 ../../install_steps_stdio.pm:1
+#: standalone/drakbackup:4155 standalone/drakbackup:4228
#, c-format
-msgid "Entering step `%s'\n"
-msgstr "Премин на чекор \"%s\"\n"
+msgid "Search for files to restore"
+msgstr "Барај кои датотеки да се повратат"
-#: ../../lang.pm:1
+#: standalone/drakbackup:4160
#, fuzzy, c-format
-msgid "Niger"
-msgstr "Нигерија"
+msgid "Restore all backups"
+msgstr "Врати ги сите"
-#: ../../mouse.pm:1
+#: standalone/drakbackup:4169
#, c-format
-msgid "Logitech MouseMan"
-msgstr "Logitech MouseMan"
+msgid "Custom Restore"
+msgstr "Повратување По Избор"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:4174 standalone/drakbackup:4224
#, c-format
-msgid "Removing %s ..."
-msgstr "Отстранување на %s ..."
+msgid "Restore From Catalog"
+msgstr "Врати Од Каталог"
-#: ../../install_steps_interactive.pm:1
-#, c-format
-msgid "No printer"
-msgstr "Нема принтер"
+#: standalone/drakbackup:4196
+#, fuzzy, c-format
+msgid "Unable to find backups to restore...\n"
+msgstr "Ве молиме изберете ги податоците за враќање..."
+
+#: standalone/drakbackup:4197
+#, fuzzy, c-format
+msgid "Verify that %s is the correct path"
+msgstr "Дали се ова точните подесувања?"
-#: ../../standalone/logdrake:1
+#: standalone/drakbackup:4198
#, c-format
-msgid "alert configuration"
+msgid " and the CD is in the drive"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:4200
#, c-format
-msgid "NetWare Printer Options"
-msgstr "NetWare Опции за Печатач"
+msgid "Backups on unmountable media - Use Catalog to restore"
+msgstr ""
-#: ../../standalone/draksplash:1
-#, c-format
-msgid "%s BootSplash (%s) preview"
-msgstr "%s BootSplash (%s) преглед"
+#: standalone/drakbackup:4216
+#, fuzzy, c-format
+msgid "CD in place - continue."
+msgstr "CD во."
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "February"
-msgstr ""
+#: standalone/drakbackup:4221
+#, fuzzy, c-format
+msgid "Browse to new restore repository."
+msgstr "Разгледај на."
-#: ../../standalone/drakfloppy:1
+#: standalone/drakbackup:4258
+#, fuzzy, c-format
+msgid "Restore Progress"
+msgstr "Врати"
+
+#: standalone/drakbackup:4292 standalone/drakbackup:4404
+#: standalone/logdrake:175
+#, fuzzy, c-format
+msgid "Save"
+msgstr "Состојба"
+
+#: standalone/drakbackup:4378
#, c-format
-msgid "General"
-msgstr "Општо"
+msgid "Build Backup"
+msgstr "Направи бекап"
-#: ../../security/l10n.pm:1
+#: standalone/drakbackup:4430 standalone/drakbackup:4829
#, c-format
-msgid "/etc/issue* exist"
-msgstr "/etc/issue* излез"
+msgid "Restore"
+msgstr "Поврати"
-#: ../../steps.pm:1
+#: standalone/drakbackup:4600
#, c-format
-msgid "Add a user"
-msgstr "Додај корисник"
+msgid "The following packages need to be installed:\n"
+msgstr "Следниве пакети мора да се инсталирани:\n"
-#: ../../standalone/drakconnect:1
+#: standalone/drakbackup:4622
#, c-format
-msgid "Network configuration (%d adapters)"
-msgstr "Конфигурација на Мрежа (%d адаптери)"
+msgid "Please select data to restore..."
+msgstr "Ве молиме изберете ги податоците за враќање..."
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "April"
-msgstr "Примени"
+#: standalone/drakbackup:4662
+#, c-format
+msgid "Backup system files"
+msgstr "Сигурносна копија на системски датотеки"
-#: ../../standalone/drakconnect:1
+#: standalone/drakbackup:4665
#, fuzzy, c-format
-msgid "Deactivate now"
-msgstr "деактивирај сега"
+msgid "Backup user files"
+msgstr "Сигурносна копија"
-#: ../../any.pm:1 ../../install_any.pm:1 ../../standalone.pm:1
+#: standalone/drakbackup:4668
#, c-format
-msgid "Mandatory package %s is missing"
-msgstr "Неопходниот пакет %s недостига"
+msgid "Backup other files"
+msgstr "Бекап на други датотеки"
-#: ../../lang.pm:1
+#: standalone/drakbackup:4671 standalone/drakbackup:4707
#, c-format
-msgid "Philippines"
-msgstr "Филипини"
+msgid "Total Progress"
+msgstr "Вкупен Напредок"
-#: ../../interactive.pm:1 ../../ugtk2.pm:1
-#: ../../Xconfig/resolution_and_depth.pm:1 ../../interactive/gtk.pm:1
-#: ../../interactive/http.pm:1 ../../interactive/newt.pm:1
-#: ../../interactive/stdio.pm:1 ../../standalone/drakbackup:1
-#: ../../standalone/drakboot:1 ../../standalone/drakconnect:1
-#: ../../standalone/drakfloppy:1 ../../standalone/drakperm:1
-#: ../../standalone/draksec:1 ../../standalone/mousedrake:1
-#: ../../standalone/net_monitor:1
+#: standalone/drakbackup:4699
#, c-format
-msgid "Ok"
-msgstr "Во ред"
+msgid "Sending files by FTP"
+msgstr "Се испраќаат датотеките преку FTP"
-#: ../../standalone/drakTermServ:1
+#: standalone/drakbackup:4702
#, c-format
-msgid "drakTermServ Overview"
-msgstr ""
+msgid "Sending files..."
+msgstr "Праќа датотеки..."
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:4772
#, c-format
-msgid "Print Queue Name"
-msgstr "Печати ги имињата во Редицата"
+msgid "Backup Now from configuration file"
+msgstr "Направете бекап Сега од конфигурационата датотека"
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakbackup:4777
#, c-format
-msgid "Do you want to use aboot?"
-msgstr "Дали сакате да го користите aboot?"
+msgid "View Backup Configuration."
+msgstr "Приказ на Сигурносна копија на Конфигурација."
-#: ../../keyboard.pm:1
+#: standalone/drakbackup:4803
#, c-format
-msgid "Belarusian"
-msgstr "Белоруска"
+msgid "Wizard Configuration"
+msgstr "Конфигурација со Волшебник"
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid ""
-"PDQ only supports local printers, remote LPD printers, and Socket/TCP "
-"printers.\n"
-msgstr ""
-"PDQ подржава само локални принтери, локални LPD принтери и Socket/TCP "
-"принтери"
+#: standalone/drakbackup:4808
+#, c-format
+msgid "Advanced Configuration"
+msgstr "Напредна Конфигурација"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakbackup:4813
#, c-format
-msgid "Move files to the new partition"
-msgstr "Премести ги датотеките на новата партиција"
+msgid "View Configuration"
+msgstr "Види Конфигурација"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:4817
#, c-format
-msgid ""
-"Add here the CUPS servers whose printers you want to use. You only need to "
-"do this if the servers do not broadcast their printer information into the "
-"local network."
-msgstr ""
-"Овде додадете ги CUPS серверите кои сакате Вашите принтери да ги користат. "
-"Ова е потребно да го направитеYou only need to ако серверите немаат "
-"broadcast."
+msgid "View Last Log"
+msgstr "Види го Последниот Лог"
+
+#: standalone/drakbackup:4822
+#, fuzzy, c-format
+msgid "Backup Now"
+msgstr "Бекап Сега"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:4826
#, fuzzy, c-format
msgid ""
-"\n"
-"Welcome to the Printer Setup Wizard\n"
-"\n"
-"This wizard will help you to install your printer(s) connected to this "
-"computer.\n"
-"\n"
-"Please plug in and turn on all printers connected to this machine so that it/"
-"they can be auto-detected.\n"
-"\n"
-" Click on \"Next\" when you are ready, and on \"Cancel\" if you do not want "
-"to set up your printer(s) now."
+"No configuration file found \n"
+"please click Wizard or Advanced."
msgstr ""
-"\n"
-" Добредојдовте на Волшебник за Подготовка на Печатач\n"
-"Овој волшебник ќе Ви помогне во инсталирањето на Вашиот принтер/и поврзан/и "
-"на овој компјутер.\n"
-"\n"
-" Ако имате принтер/и поврзан/и на компјутерот уклучете го/и за да може/ат "
-"давтоматски да се детектираат.\n"
-"\n"
-" Клинете на \"Следно\" кога сте подготвени или \"Откажи\" ако не сакате сега "
-"да го/и поставите Вашиот/те принтер/и."
+"Не е пронајдена датотеката\n"
+"Ве молиме одберете Волшебник или Напредно."
-#: ../../lang.pm:1
+#: standalone/drakbackup:4858 standalone/drakbackup:4865
#, c-format
-msgid "Pitcairn"
-msgstr "Pitcairn"
+msgid "Drakbackup"
+msgstr "Drakbackup"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "Restore From Catalog"
-msgstr "Врати Од Каталог"
+#: standalone/drakboot:56
+#, fuzzy, c-format
+msgid "Graphical boot theme selection"
+msgstr "Печатач"
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakboot:56
#, c-format
-msgid "IDE"
-msgstr "IDE"
+msgid "System mode"
+msgstr "Системски режим"
-#: ../../fs.pm:1
+#: standalone/drakboot:66 standalone/drakfloppy:46 standalone/harddrake2:97
+#: standalone/harddrake2:98 standalone/logdrake:70 standalone/printerdrake:150
+#: standalone/printerdrake:151 standalone/printerdrake:152
#, c-format
-msgid "mounting partition %s in directory %s failed"
-msgstr "монтирањето на партицијата %s во директориум %s не успеа"
+msgid "/_File"
+msgstr "/_Датотека"
-#: ../../standalone/drakboot:1
+#: standalone/drakboot:67 standalone/drakfloppy:47 standalone/logdrake:76
#, c-format
-msgid "Lilo screen"
-msgstr "Lilo екран"
+msgid "/File/_Quit"
+msgstr "/Датотека/_Напушти"
-#: ../../bootloader.pm:1 ../../help.pm:1
+#: standalone/drakboot:67 standalone/drakfloppy:47 standalone/harddrake2:98
+#: standalone/logdrake:76 standalone/printerdrake:152
#, c-format
-msgid "LILO with graphical menu"
-msgstr "LILO со графичко мени"
+msgid "<control>Q"
+msgstr "<control>Q"
-#: ../../install_steps_gtk.pm:1
+#: standalone/drakboot:118
#, c-format
-msgid "Estimating"
-msgstr "Проценка"
+msgid "Install themes"
+msgstr "Инсталирање теми"
-#: ../../install_steps_gtk.pm:1
+#: standalone/drakboot:119
#, c-format
-msgid "You can't unselect this package. It is already installed"
-msgstr "Не може да не го изберете овој пакет. Веќе е инсталиран"
+msgid "Create new theme"
+msgstr "Креирај нова тема"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakboot:133
#, c-format
-msgid ", printer \"%s\" on SMB/Windows server \"%s\""
-msgstr ", принтер \"%s\" на SMB/Windows сервер \"%s\""
+msgid "Use graphical boot"
+msgstr ""
-#: ../../install_steps_gtk.pm:1 ../../install_steps_interactive.pm:1
+#: standalone/drakboot:138
#, c-format
-msgid "Go on anyway?"
-msgstr "Да продолжиме?"
+msgid ""
+"Your system bootloader is not in framebuffer mode. To activate graphical "
+"boot, select a graphic video mode from the bootloader configuration tool."
+msgstr ""
-#: ../../install_steps_interactive.pm:1
-#, c-format
-msgid "Looking for available packages and rebuilding rpm database..."
-msgstr "Барање достапни пакети и повторно градење на rpm базата..."
+#: standalone/drakboot:145
+#, fuzzy, c-format
+msgid "Theme"
+msgstr "Теми"
-#: ../../standalone/drakbackup:1
+#: standalone/drakboot:147
#, c-format
msgid ""
-"\n"
-" DrakBackup Report \n"
+"Display theme\n"
+"under console"
msgstr ""
-"\n"
-" DrakBackup Извештај \n"
+"Приказ на тема\n"
+"под конзолата"
-#: ../../standalone/drakbackup:1
+#: standalone/drakboot:156
#, c-format
-msgid "Does not appear to be recordable media!"
-msgstr "Изгледа дека нема медиум на кој може да се снима!"
+msgid "Launch the graphical environment when your system starts"
+msgstr "Вклучување на графичката околина по подигање на системот"
-#: ../../modules/interactive.pm:1
+#: standalone/drakboot:164
#, c-format
-msgid "Specify options"
-msgstr "Наведување опции"
+msgid "Yes, I want autologin with this (user, desktop)"
+msgstr "Да, сакам авто-најавување со овој (корисник, околина)"
-#: ../../lang.pm:1
+#: standalone/drakboot:165
#, c-format
-msgid "Vanuatu"
-msgstr "Вануту"
+msgid "No, I don't want autologin"
+msgstr "Не, не сакам авто-најавување"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "New user list:\n"
-msgstr ""
-"\n"
-" Кориснички Датотеки"
+#: standalone/drakboot:171
+#, c-format
+msgid "Default user"
+msgstr "Стандарден корисник"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakboot:172
#, c-format
-msgid "Either the server name or the server's IP must be given!"
-msgstr "Или Името на серверот или неговата IP мора да бидат дадени!"
+msgid "Default desktop"
+msgstr "Стандардна Работна површина"
-#: ../../any.pm:1
+#: standalone/drakboot:236
#, c-format
+msgid "Installation of %s failed. The following error occured:"
+msgstr "Инсталацијата на %s не успеа. Се појавија следниве грешки:"
+
+#: standalone/drakbug:40
+#, fuzzy, c-format
msgid ""
-"A custom bootdisk provides a way of booting into your Linux system without\n"
-"depending on the normal bootloader. This is useful if you don't want to "
-"install\n"
-"SILO on your system, or another operating system removes SILO, or SILO "
-"doesn't\n"
-"work with your hardware configuration. A custom bootdisk can also be used "
-"with\n"
-"the Mandrake rescue image, making it much easier to recover from severe "
-"system\n"
-"failures.\n"
-"\n"
-"If you want to create a bootdisk for your system, insert a floppy in the "
-"first\n"
-"drive and press \"Ok\"."
+"To submit a bug report, click on the button report.\n"
+"This will open a web browser window on %s\n"
+" where you'll find a form to fill in. The information displayed above will "
+"be \n"
+"transferred to that server."
msgstr ""
-"Посебната дискета за подигање претставува начин на подигање на Линукс\n"
-"системот без обичен подигач. Ова е корисно ако не сакате да го инсталирате\n"
-"SILO на системот, или ако друг оперативен систем го отстрани SILO, или\n"
-"ако сило не работи со конфигурацијата на Вашиот хардвер. Посебната дискета\n"
-"за подигање може исто така да се користи и со Mandrake имиџ за спасување \n"
-"(rescue image), со што опоравувањето до системски хаварии е многу полесно.\n"
"\n"
-"Ако сакате да создадете посебна дискета за подигање на Вашиот систем, "
-"внесете\n"
-"една дискета во првиот дискетен уред и притиснете \"Во ред\"."
+"\n"
+" До Вклучено\n"
+" Вклучено\n"
+" на во\n"
+" на\n"
-#: ../../fsedit.pm:1
+#: standalone/drakbug:48
#, c-format
-msgid "You can't use an encrypted file system for mount point %s"
-msgstr "Не може да користите криптиран фајлсистем за точката на монтирање %s"
+msgid "Mandrake Bug Report Tool"
+msgstr "Mandrake Bug Report алатка"
+
+#: standalone/drakbug:53
+#, fuzzy, c-format
+msgid "Mandrake Control Center"
+msgstr "Mandrake контролен центар"
-#: ../../security/help.pm:1
+#: standalone/drakbug:55
#, c-format
-msgid "Set the password history length to prevent password reuse."
-msgstr ""
+msgid "Synchronization tool"
+msgstr "Алатка за синхронизација"
-#: ../../lang.pm:1
+#: standalone/drakbug:56 standalone/drakbug:70 standalone/drakbug:204
+#: standalone/drakbug:206 standalone/drakbug:210
#, c-format
-msgid "Norfolk Island"
-msgstr "Норфолк Остров"
+msgid "Standalone Tools"
+msgstr "Самостојни Алатки"
-#: ../../standalone/drakboot:1
+#: standalone/drakbug:57
#, c-format
-msgid "Theme installation failed!"
-msgstr "Неуспешна инсталација на тема!"
+msgid "HardDrake"
+msgstr "HardDrake"
-#: ../../fsedit.pm:1
+#: standalone/drakbug:58
#, c-format
-msgid "Nothing to do"
-msgstr "Не прави ништо"
+msgid "Mandrake Online"
+msgstr "Mandrake Online"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakbug:59
#, c-format
-msgid "Use for loopback"
-msgstr "Користи за loopback"
+msgid "Menudrake"
+msgstr "Menudrake"
-#: ../../standalone/drakbug:1
+#: standalone/drakbug:60
#, c-format
-msgid "Mandrake Bug Report Tool"
-msgstr "Mandrake Bug Report алатка"
+msgid "Msec"
+msgstr "Msec"
+
+#: standalone/drakbug:61
+#, fuzzy, c-format
+msgid "Remote Control"
+msgstr "Локална Контрола"
+
+#: standalone/drakbug:62
+#, fuzzy, c-format
+msgid "Software Manager"
+msgstr "Софтвер Менаџер"
-#: ../../standalone/printerdrake:1
+#: standalone/drakbug:63
#, c-format
-msgid "Apply filter"
-msgstr ""
+msgid "Urpmi"
+msgstr "Urpmi"
-#: ../../network/adsl.pm:1
+#: standalone/drakbug:64
#, c-format
-msgid "use pppoe"
-msgstr "користи pppoe"
+msgid "Windows Migration tool"
+msgstr "Алатка за миграција на Прозорци"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakbug:65
#, c-format
-msgid "Moving files to the new partition"
-msgstr "Преместување на датотеките на новата партиција"
+msgid "Userdrake"
+msgstr "Userdrake"
-#: ../../Xconfig/card.pm:1
+#: standalone/drakbug:66
#, c-format
-msgid "XFree %s with EXPERIMENTAL 3D hardware acceleration"
-msgstr "XFree %s со ЕКСПЕРИМЕНТАЛНО 3D хардверскo забрзување"
+msgid "Configuration Wizards"
+msgstr "Конфигурационен Волшебник"
-#: ../../help.pm:1 ../../interactive.pm:1
+#: standalone/drakbug:84
#, c-format
-msgid "Advanced"
-msgstr "Напредно"
+msgid ""
+"To submit a bug report, click the report button, which will open your "
+"default browser\n"
+"to Anthill where you will be able to upload the above information as a bug "
+"report."
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbug:102
#, c-format
-msgid "Transfer"
-msgstr "Пренос"
+msgid "Application:"
+msgstr "Апликација:"
-#: ../../keyboard.pm:1
+#: standalone/drakbug:103 standalone/drakbug:115
#, c-format
-msgid "Dvorak (Swedish)"
-msgstr "Дворак (Шведска)"
+msgid "Package: "
+msgstr "Пакет:"
-#: ../../lang.pm:1
+#: standalone/drakbug:104
+#, fuzzy, c-format
+msgid "Kernel:"
+msgstr "Кернел:"
+
+#: standalone/drakbug:105 standalone/drakbug:116
#, c-format
-msgid "Afghanistan"
-msgstr "Авганистански"
+msgid "Release: "
+msgstr "Серија:"
-#: ../../standalone/drakbackup:1
+#: standalone/drakbug:110
#, c-format
-msgid "More Options"
-msgstr "Повеќе Опции"
+msgid ""
+"Application Name\n"
+"or Full Path:"
+msgstr ""
+
+#: standalone/drakbug:113
+#, fuzzy, c-format
+msgid "Find Package"
+msgstr "%d пакети"
-#: ../../standalone/drakbackup:1
+#: standalone/drakbug:117
+#, fuzzy, c-format
+msgid "Summary: "
+msgstr "Резултати"
+
+#: standalone/drakbug:129
#, c-format
-msgid "Delete Hard Drive tar files after backup to other media."
-msgstr "Избриши ги tar датотеките од Тврдиот Диск после бекап на друг медиум."
+msgid "YOUR TEXT HERE"
+msgstr ""
-#: ../../lang.pm:1
+#: standalone/drakbug:132
#, c-format
-msgid "Burundi"
-msgstr "Бурунди"
+msgid "Bug Description/System Information"
+msgstr ""
-#: ../../services.pm:1
+#: standalone/drakbug:136
#, fuzzy, c-format
-msgid ""
-"cron is a standard UNIX program that runs user-specified programs\n"
-"at periodic scheduled times. vixie cron adds a number of features to the "
-"basic\n"
-"UNIX cron, including better security and more powerful configuration options."
+msgid "Submit kernel version"
+msgstr "верзија на јадрото"
+
+#: standalone/drakbug:137
+#, c-format
+msgid "Submit cpuinfo"
msgstr ""
-"cron е стандардна UNIX програма кој ги стартува специфираните кориснички "
-"програми\n"
-"во определено време. vixie cron додава бројки на основна на\n"
-"UNIX cron, вклучувајќи и подобра сигурност и многу помоќни опции за "
-"конфигурација."
-#: ../../standalone/drakTermServ:1
+#: standalone/drakbug:138
#, c-format
-msgid "Add Client -->"
-msgstr "Додај Клиент -->"
+msgid "Submit lspci"
+msgstr ""
-#: ../../diskdrake/hd_gtk.pm:1 ../../diskdrake/interactive.pm:1
+#: standalone/drakbug:159
#, c-format
-msgid "Read carefully!"
-msgstr "Внимателно прочитајте!"
+msgid "Report"
+msgstr "Извештај"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "RW"
-msgstr "RW"
+#: standalone/drakbug:219
+#, c-format
+msgid "Not installed"
+msgstr "Не е инсталиран"
-#: ../../standalone/drakxtv:1
-#, fuzzy, c-format
-msgid ""
-"Please,\n"
-"type in your tv norm and country"
+#: standalone/drakbug:231
+#, c-format
+msgid "Package not installed"
+msgstr "Пакетот не е инсталиран"
+
+#: standalone/drakbug:248
+#, c-format
+msgid "NOT FOUND"
msgstr ""
-"Ве молиме,\n"
-" Вашата земја за ТВ"
-#: ../../printer/printerdrake.pm:1 ../../standalone/harddrake2:1
+#: standalone/drakbug:259
#, fuzzy, c-format
-msgid "Port"
-msgstr "Порт"
+msgid "connecting to %s ..."
+msgstr "се поврзувам со Bugzilla волшебникот ..."
-#: ../../standalone/drakgw:1
+#: standalone/drakbug:267
#, fuzzy, c-format
-msgid "No (experts only)"
-msgstr "Не (само за експерти)"
+msgid "No browser available! Please install one"
+msgstr "Не пости пребарувач! Ве молиме инсталирајте некој"
-#: ../../standalone/drakTermServ:1
+#: standalone/drakbug:286
#, fuzzy, c-format
-msgid "No kernel selected!"
-msgstr "Нема селектирано Кернел!"
+msgid "Please enter a package name."
+msgstr "Внесете корисничко име"
-#. -PO: these messages will be displayed at boot time in the BIOS, use only ASCII (7bit)
-#. -PO: and keep them smaller than 79 chars long
-#: ../../bootloader.pm:1
+#: standalone/drakbug:292
#, c-format
-msgid "Press enter to boot the selected OS, 'e' to edit the"
-msgstr "Pritisnete Enter za da podignete od izbraniot OS, 'e' za editiranje"
+msgid "Please enter summary text."
+msgstr ""
-#: ../../standalone/drakperm:1
-#, c-format
-msgid "Set-GID"
-msgstr "Set-GID"
+#: standalone/drakclock:29
+#, fuzzy, c-format
+msgid "DrakClock"
+msgstr "Drakbackup"
+
+#: standalone/drakclock:36
+#, fuzzy, c-format
+msgid "Change Time Zone"
+msgstr "Часовна зона"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakclock:42
#, c-format
-msgid "The encryption keys do not match"
-msgstr "Криптирачките клучеви не се совпаѓаат"
+msgid "Timezone - DrakClock"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakclock:44
#, c-format
-msgid ""
-"For a multisession CD, only the first session will erase the cdrw. Otherwise "
-"the cdrw is erased before each backup."
+msgid "GMT - DrakClock"
msgstr ""
-#: ../../printer/main.pm:1
+#: standalone/drakclock:44
#, fuzzy, c-format
-msgid "USB printer"
-msgstr "USB принтер"
+msgid "Is your hardware clock set to GMT?"
+msgstr "Хардверски часовник наместен според GMT"
-#: ../../keyboard.pm:1
-#, c-format
-msgid "Right \"Windows\" key"
-msgstr "Десното \"Windows\"-копче"
+#: standalone/drakclock:71
+#, fuzzy, c-format
+msgid "Network Time Protocol"
+msgstr "Мрежен Интерфејс"
-#: ../../security/help.pm:1
+#: standalone/drakclock:73
#, c-format
-msgid "if set to yes, check empty password in /etc/shadow."
-msgstr "ако е поставено да, провери ја празната лозинка во /etc/shadow."
-
-#: ../../help.pm:1
-#, fuzzy, c-format
msgid ""
-"Before continuing, you should carefully read the terms of the license. It\n"
-"covers the entire Mandrake Linux distribution. If you do agree with all the\n"
-"terms in it, check the \"%s\" box. If not, simply turn off your computer."
+"Your computer can synchronize its clock\n"
+" with a remote time server using NTP"
msgstr ""
-"Пред да продолжите, внимателно прочитајте ги условите на лиценцата. Таа\n"
-"ја покрива целата дистрибуција на Мандрак Линукс, и ако не се согласувате\n"
-"со сите услови во неа, притиснете на копчето \"Одбиј\", по што "
-"инсталацијата\n"
-"веднаш ќе биде прекината. За да продолжите со инсталирањето, притиснете на\n"
-"копчето \"Прифати\"."
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakclock:74
#, fuzzy, c-format
-msgid ""
-"Here is a list of the available printing options for the current printer:\n"
-"\n"
-msgstr "Ова е листата на достапни опции за овој принтер:\n"
+msgid "Enable Network Time Protocol"
+msgstr "Поврати преку мрежен протокол:%s"
-#: ../../Xconfig/resolution_and_depth.pm:1
-#, c-format
-msgid "Resolutions"
-msgstr "Резолуции"
+#: standalone/drakclock:82
+#, fuzzy, c-format
+msgid "Server:"
+msgstr "Сервер: "
-#: ../../network/drakfirewall.pm:1
+#: standalone/drakclock:125 standalone/drakclock:137
#, fuzzy, c-format
+msgid "Reset"
+msgstr "Одбиј"
+
+#: standalone/drakclock:200
+#, c-format
msgid ""
-"drakfirewall configurator\n"
+"We need to install ntp package\n"
+" to enable Network Time Protocol\n"
"\n"
-"This configures a personal firewall for this Mandrake Linux machine.\n"
-"For a powerful and dedicated firewall solution, please look to the\n"
-"specialized MandrakeSecurity Firewall distribution."
+"Do you want to install ntp ?"
msgstr ""
-"drakfirewall конфигуратор\n"
-"\n"
-"Ова конфигурира личен firewall за оваа Мандрак Линукс машина.\n"
-"За можно наменско firewall решение, видете ја специјализираната\n"
-"MandrakeSecurity Firewall дистрибуција."
-#: ../../diskdrake/smbnfs_gtk.pm:1
+#: standalone/drakconnect:78
#, c-format
-msgid ""
-"Please enter your username, password and domain name to access this host."
-msgstr "Внесете го Вашето корисничко име, лозинка и име на домен за пристап."
+msgid "Network configuration (%d adapters)"
+msgstr "Конфигурација на Мрежа (%d адаптери)"
-#: ../../standalone/scannerdrake:1
+#: standalone/drakconnect:89 standalone/drakconnect:686
#, fuzzy, c-format
-msgid "Remove selected host"
-msgstr "Отстрани го хостот"
+msgid "Gateway:"
+msgstr "Gateway:"
-#: ../../network/netconnect.pm:1
+#: standalone/drakconnect:89 standalone/drakconnect:686
+#, c-format
+msgid "Interface:"
+msgstr "Интерфејс:"
+
+#: standalone/drakconnect:93 standalone/net_monitor:105
#, fuzzy, c-format
-msgid "Network configuration"
-msgstr "Конфигурација на Мрежа"
+msgid "Wait please"
+msgstr "Почекајте"
-#: ../../standalone/harddrake2:1
+#: standalone/drakconnect:113
#, c-format
-msgid "/Autodetect _jaz drives"
-msgstr "/Автодетектирани _jaz уреди"
+msgid "Interface"
+msgstr "Интерфејс"
+
+#: standalone/drakconnect:113 standalone/drakconnect:502
+#: standalone/drakvpn:1136
+#, fuzzy, c-format
+msgid "Protocol"
+msgstr "Протокол"
+
+#: standalone/drakconnect:113
+#, fuzzy, c-format
+msgid "Driver"
+msgstr "Драјвер"
-#: ../../any.pm:1
+#: standalone/drakconnect:113
#, c-format
-msgid "No sharing"
-msgstr "Без споделување (sharing)"
+msgid "State"
+msgstr "Состојба"
-#: ../../standalone/drakperm:1
+#: standalone/drakconnect:130
#, fuzzy, c-format
-msgid "Move selected rule down one level"
-msgstr "Надолу"
+msgid "Hostname: "
+msgstr "Име на компјутер "
-#: ../../common.pm:1
+#: standalone/drakconnect:132
#, c-format
-msgid "TB"
-msgstr "TB"
+msgid "Configure hostname..."
+msgstr "Конфигурирај го името на хостот..."
-#: ../../standalone/drakbackup:1
+#: standalone/drakconnect:146 standalone/drakconnect:727
#, c-format
-msgid "FATAL"
-msgstr "ФАТАЛНА"
+msgid "LAN configuration"
+msgstr "LAN конфигурација"
-#: ../../standalone/printerdrake:1
+#: standalone/drakconnect:151
#, fuzzy, c-format
-msgid "Refresh the list"
-msgstr "Отстрани го последниот"
+msgid "Configure Local Area Network..."
+msgstr "Конфигурирај Локален Мрежа."
-#: ../../standalone/drakTermServ:1
+#: standalone/drakconnect:159 standalone/drakconnect:228
+#: standalone/drakconnect:232
#, c-format
-msgid ""
-" - Per client %s:\n"
-" \tThrough clusternfs, each diskless client can have its own unique "
-"configuration files\n"
-" \ton the root filesystem of the server. By allowing local client "
-"hardware configuration, \n"
-" \tdrakTermServ will help create these files."
-msgstr ""
+msgid "Apply"
+msgstr "Примени"
-#: ../../standalone/drakpxe:1
+#: standalone/drakconnect:254 standalone/drakconnect:263
+#: standalone/drakconnect:277 standalone/drakconnect:283
+#: standalone/drakconnect:293 standalone/drakconnect:294
+#: standalone/drakconnect:540
#, c-format
-msgid ""
-"The DHCP server will allow other computer to boot using PXE in the given "
-"range of address.\n"
-"\n"
-"The network address is %s using a netmask of %s.\n"
-"\n"
+msgid "TCP/IP"
msgstr ""
-#: ../../diskdrake/hd_gtk.pm:1 ../../diskdrake/interactive.pm:1
-#: ../../standalone/drakperm:1 ../../standalone/printerdrake:1
-#, c-format
-msgid "Delete"
-msgstr "Избриши"
+#: standalone/drakconnect:254 standalone/drakconnect:263
+#: standalone/drakconnect:277 standalone/drakconnect:421
+#: standalone/drakconnect:425 standalone/drakconnect:540
+#, fuzzy, c-format
+msgid "Account"
+msgstr "За"
-#: ../../Xconfig/various.pm:1
+#: standalone/drakconnect:283 standalone/drakconnect:347
+#: standalone/drakconnect:348 standalone/drakconnect:540
#, c-format
-msgid ""
-"I can setup your computer to automatically start the graphical interface "
-"(XFree) upon booting.\n"
-"Would you like XFree to start when you reboot?"
+msgid "Wireless"
msgstr ""
-"Вашиот компјутер може автоматски да го вклучи графичкиот интерфејс (XFree) "
-"при подигање.\n"
-"Дали го сакате тоа?"
-
-#: ../../standalone/drakfloppy:1
-#, c-format
-msgid "Build the disk"
-msgstr "Направи диск"
-#: ../../standalone/net_monitor:1
+#: standalone/drakconnect:325
#, fuzzy, c-format
-msgid "Disconnect %s"
-msgstr "Исклучи се"
+msgid "DNS servers"
+msgstr "DNS сервер"
-#: ../../standalone/drakconnect:1
+#: standalone/drakconnect:332
#, fuzzy, c-format
-msgid "Status:"
-msgstr "Статус:"
+msgid "Search Domain"
+msgstr "NIS Домен"
-#: ../../network/network.pm:1
-#, c-format
-msgid "HTTP proxy"
-msgstr "HTTP прокси"
+#: standalone/drakconnect:338
+#, fuzzy, c-format
+msgid "static"
+msgstr "Автоматска IP"
-#: ../../standalone/logdrake:1
-#, c-format
-msgid "SSH Server"
-msgstr "SSH Сервер"
+#: standalone/drakconnect:338
+#, fuzzy, c-format
+msgid "dhcp"
+msgstr "користи dhcp"
-#: ../../standalone/drakbackup:1
+#: standalone/drakconnect:457
#, fuzzy, c-format
-msgid "\t-Network by rsync.\n"
-msgstr "\t-Мрежа од rsync.\n"
+msgid "Flow control"
+msgstr "<control>S"
-#: ../../network/isdn.pm:1
+#: standalone/drakconnect:458
#, fuzzy, c-format
-msgid "European protocol"
-msgstr "Европски протокол"
+msgid "Line termination"
+msgstr "Интернет"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakconnect:463
#, c-format
-msgid ", printer \"%s\" on server \"%s\""
-msgstr ", принтер \"%s\" на сервер \"%s\""
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Note that currently all 'net' media also use the hard drive."
+msgid "Tone dialing"
msgstr ""
-"во\n"
-"\n"
-" Забелешка."
-#: ../../fsedit.pm:1 ../../install_steps_interactive.pm:1
-#: ../../install_steps.pm:1 ../../diskdrake/dav.pm:1
-#: ../../diskdrake/hd_gtk.pm:1 ../../diskdrake/interactive.pm:1
-#: ../../diskdrake/smbnfs_gtk.pm:1 ../../interactive/http.pm:1
-#: ../../standalone/drakauth:1 ../../standalone/drakboot:1
-#: ../../standalone/drakbug:1 ../../standalone/drakconnect:1
-#: ../../standalone/drakfloppy:1 ../../standalone/drakfont:1
-#: ../../standalone/draksplash:1 ../../../move/move.pm:1
+#: standalone/drakconnect:463
#, c-format
-msgid "Error"
-msgstr "Грешка"
+msgid "Pulse dialing"
+msgstr ""
-#: ../../any.pm:1
-#, c-format
-msgid "allow \"su\""
-msgstr "дозволен \"su\""
+#: standalone/drakconnect:468
+#, fuzzy, c-format
+msgid "Use lock file"
+msgstr "Избор на датотека"
-#: ../../lang.pm:1 ../../standalone/drakxtv:1
+#: standalone/drakconnect:471
#, fuzzy, c-format
-msgid "Australia"
-msgstr "Австралија"
+msgid "Modem timeout"
+msgstr "Пауза пред подигање на кернел"
-#: ../../standalone/drakfont:1
+#: standalone/drakconnect:475
#, c-format
-msgid "please wait during ttmkfdir..."
-msgstr "Ве молиме почекајте..."
+msgid "Wait for dialup tone before dialing"
+msgstr ""
-#: ../../Xconfig/card.pm:1
-#, c-format
-msgid "Configure only card \"%s\"%s"
-msgstr "Само конфигурација на картичката \"%s\"%s"
+#: standalone/drakconnect:478
+#, fuzzy, c-format
+msgid "Busy wait"
+msgstr "Кувајт"
-#: ../../standalone/harddrake2:1
+#: standalone/drakconnect:482
#, fuzzy, c-format
-msgid "Level"
-msgstr "Ниво"
+msgid "Modem sound"
+msgstr "Модем"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakconnect:483
#, fuzzy, c-format
-msgid "Change the printing system"
-msgstr "Промени го системот за печатење"
+msgid "Enable"
+msgstr "овозможи"
-#: ../../Xconfig/card.pm:1
+#: standalone/drakconnect:483
#, fuzzy, c-format
-msgid ""
-"Your system supports multiple head configuration.\n"
-"What do you want to do?"
-msgstr ""
-"Вашиот систем поддржува повеќе монитори.\n"
-"Што сакате да направите?"
+msgid "Disable"
+msgstr "неовозможено"
-#: ../../partition_table.pm:1
+#: standalone/drakconnect:522 standalone/harddrake2:58
#, c-format
-msgid "mount failed: "
-msgstr "монтирањето неуспешно:"
+msgid "Media class"
+msgstr "Класа на медиумот"
-#: ../../steps.pm:1
-#, fuzzy, c-format
-msgid "Configure services"
-msgstr "Конфигурирај ги сервисите"
+#: standalone/drakconnect:523 standalone/drakfloppy:140
+#, c-format
+msgid "Module name"
+msgstr "Име на Модулот"
-#: ../../standalone/drakTermServ:1
+#: standalone/drakconnect:524
#, fuzzy, c-format
-msgid "Broadcast Address:"
+msgid "Mac Address"
msgstr "Пренеси Адреса:"
-#: ../../standalone/harddrake2:1
+#: standalone/drakconnect:525 standalone/harddrake2:21
#, c-format
-msgid ""
-"the GNU/Linux kernel needs to run a calculation loop at boot time to "
-"initialize a timer counter. Its result is stored as bogomips as a way to "
-"\"benchmark\" the cpu."
-msgstr ""
+msgid "Bus"
+msgstr "Магистрала"
-#: ../../any.pm:1
+#: standalone/drakconnect:526 standalone/harddrake2:29
#, c-format
-msgid "Image"
-msgstr "Image"
-
-#: ../../services.pm:1
-#, fuzzy, c-format
-msgid "Remote Administration"
-msgstr "Локална Администрација"
+msgid "Location on the bus"
+msgstr "Локација на магистралата"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakconnect:587
#, c-format
-msgid "Failed to add the printer \"%s\" to Star Office/OpenOffice.org/GIMP."
+msgid ""
+"An unexpected error has happened:\n"
+"%s"
msgstr ""
-"Неуспешно додавање на принтерот \"%s\" во to Star Office/OpenOffice.org/GIMP."
-#: ../../modules.pm:1
-#, c-format
-msgid ""
-"PCMCIA support no longer exists for 2.2 kernels. Please use a 2.4 kernel."
-msgstr "PCMCIA поддршката веќе не постои за 2.2 кернели. Користете 2.4 кернел."
+#: standalone/drakconnect:597
+#, fuzzy, c-format
+msgid "Remove a network interface"
+msgstr "Изберете го мрежниот интерфејс"
-#: ../../standalone/drakfont:1
-#, c-format
-msgid "Selected All"
-msgstr "Слектирани сите"
+#: standalone/drakconnect:601
+#, fuzzy, c-format
+msgid "Select the network interface to remove:"
+msgstr "Изберете го мрежниот интерфејс"
-#: ../../printer/data.pm:1
+#: standalone/drakconnect:617
#, fuzzy, c-format
-msgid "CUPS - Common Unix Printing System"
-msgstr "CUPS - Common Unix Систем за Печатење"
+msgid ""
+"An error occured while deleting the \"%s\" network interface:\n"
+"\n"
+"%s"
+msgstr ""
+"Се случи проблем при рестартирање на мрежата: \n"
+"\n"
+"%s"
-#: ../../standalone/logdrake:1
+#: standalone/drakconnect:619
#, c-format
-msgid "Webmin Service"
-msgstr "Webmin Сервис"
+msgid ""
+"Congratulations, the \"%s\" network interface has been succesfully deleted"
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakconnect:636
#, c-format
-msgid "device"
-msgstr "уред"
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Enter the directory to save to:"
-msgstr "Внесете директориум за зачувување на:"
+msgid "No Ip"
+msgstr ""
-#: ../../crypto.pm:1 ../../lang.pm:1
+#: standalone/drakconnect:637
#, c-format
-msgid "Greece"
-msgstr "Грција"
+msgid "No Mask"
+msgstr "Без маска"
-#: ../../install_steps_interactive.pm:1 ../../standalone/drakxtv:1
+#: standalone/drakconnect:638 standalone/drakconnect:798
#, c-format
-msgid "All"
-msgstr "Сите"
+msgid "up"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakconnect:638 standalone/drakconnect:798
#, fuzzy, c-format
-msgid "Which printing system (spooler) do you want to use?"
-msgstr "Кој систем за печатење сакате да го користете?"
+msgid "down"
+msgstr "направено"
-#: ../../standalone/drakbackup:1
+#: standalone/drakconnect:677 standalone/net_monitor:415
#, fuzzy, c-format
-msgid "July"
-msgstr "на час"
+msgid "Connected"
+msgstr "Поврзан"
-#: ../../printer/main.pm:1
-#, fuzzy, c-format
-msgid "Prints into %s"
-msgstr ", печатење на %s"
+#: standalone/drakconnect:677 standalone/net_monitor:415
+#, c-format
+msgid "Not connected"
+msgstr "Не е поврзан"
-#: ../../install_steps_interactive.pm:1 ../../../move/move.pm:1
+#: standalone/drakconnect:678
#, c-format
-msgid "An error occurred"
-msgstr "Се случи грешка"
+msgid "Disconnect..."
+msgstr "Откачи..."
-#: ../../install_steps_gtk.pm:1
+#: standalone/drakconnect:678
#, c-format
+msgid "Connect..."
+msgstr "Поврзан..."
+
+#: standalone/drakconnect:707
+#, fuzzy, c-format
msgid ""
-"This package must be upgraded.\n"
-"Are you sure you want to deselect it?"
+"Warning, another Internet connection has been detected, maybe using your "
+"network"
msgstr ""
-"Овој пакет мора да се надгради (upgrade).\n"
-"Дали сте сигурни дека сакате да не го изберете?"
+"Внимание, детектирана е друга Интернет конекција, која ја користи Вашата "
+"мрежа"
-#: ../../keyboard.pm:1
+#: standalone/drakconnect:723
#, fuzzy, c-format
-msgid "Tamil (Typewriter-layout)"
-msgstr "Ерменска (машина)"
+msgid "Deactivate now"
+msgstr "деактивирај сега"
-#: ../../security/help.pm:1
-#, c-format
-msgid "Use password to authenticate users."
-msgstr "Користи лозинка за препознавање на корисниците"
+#: standalone/drakconnect:723
+#, fuzzy, c-format
+msgid "Activate now"
+msgstr "активирај сега"
-#: ../../security/help.pm:1
+#: standalone/drakconnect:731
#, c-format
msgid ""
-"Allow/Forbid the list of users on the system on display managers (kdm and "
-"gdm)."
-msgstr "Дозволи/Забрани листа на корисници на дисплеј менаџерот(kdm and gdm)."
+"You don't have any configured interface.\n"
+"Configure them first by clicking on 'Configure'"
+msgstr ""
+"Немате ниту еден конфигуриран интерфејс.\n"
+"Најпрво ги конфигурирајте со притискање на 'Configure'"
-#: ../../standalone/drakautoinst:1
+#: standalone/drakconnect:745
#, c-format
-msgid "manual"
-msgstr "рачно"
+msgid "LAN Configuration"
+msgstr "Конфигурација на LAN"
-#: ../../standalone/drakbackup:1
+#: standalone/drakconnect:757
#, fuzzy, c-format
-msgid "Filename text to search for:"
-msgstr "Име на датотеката која се бара (дозволени се џокери)"
+msgid "Adapter %s: %s"
+msgstr "Адаптер %s: %s"
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Printer manufacturer, model, driver"
-msgstr "Печатач, модел, драјвер"
+#: standalone/drakconnect:766
+#, c-format
+msgid "Boot Protocol"
+msgstr "Подигачки протокол"
-#: ../../standalone/drakfloppy:1
+#: standalone/drakconnect:767
+#, c-format
+msgid "Started on boot"
+msgstr "Покренато при стартување"
+
+#: standalone/drakconnect:803
#, fuzzy, c-format
msgid ""
-"There is no medium or it is write-protected for device %s.\n"
-"Please insert one."
+"This interface has not been configured yet.\n"
+"Run the \"Add an interface\" assistant from the Mandrake Control Center"
msgstr ""
-"Нема медиум или тој е заштитен за пишување од уредот %s.\n"
-"Ве молиме ставете друг."
+"овој интерфејс не е конфигуриран.\n"
+" Стартувај го волшебникот за конфгурација."
-#: ../../diskdrake/interactive.pm:1
-#, c-format
+#: standalone/drakconnect:858
+#, fuzzy, c-format
msgid ""
-"Directory %s already contains data\n"
-"(%s)"
+"You don't have any configured Internet connection.\n"
+"Please run \"Internet access\" in control center."
msgstr ""
-"Директориумот %s веќе содржи податоци\n"
-"(%s)"
-
-#: ../../printer/main.pm:1
-#, fuzzy, c-format
-msgid "Printer on NetWare server"
-msgstr "Печатач Вклучено"
+"Немате Интернет конекција\n"
+" Создадете една притискакчи на 'Конфигурирај'"
-#: ../../any.pm:1
+#: standalone/drakconnect:866
#, c-format
-msgid "Give the ram size in MB"
-msgstr "Количество РАМ во МБ"
+msgid "Internet connection configuration"
+msgstr "Конфигурација на Интернет конекција"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Friday"
-msgstr "примарен"
+#: standalone/drakconnect:907
+#, c-format
+msgid "Provider dns 1 (optional)"
+msgstr "Провајдер dns 1 (опција)"
-#: ../../standalone/net_monitor:1
+#: standalone/drakconnect:908
#, c-format
-msgid "Disconnection from Internet complete."
-msgstr "Исклучувањето од Интернет е комплетно"
+msgid "Provider dns 2 (optional)"
+msgstr "dns Провајдер 2 (опционо)"
-#: ../../any.pm:1
+#: standalone/drakconnect:921
#, c-format
-msgid "Real name"
-msgstr "Вистинско име"
+msgid "Ethernet Card"
+msgstr "Мрежна картичка"
-#: ../../standalone/drakfont:1
+#: standalone/drakconnect:922
#, c-format
-msgid "done"
-msgstr "направено"
+msgid "DHCP Client"
+msgstr "DHCP клиент"
-#: ../../standalone/drakbackup:1
+#: standalone/drakconnect:951
#, fuzzy, c-format
-msgid "Please uncheck or remove it on next time."
-msgstr "Ве молиме исклучете го или избришете го следниот пат."
+msgid "Internet Connection Configuration"
+msgstr "Конфигурација на Интернет Конекција"
-#: ../../security/level.pm:1
+#: standalone/drakconnect:952
#, c-format
-msgid "Higher"
-msgstr "Повисоко"
+msgid "Internet access"
+msgstr "Интернет пристап"
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakconnect:954 standalone/net_monitor:87
#, c-format
-msgid "Choose the partitions you want to format"
-msgstr "Изберете ги партициите за форматирање"
-
-#: ../../standalone/drakxtv:1
-#, fuzzy, c-format
-msgid ""
-"No TV Card has been detected on your machine. Please verify that a Linux-"
-"supported Video/TV Card is correctly plugged in.\n"
-"\n"
-"\n"
-"You can visit our hardware database at:\n"
-"\n"
-"\n"
-"http://www.linux-mandrake.com/en/hardware.php3"
-msgstr ""
-"Нема вклучено ТВ картичка на Вашиот компјутер. Проверете ги\n"
-"картичките кои се подржани од Linux\n"
-"\n"
-"\n"
-"Можете да ја погледнете нашата база на податоци за хардвер кој е подржан\n"
-"\n"
-"http://www.linux-mandrake.com/en/hardware.php3"
+msgid "Connection type: "
+msgstr "Тип на Врска: "
-#: ../../standalone/drakbackup:1
+#: standalone/drakconnect:957
#, fuzzy, c-format
-msgid "Can't find %s on %s"
-msgstr "Не може да се најде %s на %s"
+msgid "Status:"
+msgstr "Статус:"
-#: ../../keyboard.pm:1
+#: standalone/drakedm:53
#, c-format
-msgid "Japanese 106 keys"
-msgstr "Јапонска со 106 копчиња"
+msgid "Choosing a display manager"
+msgstr "Одбери дисплеј менаџер"
-#: ../../standalone/scannerdrake:1
+#: standalone/drakedm:54
#, c-format
-msgid "Could not install the packages needed to share your scanner(s)."
+msgid ""
+"X11 Display Manager allows you to graphically log\n"
+"into your system with the X Window System running and supports running\n"
+"several different X sessions on your local machine at the same time."
msgstr ""
+"X11 Display Manager овозможува графичко логирање\n"
+"во Вашиот систем, X Window System овозможува неколку различни Х сесии на "
+"Вашиот компјутер во исто време."
-#: ../../standalone/drakTermServ:1
+#: standalone/drakedm:77
#, c-format
-msgid "This will take a few minutes."
-msgstr "Ова ќе потрае неколку минути."
+msgid "The change is done, do you want to restart the dm service ?"
+msgstr "Промената е направена, дали сакате да го рестартирате dm сервисот?"
-#: ../../lang.pm:1
+#: standalone/drakfloppy:40
#, c-format
-msgid "Burkina Faso"
-msgstr "Буркима фасо"
+msgid "drakfloppy"
+msgstr "drakfloppy"
-#: ../../standalone/drakbackup:1
+#: standalone/drakfloppy:82
#, fuzzy, c-format
-msgid "June"
-msgstr "режач"
+msgid "Boot disk creation"
+msgstr "креирање на boot дискета"
-#: ../../standalone/scannerdrake:1
+#: standalone/drakfloppy:83
#, c-format
-msgid "Use scanners on remote computers"
-msgstr "Користи скенери од локални компјутери"
+msgid "General"
+msgstr "Општо"
-#: ../../standalone/drakperm:1
+#: standalone/drakfloppy:86
#, fuzzy, c-format
-msgid "Delete selected rule"
-msgstr "Избриши"
+msgid "Device"
+msgstr "Уред: "
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakfloppy:92
#, fuzzy, c-format
-msgid "Accessing printers on remote CUPS servers"
-msgstr "Печатач Вклучено"
+msgid "Kernel version"
+msgstr "верзија на јадрото"
-#: ../../any.pm:1
+#: standalone/drakfloppy:107
+#, fuzzy, c-format
+msgid "Preferences"
+msgstr "Претпочитано: "
+
+#: standalone/drakfloppy:121
#, c-format
-msgid "Insert a floppy in %s"
-msgstr "Внесете една дискета во %s"
+msgid "Advanced preferences"
+msgstr "Напредни подесувања"
-#: ../../lang.pm:1
+#: standalone/drakfloppy:140
#, c-format
-msgid "Maldives"
-msgstr ""
+msgid "Size"
+msgstr "Големина"
+
+#: standalone/drakfloppy:143
+#, fuzzy, c-format
+msgid "Mkinitrd optional arguments"
+msgstr "mkinitrd аргументи"
-#: ../../any.pm:1
+#: standalone/drakfloppy:145
#, c-format
-msgid "compact"
-msgstr "компактно"
+msgid "force"
+msgstr "присили"
-#: ../../common.pm:1
+#: standalone/drakfloppy:146
#, c-format
-msgid "1 minute"
-msgstr "1 минута"
+msgid "omit raid modules"
+msgstr "omit raid модули"
-#: ../../standalone/drakTermServ:1
-#, fuzzy, c-format
-msgid "type: fat"
-msgstr "тип: фат"
+#: standalone/drakfloppy:147
+#, c-format
+msgid "if needed"
+msgstr "ако е потребно"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakfloppy:148
#, c-format
-msgid "on channel %d id %d\n"
-msgstr "на канал %d id %d\n"
+msgid "omit scsi modules"
+msgstr "изостави ги scsi модулите"
-#: ../../printer/main.pm:1
+#: standalone/drakfloppy:151
#, c-format
-msgid ", multi-function device"
-msgstr ", повеќе функционален уред"
+msgid "Add a module"
+msgstr "Додај модул"
-#: ../../lang.pm:1
+#: standalone/drakfloppy:160
#, c-format
-msgid "Laos"
-msgstr "Лаос"
+msgid "Remove a module"
+msgstr "Отстрани модул"
-#: ../advertising/04-configuration.pl:1
+#: standalone/drakfloppy:295
+#, c-format
+msgid "Be sure a media is present for the device %s"
+msgstr "Проверете дали е присутен медиум за уредот %s"
+
+#: standalone/drakfloppy:301
#, fuzzy, c-format
msgid ""
-"Mandrake Linux 9.2 provides you with the Mandrake Control Center, a powerful "
-"tool to fully adapt your computer to the use you make of it. Configure and "
-"customize elements such as the security level, the peripherals (screen, "
-"mouse, keyboard...), the Internet connection and much more!"
+"There is no medium or it is write-protected for device %s.\n"
+"Please insert one."
msgstr ""
-"Mandrake Linux 9.1 Ви овозможува, со помош на Mandrake Control Center, моќни "
-"алатки за потполна адаптација на Вашиот компјутер за употреба. Конфигурација "
-"и уредување на елементите како што се сигурносното ниво, периферните уреди "
-"(монитор, глушец, тастатура...), Интернет конекција и многу други!"
+"Нема медиум или тој е заштитен за пишување од уредот %s.\n"
+"Ве молиме ставете друг."
-#: ../../security/help.pm:1
+#: standalone/drakfloppy:305
#, c-format
-msgid "Activate/Disable ethernet cards promiscuity check."
-msgstr "Активирај/Забрани проверка на ethernet картичките"
+msgid "Unable to fork: %s"
+msgstr "не можеше да го подигне %s"
-#: ../../install_interactive.pm:1
+#: standalone/drakfloppy:308
#, fuzzy, c-format
-msgid "There is no FAT partition to resize (or not enough space left)"
-msgstr ""
-"Не постои FAT партиција за зголемување/намалување или за користење како "
-"loopback (или нема доволно преостанат простор)"
+msgid "Floppy creation completed"
+msgstr "Врската е завршена."
-#: ../../standalone/drakperm:1
+#: standalone/drakfloppy:308
#, c-format
-msgid "Up"
+msgid "The creation of the boot floppy has been successfully completed \n"
msgstr ""
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
-#, c-format
-msgid "Firewall"
-msgstr "Firewall"
+#: standalone/drakfloppy:311
+#, fuzzy, c-format
+msgid ""
+"Unable to properly close mkbootdisk:\n"
+"\n"
+"<span foreground=\"Red\"><tt>%s</tt></span>"
+msgstr ""
+"Неможам правилно да го затворам mkbootdisk:\n"
+" %s\n"
+" %s"
-#: ../../standalone/drakxtv:1
+#: standalone/drakfont:181
#, c-format
-msgid "Area:"
-msgstr "Област"
+msgid "Search installed fonts"
+msgstr "Пребарај инсталирани фонтови"
-#: ../../harddrake/data.pm:1
+#: standalone/drakfont:183
#, c-format
-msgid "(E)IDE/ATA controllers"
-msgstr "(E)IDE/ATA контролери"
+msgid "Unselect fonts installed"
+msgstr "Отселектирај ги инсталираните фонтови"
-#: ../../fs.pm:1
+#: standalone/drakfont:206
#, c-format
-msgid "All I/O to the file system should be done synchronously."
-msgstr "Сите I/O од системските датотеки треба да бидат синхрнизирани."
+msgid "parse all fonts"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakfont:208
#, fuzzy, c-format
-msgid "Printer Server"
-msgstr "Сервер Печатач"
+msgid "No fonts found"
+msgstr "не се најдени фонтови"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakfont:216 standalone/drakfont:256 standalone/drakfont:323
+#: standalone/drakfont:356 standalone/drakfont:364 standalone/drakfont:390
+#: standalone/drakfont:408 standalone/drakfont:422
+#, c-format
+msgid "done"
+msgstr "направено"
+
+#: standalone/drakfont:221
#, fuzzy, c-format
-msgid "Custom configuration"
-msgstr "Автоматски"
+msgid "Could not find any font in your mounted partitions"
+msgstr "не се пронајде ниту еден фонт на вашите монтирани паритиции"
-#: ../../standalone/drakpxe:1
+#: standalone/drakfont:254
#, c-format
-msgid ""
-"Please indicate where the installation image will be available.\n"
-"\n"
-"If you do not have an existing directory, please copy the CD or DVD "
-"contents.\n"
-"\n"
-msgstr ""
-"Ве молиме покажете каде е достапна инсталацијата.\n"
-"\n"
-"Ако немате веќе постоечки директориум, Ве молиме коприрајте ги CD или DVD "
-"contents.\n"
-"\n"
+msgid "Reselect correct fonts"
+msgstr "Повторно ги селектирај точните фонтови"
-#: ../../lang.pm:1
-#, c-format
-msgid "Saint Pierre and Miquelon"
-msgstr "Свети Петар и Микелон"
+#: standalone/drakfont:257
+#, fuzzy, c-format
+msgid "Could not find any font.\n"
+msgstr "не можам да пронајдам ни еден фонт.\n"
-#: ../../standalone/drakbackup:1
+#: standalone/drakfont:267
#, fuzzy, c-format
-msgid "September"
-msgstr "Зачувај Тема"
+msgid "Search for fonts in installed list"
+msgstr "Пребарај ги фонтовите во листата на инсталирани фонтови"
-#: ../../standalone/draksplash:1
-#, c-format
-msgid "saving Bootsplash theme..."
-msgstr "зачувување на Bootsplas темата..."
+#: standalone/drakfont:292
+#, fuzzy, c-format
+msgid "%s fonts conversion"
+msgstr "Конверзија на %s фонтови"
-#: ../../lang.pm:1
+#: standalone/drakfont:321
#, fuzzy, c-format
-msgid "Portugal"
-msgstr "Португалија"
+msgid "Fonts copy"
+msgstr "Фонтови"
+
+#: standalone/drakfont:324
+#, fuzzy, c-format
+msgid "True Type fonts installation"
+msgstr "Тип на инсталација на фонтови"
-#: ../../modules/interactive.pm:1
+#: standalone/drakfont:331
#, c-format
-msgid "Do you have another one?"
-msgstr "Дали имате уште некој?"
+msgid "please wait during ttmkfdir..."
+msgstr "Ве молиме почекајте..."
-#: ../../printer/main.pm:1
+#: standalone/drakfont:332
#, fuzzy, c-format
-msgid ", printing to %s"
-msgstr ", печатење на %s"
+msgid "True Type install done"
+msgstr "Точно Тип"
-#: ../../network/network.pm:1
+#: standalone/drakfont:338 standalone/drakfont:353
#, c-format
-msgid "Assign host name from DHCP address"
-msgstr "Додели име на хостот преку DHCP адреса"
+msgid "type1inst building"
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakfont:347
#, c-format
-msgid "Toggle to normal mode"
-msgstr "Префрлање во нормален режим"
+msgid "Ghostscript referencing"
+msgstr "Ghostscript поврзување"
-#: ../../mouse.pm:1 ../../Xconfig/monitor.pm:1
+#: standalone/drakfont:357
#, c-format
-msgid "Generic"
-msgstr "Општ"
+msgid "Suppress Temporary Files"
+msgstr "Потисни ги Привремените Датотеки"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakfont:360
+#, fuzzy, c-format
+msgid "Restart XFS"
+msgstr "Рестартирај го XFS"
+
+#: standalone/drakfont:406 standalone/drakfont:416
#, c-format
-msgid "Cylinder %d to %d\n"
-msgstr "Цилиндер %d до %d\n"
+msgid "Suppress Fonts Files"
+msgstr "Потисни ги Датотеките со Фонтови"
-#: ../../standalone/drakbug:1
+#: standalone/drakfont:418
#, c-format
-msgid "YOUR TEXT HERE"
-msgstr ""
+msgid "xfs restart"
+msgstr "xfs рестарт"
-#: ../../standalone/drakconnect:1
+#: standalone/drakfont:426
#, fuzzy, c-format
-msgid "New profile..."
-msgstr "Нов профил..."
+msgid ""
+"Before installing any fonts, be sure that you have the right to use and "
+"install them on your system.\n"
+"\n"
+"-You can install the fonts the normal way. In rare cases, bogus fonts may "
+"hang up your X Server."
+msgstr ""
+"Пред да ги инсталирате фонтовите, бидете сигурни дека имата права за "
+"коритење и \n"
+"инсталирање на Вашиот систем.\n"
-#: ../../modules/interactive.pm:1 ../../standalone/draksec:1
+#: standalone/drakfont:474 standalone/drakfont:483
#, c-format
-msgid "NONE"
-msgstr "ПРАЗНО"
+msgid "DrakFont"
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakfont:484
#, c-format
-msgid "Which disk do you want to move it to?"
-msgstr "На кој диск сакате да ја преместите?"
-
-#: ../../standalone/draksplash:1
-#, fuzzy, c-format
-msgid "Display logo on Console"
-msgstr "Прикажи го логото на Конзолата"
+msgid "Font List"
+msgstr "Листа на Фонтови"
-#: ../../any.pm:1
+#: standalone/drakfont:490
#, c-format
-msgid "Windows Domain"
-msgstr "Windows Domain"
+msgid "About"
+msgstr "За"
-#: ../../keyboard.pm:1
+#: standalone/drakfont:492 standalone/drakfont:681 standalone/drakfont:719
#, fuzzy, c-format
-msgid "Saami (norwegian)"
-msgstr "Сами (Норвешка)"
+msgid "Uninstall"
+msgstr "Пост деинсталација"
-#: ../../standalone/drakpxe:1
+#: standalone/drakfont:493
#, fuzzy, c-format
-msgid "Interface %s (on network %s)"
-msgstr "Интерфејс %s (на мрежа %s)"
-
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "INFO"
-msgstr "ИНФО"
+msgid "Import"
+msgstr "Внеси Фонтови"
-#: ../../lang.pm:1
+#: standalone/drakfont:509
#, c-format
-msgid "Wallis and Futuna"
+msgid ""
+"Copyright (C) 2001-2002 by MandrakeSoft \n"
+"\n"
+"\n"
+" DUPONT Sebastien (original version)\n"
+"\n"
+" CHAUMETTE Damien <dchaumette@mandrakesoft.com>\n"
+"\n"
+" VIGNAUD Thierry <tvignaud@mandrakesoft.com>"
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: standalone/drakfont:518
#, fuzzy, c-format
-msgid "Need to create /etc/dhcpd.conf first!"
-msgstr "Прво треба да се креира /etc/dhcpd.conf!"
+msgid ""
+"This program is free software; you can redistribute it and/or modify\n"
+" it under the terms of the GNU General Public License as published by\n"
+" the Free Software Foundation; either version 2, or (at your option)\n"
+" any later version.\n"
+"\n"
+"\n"
+" This program is distributed in the hope that it will be useful,\n"
+" but WITHOUT ANY WARRANTY; without even the implied warranty of\n"
+" MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n"
+" GNU General Public License for more details.\n"
+"\n"
+"\n"
+" You should have received a copy of the GNU General Public License\n"
+" along with this program; if not, write to the Free Software\n"
+" Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA."
+msgstr ""
+"Оваа програма е слободен софтвер, можете да ја редистрибуирате и/или да ја\n"
+"изменувате под условите на GNU Општо Јавна Лиценца ако што е објавена од\n"
+"Фондацијата за Слободно Софтвер, како верзија 2, или (како ваша опција)\n"
+"било која понатамошна верзија\n"
+"\n"
+"Оваа програма е дистрибуирана со надеж дека ќе биде корисна,\n"
+"но со НИКАКВА ГАРАНЦИЈА; дури и без имплементирана гаранција за\n"
+"ТРГУВАЊЕ или НАМЕНА ЗА НЕКАКВА ПОСЕБНА ЦЕЛ. Видете ја\n"
+"GNU Општо Јавна Лиценца за повеќе детали.\n"
+"\n"
+"Би требало да добиете копија од GNU Општо Јавна Лиценца\n"
+"заедно со програмата, ако не пишете на Фондацијата за Слободен\n"
+"Софтвер, Корпорација, 59 Temple Place - Suite 330, Boston, MA 02111-1307, "
+"USA.\n"
-#: ../../standalone/harddrake2:1
+#: standalone/drakfont:534
#, c-format
-msgid "Is FPU present"
-msgstr "FPU"
+msgid ""
+"Thanks:\n"
+"\n"
+" - pfm2afm: \n"
+"\t by Ken Borgendale:\n"
+"\t Convert a Windows .pfm file to a .afm (Adobe Font Metrics)\n"
+"\n"
+" - type1inst:\n"
+"\t by James Macnicol: \n"
+"\t type1inst generates files fonts.dir fonts.scale & Fontmap.\n"
+"\n"
+" - ttf2pt1: \n"
+"\t by Andrew Weeks, Frank Siegert, Thomas Henlich, Sergey Babkin \n"
+" Convert ttf font files to afm and pfb fonts\n"
+msgstr ""
-#: ../../services.pm:1
+#: standalone/drakfont:553
+#, fuzzy, c-format
+msgid "Choose the applications that will support the fonts:"
+msgstr "Избери ги апликациите кои ќе ги подржат фонтовите:"
+
+#: standalone/drakfont:554
#, fuzzy, c-format
msgid ""
-"No additional information\n"
-"about this service, sorry."
+"Before installing any fonts, be sure that you have the right to use and "
+"install them on your system.\n"
+"\n"
+"You can install the fonts the normal way. In rare cases, bogus fonts may "
+"hang up your X Server."
msgstr ""
-"Нема дополнителни информации\n"
-"за овој сервис. Жалиме!"
+"Пред да ги инсталирате фонтовите, бидете сигурни дека имата права за "
+"коритење и \n"
+"инсталирање на Вашиот систем.\n"
-#: ../../standalone/scannerdrake:1
-#, fuzzy, c-format
-msgid "There are no scanners found which are available on your system.\n"
-msgstr "Не е најден скенер на Вашиот систем.\n"
+#: standalone/drakfont:564
+#, c-format
+msgid "Ghostscript"
+msgstr "Ghostscript"
-#: ../../standalone/drakTermServ:1
+#: standalone/drakfont:565
#, c-format
-msgid "Build Single NIC -->"
-msgstr "Изгради Еден NIC -->"
+msgid "StarOffice"
+msgstr "StarOffice"
-#: ../../lang.pm:1
+#: standalone/drakfont:566
#, c-format
-msgid "Marshall Islands"
-msgstr "Маршалски Острови"
+msgid "Abiword"
+msgstr "Abiword"
-#: ../../ugtk2.pm:1
+#: standalone/drakfont:567
#, c-format
-msgid "Is this correct?"
-msgstr "Дали е ова точно?"
+msgid "Generic Printers"
+msgstr "Генерички Принтери"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Windows (FAT32)"
-msgstr "Windows (FAT32)"
+#: standalone/drakfont:583
+#, c-format
+msgid "Select the font file or directory and click on 'Add'"
+msgstr "Изберете ја фонт датотеката или директориум и кликнете на 'Додади'"
-#: ../../steps.pm:1
-#, fuzzy, c-format
-msgid "Root password"
-msgstr "Root лозинка"
+#: standalone/drakfont:597
+#, c-format
+msgid "You've not selected any font"
+msgstr "немате одбрано ни еден фонт"
-#: ../../standalone/drakTermServ:1
+#: standalone/drakfont:646
#, fuzzy, c-format
-msgid "Build All Kernels -->"
-msgstr "Сите Кернели"
+msgid "Import fonts"
+msgstr "Внеси Фонтови"
-#: ../../standalone/drakbackup:1
+#: standalone/drakfont:651
#, fuzzy, c-format
-msgid "DVDRAM device"
-msgstr "DVDRAM уред"
+msgid "Install fonts"
+msgstr "Деинсталација на Фонтови"
-#: ../../security/help.pm:1
+#: standalone/drakfont:686
#, c-format
-msgid "if set to yes, report unowned files."
-msgstr "ако е поставено да, извести за не своите датотеки."
+msgid "click here if you are sure."
+msgstr "кликнете ако сте сигурни"
-#: ../../install_interactive.pm:1
+#: standalone/drakfont:688
#, c-format
-msgid ""
-"You don't have a swap partition.\n"
-"\n"
-"Continue anyway?"
-msgstr ""
-"Немате swap партиција.\n"
-"\n"
-"Да продолжиме?"
-
-#: ../../install_steps_gtk.pm:1
-#, fuzzy, c-format
-msgid "Version: "
-msgstr "Верзија:"
+msgid "here if no."
+msgstr "овде ако не."
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Server IP missing!"
-msgstr "IP адреса на Сервер недостига!"
+#: standalone/drakfont:727
+#, c-format
+msgid "Unselected All"
+msgstr "Сите се неселектирани"
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Suriname"
-msgstr "Сурнинам"
+#: standalone/drakfont:730
+#, c-format
+msgid "Selected All"
+msgstr "Слектирани сите"
-#: ../../network/adsl.pm:1
+#: standalone/drakfont:733
#, fuzzy, c-format
-msgid "Use a floppy"
-msgstr "Зачувај на дискета"
+msgid "Remove List"
+msgstr "Отстрани листа"
-#: ../../any.pm:1
+#: standalone/drakfont:744 standalone/drakfont:763
#, fuzzy, c-format
-msgid "Enable ACPI"
-msgstr "Овозможи ACPI"
+msgid "Importing fonts"
+msgstr "Внеси Фонтови"
-#: ../../fs.pm:1
+#: standalone/drakfont:748 standalone/drakfont:768
#, c-format
-msgid "Give write access to ordinary users"
-msgstr ""
+msgid "Initial tests"
+msgstr "Инстални тестови"
-#: ../../help.pm:1
-#, c-format
-msgid "Graphical Environment"
-msgstr "Графичка Околина"
+#: standalone/drakfont:749
+#, fuzzy, c-format
+msgid "Copy fonts on your system"
+msgstr "Копирај ги фонтовите на Вашиот компјутер"
-#: ../../lang.pm:1
+#: standalone/drakfont:750
#, c-format
-msgid "Gibraltar"
-msgstr "Гибралтар"
+msgid "Install & convert Fonts"
+msgstr "Инсталирај и конвертирај ѓи Фонтовите"
-#: ../../network/modem.pm:1
+#: standalone/drakfont:751
#, c-format
-msgid "Do nothing"
-msgstr "Не прави ништо"
+msgid "Post Install"
+msgstr "Постинсталација"
-#: ../../standalone/drakTermServ:1
+#: standalone/drakfont:769
#, fuzzy, c-format
-msgid "Delete Client"
-msgstr "Избриши го Клиентот"
-
-#: ../../diskdrake/interactive.pm:1
-#, c-format
-msgid "Filesystem type: "
-msgstr "Тип на фајлсистем: "
+msgid "Remove fonts on your system"
+msgstr "Отстрани ги фонтовите од системот"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakfont:770
#, c-format
-msgid "Starting network..."
-msgstr "Стартување на мрежата..."
+msgid "Post Uninstall"
+msgstr "Пост деинсталација"
-#: ../../lang.pm:1
+#: standalone/drakgw:59 standalone/drakgw:190
#, c-format
-msgid "Vietnam"
-msgstr "Виетнам"
+msgid "Internet Connection Sharing"
+msgstr "Делење на Интернет Конекцијата"
-#: ../../standalone/harddrake2:1
+#: standalone/drakgw:117 standalone/drakvpn:49
#, fuzzy, c-format
-msgid "/_Fields description"
-msgstr "Опис"
+msgid "Sorry, we support only 2.4 and above kernels."
+msgstr "Жалам, ние подржуваме само 2.4 јадра."
-#: ../advertising/10-security.pl:1
-#, c-format
-msgid "Optimize your security by using Mandrake Linux"
-msgstr "Оптимизирајте ја Вашата сигурност со Mandrake Linux"
+#: standalone/drakgw:128
+#, fuzzy, c-format
+msgid "Internet Connection Sharing currently enabled"
+msgstr "Делење на Интернет конекција овозможена"
-#: ../../standalone/drakTermServ:1
+#: standalone/drakgw:129
#, c-format
msgid ""
+"The setup of Internet Connection Sharing has already been done.\n"
+"It's currently enabled.\n"
"\n"
-"\n"
-" Thanks:\n"
-"\t- LTSP Project http://www.ltsp.org\n"
-"\t- Michael Brown <mbrown@fensystems.co.uk>\n"
-"\n"
+"What would you like to do?"
msgstr ""
+"Подесувањето за Делење на Интернет Конекција е веќе завршено.\n"
+"Моментално е овозможна.\n"
"\n"
-"\n"
-" Благодариме:\n"
-"\t- LTSP Проект http://www.ltsp.org\n"
-"\t- Michael Brown <mbrown@fensystems.co.uk>\n"
-"\n"
+"Што сакате да правите?"
-#: ../../install_steps_gtk.pm:1 ../../interactive.pm:1 ../../ugtk2.pm:1
-#: ../../Xconfig/resolution_and_depth.pm:1 ../../diskdrake/hd_gtk.pm:1
-#: ../../interactive/gtk.pm:1 ../../standalone/drakTermServ:1
-#: ../../standalone/drakbackup:1 ../../standalone/drakbug:1
-#: ../../standalone/drakconnect:1 ../../standalone/drakfont:1
-#: ../../standalone/drakperm:1 ../../standalone/draksec:1
-#: ../../standalone/harddrake2:1
+#: standalone/drakgw:133 standalone/drakvpn:99
#, c-format
-msgid "Help"
-msgstr "Помош"
+msgid "disable"
+msgstr "неовозможено"
-#: ../../security/l10n.pm:1
+#: standalone/drakgw:133 standalone/drakgw:162 standalone/drakvpn:99
+#: standalone/drakvpn:125
#, c-format
-msgid "Check if the network devices are in promiscuous mode"
-msgstr "Проверка на мрежните уреди"
+msgid "reconfigure"
+msgstr "реконфигурирај"
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: standalone/drakgw:133 standalone/drakgw:162 standalone/drakvpn:99
+#: standalone/drakvpn:125 standalone/drakvpn:372 standalone/drakvpn:731
#, c-format
-msgid "Your personal phone number"
-msgstr "Вашиот телефонски број"
+msgid "dismiss"
+msgstr "откажи"
-#: ../../install_interactive.pm:1
+#: standalone/drakgw:136
#, c-format
-msgid "Which size do you want to keep for Windows on"
-msgstr "Колкава големина да остане за Windows на"
+msgid "Disabling servers..."
+msgstr "Се оневозможуваат серверите..."
+
+#: standalone/drakgw:150
+#, c-format
+msgid "Internet Connection Sharing is now disabled."
+msgstr "Делењето на интернет конекцијата сега е оневозможено."
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakgw:157
+#, c-format
+msgid "Internet Connection Sharing currently disabled"
+msgstr "Делењето на Интернет Конекцијата моментално е оневозможена"
+
+#: standalone/drakgw:158
#, fuzzy, c-format
msgid ""
-"Test page(s) have been sent to the printer.\n"
-"It may take some time before the printer starts.\n"
+"The setup of Internet connection sharing has already been done.\n"
+"It's currently disabled.\n"
+"\n"
+"What would you like to do?"
msgstr ""
-"Тест страницата е испратена до принтерот.\n"
-" Ќе помине малку време додека принтерот стартува."
+"\n"
+" s неовозможено\n"
+"\n"
+" на?"
-#: ../../standalone/drakbackup:1
+#: standalone/drakgw:162 standalone/drakvpn:125
#, c-format
-msgid "Username required"
-msgstr "Потреба од корисничко име"
+msgid "enable"
+msgstr "овозможи"
-#: ../../standalone/drakfloppy:1
+#: standalone/drakgw:169
+#, c-format
+msgid "Enabling servers..."
+msgstr "Овозможување на серверите..."
+
+#: standalone/drakgw:175
#, fuzzy, c-format
-msgid "Device"
-msgstr "Уред: "
+msgid "Internet Connection Sharing is now enabled."
+msgstr "Делењето на интернет Конекцијата овозможено."
-#: ../../help.pm:1
+#: standalone/drakgw:191
#, fuzzy, c-format
msgid ""
-"Depending on the default language you chose in Section , DrakX will\n"
-"automatically select a particular type of keyboard configuration. However,\n"
-"you may not have a keyboard that corresponds exactly to your language: for\n"
-"example, if you are an English speaking Swiss person, you may have a Swiss\n"
-"keyboard. Or if you speak English but are located in Quebec, you may find\n"
-"yourself in the same situation where your native language and keyboard do\n"
-"not match. In either case, this installation step will allow you to select\n"
-"an appropriate keyboard from a list.\n"
+"You are about to configure your computer to share its Internet connection.\n"
+"With that feature, other computers on your local network will be able to use "
+"this computer's Internet connection.\n"
"\n"
-"Click on the \"%s\" button to be presented with the complete list of\n"
-"supported keyboards.\n"
+"Make sure you have configured your Network/Internet access using drakconnect "
+"before going any further.\n"
"\n"
-"If you choose a keyboard layout based on a non-Latin alphabet, the next\n"
-"dialog will allow you to choose the key binding that will switch the\n"
-"keyboard between the Latin and non-Latin layouts."
+"Note: you need a dedicated Network Adapter to set up a Local Area Network "
+"(LAN)."
msgstr ""
-"Обично, DrakX ја избира вистинската тастатура за Вас (во зависност од\n"
-"јазикот што сте го одбрале). Сепак, тоа може и да не е случај: на пример,\n"
-"може да сте од Швајцарија и зборувате англиски, а Вашата тастатура е \n"
-"швајцарска. Или, на пример, ако зворувате англиски, но се наоѓате на "
-"Квебек.\n"
-"И во двата случаја ќе треба да одите назад на овој инсталациски чекор и да\n"
-"изберете соодветна тастатура од листата.\n"
+"на на\n"
+" Вклучено на s\n"
"\n"
-"Притиснете на копчето \"Повеќе\" за да ви биде претставена комплетната "
-"листа\n"
-"на поддржани тастатури.\n"
+" Направи Мрежа\n"
"\n"
-"Ако бирате тастатурен распоред кој не е базиран на латиница, во следниот "
-"чекор\n"
-"ќе бидете прашани за кратенка на копчиња која ќе ја менува тастатурата "
-"помеѓу\n"
-"латиница и Вашата не-латиница."
+" Забелешка Мрежа на Локален Мрежа."
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakgw:211 standalone/drakvpn:210
+#, c-format
+msgid ""
+"Please enter the name of the interface connected to the internet.\n"
+"\n"
+"Examples:\n"
+"\t\tppp+ for modem or DSL connections, \n"
+"\t\teth0, or eth1 for cable connection, \n"
+"\t\tippp+ for a isdn connection.\n"
+msgstr ""
+"Ве молиме внесете го името на интерфејсот за поврзување на Интернет\n"
+"\n"
+"На пример:\n"
+"\t\tppp+ за модем или DSL конекција, \n"
+"\t\teth0, или eth1 за кабелска конекција, \n"
+"\t\tippp+ за ISDN конекција. \n"
+
+#: standalone/drakgw:230
#, fuzzy, c-format
-msgid "SMB (Windows 9x/NT) Printer Options"
-msgstr "SMB (Windows 9x/NT Опции за Печатач"
+msgid "Interface %s (using module %s)"
+msgstr "Интерфејс %s (користејќи модул %s)"
-#: ../../printer/main.pm:1
+#: standalone/drakgw:231
#, c-format
-msgid "URI: %s"
+msgid "Interface %s"
+msgstr "Интерфејс %s"
+
+#: standalone/drakgw:241 standalone/drakpxe:138
+#, fuzzy, c-format
+msgid ""
+"No ethernet network adapter has been detected on your system. Please run the "
+"hardware configuration tool."
msgstr ""
+"Не Вклучено.Нема детектирано ethernet мрежен адаптер на Вашиот систем. Ве "
+"молиме стартувајте ја алатката за конфигурација на хардвер."
-#: ../../standalone/drakbackup:1
+#: standalone/drakgw:247
#, c-format
-msgid "Valid user list changed, rewriting config file."
-msgstr ""
+msgid "Network interface"
+msgstr "Мрежен Интерфејс"
-#: ../../standalone/drakfloppy:1
+#: standalone/drakgw:248
#, c-format
-msgid "mkinitrd optional arguments"
-msgstr "mkinitrd аргументи"
+msgid ""
+"There is only one configured network adapter on your system:\n"
+"\n"
+"%s\n"
+"\n"
+"I am about to setup your Local Area Network with that adapter."
+msgstr ""
+"Има само еден конфигуриран мрежен адаптер на вашиот систем:\n"
+"\n"
+"%s\n"
+"\n"
+"Ќе ја подесам вашата Локална Мрежа со тој адаптер."
-#: ../advertising/03-software.pl:1
+#: standalone/drakgw:255
#, c-format
msgid ""
-"Surf the Web with Mozilla or Konqueror, read your mail with Evolution or "
-"Kmail, create your documents with OpenOffice.org."
+"Please choose what network adapter will be connected to your Local Area "
+"Network."
msgstr ""
-"Сурфајте на Интернет со Mozilla или Konqueror, читајте ги Вашите пораки со "
-"Evolution илиKmail, направете ги Вашите документи со OpenOffice.org на "
-"македонски јазик."
+"Ве молиме изберете која мрежна картичка ќе биде поврзана на твојата Локална "
+"Мрежа."
-#: ../../network/isdn.pm:1
+#: standalone/drakgw:283
#, c-format
-msgid "Protocol for the rest of the world"
-msgstr "Протокол за остатокот на Светот"
+msgid "Network interface already configured"
+msgstr "Мрежата е веќе конфигурирана"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakgw:284
#, fuzzy, c-format
-msgid "Print test pages"
-msgstr "Печати ја пробната страна"
+msgid ""
+"Warning, the network adapter (%s) is already configured.\n"
+"\n"
+"Do you want an automatic re-configuration?\n"
+"\n"
+"You can do it manually but you need to know what you're doing."
+msgstr ""
+"Предупредување, мрежниот адаптер (%s) веќе е конфигуриран.\n"
+"\n"
+"Дали сакате автоматски да се ре-конфигурира?\n"
+"\n"
+" Можете да го направите рачно, но треба да знаете што правите."
-#: ../../standalone/drakconnect:1
+#: standalone/drakgw:289
#, fuzzy, c-format
-msgid "Activate now"
-msgstr "активирај сега"
-
-#: ../../Xconfig/card.pm:1
-#, c-format
-msgid "64 MB or more"
-msgstr "64 MB или повеќе"
+msgid "Automatic reconfiguration"
+msgstr "Автоматска реконфигурација"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakgw:289
#, fuzzy, c-format
-msgid ""
-"Please select the test pages you want to print.\n"
-"Note: the photo test page can take a rather long time to get printed and on "
-"laser printers with too low memory it can even not come out. In most cases "
-"it is enough to print the standard test page."
-msgstr ""
-"Одберете ја страната со која ќе го тестирате принтерот\n"
-" Забелешка, сликите ќе земат повеќе време за печатање Во многу случаеви "
-"доволно е дасе печати стандардната страна за тестирање."
+msgid "No (experts only)"
+msgstr "Не (само за експерти)"
-#: ../../standalone/scannerdrake:1
+#: standalone/drakgw:290
#, fuzzy, c-format
-msgid "Please select the device where your %s is attached"
-msgstr "Ве молиме одберете го уредот каде е закачен/а %s"
+msgid "Show current interface configuration"
+msgstr "Прикажи ја моменталната конфигурација на интерфејсот"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakgw:291
#, c-format
-msgid "Not formatted\n"
-msgstr "Неформатирана\n"
+msgid "Current interface configuration"
+msgstr "Тековна конфигурација на интерфејсот"
-#: ../../standalone/draksec:1
+#: standalone/drakgw:292
#, c-format
-msgid "Periodic Checks"
-msgstr "Периоднични Проверки"
+msgid ""
+"Current configuration of `%s':\n"
+"\n"
+"Network: %s\n"
+"IP address: %s\n"
+"IP attribution: %s\n"
+"Driver: %s"
+msgstr ""
+"Тековна конфигурација на `%s':\n"
+"\n"
+"Мрежата: %s\n"
+"IP адреса: %s\n"
+"IP препишување: %s\n"
+"Драјвер: %s"
-#: ../../standalone/drakpxe:1
-#, fuzzy, c-format
-msgid "PXE Server Configuration"
-msgstr "Конфигурација на PXE Сервер"
+#: standalone/drakgw:305
+#, c-format
+msgid ""
+"I can keep your current configuration and assume you already set up a DHCP "
+"server; in that case please verify I correctly read the Network that you use "
+"for your local network; I will not reconfigure it and I will not touch your "
+"DHCP server configuration.\n"
+"\n"
+"The default DNS entry is the Caching Nameserver configured on the firewall. "
+"You can replace that with your ISP DNS IP, for example.\n"
+"\t\t \n"
+"Otherwise, I can reconfigure your interface and (re)configure a DHCP server "
+"for you.\n"
+"\n"
+msgstr ""
+"Можам да ја задржам вашата моментална конфигурација и да претпоставам дека "
+"веќе сте го подесиле DHCP серверот; во тој случај ве молам потврдете дека "
+"точно ја прочитав Мрежата која ја користите за вашата локална мрежа; Нема да "
+"ја реконфигурирам и нема да ја допирам конфигурацијата на вашиот DHCP "
+"сервер.\n"
+"\n"
+"Стандардниот DNS влез е Caching Nameserver конфигуриран на огнениот ѕид. Тоа "
+"на пример можете да го заменете со IP-то на вашиот ISP DNS.\n"
+"\t\t \n"
+"Во спротивно можам да го реконфигурирам вашиот интерфејс и (ре)конфигурирам "
+"DHCP сервер за вас.\n"
+"\n"
-#: ../../standalone/drakbackup:1
+#: standalone/drakgw:312
#, fuzzy, c-format
-msgid "Backup the system files before:"
-msgstr "направете бекап на системските датотеки пред да:"
+msgid "Local Network adress"
+msgstr "Локален Мрежа"
-#: ../../security/level.pm:1
-#, c-format
+#: standalone/drakgw:316
+#, fuzzy, c-format
msgid ""
-"This is the standard security recommended for a computer that will be used "
-"to connect to the Internet as a client."
+"DHCP Server Configuration.\n"
+"\n"
+"Here you can select different options for the DHCP server configuration.\n"
+"If you don't know the meaning of an option, simply leave it as it is."
msgstr ""
-"Ова е стандардната сигурност препорачана за компјутер што ќе се користи за "
-"клиентска конекција на Интернет."
-
-#: ../../any.pm:1
-#, c-format
-msgid "First floppy drive"
-msgstr "Прв дискетен уред"
+"Конфигурација на DHCP сервер.\n"
+"\n"
+"Овде можете да ги изберете различните опции за конфигурација на DHCP "
+"серверот.\n"
+"Ако не го знаете значењето на некоја опција, едноставно оставете како што "
+"е.\n"
+"\n"
-#: ../../standalone/drakboot:1 ../../standalone/drakfloppy:1
-#: ../../standalone/logdrake:1
+#: standalone/drakgw:320
#, c-format
-msgid "/File/_Quit"
-msgstr "/Датотека/_Напушти"
+msgid "(This) DHCP Server IP"
+msgstr "(Ова) DHCP Сервер IP"
-#: ../../keyboard.pm:1
+#: standalone/drakgw:321
#, c-format
-msgid "Dvorak"
-msgstr "Дворак"
+msgid "The DNS Server IP"
+msgstr "DNS Сервер IP"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakgw:322
#, c-format
-msgid "Choose the new size"
-msgstr "Изберете ја новата големина"
+msgid "The internal domain name"
+msgstr "Внатрешно име на домен"
-#: ../../standalone/harddrake2:1
+#: standalone/drakgw:323
#, c-format
-msgid "Media class"
-msgstr "Класа на медиумот"
+msgid "The DHCP start range"
+msgstr "DHCP ранг"
-#: ../../standalone/XFdrake:1
+#: standalone/drakgw:324
#, c-format
-msgid "You need to log out and back in again for changes to take effect"
-msgstr ""
+msgid "The DHCP end range"
+msgstr "DHCP и ранг"
-#: ../../standalone/scannerdrake:1
+#: standalone/drakgw:325
#, fuzzy, c-format
-msgid "The %s is not known by this version of Scannerdrake."
-msgstr "%s е непозат/а за оваа верзија на Scannerdrake."
+msgid "The default lease (in seconds)"
+msgstr "Стандардно во секунди"
-#: ../../lang.pm:1
+#: standalone/drakgw:326
#, c-format
-msgid "Faroe Islands"
-msgstr "Фарски Острови"
+msgid "The maximum lease (in seconds)"
+msgstr "Максимален закуп (во секунди)"
-#: ../../standalone/drakfont:1
+#: standalone/drakgw:327
#, fuzzy, c-format
-msgid "Restart XFS"
-msgstr "Рестартирај го XFS"
+msgid "Re-configure interface and DHCP server"
+msgstr "Ре-конфигурација на интерфејс и DHCP сервер"
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Add host/network"
-msgstr "Додади хост/мрежа"
+#: standalone/drakgw:334
+#, fuzzy, c-format
+msgid "The Local Network did not finish with `.0', bailing out."
+msgstr "Локален Мрежа."
-#: ../../standalone/scannerdrake:1
+#: standalone/drakgw:344
#, c-format
-msgid "Scannerdrake will not be started now."
+msgid "Potential LAN address conflict found in current config of %s!\n"
msgstr ""
+"Потенцијален конфликт во LAN адресата е најден во сегашната конфигурација на "
+"%s!\n"
-#: ../../standalone/harddrake2:1
-#, fuzzy, c-format
-msgid "Model name"
-msgstr "Модул"
-
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Albania"
-msgstr "Албанска"
-
-#: ../../lang.pm:1
+#: standalone/drakgw:354
#, c-format
-msgid "British Indian Ocean Territory"
-msgstr "Британска територија во Индискиот Океан"
-
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Normal Mode"
-msgstr "Нормално"
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "No CD-R/DVD-R in drive!"
-msgstr "Нема CDR/DVD во драјвот!"
-
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Printer connection type"
-msgstr "Тип на поврзување на принтер"
-
-#: ../../standalone/drakgw:1 ../../standalone/drakpxe:1
-#, fuzzy, c-format
-msgid "No network adapter on your system!"
-msgstr "Нема мрежен адаптер на Вашиот систем!"
+msgid "Configuring..."
+msgstr "Се конфигурира..."
-#: ../../printer/main.pm:1
-#, fuzzy, c-format
-msgid "Network %s"
-msgstr "Мрежа %s"
+#: standalone/drakgw:355
+#, c-format
+msgid "Configuring scripts, installing software, starting servers..."
+msgstr ""
+"Конфигурирање на скрипти, инсталирање на софтвер(програмски дел),стартување "
+"на серверите..."
-#: ../../keyboard.pm:1
+#: standalone/drakgw:391 standalone/drakpxe:231 standalone/drakvpn:274
#, c-format
-msgid "Malayalam"
-msgstr "Malayalam"
+msgid "Problems installing package %s"
+msgstr "Проблеми при инсталација на пакетот %s"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakgw:584
#, fuzzy, c-format
-msgid "Option %s out of range!"
-msgstr "Option %s надвор од ранг!"
+msgid ""
+"Everything has been configured.\n"
+"You may now share Internet connection with other computers on your Local "
+"Area Network, using automatic network configuration (DHCP) and\n"
+" a Transparent Proxy Cache server (SQUID)."
+msgstr ""
+"Се е конфигурирано.\n"
+"Сега можете да делите Интернет конекција со други компјутери на вашата "
+"ЛокалнаМрежа, користејки автоматски мрежен конфигуратор (DHCP)."
-#: ../../standalone/net_monitor:1
-#, fuzzy, c-format
-msgid "Connect %s"
-msgstr "Поврзи се"
+#: standalone/drakhelp:17
+#, c-format
+msgid ""
+" drakhelp 0.1\n"
+"Copyright (C) 2003-2004 MandrakeSoft.\n"
+"This is free software and may be redistributed under the terms of the GNU "
+"GPL.\n"
+"\n"
+"Usage: \n"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Restarting CUPS..."
-msgstr "Рестартирање на CUPS..."
+#: standalone/drakhelp:22
+#, c-format
+msgid " --help - display this help \n"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Printing/Scanning/Photo Cards on \"%s\""
-msgstr "Печатење Скенирање Фотографија Карти Вклучено s"
+#: standalone/drakhelp:23
+#, c-format
+msgid ""
+" --id <id_label> - load the html help page which refers to id_label\n"
+msgstr ""
-#: ../../../move/move.pm:1
+#: standalone/drakhelp:24
#, c-format
-msgid "Continue without USB key"
+msgid ""
+" --doc <link> - link to another web page ( for WM welcome "
+"frontend)\n"
msgstr ""
-#: ../../install_steps.pm:1
+#: standalone/drakhelp:35
#, c-format
-msgid "Duplicate mount point %s"
-msgstr "Дупликат точка на монтирање: %s"
+msgid ""
+"%s cannot be displayed \n"
+". No Help entry of this type\n"
+msgstr ""
+"%s не може да биде прикажано \n"
+". Нема Помош за овој вид\n"
-#: ../../security/help.pm:1
+#: standalone/drakhelp:41
#, c-format
-msgid "if set to yes, run chkrootkit checks."
-msgstr "ако одберете да, стартувајте ја chkrootkit проверката"
+msgid ""
+"No browser is installed on your system, Please install one if you want to "
+"browse the help system"
+msgstr ""
+"Немате инсталирано пребарувач на Вашиот комјутер,Ве молиме инсталирајте еден "
+"ако сакате да пребарате помош за системот"
-#: ../../network/tools.pm:1
+#: standalone/drakperm:21
#, fuzzy, c-format
-msgid "Connection Configuration"
-msgstr "Конфигурација на Врска"
+msgid "System settings"
+msgstr "Сопствени поставувања"
-#: ../../harddrake/v4l.pm:1
+#: standalone/drakperm:22
#, c-format
-msgid "Unknown|Generic"
-msgstr "Непознато|Општо"
+msgid "Custom settings"
+msgstr "Сопствени поставувања"
-#: ../../help.pm:1
+#: standalone/drakperm:23
#, fuzzy, c-format
-msgid ""
-"At the time you are installing Mandrake Linux, it is likely that some\n"
-"packages have been updated since the initial release. Bugs may have been\n"
-"fixed, security issues resolved. To allow you to benefit from these\n"
-"updates, you are now able to download them from the Internet. Check \"%s\"\n"
-"if you have a working Internet connection, or \"%s\" if you prefer to\n"
-"install updated packages later.\n"
-"\n"
-"Choosing \"%s\" will display a list of places from which updates can be\n"
-"retrieved. You should choose one nearer to you. A package-selection tree\n"
-"will appear: review the selection, and press \"%s\" to retrieve and install\n"
-"the selected package(s), or \"%s\" to abort."
-msgstr ""
-"Во времево на инсталирање на Мандрак Линукс прилично е веројатно дека\n"
-"некои програмски пакети што се вклучени биле надградени. Можно е да биле\n"
-"поправени некои грешки и решени некои сигурносни проблеми. За да Ви\n"
-"овозможиме да ги инсталирате таквите надградби, сега можете нив да ги\n"
-"симнете од Интернет. Изберете \"Да\" ако имате функционална Интернет врска,\n"
-"или \"Не\" ако претпочитате подоцна да ги инсталирате надградбите.\n"
-"\n"
-"Избирањето \"Да\" прикажува листа на локации од кои надградбите може да се\n"
-"симнат. Изберете ја локацијата што е најблиску до Вас. Потоа ќе се појави\n"
-"дрво за селекција на пакети: ревидирајте ја направената селекција, и \n"
-"притиснете \"Инсталирај\" за да ги симнете и инсталирате тие пакети, или\n"
-"\"Откажи\" за да се откажете."
+msgid "Custom & system settings"
+msgstr "Сопствени поставувања"
+
+#: standalone/drakperm:43
+#, fuzzy, c-format
+msgid "Editable"
+msgstr "неовозможено"
-#: ../../lang.pm:1
+#: standalone/drakperm:48 standalone/drakperm:315
#, c-format
-msgid "Myanmar"
-msgstr "Myanmar"
+msgid "Path"
+msgstr "Пат"
-#: ../../install_steps_interactive.pm:1 ../../Xconfig/main.pm:1
-#: ../../diskdrake/dav.pm:1 ../../printer/printerdrake.pm:1
-#: ../../standalone/draksplash:1 ../../standalone/harddrake2:1
-#: ../../standalone/logdrake:1 ../../standalone/scannerdrake:1
+#: standalone/drakperm:48 standalone/drakperm:250
#, c-format
-msgid "Quit"
-msgstr "Излез"
+msgid "User"
+msgstr "Корисник"
-#: ../../help.pm:1 ../../diskdrake/interactive.pm:1
+#: standalone/drakperm:48 standalone/drakperm:250
#, c-format
-msgid "Auto allocate"
-msgstr "Авто-алоцирање"
+msgid "Group"
+msgstr "Група"
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakperm:48 standalone/drakperm:327
#, c-format
-msgid "Check bad blocks?"
-msgstr "Проверка на лоши блокови?"
+msgid "Permissions"
+msgstr "Дозоли"
-#: ../../harddrake/data.pm:1
+#: standalone/drakperm:107
#, fuzzy, c-format
-msgid "Other MultiMedia devices"
-msgstr "Други Мултимедијални уреди"
+msgid ""
+"Here you can see files to use in order to fix permissions, owners, and "
+"groups via msec.\n"
+"You can also edit your own rules which will owerwrite the default rules."
+msgstr ""
+"на на во на и\n"
+" стандардно."
-#: ../../standalone/harddrake2:1
+#: standalone/drakperm:110
#, fuzzy, c-format
-msgid "burner"
-msgstr "режач"
+msgid ""
+"The current security level is %s.\n"
+"Select permissions to see/edit"
+msgstr ""
+"Моменталното сигирносно ниво е %s\n"
+"Одберете дозволи за да видите/уредите"
-#: ../../standalone/drakbug:1
+#: standalone/drakperm:121
#, c-format
-msgid "Bug Description/System Information"
+msgid "Up"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakperm:121
#, fuzzy, c-format
-msgid " (Default is all users)"
-msgstr "Стандарден корисник"
+msgid "Move selected rule up one level"
+msgstr "Едно ниво нагоре"
-#: ../../printer/printerdrake.pm:1 ../../standalone/scannerdrake:1
+#: standalone/drakperm:122
#, fuzzy, c-format
-msgid "No remote machines"
-msgstr "Нема локални компјутери"
+msgid "Down"
+msgstr "Завршено"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakperm:122
#, fuzzy, c-format
-msgid ""
-"\n"
-"Welcome to the Printer Setup Wizard\n"
-"\n"
-"This wizard will help you to install your printer(s) connected to this "
-"computer.\n"
-"\n"
-"If you have printer(s) connected to this machine, Please plug it/them in on "
-"this computer and turn it/them on so that it/they can be auto-detected.\n"
-"\n"
-" Click on \"Next\" when you are ready, and on \"Cancel\" if you do not want "
-"to set up your printer(s) now."
-msgstr ""
-"\n"
-" Добредојдовте на Волшебник за Подготовка на Печатач\n"
-"Овој волшебник ќе Ви помогне во инсталирањето на Вашиот принтер/и поврзан/и "
-"на овој компјутер.\n"
-"\n"
-" Ако имате принтер/и поврзан/и на компјутерот уклучете го/и за да може/ат "
-"давтоматски да се детектираат.\n"
-"\n"
-" Клинете на \"Следно\" кога сте подготвени или \"Откажи\" ако не сакате сега "
-"да го/и поставите Вашиот/те принтер/и."
+msgid "Move selected rule down one level"
+msgstr "Надолу"
-#: ../../any.pm:1
-#, c-format
-msgid "Authentication NIS"
-msgstr "NIS за автентикација"
+#: standalone/drakperm:123
+#, fuzzy, c-format
+msgid "Add a rule"
+msgstr "Додај модул"
-#: ../../any.pm:1
+#: standalone/drakperm:123
#, c-format
-msgid ""
-"Option ``Restrict command line options'' is of no use without a password"
-msgstr "Опцијата \"Рестрикција на командна линија\" е бесполезна без лозинка"
+msgid "Add a new rule at the end"
+msgstr "Додади ново правило на крајот"
-#: ../../standalone/drakgw:1
+#: standalone/drakperm:124
#, fuzzy, c-format
-msgid "Internet Connection Sharing currently enabled"
-msgstr "Делење на Интернет конекција овозможена"
+msgid "Delete selected rule"
+msgstr "Избриши"
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "United Arab Emirates"
-msgstr "Обединете Арапски Емирати"
+#: standalone/drakperm:125 standalone/drakvpn:329 standalone/drakvpn:690
+#: standalone/printerdrake:229
+#, c-format
+msgid "Edit"
+msgstr "Измени"
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: standalone/drakperm:125
#, c-format
-msgid "Card IO_0"
-msgstr "Картичка IO_0"
+msgid "Edit current rule"
+msgstr "Уреди го моменталното правило"
-#: ../../standalone/drakTermServ:1
+#: standalone/drakperm:242
#, c-format
-msgid "Disable Local Config"
-msgstr "Исклучен Локален Конфиг"
+msgid "browse"
+msgstr "разгледај"
-#: ../../lang.pm:1
+#: standalone/drakperm:252
#, c-format
-msgid "Thailand"
-msgstr "Тајланд"
+msgid "Read"
+msgstr "Читај"
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: standalone/drakperm:253
#, c-format
-msgid "Card IO_1"
-msgstr "Картичка IO_1"
+msgid "Enable \"%s\" to read the file"
+msgstr "Овозможи \"%s\" да ја чите датотеката"
-#: ../../standalone/printerdrake:1
+#: standalone/drakperm:256
#, fuzzy, c-format
-msgid "Search:"
-msgstr "барај"
+msgid "Write"
+msgstr "Запис"
-#: ../../lang.pm:1
+#: standalone/drakperm:257
#, c-format
-msgid "Kazakhstan"
-msgstr "Казахстан"
+msgid "Enable \"%s\" to write the file"
+msgstr "Овозможи \"%s\" да ја запише датотеката"
-#: ../../standalone/drakTermServ:1
-#, fuzzy, c-format
-msgid "Routers:"
-msgstr "Рутери:"
+#: standalone/drakperm:260
+#, c-format
+msgid "Execute"
+msgstr "Изврши"
-#: ../../standalone/drakperm:1
-#, fuzzy, c-format
-msgid "Write"
-msgstr "Запис"
+#: standalone/drakperm:261
+#, c-format
+msgid "Enable \"%s\" to execute the file"
+msgstr "Овозможете \"%s\" да ја изврши датотеката"
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Display all available remote CUPS printers"
-msgstr "Прикажи ги сите достапни локални CUPS принтери"
+#: standalone/drakperm:263
+#, c-format
+msgid "Sticky-bit"
+msgstr "Непријатен-бит"
-#: ../../install_steps_newt.pm:1
+#: standalone/drakperm:263
#, c-format
-msgid "Mandrake Linux Installation %s"
-msgstr "Mandrake Linux Инсталација %s"
+msgid ""
+"Used for directory:\n"
+" only owner of directory or file in this directory can delete it"
+msgstr ""
+"Се користи за директориум\n"
+" само сопственикот на директориумот или датотека во овој директориум може да "
+"го избрише"
+
+#: standalone/drakperm:264
+#, c-format
+msgid "Set-UID"
+msgstr "Подеси-UID"
-#: ../../harddrake/sound.pm:1
+#: standalone/drakperm:264
#, fuzzy, c-format
-msgid "Unknown driver"
-msgstr "Непознат драјвер"
+msgid "Use owner id for execution"
+msgstr "Користи ја сопствената идентификација за стартување"
-#: ../../keyboard.pm:1
+#: standalone/drakperm:265
#, c-format
-msgid "Thai keyboard"
-msgstr "Таи"
+msgid "Set-GID"
+msgstr "Set-GID"
-#: ../../lang.pm:1
+#: standalone/drakperm:265
#, c-format
-msgid "Bouvet Island"
-msgstr ""
+msgid "Use group id for execution"
+msgstr "Користи групна идентификација за извршување"
-#: ../../network/modem.pm:1
+#: standalone/drakperm:283
#, c-format
-msgid "Dialup options"
-msgstr "Опции за бирање број"
+msgid "User :"
+msgstr "Корисник :"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakperm:285
#, c-format
-msgid "If no port is given, 631 will be taken as default."
-msgstr "Ако не е дадена порта, тогаш 631 се зема за стандардна."
+msgid "Group :"
+msgstr "Група :"
-#: ../../standalone/drakTermServ:1
+#: standalone/drakperm:289
#, c-format
-msgid ""
-" - Per client system configuration files:\n"
-" \tThrough clusternfs, each diskless client can have its own unique "
-"configuration files\n"
-" \ton the root filesystem of the server. By allowing local client "
-"hardware configuration, \n"
-" \tclients can customize files such as /etc/modules.conf, /etc/"
-"sysconfig/mouse, \n"
-" \t/etc/sysconfig/keyboard on a per-client basis.\n"
-"\n"
-" Note: Enabling local client hardware configuration does enable root "
-"login to the terminal \n"
-" server on each client machine that has this feature enabled. Local "
-"configuration can be\n"
-" turned back off, retaining the configuration files, once the client "
-"machine is configured."
-msgstr ""
+msgid "Current user"
+msgstr "Тековен корисник"
-#: ../../install_steps_gtk.pm:1 ../../install_steps_interactive.pm:1
+#: standalone/drakperm:290
#, c-format
-msgid ""
-"Change your Cd-Rom!\n"
-"\n"
-"Please insert the Cd-Rom labelled \"%s\" in your drive and press Ok when "
-"done.\n"
-"If you don't have it, press Cancel to avoid installation from this Cd-Rom."
-msgstr ""
-"Сменете го цедето!\n"
-"\n"
-"Внесете го цедето со наслов \"%s\" во вашиот цедером и притиснете \"Во ред"
-"\".\n"
-"Ако го немате, притиснете \"Откажи\" за да не инсталирате од тоа цеде."
+msgid "When checked, owner and group won't be changed"
+msgstr "Кога е штиклирано, сопственикот и групата нема да бидат променети"
-#: ../../keyboard.pm:1
+#: standalone/drakperm:301
#, c-format
-msgid "Polish"
-msgstr "Полска"
+msgid "Path selection"
+msgstr "Бирање на патека"
-#: ../../standalone/drakbug:1
+#: standalone/drakperm:321
#, c-format
-msgid "Mandrake Online"
-msgstr "Mandrake Online"
+msgid "Property"
+msgstr "Својство"
-#: ../../standalone/drakbackup:1
+#: standalone/drakpxe:55
#, fuzzy, c-format
-msgid "\t-Network by webdav.\n"
-msgstr "\t-Мрежа од webdav.\n"
+msgid "PXE Server Configuration"
+msgstr "Конфигурација на PXE Сервер"
-#: ../../printer/main.pm:1
-#, fuzzy, c-format
-msgid ", multi-function device on a parallel port"
-msgstr ", мулти-функционален уред на паралелна порта #%s"
+#: standalone/drakpxe:111
+#, c-format
+msgid "Installation Server Configuration"
+msgstr "Конфигурација на Инсталациониот Сервер"
-#: ../../standalone/drakgw:1 ../../standalone/drakpxe:1
+#: standalone/drakpxe:112
#, fuzzy, c-format
msgid ""
-"No ethernet network adapter has been detected on your system. Please run the "
-"hardware configuration tool."
+"You are about to configure your computer to install a PXE server as a DHCP "
+"server\n"
+"and a TFTP server to build an installation server.\n"
+"With that feature, other computers on your local network will be installable "
+"using this computer as source.\n"
+"\n"
+"Make sure you have configured your Network/Internet access using drakconnect "
+"before going any further.\n"
+"\n"
+"Note: you need a dedicated Network Adapter to set up a Local Area Network "
+"(LAN)."
msgstr ""
-"Не Вклучено.Нема детектирано ethernet мрежен адаптер на Вашиот систем. Ве "
-"молиме стартувајте ја алатката за конфигурација на хардвер."
+"на на\n"
+" Вклучено на s\n"
+"\n"
+" Направи Мрежа\n"
+"\n"
+" Забелешка Мрежа на Локален Мрежа."
-#: ../../network/network.pm:1 ../../standalone/drakconnect:1
-#: ../../standalone/drakgw:1
-#, c-format
-msgid "Netmask"
-msgstr "НЕТМаска"
+#: standalone/drakpxe:143
+#, fuzzy, c-format
+msgid "Please choose which network interface will be used for the dhcp server."
+msgstr ""
+"Ве молиме одберете кој мрежен интерфејс ќе го користете на dhcp серверот."
-#: ../../diskdrake/hd_gtk.pm:1
-#, c-format
-msgid "No hard drives found"
-msgstr "Не се најдени тврди дискови"
+#: standalone/drakpxe:144
+#, fuzzy, c-format
+msgid "Interface %s (on network %s)"
+msgstr "Интерфејс %s (на мрежа %s)"
-#: ../../mouse.pm:1
+#: standalone/drakpxe:169
#, c-format
-msgid "2 buttons"
-msgstr "Со 2 копчиња"
+msgid ""
+"The DHCP server will allow other computer to boot using PXE in the given "
+"range of address.\n"
+"\n"
+"The network address is %s using a netmask of %s.\n"
+"\n"
+msgstr ""
-#: ../../mouse.pm:1
+#: standalone/drakpxe:173
#, c-format
-msgid "Logitech CC Series"
-msgstr "Logitech CC Series"
+msgid "The DHCP start ip"
+msgstr "Стартен ip на DHCP"
-#: ../../network/isdn.pm:1
+#: standalone/drakpxe:174
#, c-format
-msgid "What kind is your ISDN connection?"
-msgstr "Од каков вид е Вашата ISDN конекција?"
+msgid "The DHCP end ip"
+msgstr "DHCP крајно ip"
-#: ../../any.pm:1
+#: standalone/drakpxe:187
#, c-format
-msgid "Label"
-msgstr "Ознака"
+msgid ""
+"Please indicate where the installation image will be available.\n"
+"\n"
+"If you do not have an existing directory, please copy the CD or DVD "
+"contents.\n"
+"\n"
+msgstr ""
+"Ве молиме покажете каде е достапна инсталацијата.\n"
+"\n"
+"Ако немате веќе постоечки директориум, Ве молиме коприрајте ги CD или DVD "
+"contents.\n"
+"\n"
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakpxe:192
#, c-format
-msgid "Save on floppy"
-msgstr "Зачувај на дискета"
-
-#: ../../security/l10n.pm:1
-#, fuzzy, c-format
-msgid "Check open ports"
-msgstr "Провери ги отворените порти"
-
-#: ../../standalone/printerdrake:1
-#, fuzzy, c-format
-msgid "Edit selected printer"
-msgstr "Уреди го означениот сервер"
+msgid "Installation image directory"
+msgstr "Директориум на инсталациона слика"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakpxe:196
#, fuzzy, c-format
-msgid "Printer auto-detection"
-msgstr "Автоматска детрекција на принтер"
+msgid "No image found"
+msgstr "Не е пронајдена слика!"
-#: ../../network/isdn.pm:1
-#, fuzzy, c-format
-msgid "Which of the following is your ISDN card?"
-msgstr "Која е Вашата ISDN картичка?"
+#: standalone/drakpxe:197
+#, c-format
+msgid ""
+"No CD or DVD image found, please copy the installation program and rpm files."
+msgstr ""
+"Нема CD или DVD, Ве молиме копирајтеја инсталационата програма и rpm "
+"датотеките."
-#: ../../services.pm:1
-#, fuzzy, c-format
+#: standalone/drakpxe:210
+#, c-format
msgid ""
-"NFS is a popular protocol for file sharing across TCP/IP networks.\n"
-"This service provides NFS server functionality, which is configured via the\n"
-"/etc/exports file."
+"Please indicate where the auto_install.cfg file is located.\n"
+"\n"
+"Leave it blank if you do not want to set up automatic installation mode.\n"
+"\n"
msgstr ""
-"NFS е популарен протокол за делење на датотеки во TCP/IP мрежи.\n"
-"Овој сервер е конфигуриран со датотеката /etc/exports.\n"
+"Ве молиме кажете каде е сместен auto_install.cfg \n"
+"\n"
+"Оставете празно ако не сакате да подесите автоматска инсталација.\n"
+"\n"
-#: ../../standalone/drakbug:1
+#: standalone/drakpxe:215
#, c-format
-msgid "Msec"
-msgstr "Msec"
+msgid "Location of auto_install.cfg file"
+msgstr "Локацијата на auto_install.cfg датотеката"
-#: ../../interactive/stdio.pm:1
+#: standalone/draksec:44
#, c-format
-msgid ""
-"=> Notice, a label changed:\n"
-"%s"
-msgstr ""
-"=> Забележете дека се промени:\n"
-"%s"
+msgid "ALL"
+msgstr "СИТЕ"
-#: ../../harddrake/v4l.pm:1
+#: standalone/draksec:44
#, c-format
-msgid "Number of capture buffers:"
-msgstr "Број на бафери за capture:"
+msgid "LOCAL"
+msgstr "ЛОКАЛНО"
-#: ../../interactive/stdio.pm:1
+#: standalone/draksec:44
#, c-format
-msgid "Your choice? (0/1, default `%s') "
-msgstr "Вашиот избор? (0/1, \"%s\" е стандарден)"
+msgid "default"
+msgstr "стандардно"
+
+#: standalone/draksec:44
+#, fuzzy, c-format
+msgid "ignore"
+msgstr "ниту еден"
-#: ../../help.pm:1
+#: standalone/draksec:44
+#, c-format
+msgid "no"
+msgstr "не"
+
+#: standalone/draksec:44
+#, c-format
+msgid "yes"
+msgstr "да"
+
+#: standalone/draksec:70
#, fuzzy, c-format
msgid ""
-"Any partitions that have been newly defined must be formatted for use\n"
-"(formatting means creating a file system).\n"
+"Here, you can setup the security level and administrator of your machine.\n"
"\n"
-"At this time, you may wish to reformat some already existing partitions to\n"
-"erase any data they contain. If you wish to do that, please select those\n"
-"partitions as well.\n"
"\n"
-"Please note that it is not necessary to reformat all pre-existing\n"
-"partitions. You must reformat the partitions containing the operating\n"
-"system (such as \"/\", \"/usr\" or \"/var\") but you do not have to\n"
-"reformat partitions containing data that you wish to keep (typically\n"
-"\"/home\").\n"
+"The Security Administrator is the one who will receive security alerts if "
+"the\n"
+"'Security Alerts' option is set. It can be a username or an email.\n"
"\n"
-"Please be careful when selecting partitions. After formatting, all data on\n"
-"the selected partitions will be deleted and you will not be able to recover\n"
-"it.\n"
"\n"
-"Click on \"%s\" when you are ready to format partitions.\n"
+"The Security Level menu allows you to select one of the six preconfigured "
+"security levels\n"
+"provided with msec. These levels range from poor security and ease of use, "
+"to\n"
+"paranoid config, suitable for very sensitive server applications:\n"
"\n"
-"Click on \"%s\" if you want to choose another partition for your new\n"
-"Mandrake Linux operating system installation.\n"
"\n"
-"Click on \"%s\" if you wish to select partitions that will be checked for\n"
-"bad blocks on the disk."
+"<span foreground=\"royalblue3\">Poor</span>: This is a totally unsafe but "
+"very\n"
+"easy to use security level. It should only be used for machines not "
+"connected to\n"
+"any network and that are not accessible to everybody.\n"
+"\n"
+"\n"
+"<span foreground=\"royalblue3\">Standard</span>: This is the standard "
+"security\n"
+"recommended for a computer that will be used to connect to the Internet as "
+"a\n"
+"client.\n"
+"\n"
+"\n"
+"<span foreground=\"royalblue3\">High</span>: There are already some\n"
+"restrictions, and more automatic checks are run every night.\n"
+"\n"
+"\n"
+"<span foreground=\"royalblue3\">Higher</span>: The security is now high "
+"enough\n"
+"to use the system as a server which can accept connections from many "
+"clients. If\n"
+"your machine is only a client on the Internet, you should choose a lower "
+"level.\n"
+"\n"
+"\n"
+"<span foreground=\"royalblue3\">Paranoid</span>: This is similar to the "
+"previous\n"
+"level, but the system is entirely closed and security features are at their\n"
+"maximum"
msgstr ""
-"Сите новодефинирани партиции мора да бидат форматирани за употреба\n"
-"(форматирањето значи создавање фајлсистем).\n"
+"Овде можете да го поставите сигурносното ниво и администраторот на Вашиот "
+"компјутер.\n"
"\n"
-"Овој момент е погоден за реформатирање на некои веќе постоечки партиции\n"
-"со цел тие да се избришат. Ако сакате тоа да го направите, изберете ги\n"
-"и нив.\n"
"\n"
-"Запомнете дека не е неопходно да ги реформатирате сите веќе постоечки\n"
-"партиции. Морате да ги форматирате партициите што го содржат оперативниот\n"
-"систем (како \"/\", \"/usr\" или \"/var\"), но не мора да ги реформатирате\n"
-"партициите што содржат податоци што сакате да се зачуваат (обично \"/home"
-"\").\n"
+"Администраторот е еден кој ќе ги прима сигурносните пораки, ако the\n"
+"таа опција е вклучена. Тој може да биде корисничко име или е-маил адреса.\n"
"\n"
-"Ве молиме за внимание при избирањето партиции. По форматирањето, сите "
-"податоци\n"
-"на избраните партиции ќе бидат избришани и нив нема да може да го "
-"повратите.\n"
"\n"
-"Притиснете на \"Во ред\" кога ќе бидете спремни да форматирате.\n"
+"Сигурносното ниво овозможува да одберете една од шест преконфигурирани "
+"сигурности.\n"
+"Тие нивоа се рангирани од сиромашна сигурност и лесна за употреба, до\n"
+"параноидена која се користи за многу чуствителни сервери:\n"
"\n"
-"Притиснете на \"Откажи\" ако сакате да изберете друга партиција за "
-"инсталација\n"
-"на Вашиот нов Мандрак Линукс оперативен систем.\n"
"\n"
-"Притиснете на \"Напредно\" ако сакате за некои партиции да се провери дали\n"
-"содржат физички лоши блокови."
+"<span foreground=\"royalblue3\">Сиромашна</span>: Ова е тотално несигурно но "
+"многу\n"
+"лесно за употреба сигурносно ниво. Ова би требало да се користи кај "
+"компјутери кои не се поврзани\n"
+"на никаква мрежа и не се достапни за никој.\n"
+"\n"
+"\n"
+"<span foreground=\"royalblue3\">Стандардна</span>: Ова е стандардна "
+"сигурност\n"
+"препорачлива за компјутер кој се корити за поврзување на Интернет како "
+"клиент.\n"
+"\n"
+"\n"
+"<span foreground=\"royalblue3\">Висока</span>: Овде постојат некои "
+"рестрикции\n"
+"и многу автоматски проверки.\n"
+"\n"
+"\n"
+"<span foreground=\"royalblue3\">Повисока</span>: Сигурноста е такава да "
+"можете овој компјутер\n"
+"да го користете како сервер, на кој ќе може да се поврзат клиенти. Ако\n"
+"Вашиот компјутер е само клиент заповрзување на Интернет треба да користете "
+"пониско ниво на сигурност.\n"
+"\n"
+"\n"
+"<span foreground=\"royalblue3\">Параноидна</span>: Овде сите влезови во "
+"системот се затворени и се е поставено на максимум"
-#: ../../keyboard.pm:1
+#: standalone/draksec:118
#, c-format
-msgid "French"
-msgstr "Француска"
+msgid "(default value: %s)"
+msgstr "(вообичаена вредност: %s)"
-#: ../../keyboard.pm:1
+#: standalone/draksec:159
#, c-format
-msgid "Czech (QWERTY)"
-msgstr "Чешка (QWERTY)"
+msgid "Security Level:"
+msgstr "Безбедносно Ниво:"
-#: ../../security/l10n.pm:1
+#: standalone/draksec:162
#, fuzzy, c-format
-msgid "Allow X Window connections"
-msgstr "Дозволи X Window конекција"
+msgid "Security Alerts:"
+msgstr "Безбедност:"
-#: ../../standalone/service_harddrake:1
+#: standalone/draksec:166
#, fuzzy, c-format
-msgid "Hardware probing in progress"
-msgstr "Хардвер проверката е во тек"
+msgid "Security Administrator:"
+msgstr "Безбедност:"
-#: ../../network/shorewall.pm:1 ../../standalone/drakgw:1
+#: standalone/draksec:168
#, fuzzy, c-format
-msgid "Net Device"
-msgstr "Мрежни Уреди"
+msgid "Basic options"
+msgstr "DrakSec основни опции"
-#: ../../install_steps_interactive.pm:1 ../../steps.pm:1
+#: standalone/draksec:181
#, c-format
-msgid "Summary"
-msgstr "Резултати"
-
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
msgid ""
-" (Parallel Ports: /dev/lp0, /dev/lp1, ..., equivalent to LPT1:, LPT2:, ..., "
-"1st USB printer: /dev/usb/lp0, 2nd USB printer: /dev/usb/lp1, ...)."
-msgstr "Паралелен на 1-ви USB 2-ри USB."
+"The following options can be set to customize your\n"
+"system security. If you need an explanation, look at the help tooltip.\n"
+msgstr ""
+"Следниве опции можат да се подесат за да се преуреди\n"
+"вашата системска сигурност. Ако ви треба објаснување, видете во ПОМОШ за "
+"совет.\n"
+
+#: standalone/draksec:183
+#, c-format
+msgid "Network Options"
+msgstr "Мрежни опции"
-#: ../../network/netconnect.pm:1 ../../network/tools.pm:1
+#: standalone/draksec:183
#, fuzzy, c-format
-msgid "Next"
-msgstr "Следно ->"
+msgid "System Options"
+msgstr "Системски Опции"
-#: ../../bootloader.pm:1
+#: standalone/draksec:229
#, c-format
-msgid "You can't install the bootloader on a %s partition\n"
-msgstr "Не може да инсталирате подигач на %s партиција\n"
+msgid "Periodic Checks"
+msgstr "Периоднични Проверки"
-#: ../../network/modem.pm:1 ../../standalone/drakconnect:1
+#: standalone/draksec:247
#, c-format
-msgid "CHAP"
-msgstr "CHAP"
+msgid "Please wait, setting security level..."
+msgstr "Ве молиме почекајте, се сетира сигурносното ниво..."
+
+#: standalone/draksec:253
+#, c-format
+msgid "Please wait, setting security options..."
+msgstr "Ве молиме почекајте, се подесуваат сигурносните опции..."
-#: ../../lang.pm:1
+#: standalone/draksound:47
#, fuzzy, c-format
-msgid "Puerto Rico"
-msgstr "Порто Рико"
+msgid "No Sound Card detected!"
+msgstr "Нема Звучна Картичка!"
-#: ../../network/network.pm:1
-#, c-format
-msgid "(bootp/dhcp/zeroconf)"
-msgstr "(bootp/dhcp/zeroconf)"
+#: standalone/draksound:48
+#, fuzzy, c-format
+msgid ""
+"No Sound Card has been detected on your machine. Please verify that a Linux-"
+"supported Sound Card is correctly plugged in.\n"
+"\n"
+"\n"
+"You can visit our hardware database at:\n"
+"\n"
+"\n"
+"http://www.linux-mandrake.com/en/hardware.php3"
+msgstr ""
+"Нема детектирано Звучна картичка на Вашиот компјутер. Ве молиме проверете "
+"кои звучни картички се\n"
+"подржани од Linux\n"
+"\n"
+"\n"
+"Можете да ја посетите базата која ги содржи подржаните хардвери на:\n"
+"\n"
+"http://www.linux-mandrake.com/en/hardware.php3"
-#: ../../standalone/drakautoinst:1
+#: standalone/draksound:55
#, fuzzy, c-format
msgid ""
"\n"
-"Welcome.\n"
"\n"
-"The parameters of the auto-install are available in the sections on the left"
+"\n"
+"Note: if you've an ISA PnP sound card, you'll have to use the alsaconf or "
+"the sndconfig program. Just type \"alsaconf\" or \"sndconfig\" in a console."
msgstr ""
"\n"
-" Добредојдовте\n"
"\n"
-" Параметрите на авто-инсталацијата се достапни во левата секција."
+"\n"
+"Забелешка: ако имате ISA PnP звучна карта, ќе треба да ја користите "
+"sndconfig програмата. Само искуцајте \"sndconfig\" во конзолата."
-#: ../../standalone/draksplash:1
+#: standalone/draksplash:21
#, c-format
msgid ""
"package 'ImageMagick' is required to be able to complete configuration.\n"
@@ -17720,2621 +20072,2760 @@ msgstr ""
"пакетот 'ImageMagick' бара да има целосна конфигурација.\n"
"Кликнете \"Во ред\" за инсталација на 'ImageMagick' \"Откажи\" за излез."
-#: ../../network/drakfirewall.pm:1
+#: standalone/draksplash:67
+#, c-format
+msgid "first step creation"
+msgstr "прв чекор на создавање"
+
+#: standalone/draksplash:70
+#, c-format
+msgid "final resolution"
+msgstr "крајна резолуција"
+
+#: standalone/draksplash:71 standalone/draksplash:165
+#, c-format
+msgid "choose image file"
+msgstr "избери датотека со слика"
+
+#: standalone/draksplash:72
+#, c-format
+msgid "Theme name"
+msgstr "Име на Темата"
+
+#: standalone/draksplash:77
+#, c-format
+msgid "Browse"
+msgstr "Разгледај"
+
+#: standalone/draksplash:87 standalone/draksplash:153
#, fuzzy, c-format
-msgid "Telnet server"
-msgstr "X сервер"
+msgid "Configure bootsplash picture"
+msgstr "Конфигурирај"
-#: ../../keyboard.pm:1
+#: standalone/draksplash:90
#, c-format
-msgid "Lithuanian \"number row\" QWERTY"
-msgstr "Литванска QWERTY \"бројки\""
+msgid ""
+"x coordinate of text box\n"
+"in number of characters"
+msgstr ""
+"xкоординатата на текст кутијата\n"
+"во број на карактери"
-#: ../../install_any.pm:1
+#: standalone/draksplash:91
#, c-format
msgid ""
-"The following packages will be removed to allow upgrading your system: %s\n"
-"\n"
-"\n"
-"Do you really want to remove these packages?\n"
+"y coordinate of text box\n"
+"in number of characters"
msgstr ""
-"Следниве пакети ќе бидат отстранети за да се овозможи надградба на Вашиот\n"
-"систем: %s\n"
-"\n"
-"\n"
-"Дали навистина сакате да се избришат овие пакети?\n"
+"y координата на текст полето\n"
+"со голем број на карактери"
-#: ../../lang.pm:1
+#: standalone/draksplash:92
#, c-format
-msgid "Anguilla"
-msgstr "Ангуила"
+msgid "text width"
+msgstr "широчина на текстот"
-#: ../../any.pm:1
+#: standalone/draksplash:93
#, c-format
-msgid "NIS Domain"
-msgstr "NIS Домен"
+msgid "text box height"
+msgstr "висина на текст полето"
-#: ../../lang.pm:1
+#: standalone/draksplash:94
#, c-format
-msgid "Antarctica"
-msgstr "Антартик"
+msgid ""
+"the progress bar x coordinate\n"
+"of its upper left corner"
+msgstr ""
+"x координатата на прогреста лента\n"
+"од нејзиниот горен лев агол"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
+#: standalone/draksplash:95
+#, c-format
msgid ""
-"\n"
-"- User Files:\n"
+"the progress bar y coordinate\n"
+"of its upper left corner"
msgstr ""
-"\n"
-" Кориснички Датотеки"
+"y координатата на прогрес барот\n"
+"од неговиот горен лев агол"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/draksplash:96
#, c-format
-msgid "Mount options"
-msgstr "Опции за монтирање"
+msgid "the width of the progress bar"
+msgstr "ширина на прогрес лентата"
-#: ../../lang.pm:1
+#: standalone/draksplash:97
#, c-format
-msgid "Jamaica"
-msgstr "Јамајка"
+msgid "the height of the progress bar"
+msgstr "висината на прогрес лентата"
+
+#: standalone/draksplash:98
+#, c-format
+msgid "the color of the progress bar"
+msgstr "бојата на прогресната лента"
-#: ../../services.pm:1
+#: standalone/draksplash:113
#, fuzzy, c-format
-msgid ""
-"Assign raw devices to block devices (such as hard drive\n"
-"partitions), for the use of applications such as Oracle or DVD players"
-msgstr "на\n"
+msgid "Preview"
+msgstr "Преглед"
-#: ../../install_steps_gtk.pm:1
+#: standalone/draksplash:115
#, c-format
-msgid "Please wait, preparing installation..."
-msgstr "Почекајте, подготовка за инсталирање..."
+msgid "Save theme"
+msgstr "Зачувај Тема"
-#: ../../keyboard.pm:1
+#: standalone/draksplash:116
#, c-format
-msgid "Czech (QWERTZ)"
-msgstr "Чешка (QWERTZ)"
+msgid "Choose color"
+msgstr "Избери боја"
-#: ../../network/network.pm:1
+#: standalone/draksplash:119
#, fuzzy, c-format
-msgid "Track network card id (useful for laptops)"
-msgstr "Песна идентификација"
+msgid "Display logo on Console"
+msgstr "Прикажи го логото на Конзолата"
-#: ../../printer/printerdrake.pm:1
+#: standalone/draksplash:120
+#, fuzzy, c-format
+msgid "Make kernel message quiet by default"
+msgstr "Направи кернел порака како стандардна"
+
+#: standalone/draksplash:156 standalone/draksplash:320
+#: standalone/draksplash:448
#, c-format
-msgid "The port number should be an integer!"
-msgstr "Пората треба да биде во integer!"
+msgid "Notice"
+msgstr "Забелешка"
+
+#: standalone/draksplash:156 standalone/draksplash:320
+#, c-format
+msgid "This theme does not yet have a bootsplash in %s !"
+msgstr "оваа тема се уште нема подигачки екран во %s !"
-#: ../../standalone/draksplash:1
+#: standalone/draksplash:162
+#, c-format
+msgid "choose image"
+msgstr "Избери слика"
+
+#: standalone/draksplash:204
+#, c-format
+msgid "saving Bootsplash theme..."
+msgstr "зачувување на Bootsplas темата..."
+
+#: standalone/draksplash:428
+#, c-format
+msgid "ProgressBar color selection"
+msgstr "избор на боја на ProgressBar"
+
+#: standalone/draksplash:448
#, c-format
msgid "You must choose an image file first!"
msgstr "Мора прво да одберете некоја датотека!"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Restore from Hard Disk."
-msgstr "Врати од Тврдиот Диск."
+#: standalone/draksplash:453
+#, c-format
+msgid "Generating preview ..."
+msgstr "генерирање на прегледот..."
-#: ../../diskdrake/interactive.pm:1
+#: standalone/draksplash:499
#, c-format
-msgid "Add to LVM"
-msgstr "Додај на LVM"
+msgid "%s BootSplash (%s) preview"
+msgstr "%s BootSplash (%s) преглед"
-#: ../../network/network.pm:1
+#: standalone/drakvpn:71
#, fuzzy, c-format
-msgid "DNS server"
-msgstr "DNS сервер"
+msgid "DrakVPN"
+msgstr "Дворак (US)"
-#: ../../lang.pm:1
-#, c-format
-msgid "Trinidad and Tobago"
-msgstr "Тринидад и Тобаго"
+#: standalone/drakvpn:93
+#, fuzzy, c-format
+msgid "The VPN connection is enabled."
+msgstr "Делењето на интернет Конекцијата овозможено."
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:94
#, fuzzy, c-format
-msgid "LPD and LPRng do not support IPP printers.\n"
-msgstr "LPD и LPRng не подржуваат IPP принтери.\n"
+msgid ""
+"The setup of a VPN connection has already been done.\n"
+"\n"
+"It's currently enabled.\n"
+"\n"
+"What would you like to do ?"
+msgstr ""
+"Подесувањето за Делење на Интернет Конекција е веќе завршено.\n"
+"Моментално е овозможна.\n"
+"\n"
+"Што сакате да правите?"
-#: ../../standalone/drakbackup:1
+#: standalone/drakvpn:103
#, fuzzy, c-format
-msgid "Host name or IP."
-msgstr "Име на хост"
+msgid "Disabling VPN..."
+msgstr "Се оневозможуваат серверите..."
-#: ../../standalone/printerdrake:1
+#: standalone/drakvpn:112
#, fuzzy, c-format
-msgid "/_Edit"
-msgstr "/_Напушти"
+msgid "The VPN connection is now disabled."
+msgstr "Делењето на интернет конекцијата сега е оневозможено."
-#: ../../fsedit.pm:1
-#, c-format
-msgid "simple"
-msgstr "едноставно"
+#: standalone/drakvpn:119
+#, fuzzy, c-format
+msgid "VPN connection currently disabled"
+msgstr "Делењето на Интернет Конекцијата моментално е оневозможена"
-#: ../../help.pm:1 ../../diskdrake/interactive.pm:1
-#, c-format
-msgid "Clear all"
-msgstr "Исчисти се"
+#: standalone/drakvpn:120
+#, fuzzy, c-format
+msgid ""
+"The setup of a VPN connection has already been done.\n"
+"\n"
+"It's currently disabled.\n"
+"\n"
+"What would you like to do ?"
+msgstr ""
+"\n"
+" s неовозможено\n"
+"\n"
+" на?"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:133
#, fuzzy, c-format
-msgid "No test pages"
-msgstr "Без страница за тестирање"
+msgid "Enabling VPN..."
+msgstr "Овозможување на серверите..."
-#: ../../lang.pm:1
+#: standalone/drakvpn:139
+#, fuzzy, c-format
+msgid "The VPN connection is now enabled."
+msgstr "Делењето на интернет Конекцијата овозможено."
+
+#: standalone/drakvpn:153 standalone/drakvpn:179
#, c-format
-msgid "Falkland Islands (Malvinas)"
-msgstr "Фолкленд Острови"
+msgid "Simple VPN setup."
+msgstr ""
-#: ../../standalone/drakconnect:1
-#, fuzzy, c-format
-msgid "Adapter %s: %s"
-msgstr "Адаптер %s: %s"
+#: standalone/drakvpn:154
+#, c-format
+msgid ""
+"You are about to configure your computer to use a VPN connection.\n"
+"\n"
+"With this feature, computers on your local private network and computers\n"
+"on some other remote private networks, can share resources, through\n"
+"their respective firewalls, over the Internet, in a secure manner. \n"
+"\n"
+"The communication over the Internet is encrypted. The local and remote\n"
+"computers look as if they were on the same network.\n"
+"\n"
+"Make sure you have configured your Network/Internet access using\n"
+"drakconnect before going any further."
+msgstr ""
-#: ../../standalone/drakfloppy:1
-#, fuzzy, c-format
-msgid "Boot disk creation"
-msgstr "креирање на boot дискета"
+#: standalone/drakvpn:180
+#, c-format
+msgid ""
+"VPN connection.\n"
+"\n"
+"This program is based on the following projects:\n"
+" - FreeSwan: \t\t\thttp://www.freeswan.org/\n"
+" - Super-FreeSwan: \t\thttp://www.freeswan.ca/\n"
+" - ipsec-tools: \t\t\thttp://ipsec-tools.sourceforge.net/\n"
+" - ipsec-howto: \t\thttp://www.ipsec-howto.org\n"
+" - the docs and man pages coming with the %s package\n"
+"\n"
+"Please read AT LEAST the ipsec-howto docs\n"
+"before going any further."
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakvpn:192
#, fuzzy, c-format
-msgid "Monday"
-msgstr "Монако"
+msgid "Kernel module."
+msgstr "Отстрани модул"
-#: ../../printer/main.pm:1 ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:193
+#, c-format
+msgid ""
+"The kernel need to have ipsec support.\n"
+"\n"
+"You're running a %s kernel version.\n"
+"\n"
+"This kernel has '%s' support."
+msgstr ""
+
+#: standalone/drakvpn:288
#, fuzzy, c-format
-msgid "Unknown model"
-msgstr "Непознат модел"
+msgid "Security Policies"
+msgstr "Безбедност:"
-#: ../../security/help.pm:1
+#: standalone/drakvpn:288
#, c-format
-msgid "if set to yes, check files/directories writable by everybody."
+msgid "IKE daemon racoon"
msgstr ""
-"ако поставите да, проверете ги датотеките/директориумите на кои може секој "
-"да пишува."
-#: ../../help.pm:1
+#: standalone/drakvpn:291 standalone/drakvpn:302
#, fuzzy, c-format
-msgid "authentication"
-msgstr "автентикација"
+msgid "Configuration file"
+msgstr "Конфигурација"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Backup Now"
-msgstr "Бекап Сега"
+#: standalone/drakvpn:292
+#, c-format
+msgid ""
+"Configuration step !\n"
+"\n"
+"You need to define the Security Policies and then to \n"
+"configure the automatic key exchange (IKE) daemon. \n"
+"The KAME IKE daemon we're using is called 'racoon'.\n"
+"\n"
+"What would you like to configure ?\n"
+msgstr ""
-#: ../../standalone/drakboot:1 ../../standalone/drakfloppy:1
-#: ../../standalone/harddrake2:1 ../../standalone/logdrake:1
-#: ../../standalone/printerdrake:1
+#: standalone/drakvpn:303
#, c-format
-msgid "/_File"
-msgstr "/_Датотека"
+msgid ""
+"Next, we will configure the %s file.\n"
+"\n"
+"\n"
+"Simply click on Next.\n"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:321 standalone/drakvpn:681
#, fuzzy, c-format
-msgid "Removing printer from Star Office/OpenOffice.org/GIMP"
-msgstr "Бришење на принтерот од Star Office/OpenOffice.org/GIMP"
+msgid "%s entries"
+msgstr ", %s сектори"
-#: ../../services.pm:1
-#, fuzzy, c-format
+#: standalone/drakvpn:322
+#, c-format
msgid ""
-"Launch packet filtering for Linux kernel 2.2 series, to set\n"
-"up a firewall to protect your machine from network attacks."
+"The %s file contents\n"
+"is divided into sections.\n"
+"\n"
+"You can now :\n"
+"\n"
+" - display, add, edit, or remove sections, then\n"
+" - commit the changes\n"
+"\n"
+"What would you like to do ?\n"
msgstr ""
-"Стартувај го филтрираниот пакет за Linux кернел 2.2 серија, за да го "
-"поставите\n"
-"firewall-от да го штити Вашиот компјутер од нападите на мрежа."
-#: ../../standalone/drakperm:1
+#: standalone/drakvpn:329 standalone/drakvpn:690
#, fuzzy, c-format
-msgid "Editable"
-msgstr "неовозможено"
+msgid "Display"
+msgstr "дневно"
-#: ../../network/ethernet.pm:1
+#: standalone/drakvpn:329 standalone/drakvpn:690
#, fuzzy, c-format
-msgid "Which dhcp client do you want to use ? (default is dhcp-client)"
-msgstr ""
-"Кој dhcp клиент сакате да го користите?\n"
-"(dhcpcd е стандарден)"
+msgid "Commit"
+msgstr "компактно"
-#: ../../keyboard.pm:1
+#: standalone/drakvpn:343 standalone/drakvpn:347 standalone/drakvpn:705
+#: standalone/drakvpn:709
#, fuzzy, c-format
-msgid "Tamil (ISCII-layout)"
-msgstr "Тамилска (TSCII)"
+msgid "Display configuration"
+msgstr "LAN конфигурација"
-#: ../../lang.pm:1
+#: standalone/drakvpn:348
#, c-format
-msgid "Mayotte"
-msgstr "Мајот"
+msgid ""
+"The %s file does not exist.\n"
+"\n"
+"This must be a new configuration.\n"
+"\n"
+"You'll have to go back and choose 'add'.\n"
+msgstr ""
-#: ../../security/help.pm:1
+#: standalone/drakvpn:364
#, c-format
-msgid "Set shell commands history size. A value of -1 means unlimited."
+msgid "ipsec.conf entries"
msgstr ""
-"Постави ја големинта на поранешните команди во школката. -1 значи "
-"неограничен простор."
-
-#: ../../install_steps_gtk.pm:1
-#, fuzzy, c-format
-msgid "%d KB\n"
-msgstr "Големина: %d KB\n"
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakvpn:365
#, c-format
-msgid "Creating auto install floppy..."
-msgstr "Создавање дискета за авто-инсталација..."
+msgid ""
+"The %s file contains different sections.\n"
+"\n"
+"Here is its skeleton :\t'config setup' \n"
+"\t\t\t\t\t'conn default' \n"
+"\t\t\t\t\t'normal1'\n"
+"\t\t\t\t\t'normal2' \n"
+"\n"
+"You can now add one of these sections.\n"
+"\n"
+"Choose the section you would like to add.\n"
+msgstr ""
-#: ../../standalone/scannerdrake:1
+#: standalone/drakvpn:372
#, fuzzy, c-format
-msgid "Searching for scanners ..."
-msgstr "Барање на скенери..."
+msgid "config setup"
+msgstr "реконфигурирај"
-#: ../../lang.pm:1
+#: standalone/drakvpn:372
#, fuzzy, c-format
-msgid "Russia"
-msgstr "Руска"
+msgid "conn %default"
+msgstr "стандардно"
-#: ../../steps.pm:1
+#: standalone/drakvpn:372
#, fuzzy, c-format
-msgid "Partitioning"
-msgstr "Партиционирање"
+msgid "normal conn"
+msgstr "Нормално"
-#: ../../network/netconnect.pm:1
+#: standalone/drakvpn:378 standalone/drakvpn:419 standalone/drakvpn:506
#, fuzzy, c-format
-msgid "ethernet card(s) detected"
-msgstr "ethernet каричка/и детектирана"
+msgid "Exists !"
+msgstr "Излез"
+
+#: standalone/drakvpn:379 standalone/drakvpn:420
+#, c-format
+msgid ""
+"A section with this name already exists.\n"
+"The section names have to be unique.\n"
+"\n"
+"You'll have to go back and add another section\n"
+"or change its name.\n"
+msgstr ""
-#: ../../standalone/logdrake:1
+#: standalone/drakvpn:396
+#, c-format
+msgid ""
+"This section has to be on top of your\n"
+"%s file.\n"
+"\n"
+"Make sure all other sections follow this config\n"
+"setup section.\n"
+"\n"
+"Choose continue or previous when you are done.\n"
+msgstr ""
+
+#: standalone/drakvpn:401
#, fuzzy, c-format
-msgid "Syslog"
-msgstr "Syslog"
+msgid "interfaces"
+msgstr "Интерфејс"
-#: ../../standalone/drakbackup:1
+#: standalone/drakvpn:402
#, c-format
-msgid "Can't create catalog!"
-msgstr "Не можам да креирам каталог"
+msgid "klipsdebug"
+msgstr ""
+
+#: standalone/drakvpn:403
+#, c-format
+msgid "plutodebug"
+msgstr ""
+
+#: standalone/drakvpn:404
+#, c-format
+msgid "plutoload"
+msgstr ""
-#: ../advertising/11-mnf.pl:1
+#: standalone/drakvpn:405
+#, c-format
+msgid "plutostart"
+msgstr ""
+
+#: standalone/drakvpn:406
+#, c-format
+msgid "uniqueids"
+msgstr ""
+
+#: standalone/drakvpn:440
#, c-format
msgid ""
-"Complete your security setup with this very easy-to-use software which "
-"combines high performance components such as a firewall, a virtual private "
-"network (VPN) server and client, an intrusion detection system and a traffic "
-"manager."
+"This is the first section after the config\n"
+"setup one.\n"
+"\n"
+"Here you define the default settings. \n"
+"All the other sections will follow this one.\n"
+"The left settings are optional. If don't define\n"
+"them here, globally, you can define them in each\n"
+"section.\n"
msgstr ""
-"Комплетирајте ја Вашата сигурност со овој многу лесен за употреба софтвер, "
-"кој комбинира високи перформанси на компонентите како firewall, и лична "
-"виртуалнамрежа(VPN) сервер и клиент"
-#: ../../fsedit.pm:1
+#: standalone/drakvpn:447
#, c-format
-msgid "Not enough free space for auto-allocating"
-msgstr "Нема доволно слободен простор за авто-алоцирање"
+msgid "pfs"
+msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakvpn:448
#, c-format
-msgid "Set root password"
-msgstr "Поставка на лозинка за root"
+msgid "keyingtries"
+msgstr ""
-#: ../../security/l10n.pm:1
+#: standalone/drakvpn:449
#, c-format
-msgid "Enable IP spoofing protection"
-msgstr "Овозможи IP заштита"
+msgid "compress"
+msgstr ""
-#: ../../harddrake/sound.pm:1
+#: standalone/drakvpn:450
+#, c-format
+msgid "disablearrivalcheck"
+msgstr ""
+
+#: standalone/drakvpn:451 standalone/drakvpn:490
#, fuzzy, c-format
-msgid ""
-"There's no free driver for your sound card (%s), but there's a proprietary "
-"driver at \"%s\"."
+msgid "left"
+msgstr "Избриши"
+
+#: standalone/drakvpn:452 standalone/drakvpn:491
+#, c-format
+msgid "leftcert"
msgstr ""
-"Не постои познат OSS/ALSA алтернативен драјвер за Вашата звучна картичка (%"
-"s) која моментално го користи \"%s\""
-#: ../../standalone/drakperm:1
+#: standalone/drakvpn:453 standalone/drakvpn:492
#, c-format
-msgid "Group :"
-msgstr "Група :"
+msgid "leftrsasigkey"
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakvpn:454 standalone/drakvpn:493
#, c-format
-msgid "After resizing partition %s, all data on this partition will be lost"
+msgid "leftsubnet"
msgstr ""
-"По промена на големината на партицијата %s, сите податоци на оваа партиција "
-"ќе бидат изгубени"
-#: ../../standalone/drakconnect:1
+#: standalone/drakvpn:455 standalone/drakvpn:494
#, c-format
-msgid "Internet connection configuration"
-msgstr "Конфигурација на Интернет конекција"
+msgid "leftnexthop"
+msgstr ""
-#: ../../security/help.pm:1
+#: standalone/drakvpn:484
#, c-format
-msgid "Add the name as an exception to the handling of password aging by msec."
+msgid ""
+"Your %s file has several sections, or connections.\n"
+"\n"
+"You can now add a new section.\n"
+"Choose continue when you are done to write the data.\n"
msgstr ""
-#: ../../network/isdn.pm:1
+#: standalone/drakvpn:487
#, fuzzy, c-format
-msgid "USB"
-msgstr "LSB"
+msgid "section name"
+msgstr "Име на врска"
-#: ../../standalone/drakxtv:1
+#: standalone/drakvpn:488
#, fuzzy, c-format
-msgid "Scanning for TV channels"
-msgstr "Скенирање на ТВ канали"
+msgid "authby"
+msgstr "Пат"
-#: ../../standalone/drakbug:1
+#: standalone/drakvpn:489
#, fuzzy, c-format
-msgid "Kernel:"
-msgstr "Кернел:"
+msgid "auto"
+msgstr "За"
-#: ../../standalone/harddrake2:1 ../../standalone/printerdrake:1
-#, c-format
-msgid "/_About..."
-msgstr "/_За..."
+#: standalone/drakvpn:495
+#, fuzzy, c-format
+msgid "right"
+msgstr "Високо"
+
+#: standalone/drakvpn:496
+#, fuzzy, c-format
+msgid "rightcert"
+msgstr "Повисоко"
-#: ../../keyboard.pm:1
+#: standalone/drakvpn:497
#, c-format
-msgid "Bengali"
-msgstr "Бенгали"
+msgid "rightrsasigkey"
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakvpn:498
#, c-format
-msgid "Preference: "
-msgstr "Претпочитано: "
+msgid "rightsubnet"
+msgstr ""
-#: ../../install_steps_interactive.pm:1 ../../services.pm:1
+#: standalone/drakvpn:499
#, c-format
-msgid "Services: %d activated for %d registered"
-msgstr "Сервисите: %d активирани за %d регистрирани"
+msgid "rightnexthop"
+msgstr ""
-#: ../../any.pm:1
-#, fuzzy, c-format
-msgid "Create a bootdisk"
-msgstr "Создади подигачка дискета"
+#: standalone/drakvpn:507
+#, c-format
+msgid ""
+"A section with this name already exists.\n"
+"The section names have to be unique.\n"
+"\n"
+"You'll have to go back and add another section\n"
+"or change the name of the section.\n"
+msgstr ""
-#: ../../lang.pm:1
+#: standalone/drakvpn:539
#, c-format
-msgid "Solomon Islands"
-msgstr "Соломонски Острови"
+msgid ""
+"Add a Security Policy.\n"
+"\n"
+"You can now add a Security Policy.\n"
+"\n"
+"Choose continue when you are done to write the data.\n"
+msgstr ""
-#: ../../standalone/mousedrake:1
+#: standalone/drakvpn:572 standalone/drakvpn:822
#, fuzzy, c-format
-msgid "Please test your mouse:"
-msgstr "Тестирајте го глушецот:"
+msgid "Edit section"
+msgstr "Бирање на патека"
-#: ../../modules/interactive.pm:1
+#: standalone/drakvpn:573
#, c-format
-msgid "(module %s)"
-msgstr "(модул %s)"
+msgid ""
+"Your %s file has several sections or connections.\n"
+"\n"
+"You can choose here below the one you want to edit \n"
+"and then click on next.\n"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:576 standalone/drakvpn:656 standalone/drakvpn:827
+#: standalone/drakvpn:873
#, fuzzy, c-format
-msgid "Workgroup"
-msgstr "Работна група"
+msgid "Section names"
+msgstr "Име на врска"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:586
#, fuzzy, c-format
-msgid "Printer host name or IP"
-msgstr "Хост на Печатач или IP"
+msgid "Can't edit !"
+msgstr "Не може да се отвори %s!"
-#: ../../standalone/drakconnect:1
-#, fuzzy, c-format
-msgid "down"
-msgstr "направено"
+#: standalone/drakvpn:587
+#, c-format
+msgid ""
+"You cannot edit this section.\n"
+"\n"
+"This section is mandatory for Freswan 2.X.\n"
+"One has to specify version 2.0 on the top\n"
+"of the %s file, and eventually, disable or\n"
+"enable the oportunistic encryption.\n"
+msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Host Path or Module"
-msgstr "Хост Патека или Модул"
+#: standalone/drakvpn:596
+#, c-format
+msgid ""
+"Your %s file has several sections.\n"
+"\n"
+"You can now edit the config setup section entries.\n"
+"Choose continue when you are done to write the data.\n"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Name of printer should contain only letters, numbers and the underscore"
-msgstr "Име на принтерот треба да содржи само букви и бројки"
+#: standalone/drakvpn:607
+#, c-format
+msgid ""
+"Your %s file has several sections or connections.\n"
+"\n"
+"You can now edit the default section entries.\n"
+"Choose continue when you are done to write the data.\n"
+msgstr ""
-#: ../../standalone/drakgw:1
-#, fuzzy, c-format
-msgid "Show current interface configuration"
-msgstr "Прикажи ја моменталната конфигурација на интерфејсот"
+#: standalone/drakvpn:620
+#, c-format
+msgid ""
+"Your %s file has several sections or connections.\n"
+"\n"
+"You can now edit the normal section entries.\n"
+"\n"
+"Choose continue when you are done to write the data.\n"
+msgstr ""
+
+#: standalone/drakvpn:641
+#, c-format
+msgid ""
+"Edit a Security Policy.\n"
+"\n"
+"You can now add a Security Policy.\n"
+"\n"
+"Choose continue when you are done to write the data.\n"
+msgstr ""
-#: ../../standalone/printerdrake:1
+#: standalone/drakvpn:652 standalone/drakvpn:869
#, fuzzy, c-format
-msgid "Add Printer"
-msgstr "Принтер"
+msgid "Remove section"
+msgstr "Отстрани листа"
-#: ../../security/help.pm:1
+#: standalone/drakvpn:653 standalone/drakvpn:870
#, c-format
msgid ""
-"The argument specifies if clients are authorized to connect\n"
-"to the X server from the network on the tcp port 6000 or not."
+"Your %s file has several sections or connections.\n"
+"\n"
+"You can choose here below the one you want to remove\n"
+"and then click on next.\n"
msgstr ""
-"Специфицираниот аргументThe argument specifies if clients are authorized to "
-"connect\n"
-"to the X server from the network on the tcp port 6000 or not."
-#: ../../help.pm:1
-#, fuzzy, c-format
-msgid "Development"
-msgstr "Развој"
+#: standalone/drakvpn:682
+#, c-format
+msgid ""
+"The racoon.conf file configuration.\n"
+"\n"
+"The contents of this file is divided into sections.\n"
+"You can now :\n"
+" - display \t\t (display the file contents)\n"
+" - add\t\t\t (add one section)\n"
+" - edit \t\t\t (modify parameters of an existing section)\n"
+" - remove \t\t (remove an existing section)\n"
+" - commit \t\t (writes the changes to the real file)"
+msgstr ""
-#: ../../any.pm:1 ../../help.pm:1 ../../diskdrake/dav.pm:1
-#: ../../diskdrake/hd_gtk.pm:1 ../../diskdrake/removable.pm:1
-#: ../../diskdrake/smbnfs_gtk.pm:1 ../../interactive/http.pm:1
-#: ../../printer/printerdrake.pm:1 ../../standalone/drakbackup:1
-#: ../../standalone/scannerdrake:1
+#: standalone/drakvpn:710
#, c-format
-msgid "Done"
-msgstr "Завршено"
+msgid ""
+"The %s file does not exist\n"
+"\n"
+"This must be a new configuration.\n"
+"\n"
+"You'll have to go back and choose configure.\n"
+msgstr ""
-#: ../../network/drakfirewall.pm:1
+#: standalone/drakvpn:724
#, c-format
-msgid "Web Server"
-msgstr "Веб сервер"
+msgid "racoonf.conf entries"
+msgstr ""
+
+#: standalone/drakvpn:725
+#, c-format
+msgid ""
+"The 'add' sections step.\n"
+"\n"
+"Here below is the racoon.conf file skeleton :\n"
+"\t'path'\n"
+"\t'remote'\n"
+"\t'sainfo' \n"
+"\n"
+"Choose the section you would like to add.\n"
+msgstr ""
-#: ../../lang.pm:1
+#: standalone/drakvpn:731
#, fuzzy, c-format
-msgid "Chile"
-msgstr "Чиле"
+msgid "path"
+msgstr "Пат"
-#: ../../standalone/drakbackup:1
+#: standalone/drakvpn:731
#, fuzzy, c-format
-msgid "\tDo not include System Files\n"
-msgstr "\tНе ги вметнувај Систем Датотеките\n"
+msgid "remote"
+msgstr "Отстрани"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:731
#, fuzzy, c-format
+msgid "sainfo"
+msgstr "Шпанија"
+
+#: standalone/drakvpn:739
+#, c-format
msgid ""
-"The inkjet printer drivers provided by Lexmark only support local printers, "
-"no printers on remote machines or print server boxes. Please connect your "
-"printer to a local port or configure it on the machine where it is connected "
-"to."
+"The 'add path' section step.\n"
+"\n"
+"The path sections have to be on top of your racoon.conf file.\n"
+"\n"
+"Put your mouse over the certificate entry to obtain online help."
msgstr ""
-"не Вклучено или на или Вклучено на.Драјверите на Инкџет принтерите од "
-"Lexmark поддржуваат само локални принтери, не и принтери од локални "
-"компјутери или од сервери. Ве молиме сетирајте го Вашиот принтер за "
-"поврзување на локални порти или конфигурирајте го за компјутерот каде тој е "
-"приклучен. "
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:742
#, fuzzy, c-format
+msgid "path type"
+msgstr "Промена на тип"
+
+#: standalone/drakvpn:746
+#, c-format
msgid ""
-"Your multi-function device was configured automatically to be able to scan. "
-"Now you can scan with \"scanimage\" (\"scanimage -d hp:%s\" to specify the "
-"scanner when you have more than one) from the command line or with the "
-"graphical interfaces \"xscanimage\" or \"xsane\". If you are using the GIMP, "
-"you can also scan by choosing the appropriate point in the \"File\"/\"Acquire"
-"\" menu. Call also \"man scanimage\" on the command line to get more "
-"information.\n"
+"path include path : specifies a path to include\n"
+"a file. See File Inclusion.\n"
+"\tExample: path include '/etc/racoon'\n"
"\n"
-"Do not use \"scannerdrake\" for this device!"
+"path pre_shared_key file : specifies a file containing\n"
+"pre-shared key(s) for various ID(s). See Pre-shared key File.\n"
+"\tExample: path pre_shared_key '/etc/racoon/psk.txt' ;\n"
+"\n"
+"path certificate path : racoon(8) will search this directory\n"
+"if a certificate or certificate request is received.\n"
+"\tExample: path certificate '/etc/cert' ;\n"
+"\n"
+"File Inclusion : include file \n"
+"other configuration files can be included.\n"
+"\tExample: include \"remote.conf\" ;\n"
+"\n"
+"Pre-shared key File : Pre-shared key file defines a pair\n"
+"of the identifier and the shared secret key which are used at\n"
+"Pre-shared key authentication method in phase 1."
msgstr ""
-"Вашиот повеќе фукционален уред е конфигуриран автоматски за скенирање.\n"
-"Сега можете да скенирате со \"scanimage\" (\"scanimage -d hp:%s\" кога имате "
-"повеќе од еден скенер) од командната линија или со графичкиот интерфејс "
-"\"xscanimage\" или \"xsane\". Ако користете GIMP, исто така можете да "
-"скенирате избирајќи од \"Датотека\"/\"Acquire\" менито. За повеќе "
-"информации користете \"man scanimage\". \n"
-"Не го користете \"scannerdrake\" за овој уред!"
-
-#: ../../any.pm:1
-#, c-format
-msgid "(already added %s)"
-msgstr "(веќе е додаден %s)"
-#: ../../any.pm:1
+#: standalone/drakvpn:766
#, fuzzy, c-format
-msgid "Bootloader installation in progress"
-msgstr "Инсталацијата на подигачот е во тек"
+msgid "real file"
+msgstr "Избор на датотека"
-#: ../../printer/main.pm:1
+#: standalone/drakvpn:789
#, c-format
-msgid ", using command %s"
-msgstr ", користи команда %s"
+msgid ""
+"Make sure you already have the path sections\n"
+"on the top of your racoon.conf file.\n"
+"\n"
+"You can now choose the remote settings.\n"
+"Choose continue or previous when you are done.\n"
+msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/drakvpn:806
#, c-format
-msgid "Alt and Shift keys simultaneously"
-msgstr "Alt и Shift истовремено"
+msgid ""
+"Make sure you already have the path sections\n"
+"on the top of your %s file.\n"
+"\n"
+"You can now choose the sainfo settings.\n"
+"Choose continue or previous when you are done.\n"
+msgstr ""
-#: ../../standalone/harddrake2:1
+#: standalone/drakvpn:823
#, c-format
-msgid "Flags"
-msgstr "Знамиња"
-
-#: ../../standalone/drakTermServ:1
-#, fuzzy, c-format
-msgid "Add/Del Users"
-msgstr "Додај/Избриши Корисници"
+msgid ""
+"Your %s file has several sections or connections.\n"
+"\n"
+"You can choose here in the list below the one you want\n"
+"to edit and then click on next.\n"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:834
#, c-format
-msgid "Host/network IP address missing."
-msgstr "IP на хост/мрежа недостига."
+msgid ""
+"Your %s file has several sections.\n"
+"\n"
+"\n"
+"You can now edit the remote section entries.\n"
+"\n"
+"Choose continue when you are done to write the data.\n"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakvpn:843
#, c-format
-msgid "weekly"
-msgstr "неделно"
-
-#: ../../standalone/logdrake:1 ../../standalone/net_monitor:1
-#, fuzzy, c-format
-msgid "Settings"
-msgstr "Подесувања"
+msgid ""
+"Your %s file has several sections.\n"
+"\n"
+"You can now edit the sainfo section entries.\n"
+"\n"
+"Choose continue when you are done to write the data."
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:851
#, c-format
-msgid "The entered host/network IP is not correct.\n"
-msgstr "Внесената IP на хост/мрежа не е точна.\n"
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Create/Transfer backup keys for SSH"
+msgid ""
+"This section has to be on top of your\n"
+"%s file.\n"
+"\n"
+"Make sure all other sections follow these path\n"
+"sections.\n"
+"\n"
+"You can now edit the path entries.\n"
+"\n"
+"Choose continue or previous when you are done.\n"
msgstr ""
-"Создади/Премести\n"
-"бекап клучеви за SSH"
-#: ../../any.pm:1
-#, fuzzy, c-format
-msgid "Here is the full list of available countries"
-msgstr "Ова е целосна листа на достапни распореди"
+#: standalone/drakvpn:858
+#, c-format
+msgid "path_type"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:859
#, fuzzy, c-format
-msgid "Alternative test page (A4)"
-msgstr "Алтернативна A4 тест страница"
+msgid "real_file"
+msgstr "Избор на датотека"
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakvpn:899
#, c-format
msgid ""
-"If you have all the CDs in the list below, click Ok.\n"
-"If you have none of those CDs, click Cancel.\n"
-"If only some CDs are missing, unselect them, then click Ok."
+"Everything has been configured.\n"
+"\n"
+"You may now share resources through the Internet,\n"
+"in a secure way, using a VPN connection.\n"
+"\n"
+"You should make sure that that the tunnels shorewall\n"
+"section is configured."
msgstr ""
-"Ако ги имате сите цедиња од долнава листа, притиснете Во ред.\n"
-"Ако немате ниту едно од нив, притиснете Откажи.\n"
-"Ако недостигаат само некои, деселектирајте ги и притиснете Во ред."
-#: ../../standalone/drakconnect:1 ../../standalone/net_monitor:1
-#, fuzzy, c-format
-msgid "Wait please"
-msgstr "Почекајте"
+#: standalone/drakvpn:919
+#, c-format
+msgid "Sainfo source address"
+msgstr ""
-#: ../../network/modem.pm:1 ../../standalone/drakconnect:1
+#: standalone/drakvpn:920
#, c-format
-msgid "PAP"
-msgstr "PAP"
+msgid ""
+"sainfo (source_id destination_id | anonymous) { statements }\n"
+"defines the parameters of the IKE phase 2\n"
+"(IPsec-SA establishment).\n"
+"\n"
+"source_id and destination_id are constructed like:\n"
+"\n"
+"\taddress address [/ prefix] [[port]] ul_proto\n"
+"\n"
+"Examples : \n"
+"\n"
+"sainfo anonymous (accepts connections from anywhere)\n"
+"\tleave blank this entry if you want anonymous\n"
+"\n"
+"sainfo address 203.178.141.209 any address 203.178.141.218 any\n"
+"\t203.178.141.209 is the source address\n"
+"\n"
+"sainfo address 172.16.1.0/24 any address 172.16.2.0/24 any\n"
+"\t172.16.1.0/24 is the source address"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakvpn:937
#, fuzzy, c-format
-msgid "Backup user files"
-msgstr "Сигурносна копија"
+msgid "Sainfo source protocol"
+msgstr "Европски протокол"
-#: ../../diskdrake/dav.pm:1
+#: standalone/drakvpn:938
#, c-format
-msgid "New"
-msgstr "Ново"
+msgid ""
+"sainfo (source_id destination_id | anonymous) { statements }\n"
+"defines the parameters of the IKE phase 2\n"
+"(IPsec-SA establishment).\n"
+"\n"
+"source_id and destination_id are constructed like:\n"
+"\n"
+"\taddress address [/ prefix] [[port]] ul_proto\n"
+"\n"
+"Examples : \n"
+"\n"
+"sainfo anonymous (accepts connections from anywhere)\n"
+"\tleave blank this entry if you want anonymous\n"
+"\n"
+"sainfo address 203.178.141.209 any address 203.178.141.218 any\n"
+"\tthe first 'any' allows any protocol for the source"
+msgstr ""
-#: ../../help.pm:1
-#, fuzzy, c-format
+#: standalone/drakvpn:952
+#, c-format
+msgid "Sainfo destination address"
+msgstr ""
+
+#: standalone/drakvpn:953
+#, c-format
msgid ""
-"This is the most crucial decision point for the security of your GNU/Linux\n"
-"system: you have to enter the \"root\" password. \"Root\" is the system\n"
-"administrator and is the only user authorized to make updates, add users,\n"
-"change the overall system configuration, and so on. In short, \"root\" can\n"
-"do everything! That is why you must choose a password that is difficult to\n"
-"guess - DrakX will tell you if the password that you chose too easy. As you\n"
-"can see, you are not forced to enter a password, but we strongly advise you\n"
-"against this. GNU/Linux is just as prone to operator error as any other\n"
-"operating system. Since \"root\" can overcome all limitations and\n"
-"unintentionally erase all data on partitions by carelessly accessing the\n"
-"partitions themselves, it is important that it be difficult to become\n"
-"\"root\".\n"
+"sainfo (source_id destination_id | anonymous) { statements }\n"
+"defines the parameters of the IKE phase 2\n"
+"(IPsec-SA establishment).\n"
"\n"
-"The password should be a mixture of alphanumeric characters and at least 8\n"
-"characters long. Never write down the \"root\" password -- it makes it far\n"
-"too easy to compromise a system.\n"
+"source_id and destination_id are constructed like:\n"
"\n"
-"One caveat -- do not make the password too long or complicated because you\n"
-"must be able to remember it!\n"
+"\taddress address [/ prefix] [[port]] ul_proto\n"
"\n"
-"The password will not be displayed on screen as you type it in. To reduce\n"
-"the chance of a blind typing error you will need to enter the password\n"
-"twice. If you do happen to make the same typing error twice, this\n"
-"``incorrect'' password will be the one you will have use the first time you\n"
-"connect.\n"
+"Examples : \n"
"\n"
-"If you wish access to this computer to be controlled by an authentication\n"
-"server, click the \"%s\" button.\n"
+"sainfo anonymous (accepts connections from anywhere)\n"
+"\tleave blank this entry if you want anonymous\n"
"\n"
-"If your network uses either LDAP, NIS, or PDC Windows Domain authentication\n"
-"services, select the appropriate one for \"%s\". If you do not know which\n"
-"one to use, you should ask your network administrator.\n"
+"sainfo address 203.178.141.209 any address 203.178.141.218 any\n"
+"\t203.178.141.218 is the destination address\n"
"\n"
-"If you happen to have problems with remembering passwords, if your computer\n"
-"will never be connected to the internet or that you absolutely trust\n"
-"everybody who uses your computer, you can choose to have \"%s\"."
+"sainfo address 172.16.1.0/24 any address 172.16.2.0/24 any\n"
+"\t172.16.2.0/24 is the destination address"
msgstr ""
-"Ова е многу важна одлука во врска со сигурноста на Вашиот ГНУ/Линукс "
-"систем:\n"
-"треба да ја внесете лозинката за \"root\". \"Root\" е системскиот "
-"администратор\n"
-"и е единствениот корисник кој е авторизиран да прави надградби, додава \n"
-"корисници, ја менува севкупната системска конфигурација, итн. Во кратки "
-"црти,\n"
-"\"root\" може да прави сѐ! Затоа мора да изберете лозинка којашто е тешка\n"
-"за погодување -- DrakX ќе Ви каже ако е прелесна. Како што можете да "
-"видите,\n"
-"може да изберете и да не внесете лозинка, но ние Ви препорачуваме да не го\n"
-"правите тоа, од барем една причина: тоа што сте подигнале GNU/Linux не "
-"значи\n"
-"дека другите оперативни системи на Вашите дискови се безбедни. Бидејќи \"root"
-"\"\n"
-"може да ги надмине сите ограничувања и несакајќи да ги избрише сите податоци "
-"на\n"
-"некои партиции ако невнимателни им притапува, важно е да не е прелесно да "
-"се\n"
-"стане \"root\".\n"
-"\n"
-"Лозинката треба да е составена од букви и бројки и да е долга барем 8 "
-"знаци.\n"
-"Никогаш не ја запишувајте лозинката на \"root\" на некое ливче -- така е \n"
-"премногу лесно да се компромитира некој систем.\n"
+
+#: standalone/drakvpn:970
+#, fuzzy, c-format
+msgid "Sainfo destination protocol"
+msgstr "Алатка за миграција на Прозорци"
+
+#: standalone/drakvpn:971
+#, c-format
+msgid ""
+"sainfo (source_id destination_id | anonymous) { statements }\n"
+"defines the parameters of the IKE phase 2\n"
+"(IPsec-SA establishment).\n"
"\n"
-"Како и да е, немојте да ја направите лозинката ни предолга или "
-"прекомплицирана,\n"
-"зашто би требало да можете да ја запомните без поголем напор.\n"
+"source_id and destination_id are constructed like:\n"
"\n"
-"Лозинката нема да биде прикажана на екранот додека ја внесувате, па затоа\n"
-"ќе треба да ја внесете два пати, за да се намалат шансите дека сте "
-"направиле\n"
-"грешка при чукање. Ако се случи да ја направите истата грешки и при двете\n"
-"внесувања, оваа \"неточна\" лозинка ќе треба да се користи првиот пат кога\n"
-"ќе се најавите.\n"
+"\taddress address [/ prefix] [[port]] ul_proto\n"
"\n"
-"Во експертски режим ќе бидете запрашани дали ќе се поврзувате со сервер за\n"
-"автентикација, како NIS или LDAP.\n"
+"Examples : \n"
"\n"
-"Ако Вашата мрежа користи некоја од LDAP, NIS или PDC Windows Domain \n"
-"автентикациските сервиси, изберете го вистинскиот како \"автентикација\".\n"
-"Ако не знаете за што се работи, прашајте го Вашиот мрежен администратор.\n"
+"sainfo anonymous (accepts connections from anywhere)\n"
+"\tleave blank this entry if you want anonymous\n"
"\n"
-"Ако Вашиот компјутер не е поврзан со некоја администрирана мрежа, ќе сакате\n"
-"де изберете \"Локални датотеки\" за автентикација."
+"sainfo address 203.178.141.209 any address 203.178.141.218 any\n"
+"\tthe last 'any' allows any protocol for the destination"
+msgstr ""
-#: ../../security/l10n.pm:1
+#: standalone/drakvpn:985
#, c-format
-msgid "Name resolution spoofing protection"
+msgid "PFS group"
+msgstr ""
+
+#: standalone/drakvpn:987
+#, c-format
+msgid ""
+"define the group of Diffie-Hellman exponentiations.\n"
+"If you do not require PFS then you can omit this directive.\n"
+"Any proposal will be accepted if you do not specify one.\n"
+"group is one of following: modp768, modp1024, modp1536.\n"
+"Or you can define 1, 2, or 5 as the DH group number."
msgstr ""
-#: ../../help.pm:1
+#: standalone/drakvpn:992
#, fuzzy, c-format
+msgid "Lifetime number"
+msgstr "број"
+
+#: standalone/drakvpn:993
+#, c-format
msgid ""
-"At this point, DrakX will allow you to choose the security level desired\n"
-"for the machine. As a rule of thumb, the security level should be set\n"
-"higher if the machine will contain crucial data, or if it will be a machine\n"
-"directly exposed to the Internet. The trade-off of a higher security level\n"
-"is generally obtained at the expense of ease of use.\n"
+"define a lifetime of a certain time which will be pro-\n"
+"posed in the phase 1 negotiations. Any proposal will be\n"
+"accepted, and the attribute(s) will be not proposed to\n"
+"the peer if you do not specify it(them). They can be\n"
+"individually specified in each proposal.\n"
"\n"
-"If you do not know what to choose, stay with the default option."
-msgstr ""
-"Сега е време да го изберете сигурносното ниво што Ви одговара. Грубо "
-"кажано,\n"
-"колку што е поекспонирана машината, и колку што податоците на неа се "
-"поважни,\n"
-"толку би требало да биде повисоко нивото на сигурност. Како и да е, "
-"повисоко\n"
-"сигурносно ниво обично оди на штета на леснотијата на користење на "
-"системот.\n"
-"За повеќе информации околу значењето на овие нивоа, видете ја главата за \n"
-"\"msec\" од \"Reference Manual\".\n"
+"Examples : \n"
"\n"
-"Ако не знаете што да изберете, оставете како што е избрано."
+" lifetime time 1 min; # sec,min,hour\n"
+" lifetime time 1 min; # sec,min,hour\n"
+" lifetime time 30 sec;\n"
+" lifetime time 30 sec;\n"
+" lifetime time 60 sec;\n"
+"\tlifetime time 12 hour;\n"
+"\n"
+"So, here, the lifetime numbers are 1, 1, 30, 30, 60 and 12.\n"
+msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakvpn:1009
#, c-format
-msgid "Load from floppy"
-msgstr "Вчитај од дискета"
+msgid "Lifetime unit"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:1011
#, c-format
-msgid "The following printer was auto-detected. "
-msgstr "Принтерот е автоматски детектиран."
+msgid ""
+"define a lifetime of a certain time which will be pro-\n"
+"posed in the phase 1 negotiations. Any proposal will be\n"
+"accepted, and the attribute(s) will be not proposed to\n"
+"the peer if you do not specify it(them). They can be\n"
+"individually specified in each proposal.\n"
+"\n"
+"Examples : \n"
+"\n"
+" lifetime time 1 min; # sec,min,hour\n"
+" lifetime time 1 min; # sec,min,hour\n"
+" lifetime time 30 sec;\n"
+" lifetime time 30 sec;\n"
+" lifetime time 60 sec;\n"
+"\tlifetime time 12 hour ;\n"
+"\n"
+"So, here, the lifetime units are 'min', 'min', 'sec', 'sec', 'sec' and "
+"'hour'.\n"
+msgstr ""
-#: ../../printer/main.pm:1
+#: standalone/drakvpn:1027 standalone/drakvpn:1112
#, fuzzy, c-format
-msgid "Uses command %s"
-msgstr ", користи команда %s"
+msgid "Encryption algorithm"
+msgstr "автентикација"
+
+#: standalone/drakvpn:1029
+#, fuzzy, c-format
+msgid "Authentication algorithm"
+msgstr "автентикација"
-#: ../../standalone/drakTermServ:1
+#: standalone/drakvpn:1031
#, c-format
-msgid "Boot Floppy"
-msgstr "Boot Floppy"
+msgid "Compression algorithm"
+msgstr ""
+
+#: standalone/drakvpn:1039
+#, fuzzy, c-format
+msgid "Remote"
+msgstr "Отстрани"
-#: ../../keyboard.pm:1
+#: standalone/drakvpn:1040
#, c-format
-msgid "Norwegian"
-msgstr "Норвешка"
+msgid ""
+"remote (address | anonymous) [[port]] { statements }\n"
+"specifies the parameters for IKE phase 1 for each remote node.\n"
+"The default port is 500. If anonymous is specified, the state-\n"
+"ments apply to all peers which do not match any other remote\n"
+"directive.\n"
+"\n"
+"Examples : \n"
+"\n"
+"remote anonymous\n"
+"remote ::1 [8000]"
+msgstr ""
-#: ../../standalone/scannerdrake:1
+#: standalone/drakvpn:1048
#, fuzzy, c-format
-msgid "Searching for new scanners ..."
-msgstr "Барање на нови скенери..."
+msgid "Exchange mode"
+msgstr "Режим на бирање"
-#: ../../standalone/logdrake:1
+#: standalone/drakvpn:1050
#, c-format
-msgid "Apache World Wide Web Server"
-msgstr "Apache World Wide Web Сервер"
+msgid ""
+"defines the exchange mode for phase 1 when racoon is the\n"
+"initiator. Also it means the acceptable exchange mode\n"
+"when racoon is responder. More than one mode can be\n"
+"specified by separating them with a comma. All of the\n"
+"modes are acceptable. The first exchange mode is what\n"
+"racoon uses when it is the initiator.\n"
+msgstr ""
+
+#: standalone/drakvpn:1056
+#, fuzzy, c-format
+msgid "Generate policy"
+msgstr "Безбедност"
-#: ../../standalone/harddrake2:1
+#: standalone/drakvpn:1058
#, c-format
-msgid "stepping of the cpu (sub model (generation) number)"
+msgid ""
+"This directive is for the responder. Therefore you\n"
+"should set passive on in order that racoon(8) only\n"
+"becomes a responder. If the responder does not have any\n"
+"policy in SPD during phase 2 negotiation, and the direc-\n"
+"tive is set on, then racoon(8) will choice the first pro-\n"
+"posal in the SA payload from the initiator, and generate\n"
+"policy entries from the proposal. It is useful to nego-\n"
+"tiate with the client which is allocated IP address\n"
+"dynamically. Note that inappropriate policy might be\n"
+"installed into the responder's SPD by the initiator. So\n"
+"that other communication might fail if such policies\n"
+"installed due to some policy mismatches between the ini-\n"
+"tiator and the responder. This directive is ignored in\n"
+"the initiator case. The default value is off."
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakvpn:1072
#, fuzzy, c-format
-msgid "select path to restore (instead of /)"
-msgstr "одберете ја патеката на враќање"
+msgid "Passive"
+msgstr "Палестина"
-#: ../../standalone/draksplash:1
+#: standalone/drakvpn:1074
+#, c-format
+msgid ""
+"If you do not want to initiate the negotiation, set this\n"
+"to on. The default value is off. It is useful for a\n"
+"server."
+msgstr ""
+
+#: standalone/drakvpn:1077
+#, c-format
+msgid "Certificate type"
+msgstr ""
+
+#: standalone/drakvpn:1079
#, fuzzy, c-format
-msgid "Configure bootsplash picture"
-msgstr "Конфигурирај"
+msgid "My certfile"
+msgstr "Избор на датотека"
-#: ../../lang.pm:1
+#: standalone/drakvpn:1080
#, fuzzy, c-format
-msgid "Georgia"
-msgstr "Џорџија"
+msgid "Name of the certificate"
+msgstr "Име на принтерот"
-#: ../../lang.pm:1
+#: standalone/drakvpn:1081
#, c-format
-msgid "China"
-msgstr "Кина"
+msgid "My private key"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:1082
#, fuzzy, c-format
-msgid " (Make sure that all your printers are connected and turned on).\n"
-msgstr "(Бидете сигурни дека сите принтери се поврзани и уклучени)."
+msgid "Name of the private key"
+msgstr "Име на принтерот"
-#: ../../standalone/printerdrake:1
+#: standalone/drakvpn:1083
#, fuzzy, c-format
-msgid "Reading data of installed printers..."
-msgstr "Читање на дата од инсталирани принтери..."
+msgid "Peers certfile"
+msgstr "Избор на датотека"
-#: ../../standalone/drakbackup:1
+#: standalone/drakvpn:1084
#, c-format
-msgid " Erase Now "
-msgstr "Избриши Сега"
+msgid "Name of the peers certificate"
+msgstr ""
-#: ../../fsedit.pm:1
-#, c-format
-msgid "server"
-msgstr "сервер"
+#: standalone/drakvpn:1085
+#, fuzzy, c-format
+msgid "Verify cert"
+msgstr "одлично"
-#: ../../install_any.pm:1
+#: standalone/drakvpn:1087
#, c-format
-msgid "Insert a FAT formatted floppy in drive %s"
-msgstr "Внесете FAT-форматирана дискета во %s"
+msgid ""
+"If you do not want to verify the peer's certificate for\n"
+"some reason, set this to off. The default is on."
+msgstr ""
-#: ../../standalone/harddrake2:1
+#: standalone/drakvpn:1089
#, c-format
-msgid "yes means the processor has an arithmetic coprocessor"
-msgstr "да подразбира процесорот има аритметички копроцесор"
+msgid "My identifier"
+msgstr ""
-#: ../../harddrake/sound.pm:1 ../../standalone/drakconnect:1
+#: standalone/drakvpn:1090
#, c-format
-msgid "Please Wait... Applying the configuration"
-msgstr "Почекајте... Примена на конфигурацијата"
+msgid ""
+"specifies the identifier sent to the remote host and the\n"
+"type to use in the phase 1 negotiation. address, fqdn,\n"
+"user_fqdn, keyid and asn1dn can be used as an idtype.\n"
+"they are used like:\n"
+"\tmy_identifier address [address];\n"
+"\t\tthe type is the IP address. This is the default\n"
+"\t\ttype if you do not specify an identifier to use.\n"
+"\tmy_identifier user_fqdn string;\n"
+"\t\tthe type is a USER_FQDN (user fully-qualified\n"
+"\t\tdomain name).\n"
+"\tmy_identifier fqdn string;\n"
+"\t\tthe type is a FQDN (fully-qualified domain name).\n"
+"\tmy_identifier keyid file;\n"
+"\t\tthe type is a KEY_ID.\n"
+"\tmy_identifier asn1dn [string];\n"
+"\t\tthe type is an ASN.1 distinguished name. If\n"
+"\t\tstring is omitted, racoon(8) will get DN from\n"
+"\t\tSubject field in the certificate.\n"
+"\n"
+"Examples : \n"
+"\n"
+"my_identifier user_fqdn \"myemail@mydomain.com\""
+msgstr ""
-#. -PO: these messages will be displayed at boot time in the BIOS, use only ASCII (7bit)
-#. -PO: and keep them smaller than 79 chars long
-#: ../../bootloader.pm:1
-#, c-format
-msgid "Welcome to GRUB the operating system chooser!"
-msgstr "Добредојдовте на GRUB, програма за избирање на оперативни ситеми!"
+#: standalone/drakvpn:1110
+#, fuzzy, c-format
+msgid "Peers identifier"
+msgstr "Принтер"
+
+#: standalone/drakvpn:1111
+#, fuzzy, c-format
+msgid "Proposal"
+msgstr "Протокол"
-#: ../../bootloader.pm:1
+#: standalone/drakvpn:1113
#, c-format
-msgid "Grub"
-msgstr "Grub"
+msgid ""
+"specify the encryption algorithm used for the\n"
+"phase 1 negotiation. This directive must be defined. \n"
+"algorithm is one of following: \n"
+"\n"
+"des, 3des, blowfish, cast128 for oakley.\n"
+"\n"
+"For other transforms, this statement should not be used."
+msgstr ""
-#: ../../harddrake/data.pm:1
+#: standalone/drakvpn:1120
#, c-format
-msgid "SCSI controllers"
-msgstr "SCSI контролери"
+msgid "Hash algorithm"
+msgstr ""
-#: ../../printer/main.pm:1
+#: standalone/drakvpn:1121
#, fuzzy, c-format
-msgid " on LPD server \"%s\", printer \"%s\""
-msgstr "на LPD сервер \"%s\", принтер \"%s\""
+msgid "Authentication method"
+msgstr "автентикација"
-#: ../../standalone/drakedm:1
-#, c-format
-msgid "Choosing a display manager"
-msgstr "Одбери дисплеј менаџер"
+#: standalone/drakvpn:1122
+#, fuzzy, c-format
+msgid "DH group"
+msgstr "Група"
-#: ../../network/ethernet.pm:1 ../../network/network.pm:1
+#: standalone/drakvpn:1129
#, fuzzy, c-format
-msgid "Zeroconf Host name"
-msgstr "Zeroconf Име на хост"
+msgid "Command"
+msgstr "Командна линија"
-#: ../../standalone/drakbackup:1
+#: standalone/drakvpn:1130
#, c-format
-msgid "Custom setup/crontab entry:"
+msgid "Source IP range"
msgstr ""
-#: ../../network/network.pm:1 ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "IP address should be in format 1.2.3.4"
-msgstr "IP адресата треба да биде во следната форма 1.2.3.4"
+#: standalone/drakvpn:1131
+#, c-format
+msgid "Destination IP range"
+msgstr ""
-#: ../../standalone/printerdrake:1
+#: standalone/drakvpn:1132
#, fuzzy, c-format
-msgid "Configure CUPS printing system"
-msgstr "Промени го системот за печатење"
+msgid "Upper-layer protocol"
+msgstr "Европски протокол"
-#: ../../lang.pm:1
-#, c-format
-msgid "Ecuador"
-msgstr "Еквадор"
+#: standalone/drakvpn:1133
+#, fuzzy, c-format
+msgid "Flag"
+msgstr "Знамиња"
-#: ../../standalone/drakautoinst:1
+#: standalone/drakvpn:1134
#, fuzzy, c-format
-msgid "Add an item"
-msgstr "Додај"
+msgid "Direction"
+msgstr "Опис"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:1135
#, c-format
-msgid "The printers on this machine are available to other computers"
-msgstr "Печатачите на овој компјутер се достапни на други компјутери"
+msgid "IPsec policy"
+msgstr ""
-#: ../../lang.pm:1
+#: standalone/drakvpn:1137
#, fuzzy, c-format
-msgid "China (Hong Kong)"
-msgstr "Хонг Конг"
+msgid "Mode"
+msgstr "Модел"
-#: ../../standalone/drakautoinst:1
+#: standalone/drakvpn:1138
#, fuzzy, c-format
-msgid "I can't find needed image file `%s'."
-msgstr "Не можам да ја пронајдам потребната датотека `%s'."
+msgid "Source/destination"
+msgstr "Работна станица"
+
+#: standalone/drakvpn:1139 standalone/harddrake2:57
+#, fuzzy, c-format
+msgid "Level"
+msgstr "Ниво"
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakxtv:46
#, c-format
-msgid "No sound card detected. Try \"harddrake\" after installation"
-msgstr ""
-"Не е детектирана звучна картичка. Обидете се со \"harddrake\" по "
-"инсталацијата"
+msgid "USA (broadcast)"
+msgstr "USA (пренос)"
-#: ../../network/drakfirewall.pm:1
+#: standalone/drakxtv:46
#, c-format
-msgid ""
-"Invalid port given: %s.\n"
-"The proper format is \"port/tcp\" or \"port/udp\", \n"
-"where port is between 1 and 65535."
-msgstr ""
-"Дадена е невалидна порта: %s.\n"
-"Валидниот формат е \"port/tcp\" или \"port/udp\", \n"
-"каде портата е помеѓу 1 и 65535."
+msgid "USA (cable)"
+msgstr "САД (кабел)"
-#: ../../any.pm:1
+#: standalone/drakxtv:46
#, c-format
-msgid "Shell"
-msgstr "Школка"
+msgid "USA (cable-hrc)"
+msgstr "САД (кабелски-hrc)"
-#: ../../lang.pm:1
+#: standalone/drakxtv:46
#, c-format
-msgid "Sao Tome and Principe"
-msgstr "Sao Tome and Principe"
+msgid "Canada (cable)"
+msgstr "Канада (кабелски)"
-#: ../../network/isdn.pm:1
+#: standalone/drakxtv:47
#, c-format
-msgid "PCI"
-msgstr "PCI"
+msgid "Japan (broadcast)"
+msgstr "Јапонија"
-#: ../../diskdrake/smbnfs_gtk.pm:1
+#: standalone/drakxtv:47
#, c-format
-msgid "Can't login using username %s (bad password?)"
-msgstr "Не може да се најави со корисникот %s (погрешна лозинка?)"
+msgid "Japan (cable)"
+msgstr "Јапонија(кабел)"
-#: ../../keyboard.pm:1
+#: standalone/drakxtv:47
#, c-format
-msgid "Azerbaidjani (latin)"
-msgstr "Азербејџанска (латиница)"
+msgid "China (broadcast)"
+msgstr "Кина (емитирање)"
-#: ../../standalone/drakbug:1
+#: standalone/drakxtv:48
#, c-format
-msgid "Package not installed"
-msgstr "Пакетот не е инсталиран"
+msgid "West Europe"
+msgstr "Западна Европа"
-#: ../../lang.pm:1
+#: standalone/drakxtv:48
#, c-format
-msgid "American Samoa"
-msgstr "Американска Самоа"
+msgid "East Europe"
+msgstr "Источна Европа"
-#: ../advertising/12-mdkexpert.pl:1
+#: standalone/drakxtv:48
#, c-format
-msgid "Become a MandrakeExpert"
-msgstr "Стани MandrakeExpert"
+msgid "France [SECAM]"
+msgstr "Франција [SECAM]"
+
+#: standalone/drakxtv:49
+#, c-format
+msgid "Newzealand"
+msgstr "Нов Зеланд"
-#: ../../standalone/drakconnect:1
+#: standalone/drakxtv:52
+#, c-format
+msgid "Australian Optus cable TV"
+msgstr "Optus Австралијанска Кабловска ТВ"
+
+#: standalone/drakxtv:84
#, fuzzy, c-format
-msgid "Protocol"
-msgstr "Протокол"
+msgid ""
+"Please,\n"
+"type in your tv norm and country"
+msgstr ""
+"Ве молиме,\n"
+" Вашата земја за ТВ"
-#: ../../standalone/drakfont:1
+#: standalone/drakxtv:86
+#, c-format
+msgid "TV norm:"
+msgstr "TV нормализација:"
+
+#: standalone/drakxtv:87
+#, c-format
+msgid "Area:"
+msgstr "Област"
+
+#: standalone/drakxtv:91
+#, c-format
+msgid "Scanning for TV channels in progress ..."
+msgstr "Скенирање ТВ канали во тек..."
+
+#: standalone/drakxtv:101
#, fuzzy, c-format
-msgid "Copy fonts on your system"
-msgstr "Копирај ги фонтовите на Вашиот компјутер"
+msgid "Scanning for TV channels"
+msgstr "Скенирање на ТВ канали"
-#: ../../standalone/harddrake2:1
+#: standalone/drakxtv:105
#, c-format
-msgid "Harddrake help"
-msgstr "Harddrake помош"
+msgid "There was an error while scanning for TV channels"
+msgstr "Имаше грешко додека бараше ТВ канали"
-#: ../../standalone/harddrake2:1
+#: standalone/drakxtv:106
#, c-format
-msgid "Bogomips"
-msgstr "Богомипс"
+msgid "XawTV isn't installed!"
+msgstr "XawTV не е инсталиран!"
+
+#: standalone/drakxtv:109
+#, c-format
+msgid "Have a nice day!"
+msgstr "Пријатен ден :)"
-#: ../../standalone/drakTermServ:1
+#: standalone/drakxtv:110
#, fuzzy, c-format
-msgid "Mandrake Terminal Server Configuration"
-msgstr "Mandrakе Конфигурација на Терминал Сервер"
+msgid "Now, you can run xawtv (under X Window!) !\n"
+msgstr "Сега Прозорец"
-#: ../../standalone/drakbackup:1
+#: standalone/drakxtv:131
+#, c-format
+msgid "No TV Card detected!"
+msgstr "Не е детектирана ТВ картичка!"
+
+#: standalone/drakxtv:132
#, fuzzy, c-format
msgid ""
+"No TV Card has been detected on your machine. Please verify that a Linux-"
+"supported Video/TV Card is correctly plugged in.\n"
"\n"
-" DrakBackup Report Details\n"
+"\n"
+"You can visit our hardware database at:\n"
"\n"
"\n"
+"http://www.linux-mandrake.com/en/hardware.php3"
msgstr ""
+"Нема вклучено ТВ картичка на Вашиот компјутер. Проверете ги\n"
+"картичките кои се подржани од Linux\n"
"\n"
-" Детали\n"
"\n"
+"Можете да ја погледнете нашата база на податоци за хардвер кој е подржан\n"
+"\n"
+"http://www.linux-mandrake.com/en/hardware.php3"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Restore all backups"
-msgstr "Врати ги сите"
+#: standalone/harddrake2:18
+#, c-format
+msgid "Alternative drivers"
+msgstr "Алтернативни драјвери"
-#: ../../printer/main.pm:1 ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid " on parallel port #%s"
-msgstr "на паралелна порта #%s"
+#: standalone/harddrake2:19
+#, c-format
+msgid "the list of alternative drivers for this sound card"
+msgstr "листата на алтернативни драјвери за оваа звучна картичка"
-#: ../../security/help.pm:1
+#: standalone/harddrake2:22
#, c-format
msgid ""
-"Set the password minimum length and minimum number of digit and minimum "
-"number of capitalized letters."
+"this is the physical bus on which the device is plugged (eg: PCI, USB, ...)"
msgstr ""
-"Поставете јалозинката на минимум ... и минимум борјки и минимум број на "
-"големи букви."
+"Ова е физичката магистрала на која е приклучен уредот (пр. PCI, USB, ...)"
-#: ../../security/help.pm:1
+#: standalone/harddrake2:23
#, c-format
-msgid "if set to yes, check open ports."
-msgstr "ако поставете да, проверете ги отворените порти."
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "This may take a moment to erase the media."
-msgstr "Ова ќе потрае за ришење на медијата."
+msgid "Channel"
+msgstr "Канал"
-#: ../../install_steps_gtk.pm:1
+#: standalone/harddrake2:23
#, c-format
-msgid "You can't select/unselect this package"
-msgstr "Не можете да (не) го изберете овој пакет"
+msgid "EIDE/SCSI channel"
+msgstr "EIDE/SCSI канал"
-#: ../../keyboard.pm:1 ../../diskdrake/interactive.pm:1
-#: ../../harddrake/sound.pm:1 ../../network/modem.pm:1
-#: ../../standalone/drakfloppy:1
+#: standalone/harddrake2:24
#, c-format
-msgid "Warning"
-msgstr "Внимание"
+msgid "Bogomips"
+msgstr "Богомипс"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
+#: standalone/harddrake2:24
+#, c-format
msgid ""
-"\n"
-"- Other Files:\n"
+"the GNU/Linux kernel needs to run a calculation loop at boot time to "
+"initialize a timer counter. Its result is stored as bogomips as a way to "
+"\"benchmark\" the cpu."
msgstr ""
-"\n"
-" Други Датотеки:\n"
-
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Remote host name"
-msgstr "Локален хост"
-#: ../../any.pm:1
+#: standalone/harddrake2:26
#, c-format
-msgid "access to X programs"
-msgstr "пристап до X програми"
+msgid "Bus identification"
+msgstr "Име на магистрала"
-#: ../../install_interactive.pm:1
+#: standalone/harddrake2:27
#, fuzzy, c-format
-msgid "Computing the size of the Windows partition"
-msgstr "Користи го празниот простор на Windows партицијата"
+msgid ""
+"- PCI and USB devices: this lists the vendor, device, subvendor and "
+"subdevice PCI/USB ids"
+msgstr ""
+"- PCI и USB уреди: ова ги покажува имињата на производителот, уредот, "
+"подпроизводителот и подуредот"
-#: ../../standalone/printerdrake:1
+#: standalone/harddrake2:30
#, c-format
-msgid "/_Refresh"
+msgid ""
+"- pci devices: this gives the PCI slot, device and function of this card\n"
+"- eide devices: the device is either a slave or a master device\n"
+"- scsi devices: the scsi bus and the scsi device ids"
msgstr ""
+"- pci уреди: го дава PCI-slot-от, уредот и функцијата на картичката\n"
+"- eide уреди: уредот е или slave или master\n"
+"- scsi уреди: scsi магистралата и идентификаторите на scsi уредот"
-#: ../../crypto.pm:1 ../../lang.pm:1 ../../network/tools.pm:1
-#: ../../standalone/drakxtv:1
+#: standalone/harddrake2:33
#, c-format
-msgid "Italy"
-msgstr "Италија"
+msgid "Cache size"
+msgstr "Големина на кешот"
-#: ../../lang.pm:1
+#: standalone/harddrake2:33
#, c-format
-msgid "Cayman Islands"
-msgstr "Кајмански Острови"
+msgid "size of the (second level) cpu cache"
+msgstr "големина на L2 процесорскиот кеш"
-#: ../../fs.pm:1 ../../partition_table.pm:1
+#: standalone/harddrake2:34
#, c-format
-msgid "error unmounting %s: %s"
-msgstr "грешка при одмонтирање на %s: %s"
-
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Name of printer"
-msgstr "Име на принтерот"
+msgid "Drive capacity"
+msgstr "Капацитет на уредот"
-#: ../../standalone/drakgw:1
+#: standalone/harddrake2:34
#, c-format
-msgid "disable"
-msgstr "неовозможено"
-
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Do it!"
-msgstr "Стори го тоа!"
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "%s not responding"
-msgstr "%s не одговара"
-
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Select model manually"
-msgstr "Избери го моделот рачно"
+msgid "special capacities of the driver (burning ability and or DVD support)"
+msgstr ""
+"специјални капацитети на драјверот (можност за снимање или и DVD подршка)"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/harddrake2:36
#, c-format
-msgid "Format"
-msgstr "Форматирај"
-
-#: ../../network/adsl.pm:1
-#, fuzzy, c-format
-msgid ""
-"The most common way to connect with adsl is pppoe.\n"
-"Some connections use pptp, a few use dhcp.\n"
-"If you don't know, choose 'use pppoe'"
-msgstr ""
-"Највообичаениот начин на поврзувње со adsl е pppoe.\n"
-"Некои конекции користат и pptp, а само неко dhcp.\n"
-"Ако не знаете, изберете \"користи pppoe\""
+msgid "Coma bug"
+msgstr "Coma баг"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/harddrake2:36
#, c-format
-msgid "Various"
-msgstr "Разни"
+msgid "whether this cpu has the Cyrix 6x86 Coma bug"
+msgstr "дали овој процесор го има Cyrix 6x86 Coma багот"
-#: ../../harddrake/data.pm:1
+#: standalone/harddrake2:37
#, c-format
-msgid "Zip"
-msgstr "Пакуван"
+msgid "Cpuid family"
+msgstr "Cpuid фамилија"
-#: ../../keyboard.pm:1
-#, fuzzy, c-format
-msgid "Left Alt key"
-msgstr "Лево Alt копче"
+#: standalone/harddrake2:37
+#, c-format
+msgid "family of the cpu (eg: 6 for i686 class)"
+msgstr "фамилија на процесорот (на пр. 6 за i686 класата)"
-#: ../../standalone/logdrake:1
-#, fuzzy, c-format
-msgid "Load setting"
-msgstr "вчитај подесување"
+#: standalone/harddrake2:38
+#, c-format
+msgid "Cpuid level"
+msgstr "Cpuid ниво"
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid ""
-"\n"
-"\n"
-"Printerdrake could not determine which model your printer %s is. Please "
-"choose the correct model from the list."
-msgstr ""
-"\n"
-"\n"
-"Printerdrake не може да го препознае моделот на Вашиот принтер. Ве молиме "
-"изберете го моделот од листата."
+#: standalone/harddrake2:38
+#, c-format
+msgid "information level that can be obtained through the cpuid instruction"
+msgstr "информационо ниво кое може да се достигне низ cpuid инструкции"
-#: ../../standalone/printerdrake:1
-#, fuzzy, c-format
-msgid "Set selected printer as the default printer"
-msgstr "Подеси го овој принтер како стандарден"
+#: standalone/harddrake2:39
+#, c-format
+msgid "Frequency (MHz)"
+msgstr "Фреквенција (MHz)"
-#: ../../printer/printerdrake.pm:1
+#: standalone/harddrake2:39
#, fuzzy, c-format
msgid ""
-"\n"
-"Mark the printers which you want to transfer and click \n"
-"\"Transfer\"."
+"the CPU frequency in MHz (Megahertz which in first approximation may be "
+"coarsely assimilated to number of instructions the cpu is able to execute "
+"per second)"
msgstr ""
-"\n"
-" Одбележете го принтерот кој сакате да го префрлите и кликнете\n"
-"\"Трансфер\"."
+"Фреквенцијата на Процесорот во MHz (Мегахерци кои што на првата приближност "
+"можат coarsely да асоцираат на бројот на иструкции кои процесорот може да ги "
+"изврши во секунда)"
-#: ../../printer/data.pm:1
+#: standalone/harddrake2:40
#, c-format
-msgid "PDQ"
-msgstr "PDQ"
+msgid "this field describes the device"
+msgstr "ова поле го опишува уредот"
-#: ../../keyboard.pm:1
+#: standalone/harddrake2:41
#, c-format
-msgid "Albanian"
-msgstr "Албанска"
+msgid "Old device file"
+msgstr "Стара датотека на уред"
-#: ../../lang.pm:1
+#: standalone/harddrake2:42
#, c-format
-msgid "Lithuania"
-msgstr "Литванија"
+msgid "old static device name used in dev package"
+msgstr "старо статично име на уред користено во dev пакетот"
-#: ../../any.pm:1
+#: standalone/harddrake2:43
#, c-format
-msgid "Compact"
-msgstr "Компактно"
+msgid "New devfs device"
+msgstr "Нов devfs уред"
-#: ../../printer/printerdrake.pm:1
+#: standalone/harddrake2:44
#, fuzzy, c-format
-msgid "Detected model: %s %s"
-msgstr "Детектиран модел: %s %s"
+msgid "new dynamic device name generated by core kernel devfs"
+msgstr "ново динамично име на уред генерирано од devfs внатре кернелот"
-#: ../advertising/03-software.pl:1
+#: standalone/harddrake2:46
#, c-format
-msgid "MandrakeSoft has selected the best software for you"
-msgstr "MandrakeSoft го одбира најдобриот софтвер за Вас"
+msgid "Module"
+msgstr "Модул"
-#: ../../any.pm:1
+#: standalone/harddrake2:46
#, c-format
-msgid "Local files"
-msgstr "Локални датотеки"
+msgid "the module of the GNU/Linux kernel that handles the device"
+msgstr "Модулот на ГНУ/Линукс кернелот што се справува со тој уред"
-#: ../../pkgs.pm:1
+#: standalone/harddrake2:47
#, c-format
-msgid "maybe"
-msgstr "можеи"
+msgid "Flags"
+msgstr "Знамиња"
-#: ../../lang.pm:1
+#: standalone/harddrake2:47
#, c-format
-msgid "Panama"
-msgstr "Панама"
+msgid "CPU flags reported by the kernel"
+msgstr "Процесорски знамиња изјавени од страна на кернелот"
-#: ../../standalone/drakTermServ:1
-#, fuzzy, c-format
-msgid "Can't open %s!"
-msgstr "Не може да се отвори %s!"
+#: standalone/harddrake2:48
+#, c-format
+msgid "Fdiv bug"
+msgstr "Fdiv bug"
-#: ../../Xconfig/various.pm:1
+#: standalone/harddrake2:49
#, c-format
msgid ""
-"Your graphic card seems to have a TV-OUT connector.\n"
-"It can be configured to work using frame-buffer.\n"
-"\n"
-"For this you have to plug your graphic card to your TV before booting your "
-"computer.\n"
-"Then choose the \"TVout\" entry in the bootloader\n"
-"\n"
-"Do you have this feature?"
+"Early Intel Pentium chips manufactured have a bug in their floating point "
+"processor which did not achieve the required precision when performing a "
+"Floating point DIVision (FDIV)"
msgstr ""
-"Изгледа дека Вашата картичка има TV-OUT приклучок.\n"
-"Може да се конфигурира да работи со користење на frame-buffer.\n"
-"\n"
-"За тоа е потребно да ги споите графичката картичка и телевизорот пред "
-"подигање.\n"
-"Тогаш изберете \"TVout\" во bootloader-от\n"
-"\n"
-"Дали навистина Вашата графичка ја има таа можност?"
-#: ../../Xconfig/main.pm:1 ../../Xconfig/monitor.pm:1
+#: standalone/harddrake2:50
#, c-format
-msgid "Monitor"
-msgstr "Монитор"
+msgid "Is FPU present"
+msgstr "FPU"
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid ""
-"You are about to set up printing to a Windows account with password. Due to "
-"a fault in the architecture of the Samba client software the password is put "
-"in clear text into the command line of the Samba client used to transmit the "
-"print job to the Windows server. So it is possible for every user on this "
-"machine to display the password on the screen by issuing commands as \"ps "
-"auxwww\".\n"
-"\n"
-"We recommend to make use of one of the following alternatives (in all cases "
-"you have to make sure that only machines from your local network have access "
-"to your Windows server, for example by means of a firewall):\n"
-"\n"
-"Use a password-less account on your Windows server, as the \"GUEST\" account "
-"or a special account dedicated for printing. Do not remove the password "
-"protection from a personal account or the administrator account.\n"
-"\n"
-"Set up your Windows server to make the printer available under the LPD "
-"protocol. Then set up printing from this machine with the \"%s\" connection "
-"type in Printerdrake.\n"
-"\n"
-msgstr ""
-"на на Прозорци на во Samba во Samba на на Прозорци Вклучено на Вклучено\n"
-"\n"
-" на во на на Прозорци\n"
-"\n"
-" Користи го Вклучено Прозорци или или\n"
-"\n"
-" Прозорци на достапен s тип во\n"
+#: standalone/harddrake2:50
+#, c-format
+msgid "yes means the processor has an arithmetic coprocessor"
+msgstr "да подразбира процесорот има аритметички копроцесор"
-#: ../../Xconfig/resolution_and_depth.pm:1
+#: standalone/harddrake2:51
#, c-format
-msgid "65 thousand colors (16 bits)"
-msgstr "65 илјади бои (16 бита)"
+msgid "Whether the FPU has an irq vector"
+msgstr "Дали FPU има irq вектор"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid ""
-"\n"
-"- Save on Hard drive on path: %s\n"
+#: standalone/harddrake2:51
+#, c-format
+msgid "yes means the arithmetic coprocessor has an exception vector attached"
msgstr ""
-"\n"
-" Зачувај на Тврдиот диск со патека: %s\n"
+"да значи дека аритметичкиот копроцесор има прикачено исклучителен вектор"
-#: ../../standalone/drakfont:1
-#, fuzzy, c-format
-msgid "Remove fonts on your system"
-msgstr "Отстрани ги фонтовите од системот"
+#: standalone/harddrake2:52
+#, c-format
+msgid "F00f bug"
+msgstr "F00f баг"
-#: ../../standalone/drakgw:1
-#, fuzzy, c-format
-msgid ""
-"Warning, the network adapter (%s) is already configured.\n"
-"\n"
-"Do you want an automatic re-configuration?\n"
-"\n"
-"You can do it manually but you need to know what you're doing."
+#: standalone/harddrake2:52
+#, c-format
+msgid "early pentiums were buggy and freezed when decoding the F00F bytecode"
msgstr ""
-"Предупредување, мрежниот адаптер (%s) веќе е конфигуриран.\n"
-"\n"
-"Дали сакате автоматски да се ре-конфигурира?\n"
-"\n"
-" Можете да го направите рачно, но треба да знаете што правите."
+"поранешните пентиуми беа со грешка и замрзнуваа при декодирање на F00F "
+"бајткод"
-#: ../../Xconfig/various.pm:1
+#: standalone/harddrake2:53
#, c-format
-msgid "Graphical interface at startup"
-msgstr "Подигање во графички интерфејс"
+msgid "Halt bug"
+msgstr "Запри грешка"
-#: ../../network/netconnect.pm:1
+#: standalone/harddrake2:54
#, c-format
-msgid " adsl"
-msgstr " adsl"
+msgid ""
+"Some of the early i486DX-100 chips cannot reliably return to operating mode "
+"after the \"halt\" instruction is used"
+msgstr ""
+"Некои од поранешните i486DX-100 не можат потпорно да се вратат во извршен "
+"режим поради извршувањето на инструкцијата \"halt\""
-#: ../../raid.pm:1
+#: standalone/harddrake2:56
#, c-format
-msgid "Not enough partitions for RAID level %d\n"
-msgstr "Нема доволно партиции за RAID ниво %d\n"
+msgid "Floppy format"
+msgstr "Формат на дискета"
-#: ../../standalone/harddrake2:1
+#: standalone/harddrake2:56
#, c-format
msgid "format of floppies supported by the drive"
msgstr "форматирање на флопи поддржано од овој уред"
-#: ../../network/tools.pm:1
+#: standalone/harddrake2:57
#, c-format
-msgid "Firmware copy failed, file %s not found"
-msgstr ""
+msgid "sub generation of the cpu"
+msgstr "под генерирање на процесорот"
-#: ../../standalone/drakTermServ:1
+#: standalone/harddrake2:58
#, c-format
-msgid "local config: true"
-msgstr "локален конфиг: вистинито"
+msgid "class of hardware device"
+msgstr "класа на хардверскиот уред"
+
+#: standalone/harddrake2:59 standalone/harddrake2:60
+#: standalone/printerdrake:212
+#, c-format
+msgid "Model"
+msgstr "Модел"
+
+#: standalone/harddrake2:59
+#, c-format
+msgid "hard disk model"
+msgstr "модел на тврдиот дискот"
+
+#: standalone/harddrake2:60
+#, c-format
+msgid "generation of the cpu (eg: 8 for PentiumIII, ...)"
+msgstr "генерација на cpu (на пр.: 8 за PentiumIII, ...)"
-#: ../../printer/printerdrake.pm:1
+#: standalone/harddrake2:61
#, fuzzy, c-format
-msgid ""
-"The following printers are configured. Double-click on a printer to change "
-"its settings; to make it the default printer; or to view information about "
-"it."
-msgstr ""
-"Следните принтери се конфигурирани. Двоен клик на принтерот за промена на "
-"неговите поставки; да го направите стандарден принтер; или да ги видите "
-"информациите за него."
+msgid "Model name"
+msgstr "Модул"
-#: ../../standalone/drakconnect:1 ../../standalone/net_monitor:1
+#: standalone/harddrake2:61
#, fuzzy, c-format
-msgid "Connected"
-msgstr "Поврзан"
+msgid "official vendor name of the cpu"
+msgstr "името на производителот на уредот"
-#: ../../keyboard.pm:1
+#: standalone/harddrake2:62
#, c-format
-msgid "Macedonian"
-msgstr "Македонска"
+msgid "Number of buttons"
+msgstr "Број на копчиња"
-#: ../../lang.pm:1
+#: standalone/harddrake2:62
#, c-format
-msgid "Mali"
-msgstr "Мали"
+msgid "the number of buttons the mouse has"
+msgstr "бројот на копчиња што ги има глушецот"
-#: ../../harddrake/data.pm:1
+#: standalone/harddrake2:63
#, c-format
-msgid "Bridges and system controllers"
-msgstr "Мостови и систем контролери"
+msgid "Name"
+msgstr "Име"
-#: ../../standalone/logdrake:1
+#: standalone/harddrake2:63
#, fuzzy, c-format
-msgid "/File/_Save"
-msgstr "Датотека/_Зачувај"
+msgid "the name of the CPU"
+msgstr "имтое на производителот на уредот"
-#: ../../install_steps_gtk.pm:1
-#, fuzzy, c-format
-msgid "No details"
-msgstr "Без Детали"
+#: standalone/harddrake2:64
+#, c-format
+msgid "network printer port"
+msgstr "порта на мрежен принтер"
-#: ../../pkgs.pm:1
+#: standalone/harddrake2:65
#, c-format
-msgid "very nice"
-msgstr "одлично"
+msgid "Processor ID"
+msgstr "Процесорски ID"
-#: ../../standalone/draksplash:1
-#, fuzzy, c-format
-msgid "Preview"
-msgstr "Преглед"
+#: standalone/harddrake2:65
+#, c-format
+msgid "the number of the processor"
+msgstr "бројот на процесорот"
-#: ../../standalone/drakbug:1
-#, fuzzy, c-format
-msgid "Remote Control"
-msgstr "Локална Контрола"
+#: standalone/harddrake2:66
+#, c-format
+msgid "Model stepping"
+msgstr "Групно Моделирање"
-#: ../../standalone/drakbackup:1
+#: standalone/harddrake2:66
#, c-format
-msgid "Please select media for backup..."
-msgstr "Одберете го медиумот за бекап..."
+msgid "stepping of the cpu (sub model (generation) number)"
+msgstr ""
-#: ../../standalone/logdrake:1
+#: standalone/harddrake2:67
+#, fuzzy, c-format
+msgid "the type of bus on which the mouse is connected"
+msgstr "Изберете на која сериска порта е поврзан глушецот."
+
+#: standalone/harddrake2:68
#, c-format
-msgid "Wrong email"
-msgstr "Погрешна е-маил адреса"
+msgid "the vendor name of the device"
+msgstr "имтое на производителот на уредот"
-#: ../../Xconfig/various.pm:1
+#: standalone/harddrake2:69
#, c-format
-msgid "XFree86 server: %s\n"
-msgstr "XFree86 сервер: %s\n"
+msgid "the vendor name of the processor"
+msgstr "имтое на производителот на процесорот"
-#: ../../standalone/drakTermServ:1
+#: standalone/harddrake2:70
#, fuzzy, c-format
-msgid "Allow Thin Clients"
-msgstr "Дозволи Тенок Клиент"
+msgid "Write protection"
+msgstr "Заштита за пишување"
-#: ../../keyboard.pm:1
+#: standalone/harddrake2:70
#, c-format
-msgid "Georgian (\"Russian\" layout)"
-msgstr "Georgian (руски распоред)"
+msgid ""
+"the WP flag in the CR0 register of the cpu enforce write proctection at the "
+"memory page level, thus enabling the processor to prevent unchecked kernel "
+"accesses to user memory (aka this is a bug guard)"
+msgstr ""
+"WP знамето во CR0 регистарот од процесорот ја засилува заштитата за "
+"запишување на нивото на меориската страна, иако овозможувајќи му на "
+"процесорот да ги запре непроверените кернелските пристапи на корисничката "
+"моморија (aka ова е заштитник од багови)"
-#: ../../standalone/harddrake2:1 ../../standalone/logdrake:1
-#: ../../standalone/printerdrake:1
+#: standalone/harddrake2:84 standalone/logdrake:77 standalone/printerdrake:146
+#: standalone/printerdrake:159
#, c-format
msgid "/_Options"
msgstr "/_Опции"
-#: ../../printer/printerdrake.pm:1
+#: standalone/harddrake2:85 standalone/harddrake2:106 standalone/logdrake:79
+#: standalone/printerdrake:171 standalone/printerdrake:172
+#: standalone/printerdrake:173 standalone/printerdrake:174
#, c-format
-msgid "Your printer model"
-msgstr "Моделот на Вашиот печатч"
+msgid "/_Help"
+msgstr "/_Помош"
-#: ../../any.pm:1
+#: standalone/harddrake2:89
#, c-format
-msgid ""
-"\n"
-"\n"
-"(WARNING! You're using XFS for your root partition,\n"
-"creating a bootdisk on a 1.44 Mb floppy will probably fail,\n"
-"because XFS needs a very large driver)."
-msgstr ""
-"\n"
-"\n"
-"(ВНИМАНИЕ! Користите XFS за Вашата root-партиција.\n"
-"Креирањето дискета за подигање од 1,44МБ веројатно нема да успее,\n"
-"зашто XFS бара еден многу голем драјвер)."
+msgid "/Autodetect _printers"
+msgstr "/Автодетектирај ги _притнерите"
+
+#: standalone/harddrake2:90
+#, c-format
+msgid "/Autodetect _modems"
+msgstr "/Авто-детекција на_модеми"
-#: ../../standalone/drakbackup:1
+#: standalone/harddrake2:91
+#, c-format
+msgid "/Autodetect _jaz drives"
+msgstr "/Автодетектирани _jaz уреди"
+
+#: standalone/harddrake2:98 standalone/printerdrake:152
+#, c-format
+msgid "/_Quit"
+msgstr "/_Напушти"
+
+#: standalone/harddrake2:107
#, fuzzy, c-format
+msgid "/_Fields description"
+msgstr "Опис"
+
+#: standalone/harddrake2:109
+#, c-format
+msgid "Harddrake help"
+msgstr "Harddrake помош"
+
+#: standalone/harddrake2:110
+#, c-format
msgid ""
+"Description of the fields:\n"
"\n"
-"- Delete hard drive tar files after backup.\n"
msgstr ""
+"Опис на полињата:\n"
"\n"
-" Избриши ги tar датотеките после бекап.\n"
-#: ../../standalone/drakpxe:1
+#: standalone/harddrake2:115
+#, c-format
+msgid "Select a device !"
+msgstr "Избери уред!"
+
+#: standalone/harddrake2:115
#, c-format
msgid ""
-"No CD or DVD image found, please copy the installation program and rpm files."
+"Once you've selected a device, you'll be able to see the device information "
+"in fields displayed on the right frame (\"Information\")"
msgstr ""
-"Нема CD или DVD, Ве молиме копирајтеја инсталационата програма и rpm "
-"датотеките."
-
-#: ../advertising/04-configuration.pl:1
-#, fuzzy, c-format
-msgid "Mandrake's multipurpose configuration tool"
-msgstr "Mandrake алатки за конфигурација"
-
-#: ../../standalone/drakbackup:1 ../../standalone/logdrake:1
-#, fuzzy, c-format
-msgid "Save"
-msgstr "Состојба"
-
-#: ../../standalone/scannerdrake:1
-#, fuzzy, c-format
-msgid "The %s is unsupported"
-msgstr "%s не е поддржан"
+"Ако селектирате некој уред, можете да ги видите информациите за него "
+"прикажани во десната рамка (\"Информации\")"
-#: ../../services.pm:1
+#: standalone/harddrake2:120 standalone/printerdrake:173
#, c-format
-msgid "Load the drivers for your usb devices."
-msgstr "Подиги ги драјверите за вашиот usb уред."
+msgid "/_Report Bug"
+msgstr "/_Извести за бубачка"
-#: ../../harddrake/data.pm:1
-#, fuzzy, c-format
-msgid "Disk"
-msgstr "Диск"
+#: standalone/harddrake2:121 standalone/printerdrake:174
+#, c-format
+msgid "/_About..."
+msgstr "/_За..."
-#: ../../printer/main.pm:1 ../../printer/printerdrake.pm:1
+#: standalone/harddrake2:122
#, c-format
-msgid "Enter a printer device URI"
-msgstr "Поврзете го принтерот"
+msgid "About Harddrake"
+msgstr "За Harddrake"
-#: ../advertising/01-thanks.pl:1
-#, fuzzy, c-format
+#: standalone/harddrake2:124
+#, c-format
msgid ""
-"The success of MandrakeSoft is based upon the principle of Free Software. "
-"Your new operating system is the result of collaborative work of the "
-"worldwide Linux Community."
+"This is HardDrake, a Mandrake hardware configuration tool.\n"
+"<span foreground=\"royalblue3\">Version:</span> %s\n"
+"<span foreground=\"royalblue3\">Author:</span> Thierry Vignaud &lt;"
+"tvignaud@mandrakesoft.com&gt;\n"
+"\n"
msgstr ""
-"Успехот на Linux се базира на Слободниот Софтвер. Вашиот нов оперативен "
-"систем е резултат на макотрпната работа на Linux Community."
-
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Israel"
-msgstr "Израелска"
+"� �HardDrake, е алатка за конфигурација на хардверот\n"
+"<span foreground=\"royalblue3\">Верзија:</span> %s\n"
+"<span foreground=\"royalblue3\">Автор:</span> Thierry Vignaud &lt;"
+"tvignaud@mandrakesoft.com&gt;\n"
+"\n"
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "French Guiana"
-msgstr "Француска Гвајана"
+#: standalone/harddrake2:133
+#, c-format
+msgid "Detection in progress"
+msgstr "Детекцијата е во тек"
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "default:LTR"
-msgstr "вообичаено:LTR"
+#: standalone/harddrake2:140
+#, c-format
+msgid "Harddrake2 version %s"
+msgstr "Harddrake2 верзија %s "
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "A command line must be entered!"
-msgstr "Мора да внесете команда!"
+#: standalone/harddrake2:156
+#, c-format
+msgid "Detected hardware"
+msgstr "Детектиран хардвер"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Select user manually"
-msgstr "Рачен избор на корисник"
+#: standalone/harddrake2:161
+#, c-format
+msgid "Configure module"
+msgstr "Конфигурирај модул"
-#: ../../printer/printerdrake.pm:1
+#: standalone/harddrake2:168
#, c-format
-msgid "Transfer printer configuration"
-msgstr "Префрлување на конфигурација за принтер"
+msgid "Run config tool"
+msgstr "Алатка за конфугурација"
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Do you want to enable printing on the printers mentioned above?\n"
-msgstr "Дали сакате да биде овозможено печатење на принтерите ?"
+#: standalone/harddrake2:215
+#, c-format
+msgid "unknown"
+msgstr "непознат"
-#: ../../security/l10n.pm:1
+#: standalone/harddrake2:216
#, c-format
-msgid "Check additions/removals of suid root files"
-msgstr "Проверка на додадените/поместените suid root датотеки"
+msgid "Unknown"
+msgstr "Непознат"
-#: ../../any.pm:1
-#, fuzzy, c-format
+#: standalone/harddrake2:234
+#, c-format
msgid ""
-"For this to work for a W2K PDC, you will probably need to have the admin "
-"run: C:\\>net localgroup \"Pre-Windows 2000 Compatible Access\" everyone /"
-"add and reboot the server.\n"
-"You will also need the username/password of a Domain Admin to join the "
-"machine to the Windows(TM) domain.\n"
-"If networking is not yet enabled, Drakx will attempt to join the domain "
-"after the network setup step.\n"
-"Should this setup fail for some reason and domain authentication is not "
-"working, run 'smbpasswd -j DOMAIN -U USER%%PASSWORD' using your Windows(tm) "
-"Domain, and Admin Username/Password, after system boot.\n"
-"The command 'wbinfo -t' will test whether your authentication secrets are "
-"good."
+"Click on a device in the left tree in order to display its information here."
msgstr ""
-"За ова да работи за W2K PDC, веројатно ќе треба Вашиот администратор "
-"даизврши: C:\\>net localgroup \"Pre-Windows 2000 Compatible Access\" "
-"everyone / и да го рестартува серверот.\n"
-"Исто така ќе Ви треба име/лозинка на администратор на домен за да ја "
-"придружите машинава на Windows доменот.\n"
-"Ако умрежувањето сеуште не е остварено, DrakX ќе се обиде да се приклучи на "
-"доменот кога ќе биде остварено.\n"
-"Ако поставкава не успее од некоја причина и домен-автеникацијата не работи, "
-"извршете 'smbpasswd -j DOMAIN -U USER%PASSWORD' со Ваш domain, user и "
-"password, по вклучувањето на компјутерот.\n"
-"Командата 'wbinfo -t' ќе тестира дали тајните за автентикација ви се добри."
+"Притиснете на уред во левата гранка за да се прикаже неговата информацијата "
+"овде."
-#: ../../printer/main.pm:1
-#, fuzzy, c-format
-msgid "%s (Port %s)"
-msgstr "%s (Порта %s)"
+#: standalone/harddrake2:282
+#, c-format
+msgid "secondary"
+msgstr "секундарен"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Use network connection to backup"
-msgstr "Користи ја мрежата за бекап"
+#: standalone/harddrake2:282
+#, c-format
+msgid "primary"
+msgstr "примарен"
-#: ../../standalone/drakfloppy:1
+#: standalone/harddrake2:290
#, fuzzy, c-format
-msgid "Kernel version"
-msgstr "верзија на јадрото"
+msgid "burner"
+msgstr "режач"
-#: ../../help.pm:1
-#, fuzzy, c-format
-msgid ""
-"It is now time to specify which programs you wish to install on your\n"
-"system. There are thousands of packages available for Mandrake Linux, and\n"
-"to make it simpler to manage the packages have been placed into groups of\n"
-"similar applications.\n"
-"\n"
-"Packages are sorted into groups corresponding to a particular use of your\n"
-"machine. Mandrake Linux has four predefined installations available. You\n"
-"can think of these installation classes as containers for various packages.\n"
-"You can mix and match applications from the various groups, so a\n"
-"``Workstation'' installation can still have applications from the\n"
-"``Development'' group installed.\n"
-"\n"
-" * \"%s\": if you plan to use your machine as a workstation, select one or\n"
-"more of the applications that are in the workstation group.\n"
-"\n"
-" * \"%s\": if plan on using your machine for programming, choose the\n"
-"appropriate packages from that group.\n"
-"\n"
-" * \"%s\": if your machine is intended to be a server, select which of the\n"
-"more common services you wish to install on your machine.\n"
-"\n"
-" * \"%s\": this is where you will choose your preferred graphical\n"
-"environment. At least one must be selected if you want to have a graphical\n"
-"interface available.\n"
-"\n"
-"Moving the mouse cursor over a group name will display a short explanatory\n"
-"text about that group. If you unselect all groups when performing a regular\n"
-"installation (as opposed to an upgrade), a dialog will pop up proposing\n"
-"different options for a minimal installation:\n"
-"\n"
-" * \"%s\": install the minimum number of packages possible to have a\n"
-"working graphical desktop.\n"
-"\n"
-" * \"%s\": installs the base system plus basic utilities and their\n"
-"documentation. This installation is suitable for setting up a server.\n"
-"\n"
-" * \"%s\": will install the absolute minimum number of packages necessary\n"
-"to get a working Linux system. With this installation you will only have a\n"
-"command line interface. The total size of this installation is about 65\n"
-"megabytes.\n"
-"\n"
-"You can check the \"%s\" box, which is useful if you are familiar with the\n"
-"packages being offered or if you want to have total control over what will\n"
-"be installed.\n"
-"\n"
-"If you started the installation in \"%s\" mode, you can unselect all groups\n"
-"to avoid installing any new package. This is useful for repairing or\n"
-"updating an existing system."
-msgstr ""
-"Сега е време да изберете програми што ќе се инсталираат на Вашиот систем.\n"
-"Постојат илјадници пакети за Mandrake Linux, и од Вас не се очекува да\n"
-"ги препознете напамет.\n"
-"\n"
-"Ако вршите стандардна инсталација од CD, прво ќе бидете запрашани за тоа\n"
-"кои CD-а ги поседувате (ако сте во експертски режим на инсталирање). \n"
-"Проверете што пишува на цедињата и соодветно штиклирајте. Притиснете на\n"
-"\"Во ред\" кога ќе бидете спремни да продолжите. \n"
-"\n"
-"Пакетите се подредени во групи што одговараат на карактерот на користење\n"
-"на Вашата машина. Самите групи се подредени во четири групи:\n"
-"\n"
-"* \"Работна станица\": ако планирате да ја користите машината како работна\n"
-"станица, изберете една или повеќе од групите што Ви одговараат;\n"
-"\n"
-"* \"Развој\": ако Вашата машина се користи за програмирање, изберети ги\n"
-"саканите групи;\n"
-"\n"
-"* \"Сервер\": ако намената на Вашата машина е да биде опслужувач, ќе можете\n"
-"да изберете кој од достапните сервиси сакате да го инсталирата на Вашата\n"
-"машина;\n"
-"\n"
-"* \"Графичка околина\": конечно, тука избирате која графичка околина ја \n"
-"претпочитате. Мора да биде избрана барем една, ако сакате да имате \n"
-"графичка работна станица!\n"
-"\n"
-"Движењето на покажувачот на глувчето над некое име на група ќе прикаже\n"
-"кратка објаснувачка порака за таа група. Ако ги деселектирате сите групи\n"
-"за време на обична инсталација (наспроти надградба), ќе се појави\n"
-"дијалог што ќе Ви понуди опции за минимална инсталација:\n"
-"\n"
-"* \"Со X\": инсталирање на најмалку пакети што овозможуваат графичка\n"
-"околина;\n"
-"\n"
-"* \"Со основна документација\": инсталирање на основниот систем, плус \n"
-"основните алатки и нивната документација. Оваа инсталација е соодветна\n"
-"кога се поставува сервер;\n"
-"* \"Вистински минимална инсталација\": инсталирање на строг минимум пакети\n"
-"неопходни за еден Линукс систем, во режим на командна линија. Оваа\n"
-"инсталација зафаќа околу 65МБ.\n"
-"\n"
-"Можете и да го штиклирате \"Поодделно избирање пакети\", ако Ви се познати\n"
-"пакетите што се нудат или пак, ако сакате целосна контрола врз тоа што ќе \n"
-"се инсталира.\n"
-"\n"
-"Ако сте ја започнале инсталацијата во режим на \"Надградба\", можете да ги\n"
-"деселектирате сите групи, со цел да избегнете инсталирање на нови пакети.\n"
-"Ова е корисно за поправка или освежување на постоечки систем."
+#: standalone/harddrake2:290
+#, c-format
+msgid "DVD"
+msgstr "DVD"
-#: ../../any.pm:1 ../../help.pm:1
+#: standalone/keyboarddrake:24
#, c-format
-msgid "Accept user"
-msgstr "Прифати корисник"
+msgid "Please, choose your keyboard layout."
+msgstr "Ве молиме, изберете ја вашата тастатура."
-#: ../../help.pm:1 ../../diskdrake/dav.pm:1
+#: standalone/keyboarddrake:33
#, c-format
-msgid "Server"
-msgstr "Сервер"
+msgid "Do you want the BackSpace to return Delete in console?"
+msgstr "Дали сакате BackSpace да го врати Delete во конзола?"
-#: ../../keyboard.pm:1
+#: standalone/localedrake:60
+#, c-format
+msgid "The change is done, but to be effective you must logout"
+msgstr "Промената е направена, но за да има ефект треба да се одјавите"
+
+#: standalone/logdrake:50
#, fuzzy, c-format
-msgid "Left Shift key"
-msgstr "Левото Shift копче"
+msgid "Mandrake Tools Explanation"
+msgstr "Алатки"
-#: ../../network/netconnect.pm:1
+#: standalone/logdrake:51
#, fuzzy, c-format
-msgid " local network"
-msgstr "локална мрежа"
+msgid "Logdrake"
+msgstr "logdrake"
-#: ../../interactive/stdio.pm:1
+#: standalone/logdrake:64
#, c-format
-msgid "Bad choice, try again\n"
-msgstr "Лош избор, обидете се повторно\n"
+msgid "Show only for the selected day"
+msgstr "Прикажи само за избраниот ден"
-#: ../../security/l10n.pm:1
+#: standalone/logdrake:71
#, c-format
-msgid "Syslog reports to console 12"
-msgstr "Syslog извештаи за конзола 12"
-
-#: ../../diskdrake/smbnfs_gtk.pm:1
-#, fuzzy, c-format
-msgid "Search new servers"
-msgstr "Барај сервери"
+msgid "/File/_New"
+msgstr "/Дадотека/_Нова"
-#: ../../lang.pm:1
+#: standalone/logdrake:71
#, c-format
-msgid "Heard and McDonald Islands"
-msgstr "МекДоналд Острови"
+msgid "<control>N"
+msgstr "<control>N"
-#: ../../harddrake/sound.pm:1
+#: standalone/logdrake:72
#, c-format
-msgid "No alternative driver"
-msgstr "Нема алтернативен драјвер"
+msgid "/File/_Open"
+msgstr "/Датотека/_Отвори"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/logdrake:72
#, c-format
-msgid "Toggle to expert mode"
-msgstr "Префрлање во експертски режим"
+msgid "<control>O"
+msgstr "<control>O"
-#: ../../printer/cups.pm:1
+#: standalone/logdrake:73
#, fuzzy, c-format
-msgid "(on this machine)"
-msgstr "(на овој компјутер)"
+msgid "/File/_Save"
+msgstr "Датотека/_Зачувај"
-#: ../../network/network.pm:1
-#, fuzzy, c-format
-msgid "Gateway address should be in format 1.2.3.4"
-msgstr "Gateway адресата треба да биде во следната форма 1.2.3.4"
+#: standalone/logdrake:73
+#, c-format
+msgid "<control>S"
+msgstr "<control>S"
-#: ../../network/modem.pm:1
+#: standalone/logdrake:74
#, c-format
-msgid ""
-"\"%s\" based winmodem detected, do you want to install needed software ?"
-msgstr ""
-"Откриен е winmodem базиран на \"%s\". Дали да се инсталира потребниот "
-"софтвер?"
+msgid "/File/Save _As"
+msgstr "/Датотека/Зачувај_како"
-#: ../../install_steps_interactive.pm:1
+#: standalone/logdrake:75
#, c-format
-msgid "Looking at packages already installed..."
-msgstr "Барање пакети што се веќе инсталирањен..."
+msgid "/File/-"
+msgstr "/Датотека/-"
-#: ../../standalone/drakbackup:1
+#: standalone/logdrake:78
#, c-format
-msgid "Use Differential Backups"
-msgstr "Користи Ралични Бекапи"
+msgid "/Options/Test"
+msgstr "/Опции/Тест"
-#: ../../standalone/drakconnect:1
-#, fuzzy, c-format
-msgid "Driver"
-msgstr "Драјвер"
+#: standalone/logdrake:80
+#, c-format
+msgid "/Help/_About..."
+msgstr "/Помош/_За..."
-#: ../../services.pm:1
-#, fuzzy, c-format
+#: standalone/logdrake:111
+#, c-format
msgid ""
-"Linuxconf will sometimes arrange to perform various tasks\n"
-"at boot-time to maintain the system configuration."
+"_:this is the auth.log log file\n"
+"Authentication"
msgstr ""
-"на\n"
-" време на."
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "DVD-R device"
-msgstr "DVDR уред"
-
-#: ../../printer/main.pm:1 ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Printer on remote lpd server"
-msgstr "Печатач од локален lpd сервер"
-
-#: ../../standalone/drakfont:1
-#, fuzzy, c-format
+#: standalone/logdrake:112
+#, c-format
msgid ""
-"Before installing any fonts, be sure that you have the right to use and "
-"install them on your system.\n"
-"\n"
-"-You can install the fonts the normal way. In rare cases, bogus fonts may "
-"hang up your X Server."
+"_:this is the user.log log file\n"
+"User"
msgstr ""
-"Пред да ги инсталирате фонтовите, бидете сигурни дека имата права за "
-"коритење и \n"
-"инсталирање на Вашиот систем.\n"
-#: ../../help.pm:1
-#, fuzzy, c-format
+#: standalone/logdrake:113
+#, c-format
msgid ""
-"Yaboot is a bootloader for NewWorld Macintosh hardware and can be used to\n"
-"boot GNU/Linux, MacOS or MacOSX. Normally, MacOS and MacOSX are correctly\n"
-"detected and installed in the bootloader menu. If this is not the case, you\n"
-"can add an entry by hand in this screen. Be careful to choose the correct\n"
-"parameters.\n"
-"\n"
-"Yaboot's main options are:\n"
-"\n"
-" * Init Message: a simple text message displayed before the boot prompt.\n"
-"\n"
-" * Boot Device: indicates where you want to place the information required\n"
-"to boot to GNU/Linux. Generally, you set up a bootstrap partition earlier\n"
-"to hold this information.\n"
-"\n"
-" * Open Firmware Delay: unlike LILO, there are two delays available with\n"
-"yaboot. The first delay is measured in seconds and at this point, you can\n"
-"choose between CD, OF boot, MacOS or Linux;\n"
-"\n"
-" * Kernel Boot Timeout: this timeout is similar to the LILO boot delay.\n"
-"After selecting Linux, you will have this delay in 0.1 second increments\n"
-"before your default kernel description is selected;\n"
-"\n"
-" * Enable CD Boot?: checking this option allows you to choose ``C'' for CD\n"
-"at the first boot prompt.\n"
-"\n"
-" * Enable OF Boot?: checking this option allows you to choose ``N'' for\n"
-"Open Firmware at the first boot prompt.\n"
-"\n"
-" * Default OS: you can select which OS will boot by default when the Open\n"
-"Firmware Delay expires."
+"_:this is the /var/log/messages log file\n"
+"Messages"
msgstr ""
-"Yaboot е подигач за NewWorld MacIntosh хардвер. Тој може да подигне било\n"
-"кој од GNU/Linux, MacOS или MacOSX, доколку се достапни на компјутерот. \n"
-"Обично, овие оперативни системи коректно се детектираат и додаваат во "
-"изборот.\n"
-"Ако тоа не е случај кај Вас, моќете рачно да додадете ставка во овој екран.\n"
-"Внимавајте да ги изберете вистинските парамтери.\n"
-"\n"
-"Главните опции за Yaboot се:\n"
-"\n"
-" * Init порака: едноставна текстуална порака прикажана пред промптот за\n"
-"подигање;\n"
-"\n"
-" * Уред за подигачот: покажува каде сакате да ги поставите информациите\n"
-"потребни за подигање на GNU/Linux. Обично, веќе би требало да сте поставиле\n"
-"bootstrap партиција со таква цел;\n"
-"\n"
-" * Open Firmware пауза: за разлика од LILO, yaboot има два вида паузи. "
-"Првата\n"
-"пауза се мери во секунди и во неа можете да изберете помеѓу CD, OF, MacOS \n"
-"или Linux;\n"
-"\n"
-" * Пауза пред подигање кернел: ова е слично на паузата кај LILO. По изборот\n"
-"на Linux, ќе имате време од 0,1 секунда пред да биде избран претпочитаниот\n"
-"кернел;\n"
-"\n"
-" * Овожможи подигање од CD?: изборот на оваа опција Ви овозможува да\n"
-"изберете \"C\" за CD на првиот промпт за подигање;\n"
-"\n"
-" * Овозможи подигање од OF?: изборот на оваа опција Ви овозможува да\n"
-"изберете \"N\" за Open Firmware на првиот промпт за подигање;\n"
-"\n"
-"\n"
-" * Претпочитан ОС: можете да изберете кој ОС прв ќе се подигне кога ќе\n"
-"помине паузата."
-#: ../../standalone/drakbackup:1
+#: standalone/logdrake:114
#, c-format
-msgid "Wednesday"
+msgid ""
+"_:this is the /var/log/syslog log file\n"
+"Syslog"
msgstr ""
-#: ../../crypto.pm:1 ../../lang.pm:1
+#: standalone/logdrake:118
#, c-format
-msgid "Germany"
-msgstr "Германија"
-
-#: ../../crypto.pm:1 ../../lang.pm:1
-#, c-format
-msgid "Austria"
-msgstr "Австрија"
+msgid "search"
+msgstr "барај"
-#: ../../mouse.pm:1
+#: standalone/logdrake:130
#, c-format
-msgid "No mouse"
-msgstr "Нема глушец"
+msgid "A tool to monitor your logs"
+msgstr "Алатка за надгледување на вашите логови"
-#: ../../standalone/drakbackup:1
+#: standalone/logdrake:131 standalone/net_monitor:85
#, fuzzy, c-format
-msgid "Choose your CD/DVD media size (MB)"
-msgstr "Ве молиме одберете ja вашaтa големина на CD/DVD (Mb)"
+msgid "Settings"
+msgstr "Подесувања"
-#: ../../security/l10n.pm:1
+#: standalone/logdrake:136
#, c-format
-msgid "Check permissions of files in the users' home"
-msgstr "Провери ја пристапноста до датотеките на кориниците во home"
+msgid "Matching"
+msgstr "Совпаѓам"
-#: ../../install_steps_interactive.pm:1
+#: standalone/logdrake:137
#, c-format
-msgid "Run \"sndconfig\" after installation to configure your sound card"
-msgstr ""
-"За да ја конфигурирате картичката, по инсталацијата извршете \"sndconfig\" "
+msgid "but not matching"
+msgstr "но не се совпаѓаат"
-#: ../../ugtk2.pm:1
+#: standalone/logdrake:141
#, c-format
-msgid "Collapse Tree"
-msgstr "Собери го дрвото"
+msgid "Choose file"
+msgstr "Избери датотека"
-#: ../../standalone/drakautoinst:1
+#: standalone/logdrake:150
#, fuzzy, c-format
-msgid "Auto Install Configurator"
-msgstr "Автоматски Инсталирај Конфигуратор"
+msgid "Calendar"
+msgstr "Календар"
-#: ../../steps.pm:1
-#, fuzzy, c-format
-msgid "Configure networking"
-msgstr "Конфигурација на мрежа"
+#: standalone/logdrake:160
+#, c-format
+msgid "Content of the file"
+msgstr "Содржина на датотеката"
-#: ../../any.pm:1
+#: standalone/logdrake:164 standalone/logdrake:377
#, c-format
-msgid "Where do you want to install the bootloader?"
-msgstr "Каде сакате да го инсталирате подигачот?"
+msgid "Mail alert"
+msgstr "Поштенски аларм"
-#: ../../help.pm:1
+#: standalone/logdrake:171
#, c-format
-msgid ""
-"Your choice of preferred language will affect the language of the\n"
-"documentation, the installer and the system in general. Select first the\n"
-"region you are located in, and then the language you speak.\n"
-"\n"
-"Clicking on the \"%s\" button will allow you to select other languages to\n"
-"be installed on your workstation, thereby installing the language-specific\n"
-"files for system documentation and applications. For example, if you will\n"
-"host users from Spain on your machine, select English as the default\n"
-"language in the tree view and \"%s\" in the Advanced section.\n"
-"\n"
-"Note that you're not limited to choosing a single additional language. You\n"
-"may choose several ones, or even install them all by selecting the \"%s\"\n"
-"box. Selecting support for a language means translations, fonts, spell\n"
-"checkers, etc. for that language will be installed. Additionally, the\n"
-"\"%s\" checkbox allows you to force the system to use unicode (UTF-8). Note\n"
-"however that this is an experimental feature. If you select different\n"
-"languages requiring different encoding the unicode support will be\n"
-"installed anyway.\n"
-"\n"
-"To switch between the various languages installed on the system, you can\n"
-"launch the \"/usr/sbin/localedrake\" command as \"root\" to change the\n"
-"language used by the entire system. Running the command as a regular user\n"
-"will only change the language settings for that particular user."
+msgid "The alert wizard had unexpectly failled:"
msgstr ""
-#: ../../standalone/scannerdrake:1
+#: standalone/logdrake:219
+#, c-format
+msgid "please wait, parsing file: %s"
+msgstr "Ве молиме почекајте, датотеката се расчленува: %s"
+
+#: standalone/logdrake:355
+#, c-format
+msgid "Apache World Wide Web Server"
+msgstr "Apache World Wide Web Сервер"
+
+#: standalone/logdrake:356
#, fuzzy, c-format
-msgid "The %s is not supported by this version of Mandrake Linux."
-msgstr "%s не е поддржан од оваа верзија на Linux."
+msgid "Domain Name Resolver"
+msgstr "Домејн Име"
-#: ../../standalone/drakbackup:1
+#: standalone/logdrake:357
+#, c-format
+msgid "Ftp Server"
+msgstr "Ftp Сервер"
+
+#: standalone/logdrake:358
+#, c-format
+msgid "Postfix Mail Server"
+msgstr "Postfix E-mail сервер"
+
+#: standalone/logdrake:359
#, fuzzy, c-format
-msgid "tape"
-msgstr "Лента"
+msgid "Samba Server"
+msgstr "Samba ���"
-#: ../../standalone/drakconnect:1
+#: standalone/logdrake:360
#, c-format
-msgid "DHCP client"
-msgstr "DHCP Клиент"
+msgid "SSH Server"
+msgstr "SSH Сервер"
-#: ../../security/l10n.pm:1
+#: standalone/logdrake:361
#, c-format
-msgid "List users on display managers (kdm and gdm)"
-msgstr "Листа на корисници на дисплеј менаџерот (kdm и gdm)"
+msgid "Webmin Service"
+msgstr "Webmin Сервис"
-#: ../../mouse.pm:1
+#: standalone/logdrake:362
#, c-format
-msgid "Logitech Mouse (serial, old C7 type)"
-msgstr "Logitech Mouse (сериски, стар C7)"
+msgid "Xinetd Service"
+msgstr "Xinetd Сервис"
-#: ../../partition_table.pm:1
+#: standalone/logdrake:372
#, fuzzy, c-format
-msgid "Restoring from file %s failed: %s"
-msgstr "s"
+msgid "Configure the mail alert system"
+msgstr "Промени го системот за печатење"
-#: ../../fsedit.pm:1
-#, fuzzy, c-format
+#: standalone/logdrake:373
+#, c-format
+msgid "Stop the mail alert system"
+msgstr ""
+
+#: standalone/logdrake:380
+#, c-format
+msgid "Mail alert configuration"
+msgstr "Конфигурирање на известување за пошта"
+
+#: standalone/logdrake:381
+#, c-format
msgid ""
-"I can't read the partition table of device %s, it's too corrupted for me :(\n"
-"I can try to go on, erasing over bad partitions (ALL DATA will be lost!).\n"
-"The other solution is to not allow DrakX to modify the partition table.\n"
-"(the error is %s)\n"
+"Welcome to the mail configuration utility.\n"
"\n"
-"Do you agree to lose all the partitions?\n"
+"Here, you'll be able to set up the alert system.\n"
msgstr ""
-"Не можам да ја прочитам партициската табела на уредот %s, за мене е "
-"прекорумпирана :(\n"
-"Можам да се обидам да продолжам, пребришувајќи преку лошите партиции\n"
-"(СИТЕ ПОДАТОЦИ ќе бидат изгубени).\n"
-"Друго решение е да не дозволите DrakX да ја модифицира партициската табела.\n"
-"(грешката е %s)\n"
+"Добредојдовте во помошната алатка за конфигурирање на поштата.\n"
"\n"
-"Дали се сложувате да ги изгубите сите партиции?\n"
+"Овде можете да го подесите системскиот аларм.\n"
-#: ../../standalone/drakbug:1
+#: standalone/logdrake:384
#, fuzzy, c-format
-msgid "Find Package"
-msgstr "%d пакети"
+msgid "What do you want to do?"
+msgstr "Каде сакате да го монтирате %s?"
-#: ../../printer/printerdrake.pm:1
+#: standalone/logdrake:391
#, fuzzy, c-format
-msgid "Are you sure that you want to set up printing on this machine?\n"
-msgstr ""
-"Дали сте сигурни дека сакате да го сетирате печатењето на овој компјутер?\n"
+msgid "Services settings"
+msgstr "подесување на сервисот"
-#: ../../standalone/harddrake2:1
+#: standalone/logdrake:392
#, c-format
-msgid "New devfs device"
-msgstr "Нов devfs уред"
+msgid ""
+"You will receive an alert if one of the selected services is no longer "
+"running"
+msgstr "Ќе добиете аларм ако еден од избраните сервиси повеќе не работи"
-#: ../../standalone/drakbackup:1
+#: standalone/logdrake:399
#, fuzzy, c-format
-msgid "ERROR: Cannot spawn %s."
-msgstr "ГРЕШКА s."
+msgid "Load setting"
+msgstr "вчитај подесување"
-#: ../../standalone/drakboot:1
+#: standalone/logdrake:400
#, c-format
-msgid "Boot Style Configuration"
-msgstr "Конфигурација на стил на подигање"
+msgid "You will receive an alert if the load is higher than this value"
+msgstr ""
-#: ../../help.pm:1
-#, fuzzy, c-format
-msgid "Automatic time synchronization"
-msgstr "Автоматска синхронизација на време (преку NTP)"
+#: standalone/logdrake:401
+#, c-format
+msgid ""
+"_: load here is a noun, the load of the system\n"
+"Load"
+msgstr "Оптеретеност"
-#: ../../standalone/drakbackup:1
+#: standalone/logdrake:406
#, fuzzy, c-format
-msgid "Backup files not found at %s."
-msgstr "Датотеки од Сигурносна копија не се најдено во %s."
-
-#: ../../keyboard.pm:1
-#, c-format
-msgid "Armenian (phonetic)"
-msgstr "Ерменска (фонетска)"
+msgid "Alert configuration"
+msgstr "Автоматски"
-#: ../../harddrake/v4l.pm:1
+#: standalone/logdrake:407
#, c-format
-msgid "Card model:"
-msgstr "Модел на картичка:"
-
-#: ../../standalone/drakTermServ:1
-#, fuzzy, c-format
-msgid "Thin Client"
-msgstr "Тенок клиент"
+msgid "Please enter your email address below "
+msgstr "Ве молиме внесете ја вашата email адреса подоле"
-#: ../advertising/01-thanks.pl:1
+#: standalone/logdrake:408
#, fuzzy, c-format
-msgid "Thank you for choosing Mandrake Linux 9.2"
-msgstr "Ви благодариме што корисете Linux"
+msgid "and enter the name (or the IP) of the SMTP server you whish to use"
+msgstr ""
+"Внесете IP адреса и порта на компјутерите чии што принтери сакате да ги "
+"користите."
-#: ../../standalone/drakTermServ:1
+#: standalone/logdrake:427 standalone/logdrake:433
#, fuzzy, c-format
-msgid "Start Server"
-msgstr "Стартувај го серверот"
+msgid "Congratulations"
+msgstr "Честитки!"
-#: ../../lang.pm:1
+#: standalone/logdrake:427
#, c-format
-msgid "Turkmenistan"
-msgstr "Туркменистан"
+msgid "The wizard successfully configured the mail alert."
+msgstr ""
-#: ../../standalone/scannerdrake:1
+#: standalone/logdrake:433
#, c-format
-msgid "All remote machines"
-msgstr "Сите локални компјутери"
+msgid "The wizard successfully disabled the mail alert."
+msgstr ""
-#: ../../standalone/drakboot:1
-#, c-format
-msgid "Install themes"
-msgstr "Инсталирање теми"
+#: standalone/logdrake:492
+#, fuzzy, c-format
+msgid "Save as.."
+msgstr "Зачувај како."
-#: ../../help.pm:1
+#: standalone/mousedrake:31
#, c-format
-msgid "Espanol"
-msgstr "Шпанија"
+msgid "Please choose your mouse type."
+msgstr "Ве молиме изберете го типот на глушецот."
-#: ../../install_steps_interactive.pm:1
+#: standalone/mousedrake:44
#, c-format
-msgid "Preparing installation"
-msgstr "Подготовка за инсталацијата"
+msgid "Emulate third button?"
+msgstr "Емулација на трето копче?"
-#: ../../printer/printerdrake.pm:1
+#: standalone/mousedrake:61
#, c-format
-msgid "Edit selected host/network"
-msgstr "Промена на селектираниот хост/мрежа"
+msgid "Mouse test"
+msgstr "Тест на Глушецот"
-#: ../../standalone/drakTermServ:1
+#: standalone/mousedrake:64
#, fuzzy, c-format
-msgid "Add User -->"
-msgstr "Додај Корисник -->"
+msgid "Please test your mouse:"
+msgstr "Тестирајте го глушецот:"
-#: ../../lang.pm:1
+#: standalone/net_monitor:51 standalone/net_monitor:56
#, c-format
-msgid "Nauru"
-msgstr "Науру"
-
-#: ../../standalone/drakfont:1
-#, fuzzy, c-format
-msgid "True Type fonts installation"
-msgstr "Тип на инсталација на фонтови"
+msgid "Network Monitoring"
+msgstr "Преглед на Мрежа"
-#: ../../printer/printerdrake.pm:1
+#: standalone/net_monitor:91
#, fuzzy, c-format
-msgid "Auto-detect printers connected directly to the local network"
-msgstr "Автоматско детектирање на принтери, конектирани на локална мрежа"
+msgid "Global statistics"
+msgstr "Статистика"
-#: ../../standalone/drakconnect:1
+#: standalone/net_monitor:94
#, c-format
-msgid "LAN configuration"
-msgstr "LAN конфигурација"
+msgid "Instantaneous"
+msgstr ""
-#: ../../standalone/harddrake2:1
-#, c-format
-msgid "hard disk model"
-msgstr "модел на тврдиот дискот"
+#: standalone/net_monitor:94
+#, fuzzy, c-format
+msgid "Average"
+msgstr "просек"
-#: ../../standalone/drakTermServ:1
-#, c-format
+#: standalone/net_monitor:95
+#, fuzzy, c-format
msgid ""
-" - Maintain /etc/exports:\n"
-" \tClusternfs allows export of the root filesystem to diskless "
-"clients. drakTermServ\n"
-" \tsets up the correct entry to allow anonymous access to the root "
-"filesystem from\n"
-" \tdiskless clients.\n"
-"\n"
-" \tA typical exports entry for clusternfs is:\n"
-" \t\t\n"
-" \t/\t\t\t\t\t(ro,all_squash)\n"
-" \t/home\t\t\t\tSUBNET/MASK(rw,root_squash)\n"
-"\t\t\t\n"
-" \tWith SUBNET/MASK being defined for your network."
-msgstr ""
+"Sending\n"
+"speed:"
+msgstr "Брзина на праќање:"
-#: ../../fsedit.pm:1
-#, c-format
-msgid "You can't use a LVM Logical Volume for mount point %s"
-msgstr ""
-"Не можете да користите LVM логички волумен за точкатата на монтирање %s"
+#: standalone/net_monitor:96
+#, fuzzy, c-format
+msgid ""
+"Receiving\n"
+"speed:"
+msgstr "Брзина на Примање:"
-#: ../../standalone/drakfont:1
+#: standalone/net_monitor:99
#, fuzzy, c-format
-msgid "Get Windows Fonts"
-msgstr "Windows Фонтови"
+msgid ""
+"Connection\n"
+"time: "
+msgstr "Време на конектирање:"
-#: ../../mouse.pm:1
+#: standalone/net_monitor:121
+#, fuzzy, c-format
+msgid "Wait please, testing your connection..."
+msgstr "Тестирање на Вашата конекција..."
+
+#: standalone/net_monitor:149 standalone/net_monitor:162
#, c-format
-msgid "Mouse Systems"
-msgstr "Mouse Systems"
+msgid "Disconnecting from Internet "
+msgstr "Отповрзување од Интернет"
-#: ../../standalone/drakclock:1
+#: standalone/net_monitor:149 standalone/net_monitor:162
#, c-format
-msgid ""
-"Your computer can synchronize its clock\n"
-" with a remote time server using NTP"
-msgstr ""
+msgid "Connecting to Internet "
+msgstr "Се поврзува на Интернет"
-#: ../../keyboard.pm:1
+#: standalone/net_monitor:193
#, c-format
-msgid "Iranian"
-msgstr "Иранска"
+msgid "Disconnection from Internet failed."
+msgstr "Дисконектирањето од Интернет не успеа."
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Croatia"
-msgstr "Хрватска"
+#: standalone/net_monitor:194
+#, c-format
+msgid "Disconnection from Internet complete."
+msgstr "Исклучувањето од Интернет е комплетно"
-#: ../../standalone/drakconnect:1
-#, fuzzy, c-format
-msgid "Gateway:"
-msgstr "Gateway:"
+#: standalone/net_monitor:196
+#, c-format
+msgid "Connection complete."
+msgstr "Врската е завршена."
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Add server"
-msgstr "Додади сервер"
+#: standalone/net_monitor:197
+#, c-format
+msgid ""
+"Connection failed.\n"
+"Verify your configuration in the Mandrake Control Center."
+msgstr ""
+"Врската не успеа.\n"
+"Потврдете ја вашата конфигурација во Мандрак Контролниот Центар."
-#: ../../printer/printerdrake.pm:1
+#: standalone/net_monitor:295
#, fuzzy, c-format
-msgid "Remote printer name"
-msgstr "Нелокален"
+msgid "Color configuration"
+msgstr "Конфигурација"
-#: ../advertising/10-security.pl:1
+#: standalone/net_monitor:343 standalone/net_monitor:363
#, c-format
-msgid ""
-"MandrakeSoft has designed exclusive tools to create the most secured Linux "
-"version ever: Draksec, a system security management tool, and a strong "
-"firewall are teamed up together in order to highly reduce hacking risks."
-msgstr ""
-"MandrakeSoft има дизајнирано алатки за создавање на многу сигурена Linux "
-"верзија: Draksec, безбедносна алатка, и јак firewall кои заедно ги "
-"намалуваат ризиците од упади во системот."
+msgid "sent: "
+msgstr "пратени:"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/net_monitor:350 standalone/net_monitor:367
#, c-format
-msgid "Device: "
-msgstr "Уред: "
+msgid "received: "
+msgstr "добиено: "
-#: ../../printer/printerdrake.pm:1 ../../standalone/printerdrake:1
+#: standalone/net_monitor:357
#, c-format
-msgid "Printerdrake"
-msgstr "Printerdrake"
+msgid "average"
+msgstr "просек"
-#: ../../install_steps_interactive.pm:1
+#: standalone/net_monitor:360
#, c-format
-msgid "License agreement"
-msgstr "Лиценцен договор"
+msgid "Local measure"
+msgstr "Локални мерења"
-#: ../../standalone/draksec:1
-#, fuzzy, c-format
-msgid "System Options"
-msgstr "Системски Опции"
+#: standalone/net_monitor:392
+#, c-format
+msgid "transmitted"
+msgstr "пренесено"
-#: ../../security/level.pm:1
+#: standalone/net_monitor:393
#, c-format
-msgid "Please choose the desired security level"
-msgstr "Изберете безбедносно ниво"
+msgid "received"
+msgstr "добиено"
-#: ../../standalone/scannerdrake:1
+#: standalone/net_monitor:411
#, c-format
-msgid "This host is already in the list, it cannot be added again.\n"
-msgstr "Овој хост веќе е на листата, не може да биде додаден повторно.\n"
+msgid ""
+"Warning, another internet connection has been detected, maybe using your "
+"network"
+msgstr ""
+"Предупредување, откриена е друга интернет врска, што можеби ја користи "
+"твојата мрежа"
-#: ../../printer/main.pm:1
+#: standalone/net_monitor:417
#, fuzzy, c-format
-msgid ", USB printer"
-msgstr "USB принтер"
+msgid "Disconnect %s"
+msgstr "Исклучи се"
-#: ../../standalone/drakfloppy:1
+#: standalone/net_monitor:417
#, fuzzy, c-format
-msgid ""
-"Unable to properly close mkbootdisk:\n"
-"\n"
-"<span foreground=\"Red\"><tt>%s</tt></span>"
-msgstr ""
-"Неможам правилно да го затворам mkbootdisk:\n"
-" %s\n"
-" %s"
+msgid "Connect %s"
+msgstr "Поврзи се"
-#: ../../standalone/drakbackup:1
+#: standalone/net_monitor:422
+#, fuzzy, c-format
+msgid "No internet connection configured"
+msgstr "Конфигурација на Интернет конекција"
+
+#: standalone/printerdrake:70
#, c-format
-msgid ""
-"Incremental backups only save files that have changed or are new since the "
-"last backup."
-msgstr ""
+msgid "Loading printer configuration... Please wait"
+msgstr "Вчитување на конфигурацијата на принтерот... Молам почекајте"
-#: ../../standalone/drakfont:1
+#: standalone/printerdrake:86
#, fuzzy, c-format
-msgid "Choose the applications that will support the fonts:"
-msgstr "Избери ги апликациите кои ќе ги подржат фонтовите:"
+msgid "Reading data of installed printers..."
+msgstr "Читање на дата од инсталирани принтери..."
-#: ../../steps.pm:1
+#: standalone/printerdrake:129
#, fuzzy, c-format
-msgid "Configure X"
-msgstr "Конфигурирај го Х"
+msgid "%s Printer Management Tool"
+msgstr "Ново име на принтерот"
-#: ../../standalone/drakbackup:1
+#: standalone/printerdrake:143 standalone/printerdrake:144
+#: standalone/printerdrake:145 standalone/printerdrake:153
+#: standalone/printerdrake:154 standalone/printerdrake:158
#, fuzzy, c-format
-msgid "hd"
-msgstr "Чад"
+msgid "/_Actions"
+msgstr "/_Опции"
-#: ../../keyboard.pm:1
-#, c-format
-msgid "Turkish (traditional \"F\" model)"
-msgstr "Турска (традиционална \"F\")"
+#: standalone/printerdrake:143
+#, fuzzy, c-format
+msgid "/Set as _Default"
+msgstr "Предефинирано"
-#: ../../standalone/drakautoinst:1 ../../standalone/drakgw:1
-#: ../../standalone/scannerdrake:1
+#: standalone/printerdrake:144
#, fuzzy, c-format
-msgid "Congratulations!"
-msgstr "Честитки!"
+msgid "/_Edit"
+msgstr "/_Напушти"
-#: ../../standalone/drakperm:1
+#: standalone/printerdrake:145
#, fuzzy, c-format
-msgid "Use owner id for execution"
-msgstr "Користи ја сопствената идентификација за стартување"
+msgid "/_Delete"
+msgstr "Избриши"
+
+#: standalone/printerdrake:146
+#, fuzzy, c-format
+msgid "/_Expert mode"
+msgstr "Експертски режим"
-#: ../../security/l10n.pm:1
+#: standalone/printerdrake:151
#, c-format
-msgid "Allow remote root login"
-msgstr "Дозволи remote root логирање"
+msgid "/_Refresh"
+msgstr ""
-#: ../../standalone/drakperm:1
+#: standalone/printerdrake:154
#, fuzzy, c-format
-msgid "Down"
-msgstr "Завршено"
+msgid "/_Add Printer"
+msgstr "Принтер"
-#: ../../printer/main.pm:1 ../../printer/printerdrake.pm:1
+#: standalone/printerdrake:158
#, fuzzy, c-format
-msgid "Raw printer (No driver)"
-msgstr "Нема драјвер за принтерот"
-
-#: ../../network/modem.pm:1
-#, c-format
-msgid "Install rpm"
-msgstr "Инсталирај rpm"
+msgid "/_Configure CUPS"
+msgstr "Конфигурирај го Х"
-#: ../../printer/printerdrake.pm:1
+#: standalone/printerdrake:191
#, fuzzy, c-format
-msgid ""
-"To print a file from the command line (terminal window) you can either use "
-"the command \"%s <file>\" or a graphical printing tool: \"xpp <file>\" or "
-"\"kprinter <file>\". The graphical tools allow you to choose the printer and "
-"to modify the option settings easily.\n"
-msgstr ""
-"До s<file> или<file> или<file> на и наЗа печатење на датотека од командната "
-"линија, можете да ја користете командата \"%s <датотека>\" или графичката "
-"алатка за печатење: \"xpp <датотека>\" или \"kprinter <датотека>\". "
-"Графичките алатки Ви овозможуваат да го одберете принтерот и лесно да ги "
-"модифицирате поставките за него.\n"
+msgid "Search:"
+msgstr "барај"
-#: ../../install_steps_gtk.pm:1
+#: standalone/printerdrake:194
#, c-format
-msgid "Time remaining "
-msgstr "Преостанато време "
+msgid "Apply filter"
+msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/printerdrake:212 standalone/printerdrake:219
#, c-format
-msgid "UK keyboard"
-msgstr "UK тастатура"
+msgid "Def."
+msgstr "Деф."
-#: ../../diskdrake/dav.pm:1 ../../diskdrake/interactive.pm:1
-#: ../../diskdrake/smbnfs_gtk.pm:1
+#: standalone/printerdrake:212 standalone/printerdrake:219
#, c-format
-msgid "Unmount"
-msgstr "Одмонтирај"
+msgid "Printer Name"
+msgstr "Име на принтер"
-#: ../../mouse.pm:1
-#, c-format
-msgid "Microsoft Explorer"
-msgstr "Microsoft Explorer"
+#: standalone/printerdrake:212
+#, fuzzy, c-format
+msgid "Connection Type"
+msgstr "Тип на Врска: "
-#: ../../standalone/drakfont:1
-#, c-format
-msgid "Uninstall Fonts"
-msgstr "Деинсталација на Фонтови"
+#: standalone/printerdrake:219
+#, fuzzy, c-format
+msgid "Server Name"
+msgstr "Сервер: "
-#: ../../../move/move.pm:1
+#: standalone/printerdrake:225
#, fuzzy, c-format
-msgid "Please wait, detecting and configuring devices..."
-msgstr "Ве молиме почекајте, се сетира сигурносното ниво..."
+msgid "Add Printer"
+msgstr "Принтер"
-#: ../../keyboard.pm:1
-#, c-format
-msgid "German (no dead keys)"
-msgstr "Германска (без мртви копчиња)"
+#: standalone/printerdrake:225
+#, fuzzy, c-format
+msgid "Add a new printer to the system"
+msgstr "Додади ново правило на крајот"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "\tSend mail to %s\n"
-msgstr ""
+#: standalone/printerdrake:227
+#, fuzzy, c-format
+msgid "Set as default"
+msgstr "стандардно"
-#: ../../printer/printerdrake.pm:1
+#: standalone/printerdrake:227
#, fuzzy, c-format
-msgid "Transferring %s..."
-msgstr "Префрлување %s..."
+msgid "Set selected printer as the default printer"
+msgstr "Подеси го овој принтер како стандарден"
-#: ../../Xconfig/resolution_and_depth.pm:1
-#, c-format
-msgid "32 thousand colors (15 bits)"
-msgstr "32 илјади бои (15 бита)"
+#: standalone/printerdrake:229
+#, fuzzy, c-format
+msgid "Edit selected printer"
+msgstr "Уреди го означениот сервер"
-#: ../../any.pm:1
-#, c-format
-msgid ""
-"You can export using NFS or Samba. Please select which you'd like to use."
-msgstr ""
-"Можете да извезувате со NFS или со Samba. Изберете што сакате да користите."
+#: standalone/printerdrake:231
+#, fuzzy, c-format
+msgid "Delete selected printer"
+msgstr "Избриши"
-#: ../../lang.pm:1
-#, c-format
-msgid "Gambia"
-msgstr "Гамбија"
+#: standalone/printerdrake:233
+#, fuzzy, c-format
+msgid "Refresh"
+msgstr "Одбиј"
-#: ../../standalone/drakbug:1
+#: standalone/printerdrake:233
#, fuzzy, c-format
-msgid "Mandrake Control Center"
-msgstr "Mandrake контролен центар"
+msgid "Refresh the list"
+msgstr "Отстрани го последниот"
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
-#: ../../../move/move.pm:1
+#: standalone/printerdrake:235
#, fuzzy, c-format
-msgid "Reboot"
-msgstr "Рестарт"
+msgid "Configure CUPS"
+msgstr "Конфигурирај го Х"
-#: ../../printer/main.pm:1
+#: standalone/printerdrake:235
#, fuzzy, c-format
-msgid "Multi-function device"
-msgstr ", повеќе функционален уред"
+msgid "Configure CUPS printing system"
+msgstr "Промени го системот за печатење"
-#: ../../network/drakfirewall.pm:1
+#: standalone/printerdrake:521
#, c-format
-msgid ""
-"You can enter miscellaneous ports. \n"
-"Valid examples are: 139/tcp 139/udp.\n"
-"Have a look at /etc/services for information."
+msgid "Authors: "
msgstr ""
-"Можете да внесете разни порти.\n"
-"На пример: 139/tcp 139/udp.\n"
-"Видете ја /etc/services за повеќе информации."
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "\t-Tape \n"
-msgstr "\t-Лента \n"
+#: standalone/printerdrake:527
+#, fuzzy, c-format
+msgid "Printer Management \n"
+msgstr "Ново име на принтерот"
-#: ../../standalone/drakhelp:1
+#: standalone/scannerdrake:53
#, c-format
msgid ""
-"No browser is installed on your system, Please install one if you want to "
-"browse the help system"
+"Could not install the packages needed to set up a scanner with Scannerdrake."
msgstr ""
-"Немате инсталирано пребарувач на Вашиот комјутер,Ве молиме инсталирајте еден "
-"ако сакате да пребарате помош за системот"
-#: ../../standalone/drakbackup:1
+#: standalone/scannerdrake:54
#, c-format
-msgid "Remember this password"
-msgstr "Запамти ја лозинката"
+msgid "Scannerdrake will not be started now."
+msgstr ""
-#: ../../install_steps_gtk.pm:1
+#: standalone/scannerdrake:60 standalone/scannerdrake:452
#, c-format
-msgid "due to unsatisfied %s"
-msgstr ""
+msgid "Searching for configured scanners ..."
+msgstr "Барање на конфигурирани скенери ..."
-#: ../../standalone/drakgw:1
+#: standalone/scannerdrake:64 standalone/scannerdrake:456
#, fuzzy, c-format
-msgid "Internet Connection Sharing is now enabled."
-msgstr "Делењето на интернет Конекцијата овозможено."
+msgid "Searching for new scanners ..."
+msgstr "Барање на нови скенери..."
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "\t-Network by SSH.\n"
-msgstr "\t-Мрежа за SSH.\n"
+#: standalone/scannerdrake:72 standalone/scannerdrake:478
+#, c-format
+msgid "Re-generating list of configured scanners ..."
+msgstr "Регенерирање на листа на подесени скенери ..."
-#: ../../printer/printerdrake.pm:1
+#: standalone/scannerdrake:94 standalone/scannerdrake:135
+#: standalone/scannerdrake:149
#, fuzzy, c-format
-msgid ""
-" If the desired printer was auto-detected, simply choose it from the list "
-"and then add user name, password, and/or workgroup if needed."
-msgstr ""
-" Ако вашиот принтер е автоматски детектиран, одберете го од листата и "
-"додадете корисничко име, лозинка и/или група на корисници, ако е тоа "
-"потребно."
+msgid "The %s is not supported by this version of %s."
+msgstr "%s не е поддржан од оваа верзија на Linux."
-#: ../../network/netconnect.pm:1
+#: standalone/scannerdrake:97
#, fuzzy, c-format
-msgid " cable"
-msgstr "кабел"
+msgid "%s found on %s, configure it automatically?"
+msgstr "%s најдено на %s, конфигурирај го автоматски?"
-#: ../../help.pm:1 ../../install_interactive.pm:1
+#: standalone/scannerdrake:109
#, c-format
-msgid "Use the free space on the Windows partition"
-msgstr "Користи го празниот простор на Windows партицијата"
+msgid "%s is not in the scanner database, configure it manually?"
+msgstr "%s не е во базата на скенерот, подеси го рачно?"
-#: ../../standalone/scannerdrake:1
+#: standalone/scannerdrake:124
#, fuzzy, c-format
-msgid "%s found on %s, configure it automatically?"
-msgstr "%s најдено на %s, конфигурирај го автоматски?"
+msgid "Select a scanner model"
+msgstr "Избор на моделот на скенер"
-#: ../../Xconfig/various.pm:1
+#: standalone/scannerdrake:125
#, c-format
-msgid "XFree86 driver: %s\n"
-msgstr "XFree86 драјвер: %s\n"
+msgid " ("
+msgstr " ("
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "This host/network is already in the list, it cannot be added again.\n"
-msgstr "Овој хост/мрежа веќе е на листата, не може да се додади повторно.\n"
+#: standalone/scannerdrake:126
+#, fuzzy, c-format
+msgid "Detected model: %s"
+msgstr "Детектиран модел: %s"
-#: ../../install_steps_gtk.pm:1 ../../install_steps_interactive.pm:1
+#: standalone/scannerdrake:128
#, c-format
-msgid "Choose the packages you want to install"
-msgstr "Изберете ги пакетите што сакате да се инсталираат"
+msgid ", "
+msgstr ", "
-#: ../../lang.pm:1
+#: standalone/scannerdrake:129
#, c-format
-msgid "Papua New Guinea"
-msgstr "Папа Нова Гвинеја"
-
-#: ../../printer/main.pm:1
-#, fuzzy, c-format
-msgid "Multi-function device on a parallel port"
-msgstr ", мулти-функционален уред на паралелна порта #%s"
+msgid "Port: %s"
+msgstr "Порта: %s"
-#: ../../../move/tree/mdk_totem:1
+#: standalone/scannerdrake:155
#, fuzzy, c-format
-msgid "Busy files"
-msgstr "Сигурносна копија на системски датотеки"
+msgid "The %s is not known by this version of Scannerdrake."
+msgstr "%s е непозат/а за оваа верзија на Scannerdrake."
-#: ../../keyboard.pm:1
+#: standalone/scannerdrake:163 standalone/scannerdrake:177
#, c-format
-msgid "Serbian (cyrillic)"
-msgstr "Српска (кирилица)"
+msgid "Do not install firmware file"
+msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Enter the directory where backups are stored"
-msgstr "Одберете директориум каде бекапот ќе биде распакуван"
+#: standalone/scannerdrake:167 standalone/scannerdrake:219
+#, c-format
+msgid ""
+"It is possible that your %s needs its firmware to be uploaded everytime when "
+"it is turned on."
+msgstr ""
-#: ../../standalone/draksplash:1
-#, fuzzy, c-format
-msgid "Make kernel message quiet by default"
-msgstr "Направи кернел порака како стандардна"
+#: standalone/scannerdrake:168 standalone/scannerdrake:220
+#, c-format
+msgid "If this is the case, you can make this be done automatically."
+msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
+#: standalone/scannerdrake:169 standalone/scannerdrake:223
+#, c-format
msgid ""
-"Do you want to set this printer (\"%s\")\n"
-"as the default printer?"
+"To do so, you need to supply the firmware file for your scanner so that it "
+"can be installed."
msgstr ""
-"Дали сакате овој принтер (\"%s\")\n"
-"да го поставите за стандарден?"
-#: ../../standalone/drakgw:1
+#: standalone/scannerdrake:170 standalone/scannerdrake:224
#, c-format
-msgid "The DHCP end range"
-msgstr "DHCP и ранг"
+msgid ""
+"You find the file on the CD or floppy coming with the scanner, on the "
+"manufacturer's home page, or on your Windows partition."
+msgstr ""
-#: ../../any.pm:1
+#: standalone/scannerdrake:172 standalone/scannerdrake:231
#, c-format
-msgid "Creating bootdisk..."
-msgstr "Создавање дискета за подигање..."
+msgid "Install firmware file from"
+msgstr ""
-#: ../../standalone/net_monitor:1
+#: standalone/scannerdrake:192
#, fuzzy, c-format
-msgid "Wait please, testing your connection..."
-msgstr "Тестирање на Вашата конекција..."
+msgid "Select firmware file"
+msgstr "Избор на датотека"
-#: ../../install_interactive.pm:1
+#: standalone/scannerdrake:195 standalone/scannerdrake:254
#, c-format
-msgid "Bringing down the network"
-msgstr "Спуштање на мрежата"
+msgid "The firmware file %s does not exist or is unreadable!"
+msgstr ""
-#: ../../network/modem.pm:1 ../../standalone/drakconnect:1
+#: standalone/scannerdrake:218
#, c-format
-msgid "Login ID"
-msgstr "Логин идент."
-
-#: ../../services.pm:1
-#, fuzzy, c-format
msgid ""
-"NFS is a popular protocol for file sharing across TCP/IP\n"
-"networks. This service provides NFS file locking functionality."
+"It is possible that your scanners need their firmware to be uploaded "
+"everytime when they are turned on."
msgstr ""
-"NFS е популарен протокол за делење на датотеки низ TCP/IP\n"
-"мрежите"
-#: ../../standalone/drakconnect:1
+#: standalone/scannerdrake:222
#, c-format
-msgid "DHCP Client"
-msgstr "DHCP клиент"
+msgid ""
+"To do so, you need to supply the firmware files for your scanners so that it "
+"can be installed."
+msgstr ""
-#: ../../standalone/harddrake2:1
+#: standalone/scannerdrake:225
#, c-format
msgid ""
-"This is HardDrake, a Mandrake hardware configuration tool.\n"
-"<span foreground=\"royalblue3\">Version:</span> %s\n"
-"<span foreground=\"royalblue3\">Author:</span> Thierry Vignaud &lt;"
-"tvignaud@mandrakesoft.com&gt;\n"
-"\n"
+"If you have already installed your scanner's firmware you can update the "
+"firmware here by supplying the new firmware file."
msgstr ""
-"� �HardDrake, е алатка за конфигурација на хардверот\n"
-"<span foreground=\"royalblue3\">Верзија:</span> %s\n"
-"<span foreground=\"royalblue3\">Автор:</span> Thierry Vignaud &lt;"
-"tvignaud@mandrakesoft.com&gt;\n"
-"\n"
-#: ../../standalone/drakgw:1
+#: standalone/scannerdrake:227
#, c-format
-msgid "dismiss"
-msgstr "откажи"
+msgid "Install firmware for the"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/scannerdrake:250
#, fuzzy, c-format
-msgid "Printing/Scanning on \"%s\""
-msgstr "Печатење Скенирање Вклучено s"
+msgid "Select firmware file for the %s"
+msgstr "Избор на датотека"
-#: ../../standalone/drakfloppy:1
+#: standalone/scannerdrake:276
#, c-format
-msgid "omit raid modules"
-msgstr "omit raid модули"
+msgid "The firmware file for your %s was successfully installed."
+msgstr ""
-#: ../../services.pm:1
+#: standalone/scannerdrake:286
+#, fuzzy, c-format
+msgid "The %s is unsupported"
+msgstr "%s не е поддржан"
+
+#: standalone/scannerdrake:291
#, fuzzy, c-format
msgid ""
-"lpd is the print daemon required for lpr to work properly. It is\n"
-"basically a server that arbitrates print jobs to printer(s)."
+"The %s must be configured by printerdrake.\n"
+"You can launch printerdrake from the %s Control Center in Hardware section."
msgstr ""
-"lpd е демон за печатење, кој бара lpr за да работи како што треба.\n"
-" Тоа е основен сервер кој ја арбитрира работата на принтерите."
+"%s треба да биде конфигуриран од страна на printerdrake.\n"
+"Можете да го вклучете printerdrake преку Мандрак Контролниот Центар во "
+"Хардвер секцијата."
-#: ../../keyboard.pm:1
+#: standalone/scannerdrake:295 standalone/scannerdrake:302
+#: standalone/scannerdrake:332
#, c-format
-msgid "Irish"
-msgstr ""
+msgid "Auto-detect available ports"
+msgstr "Автоматски ги детектирај достапните порти"
-#: ../../standalone/drakbackup:1
+#: standalone/scannerdrake:297 standalone/scannerdrake:343
#, fuzzy, c-format
-msgid "Sunday"
-msgstr "Судан"
+msgid "Please select the device where your %s is attached"
+msgstr "Ве молиме одберете го уредот каде е закачен/а %s"
-#: ../../standalone/drakconnect:1
-#, fuzzy, c-format
-msgid "Internet Connection Configuration"
-msgstr "Конфигурација на Интернет Конекција"
+#: standalone/scannerdrake:298
+#, c-format
+msgid "(Note: Parallel ports cannot be auto-detected)"
+msgstr "(Забелешка: Паралелните порти не можат да бидат автоматски пронајдени)"
-#: ../../modules/parameters.pm:1
+#: standalone/scannerdrake:300 standalone/scannerdrake:345
#, c-format
-msgid "comma separated numbers"
-msgstr "броеви одвоени со запирки"
+msgid "choose device"
+msgstr "избери уред"
-#: ../../standalone/harddrake2:1
+#: standalone/scannerdrake:334
+#, fuzzy, c-format
+msgid "Searching for scanners ..."
+msgstr "Барање на скенери..."
+
+#: standalone/scannerdrake:368
#, c-format
msgid ""
-"Once you've selected a device, you'll be able to see the device information "
-"in fields displayed on the right frame (\"Information\")"
+"Your %s has been configured.\n"
+"You may now scan documents using \"XSane\" from Multimedia/Graphics in the "
+"applications menu."
msgstr ""
-"Ако селектирате некој уред, можете да ги видите информациите за него "
-"прикажани во десната рамка (\"Информации\")"
+"Вашиот %s е конфигуриран.\n"
+"Сега можете да скенирате документи со користење на \"XSane\" од Мултимедија/"
+"Графика во апликационото мени."
-#: ../../standalone/drakperm:1
-#, fuzzy, c-format
-msgid "Move selected rule up one level"
-msgstr "Едно ниво нагоре"
+#: standalone/scannerdrake:392
+#, c-format
+msgid ""
+"The following scanners\n"
+"\n"
+"%s\n"
+"are available on your system.\n"
+msgstr ""
+"Следниве скенери\n"
+"\n"
+"%s\n"
+"се можни на твојот систем.\n"
-#: ../../standalone/scannerdrake:1
+#: standalone/scannerdrake:393
#, c-format
msgid ""
"The following scanner\n"
@@ -20346,539 +22837,573 @@ msgstr ""
"%s\n"
"е приклучен на Вашиот компјутер.\n"
-#: ../../printer/printerdrake.pm:1
+#: standalone/scannerdrake:396 standalone/scannerdrake:399
#, fuzzy, c-format
-msgid "Do you really want to remove the printer \"%s\"?"
-msgstr "Дали навистина сакате да го избришете принтерот \"%s\"?"
+msgid "There are no scanners found which are available on your system.\n"
+msgstr "Не е најден скенер на Вашиот систем.\n"
-#: ../../install_interactive.pm:1
+#: standalone/scannerdrake:413
#, c-format
-msgid "I can't find any room for installing"
-msgstr "Не можам да најдам простор за инсталирање"
+msgid "Search for new scanners"
+msgstr "Барај нови скенери"
-#: ../../printer/printerdrake.pm:1
+#: standalone/scannerdrake:419
#, fuzzy, c-format
-msgid "Default printer"
-msgstr "Прв принтер"
+msgid "Add a scanner manually"
+msgstr "Избор"
-#: ../../network/netconnect.pm:1
+#: standalone/scannerdrake:426
#, fuzzy, c-format
-msgid ""
-"You have configured multiple ways to connect to the Internet.\n"
-"Choose the one you want to use.\n"
-"\n"
-msgstr ""
-"Конфигуриравте повеќе начини за поврзување на Интернет. \n"
-"Одберете еден кој ќе го користете. \n"
-
-#: ../../diskdrake/interactive.pm:1
-#, c-format
-msgid "Modify RAID"
-msgstr "Измени RAID"
+msgid "Install/Update firmware files"
+msgstr "Избор на датотека"
-#: ../../network/isdn.pm:1
+#: standalone/scannerdrake:432
#, c-format
-msgid ""
-"I have detected an ISDN PCI card, but I don't know its type. Please select a "
-"PCI card on the next screen."
-msgstr ""
-"Открив ISDN PCI картичка, но не го знам нејзиниот тип. Ве молам изберете "
-"една PCI картичка на следниот екран."
+msgid "Scanner sharing"
+msgstr "Делење на Скенер"
-#: ../../any.pm:1
+#: standalone/scannerdrake:491 standalone/scannerdrake:656
#, c-format
-msgid "Add user"
-msgstr "Додај корисник"
+msgid "All remote machines"
+msgstr "Сите локални компјутери"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/scannerdrake:503 standalone/scannerdrake:806
#, c-format
-msgid "RAID-disks %s\n"
-msgstr "RAID-дискови %s\n"
-
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Liberia"
-msgstr "Либерија"
+msgid "This machine"
+msgstr "Оваа машина"
-#: ../../standalone/scannerdrake:1
+#: standalone/scannerdrake:543
#, c-format
msgid ""
-"Could not install the packages needed to set up a scanner with Scannerdrake."
+"Here you can choose whether the scanners connected to this machine should be "
+"accessable by remote machines and by which remote machines."
msgstr ""
+"Овде можете да изберете дали скенерите поврзани на оваа машина треба да се "
+"достапни за оддалечени машини и за кои оддалечени машини."
-#: ../../standalone/drakgw:1
+#: standalone/scannerdrake:544
#, c-format
msgid ""
-"Please enter the name of the interface connected to the internet.\n"
-"\n"
-"Examples:\n"
-"\t\tppp+ for modem or DSL connections, \n"
-"\t\teth0, or eth1 for cable connection, \n"
-"\t\tippp+ for a isdn connection.\n"
+"You can also decide here whether scanners on remote machines should be made "
+"available on this machine."
msgstr ""
-"Ве молиме внесете го името на интерфејсот за поврзување на Интернет\n"
-"\n"
-"На пример:\n"
-"\t\tppp+ за модем или DSL конекција, \n"
-"\t\teth0, или eth1 за кабелска конекција, \n"
-"\t\tippp+ за ISDN конекција. \n"
+"Овде можете исто така да одлучите дали скенерите на оддалечените машини би "
+"требало да се направат како достапни за оваа машина."
-#: ../../steps.pm:1
-#, fuzzy, c-format
-msgid "Choose your keyboard"
-msgstr "Избери тастатура"
+#: standalone/scannerdrake:547
+#, c-format
+msgid "The scanners on this machine are available to other computers"
+msgstr "Скенерите на оваа машина се достапни и на други компјутери"
-#: ../../steps.pm:1
-#, fuzzy, c-format
-msgid "Format partitions"
-msgstr "Форматирање на партиции"
+#: standalone/scannerdrake:549
+#, c-format
+msgid "Scanner sharing to hosts: "
+msgstr "Скенер делен со хост: "
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Automatic correction of CUPS configuration"
-msgstr "Автоматска корекција на CUPS конфигурацијата"
+#: standalone/scannerdrake:563
+#, c-format
+msgid "Use scanners on remote computers"
+msgstr "Користи скенери од локални компјутери"
-#: ../../standalone/harddrake2:1
+#: standalone/scannerdrake:566
#, c-format
-msgid "Running \"%s\" ..."
-msgstr "Извршување на \"%s\" ..."
+msgid "Use the scanners on hosts: "
+msgstr "Користи ги скенерите од хост:"
-#: ../../harddrake/v4l.pm:1
+#: standalone/scannerdrake:593 standalone/scannerdrake:665
+#: standalone/scannerdrake:815
#, c-format
-msgid "enable radio support"
-msgstr "овозможи радио поддршка"
+msgid "Sharing of local scanners"
+msgstr "Делење на локални скенери"
-#: ../../standalone/scannerdrake:1
+#: standalone/scannerdrake:594
#, c-format
-msgid "Scanner sharing to hosts: "
-msgstr "Скенер делен со хост: "
+msgid ""
+"These are the machines on which the locally connected scanner(s) should be "
+"available:"
+msgstr ""
+"Ова се машините на кои што локално поврзаните скенер(и) треба да се достапни:"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/scannerdrake:605 standalone/scannerdrake:755
#, c-format
-msgid "Loopback file name: %s"
-msgstr "Loopback датотека: %s"
+msgid "Add host"
+msgstr "Додади компјутер"
-#: ../../printer/printerdrake.pm:1
+#: standalone/scannerdrake:611 standalone/scannerdrake:761
+#, c-format
+msgid "Edit selected host"
+msgstr "Уреди го селектираниот домаќин"
+
+#: standalone/scannerdrake:620 standalone/scannerdrake:770
#, fuzzy, c-format
-msgid "Please choose the printer to which the print jobs should go."
-msgstr "Ве молиме одберет принтер со кој ќе работите"
+msgid "Remove selected host"
+msgstr "Отстрани го хостот"
-#: ../../printer/printerdrake.pm:1
+#: standalone/scannerdrake:644 standalone/scannerdrake:652
+#: standalone/scannerdrake:657 standalone/scannerdrake:703
+#: standalone/scannerdrake:794 standalone/scannerdrake:802
+#: standalone/scannerdrake:807 standalone/scannerdrake:853
#, c-format
-msgid "Do not transfer printers"
-msgstr "Не го префрлај принтерот"
+msgid "Name/IP address of host:"
+msgstr "Име/IP адреса на хост:"
-#: ../../help.pm:1
-#, fuzzy, c-format
-msgid "Delay before booting the default image"
-msgstr "Пауза пред подигање на првиот"
+#: standalone/scannerdrake:666 standalone/scannerdrake:816
+#, c-format
+msgid "Choose the host on which the local scanners should be made available:"
+msgstr "Изберете го хостот на кој локалните скенери би требало да работат:"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Use Hard Disk to backup"
-msgstr "Користи го Хард дискот за бекап"
+#: standalone/scannerdrake:677 standalone/scannerdrake:827
+#, c-format
+msgid "You must enter a host name or an IP address.\n"
+msgstr "Мора да внесете име на компјутерот или IP адреса.\n"
-#: ../../help.pm:1 ../../install_steps_gtk.pm:1 ../../standalone/drakbackup:1
-#: ../../standalone/drakboot:1
+#: standalone/scannerdrake:688 standalone/scannerdrake:838
#, c-format
-msgid "Configure"
-msgstr "Конфигурирај"
+msgid "This host is already in the list, it cannot be added again.\n"
+msgstr "Овој хост веќе е на листата, не може да биде додаден повторно.\n"
-#: ../../standalone/scannerdrake:1
-#, fuzzy, c-format
-msgid "Scannerdrake"
-msgstr "Scannerdrake"
+#: standalone/scannerdrake:743
+#, c-format
+msgid "Usage of remote scanners"
+msgstr "Користење на далечински скенери"
-#: ../../standalone/drakconnect:1
-#, fuzzy, c-format
-msgid ""
-"Warning, another Internet connection has been detected, maybe using your "
-"network"
+#: standalone/scannerdrake:744
+#, c-format
+msgid "These are the machines from which the scanners should be used:"
+msgstr "Ова се машините од кои скенерите треба да бидат користени:"
+
+#: standalone/scannerdrake:904
+#, c-format
+msgid "Your scanner(s) will not be available on the network."
msgstr ""
-"Внимание, детектирана е друга Интернет конекција, која ја користи Вашата "
-"мрежа"
-#: ../../standalone/drakbackup:1
+#: standalone/service_harddrake:49
#, fuzzy, c-format
-msgid "Backup Users"
-msgstr "Бекап Корисници"
+msgid "Some devices in the \"%s\" hardware class were removed:\n"
+msgstr "Некои уреди во \"%s\" се избришани:"
-#: ../../network/network.pm:1
+#: standalone/service_harddrake:53
#, fuzzy, c-format
-msgid ""
-"Please enter your host name.\n"
-"Your host name should be a fully-qualified host name,\n"
-"such as ``mybox.mylab.myco.com''.\n"
-"You may also enter the IP address of the gateway if you have one."
-msgstr ""
-"Внесете Име на хост.\n"
-"Името би требало да биде во следниот облик\n"
-"kancelarija.firma.com\n"
-"Исто така можете да внесете и IP адреса на gateway ако имате"
+msgid "Some devices were added: %s\n"
+msgstr "Некои уреди беа додадени.\n"
-#: ../../printer/printerdrake.pm:1
+#: standalone/service_harddrake:94
#, fuzzy, c-format
-msgid "Select Printer Spooler"
-msgstr "Избор Печатач"
+msgid "Hardware probing in progress"
+msgstr "Хардвер проверката е во тек"
-#: ../../standalone/drakboot:1
+#: steps.pm:14
#, c-format
-msgid "Create new theme"
-msgstr "Креирај нова тема"
+msgid "Language"
+msgstr "��"
-#: ../../standalone/logdrake:1
-#, fuzzy, c-format
-msgid "Mandrake Tools Explanation"
-msgstr "Алатки"
+#: steps.pm:15
+#, c-format
+msgid "License"
+msgstr "Лиценца"
-#: ../../standalone/drakpxe:1
-#, fuzzy, c-format
-msgid "No image found"
-msgstr "Не е пронајдена слика!"
+#: steps.pm:16
+#, c-format
+msgid "Configure mouse"
+msgstr "Конфигурирај го глушецот"
-#: ../../install_steps.pm:1
+#: steps.pm:17
#, c-format
-msgid ""
-"Some important packages didn't get installed properly.\n"
-"Either your cdrom drive or your cdrom is defective.\n"
-"Check the cdrom on an installed computer using \"rpm -qpl Mandrake/RPMS/*.rpm"
-"\"\n"
-msgstr ""
-"Некои важни пакети не се инсталираа како што треба.\n"
-"Нешто не е во ред, или со Вашиот цедером или со цедеата.\n"
-"Проверете ги цедеата на инсталиран компјутер користејќи\n"
-"\"rpm -qpl Mandrake/RPMS/*.rpm\"\n"
+msgid "Hard drive detection"
+msgstr "Детекција на хард дискот"
-#: ../advertising/06-development.pl:1
+#: steps.pm:18
+#, c-format
+msgid "Select installation class"
+msgstr "Избери инсталациона класа"
+
+#: steps.pm:19
#, fuzzy, c-format
-msgid "Mandrake Linux 9.2: the ultimate development platform"
-msgstr "Linux"
+msgid "Choose your keyboard"
+msgstr "Избери тастатура"
-#: ../../standalone/scannerdrake:1
+#: steps.pm:21
#, fuzzy, c-format
-msgid "Detected model: %s"
-msgstr "Детектиран модел: %s"
+msgid "Partitioning"
+msgstr "Партиционирање"
-#: ../../standalone/logdrake:1
+#: steps.pm:22
+#, fuzzy, c-format
+msgid "Format partitions"
+msgstr "Форматирање на партиции"
+
+#: steps.pm:23
#, c-format
-msgid "\"%s\" is not a valid email!"
-msgstr "\"%s\" не е валидна е-маил адреса!"
+msgid "Choose packages to install"
+msgstr "Избери пакети за инсталција"
-#: ../../standalone/drakedm:1
+#: steps.pm:24
#, c-format
-msgid ""
-"X11 Display Manager allows you to graphically log\n"
-"into your system with the X Window System running and supports running\n"
-"several different X sessions on your local machine at the same time."
-msgstr ""
-"X11 Display Manager овозможува графичко логирање\n"
-"во Вашиот систем, X Window System овозможува неколку различни Х сесии на "
-"Вашиот компјутер во исто време."
+msgid "Install system"
+msgstr "Инсталирај го ситемот"
-#: ../../security/help.pm:1
+#: steps.pm:25
+#, fuzzy, c-format
+msgid "Root password"
+msgstr "Root лозинка"
+
+#: steps.pm:26
#, c-format
-msgid "if set to yes, run the daily security checks."
-msgstr "ако поставете да, вклучете ја дневната проверка на безбедност."
+msgid "Add a user"
+msgstr "Додај корисник"
-#: ../../lang.pm:1
+#: steps.pm:27
#, fuzzy, c-format
-msgid "Azerbaijan"
-msgstr "Азербејџанска (латиница)"
+msgid "Configure networking"
+msgstr "Конфигурација на мрежа"
-#: ../../standalone/drakbackup:1
+#: steps.pm:28
#, fuzzy, c-format
-msgid "Device name to use for backup"
-msgstr "име на"
+msgid "Install bootloader"
+msgstr "Инсталирај"
-#: ../../standalone/drakbackup:1
+#: steps.pm:29
#, fuzzy, c-format
-msgid "No tape in %s!"
-msgstr "Нема во %s!"
+msgid "Configure X"
+msgstr "Конфигурирај го Х"
+
+#: steps.pm:31
+#, fuzzy, c-format
+msgid "Configure services"
+msgstr "Конфигурирај ги сервисите"
-#: ../../standalone/drakhelp:1
+#: steps.pm:32
#, c-format
-msgid ""
-" --doc <link> - link to another web page ( for WM welcome "
-"frontend)\n"
-msgstr ""
+msgid "Install updates"
+msgstr "Инсталирање надградба"
-#: ../../keyboard.pm:1
+#: steps.pm:33
#, c-format
-msgid "Dvorak (US)"
-msgstr "Дворак (US)"
+msgid "Exit install"
+msgstr "Излези од Инсталацијата"
-#: ../../standalone/harddrake2:1
+#: ugtk2.pm:1047
#, c-format
-msgid ""
-"this is the physical bus on which the device is plugged (eg: PCI, USB, ...)"
-msgstr ""
-"Ова е физичката магистрала на која е приклучен уредот (пр. PCI, USB, ...)"
+msgid "Is this correct?"
+msgstr "Дали е ова точно?"
-#: ../../printer/printerdrake.pm:1
+#: ugtk2.pm:1175
#, c-format
-msgid "How is the printer connected?"
-msgstr "Како е поврзан принтерот?"
+msgid "Expand Tree"
+msgstr "Рашири го дрвото"
-#: ../../security/level.pm:1
+#: ugtk2.pm:1176
#, c-format
-msgid "Security level"
-msgstr "Сигурносно ниво"
+msgid "Collapse Tree"
+msgstr "Собери го дрвото"
-#: ../../standalone/draksplash:1
+#: ugtk2.pm:1177
#, c-format
-msgid "final resolution"
-msgstr "крајна резолуција"
+msgid "Toggle between flat and group sorted"
+msgstr "Избор меѓу линеарно и сортирано по група"
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1 ../../services.pm:1
+#: wizards.pm:95
#, c-format
-msgid "Services"
-msgstr "Сервиси"
+msgid ""
+"%s is not installed\n"
+"Click \"Next\" to install or \"Cancel\" to quit"
+msgstr ""
-#: ../../../move/move.pm:1
+#: wizards.pm:99
#, fuzzy, c-format
-msgid "Auto configuration"
-msgstr "Автоматски"
+msgid "Installation failed"
+msgstr "Неуспешна инсталација на тема!"
-#: ../../Xconfig/card.pm:1
-#, c-format
-msgid "4 MB"
-msgstr "4 MB"
+#~ msgid "Configuration of a remote printer"
+#~ msgstr "Конфигурација на оддалечен принтер"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Office Workstation"
-msgstr "Канцелариски"
+#~ msgid "configure %s"
+#~ msgstr "реконфигурирај"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid ""
-"Office programs: wordprocessors (kword, abiword), spreadsheets (kspread, "
-"gnumeric), pdf viewers, etc"
-msgstr ""
-"Канцелариски програми: wordprocessors (kword, abiword), spreadsheets "
-"(kspread, "
+#~ msgid "protocol = "
+#~ msgstr "Протокол"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Game station"
-msgstr "Игри"
+#~ msgid "level = "
+#~ msgstr "ниво"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Amusement programs: arcade, boards, strategy, etc"
-msgstr "Занимација"
+#~ msgid "Office Workstation"
+#~ msgstr "Канцелариски"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Multimedia station"
-msgstr "Мултимедија"
+#~ msgid ""
+#~ "Office programs: wordprocessors (kword, abiword), spreadsheets (kspread, "
+#~ "gnumeric), pdf viewers, etc"
+#~ msgstr ""
+#~ "Канцелариски програми: wordprocessors (kword, abiword), spreadsheets "
+#~ "(kspread, "
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Sound and video playing/editing programs"
-msgstr "Програми за музика и видео"
+#~ msgid "Game station"
+#~ msgstr "Игри"
-#: ../../share/compssUsers:999
-msgid "Internet station"
-msgstr "Интернет"
+#, fuzzy
+#~ msgid "Amusement programs: arcade, boards, strategy, etc"
+#~ msgstr "Занимација"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid ""
-"Set of tools to read and send mail and news (mutt, tin..) and to browse the "
-"Web"
-msgstr ""
-"Алатки за читање и пракање е-маил и новости (pine, mutt, tin..) и "
-"пребарување на Интернет"
+#~ msgid "Multimedia station"
+#~ msgstr "Мултимедија"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Network Computer (client)"
-msgstr "Мрежа (Клиент)"
+#~ msgid "Sound and video playing/editing programs"
+#~ msgstr "Програми за музика и видео"
-#: ../../share/compssUsers:999
-msgid "Clients for different protocols including ssh"
-msgstr "Клиенти за различни протоколи, бклучувајќи и ssh"
+#~ msgid "Internet station"
+#~ msgstr "Интернет"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Configuration"
-msgstr "Конфигурација"
+#~ msgid ""
+#~ "Set of tools to read and send mail and news (mutt, tin..) and to browse "
+#~ "the Web"
+#~ msgstr ""
+#~ "Алатки за читање и пракање е-маил и новости (pine, mutt, tin..) и "
+#~ "пребарување на Интернет"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Tools to ease the configuration of your computer"
-msgstr "Алатки за бришење на конфигурацијата на системот"
+#~ msgid "Network Computer (client)"
+#~ msgstr "Мрежа (Клиент)"
-#: ../../share/compssUsers:999
-msgid "Scientific Workstation"
-msgstr "Наука"
+#~ msgid "Clients for different protocols including ssh"
+#~ msgstr "Клиенти за различни протоколи, бклучувајќи и ssh"
-#: ../../share/compssUsers:999
-msgid "Scientific applications such as gnuplot"
-msgstr "Научни апликации како gnuplot"
+#, fuzzy
+#~ msgid "Configuration"
+#~ msgstr "Конфигурација"
+
+#, fuzzy
+#~ msgid "Tools to ease the configuration of your computer"
+#~ msgstr "Алатки за бришење на конфигурацијата на системот"
-#: ../../share/compssUsers:999
-msgid "Console Tools"
-msgstr "Конзолски алатки"
+#~ msgid "Scientific Workstation"
+#~ msgstr "Наука"
+
+#~ msgid "Scientific applications such as gnuplot"
+#~ msgstr "Научни апликации како gnuplot"
+
+#~ msgid "Console Tools"
+#~ msgstr "Конзолски алатки"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Editors, shells, file tools, terminals"
-msgstr "Уредувачи, школки, алатки, терминали"
+#~ msgid "Editors, shells, file tools, terminals"
+#~ msgstr "Уредувачи, школки, алатки, терминали"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "KDE Workstation"
-msgstr "KDE"
+#~ msgid "KDE Workstation"
+#~ msgstr "KDE"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid ""
-"The K Desktop Environment, the basic graphical environment with a collection "
-"of accompanying tools"
-msgstr ""
-"К Десктоп Опкружување, основно графичко опкружување со колекција на алатки."
+#~ msgid ""
+#~ "The K Desktop Environment, the basic graphical environment with a "
+#~ "collection of accompanying tools"
+#~ msgstr ""
+#~ "К Десктоп Опкружување, основно графичко опкружување со колекција на "
+#~ "алатки."
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Gnome Workstation"
-msgstr "Гноме"
+#~ msgid "Gnome Workstation"
+#~ msgstr "Гноме"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid ""
-"A graphical environment with user-friendly set of applications and desktop "
-"tools"
-msgstr "Графичко опкружување со user-friendly и алатки за десктоп"
+#~ msgid ""
+#~ "A graphical environment with user-friendly set of applications and "
+#~ "desktop tools"
+#~ msgstr "Графичко опкружување со user-friendly и алатки за десктоп"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Other Graphical Desktops"
-msgstr "Други Графички Десктопови"
+#~ msgid "Other Graphical Desktops"
+#~ msgstr "Други Графички Десктопови"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Icewm, Window Maker, Enlightenment, Fvwm, etc"
-msgstr "Icewm, Window Maker, Enlightenment, Fvwm, и.т.н"
+#~ msgid "Icewm, Window Maker, Enlightenment, Fvwm, etc"
+#~ msgstr "Icewm, Window Maker, Enlightenment, Fvwm, и.т.н"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "C and C++ development libraries, programs and include files"
-msgstr "C и C++ програми, датотеки и датотеки"
+#~ msgid "C and C++ development libraries, programs and include files"
+#~ msgstr "C и C++ програми, датотеки и датотеки"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Documentation"
-msgstr "Документација"
+#~ msgid "Documentation"
+#~ msgstr "Документација"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Books and Howto's on Linux and Free Software"
-msgstr "Книги и -Како да- за Linux Бесплатен Софтвер"
+#~ msgid "Books and Howto's on Linux and Free Software"
+#~ msgstr "Книги и -Како да- за Linux Бесплатен Софтвер"
-#: ../../share/compssUsers:999
-msgid "LSB"
-msgstr "LSB"
+#~ msgid "LSB"
+#~ msgstr "LSB"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Linux Standard Base. Third party applications support"
-msgstr "Linux Стандардна База"
+#~ msgid "Linux Standard Base. Third party applications support"
+#~ msgstr "Linux Стандардна База"
-#: ../../share/compssUsers:999
-msgid "Web/FTP"
-msgstr "Web/FTP"
+#~ msgid "Web/FTP"
+#~ msgstr "Web/FTP"
-#: ../../share/compssUsers:999
-msgid "Apache, Pro-ftpd"
-msgstr "Apache, Pro-ftpd"
+#~ msgid "Apache, Pro-ftpd"
+#~ msgstr "Apache, Pro-ftpd"
-#: ../../share/compssUsers:999
-msgid "Mail"
-msgstr "Пошта"
+#~ msgid "Mail"
+#~ msgstr "Пошта"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Postfix mail server"
-msgstr "Postfix Маил сервер"
+#~ msgid "Postfix mail server"
+#~ msgstr "Postfix Маил сервер"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Database"
-msgstr "База на податоци"
+#~ msgid "Database"
+#~ msgstr "База на податоци"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "PostgreSQL or MySQL database server"
-msgstr "PostgreSQL или MySQL сервер за бази на податоци"
-
-#: ../../share/compssUsers:999
-msgid "Firewall/Router"
-msgstr "Firewall/Router"
+#~ msgid "PostgreSQL or MySQL database server"
+#~ msgstr "PostgreSQL или MySQL сервер за бази на податоци"
-#: ../../share/compssUsers:999
-msgid "Internet gateway"
-msgstr "Интернет gateway"
+#~ msgid "Firewall/Router"
+#~ msgstr "Firewall/Router"
-#: ../../share/compssUsers:999
-msgid "DNS/NIS "
-msgstr ""
+#~ msgid "Internet gateway"
+#~ msgstr "Интернет gateway"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Domain Name and Network Information Server"
-msgstr "DNS сервер"
+#~ msgid "Domain Name and Network Information Server"
+#~ msgstr "DNS сервер"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Network Computer server"
-msgstr "Мрежа (Клиент)"
-
-#: ../../share/compssUsers:999
-msgid "NFS server, SMB server, Proxy server, ssh server"
-msgstr ""
+#~ msgid "Network Computer server"
+#~ msgstr "Мрежа (Клиент)"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Set of tools to read and send mail and news and to browse the Web"
-msgstr ""
-"Алатки за читање и пракање е-маил и новости (pine, mutt, tin..) и "
-"пребарување на Интернет"
+#~ msgid "Set of tools to read and send mail and news and to browse the Web"
+#~ msgstr ""
+#~ "Алатки за читање и пракање е-маил и новости (pine, mutt, tin..) и "
+#~ "пребарување на Интернет"
-#~ msgid "The setup has already been done, and it's currently enabled."
-#~ msgstr "Подесувањето е веќе извршено, и моментално е овозможено."
+#, fuzzy
+#~ msgid "add"
+#~ msgstr "Додај"
-#~ msgid "Logs"
-#~ msgstr "Логови"
+#, fuzzy
+#~ msgid "edit"
+#~ msgstr "Измени"
-#~ msgid "The setup has already been done, but it's currently disabled."
-#~ msgstr "Подесувањето е веќе завршено, но моментално е оневозможено."
+#, fuzzy
+#~ msgid "remove"
+#~ msgstr "Отстрани"
-#~ msgid "Profile "
-#~ msgstr "Профил "
+#, fuzzy
+#~ msgid "Add an UPS device"
+#~ msgstr "Додај"
#, fuzzy
#~ msgid ""
-#~ "Welcome to the Internet Connection Sharing utility!\n"
-#~ "\n"
-#~ "%s\n"
+#~ "Welcome to the UPS configuration utility.\n"
#~ "\n"
-#~ "Click on Configure to launch the setup wizard."
+#~ "Here, you'll be add a new UPS to your system.\n"
#~ msgstr ""
-#~ "Добредојдовте на Врска\n"
-#~ "\n"
-#~ " s\n"
+#~ "Добредојдовте во помошната алатка за конфигурирање на поштата.\n"
#~ "\n"
-#~ " Кликнете на Конфигурирај за да го стартувате сетап волшебникот."
+#~ "Овде можете да го подесите системскиот аларм.\n"
+
+#, fuzzy
+#~ msgid "Autodetection"
+#~ msgstr "Авто-детекција"
+
+#, fuzzy
+#~ msgid "No new UPS devices was found"
+#~ msgstr "Не е пронајдена слика!"
+
+#, fuzzy
+#~ msgid "UPS driver configuration"
+#~ msgstr "CUPS принтерска конфигурација"
+
+#, fuzzy
+#~ msgid "Please select your UPS model."
+#~ msgstr "Тестирајте го глушецот:"
+
+#, fuzzy
+#~ msgid "Manufacturer / Model:"
+#~ msgstr "Производител на принтерот, модел"
+
+#, fuzzy
+#~ msgid "Name:"
+#~ msgstr "Име: "
+
+#, fuzzy
+#~ msgid "The name of your ups"
+#~ msgstr "имтое на производителот на уредот"
+
+#, fuzzy
+#~ msgid "Port:"
+#~ msgstr "Порт"
+
+#, fuzzy
+#~ msgid "The port on which is connected your ups"
+#~ msgstr "Изберете на која сериска порта е поврзан глушецот."
+
+#, fuzzy
+#~ msgid "UPS devices"
+#~ msgstr "Сервиси"
+
+#, fuzzy
+#~ msgid "UPS users"
+#~ msgstr "Корисници"
+
+#, fuzzy
+#~ msgid "Access Control Lists"
+#~ msgstr "пристап до мрежни алатки"
+
+#, fuzzy
+#~ msgid "Rules"
+#~ msgstr "Рутери:"
+
+#, fuzzy
+#~ msgid "Action"
+#~ msgstr "/_Опции"
+
+#, fuzzy
+#~ msgid "ACL name"
+#~ msgstr "LVM име?"
#, fuzzy
-#~ msgid "Internet Connection Sharing configuration"
-#~ msgstr "Конфигурација и поврзување на Интернет"
+#~ msgid "Welcome to the UPS configuration tools"
+#~ msgstr "Тест на конфигурацијата"
+
+#~ msgid "Running \"%s\" ..."
+#~ msgstr "Извршување на \"%s\" ..."
+
+#~ msgid "utopia 25"
+#~ msgstr "utopia 25"
+
+#, fuzzy
+#~ msgid "On Hard Drive"
+#~ msgstr "на Тврдиот диск"
+
+#~ msgid "Messages"
+#~ msgstr "Пораки"
#, fuzzy
-#~ msgid "No Internet Connection Sharing has ever been configured."
-#~ msgstr "Никогаш нема конфигурирано Интернет Конекција."
+#~ msgid "Syslog"
+#~ msgstr "Syslog"
+
+#~ msgid "Compact"
+#~ msgstr "Компактно"
-#~ msgid "when checked, owner and group won't be changed"
-#~ msgstr "кога е проверено, сопственикот и групата нема да се сменат"
+#, fuzzy
+#~ msgid "Next ->"
+#~ msgstr "Следно"
+
+#, fuzzy
+#~ msgid "<- Previous"
+#~ msgstr "Претходно"
+
+#, fuzzy
+#~ msgid "Next->"
+#~ msgstr "Следно"
diff --git a/perl-install/share/po/mn.po b/perl-install/share/po/mn.po
new file mode 100644
index 000000000..8a6403fa3
--- /dev/null
+++ b/perl-install/share/po/mn.po
@@ -0,0 +1,21235 @@
+# translation of DrakX.po to
+# translation of DrakX.po to
+# translation of DrakX.po to Mongolian
+# Copyright (C) 2003, 2004 Free Software Foundation, Inc.
+# Khurelbaatar Lkhagavsuren <hujii247@yahoo.com>, 2003.
+# Khurelbaatar Lkhagvasuren <hujii247@yahoo.com>, 2003.
+# Sanlig Badral <Badral@openmn.org>, 2004.
+#
+msgid ""
+msgstr ""
+"Project-Id-Version: DrakX\n"
+"POT-Creation-Date: 2004-02-19 18:02+0100\n"
+"PO-Revision-Date: 2004-01-02 00:35+0100\n"
+"Last-Translator: Sanlig Badral <Badral@openmn.org>\n"
+"Language-Team: Mongolian <openmn-core@lists.sf.net>\n"
+"MIME-Version: 1.0\n"
+"Content-Type: text/plain; charset=UTF-8\n"
+"Content-Transfer-Encoding: 8bit\n"
+"X-Generator: KBabel 1.0.2\n"
+
+#: ../move/move.pm:359
+#, c-format
+msgid ""
+"Your USB key doesn't have any valid Windows (FAT) partitions.\n"
+"We need one to continue (beside, it's more standard so that you\n"
+"will be able to move and access your files from machines\n"
+"running Windows). Please plug in an USB key containing a\n"
+"Windows partition instead.\n"
+"\n"
+"\n"
+"You may also proceed without an USB key - you'll still be\n"
+"able to use Mandrake Move as a normal live Mandrake\n"
+"Operating System."
+msgstr ""
+
+#: ../move/move.pm:369
+#, c-format
+msgid ""
+"We didn't detect any USB key on your system. If you\n"
+"plug in an USB key now, Mandrake Move will have the ability\n"
+"to transparently save the data in your home directory and\n"
+"system wide configuration, for next boot on this computer\n"
+"or another one. Note: if you plug in a key now, wait several\n"
+"seconds before detecting again.\n"
+"\n"
+"\n"
+"You may also proceed without an USB key - you'll still be\n"
+"able to use Mandrake Move as a normal live Mandrake\n"
+"Operating System."
+msgstr ""
+
+#: ../move/move.pm:380
+#, c-format
+msgid "Need a key to save your data"
+msgstr ""
+
+#: ../move/move.pm:382
+#, c-format
+msgid "Detect USB key again"
+msgstr ""
+
+#: ../move/move.pm:383 ../move/move.pm:413
+#, c-format
+msgid "Continue without USB key"
+msgstr ""
+
+#: ../move/move.pm:394 ../move/move.pm:408
+#, c-format
+msgid "Key isn't writable"
+msgstr ""
+
+#: ../move/move.pm:396
+#, c-format
+msgid ""
+"The USB key seems to have write protection enabled, but we can't safely\n"
+"unplug it now.\n"
+"\n"
+"\n"
+"Click the button to reboot the machine, unplug it, remove write protection,\n"
+"plug the key again, and launch Mandrake Move again."
+msgstr ""
+
+#: ../move/move.pm:402 help.pm:418 install_steps_interactive.pm:1310
+#, c-format
+msgid "Reboot"
+msgstr "Дахин ачаал"
+
+#: ../move/move.pm:410
+#, c-format
+msgid ""
+"The USB key seems to have write protection enabled. Please\n"
+"unplug it, remove write protection, and then plug it again."
+msgstr ""
+
+#: ../move/move.pm:412
+#, fuzzy, c-format
+msgid "Retry"
+msgstr "Сэргээх"
+
+#: ../move/move.pm:423
+#, c-format
+msgid "Setting up USB key"
+msgstr ""
+
+#: ../move/move.pm:423
+#, c-format
+msgid "Please wait, setting up system configuration files on USB key..."
+msgstr ""
+
+#: ../move/move.pm:445
+#, c-format
+msgid "Enter your user information, password will be used for screensaver"
+msgstr ""
+
+#: ../move/move.pm:455
+#, fuzzy, c-format
+msgid "Auto configuration"
+msgstr "Хэрэглэгчийн"
+
+#: ../move/move.pm:455
+#, c-format
+msgid "Please wait, detecting and configuring devices..."
+msgstr ""
+
+#: ../move/move.pm:502 ../move/move.pm:559 ../move/move.pm:563
+#: ../move/tree/mdk_totem:86 diskdrake/dav.pm:77 diskdrake/hd_gtk.pm:117
+#: diskdrake/interactive.pm:215 diskdrake/interactive.pm:228
+#: diskdrake/interactive.pm:369 diskdrake/interactive.pm:384
+#: diskdrake/interactive.pm:505 diskdrake/interactive.pm:510
+#: diskdrake/smbnfs_gtk.pm:42 fsedit.pm:253 install_steps.pm:82
+#: install_steps_interactive.pm:40 interactive/http.pm:118
+#: interactive/http.pm:119 network/netconnect.pm:753 network/netconnect.pm:846
+#: network/netconnect.pm:849 network/netconnect.pm:894
+#: network/netconnect.pm:898 network/netconnect.pm:965
+#: network/netconnect.pm:1014 network/netconnect.pm:1019
+#: network/netconnect.pm:1034 printer/printerdrake.pm:213
+#: printer/printerdrake.pm:220 printer/printerdrake.pm:245
+#: printer/printerdrake.pm:393 printer/printerdrake.pm:398
+#: printer/printerdrake.pm:411 printer/printerdrake.pm:421
+#: printer/printerdrake.pm:1052 printer/printerdrake.pm:1099
+#: printer/printerdrake.pm:1174 printer/printerdrake.pm:1178
+#: printer/printerdrake.pm:1349 printer/printerdrake.pm:1353
+#: printer/printerdrake.pm:1357 printer/printerdrake.pm:1457
+#: printer/printerdrake.pm:1461 printer/printerdrake.pm:1578
+#: printer/printerdrake.pm:1582 printer/printerdrake.pm:1668
+#: printer/printerdrake.pm:1755 printer/printerdrake.pm:2153
+#: printer/printerdrake.pm:2419 printer/printerdrake.pm:2425
+#: printer/printerdrake.pm:2842 printer/printerdrake.pm:2846
+#: printer/printerdrake.pm:2850 printer/printerdrake.pm:3241
+#: standalone/drakTermServ:399 standalone/drakTermServ:730
+#: standalone/drakTermServ:737 standalone/drakTermServ:931
+#: standalone/drakTermServ:1330 standalone/drakTermServ:1335
+#: standalone/drakTermServ:1342 standalone/drakTermServ:1353
+#: standalone/drakTermServ:1372 standalone/drakauth:36
+#: standalone/drakbackup:766 standalone/drakbackup:881
+#: standalone/drakbackup:1455 standalone/drakbackup:1488
+#: standalone/drakbackup:2004 standalone/drakbackup:2177
+#: standalone/drakbackup:2738 standalone/drakbackup:2805
+#: standalone/drakbackup:4826 standalone/drakboot:235 standalone/drakbug:267
+#: standalone/drakbug:286 standalone/drakbug:292 standalone/drakconnect:569
+#: standalone/drakconnect:571 standalone/drakconnect:587
+#: standalone/drakfloppy:301 standalone/drakfloppy:305
+#: standalone/drakfloppy:311 standalone/drakfont:208 standalone/drakfont:221
+#: standalone/drakfont:257 standalone/drakfont:597 standalone/draksplash:21
+#: standalone/logdrake:171 standalone/logdrake:415 standalone/logdrake:420
+#: standalone/scannerdrake:52 standalone/scannerdrake:194
+#: standalone/scannerdrake:253 standalone/scannerdrake:676
+#: standalone/scannerdrake:687 standalone/scannerdrake:826
+#: standalone/scannerdrake:837 standalone/scannerdrake:902 wizards.pm:95
+#: wizards.pm:99 wizards.pm:121
+#, fuzzy, c-format
+msgid "Error"
+msgstr "Алдаа"
+
+#: ../move/move.pm:503 install_steps.pm:83
+#, fuzzy, c-format
+msgid ""
+"An error occurred, but I don't know how to handle it nicely.\n"
+"Continue at your own risk."
+msgstr "I."
+
+#: ../move/move.pm:559 install_steps_interactive.pm:40
+#, c-format
+msgid "An error occurred"
+msgstr ""
+
+#: ../move/move.pm:565
+#, c-format
+msgid ""
+"An error occurred:\n"
+"\n"
+"\n"
+"%s\n"
+"\n"
+"This may come from corrupted system configuration files\n"
+"on the USB key, in this case removing them and then\n"
+"rebooting Mandrake Move would fix the problem. To do\n"
+"so, click on the corresponding button.\n"
+"\n"
+"\n"
+"You may also want to reboot and remove the USB key, or\n"
+"examine its contents under another OS, or even have\n"
+"a look at log files in console #3 and #4 to try to\n"
+"guess what's happening."
+msgstr ""
+
+#: ../move/move.pm:580
+#, fuzzy, c-format
+msgid "Remove system config files"
+msgstr "Устгах?"
+
+#: ../move/move.pm:581
+#, c-format
+msgid "Simply reboot"
+msgstr ""
+
+#: ../move/tree/mdk_totem:60
+#, c-format
+msgid "You can only run with no CDROM support"
+msgstr ""
+
+#: ../move/tree/mdk_totem:81
+#, fuzzy, c-format
+msgid "Kill those programs"
+msgstr "X"
+
+#: ../move/tree/mdk_totem:82
+#, fuzzy, c-format
+msgid "No CDROM support"
+msgstr "Радио:"
+
+#: ../move/tree/mdk_totem:87
+#, c-format
+msgid ""
+"You can't use another CDROM when the following programs are running: \n"
+"%s"
+msgstr ""
+
+#: ../move/tree/mdk_totem:101
+#, c-format
+msgid "Copying to memory to allow removing the CDROM"
+msgstr ""
+
+#: Xconfig/card.pm:16
+#, c-format
+msgid "256 kB"
+msgstr "256 КВ"
+
+#: Xconfig/card.pm:17
+#, c-format
+msgid "512 kB"
+msgstr "512 КБ"
+
+#: Xconfig/card.pm:18
+#, fuzzy, c-format
+msgid "1 MB"
+msgstr "1 MБ"
+
+#: Xconfig/card.pm:19
+#, fuzzy, c-format
+msgid "2 MB"
+msgstr "2 МБ"
+
+#: Xconfig/card.pm:20
+#, fuzzy, c-format
+msgid "4 MB"
+msgstr "4 МБ"
+
+#: Xconfig/card.pm:21
+#, fuzzy, c-format
+msgid "8 MB"
+msgstr "8 МБ"
+
+#: Xconfig/card.pm:22
+#, c-format
+msgid "16 MB"
+msgstr "16 МБ"
+
+#: Xconfig/card.pm:23
+#, fuzzy, c-format
+msgid "32 MB"
+msgstr "32 МБ"
+
+#: Xconfig/card.pm:24
+#, fuzzy, c-format
+msgid "64 MB or more"
+msgstr "МБ"
+
+#: Xconfig/card.pm:211
+#, fuzzy, c-format
+msgid "X server"
+msgstr "X"
+
+#: Xconfig/card.pm:212
+#, fuzzy, c-format
+msgid "Choose an X server"
+msgstr "X"
+
+#: Xconfig/card.pm:244
+#, c-format
+msgid "Multi-head configuration"
+msgstr ""
+
+#: Xconfig/card.pm:245
+#, fuzzy, c-format
+msgid ""
+"Your system supports multiple head configuration.\n"
+"What do you want to do?"
+msgstr "вы?"
+
+#: Xconfig/card.pm:312
+#, c-format
+msgid "Can't install XFree package: %s"
+msgstr ""
+
+#: Xconfig/card.pm:322
+#, fuzzy, c-format
+msgid "Select the memory size of your graphics card"
+msgstr "хэмжээ аас"
+
+#: Xconfig/card.pm:398
+#, c-format
+msgid "XFree configuration"
+msgstr "XFree тохируулга"
+
+#: Xconfig/card.pm:400
+#, c-format
+msgid "Which configuration of XFree do you want to have?"
+msgstr "XFree-н ямар тохируулгатай байхыг та хүсэж байна?"
+
+#: Xconfig/card.pm:434
+#, c-format
+msgid "Configure all heads independently"
+msgstr "Бүх толгойг хамааралгүйгээр тохируулах"
+
+#: Xconfig/card.pm:435
+#, c-format
+msgid "Use Xinerama extension"
+msgstr "Xinerama өргөтгөлийг хэрэглэх"
+
+#: Xconfig/card.pm:440
+#, fuzzy, c-format
+msgid "Configure only card \"%s\"%s"
+msgstr "Тохируулах с"
+
+#: Xconfig/card.pm:454 Xconfig/card.pm:456 Xconfig/various.pm:23
+#, c-format
+msgid "XFree %s"
+msgstr ""
+
+#: Xconfig/card.pm:467 Xconfig/card.pm:493 Xconfig/various.pm:23
+#, fuzzy, c-format
+msgid "XFree %s with 3D hardware acceleration"
+msgstr "с"
+
+#: Xconfig/card.pm:470
+#, fuzzy, c-format
+msgid ""
+"Your card can have 3D hardware acceleration support but only with XFree %s.\n"
+"Your card is supported by XFree %s which may have a better support in 2D."
+msgstr "с бол с ямх."
+
+#: Xconfig/card.pm:472 Xconfig/card.pm:495
+#, fuzzy, c-format
+msgid "Your card can have 3D hardware acceleration support with XFree %s."
+msgstr "с."
+
+#: Xconfig/card.pm:480 Xconfig/card.pm:501
+#, fuzzy, c-format
+msgid "XFree %s with EXPERIMENTAL 3D hardware acceleration"
+msgstr "с"
+
+#: Xconfig/card.pm:483
+#, c-format
+msgid ""
+"Your card can have 3D hardware acceleration support but only with XFree %s,\n"
+"NOTE THIS IS EXPERIMENTAL SUPPORT AND MAY FREEZE YOUR COMPUTER.\n"
+"Your card is supported by XFree %s which may have a better support in 2D."
+msgstr ""
+
+#: Xconfig/card.pm:486 Xconfig/card.pm:503
+#, fuzzy, c-format
+msgid ""
+"Your card can have 3D hardware acceleration support with XFree %s,\n"
+"NOTE THIS IS EXPERIMENTAL SUPPORT AND MAY FREEZE YOUR COMPUTER."
+msgstr "с."
+
+#: Xconfig/card.pm:509
+#, c-format
+msgid "Xpmac (installation display driver)"
+msgstr ""
+
+#: Xconfig/main.pm:88 Xconfig/main.pm:89 Xconfig/monitor.pm:106 any.pm:818
+#, fuzzy, c-format
+msgid "Custom"
+msgstr "Хэрэглэгчийн"
+
+#: Xconfig/main.pm:113 diskdrake/dav.pm:28 help.pm:14
+#: install_steps_interactive.pm:83 printer/printerdrake.pm:3871
+#: standalone/draksplash:114 standalone/harddrake2:187 standalone/logdrake:176
+#: standalone/scannerdrake:438
+#, fuzzy, c-format
+msgid "Quit"
+msgstr "Гарах"
+
+#: Xconfig/main.pm:115
+#, c-format
+msgid "Graphic Card"
+msgstr ""
+
+#: Xconfig/main.pm:118 Xconfig/monitor.pm:100
+#, fuzzy, c-format
+msgid "Monitor"
+msgstr "Дэлгэц"
+
+#: Xconfig/main.pm:121 Xconfig/resolution_and_depth.pm:228
+#, fuzzy, c-format
+msgid "Resolution"
+msgstr "Нарийвчилал"
+
+#: Xconfig/main.pm:126
+#, fuzzy, c-format
+msgid "Test"
+msgstr "Тест"
+
+#: Xconfig/main.pm:131 diskdrake/dav.pm:67 diskdrake/interactive.pm:410
+#: diskdrake/removable.pm:25 diskdrake/smbnfs_gtk.pm:80
+#: standalone/drakconnect:254 standalone/drakconnect:263
+#: standalone/drakconnect:277 standalone/drakconnect:283
+#: standalone/drakconnect:381 standalone/drakconnect:382
+#: standalone/drakconnect:540 standalone/drakfont:491 standalone/drakfont:551
+#: standalone/harddrake2:184
+#, fuzzy, c-format
+msgid "Options"
+msgstr "Сонголтууд"
+
+#: Xconfig/main.pm:180
+#, fuzzy, c-format
+msgid ""
+"Keep the changes?\n"
+"The current configuration is:\n"
+"\n"
+"%s"
+msgstr "Хадгалах бол г г"
+
+#: Xconfig/monitor.pm:101
+#, fuzzy, c-format
+msgid "Choose a monitor"
+msgstr "Сонгох"
+
+#: Xconfig/monitor.pm:107
+#, fuzzy, c-format
+msgid "Plug'n Play"
+msgstr "г"
+
+#: Xconfig/monitor.pm:108 mouse.pm:49
+#, fuzzy, c-format
+msgid "Generic"
+msgstr "Ерөнхий"
+
+#: Xconfig/monitor.pm:109 standalone/drakconnect:520 standalone/harddrake2:68
+#: standalone/harddrake2:69
+#, c-format
+msgid "Vendor"
+msgstr ""
+
+#: Xconfig/monitor.pm:119
+#, fuzzy, c-format
+msgid "Plug'n Play probing failed. Please select the correct monitor"
+msgstr "г Тоглох"
+
+#: Xconfig/monitor.pm:124
+#, fuzzy, c-format
+msgid ""
+"The two critical parameters are the vertical refresh rate, which is the "
+"rate\n"
+"at which the whole screen is refreshed, and most importantly the horizontal\n"
+"sync rate, which is the rate at which scanlines are displayed.\n"
+"\n"
+"It is VERY IMPORTANT that you do not specify a monitor type with a sync "
+"range\n"
+"that is beyond the capabilities of your monitor: you may damage your "
+"monitor.\n"
+" If in doubt, choose a conservative setting."
+msgstr ""
+"туг бол бол бол г бол вы төрөл бол аас вы\n"
+" ямх."
+
+#: Xconfig/monitor.pm:131
+#, fuzzy, c-format
+msgid "Horizontal refresh rate"
+msgstr "Хөндлөн"
+
+#: Xconfig/monitor.pm:132
+#, fuzzy, c-format
+msgid "Vertical refresh rate"
+msgstr "Босоо"
+
+#: Xconfig/resolution_and_depth.pm:12
+#, c-format
+msgid "256 colors (8 bits)"
+msgstr ""
+
+#: Xconfig/resolution_and_depth.pm:13
+#, c-format
+msgid "32 thousand colors (15 bits)"
+msgstr "32 мянган өнгө (15 бит)"
+
+#: Xconfig/resolution_and_depth.pm:14
+#, c-format
+msgid "65 thousand colors (16 bits)"
+msgstr ""
+
+#: Xconfig/resolution_and_depth.pm:15
+#, c-format
+msgid "16 million colors (24 bits)"
+msgstr "16 сая өнгө (24 бит)"
+
+#: Xconfig/resolution_and_depth.pm:16
+#, c-format
+msgid "4 billion colors (32 bits)"
+msgstr ""
+
+#: Xconfig/resolution_and_depth.pm:141
+#, c-format
+msgid "Resolutions"
+msgstr ""
+
+#: Xconfig/resolution_and_depth.pm:275
+#, fuzzy, c-format
+msgid "Choose the resolution and the color depth"
+msgstr "Сонгох"
+
+#: Xconfig/resolution_and_depth.pm:276
+#, c-format
+msgid "Graphics card: %s"
+msgstr "График карт: %s"
+
+#: Xconfig/resolution_and_depth.pm:289 interactive.pm:403
+#: interactive/gtk.pm:734 interactive/http.pm:103 interactive/http.pm:157
+#: interactive/newt.pm:308 interactive/newt.pm:410 interactive/stdio.pm:39
+#: interactive/stdio.pm:142 interactive/stdio.pm:143 interactive/stdio.pm:172
+#: standalone/drakbackup:4320 standalone/drakbackup:4352
+#: standalone/drakbackup:4445 standalone/drakbackup:4462
+#: standalone/drakbackup:4563 standalone/drakconnect:162
+#: standalone/drakconnect:734 standalone/drakconnect:821
+#: standalone/drakconnect:964 standalone/net_monitor:303 ugtk2.pm:412
+#: ugtk2.pm:509 ugtk2.pm:1047 ugtk2.pm:1070
+#, fuzzy, c-format
+msgid "Ok"
+msgstr "Ок"
+
+#: Xconfig/resolution_and_depth.pm:289 any.pm:858 diskdrake/smbnfs_gtk.pm:81
+#: help.pm:197 help.pm:457 install_steps_gtk.pm:488
+#: install_steps_interactive.pm:787 interactive.pm:404 interactive/gtk.pm:738
+#: interactive/http.pm:104 interactive/http.pm:161 interactive/newt.pm:307
+#: interactive/newt.pm:414 interactive/stdio.pm:39 interactive/stdio.pm:142
+#: interactive/stdio.pm:176 printer/printerdrake.pm:2920
+#: standalone/drakautoinst:200 standalone/drakbackup:4284
+#: standalone/drakbackup:4311 standalone/drakbackup:4336
+#: standalone/drakbackup:4369 standalone/drakbackup:4395
+#: standalone/drakbackup:4421 standalone/drakbackup:4478
+#: standalone/drakbackup:4504 standalone/drakbackup:4534
+#: standalone/drakbackup:4558 standalone/drakconnect:161
+#: standalone/drakconnect:819 standalone/drakconnect:973
+#: standalone/drakfont:657 standalone/drakfont:734 standalone/logdrake:176
+#: standalone/net_monitor:299 ugtk2.pm:406 ugtk2.pm:507 ugtk2.pm:516
+#: ugtk2.pm:1047
+#, fuzzy, c-format
+msgid "Cancel"
+msgstr "Хүчингүй"
+
+#: Xconfig/resolution_and_depth.pm:289 diskdrake/hd_gtk.pm:154
+#: install_steps_gtk.pm:267 install_steps_gtk.pm:667 interactive.pm:498
+#: interactive/gtk.pm:620 interactive/gtk.pm:622 standalone/drakTermServ:313
+#: standalone/drakbackup:4281 standalone/drakbackup:4308
+#: standalone/drakbackup:4333 standalone/drakbackup:4366
+#: standalone/drakbackup:4392 standalone/drakbackup:4418
+#: standalone/drakbackup:4459 standalone/drakbackup:4475
+#: standalone/drakbackup:4501 standalone/drakbackup:4530
+#: standalone/drakbackup:4555 standalone/drakbackup:4580
+#: standalone/drakbug:157 standalone/drakconnect:157
+#: standalone/drakconnect:227 standalone/drakfont:509 standalone/drakperm:134
+#: standalone/draksec:285 standalone/harddrake2:183 ugtk2.pm:1160
+#: ugtk2.pm:1161
+#, fuzzy, c-format
+msgid "Help"
+msgstr "Тусламж"
+
+#: Xconfig/test.pm:30
+#, fuzzy, c-format
+msgid "Test of the configuration"
+msgstr "Тест аас"
+
+#: Xconfig/test.pm:31
+#, fuzzy, c-format
+msgid "Do you want to test the configuration?"
+msgstr "вы?"
+
+#: Xconfig/test.pm:31
+#, fuzzy, c-format
+msgid "Warning: testing this graphic card may freeze your computer"
+msgstr "Сануулга"
+
+#: Xconfig/test.pm:71
+#, fuzzy, c-format
+msgid ""
+"An error occurred:\n"
+"%s\n"
+"Try to change some parameters"
+msgstr "г с"
+
+#: Xconfig/test.pm:149
+#, c-format
+msgid "Leaving in %d seconds"
+msgstr "%d секундэнд орхино"
+
+#: Xconfig/test.pm:149
+#, c-format
+msgid "Is this the correct setting?"
+msgstr "Энэ зөв тохиргоо юу?"
+
+#: Xconfig/various.pm:29
+#, c-format
+msgid "Keyboard layout: %s\n"
+msgstr "Гарын завсар: %s\n"
+
+#: Xconfig/various.pm:30
+#, c-format
+msgid "Mouse type: %s\n"
+msgstr "Хулганы төрөл: %s\n"
+
+#: Xconfig/various.pm:31
+#, fuzzy, c-format
+msgid "Mouse device: %s\n"
+msgstr "Хулгана с"
+
+#: Xconfig/various.pm:32
+#, fuzzy, c-format
+msgid "Monitor: %s\n"
+msgstr "Дэлгэц с"
+
+#: Xconfig/various.pm:33
+#, fuzzy, c-format
+msgid "Monitor HorizSync: %s\n"
+msgstr "Дэлгэц с"
+
+#: Xconfig/various.pm:34
+#, fuzzy, c-format
+msgid "Monitor VertRefresh: %s\n"
+msgstr "Дэлгэц с"
+
+#: Xconfig/various.pm:35
+#, fuzzy, c-format
+msgid "Graphics card: %s\n"
+msgstr "График с"
+
+#: Xconfig/various.pm:36
+#, fuzzy, c-format
+msgid "Graphics memory: %s kB\n"
+msgstr "График с кб"
+
+#: Xconfig/various.pm:38
+#, fuzzy, c-format
+msgid "Color depth: %s\n"
+msgstr "Өнгө с"
+
+#: Xconfig/various.pm:39
+#, fuzzy, c-format
+msgid "Resolution: %s\n"
+msgstr "Нарийвчилал с"
+
+#: Xconfig/various.pm:41
+#, fuzzy, c-format
+msgid "XFree86 server: %s\n"
+msgstr "с"
+
+#: Xconfig/various.pm:42
+#, fuzzy, c-format
+msgid "XFree86 driver: %s\n"
+msgstr "с"
+
+#: Xconfig/various.pm:71
+#, c-format
+msgid "Graphical interface at startup"
+msgstr "Эхлэхэд дүрст харагдалт"
+
+#: Xconfig/various.pm:73
+#, fuzzy, c-format
+msgid ""
+"I can setup your computer to automatically start the graphical interface "
+"(XFree) upon booting.\n"
+"Would you like XFree to start when you reboot?"
+msgstr "вы вы?"
+
+#: Xconfig/various.pm:86
+#, fuzzy, c-format
+msgid ""
+"Your graphic card seems to have a TV-OUT connector.\n"
+"It can be configured to work using frame-buffer.\n"
+"\n"
+"For this you have to plug your graphic card to your TV before booting your "
+"computer.\n"
+"Then choose the \"TVout\" entry in the bootloader\n"
+"\n"
+"Do you have this feature?"
+msgstr "хүрээ г вы ямх г вы?"
+
+#: Xconfig/various.pm:98
+#, fuzzy, c-format
+msgid "What norm is your TV using?"
+msgstr "бол?"
+
+#: any.pm:98 harddrake/sound.pm:150 interactive.pm:441 standalone/drakbug:259
+#: standalone/drakconnect:164 standalone/drakxtv:90 standalone/harddrake2:133
+#: standalone/service_harddrake:94
+#, c-format
+msgid "Please wait"
+msgstr ""
+
+#: any.pm:98
+#, fuzzy, c-format
+msgid "Bootloader installation in progress"
+msgstr "Эхлүүлэгч ачаалагч суулгах"
+
+#: any.pm:137
+#, c-format
+msgid ""
+"You decided to install the bootloader on a partition.\n"
+"This implies you already have a bootloader on the hard drive you boot (eg: "
+"System Commander).\n"
+"\n"
+"On which drive are you booting?"
+msgstr ""
+
+#: any.pm:160 any.pm:192 help.pm:800
+#, c-format
+msgid "First sector of drive (MBR)"
+msgstr "Хөтлөгчийн эхний сектор (MBR)"
+
+#: any.pm:161
+#, c-format
+msgid "First sector of the root partition"
+msgstr "Үндсэн хуваалтын эхний сектор"
+
+#: any.pm:163
+#, fuzzy, c-format
+msgid "On Floppy"
+msgstr "Идэвхитэй"
+
+#: any.pm:165 help.pm:768 help.pm:800 printer/printerdrake.pm:3238
+#, fuzzy, c-format
+msgid "Skip"
+msgstr "Алгасах"
+
+#: any.pm:170
+#, c-format
+msgid "SILO Installation"
+msgstr ""
+
+#: any.pm:170
+#, c-format
+msgid "LILO/grub Installation"
+msgstr ""
+
+#: any.pm:171
+#, fuzzy, c-format
+msgid "Where do you want to install the bootloader?"
+msgstr "Хаана вы?"
+
+#: any.pm:192
+#, fuzzy, c-format
+msgid "First sector of boot partition"
+msgstr "Эхний аас"
+
+#: any.pm:204 any.pm:239
+#, c-format
+msgid "Bootloader main options"
+msgstr "Эхлүүлэгч ачаалагчийн үндсэн сонголтууд"
+
+#: any.pm:205
+#, fuzzy, c-format
+msgid "Boot Style Configuration"
+msgstr "Загвар"
+
+#: any.pm:209
+#, fuzzy, c-format
+msgid "Give the ram size in MB"
+msgstr "хэмжээ ямх"
+
+#: any.pm:211
+#, fuzzy, c-format
+msgid ""
+"Option ``Restrict command line options'' is of no use without a password"
+msgstr "бол аас үгүй"
+
+#: any.pm:212 any.pm:519 install_steps_interactive.pm:1158
+#, c-format
+msgid "The passwords do not match"
+msgstr ""
+
+#: any.pm:212 any.pm:519 diskdrake/interactive.pm:1255
+#: install_steps_interactive.pm:1158
+#, c-format
+msgid "Please try again"
+msgstr "Дахин оролдоно уу"
+
+#: any.pm:217 any.pm:242 help.pm:768
+#, c-format
+msgid "Bootloader to use"
+msgstr ""
+
+#: any.pm:219
+#, c-format
+msgid "Bootloader installation"
+msgstr "Эхлүүлэгч ачаалагч суулгах"
+
+#: any.pm:221 any.pm:244 help.pm:768
+#, c-format
+msgid "Boot device"
+msgstr ""
+
+#: any.pm:223
+#, c-format
+msgid "Delay before booting default image"
+msgstr "Үндсэн зургийг ачаалахын өмнө түр саатах"
+
+#: any.pm:224 help.pm:768
+#, fuzzy, c-format
+msgid "Enable ACPI"
+msgstr "Нээх"
+
+#: any.pm:225
+#, c-format
+msgid "Force No APIC"
+msgstr "Хүчээр APIC гүй"
+
+#: any.pm:227 any.pm:546 diskdrake/smbnfs_gtk.pm:180
+#: install_steps_interactive.pm:1163 network/netconnect.pm:491
+#: printer/printerdrake.pm:1340 printer/printerdrake.pm:1454
+#: standalone/drakbackup:1990 standalone/drakbackup:3875
+#: standalone/drakconnect:916 standalone/drakconnect:944
+#, c-format
+msgid "Password"
+msgstr "Нууц үг"
+
+#: any.pm:228 any.pm:547 install_steps_interactive.pm:1164
+#, c-format
+msgid "Password (again)"
+msgstr "Нууц үг (дахин)"
+
+#: any.pm:229
+#, c-format
+msgid "Restrict command line options"
+msgstr "Тушаалын мөрийн сонголтуудыг хязгаарлах"
+
+#: any.pm:229
+#, c-format
+msgid "restrict"
+msgstr ""
+
+#: any.pm:231
+#, c-format
+msgid "Clean /tmp at each boot"
+msgstr ""
+
+#: any.pm:232
+#, fuzzy, c-format
+msgid "Precise RAM size if needed (found %d MB)"
+msgstr "хэмжээ МБ"
+
+#: any.pm:234
+#, fuzzy, c-format
+msgid "Enable multiple profiles"
+msgstr "Нээх"
+
+#: any.pm:243
+#, c-format
+msgid "Init Message"
+msgstr ""
+
+#: any.pm:245
+#, fuzzy, c-format
+msgid "Open Firmware Delay"
+msgstr "Нээх"
+
+#: any.pm:246
+#, c-format
+msgid "Kernel Boot Timeout"
+msgstr ""
+
+#: any.pm:247
+#, fuzzy, c-format
+msgid "Enable CD Boot?"
+msgstr "Нээх CD?"
+
+#: any.pm:248
+#, fuzzy, c-format
+msgid "Enable OF Boot?"
+msgstr "Нээх?"
+
+#: any.pm:249
+#, c-format
+msgid "Default OS?"
+msgstr "Үндсэн ҮС?"
+
+#: any.pm:290
+#, fuzzy, c-format
+msgid "Image"
+msgstr "Зураг"
+
+#: any.pm:291 any.pm:300
+#, c-format
+msgid "Root"
+msgstr "Эзэн"
+
+#: any.pm:292 any.pm:313
+#, c-format
+msgid "Append"
+msgstr "Залгах"
+
+#: any.pm:294
+#, c-format
+msgid "Video mode"
+msgstr "Видео горим"
+
+#: any.pm:296
+#, c-format
+msgid "Initrd"
+msgstr "Initrd"
+
+#: any.pm:305 any.pm:310 any.pm:312
+#, fuzzy, c-format
+msgid "Label"
+msgstr "Тэмдэг"
+
+#: any.pm:307 any.pm:317 harddrake/v4l.pm:236 standalone/drakfloppy:88
+#: standalone/drakfloppy:94
+#, fuzzy, c-format
+msgid "Default"
+msgstr "Стандарт"
+
+#: any.pm:314
+#, c-format
+msgid "Initrd-size"
+msgstr ""
+
+#: any.pm:316
+#, c-format
+msgid "NoVideo"
+msgstr ""
+
+#: any.pm:327
+#, fuzzy, c-format
+msgid "Empty label not allowed"
+msgstr "Бичээс"
+
+#: any.pm:328
+#, fuzzy, c-format
+msgid "You must specify a kernel image"
+msgstr "Та"
+
+#: any.pm:328
+#, fuzzy, c-format
+msgid "You must specify a root partition"
+msgstr "Та"
+
+#: any.pm:329
+#, fuzzy, c-format
+msgid "This label is already used"
+msgstr "Бичээс бол"
+
+#: any.pm:342
+#, c-format
+msgid "Which type of entry do you want to add?"
+msgstr "Ямар төрлийн өгөгдөл та оруулахыг хүсэж байна?"
+
+#: any.pm:343 standalone/drakbackup:1904
+#, c-format
+msgid "Linux"
+msgstr "Линукс"
+
+#: any.pm:343
+#, fuzzy, c-format
+msgid "Other OS (SunOS...)"
+msgstr "Бусад"
+
+#: any.pm:344
+#, fuzzy, c-format
+msgid "Other OS (MacOS...)"
+msgstr "Бусад"
+
+#: any.pm:344
+#, c-format
+msgid "Other OS (windows...)"
+msgstr "Бусад ҮС (Виндовс...)"
+
+#: any.pm:372
+#, fuzzy, c-format
+msgid ""
+"Here are the entries on your boot menu so far.\n"
+"You can create additional entries or change the existing ones."
+msgstr "Цэс."
+
+#: any.pm:504
+#, fuzzy, c-format
+msgid "access to X programs"
+msgstr "X"
+
+#: any.pm:505
+#, c-format
+msgid "access to rpm tools"
+msgstr "rpm хэрэгсэлүүд рүү хандах"
+
+#: any.pm:506
+#, c-format
+msgid "allow \"su\""
+msgstr ""
+
+#: any.pm:507
+#, c-format
+msgid "access to administrative files"
+msgstr ""
+
+#: any.pm:508
+#, c-format
+msgid "access to network tools"
+msgstr ""
+
+#: any.pm:509
+#, c-format
+msgid "access to compilation tools"
+msgstr ""
+
+#: any.pm:515
+#, fuzzy, c-format
+msgid "(already added %s)"
+msgstr "с"
+
+#: any.pm:520
+#, fuzzy, c-format
+msgid "This password is too simple"
+msgstr "бол"
+
+#: any.pm:521
+#, c-format
+msgid "Please give a user name"
+msgstr ""
+
+#: any.pm:522
+#, fuzzy, c-format
+msgid ""
+"The user name must contain only lower cased letters, numbers, `-' and `_'"
+msgstr "нэр"
+
+#: any.pm:523
+#, c-format
+msgid "The user name is too long"
+msgstr "Хэрэглэгчийн нэр хэт урт"
+
+#: any.pm:524
+#, fuzzy, c-format
+msgid "This user name has already been added"
+msgstr "нэр"
+
+#: any.pm:528
+#, c-format
+msgid "Add user"
+msgstr "Хэрэглэгч нэмэх"
+
+#: any.pm:529
+#, fuzzy, c-format
+msgid ""
+"Enter a user\n"
+"%s"
+msgstr "г"
+
+#: any.pm:532 diskdrake/dav.pm:68 diskdrake/hd_gtk.pm:158
+#: diskdrake/removable.pm:27 diskdrake/smbnfs_gtk.pm:82 help.pm:544
+#: interactive/http.pm:152 printer/printerdrake.pm:165
+#: printer/printerdrake.pm:352 printer/printerdrake.pm:3871
+#: standalone/drakbackup:3094 standalone/scannerdrake:629
+#: standalone/scannerdrake:779
+#, fuzzy, c-format
+msgid "Done"
+msgstr "Хийгдсэн"
+
+#: any.pm:533 help.pm:52
+#, c-format
+msgid "Accept user"
+msgstr "Хэрэглэгчийг зөвшөөрөх"
+
+#: any.pm:544
+#, c-format
+msgid "Real name"
+msgstr ""
+
+#: any.pm:545 help.pm:52 printer/printerdrake.pm:1339
+#: printer/printerdrake.pm:1453
+#, c-format
+msgid "User name"
+msgstr "Хэрэглэгчийн нэр"
+
+#: any.pm:548
+#, fuzzy, c-format
+msgid "Shell"
+msgstr "Тушаалын мөр"
+
+#: any.pm:550
+#, fuzzy, c-format
+msgid "Icon"
+msgstr "Дүрслэл"
+
+#: any.pm:591 security/l10n.pm:14
+#, c-format
+msgid "Autologin"
+msgstr ""
+
+#: any.pm:592
+#, fuzzy, c-format
+msgid "I can set up your computer to automatically log on one user."
+msgstr "log."
+
+#: any.pm:593 help.pm:52
+#, c-format
+msgid "Do you want to use this feature?"
+msgstr "Та энэ чанарыг ашиглахыг хүсэж байна уу?"
+
+#: any.pm:594
+#, fuzzy, c-format
+msgid "Choose the default user:"
+msgstr "Сонгох:"
+
+#: any.pm:595
+#, fuzzy, c-format
+msgid "Choose the window manager to run:"
+msgstr "Цонх:"
+
+#: any.pm:607
+#, c-format
+msgid "Please choose a language to use."
+msgstr "Хэрэглэх хэлээ сонгоно уу"
+
+#: any.pm:628
+#, fuzzy, c-format
+msgid ""
+"Mandrake Linux can support multiple languages. Select\n"
+"the languages you would like to install. They will be available\n"
+"when your installation is complete and you restart your system."
+msgstr "вы бол вы."
+
+#: any.pm:646 help.pm:660
+#, c-format
+msgid "Use Unicode by default"
+msgstr "Юникодыг үндсэнээр хэрэглэх"
+
+#: any.pm:647 help.pm:660
+#, c-format
+msgid "All languages"
+msgstr "Бүх хэл"
+
+#: any.pm:683 help.pm:581 help.pm:991 install_steps_interactive.pm:907
+#, fuzzy, c-format
+msgid "Country / Region"
+msgstr " / Муж"
+
+#: any.pm:684
+#, c-format
+msgid "Please choose your country."
+msgstr "Улсаа сонгоно уу."
+
+#: any.pm:686
+#, fuzzy, c-format
+msgid "Here is the full list of available countries"
+msgstr "бол бүрэн жигсаалт аас"
+
+#: any.pm:687 diskdrake/interactive.pm:292 help.pm:544 help.pm:581 help.pm:621
+#: help.pm:991 install_steps_interactive.pm:114
+#, c-format
+msgid "More"
+msgstr "Илүү"
+
+#: any.pm:818
+#, fuzzy, c-format
+msgid "No sharing"
+msgstr "Үгүй"
+
+#: any.pm:818
+#, c-format
+msgid "Allow all users"
+msgstr "Бүх хэрэглэгчдийг зөвшөөрөх"
+
+#: any.pm:822
+#, fuzzy, c-format
+msgid ""
+"Would you like to allow users to share some of their directories?\n"
+"Allowing this will permit users to simply click on \"Share\" in konqueror "
+"and nautilus.\n"
+"\n"
+"\"Custom\" permit a per-user granularity.\n"
+msgstr "вы хэрэглэгчид аас хэрэглэгчид Хамтын хэрэглээ ямх г г Хэрэглэгчийн"
+
+#: any.pm:838
+#, fuzzy, c-format
+msgid ""
+"You can export using NFS or Samba. Please select which you'd like to use."
+msgstr "Та Самба вы."
+
+#: any.pm:846
+#, fuzzy, c-format
+msgid "The package %s is going to be removed."
+msgstr "Дараах багцууд суулгагдах гэж байна"
+
+#: any.pm:858
+#, c-format
+msgid "Launch userdrake"
+msgstr ""
+
+#: any.pm:860
+#, c-format
+msgid ""
+"The per-user sharing uses the group \"fileshare\". \n"
+"You can use userdrake to add a user to this group."
+msgstr ""
+
+#: authentication.pm:12
+#, fuzzy, c-format
+msgid "Local files"
+msgstr "Дотоод файлууд"
+
+#: authentication.pm:12
+#, c-format
+msgid "LDAP"
+msgstr ""
+
+#: authentication.pm:12
+#, c-format
+msgid "NIS"
+msgstr ""
+
+#: authentication.pm:12 authentication.pm:50
+#, fuzzy, c-format
+msgid "Windows Domain"
+msgstr "Цонхнууд"
+
+#: authentication.pm:33
+#, fuzzy, c-format
+msgid "Authentication LDAP"
+msgstr "Баталгаажуулалт"
+
+#: authentication.pm:34
+#, c-format
+msgid "LDAP Base dn"
+msgstr ""
+
+#: authentication.pm:35
+#, c-format
+msgid "LDAP Server"
+msgstr ""
+
+#: authentication.pm:40
+#, fuzzy, c-format
+msgid "Authentication NIS"
+msgstr "Баталгаажуулалт"
+
+#: authentication.pm:41
+#, c-format
+msgid "NIS Domain"
+msgstr ""
+
+#: authentication.pm:42
+#, c-format
+msgid "NIS Server"
+msgstr ""
+
+#: authentication.pm:47
+#, fuzzy, c-format
+msgid ""
+"For this to work for a W2K PDC, you will probably need to have the admin "
+"run: C:\\>net localgroup \"Pre-Windows 2000 Compatible Access\" everyone /"
+"add and reboot the server.\n"
+"You will also need the username/password of a Domain Admin to join the "
+"machine to the Windows(TM) domain.\n"
+"If networking is not yet enabled, Drakx will attempt to join the domain "
+"after the network setup step.\n"
+"Should this setup fail for some reason and domain authentication is not "
+"working, run 'smbpasswd -j DOMAIN -U USER%%PASSWORD' using your Windows(tm) "
+"Domain, and Admin Username/Password, after system boot.\n"
+"The command 'wbinfo -t' will test whether your authentication secrets are "
+"good."
+msgstr ""
+"вы Цонхнууд аас Домэйн Цонхнууд бол бол Цонхнууд Домэйн Хэрэглэгчийн нэр "
+"Нууц үг."
+
+#: authentication.pm:49
+#, c-format
+msgid "Authentication Windows Domain"
+msgstr "Баталгаажуулалт Цонхнууд Хэвтүүл"
+
+#: authentication.pm:51
+#, fuzzy, c-format
+msgid "Domain Admin User Name"
+msgstr "Домэйн Хэрэглэгч"
+
+#: authentication.pm:52
+#, fuzzy, c-format
+msgid "Domain Admin Password"
+msgstr "Домэйн"
+
+#: authentication.pm:83
+#, c-format
+msgid "Can't use broadcast with no NIS domain"
+msgstr ""
+
+#. -PO: these messages will be displayed at boot time in the BIOS, use only ASCII (7bit)
+#: bootloader.pm:542
+#, fuzzy, c-format
+msgid ""
+"Welcome to the operating system chooser!\n"
+"\n"
+"Choose an operating system from the list above or\n"
+"wait for default boot.\n"
+"\n"
+msgstr "Тавтай морил с г жигсаалт секунд г"
+
+#: bootloader.pm:674
+#, c-format
+msgid "SILO"
+msgstr ""
+
+#: bootloader.pm:676 help.pm:768
+#, c-format
+msgid "LILO with graphical menu"
+msgstr ""
+
+#: bootloader.pm:677 help.pm:768
+#, fuzzy, c-format
+msgid "LILO with text menu"
+msgstr "текст"
+
+#: bootloader.pm:679
+#, c-format
+msgid "Grub"
+msgstr ""
+
+#: bootloader.pm:681
+#, c-format
+msgid "Yaboot"
+msgstr ""
+
+#: bootloader.pm:1150
+#, fuzzy, c-format
+msgid "not enough room in /boot"
+msgstr "ямх"
+
+#: bootloader.pm:1178
+#, fuzzy, c-format
+msgid "You can't install the bootloader on a %s partition\n"
+msgstr "Та с"
+
+#: bootloader.pm:1218
+#, c-format
+msgid ""
+"Your bootloader configuration must be updated because partition has been "
+"renumbered"
+msgstr ""
+
+#: bootloader.pm:1225
+#, c-format
+msgid ""
+"The bootloader can't be installed correctly. You have to boot rescue and "
+"choose \"%s\""
+msgstr ""
+
+#: bootloader.pm:1226
+#, c-format
+msgid "Re-install Boot Loader"
+msgstr ""
+
+#: common.pm:125
+#, fuzzy, c-format
+msgid "KB"
+msgstr "КБ"
+
+#: common.pm:125
+#, fuzzy, c-format
+msgid "MB"
+msgstr "МБ"
+
+#: common.pm:125
+#, fuzzy, c-format
+msgid "GB"
+msgstr "ГБ"
+
+#: common.pm:133
+#, c-format
+msgid "TB"
+msgstr ""
+
+#: common.pm:141
+#, c-format
+msgid "%d minutes"
+msgstr "%d минут"
+
+#: common.pm:143
+#, c-format
+msgid "1 minute"
+msgstr ""
+
+#: common.pm:145
+#, c-format
+msgid "%d seconds"
+msgstr ""
+
+#: common.pm:196
+#, c-format
+msgid "Can't make screenshots before partitioning"
+msgstr "Хуваалт үүсгэхийн өмнө агшин дэлгэцүүдийг хийж чадахгүй"
+
+#: common.pm:203
+#, fuzzy, c-format
+msgid "Screenshots will be available after install in %s"
+msgstr "ямх"
+
+#: common.pm:268
+#, c-format
+msgid "kdesu missing"
+msgstr ""
+
+#: common.pm:271
+#, c-format
+msgid "consolehelper missing"
+msgstr ""
+
+#: crypto.pm:14 crypto.pm:28 lang.pm:231 network/adsl_consts.pm:37
+#: network/adsl_consts.pm:48 network/adsl_consts.pm:58
+#: network/adsl_consts.pm:68 network/adsl_consts.pm:79
+#: network/adsl_consts.pm:90 network/adsl_consts.pm:100
+#: network/adsl_consts.pm:110 network/netconnect.pm:46
+#, c-format
+msgid "France"
+msgstr "Франц"
+
+#: crypto.pm:15 lang.pm:207
+#, c-format
+msgid "Costa Rica"
+msgstr ""
+
+#: crypto.pm:16 crypto.pm:29 lang.pm:179 network/adsl_consts.pm:20
+#: network/adsl_consts.pm:30 network/netconnect.pm:49
+#, c-format
+msgid "Belgium"
+msgstr ""
+
+#: crypto.pm:17 crypto.pm:30 lang.pm:212
+#, c-format
+msgid "Czech Republic"
+msgstr "Чех"
+
+#: crypto.pm:18 crypto.pm:31 lang.pm:213 network/adsl_consts.pm:126
+#: network/adsl_consts.pm:134
+#, c-format
+msgid "Germany"
+msgstr ""
+
+#: crypto.pm:19 crypto.pm:32 lang.pm:244
+#, c-format
+msgid "Greece"
+msgstr ""
+
+#: crypto.pm:20 crypto.pm:33 lang.pm:317
+#, c-format
+msgid "Norway"
+msgstr "Норвеги"
+
+#: crypto.pm:21 crypto.pm:34 lang.pm:346 network/adsl_consts.pm:230
+#, c-format
+msgid "Sweden"
+msgstr ""
+
+#: crypto.pm:22 crypto.pm:36 lang.pm:316 network/adsl_consts.pm:170
+#: network/netconnect.pm:47
+#, c-format
+msgid "Netherlands"
+msgstr ""
+
+#: crypto.pm:23 crypto.pm:37 lang.pm:264 network/adsl_consts.pm:150
+#: network/adsl_consts.pm:160 network/netconnect.pm:48 standalone/drakxtv:48
+#, c-format
+msgid "Italy"
+msgstr "Итали"
+
+#: crypto.pm:24 crypto.pm:38 lang.pm:172
+#, c-format
+msgid "Austria"
+msgstr ""
+
+#: crypto.pm:35 crypto.pm:61 lang.pm:380 network/netconnect.pm:50
+#, c-format
+msgid "United States"
+msgstr "АНУ"
+
+#: diskdrake/dav.pm:19
+#, fuzzy, c-format
+msgid ""
+"WebDAV is a protocol that allows you to mount a web server's directory\n"
+"locally, and treat it like a local filesystem (provided the web server is\n"
+"configured as a WebDAV server). If you would like to add WebDAV mount\n"
+"points, select \"New\"."
+msgstr "бол вы с бол вы Шинэ."
+
+#: diskdrake/dav.pm:27
+#, fuzzy, c-format
+msgid "New"
+msgstr "Шинэ"
+
+#: diskdrake/dav.pm:63 diskdrake/interactive.pm:417 diskdrake/smbnfs_gtk.pm:75
+#, fuzzy, c-format
+msgid "Unmount"
+msgstr "Дискийн төхөөрөмж салгах"
+
+#: diskdrake/dav.pm:64 diskdrake/interactive.pm:414 diskdrake/smbnfs_gtk.pm:76
+#, fuzzy, c-format
+msgid "Mount"
+msgstr "Дискийн төхөөрөмж холбох"
+
+#: diskdrake/dav.pm:65 help.pm:137
+#, fuzzy, c-format
+msgid "Server"
+msgstr "Сервер"
+
+#: diskdrake/dav.pm:66 diskdrake/interactive.pm:408
+#: diskdrake/interactive.pm:616 diskdrake/interactive.pm:635
+#: diskdrake/removable.pm:24 diskdrake/smbnfs_gtk.pm:79
+#, fuzzy, c-format
+msgid "Mount point"
+msgstr "Дискийн төхөөрөмж холбох"
+
+#: diskdrake/dav.pm:85
+#, c-format
+msgid "Please enter the WebDAV server URL"
+msgstr "WebDAV серверийн URL-г оруулна уу"
+
+#: diskdrake/dav.pm:89
+#, fuzzy, c-format
+msgid "The URL must begin with http:// or https://"
+msgstr "Вэб хаяг"
+
+#: diskdrake/dav.pm:111
+#, fuzzy, c-format
+msgid "Server: "
+msgstr "Сервер "
+
+#: diskdrake/dav.pm:112 diskdrake/interactive.pm:469
+#: diskdrake/interactive.pm:1149 diskdrake/interactive.pm:1225
+#, fuzzy, c-format
+msgid "Mount point: "
+msgstr "Дискийн төхөөрөмж холбох Цэг "
+
+#: diskdrake/dav.pm:113 diskdrake/interactive.pm:1233
+#, fuzzy, c-format
+msgid "Options: %s"
+msgstr "Сонголтууд"
+
+#: diskdrake/hd_gtk.pm:96 diskdrake/interactive.pm:995
+#: diskdrake/interactive.pm:1005 diskdrake/interactive.pm:1065
+#, fuzzy, c-format
+msgid "Read carefully!"
+msgstr "Унших!"
+
+#: diskdrake/hd_gtk.pm:96
+#, fuzzy, c-format
+msgid "Please make a backup of your data first"
+msgstr "аас"
+
+#: diskdrake/hd_gtk.pm:99
+#, fuzzy, c-format
+msgid ""
+"If you plan to use aboot, be carefull to leave a free space (2048 sectors is "
+"enough)\n"
+"at the beginning of the disk"
+msgstr "вы бол аас"
+
+#: diskdrake/hd_gtk.pm:156 help.pm:544
+#, c-format
+msgid "Wizard"
+msgstr "Туслагч"
+
+#: diskdrake/hd_gtk.pm:189
+#, c-format
+msgid "Choose action"
+msgstr "Үйлдэл сонгох"
+
+#: diskdrake/hd_gtk.pm:193
+#, c-format
+msgid ""
+"You have one big Microsoft Windows partition.\n"
+"I suggest you first resize that partition\n"
+"(click on it, then click on \"Resize\")"
+msgstr ""
+
+#: diskdrake/hd_gtk.pm:195
+#, c-format
+msgid "Please click on a partition"
+msgstr "Нэг хуваалтан дээр дарна уу"
+
+#: diskdrake/hd_gtk.pm:209 diskdrake/smbnfs_gtk.pm:63 install_steps_gtk.pm:475
+#, fuzzy, c-format
+msgid "Details"
+msgstr "Тодруулга"
+
+#: diskdrake/hd_gtk.pm:255
+#, fuzzy, c-format
+msgid "No hard drives found"
+msgstr "Үгүй"
+
+#: diskdrake/hd_gtk.pm:326
+#, c-format
+msgid "Ext2"
+msgstr ""
+
+#: diskdrake/hd_gtk.pm:326
+#, c-format
+msgid "Journalised FS"
+msgstr ""
+
+#: diskdrake/hd_gtk.pm:326
+#, fuzzy, c-format
+msgid "Swap"
+msgstr "Солилт"
+
+#: diskdrake/hd_gtk.pm:326
+#, c-format
+msgid "SunOS"
+msgstr "СанОС"
+
+#: diskdrake/hd_gtk.pm:326
+#, c-format
+msgid "HFS"
+msgstr ""
+
+#: diskdrake/hd_gtk.pm:326
+#, c-format
+msgid "Windows"
+msgstr "Виндоус"
+
+#: diskdrake/hd_gtk.pm:327 install_steps_gtk.pm:327 mouse.pm:167
+#: services.pm:164 standalone/drakbackup:1947 standalone/drakperm:250
+#, fuzzy, c-format
+msgid "Other"
+msgstr "Бусад"
+
+#: diskdrake/hd_gtk.pm:327 diskdrake/interactive.pm:1165
+#, c-format
+msgid "Empty"
+msgstr ""
+
+#: diskdrake/hd_gtk.pm:331
+#, fuzzy, c-format
+msgid "Filesystem types:"
+msgstr "Файлын систем:"
+
+#: diskdrake/hd_gtk.pm:348 diskdrake/hd_gtk.pm:350 diskdrake/hd_gtk.pm:353
+#, c-format
+msgid "Use ``%s'' instead"
+msgstr "Дараахын оронд ``%s'' үүнийг хэрэглэ:"
+
+#: diskdrake/hd_gtk.pm:348 diskdrake/hd_gtk.pm:353
+#: diskdrake/interactive.pm:409 diskdrake/interactive.pm:569
+#: diskdrake/removable.pm:26 diskdrake/removable.pm:49
+#: standalone/harddrake2:67
+#, c-format
+msgid "Type"
+msgstr "Төрөл"
+
+#: diskdrake/hd_gtk.pm:348 diskdrake/interactive.pm:431
+#, c-format
+msgid "Create"
+msgstr ""
+
+#: diskdrake/hd_gtk.pm:350 diskdrake/interactive.pm:418
+#: standalone/drakperm:124 standalone/printerdrake:231
+#, fuzzy, c-format
+msgid "Delete"
+msgstr "Устгах"
+
+#: diskdrake/hd_gtk.pm:353
+#, fuzzy, c-format
+msgid "Use ``Unmount'' first"
+msgstr "Дискийн төхөөрөмж салгах"
+
+#: diskdrake/interactive.pm:179
+#, c-format
+msgid "Choose another partition"
+msgstr "Ондоо хуваалт сонго"
+
+#: diskdrake/interactive.pm:179
+#, fuzzy, c-format
+msgid "Choose a partition"
+msgstr "Сонгох"
+
+#: diskdrake/interactive.pm:208
+#, fuzzy, c-format
+msgid "Exit"
+msgstr "Гарах"
+
+#: diskdrake/interactive.pm:241 help.pm:544
+#, c-format
+msgid "Undo"
+msgstr "Буцаж үйлдэх"
+
+#: diskdrake/interactive.pm:241
+#, c-format
+msgid "Toggle to normal mode"
+msgstr ""
+
+#: diskdrake/interactive.pm:241
+#, c-format
+msgid "Toggle to expert mode"
+msgstr "Мэргэжилтний горимд шилжүүлэх"
+
+#: diskdrake/interactive.pm:260
+#, c-format
+msgid "Continue anyway?"
+msgstr "Ямар ч байсан үргэлжлүүлэх үү?"
+
+#: diskdrake/interactive.pm:265
+#, c-format
+msgid "Quit without saving"
+msgstr "Хадгалахгүйгээр гарах"
+
+#: diskdrake/interactive.pm:265
+#, fuzzy, c-format
+msgid "Quit without writing the partition table?"
+msgstr "Гарах хүснэгт?"
+
+#: diskdrake/interactive.pm:270
+#, fuzzy, c-format
+msgid "Do you want to save /etc/fstab modifications"
+msgstr "вы"
+
+#: diskdrake/interactive.pm:277 install_steps_interactive.pm:301
+#, fuzzy, c-format
+msgid "You need to reboot for the partition table modifications to take place"
+msgstr "Та хүснэгт"
+
+#: diskdrake/interactive.pm:290 help.pm:544
+#, fuzzy, c-format
+msgid "Clear all"
+msgstr "Устгах"
+
+#: diskdrake/interactive.pm:291 help.pm:544
+#, fuzzy, c-format
+msgid "Auto allocate"
+msgstr "Авто"
+
+#: diskdrake/interactive.pm:297
+#, c-format
+msgid "Hard drive information"
+msgstr "Хатуу диск хөтлөгчийн мэдээлэл"
+
+#: diskdrake/interactive.pm:329
+#, fuzzy, c-format
+msgid "All primary partitions are used"
+msgstr "Бүх"
+
+#: diskdrake/interactive.pm:330
+#, c-format
+msgid "I can't add any more partition"
+msgstr "Би өшөө илүү хуваалт нэмж чадахгүйI"
+
+#: diskdrake/interactive.pm:331
+#, fuzzy, c-format
+msgid ""
+"To have more partitions, please delete one to be able to create an extended "
+"partition"
+msgstr "тийш"
+
+#: diskdrake/interactive.pm:342 help.pm:544
+#, c-format
+msgid "Save partition table"
+msgstr "Хуваалтын хүснэгтийг хадгалах"
+
+#: diskdrake/interactive.pm:343 help.pm:544
+#, c-format
+msgid "Restore partition table"
+msgstr "Хуваалтын хүснэгтийг сэргээх"
+
+#: diskdrake/interactive.pm:344 help.pm:544
+#, c-format
+msgid "Rescue partition table"
+msgstr ""
+
+#: diskdrake/interactive.pm:346 help.pm:544
+#, fuzzy, c-format
+msgid "Reload partition table"
+msgstr "Дахин ачаалах"
+
+#: diskdrake/interactive.pm:348
+#, c-format
+msgid "Removable media automounting"
+msgstr ""
+
+#: diskdrake/interactive.pm:357 diskdrake/interactive.pm:377
+#, c-format
+msgid "Select file"
+msgstr "Файл сонгох"
+
+#: diskdrake/interactive.pm:364
+#, c-format
+msgid ""
+"The backup partition table has not the same size\n"
+"Still continue?"
+msgstr ""
+"Нөөц хуваалтын хүснэгтийн хэмжээ ижилхэн биш байна\n"
+"Тэгээд үргэлжлүүлэх үү?"
+
+#: diskdrake/interactive.pm:378 harddrake/sound.pm:222 keyboard.pm:311
+#: network/netconnect.pm:353 printer/printerdrake.pm:2159
+#: printer/printerdrake.pm:3246 printer/printerdrake.pm:3365
+#: printer/printerdrake.pm:4338 standalone/drakTermServ:1040
+#: standalone/drakTermServ:1715 standalone/drakbackup:765
+#: standalone/drakbackup:865 standalone/drakboot:137 standalone/drakclock:200
+#: standalone/drakconnect:856 standalone/drakfloppy:295
+#, c-format
+msgid "Warning"
+msgstr "Анхааруулга"
+
+#: diskdrake/interactive.pm:379
+#, c-format
+msgid ""
+"Insert a floppy in drive\n"
+"All data on this floppy will be lost"
+msgstr ""
+"Хөтлөгчид уян диск оруулна уу\n"
+"Уян диск дээрх бүх өгөгдөл устгагдах болно"
+
+#: diskdrake/interactive.pm:390
+#, c-format
+msgid "Trying to rescue partition table"
+msgstr "Хуваалтын хүснэгтийг аврахаар оролдох"
+
+#: diskdrake/interactive.pm:396
+#, c-format
+msgid "Detailed information"
+msgstr ""
+
+#: diskdrake/interactive.pm:411 diskdrake/interactive.pm:706
+#, c-format
+msgid "Resize"
+msgstr ""
+
+#: diskdrake/interactive.pm:412 diskdrake/interactive.pm:774
+#, fuzzy, c-format
+msgid "Move"
+msgstr "Зөөх"
+
+#: diskdrake/interactive.pm:413
+#, fuzzy, c-format
+msgid "Format"
+msgstr "Формат"
+
+#: diskdrake/interactive.pm:415
+#, c-format
+msgid "Add to RAID"
+msgstr "RAID руу нэмэх"
+
+#: diskdrake/interactive.pm:416
+#, fuzzy, c-format
+msgid "Add to LVM"
+msgstr "Нэмэх"
+
+#: diskdrake/interactive.pm:419
+#, fuzzy, c-format
+msgid "Remove from RAID"
+msgstr "Устгах"
+
+#: diskdrake/interactive.pm:420
+#, c-format
+msgid "Remove from LVM"
+msgstr "LVM-с устгах"
+
+#: diskdrake/interactive.pm:421
+#, fuzzy, c-format
+msgid "Modify RAID"
+msgstr "Өөрчлөх"
+
+#: diskdrake/interactive.pm:422
+#, c-format
+msgid "Use for loopback"
+msgstr ""
+
+#: diskdrake/interactive.pm:462
+#, fuzzy, c-format
+msgid "Create a new partition"
+msgstr "шинэ"
+
+#: diskdrake/interactive.pm:465
+#, c-format
+msgid "Start sector: "
+msgstr "Эхлэх сектор: "
+
+#: diskdrake/interactive.pm:467 diskdrake/interactive.pm:876
+#, c-format
+msgid "Size in MB: "
+msgstr "Хэмжээ МБ-р: "
+
+#: diskdrake/interactive.pm:468 diskdrake/interactive.pm:877
+#, fuzzy, c-format
+msgid "Filesystem type: "
+msgstr "Файлын систем төрөл "
+
+#: diskdrake/interactive.pm:473
+#, c-format
+msgid "Preference: "
+msgstr ""
+
+#: diskdrake/interactive.pm:476
+#, fuzzy, c-format
+msgid "Logical volume name "
+msgstr "Локал хэмжээс"
+
+#: diskdrake/interactive.pm:505
+#, fuzzy, c-format
+msgid ""
+"You can't create a new partition\n"
+"(since you reached the maximal number of primary partitions).\n"
+"First remove a primary partition and create an extended partition."
+msgstr "Та шинэ г вы аас."
+
+#: diskdrake/interactive.pm:535
+#, fuzzy, c-format
+msgid "Remove the loopback file?"
+msgstr "Устгах?"
+
+#: diskdrake/interactive.pm:554
+#, fuzzy, c-format
+msgid ""
+"After changing type of partition %s, all data on this partition will be lost"
+msgstr "төрөл аас с"
+
+#: diskdrake/interactive.pm:565
+#, c-format
+msgid "Change partition type"
+msgstr "Хуваалтын төрлийг өөрчлөх"
+
+#: diskdrake/interactive.pm:566 diskdrake/removable.pm:48
+#, fuzzy, c-format
+msgid "Which filesystem do you want?"
+msgstr "вы?"
+
+#: diskdrake/interactive.pm:574
+#, c-format
+msgid "Switching from ext2 to ext3"
+msgstr ""
+
+#: diskdrake/interactive.pm:603
+#, fuzzy, c-format
+msgid "Where do you want to mount the loopback file %s?"
+msgstr "Хаана вы с?"
+
+#: diskdrake/interactive.pm:604
+#, fuzzy, c-format
+msgid "Where do you want to mount device %s?"
+msgstr "Хаана вы с?"
+
+#: diskdrake/interactive.pm:609
+#, fuzzy, c-format
+msgid ""
+"Can't unset mount point as this partition is used for loop back.\n"
+"Remove the loopback first"
+msgstr "Цэг бол"
+
+#: diskdrake/interactive.pm:634
+#, fuzzy, c-format
+msgid "Where do you want to mount %s?"
+msgstr "Хаана вы с?"
+
+#: diskdrake/interactive.pm:658 diskdrake/interactive.pm:738
+#: install_interactive.pm:156 install_interactive.pm:186
+#, c-format
+msgid "Resizing"
+msgstr "Хэмжээгөөрчилж байна"
+
+#: diskdrake/interactive.pm:658
+#, c-format
+msgid "Computing FAT filesystem bounds"
+msgstr ""
+
+#: diskdrake/interactive.pm:694
+#, c-format
+msgid "This partition is not resizeable"
+msgstr "Энэ хуваалтын хэмжээг өөрчилж болохгүй"
+
+#: diskdrake/interactive.pm:699
+#, fuzzy, c-format
+msgid "All data on this partition should be backed-up"
+msgstr "Бүх"
+
+#: diskdrake/interactive.pm:701
+#, fuzzy, c-format
+msgid "After resizing partition %s, all data on this partition will be lost"
+msgstr "с"
+
+#: diskdrake/interactive.pm:706
+#, fuzzy, c-format
+msgid "Choose the new size"
+msgstr "шинэ"
+
+#: diskdrake/interactive.pm:707
+#, c-format
+msgid "New size in MB: "
+msgstr "Шинэ хэмжээ МБ-р."
+
+#: diskdrake/interactive.pm:751 install_interactive.pm:194
+#, fuzzy, c-format
+msgid ""
+"To ensure data integrity after resizing the partition(s), \n"
+"filesystem checks will be run on your next boot into Windows(TM)"
+msgstr "тийш с Цонхнууд"
+
+#: diskdrake/interactive.pm:775
+#, fuzzy, c-format
+msgid "Which disk do you want to move it to?"
+msgstr "вы?"
+
+#: diskdrake/interactive.pm:776
+#, c-format
+msgid "Sector"
+msgstr ""
+
+#: diskdrake/interactive.pm:777
+#, fuzzy, c-format
+msgid "Which sector do you want to move it to?"
+msgstr "вы?"
+
+#: diskdrake/interactive.pm:780
+#, c-format
+msgid "Moving"
+msgstr "Зөөлт"
+
+#: diskdrake/interactive.pm:780
+#, fuzzy, c-format
+msgid "Moving partition..."
+msgstr "Зөөлт."
+
+#: diskdrake/interactive.pm:802
+#, c-format
+msgid "Choose an existing RAID to add to"
+msgstr "Тийш нэмэхийн тулд одоо байгаа RAID-ийг сонгоно уу"
+
+#: diskdrake/interactive.pm:803 diskdrake/interactive.pm:820
+#, c-format
+msgid "new"
+msgstr "шинэ"
+
+#: diskdrake/interactive.pm:818
+#, fuzzy, c-format
+msgid "Choose an existing LVM to add to"
+msgstr "Сонгох"
+
+#: diskdrake/interactive.pm:824
+#, fuzzy, c-format
+msgid "LVM name?"
+msgstr "нэр?"
+
+#: diskdrake/interactive.pm:861
+#, c-format
+msgid "This partition can't be used for loopback"
+msgstr ""
+
+#: diskdrake/interactive.pm:874
+#, c-format
+msgid "Loopback"
+msgstr "Давталт"
+
+#: diskdrake/interactive.pm:875
+#, fuzzy, c-format
+msgid "Loopback file name: "
+msgstr "нэр "
+
+#: diskdrake/interactive.pm:880
+#, c-format
+msgid "Give a file name"
+msgstr ""
+
+#: diskdrake/interactive.pm:883
+#, fuzzy, c-format
+msgid "File is already used by another loopback, choose another one"
+msgstr "Файл бол"
+
+#: diskdrake/interactive.pm:884
+#, fuzzy, c-format
+msgid "File already exists. Use it?"
+msgstr "Файл?"
+
+#: diskdrake/interactive.pm:907
+#, fuzzy, c-format
+msgid "Mount options"
+msgstr "Дискийн төхөөрөмж холбох"
+
+#: diskdrake/interactive.pm:914
+#, c-format
+msgid "Various"
+msgstr ""
+
+#: diskdrake/interactive.pm:978
+#, c-format
+msgid "device"
+msgstr ""
+
+#: diskdrake/interactive.pm:979
+#, c-format
+msgid "level"
+msgstr ""
+
+#: diskdrake/interactive.pm:980
+#, c-format
+msgid "chunk size"
+msgstr ""
+
+#: diskdrake/interactive.pm:996
+#, fuzzy, c-format
+msgid "Be careful: this operation is dangerous."
+msgstr "бол."
+
+#: diskdrake/interactive.pm:1011
+#, c-format
+msgid "What type of partitioning?"
+msgstr "Ямар төрлийн хуваалт бэ?"
+
+#: diskdrake/interactive.pm:1027
+#, fuzzy, c-format
+msgid "The package %s is needed. Install it?"
+msgstr "с бол?"
+
+#: diskdrake/interactive.pm:1056
+#, fuzzy, c-format
+msgid "You'll need to reboot before the modification can take place"
+msgstr "Та"
+
+#: diskdrake/interactive.pm:1065
+#, c-format
+msgid "Partition table of drive %s is going to be written to disk!"
+msgstr "%s хөтлөгчийн хуваалтын хүснэгт нь одоо диск рүү бичигдэх болно!"
+
+#: diskdrake/interactive.pm:1078
+#, fuzzy, c-format
+msgid "After formatting partition %s, all data on this partition will be lost"
+msgstr "с"
+
+#: diskdrake/interactive.pm:1095
+#, fuzzy, c-format
+msgid "Move files to the new partition"
+msgstr "Зөөх шинэ"
+
+#: diskdrake/interactive.pm:1095
+#, c-format
+msgid "Hide files"
+msgstr "Файлуудыг далдлах"
+
+#: diskdrake/interactive.pm:1096
+#, fuzzy, c-format
+msgid ""
+"Directory %s already contains data\n"
+"(%s)"
+msgstr "Лавлах с агуулсан г с"
+
+#: diskdrake/interactive.pm:1107
+#, fuzzy, c-format
+msgid "Moving files to the new partition"
+msgstr "Зөөлт шинэ"
+
+#: diskdrake/interactive.pm:1111
+#, c-format
+msgid "Copying %s"
+msgstr "%s-г хуулж байна"
+
+#: diskdrake/interactive.pm:1115
+#, c-format
+msgid "Removing %s"
+msgstr "%s-г устгаж байна"
+
+#: diskdrake/interactive.pm:1129
+#, c-format
+msgid "partition %s is now known as %s"
+msgstr "хуваалт %s нь одоо %s болсон"
+
+#: diskdrake/interactive.pm:1150 diskdrake/interactive.pm:1210
+#, c-format
+msgid "Device: "
+msgstr "Төхөөрөмж: "
+
+#: diskdrake/interactive.pm:1151
+#, fuzzy, c-format
+msgid "DOS drive letter: %s (just a guess)\n"
+msgstr "с"
+
+#: diskdrake/interactive.pm:1155 diskdrake/interactive.pm:1163
+#: diskdrake/interactive.pm:1229
+#, c-format
+msgid "Type: "
+msgstr "Төрөл: "
+
+#: diskdrake/interactive.pm:1159 install_steps_gtk.pm:339
+#, c-format
+msgid "Name: "
+msgstr "Нэр: "
+
+#: diskdrake/interactive.pm:1167
+#, fuzzy, c-format
+msgid "Start: sector %s\n"
+msgstr "Эхлэх с"
+
+#: diskdrake/interactive.pm:1168
+#, c-format
+msgid "Size: %s"
+msgstr "Хэмжээ: %s"
+
+#: diskdrake/interactive.pm:1170
+#, fuzzy, c-format
+msgid ", %s sectors"
+msgstr "с"
+
+#: diskdrake/interactive.pm:1172
+#, c-format
+msgid "Cylinder %d to %d\n"
+msgstr ""
+
+#: diskdrake/interactive.pm:1173
+#, c-format
+msgid "Number of logical extents: %d"
+msgstr ""
+
+#: diskdrake/interactive.pm:1174
+#, c-format
+msgid "Formatted\n"
+msgstr ""
+
+#: diskdrake/interactive.pm:1175
+#, c-format
+msgid "Not formatted\n"
+msgstr ""
+
+#: diskdrake/interactive.pm:1176
+#, c-format
+msgid "Mounted\n"
+msgstr ""
+
+#: diskdrake/interactive.pm:1177
+#, fuzzy, c-format
+msgid "RAID md%s\n"
+msgstr "с"
+
+#: diskdrake/interactive.pm:1179
+#, c-format
+msgid ""
+"Loopback file(s):\n"
+" %s\n"
+msgstr ""
+
+#: diskdrake/interactive.pm:1180
+#, c-format
+msgid ""
+"Partition booted by default\n"
+" (for MS-DOS boot, not for lilo)\n"
+msgstr ""
+
+#: diskdrake/interactive.pm:1182
+#, c-format
+msgid "Level %s\n"
+msgstr "Түвшин %s\n"
+
+#: diskdrake/interactive.pm:1183
+#, fuzzy, c-format
+msgid "Chunk size %s\n"
+msgstr "хэмжээ с"
+
+#: diskdrake/interactive.pm:1184
+#, fuzzy, c-format
+msgid "RAID-disks %s\n"
+msgstr "с"
+
+#: diskdrake/interactive.pm:1186
+#, fuzzy, c-format
+msgid "Loopback file name: %s"
+msgstr "нэр"
+
+#: diskdrake/interactive.pm:1189
+#, fuzzy, c-format
+msgid ""
+"\n"
+"Chances are, this partition is\n"
+"a Driver partition. You should\n"
+"probably leave it alone.\n"
+msgstr "бол Драйвер Та"
+
+#: diskdrake/interactive.pm:1192
+#, fuzzy, c-format
+msgid ""
+"\n"
+"This special Bootstrap\n"
+"partition is for\n"
+"dual-booting your system.\n"
+msgstr "бол"
+
+#: diskdrake/interactive.pm:1211
+#, fuzzy, c-format
+msgid "Read-only"
+msgstr "Зөвхөн-уншигдах"
+
+#: diskdrake/interactive.pm:1212
+#, fuzzy, c-format
+msgid "Size: %s\n"
+msgstr "Хэмжээ с"
+
+#: diskdrake/interactive.pm:1213
+#, fuzzy, c-format
+msgid "Geometry: %s cylinders, %s heads, %s sectors\n"
+msgstr "с с с"
+
+#: diskdrake/interactive.pm:1214
+#, fuzzy, c-format
+msgid "Info: "
+msgstr "Upplýsingar "
+
+#: diskdrake/interactive.pm:1215
+#, fuzzy, c-format
+msgid "LVM-disks %s\n"
+msgstr "с"
+
+#: diskdrake/interactive.pm:1216
+#, c-format
+msgid "Partition table type: %s\n"
+msgstr "Хуваалтын хүснэгтийн төрөл: %s\n"
+
+#: diskdrake/interactive.pm:1217
+#, fuzzy, c-format
+msgid "on channel %d id %d\n"
+msgstr "Нээх"
+
+#: diskdrake/interactive.pm:1250
+#, fuzzy, c-format
+msgid "Filesystem encryption key"
+msgstr "Файлын систем"
+
+#: diskdrake/interactive.pm:1251
+#, fuzzy, c-format
+msgid "Choose your filesystem encryption key"
+msgstr "Сонгох"
+
+#: diskdrake/interactive.pm:1254
+#, fuzzy, c-format
+msgid "This encryption key is too simple (must be at least %d characters long)"
+msgstr "бол"
+
+#: diskdrake/interactive.pm:1255
+#, c-format
+msgid "The encryption keys do not match"
+msgstr ""
+
+#: diskdrake/interactive.pm:1258 network/netconnect.pm:889
+#: standalone/drakconnect:370
+#, c-format
+msgid "Encryption key"
+msgstr ""
+
+#: diskdrake/interactive.pm:1259
+#, c-format
+msgid "Encryption key (again)"
+msgstr ""
+
+#: diskdrake/removable.pm:47
+#, fuzzy, c-format
+msgid "Change type"
+msgstr "Өөрчилөх"
+
+#: diskdrake/smbnfs_gtk.pm:163
+#, fuzzy, c-format
+msgid "Can't login using username %s (bad password?)"
+msgstr "с"
+
+#: diskdrake/smbnfs_gtk.pm:167 diskdrake/smbnfs_gtk.pm:176
+#, fuzzy, c-format
+msgid "Domain Authentication Required"
+msgstr "Домэйн Баталгаажуулалт"
+
+#: diskdrake/smbnfs_gtk.pm:168
+#, c-format
+msgid "Which username"
+msgstr "Ямар хэрэглэгчийн нэр"
+
+#: diskdrake/smbnfs_gtk.pm:168
+#, c-format
+msgid "Another one"
+msgstr ""
+
+#: diskdrake/smbnfs_gtk.pm:177
+#, fuzzy, c-format
+msgid ""
+"Please enter your username, password and domain name to access this host."
+msgstr "нэр."
+
+#: diskdrake/smbnfs_gtk.pm:179 standalone/drakbackup:3874
+#, c-format
+msgid "Username"
+msgstr "Хэрэглэгчийн нэр"
+
+#: diskdrake/smbnfs_gtk.pm:181
+#, fuzzy, c-format
+msgid "Domain"
+msgstr "Домэйн"
+
+#: diskdrake/smbnfs_gtk.pm:205
+#, c-format
+msgid "Search servers"
+msgstr "Серверүүд хайх"
+
+#: diskdrake/smbnfs_gtk.pm:210
+#, fuzzy, c-format
+msgid "Search new servers"
+msgstr "Серверүүд хайх"
+
+#: do_pkgs.pm:21
+#, c-format
+msgid "The package %s needs to be installed. Do you want to install it?"
+msgstr "%s багц суулгагдах шаардлагатай. Үүнийг суулгахыг хүсэж байна уу?"
+
+#: do_pkgs.pm:26
+#, fuzzy, c-format
+msgid "Mandatory package %s is missing"
+msgstr "с бол"
+
+#: do_pkgs.pm:136
+#, c-format
+msgid "Installing packages..."
+msgstr ""
+
+#: do_pkgs.pm:210
+#, fuzzy, c-format
+msgid "Removing packages..."
+msgstr "с."
+
+#: fs.pm:399
+#, c-format
+msgid ""
+"Do not update inode access times on this file system\n"
+"(e.g, for faster access on the news spool to speed up news servers)."
+msgstr ""
+
+#: fs.pm:402
+#, c-format
+msgid ""
+"Can only be mounted explicitly (i.e.,\n"
+"the -a option will not cause the file system to be mounted)."
+msgstr ""
+
+#: fs.pm:405
+#, c-format
+msgid "Do not interpret character or block special devices on the file system."
+msgstr ""
+
+#: fs.pm:407
+#, c-format
+msgid ""
+"Do not allow execution of any binaries on the mounted\n"
+"file system. This option might be useful for a server that has file systems\n"
+"containing binaries for architectures other than its own."
+msgstr ""
+
+#: fs.pm:411
+#, c-format
+msgid ""
+"Do not allow set-user-identifier or set-group-identifier\n"
+"bits to take effect. (This seems safe, but is in fact rather unsafe if you\n"
+"have suidperl(1) installed.)"
+msgstr ""
+
+#: fs.pm:415
+#, c-format
+msgid "Mount the file system read-only."
+msgstr ""
+
+#: fs.pm:417
+#, c-format
+msgid "All I/O to the file system should be done synchronously."
+msgstr ""
+
+#: fs.pm:421
+#, c-format
+msgid ""
+"Allow an ordinary user to mount the file system. The\n"
+"name of the mounting user is written to mtab so that he can unmount the "
+"file\n"
+"system again. This option implies the options noexec, nosuid, and nodev\n"
+"(unless overridden by subsequent options, as in the option line\n"
+"user,exec,dev,suid )."
+msgstr ""
+
+#: fs.pm:429
+#, c-format
+msgid "Give write access to ordinary users"
+msgstr ""
+
+#: fs.pm:565 fs.pm:575 fs.pm:579 fs.pm:583 fs.pm:587 fs.pm:591 swap.pm:12
+#, fuzzy, c-format
+msgid "%s formatting of %s failed"
+msgstr "с аас с"
+
+#: fs.pm:628
+#, c-format
+msgid "I don't know how to format %s in type %s"
+msgstr "%s-г %s төрөлд хэрхэн форматлахыг би мэдэхгүй байна."
+
+#: fs.pm:635 fs.pm:642
+#, c-format
+msgid "Formatting partition %s"
+msgstr ""
+
+#: fs.pm:639
+#, fuzzy, c-format
+msgid "Creating and formatting file %s"
+msgstr "Үүсгэж байна"
+
+#: fs.pm:705 fs.pm:758
+#, c-format
+msgid "Mounting partition %s"
+msgstr "Хуваалтыг холбож байна %s"
+
+#: fs.pm:706 fs.pm:759
+#, fuzzy, c-format
+msgid "mounting partition %s in directory %s failed"
+msgstr "с ямх с"
+
+#: fs.pm:726 fs.pm:734
+#, c-format
+msgid "Checking %s"
+msgstr "%s-ийг шалгаж байна"
+
+#: fs.pm:775 partition_table.pm:636
+#, fuzzy, c-format
+msgid "error unmounting %s: %s"
+msgstr "с"
+
+#: fs.pm:807
+#, c-format
+msgid "Enabling swap partition %s"
+msgstr ""
+
+#: fsedit.pm:21
+#, c-format
+msgid "simple"
+msgstr ""
+
+#: fsedit.pm:25
+#, c-format
+msgid "with /usr"
+msgstr ""
+
+#: fsedit.pm:30
+#, c-format
+msgid "server"
+msgstr ""
+
+#: fsedit.pm:254
+#, c-format
+msgid ""
+"I can't read the partition table of device %s, it's too corrupted for me :(\n"
+"I can try to go on, erasing over bad partitions (ALL DATA will be lost!).\n"
+"The other solution is to not allow DrakX to modify the partition table.\n"
+"(the error is %s)\n"
+"\n"
+"Do you agree to lose all the partitions?\n"
+msgstr ""
+
+#: fsedit.pm:514
+#, fuzzy, c-format
+msgid "You can't use JFS for partitions smaller than 16MB"
+msgstr "Та"
+
+#: fsedit.pm:515
+#, fuzzy, c-format
+msgid "You can't use ReiserFS for partitions smaller than 32MB"
+msgstr "Та"
+
+#: fsedit.pm:534
+#, fuzzy, c-format
+msgid "Mount points must begin with a leading /"
+msgstr "Дискийн төхөөрөмж холбох Цэг"
+
+#: fsedit.pm:535
+#, fuzzy, c-format
+msgid "Mount points should contain only alphanumerical characters"
+msgstr "Дискийн төхөөрөмж холбох Цэг"
+
+#: fsedit.pm:536
+#, c-format
+msgid "There is already a partition with mount point %s\n"
+msgstr "Энд холболтын цэгтэй хуваалт хэдийн байна %s\n"
+
+#: fsedit.pm:538
+#, fuzzy, c-format
+msgid ""
+"You've selected a software RAID partition as root (/).\n"
+"No bootloader is able to handle this without a /boot partition.\n"
+"Please be sure to add a /boot partition"
+msgstr "Та бол"
+
+#: fsedit.pm:541
+#, fuzzy, c-format
+msgid "You can't use a LVM Logical Volume for mount point %s"
+msgstr "Та Чанга Цэг"
+
+#: fsedit.pm:543
+#, c-format
+msgid ""
+"You may not be able to install lilo (since lilo doesn't handle a LV on "
+"multiple PVs)"
+msgstr ""
+
+#: fsedit.pm:546 fsedit.pm:548
+#, c-format
+msgid "This directory should remain within the root filesystem"
+msgstr ""
+
+#: fsedit.pm:550
+#, fuzzy, c-format
+msgid ""
+"You need a true filesystem (ext2/ext3, reiserfs, xfs, or jfs) for this mount "
+"point\n"
+msgstr "Та Цэг"
+
+#: fsedit.pm:552
+#, fuzzy, c-format
+msgid "You can't use an encrypted file system for mount point %s"
+msgstr "Та Цэг"
+
+#: fsedit.pm:613
+#, c-format
+msgid "Not enough free space for auto-allocating"
+msgstr ""
+
+#: fsedit.pm:615
+#, fuzzy, c-format
+msgid "Nothing to do"
+msgstr "Юу ч үгүй"
+
+#: fsedit.pm:711
+#, fuzzy, c-format
+msgid "Error opening %s for writing: %s"
+msgstr "Алдаа с"
+
+#: harddrake/data.pm:53
+#, fuzzy, c-format
+msgid "Floppy"
+msgstr "Уян диск"
+
+#: harddrake/data.pm:54
+#, c-format
+msgid "Zip"
+msgstr ""
+
+#: harddrake/data.pm:55
+#, c-format
+msgid "Disk"
+msgstr "Диск"
+
+#: harddrake/data.pm:56
+#, c-format
+msgid "CDROM"
+msgstr "CDROM"
+
+#: harddrake/data.pm:57
+#, fuzzy, c-format
+msgid "CD/DVD burners"
+msgstr "CD"
+
+#: harddrake/data.pm:58
+#, c-format
+msgid "DVD-ROM"
+msgstr ""
+
+#: harddrake/data.pm:59 standalone/drakbackup:2409
+#, c-format
+msgid "Tape"
+msgstr "Хальс"
+
+#: harddrake/data.pm:60
+#, c-format
+msgid "Videocard"
+msgstr ""
+
+#: harddrake/data.pm:61
+#, c-format
+msgid "Tvcard"
+msgstr "Тв карт"
+
+#: harddrake/data.pm:62
+#, fuzzy, c-format
+msgid "Other MultiMedia devices"
+msgstr "Бусад"
+
+#: harddrake/data.pm:63
+#, c-format
+msgid "Soundcard"
+msgstr "Дууны карт"
+
+#: harddrake/data.pm:64
+#, c-format
+msgid "Webcam"
+msgstr "Вэб дуран"
+
+#: harddrake/data.pm:68
+#, c-format
+msgid "Processors"
+msgstr "Процессорууд"
+
+#: harddrake/data.pm:69
+#, fuzzy, c-format
+msgid "ISDN adapters"
+msgstr "ИСДН(ISDN)"
+
+#: harddrake/data.pm:71
+#, c-format
+msgid "Ethernetcard"
+msgstr "Сүлжээний карт"
+
+#: harddrake/data.pm:79 network/netconnect.pm:366 standalone/drakconnect:277
+#: standalone/drakconnect:447 standalone/drakconnect:448
+#: standalone/drakconnect:540
+#, c-format
+msgid "Modem"
+msgstr "Модем"
+
+#: harddrake/data.pm:80
+#, c-format
+msgid "ADSL adapters"
+msgstr ""
+
+#: harddrake/data.pm:82
+#, c-format
+msgid "Bridges and system controllers"
+msgstr ""
+
+#: harddrake/data.pm:83 help.pm:203 help.pm:991
+#: install_steps_interactive.pm:935 printer/printerdrake.pm:680
+#: printer/printerdrake.pm:3970
+#, c-format
+msgid "Printer"
+msgstr "Хэвлэгч"
+
+#: harddrake/data.pm:85 help.pm:991 install_steps_interactive.pm:928
+#, c-format
+msgid "Mouse"
+msgstr "Хулгана"
+
+#: harddrake/data.pm:90
+#, c-format
+msgid "Joystick"
+msgstr ""
+
+#: harddrake/data.pm:92
+#, fuzzy, c-format
+msgid "(E)IDE/ATA controllers"
+msgstr "E"
+
+#: harddrake/data.pm:93
+#, c-format
+msgid "Firewire controllers"
+msgstr "Галтханын хяналтууд"
+
+#: harddrake/data.pm:94
+#, c-format
+msgid "SCSI controllers"
+msgstr ""
+
+#: harddrake/data.pm:95
+#, c-format
+msgid "USB controllers"
+msgstr "USB хянагчууд"
+
+#: harddrake/data.pm:96
+#, c-format
+msgid "SMBus controllers"
+msgstr ""
+
+#: harddrake/data.pm:97
+#, c-format
+msgid "Scanner"
+msgstr ""
+
+#: harddrake/data.pm:99 standalone/harddrake2:315
+#, fuzzy, c-format
+msgid "Unknown/Others"
+msgstr "Тодорхойгүй"
+
+#: harddrake/data.pm:113
+#, c-format
+msgid "cpu # "
+msgstr ""
+
+#: harddrake/sound.pm:150 standalone/drakconnect:166
+#, fuzzy, c-format
+msgid "Please Wait... Applying the configuration"
+msgstr "Хүлээх"
+
+#: harddrake/sound.pm:182
+#, fuzzy, c-format
+msgid "No alternative driver"
+msgstr "Үгүй"
+
+#: harddrake/sound.pm:183
+#, fuzzy, c-format
+msgid ""
+"There's no known OSS/ALSA alternative driver for your sound card (%s) which "
+"currently uses \"%s\""
+msgstr "с үгүй с с"
+
+#: harddrake/sound.pm:189
+#, fuzzy, c-format
+msgid "Sound configuration"
+msgstr "Дуу"
+
+#: harddrake/sound.pm:191
+#, fuzzy, c-format
+msgid ""
+"Here you can select an alternative driver (either OSS or ALSA) for your "
+"sound card (%s)."
+msgstr "вы с."
+
+#: harddrake/sound.pm:193
+#, c-format
+msgid ""
+"\n"
+"\n"
+"Your card currently use the %s\"%s\" driver (default driver for your card is "
+"\"%s\")"
+msgstr ""
+
+#: harddrake/sound.pm:195
+#, c-format
+msgid ""
+"OSS (Open Sound System) was the first sound API. It's an OS independent "
+"sound API (it's available on most UNIX(tm) systems) but it's a very basic "
+"and limited API.\n"
+"What's more, OSS drivers all reinvent the wheel.\n"
+"\n"
+"ALSA (Advanced Linux Sound Architecture) is a modularized architecture "
+"which\n"
+"supports quite a large range of ISA, USB and PCI cards.\n"
+"\n"
+"It also provides a much higher API than OSS.\n"
+"\n"
+"To use alsa, one can either use:\n"
+"- the old compatibility OSS api\n"
+"- the new ALSA api that provides many enhanced features but requires using "
+"the ALSA library.\n"
+msgstr ""
+
+#: harddrake/sound.pm:209 harddrake/sound.pm:289
+#, fuzzy, c-format
+msgid "Driver:"
+msgstr "Драйвер:"
+
+#: harddrake/sound.pm:214
+#, c-format
+msgid "Trouble shooting"
+msgstr "Асуудал гарч байна"
+
+#: harddrake/sound.pm:222
+#, fuzzy, c-format
+msgid ""
+"The old \"%s\" driver is blacklisted.\n"
+"\n"
+"It has been reported to oops the kernel on unloading.\n"
+"\n"
+"The new \"%s\" driver'll only be used on next bootstrap."
+msgstr "с бол г г шинэ с."
+
+#: harddrake/sound.pm:230
+#, c-format
+msgid "No open source driver"
+msgstr "Нэллтэй эх код бүхий драйвер алга"
+
+#: harddrake/sound.pm:231
+#, fuzzy, c-format
+msgid ""
+"There's no free driver for your sound card (%s), but there's a proprietary "
+"driver at \"%s\"."
+msgstr "с үгүй с с с."
+
+#: harddrake/sound.pm:234
+#, fuzzy, c-format
+msgid "No known driver"
+msgstr "Үгүй"
+
+#: harddrake/sound.pm:235
+#, fuzzy, c-format
+msgid "There's no known driver for your sound card (%s)"
+msgstr "с үгүй с"
+
+#: harddrake/sound.pm:239
+#, fuzzy, c-format
+msgid "Unknown driver"
+msgstr "Үгүй"
+
+#: harddrake/sound.pm:240
+#, c-format
+msgid "Error: The \"%s\" driver for your sound card is unlisted"
+msgstr "Алдаа: Таны дууны картны \"%s\" драйвер жагсаалтанд байхгүй байна"
+
+#: harddrake/sound.pm:253
+#, fuzzy, c-format
+msgid "Sound trouble shooting"
+msgstr "Дуу"
+
+#: harddrake/sound.pm:254
+#, c-format
+msgid ""
+"The classic bug sound tester is to run the following commands:\n"
+"\n"
+"\n"
+"- \"lspcidrake -v | fgrep AUDIO\" will tell you which driver your card uses\n"
+"by default\n"
+"\n"
+"- \"grep sound-slot /etc/modules.conf\" will tell you what driver it\n"
+"currently uses\n"
+"\n"
+"- \"/sbin/lsmod\" will enable you to check if its module (driver) is\n"
+"loaded or not\n"
+"\n"
+"- \"/sbin/chkconfig --list sound\" and \"/sbin/chkconfig --list alsa\" will\n"
+"tell you if sound and alsa services're configured to be run on\n"
+"initlevel 3\n"
+"\n"
+"- \"aumix -q\" will tell you if the sound volume is muted or not\n"
+"\n"
+"- \"/sbin/fuser -v /dev/dsp\" will tell which program uses the sound card.\n"
+msgstr ""
+
+#: harddrake/sound.pm:280
+#, c-format
+msgid "Let me pick any driver"
+msgstr ""
+
+#: harddrake/sound.pm:283
+#, fuzzy, c-format
+msgid "Choosing an arbitrary driver"
+msgstr "X"
+
+#: harddrake/sound.pm:284
+#, fuzzy, c-format
+msgid ""
+"If you really think that you know which driver is the right one for your "
+"card\n"
+"you can pick one in the above list.\n"
+"\n"
+"The current driver for your \"%s\" sound card is \"%s\" "
+msgstr "вы вы бол баруун ямх жигсаалт г с бол с "
+
+#: harddrake/v4l.pm:14 harddrake/v4l.pm:66
+#, c-format
+msgid "Auto-detect"
+msgstr "Автомат танилт"
+
+#: harddrake/v4l.pm:67 harddrake/v4l.pm:219
+#, fuzzy, c-format
+msgid "Unknown|Generic"
+msgstr "Тодорхойгүй"
+
+#: harddrake/v4l.pm:100
+#, fuzzy, c-format
+msgid "Unknown|CPH05X (bt878) [many vendors]"
+msgstr "Тодорхойгүй"
+
+#: harddrake/v4l.pm:101
+#, c-format
+msgid "Unknown|CPH06X (bt878) [many vendors]"
+msgstr "Тодорхойгүй|CPH06X (bt878) [олон нийлүүлэгчид]"
+
+#: harddrake/v4l.pm:245
+#, c-format
+msgid ""
+"For most modern TV cards, the bttv module of the GNU/Linux kernel just auto-"
+"detect the rights parameters.\n"
+"If your card is misdetected, you can force the right tuner and card types "
+"here. Just select your tv card parameters if needed."
+msgstr ""
+"Ихэнх орчин үеийн ТВ картуудын хувьд GNU/Linux цөмийн bttv модуль тохирох "
+"параметрүүдийг автоматаар таньдаг.\n"
+"Хэрэв таны карт буруу танигдсан бол та тохирох тоглуулагч болон картын "
+"төрлийг энд сонгож болно. Зүгээр л ТВ картныхаа хэрэгтэй параметрүүдийг "
+"сонгоно уу."
+
+#: harddrake/v4l.pm:248
+#, c-format
+msgid "Card model:"
+msgstr ""
+
+#: harddrake/v4l.pm:249
+#, fuzzy, c-format
+msgid "Tuner type:"
+msgstr "төрөл:"
+
+#: harddrake/v4l.pm:250
+#, fuzzy, c-format
+msgid "Number of capture buffers:"
+msgstr "Дугаар аас:"
+
+#: harddrake/v4l.pm:250
+#, fuzzy, c-format
+msgid "number of capture buffers for mmap'ed capture"
+msgstr "аас"
+
+#: harddrake/v4l.pm:252
+#, c-format
+msgid "PLL setting:"
+msgstr ""
+
+#: harddrake/v4l.pm:253
+#, fuzzy, c-format
+msgid "Radio support:"
+msgstr "Радио:"
+
+#: harddrake/v4l.pm:253
+#, c-format
+msgid "enable radio support"
+msgstr ""
+
+#: help.pm:11
+#, fuzzy, c-format
+msgid ""
+"Before continuing, you should carefully read the terms of the license. It\n"
+"covers the entire Mandrake Linux distribution. If you do agree with all the\n"
+"terms in it, check the \"%s\" box. If not, clicking on the \"%s\" button\n"
+"will reboot your computer."
+msgstr "вы аас вы ямх с."
+
+#: help.pm:14 install_steps_gtk.pm:596 install_steps_interactive.pm:88
+#: install_steps_interactive.pm:697 standalone/drakautoinst:199
+#, c-format
+msgid "Accept"
+msgstr "Зөвшөөрөх"
+
+#: help.pm:17
+#, c-format
+msgid ""
+"GNU/Linux is a multi-user system, meaning each user may have their own\n"
+"preferences, their own files and so on. You can read the ``Starter Guide''\n"
+"to learn more about multi-user systems. But unlike \"root\", who is the\n"
+"system administrator, the users you add at this point will not be\n"
+"authorized to change anything except their own files and their own\n"
+"configurations, protecting the system from unintentional or malicious\n"
+"changes that impact on the system as a whole. You will have to create at\n"
+"least one regular user for yourself -- this is the account which you should\n"
+"use for routine, day-to-day use. Although it is very easy to log in as\n"
+"\"root\" to do anything and everything, it may also be very dangerous! A\n"
+"very simple mistake could mean that your system will not work any more. If\n"
+"you make a serious mistake as a regular user, the worst that will happen is\n"
+"that you will lose some information, but not affect the entire system.\n"
+"\n"
+"The first field asks you for a real name. Of course, this is not mandatory\n"
+"-- you can actually enter whatever you like. DrakX will use the first word\n"
+"you typed in this field and copy it to the \"%s\" field, which is the name\n"
+"this user will enter to log onto the system. If you like, you may override\n"
+"the default and change the user name. The next step is to enter a password.\n"
+"From a security point of view, a non-privileged (regular) user password is\n"
+"not as crucial as the \"root\" password, but that is no reason to neglect\n"
+"it by making it blank or too simple: after all, your files could be the\n"
+"ones at risk.\n"
+"\n"
+"Once you click on \"%s\", you can add other users. Add a user for each one\n"
+"of your friends: your father or your sister, for example. Click \"%s\" when\n"
+"you have finished adding users.\n"
+"\n"
+"Clicking the \"%s\" button allows you to change the default \"shell\" for\n"
+"that user (bash by default).\n"
+"\n"
+"When you have finished adding users, you will be asked to choose a user who\n"
+"can automatically log into the system when the computer boots up. If you\n"
+"are interested in that feature (and do not care much about local security),\n"
+"choose the desired user and window manager, then click \"%s\". If you are\n"
+"not interested in this feature, uncheck the \"%s\" box."
+msgstr ""
+
+#: help.pm:52 help.pm:197 help.pm:444 help.pm:691 help.pm:784 help.pm:1005
+#: install_steps_gtk.pm:275 interactive.pm:403 interactive/newt.pm:308
+#: network/netconnect.pm:242 network/tools.pm:208 printer/printerdrake.pm:2922
+#: standalone/drakTermServ:392 standalone/drakbackup:4487
+#: standalone/drakbackup:4513 standalone/drakbackup:4543
+#: standalone/drakbackup:4567 ugtk2.pm:509
+#, c-format
+msgid "Next"
+msgstr "Дараагийн"
+
+#: help.pm:52 help.pm:418 help.pm:444 help.pm:660 help.pm:733 help.pm:768
+#: interactive.pm:371
+#, fuzzy, c-format
+msgid "Advanced"
+msgstr "Өргөтгөсөн"
+
+#: help.pm:55
+#, fuzzy, c-format
+msgid ""
+"Listed here are the existing Linux partitions detected on your hard drive.\n"
+"You can keep the choices made by the wizard, since they are good for most\n"
+"common installations. If you make any changes, you must at least define a\n"
+"root partition (\"/\"). Do not choose too small a partition or you will not\n"
+"be able to install enough software. If you want to store your data on a\n"
+"separate partition, you will also need to create a \"/home\" partition\n"
+"(only possible if you have more than one Linux partition available).\n"
+"\n"
+"Each partition is listed as follows: \"Name\", \"Capacity\".\n"
+"\n"
+"\"Name\" is structured: \"hard drive type\", \"hard drive number\",\n"
+"\"partition number\" (for example, \"hda1\").\n"
+"\n"
+"\"Hard drive type\" is \"hd\" if your hard drive is an IDE hard drive and\n"
+"\"sd\" if it is a SCSI hard drive.\n"
+"\n"
+"\"Hard drive number\" is always a letter after \"hd\" or \"sd\". For IDE\n"
+"hard drives:\n"
+"\n"
+" * \"a\" means \"master hard drive on the primary IDE controller\";\n"
+"\n"
+" * \"b\" means \"slave hard drive on the primary IDE controller\";\n"
+"\n"
+" * \"c\" means \"master hard drive on the secondary IDE controller\";\n"
+"\n"
+" * \"d\" means \"slave hard drive on the secondary IDE controller\".\n"
+"\n"
+"With SCSI hard drives, an \"a\" means \"lowest SCSI ID\", a \"b\" means\n"
+"\"second lowest SCSI ID\", etc."
+msgstr ""
+"вы вы вы вы вы г вы г бол Нэр г г Нэр бол төрөл г г г Erfitt төрөл бол бол г "
+"бол г г Erfitt бол г\n"
+" г\n"
+" г\n"
+" г\n"
+" г Дугаар г секунд Дугаар."
+
+#: help.pm:86
+#, fuzzy, c-format
+msgid ""
+"The Mandrake Linux installation is distributed on several CD-ROMs. If a\n"
+"selected package is located on another CD-ROM, DrakX will eject the current\n"
+"CD and ask you to insert the correct CD as required."
+msgstr ""
+"Мандрак Линуксын суулгац нь хэд хэдэн CD-ROM дээр байдаг. Хэрэв ямар\n"
+"нэгэн сонгогдсон багц нь өөр CD-ROM дээр байвал DrakX үүнийг мэдэх бөгөөд\n"
+"одооны байгаа CD-г гаргаад тухайн хэрэгтэй CD-г оруулахыг хүснэ."
+
+#: help.pm:91
+#, fuzzy, c-format
+msgid ""
+"It is now time to specify which programs you wish to install on your\n"
+"system. There are thousands of packages available for Mandrake Linux, and\n"
+"to make it simpler to manage the packages have been placed into groups of\n"
+"similar applications.\n"
+"\n"
+"Packages are sorted into groups corresponding to a particular use of your\n"
+"machine. Mandrake Linux sorts packages groups in four categories. You can\n"
+"mix and match applications from the various categories, so a\n"
+"``Workstation'' installation can still have applications from the\n"
+"``Development'' category installed.\n"
+"\n"
+" * \"%s\": if you plan to use your machine as a workstation, select one or\n"
+"more of the groups that are in the workstation category.\n"
+"\n"
+" * \"%s\": if you plan on using your machine for programming, select the\n"
+"appropriate groups from that category.\n"
+"\n"
+" * \"%s\": if your machine is intended to be a server, select which of the\n"
+"more common services you wish to install on your machine.\n"
+"\n"
+" * \"%s\": this is where you will choose your preferred graphical\n"
+"environment. At least one must be selected if you want to have a graphical\n"
+"interface available.\n"
+"\n"
+"Moving the mouse cursor over a group name will display a short explanatory\n"
+"text about that group. If you unselect all groups when performing a regular\n"
+"installation (as opposed to an upgrade), a dialog will pop up proposing\n"
+"different options for a minimal installation:\n"
+"\n"
+" * \"%s\": install the minimum number of packages possible to have a\n"
+"working graphical desktop.\n"
+"\n"
+" * \"%s\": installs the base system plus basic utilities and their\n"
+"documentation. This installation is suitable for setting up a server.\n"
+"\n"
+" * \"%s\": will install the absolute minimum number of packages necessary\n"
+"to get a working Linux system. With this installation you will only have a\n"
+"command line interface. The total size of this installation is about 65\n"
+"megabytes.\n"
+"\n"
+"You can check the \"%s\" box, which is useful if you are familiar with the\n"
+"packages being offered or if you want to have total control over what will\n"
+"be installed.\n"
+"\n"
+"If you started the installation in \"%s\" mode, you can unselect all groups\n"
+"to avoid installing any new package. This is useful for repairing or\n"
+"updating an existing system."
+msgstr ""
+"бол вы аас аас г аас дөрөв Та аас г г Хөгжил бүлэг г\n"
+" с вы аас ямх бүлэг г\n"
+" с бүлэг г\n"
+" с бол аас вы г\n"
+" с бол вы вы г бүлэг нэр бүлэг вы энгийн диалог г\n"
+" с аас г\n"
+" с бол г\n"
+" с аас вы хэмжээ аас бол г с бол вы вы г вы ямх с горим вы шинэ бол."
+
+#: help.pm:137
+#, c-format
+msgid "Workstation"
+msgstr ""
+
+#: help.pm:137
+#, fuzzy, c-format
+msgid "Development"
+msgstr "Хөгжил"
+
+#: help.pm:137
+#, c-format
+msgid "Graphical Environment"
+msgstr ""
+
+#: help.pm:137 install_steps_interactive.pm:559
+#, c-format
+msgid "With X"
+msgstr ""
+
+#: help.pm:137
+#, c-format
+msgid "With basic documentation"
+msgstr ""
+
+#: help.pm:137
+#, c-format
+msgid "Truly minimal install"
+msgstr ""
+
+#: help.pm:137 install_steps_gtk.pm:270 install_steps_interactive.pm:605
+#, c-format
+msgid "Individual package selection"
+msgstr "Тусдаа дан багц сонгох"
+
+#: help.pm:137 help.pm:602
+#, c-format
+msgid "Upgrade"
+msgstr ""
+
+#: help.pm:140
+#, fuzzy, c-format
+msgid ""
+"If you told the installer that you wanted to individually select packages,\n"
+"it will present a tree containing all packages classified by groups and\n"
+"subgroups. While browsing the tree, you can select entire groups,\n"
+"subgroups, or individual packages.\n"
+"\n"
+"Whenever you select a package on the tree, a description appears on the\n"
+"right to let you know the purpose of the package.\n"
+"\n"
+"!! If a server package has been selected, either because you specifically\n"
+"chose the individual package or because it was part of a group of packages,\n"
+"you will be asked to confirm that you really want those servers to be\n"
+"installed. By default Mandrake Linux will automatically start any installed\n"
+"services at boot time. Even if they are safe and have no known issues at\n"
+"the time the distribution was shipped, it is entirely possible that that\n"
+"security holes were discovered after this version of Mandrake Linux was\n"
+"finalized. If you do not know what a particular service is supposed to do\n"
+"or why it is being installed, then click \"%s\". Clicking \"%s\" will\n"
+"install the listed services and they will be started automatically by\n"
+"default during boot. !!\n"
+"\n"
+"The \"%s\" option is used to disable the warning dialog which appears\n"
+"whenever the installer automatically selects a package to resolve a\n"
+"dependency issue. Some packages have relationships between each them such\n"
+"that installation of one package requires that some other program is also\n"
+"required to be installed. The installer can determine which packages are\n"
+"required to satisfy a dependency to successfully complete the installation.\n"
+"\n"
+"The tiny floppy disk icon at the bottom of the list allows you to load a\n"
+"package list created during a previous installation. This is useful if you\n"
+"have a number of machines that you wish to configure identically. Clicking\n"
+"on this icon will ask you to insert a floppy disk previously created at the\n"
+"end of another installation. See the second tip of last step on how to\n"
+"create such a floppy."
+msgstr ""
+"вы вы Мод Мод вы г вы Мод Тодорхойлолт вы аас г г вы аас бүлэг аас вы үгүй "
+"бол аас вы бол бол с с г с бол диалог бусад аас бусад Программ бол г Эмблем "
+"дор аас жигсаалт вы ачаалах жигсаалт бол вы аас вы Эмблем вы аас секунд аас."
+
+#: help.pm:172 help.pm:301 help.pm:329 help.pm:457 install_any.pm:422
+#: interactive.pm:149 modules/interactive.pm:71 standalone/harddrake2:218
+#: ugtk2.pm:1046 wizards.pm:156
+#, fuzzy, c-format
+msgid "No"
+msgstr "Үгүй"
+
+#: help.pm:172 help.pm:301 help.pm:457 install_any.pm:422 interactive.pm:149
+#: modules/interactive.pm:71 standalone/drakgw:280 standalone/drakgw:281
+#: standalone/drakgw:289 standalone/drakgw:299 standalone/harddrake2:217
+#: ugtk2.pm:1046 wizards.pm:156
+#, fuzzy, c-format
+msgid "Yes"
+msgstr "Тийм"
+
+#: help.pm:172
+#, fuzzy, c-format
+msgid "Automatic dependencies"
+msgstr "Автоматаар"
+
+#: help.pm:175
+#, c-format
+msgid ""
+"You will now set up your Internet/network connection. If you wish to\n"
+"connect your computer to the Internet or to a local network, click \"%s\".\n"
+"Mandrake Linux will attempt to auto-detect network devices and modems. If\n"
+"this detection fails, uncheck the \"%s\" box. You may also choose not to\n"
+"configure the network, or to do it later, in which case clicking the \"%s\"\n"
+"button will take you to the next step.\n"
+"\n"
+"When configuring your network, the available connections options are:\n"
+"Normal modem connection, Winmodem connection, ISDN modem, ADSL connection,\n"
+"cable modem, and finally a simple LAN connection (Ethernet).\n"
+"\n"
+"We will not detail each configuration option - just make sure that you have\n"
+"all the parameters, such as IP address, default gateway, DNS servers, etc.\n"
+"from your Internet Service Provider or system administrator.\n"
+"\n"
+"About Winmodem Connection. Winmodems are special integrated low-end modems\n"
+"that require additional software to work compared to Normal modems. Some of\n"
+"those modems actually work under Mandrake Linux, some others do not. You\n"
+"can consult the list of supported modems at LinModems.\n"
+"\n"
+"You can consult the ``Starter Guide'' chapter about Internet connections\n"
+"for details about the configuration, or simply wait until your system is\n"
+"installed and use the program described there to configure your connection."
+msgstr ""
+
+#: help.pm:197
+#, c-format
+msgid "Use auto detection"
+msgstr "Авто танигчийг хэрэглэх"
+
+#: help.pm:200
+#, fuzzy, c-format
+msgid ""
+"\"%s\": clicking on the \"%s\" button will open the printer configuration\n"
+"wizard. Consult the corresponding chapter of the ``Starter Guide'' for more\n"
+"information on how to setup a new printer. The interface presented there is\n"
+"similar to the one used during installation."
+msgstr "с с аас шинэ бол."
+
+#: help.pm:203 help.pm:581 help.pm:991 install_steps_gtk.pm:646
+#: standalone/drakbackup:2688 standalone/drakbackup:2696
+#: standalone/drakbackup:2704 standalone/drakbackup:2712
+#, fuzzy, c-format
+msgid "Configure"
+msgstr "Тохируулах"
+
+#: help.pm:206
+#, fuzzy, c-format
+msgid ""
+"This dialog is used to choose which services you wish to start at boot\n"
+"time.\n"
+"\n"
+"DrakX will list all the services available on the current installation.\n"
+"Review each one carefully and uncheck those which are not needed at boot\n"
+"time.\n"
+"\n"
+"A short explanatory text will be displayed about a service when it is\n"
+"selected. However, if you are not sure whether a service is useful or not,\n"
+"it is safer to leave the default behavior.\n"
+"\n"
+"!! At this stage, be very careful if you intend to use your machine as a\n"
+"server: you will probably not want to start any services that you do not\n"
+"need. Please remember that several services can be dangerous if they are\n"
+"enabled on a server. In general, select only the services you really need.\n"
+"!!"
+msgstr ""
+"диалог бол вы г жигсаалт г текст бол вы бол бол г г вы вы вы Томоор ерөнхий "
+"вы г!"
+
+#: help.pm:224
+#, fuzzy, c-format
+msgid ""
+"GNU/Linux manages time in GMT (Greenwich Mean Time) and translates it to\n"
+"local time according to the time zone you selected. If the clock on your\n"
+"motherboard is set to local time, you may deactivate this by unselecting\n"
+"\"%s\", which will let GNU/Linux know that the system clock and the\n"
+"hardware clock are in the same time zone. This is useful when the machine\n"
+"also hosts another operating system like Windows.\n"
+"\n"
+"The \"%s\" option will automatically regulate the clock by connecting to a\n"
+"remote time server on the Internet. For this feature to work, you must have\n"
+"a working Internet connection. It is best to choose a time server located\n"
+"near you. This option actually installs a time server that can be used by\n"
+"other machines on your local network as well."
+msgstr ""
+"ямх GMT Цаг вы бол вы г с ямх бол Цонхнууд г с Интернэт вы Интернэт бол вы."
+
+#: help.pm:235 install_steps_interactive.pm:834
+#, fuzzy, c-format
+msgid "Hardware clock set to GMT"
+msgstr "Hardware"
+
+#: help.pm:235
+#, fuzzy, c-format
+msgid "Automatic time synchronization"
+msgstr "Автоматаар"
+
+#: help.pm:238
+#, fuzzy, c-format
+msgid ""
+"Graphic Card\n"
+"\n"
+" The installer will normally automatically detect and configure the\n"
+"graphic card installed on your machine. If it is not the case, you can\n"
+"choose from this list the card you actually have installed.\n"
+"\n"
+" In the situation where different servers are available for your card,\n"
+"with or without 3D acceleration, you are asked to choose the server that\n"
+"best suits your needs."
+msgstr ""
+"Дэлгэц г\n"
+" бол вы жигсаалт вы."
+
+#: help.pm:249
+#, fuzzy, c-format
+msgid ""
+"X (for X Window System) is the heart of the GNU/Linux graphical interface\n"
+"on which all the graphical environments (KDE, GNOME, AfterStep,\n"
+"WindowMaker, etc.) bundled with Mandrake Linux rely upon.\n"
+"\n"
+"You will be presented with a list of different parameters to change to get\n"
+"an optimal graphical display: Graphic Card\n"
+"\n"
+" The installer will normally automatically detect and configure the\n"
+"graphic card installed on your machine. If it is not the case, you can\n"
+"choose from this list the card you actually have installed.\n"
+"\n"
+" In the situation where different servers are available for your card,\n"
+"with or without 3D acceleration, you are asked to choose the server that\n"
+"best suits your needs.\n"
+"\n"
+"\n"
+"\n"
+"Monitor\n"
+"\n"
+" The installer will normally automatically detect and configure the\n"
+"monitor connected to your machine. If it is incorrect, you can choose from\n"
+"this list the monitor you actually have connected to your computer.\n"
+"\n"
+"\n"
+"\n"
+"Resolution\n"
+"\n"
+" Here you can choose the resolutions and color depths available for your\n"
+"hardware. Choose the one that best suits your needs (you will be able to\n"
+"change that after installation though). A sample of the chosen\n"
+"configuration is shown in the monitor picture.\n"
+"\n"
+"\n"
+"\n"
+"Test\n"
+"\n"
+" Depending on your hardware, this entry might not appear.\n"
+"\n"
+" the system will try to open a graphical screen at the desired\n"
+"resolution. If you can see the message during the test and answer \"%s\",\n"
+"then DrakX will proceed to the next step. If you cannot see the message, it\n"
+"means that some part of the auto-detected configuration was incorrect and\n"
+"the test will automatically end after 12 seconds, bringing you back to the\n"
+"menu. Change settings until you get a correct graphical display.\n"
+"\n"
+"\n"
+"\n"
+"Options\n"
+"\n"
+" Here you can choose whether you want to have your machine automatically\n"
+"switch to a graphical interface at boot. Obviously, you want to check\n"
+"\"%s\" if your machine is to act as a server, or if you were not successful\n"
+"in getting the display configured."
+msgstr ""
+"X X Цонх Систем бол аас KDE GNOME г жигсаалт аас г\n"
+" бол вы жигсаалт вы г\n"
+" Томоор вы г г г г\n"
+" бол вы жигсаалт вы г г г г\n"
+" вы вы аас бол ямх г г г г\n"
+" вы с вы аас секунд вы Өөрчилөх вы г г г г\n"
+" вы вы вы г с бол вы."
+
+#: help.pm:304
+#, fuzzy, c-format
+msgid ""
+"Monitor\n"
+"\n"
+" The installer will normally automatically detect and configure the\n"
+"monitor connected to your machine. If it is incorrect, you can choose from\n"
+"this list the monitor you actually have connected to your computer."
+msgstr ""
+"Дэлгэц г\n"
+" бол вы жигсаалт вы."
+
+#: help.pm:311
+#, c-format
+msgid ""
+"Resolution\n"
+"\n"
+" Here you can choose the resolutions and color depths available for your\n"
+"hardware. Choose the one that best suits your needs (you will be able to\n"
+"change that after installation though). A sample of the chosen\n"
+"configuration is shown in the monitor picture."
+msgstr ""
+
+#: help.pm:319
+#, fuzzy, c-format
+msgid ""
+"In the situation where different servers are available for your card, with\n"
+"or without 3D acceleration, you are asked to choose the server that best\n"
+"suits your needs."
+msgstr "Томоор вы."
+
+#: help.pm:324
+#, fuzzy, c-format
+msgid ""
+"Options\n"
+"\n"
+" Here you can choose whether you want to have your machine automatically\n"
+"switch to a graphical interface at boot. Obviously, you want to check\n"
+"\"%s\" if your machine is to act as a server, or if you were not successful\n"
+"in getting the display configured."
+msgstr ""
+"Сонголтууд г\n"
+" вы вы вы г с бол вы."
+
+#: help.pm:332
+#, c-format
+msgid ""
+"At this point, you need to decide where you want to install the Mandrake\n"
+"Linux operating system on your hard drive. If your hard drive is empty or\n"
+"if an existing operating system is using all the available space you will\n"
+"have to partition the drive. Basically, partitioning a hard drive consists\n"
+"of logically dividing it to create the space needed to install your new\n"
+"Mandrake Linux system.\n"
+"\n"
+"Because the process of partitioning a hard drive is usually irreversible\n"
+"and can lead to lost data if there is an existing operating system already\n"
+"installed on the drive, partitioning can be intimidating and stressful if\n"
+"you are an inexperienced user. Fortunately, DrakX includes a wizard which\n"
+"simplifies this process. Before continuing with this step, read through the\n"
+"rest of this section and above all, take your time.\n"
+"\n"
+"Depending on your hard drive configuration, several options are available:\n"
+"\n"
+" * \"%s\": this option will perform an automatic partitioning of your blank\n"
+"drive(s). If you use this option there will be no further prompts.\n"
+"\n"
+" * \"%s\": the wizard has detected one or more existing Linux partitions on\n"
+"your hard drive. If you want to use them, choose this option. You will then\n"
+"be asked to choose the mount points associated with each of the partitions.\n"
+"The legacy mount points are selected by default, and for the most part it's\n"
+"a good idea to keep them.\n"
+"\n"
+" * \"%s\": if Microsoft Windows is installed on your hard drive and takes\n"
+"all the space available on it, you will have to create free space for\n"
+"GNU/Linux. To do so, you can delete your Microsoft Windows partition and\n"
+"data (see ``Erase entire disk'' solution) or resize your Microsoft Windows\n"
+"FAT or NTFS partition. Resizing can be performed without the loss of any\n"
+"data, provided you have previously defragmented the Windows partition.\n"
+"Backing up your data is strongly recommended.. Using this option is\n"
+"recommended if you want to use both Mandrake Linux and Microsoft Windows on\n"
+"the same computer.\n"
+"\n"
+" Before choosing this option, please understand that after this\n"
+"procedure, the size of your Microsoft Windows partition will be smaller\n"
+"then when you started. You will have less free space under Microsoft\n"
+"Windows to store your data or to install new software.\n"
+"\n"
+" * \"%s\": if you want to delete all data and all partitions present on\n"
+"your hard drive and replace them with your new Mandrake Linux system,\n"
+"choose this option. Be careful, because you will not be able to undo your\n"
+"choice after you confirm.\n"
+"\n"
+" !! If you choose this option, all data on your disk will be deleted. !!\n"
+"\n"
+" * \"%s\": this will simply erase everything on the drive and begin fresh,\n"
+"partitioning everything from scratch. All data on your disk will be lost.\n"
+"\n"
+" !! If you choose this option, all data on your disk will be lost. !!\n"
+"\n"
+" * \"%s\": choose this option if you want to manually partition your hard\n"
+"drive. Be careful -- it is a powerful but dangerous choice and you can very\n"
+"easily lose all your data. That's why this option is really only\n"
+"recommended if you have done something like this before and have some\n"
+"experience. For more instructions on how to use the DiskDrake utility,\n"
+"refer to the ``Managing Your Partitions'' section in the ``Starter Guide''."
+msgstr ""
+
+#: help.pm:389 install_interactive.pm:95
+#, c-format
+msgid "Use free space"
+msgstr "Сул зайг ашиглах"
+
+#: help.pm:389
+#, c-format
+msgid "Use existing partition"
+msgstr ""
+
+#: help.pm:389 install_interactive.pm:137
+#, fuzzy, c-format
+msgid "Use the free space on the Windows partition"
+msgstr "Цонхнууд"
+
+#: help.pm:389 install_interactive.pm:211
+#, fuzzy, c-format
+msgid "Erase entire disk"
+msgstr "Устгах"
+
+#: help.pm:389
+#, c-format
+msgid "Remove Windows"
+msgstr "Виндоусыг устгах"
+
+#: help.pm:389 install_interactive.pm:226
+#, fuzzy, c-format
+msgid "Custom disk partitioning"
+msgstr "Хэрэглэгчийн"
+
+#: help.pm:392
+#, fuzzy, c-format
+msgid ""
+"There you are. Installation is now complete and your GNU/Linux system is\n"
+"ready to use. Just click \"%s\" to reboot the system. Don't forget to\n"
+"remove the installation media (CD-ROM or floppy). The first thing you\n"
+"should see after your computer has finished doing its hardware tests is the\n"
+"bootloader menu, giving you the choice of which operating system to start.\n"
+"\n"
+"The \"%s\" button shows two more buttons to:\n"
+"\n"
+" * \"%s\": to create an installation floppy disk that will automatically\n"
+"perform a whole installation without the help of an operator, similar to\n"
+"the installation you just configured.\n"
+"\n"
+" Note that two different options are available after clicking the button:\n"
+"\n"
+" * \"%s\". This is a partially automated installation. The partitioning\n"
+"step is the only interactive procedure.\n"
+"\n"
+" * \"%s\". Fully automated installation: the hard disk is completely\n"
+"rewritten, all data is lost.\n"
+"\n"
+" This feature is very handy when installing a number of similar machines.\n"
+"See the Auto install section on our web site for more information.\n"
+"\n"
+" * \"%s\": saves a list of the packages selected in this installation. To\n"
+"use this selection with another installation, insert the floppy and start\n"
+"the installation. At the prompt, press the [F1] key and type >>linux\n"
+"defcfg=\"floppy\" <<."
+msgstr ""
+"вы бол бол с вы Дууслаа бол Цэс вы аас г с туг г\n"
+" с аас вы г\n"
+" Тэмдэглэл туг г\n"
+" с бол бол г\n"
+" с бол бол г\n"
+" бол аас Авто сайт г\n"
+" с жигсаалт аас ямх төрөл г г Та төрөл г"
+
+#: help.pm:418
+#, fuzzy, c-format
+msgid "Generate auto-install floppy"
+msgstr "Үүсгэж байна"
+
+#: help.pm:418 install_steps_interactive.pm:1320
+#, c-format
+msgid "Replay"
+msgstr ""
+
+#: help.pm:418 install_steps_interactive.pm:1320
+#, c-format
+msgid "Automated"
+msgstr ""
+
+#: help.pm:418 install_steps_interactive.pm:1323
+#, fuzzy, c-format
+msgid "Save packages selection"
+msgstr "Хадгалах"
+
+#: help.pm:421
+#, fuzzy, c-format
+msgid ""
+"Any partitions that have been newly defined must be formatted for use\n"
+"(formatting means creating a file system).\n"
+"\n"
+"At this time, you may wish to reformat some already existing partitions to\n"
+"erase any data they contain. If you wish to do that, please select those\n"
+"partitions as well.\n"
+"\n"
+"Please note that it is not necessary to reformat all pre-existing\n"
+"partitions. You must reformat the partitions containing the operating\n"
+"system (such as \"/\", \"/usr\" or \"/var\") but you do not have to\n"
+"reformat partitions containing data that you wish to keep (typically\n"
+"\"/home\").\n"
+"\n"
+"Please be careful when selecting partitions. After formatting, all data on\n"
+"the selected partitions will be deleted and you will not be able to recover\n"
+"it.\n"
+"\n"
+"Click on \"%s\" when you are ready to format the partitions.\n"
+"\n"
+"Click on \"%s\" if you want to choose another partition for your new\n"
+"Mandrake Linux operating system installation.\n"
+"\n"
+"Click on \"%s\" if you wish to select partitions that will be checked for\n"
+"bad blocks on the disk."
+msgstr "Бүх г г вы вы г бол Та вы вы г г вы г с вы г с вы шинэ г с вы."
+
+#: help.pm:444 help.pm:1005 install_steps_gtk.pm:431 interactive.pm:404
+#: interactive/newt.pm:307 printer/printerdrake.pm:2920
+#: standalone/drakTermServ:371 standalone/drakbackup:4288
+#: standalone/drakbackup:4316 standalone/drakbackup:4374
+#: standalone/drakbackup:4400 standalone/drakbackup:4426
+#: standalone/drakbackup:4483 standalone/drakbackup:4509
+#: standalone/drakbackup:4539 standalone/drakbackup:4563 ugtk2.pm:507
+#, c-format
+msgid "Previous"
+msgstr ""
+
+#: help.pm:447
+#, fuzzy, c-format
+msgid ""
+"At the time you are installing Mandrake Linux, it is likely that some\n"
+"packages will have been updated since the initial release. Bugs may have\n"
+"been fixed, security issues resolved. To allow you to benefit from these\n"
+"updates, you are now able to download them from the Internet. Check \"%s\"\n"
+"if you have a working Internet connection, or \"%s\" if you prefer to\n"
+"install updated packages later.\n"
+"\n"
+"Choosing \"%s\" will display a list of places from which updates can be\n"
+"retrieved. You should choose one near to you. A package-selection tree will\n"
+"appear: review the selection, and press \"%s\" to retrieve and install the\n"
+"selected package(s), or \"%s\" to abort."
+msgstr ""
+"вы бол тийш вы вы Интернэт Gá с вы Интернэт с вы г с жигсаалт аас Та вы Мод "
+"с с с."
+
+#: help.pm:457 help.pm:602 install_steps_gtk.pm:430
+#: install_steps_interactive.pm:148 standalone/drakbackup:4602
+#, c-format
+msgid "Install"
+msgstr ""
+
+#: help.pm:460
+#, fuzzy, c-format
+msgid ""
+"At this point, DrakX will allow you to choose the security level desired\n"
+"for the machine. As a rule of thumb, the security level should be set\n"
+"higher if the machine will contain crucial data, or if it will be a machine\n"
+"directly exposed to the Internet. The trade-off of a higher security level\n"
+"is generally obtained at the expense of ease of use.\n"
+"\n"
+"If you do not know what to choose, stay with the default option. You will\n"
+"be able to change that security level later with tool draksec from the\n"
+"Mandrake Control Center.\n"
+"\n"
+"The \"%s\" field can inform the system of the user on this computer who\n"
+"will be responsible for security. Security messages will be sent to that\n"
+"address."
+msgstr "Цэг вы аас Интернэт аас аас аас г вы."
+
+#: help.pm:472
+#, fuzzy, c-format
+msgid "Security Administrator"
+msgstr "Хамгаалалт:"
+
+#: help.pm:475
+#, c-format
+msgid ""
+"At this point, you need to choose which partition(s) will be used for the\n"
+"installation of your Mandrake Linux system. If partitions have already been\n"
+"defined, either from a previous installation of GNU/Linux or by another\n"
+"partitioning tool, you can use existing partitions. Otherwise, hard drive\n"
+"partitions must be defined.\n"
+"\n"
+"To create partitions, you must first select a hard drive. You can select\n"
+"the disk for partitioning by clicking on ``hda'' for the first IDE drive,\n"
+"``hdb'' for the second, ``sda'' for the first SCSI drive and so on.\n"
+"\n"
+"To partition the selected hard drive, you can use these options:\n"
+"\n"
+" * \"%s\": this option deletes all partitions on the selected hard drive\n"
+"\n"
+" * \"%s\": this option enables you to automatically create ext3 and swap\n"
+"partitions in the free space of your hard drive\n"
+"\n"
+"\"%s\": gives access to additional features:\n"
+"\n"
+" * \"%s\": saves the partition table to a floppy. Useful for later\n"
+"partition-table recovery if necessary. It is strongly recommended that you\n"
+"perform this step.\n"
+"\n"
+" * \"%s\": allows you to restore a previously saved partition table from a\n"
+"floppy disk.\n"
+"\n"
+" * \"%s\": if your partition table is damaged, you can try to recover it\n"
+"using this option. Please be careful and remember that it doesn't always\n"
+"work.\n"
+"\n"
+" * \"%s\": discards all changes and reloads the partition table that was\n"
+"originally on the hard drive.\n"
+"\n"
+" * \"%s\": un-checking this option will force users to manually mount and\n"
+"unmount removable media such as floppies and CD-ROMs.\n"
+"\n"
+" * \"%s\": use this option if you wish to use a wizard to partition your\n"
+"hard drive. This is recommended if you do not have a good understanding of\n"
+"partitioning.\n"
+"\n"
+" * \"%s\": use this option to cancel your changes.\n"
+"\n"
+" * \"%s\": allows additional actions on partitions (type, options, format)\n"
+"and gives more information about the hard drive.\n"
+"\n"
+" * \"%s\": when you are finished partitioning your hard drive, this will\n"
+"save your changes back to disk.\n"
+"\n"
+"When defining the size of a partition, you can finely set the partition\n"
+"size by using the Arrow keys of your keyboard.\n"
+"\n"
+"Note: you can reach any option using the keyboard. Navigate through the\n"
+"partitions using [Tab] and the [Up/Down] arrows.\n"
+"\n"
+"When a partition is selected, you can use:\n"
+"\n"
+" * Ctrl-c to create a new partition (when an empty partition is selected)\n"
+"\n"
+" * Ctrl-d to delete a partition\n"
+"\n"
+" * Ctrl-m to set the mount point\n"
+"\n"
+"To get information about the different file system types available, please\n"
+"read the ext2FS chapter from the ``Reference Manual''.\n"
+"\n"
+"If you are installing on a PPC machine, you will want to create a small HFS\n"
+"``bootstrap'' partition of at least 1MB which will be used by the yaboot\n"
+"bootloader. If you opt to make the partition a bit larger, say 50MB, you\n"
+"may find it a useful place to store a spare kernel and ramdisk images for\n"
+"emergency boot situations."
+msgstr ""
+
+#: help.pm:544
+#, c-format
+msgid "Removable media auto-mounting"
+msgstr ""
+
+#: help.pm:544
+#, c-format
+msgid "Toggle between normal/expert mode"
+msgstr "Ердийн/мэргэжлийн горимын хооронд шилжих"
+
+#: help.pm:547
+#, fuzzy, c-format
+msgid ""
+"More than one Microsoft partition has been detected on your hard drive.\n"
+"Please choose the one which you want to resize in order to install your new\n"
+"Mandrake Linux operating system.\n"
+"\n"
+"Each partition is listed as follows: \"Linux name\", \"Windows name\"\n"
+"\"Capacity\".\n"
+"\n"
+"\"Linux name\" is structured: \"hard drive type\", \"hard drive number\",\n"
+"\"partition number\" (for example, \"hda1\").\n"
+"\n"
+"\"Hard drive type\" is \"hd\" if your hard dive is an IDE hard drive and\n"
+"\"sd\" if it is a SCSI hard drive.\n"
+"\n"
+"\"Hard drive number\" is always a letter after \"hd\" or \"sd\". With IDE\n"
+"hard drives:\n"
+"\n"
+" * \"a\" means \"master hard drive on the primary IDE controller\";\n"
+"\n"
+" * \"b\" means \"slave hard drive on the primary IDE controller\";\n"
+"\n"
+" * \"c\" means \"master hard drive on the secondary IDE controller\";\n"
+"\n"
+" * \"d\" means \"slave hard drive on the secondary IDE controller\".\n"
+"\n"
+"With SCSI hard drives, an \"a\" means \"lowest SCSI ID\", a \"b\" means\n"
+"\"second lowest SCSI ID\", etc.\n"
+"\n"
+"\"Windows name\" is the letter of your hard drive under Windows (the first\n"
+"disk or partition is called \"C:\")."
+msgstr ""
+"вы ямх шинэ г бол нэр Цонхнууд нэр г г г нэр бол төрөл г г г Erfitt төрөл "
+"бол бол г бол г г Erfitt бол г\n"
+" г\n"
+" г\n"
+" г\n"
+" г Дугаар г секунд Дугаар г г Цонхнууд нэр бол аас Цонхнууд бол."
+
+#: help.pm:578
+#, fuzzy, c-format
+msgid ""
+"\"%s\": check the current country selection. If you are not in this\n"
+"country, click on the \"%s\" button and choose another one. If your country\n"
+"is not in the first list shown, click the \"%s\" button to get the complete\n"
+"country list."
+msgstr "с вы ямх с ямх жигсаалт с жигсаалт."
+
+#: help.pm:584
+#, fuzzy, c-format
+msgid ""
+"This step is activated only if an existing GNU/Linux partition has been\n"
+"found on your machine.\n"
+"\n"
+"DrakX now needs to know if you want to perform a new install or an upgrade\n"
+"of an existing Mandrake Linux system:\n"
+"\n"
+" * \"%s\": For the most part, this completely wipes out the old system. If\n"
+"you wish to change how your hard drives are partitioned, or change the file\n"
+"system, you should use this option. However, depending on your partitioning\n"
+"scheme, you can prevent some of your existing data from being over-written.\n"
+"\n"
+" * \"%s\": this installation class allows you to update the packages\n"
+"currently installed on your Mandrake Linux system. Your current\n"
+"partitioning scheme and user data is not altered. Most of other\n"
+"configuration steps remain available, similar to a standard installation.\n"
+"\n"
+"Using the ``Upgrade'' option should work fine on Mandrake Linux systems\n"
+"running version \"8.1\" or later. Performing an Upgrade on versions prior\n"
+"to Mandrake Linux version \"8.1\" is not recommended."
+msgstr ""
+"бол г вы шинэ г\n"
+" с вы вы аас г\n"
+" с вы бол аас бусад г бол."
+
+#: help.pm:605
+#, fuzzy, c-format
+msgid ""
+"Depending on the language you chose in section , DrakX will automatically\n"
+"select a particular type of keyboard configuration. Check that the\n"
+"selection suits you or choose another keyboard layout.\n"
+"\n"
+"Also, you may not have a keyboard that corresponds exactly to your\n"
+"language: for example, if you are an English-speaking Swiss native, you may\n"
+"have a Swiss keyboard. Or if you speak English and are located in Quebec,\n"
+"you may find yourself in the same situation where your native language and\n"
+"country-set keyboard do not match. In either case, this installation step\n"
+"will allow you to select an appropriate keyboard from a list.\n"
+"\n"
+"Click on the \"%s\" button to be presented with the complete list of\n"
+"supported keyboards.\n"
+"\n"
+"If you choose a keyboard layout based on a non-Latin alphabet, the next\n"
+"dialog will allow you to choose the key binding that will switch the\n"
+"keyboard between the Latin and non-Latin layouts."
+msgstr ""
+"вы ямх Хэсэг төрөл аас вы Англи хэл вы вы Англи хэл ямх вы ямх Томоор вы "
+"жигсаалт г с жигсаалт аас г вы Латин Америк вы Латин Америк Латин Америк."
+
+#: help.pm:624
+#, fuzzy, c-format
+msgid ""
+"Your choice of preferred language will affect the language of the\n"
+"documentation, the installer and the system in general. Select first the\n"
+"region you are located in, and then the language you speak.\n"
+"\n"
+"Clicking on the \"%s\" button will allow you to select other languages to\n"
+"be installed on your workstation, thereby installing the language-specific\n"
+"files for system documentation and applications. For example, if you will\n"
+"host users from Spain on your machine, select English as the default\n"
+"language in the tree view and \"%s\" in the Advanced section.\n"
+"\n"
+"About UTF-8 (unicode) support: Unicode is a new character encoding meant to\n"
+"cover all existing languages. Though full support for it in GNU/Linux is\n"
+"still under development. For that reason, Mandrake Linux will be using it\n"
+"or not depending on the user choices:\n"
+"\n"
+" * If you choose a languages with a strong legacy encoding (latin1\n"
+"languages, Russian, Japanese, Chinese, Korean, Thai, Greek, Turkish, most\n"
+"iso-8859-2 languages), the legacy encoding will be used by default;\n"
+"\n"
+" * Other languages will use unicode by default;\n"
+"\n"
+" * If two or more languages are required, and those languages are not using\n"
+"the same encoding, then unicode will be used for the whole system;\n"
+"\n"
+" * Finally, unicode can also be forced for the system at user request by\n"
+"selecting option \"%s\" independently of which language(s) have been\n"
+"chosen.\n"
+"\n"
+"Note that you're not limited to choosing a single additional language. You\n"
+"may choose several ones, or even install them all by selecting the \"%s\"\n"
+"box. Selecting support for a language means translations, fonts, spell\n"
+"checkers, etc. for that language will also be installed.\n"
+"\n"
+"To switch between the various languages installed on the system, you can\n"
+"launch the \"/usr/sbin/localedrake\" command as \"root\" to change the\n"
+"language used by the entire system. Running the command as a regular user\n"
+"will only change the language settings for that particular user."
+msgstr ""
+"аас аас ямх ерөнхий вы ямх вы г с вы бусад вы хэрэглэгчид Англи хэл ямх Мод "
+"с ямх Өргөтгөсөн г вы Та с г с вы Тэмдэглэл бол вы г вы Ажиллуулж байна "
+"энгийн."
+
+#: help.pm:660
+#, c-format
+msgid "Espanol"
+msgstr ""
+
+#: help.pm:663
+#, c-format
+msgid ""
+"Usually, DrakX has no problems detecting the number of buttons on your\n"
+"mouse. If it does, it assumes you have a two-button mouse and will\n"
+"configure it for third-button emulation. The third-button mouse button of a\n"
+"two-button mouse can be ``pressed'' by simultaneously clicking the left and\n"
+"right mouse buttons. DrakX will automatically know whether your mouse uses\n"
+"a PS/2, serial or USB interface.\n"
+"\n"
+"In case you have a 3 buttons mouse without wheel, you can choose the mouse\n"
+"that says \"%s\". DrakX will then configure your mouse so that you can\n"
+"simulate the wheel with it: to do so, press the middle button and move your\n"
+"mouse up and down.\n"
+"\n"
+"If for some reason you wish to specify a different type of mouse, select it\n"
+"from the list provided.\n"
+"\n"
+"If you choose a mouse other than the default, a test screen will be\n"
+"displayed. Use the buttons and wheel to verify that the settings are\n"
+"correct and that the mouse is working correctly. If the mouse is not\n"
+"working well, press the space bar or [Return] key to cancel the test and to\n"
+"go back to the list of choices.\n"
+"\n"
+"Wheel mice are occasionally not detected automatically, so you will need to\n"
+"select your mouse from a list. Be sure to select the one corresponding to\n"
+"the port that your mouse is attached to. After selecting a mouse and\n"
+"pressing the \"%s\" button, a mouse image is displayed on-screen. Scroll\n"
+"the mouse wheel to ensure that it is activated correctly. Once you see the\n"
+"on-screen scroll wheel moving as you scroll your mouse wheel, test the\n"
+"buttons and check that the mouse pointer moves on-screen as you move your\n"
+"mouse."
+msgstr ""
+
+#: help.pm:691
+#, fuzzy, c-format
+msgid "with Wheel emulation"
+msgstr "Товчинууд тоолуур"
+
+#: help.pm:694
+#, fuzzy, c-format
+msgid ""
+"Please select the correct port. For example, the \"COM1\" port under\n"
+"Windows is named \"ttyS0\" under GNU/Linux."
+msgstr "бол."
+
+#: help.pm:698
+#, fuzzy, c-format
+msgid ""
+"This is the most crucial decision point for the security of your GNU/Linux\n"
+"system: you have to enter the \"root\" password. \"Root\" is the system\n"
+"administrator and is the only user authorized to make updates, add users,\n"
+"change the overall system configuration, and so on. In short, \"root\" can\n"
+"do everything! That is why you must choose a password that is difficult to\n"
+"guess - DrakX will tell you if the password you chose is too easy. As you\n"
+"can see, you are not forced to enter a password, but we strongly advise you\n"
+"against this. GNU/Linux is just as prone to operator error as any other\n"
+"operating system. Since \"root\" can overcome all limitations and\n"
+"unintentionally erase all data on partitions by carelessly accessing the\n"
+"partitions themselves, it is important that it be difficult to become\n"
+"\"root\".\n"
+"\n"
+"The password should be a mixture of alphanumeric characters and at least 8\n"
+"characters long. Never write down the \"root\" password -- it makes it far\n"
+"too easy to compromise a system.\n"
+"\n"
+"One caveat -- do not make the password too long or complicated because you\n"
+"must be able to remember it!\n"
+"\n"
+"The password will not be displayed on screen as you type it in. To reduce\n"
+"the chance of a blind typing error you will need to enter the password\n"
+"twice. If you do happen to make the same typing error twice, this\n"
+"``incorrect'' password will be the one you will have use the first time you\n"
+"connect.\n"
+"\n"
+"If you wish access to this computer to be controlled by an authentication\n"
+"server, click the \"%s\" button.\n"
+"\n"
+"If your network uses either LDAP, NIS, or PDC Windows Domain authentication\n"
+"services, select the appropriate one for \"%s\". If you do not know which\n"
+"one to use, you should ask your network administrator.\n"
+"\n"
+"If you happen to have problems with remembering passwords, if your computer\n"
+"will never be connected to the Internet and you absolutely trust everybody\n"
+"who uses your computer, you can choose to have \"%s\"."
+msgstr ""
+"бол Цэг аас вы Эзэн бол бол хэрэглэгчид Томоор бол вы бол вы вы вы вы вы бол "
+"бусад бол г г аас Хэзээч үгүй г вы г вы төрөл ямх тийш аас вы вы г вы вы г "
+"вы с г Цонхнууд Домэйн с вы байхгүй вы г вы хэзээ ч вы вы с."
+
+#: help.pm:733
+#, c-format
+msgid "authentication"
+msgstr ""
+
+#. -PO: keep this short or else the buttons will not fit in the window
+#: help.pm:733 install_steps_interactive.pm:1154
+#, c-format
+msgid "No password"
+msgstr "Нууц үг байхгүй"
+
+#: help.pm:736
+#, c-format
+msgid ""
+"This dialog allows you to fine tune your bootloader:\n"
+"\n"
+" * \"%s\": there are three choices for your bootloader:\n"
+"\n"
+" * \"%s\": if you prefer GRUB (text menu).\n"
+"\n"
+" * \"%s\": if you prefer LILO with its text menu interface.\n"
+"\n"
+" * \"%s\": if you prefer LILO with its graphical interface.\n"
+"\n"
+" * \"%s\": in most cases, you will not change the default (\"%s\"), but if\n"
+"you prefer, the bootloader can be installed on the second hard drive\n"
+"(\"%s\"), or even on a floppy disk (\"%s\");\n"
+"\n"
+" * \"%s\": after a boot or a reboot of the computer, this is the delay\n"
+"given to the user at the console to select a boot entry other than the\n"
+"default.\n"
+"\n"
+" * \"%s\": ACPI is a new standard (appeared during year 2002) for power\n"
+"management, notably for laptops. If you know your hardware supports it and\n"
+"you need it, check this box.\n"
+"\n"
+" * \"%s\": If you noticed hardware problems on your machine (IRQ conflicts,\n"
+"instabilities, machine freeze, ...) you should try disabling APIC by\n"
+"checking this box.\n"
+"\n"
+"!! Be aware that if you choose not to install a bootloader (by selecting\n"
+"\"%s\"), you must ensure that you have a way to boot your Mandrake Linux\n"
+"system! Be sure you know what you are doing before changing any of the\n"
+"options. !!\n"
+"\n"
+"Clicking the \"%s\" button in this dialog will offer advanced options which\n"
+"are normally reserved for the expert user."
+msgstr ""
+
+#: help.pm:768
+#, c-format
+msgid "GRUB"
+msgstr "GRUB"
+
+#: help.pm:768
+#, c-format
+msgid "/dev/hda"
+msgstr ""
+
+#: help.pm:768
+#, c-format
+msgid "/dev/hdb"
+msgstr ""
+
+#: help.pm:768
+#, c-format
+msgid "/dev/fd0"
+msgstr "/dev/fd0"
+
+#: help.pm:768
+#, c-format
+msgid "Delay before booting the default image"
+msgstr ""
+
+#: help.pm:768
+#, fuzzy, c-format
+msgid "Force no APIC"
+msgstr "Хүчээр APIC гүй"
+
+#: help.pm:771
+#, c-format
+msgid ""
+"After you have configured the general bootloader parameters, the list of\n"
+"boot options that will be available at boot time will be displayed.\n"
+"\n"
+"If there are other operating systems installed on your machine they will\n"
+"automatically be added to the boot menu. You can fine-tune the existing\n"
+"options by clicking \"%s\" to create a new entry; selecting an entry and\n"
+"clicking \"%s\" or \"%s\" to modify or remove it. \"%s\" validates your\n"
+"changes.\n"
+"\n"
+"You may also not want to give access to these other operating systems to\n"
+"anyone who goes to the console and reboots the machine. You can delete the\n"
+"corresponding entries for the operating systems to remove them from the\n"
+"bootloader menu, but you will need a boot disk in order to boot those other\n"
+"operating systems!"
+msgstr ""
+
+#: help.pm:784 interactive.pm:295 interactive/gtk.pm:480
+#: standalone/drakbackup:1843 standalone/drakfont:586 standalone/drakfont:649
+#: standalone/drakvpn:329 standalone/drakvpn:690
+#, fuzzy, c-format
+msgid "Add"
+msgstr "Нэмэх"
+
+#: help.pm:784 interactive.pm:295 interactive/gtk.pm:480
+#, c-format
+msgid "Modify"
+msgstr "Өөрчлөх"
+
+#: help.pm:784 interactive.pm:295 interactive/gtk.pm:480
+#: standalone/drakvpn:329 standalone/drakvpn:690
+#, fuzzy, c-format
+msgid "Remove"
+msgstr "Устгах"
+
+#: help.pm:787
+#, fuzzy, c-format
+msgid ""
+"LILO and GRUB are GNU/Linux bootloaders. Normally, this stage is totally\n"
+"automated. DrakX will analyze the disk boot sector and act according to\n"
+"what it finds there:\n"
+"\n"
+" * if a Windows boot sector is found, it will replace it with a GRUB/LILO\n"
+"boot sector. This way you will be able to load either GNU/Linux or any\n"
+"other OS installed on your machine.\n"
+"\n"
+" * if a GRUB or LILO boot sector is found, it will replace it with a new\n"
+"one.\n"
+"\n"
+"If it cannot make a determination, DrakX will ask you where to place the\n"
+"bootloader. Generally, the \"%s\" is the safest place. Choosing \"%s\"\n"
+"won't install any bootloader. Use it only if you know what you are doing."
+msgstr ""
+"бол г\n"
+" Цонхнууд бол вы ачаалах г\n"
+" бол шинэ байхгүй г вы."
+
+#: help.pm:803
+#, fuzzy, c-format
+msgid ""
+"Now, it's time to select a printing system for your computer. Other OSs may\n"
+"offer you one, but Mandrake Linux offers two. Each of the printing systems\n"
+"is best suited to particular types of configuration.\n"
+"\n"
+" * \"%s\" -- which is an acronym for ``print, don't queue'', is the choice\n"
+"if you have a direct connection to your printer, you want to be able to\n"
+"panic out of printer jams, and you do not have networked printers. (\"%s\"\n"
+"will handle only very simple network cases and is somewhat slow when used\n"
+"with networks.) It's recommended that you use \"pdq\" if this is your first\n"
+"experience with GNU/Linux.\n"
+"\n"
+" * \"%s\" - `` Common Unix Printing System'', is an excellent choice for\n"
+"printing to your local printer or to one halfway around the planet. It is\n"
+"simple to configure and can act as a server or a client for the ancient\n"
+"\"lpd \" printing system, so it is compatible with older operating systems\n"
+"which may still need print services. While quite powerful, the basic setup\n"
+"is almost as easy as \"pdq\". If you need to emulate a \"lpd\" server, make\n"
+"sure you turn on the \"cups-lpd \" daemon. \"%s\" includes graphical\n"
+"front-ends for printing or choosing printer options and for managing the\n"
+"printer.\n"
+"\n"
+"If you make a choice now, and later find that you don't like your printing\n"
+"system you may change it by running PrinterDrake from the Mandrake Control\n"
+"Center and clicking the expert button."
+msgstr ""
+"с Бусад вы туг аас аас г\n"
+" с бол бол вы вы аас вы с бол с вы бол г\n"
+" с Хэвлэх Систем бол бол г вы вы с г вы вы вы Контрол."
+
+#: help.pm:826
+#, c-format
+msgid "pdq"
+msgstr ""
+
+#: help.pm:826 printer/cups.pm:99 printer/data.pm:82
+#, c-format
+msgid "CUPS"
+msgstr "CUPS"
+
+#: help.pm:829
+#, fuzzy, c-format
+msgid ""
+"DrakX will first detect any IDE devices present in your computer. It will\n"
+"also scan for one or more PCI SCSI cards on your system. If a SCSI card is\n"
+"found, DrakX will automatically install the appropriate driver.\n"
+"\n"
+"Because hardware detection is not foolproof, DrakX may fail in detecting\n"
+"your hard drives. If so, you'll have to specify your hardware by hand.\n"
+"\n"
+"If you had to manually specify your PCI SCSI adapter, DrakX will ask if you\n"
+"want to configure options for it. You should allow DrakX to probe the\n"
+"hardware for the card-specific options which are needed to initialize the\n"
+"adapter. Most of the time, DrakX will get through this step without any\n"
+"issues.\n"
+"\n"
+"If DrakX is not able to probe for the options to automatically determine\n"
+"which parameters need to be passed to the hardware, you'll need to manually\n"
+"configure the driver."
+msgstr "ямх бол г бол ямх вы г вы вы Та аас г бол вы."
+
+#: help.pm:847
+#, fuzzy, c-format
+msgid ""
+"You can add additional entries in yaboot for other operating systems,\n"
+"alternate kernels, or for an emergency boot image.\n"
+"\n"
+"For other OSs, the entry consists only of a label and the \"root\"\n"
+"partition.\n"
+"\n"
+"For Linux, there are a few possible options:\n"
+"\n"
+" * Label: this is the name you will have to type at the yaboot prompt to\n"
+"select this boot option.\n"
+"\n"
+" * Image: this is the name of the kernel to boot. Typically, vmlinux or a\n"
+"variation of vmlinux with an extension.\n"
+"\n"
+" * Root: the \"root\" device or ``/'' for your Linux installation.\n"
+"\n"
+" * Append: on Apple hardware, the kernel append option is often used to\n"
+"assist in initializing video hardware, or to enable keyboard mouse button\n"
+"emulation for the missing 2nd and 3rd mouse buttons on a stock Apple mouse.\n"
+"The following are some examples:\n"
+"\n"
+" \t video=aty128fb:vmode:17,cmode:32,mclk:71 adb_buttons=103,111\n"
+"hda=autotune\n"
+"\n"
+" \t video=atyfb:vmode:12,cmode:24 adb_buttons=103,111\n"
+"\n"
+" * Initrd: this option can be used either to load initial modules before\n"
+"the boot device is available, or to load a ramdisk image for an emergency\n"
+"boot situation.\n"
+"\n"
+" * Initrd-size: the default ramdisk size is generally 4096 Kbytes. If you\n"
+"need to allocate a large ramdisk, this option can be used to specify a\n"
+"ramdisk larger than the default.\n"
+"\n"
+" * Read-write: normally the \"root\" partition is initially mounted as\n"
+"read-only, to allow a file system check before the system becomes ``live''.\n"
+"You can override the default with this option.\n"
+"\n"
+" * NoVideo: should the Apple video hardware prove to be exceptionally\n"
+"problematic, you can select this option to boot in ``novideo'' mode, with\n"
+"native frame buffer support.\n"
+"\n"
+" * Default: selects this entry as being the default Linux selection,\n"
+"selectable by pressing ENTER at the yaboot prompt. This entry will also be\n"
+"highlighted with a ``*'' if you press [Tab] to see the boot selections."
+msgstr ""
+"Та ямх бусад Зураг г бусад аас Бичээс г г\n"
+" Тэмдэг бол нэр вы төрөл г\n"
+" Зураг бол нэр аас аас г\n"
+" Эзэн г\n"
+" бол ямх г\n"
+" г\n"
+" г\n"
+" ачаалах бол ачаалах Зураг г\n"
+" хэмжээ хэмжээ бол вы г\n"
+" Унших бол г\n"
+" вы ямх горим хүрээ г\n"
+" Стандарт вы."
+
+#: help.pm:894
+#, fuzzy, c-format
+msgid ""
+"Yaboot is a bootloader for NewWorld Macintosh hardware and can be used to\n"
+"boot GNU/Linux, MacOS or MacOSX. Normally, MacOS and MacOSX are correctly\n"
+"detected and installed in the bootloader menu. If this is not the case, you\n"
+"can add an entry by hand in this screen. Take care to choose the correct\n"
+"parameters.\n"
+"\n"
+"Yaboot's main options are:\n"
+"\n"
+" * Init Message: a simple text message displayed before the boot prompt.\n"
+"\n"
+" * Boot Device: indicates where you want to place the information required\n"
+"to boot to GNU/Linux. Generally, you set up a bootstrap partition earlier\n"
+"to hold this information.\n"
+"\n"
+" * Open Firmware Delay: unlike LILO, there are two delays available with\n"
+"yaboot. The first delay is measured in seconds and at this point, you can\n"
+"choose between CD, OF boot, MacOS or Linux;\n"
+"\n"
+" * Kernel Boot Timeout: this timeout is similar to the LILO boot delay.\n"
+"After selecting Linux, you will have this delay in 0.1 second increments\n"
+"before your default kernel description is selected;\n"
+"\n"
+" * Enable CD Boot?: checking this option allows you to choose ``C'' for CD\n"
+"at the first boot prompt.\n"
+"\n"
+" * Enable OF Boot?: checking this option allows you to choose ``N'' for\n"
+"Open Firmware at the first boot prompt.\n"
+"\n"
+" * Default OS: you can select which OS will boot by default when the Open\n"
+"Firmware Delay expires."
+msgstr ""
+"бол ямх Цэс бол вы ямх г с г\n"
+" Мэдээ текст г\n"
+" Төхөөрөмж вы вы г\n"
+" Нээх туг бол ямх секунд Цэг вы CD г\n"
+" бол вы ямх секунд Тодорхойлолт бол г\n"
+" Нээх CD вы CD г\n"
+" Нээх вы N г\n"
+" Стандарт вы Нээх."
+
+#: help.pm:926
+#, fuzzy, c-format
+msgid ""
+"\"%s\": if a sound card is detected on your system, it is displayed here.\n"
+"If you notice the sound card displayed is not the one that is actually\n"
+"present on your system, you can click on the button and choose another\n"
+"driver."
+msgstr "с бол бол вы бол бол вы."
+
+#: help.pm:929 help.pm:991 install_steps_interactive.pm:962
+#: install_steps_interactive.pm:979
+#, c-format
+msgid "Sound card"
+msgstr "Дууны карт"
+
+#: help.pm:932
+#, fuzzy, c-format
+msgid ""
+"As a review, DrakX will present a summary of information it has about your\n"
+"system. Depending on your installed hardware, you may have some or all of\n"
+"the following entries. Each entry is made up of the configuration item to\n"
+"be configured, followed by a quick summary of the current configuration.\n"
+"Click on the corresponding \"%s\" button to change that.\n"
+"\n"
+" * \"%s\": check the current keyboard map configuration and change it if\n"
+"necessary.\n"
+"\n"
+" * \"%s\": check the current country selection. If you are not in this\n"
+"country, click on the \"%s\" button and choose another one. If your country\n"
+"is not in the first list shown, click the \"%s\" button to get the complete\n"
+"country list.\n"
+"\n"
+" * \"%s\": By default, DrakX deduces your time zone based on the country\n"
+"you have chosen. You can click on the \"%s\" button here if this is not\n"
+"correct.\n"
+"\n"
+" * \"%s\": check the current mouse configuration and click on the button to\n"
+"change it if necessary.\n"
+"\n"
+" * \"%s\": clicking on the \"%s\" button will open the printer\n"
+"configuration wizard. Consult the corresponding chapter of the ``Starter\n"
+"Guide'' for more information on how to setup a new printer. The interface\n"
+"presented there is similar to the one used during installation.\n"
+"\n"
+" * \"%s\": if a sound card is detected on your system, it is displayed\n"
+"here. If you notice the sound card displayed is not the one that is\n"
+"actually present on your system, you can click on the button and choose\n"
+"another driver.\n"
+"\n"
+" * \"%s\": by default, DrakX configures your graphical interface in\n"
+"\"800x600\" or \"1024x768\" resolution. If that does not suit you, click on\n"
+"\"%s\" to reconfigure your graphical interface.\n"
+"\n"
+" * \"%s\": if a TV card is detected on your system, it is displayed here.\n"
+"If you have a TV card and it is not detected, click on \"%s\" to try to\n"
+"configure it manually.\n"
+"\n"
+" * \"%s\": if an ISDN card is detected on your system, it will be displayed\n"
+"here. You can click on \"%s\" to change the parameters associated with the\n"
+"card.\n"
+"\n"
+" * \"%s\": If you wish to configure your Internet or local network access\n"
+"now.\n"
+"\n"
+" * \"%s\": this entry allows you to redefine the security level as set in a\n"
+"previous step ().\n"
+"\n"
+" * \"%s\": if you plan to connect your machine to the Internet, it's a good\n"
+"idea to protect yourself from intrusions by setting up a firewall. Consult\n"
+"the corresponding section of the ``Starter Guide'' for details about\n"
+"firewall settings.\n"
+"\n"
+" * \"%s\": if you wish to change your bootloader configuration, click that\n"
+"button. This should be reserved to advanced users.\n"
+"\n"
+" * \"%s\": here you'll be able to fine control which services will be run\n"
+"on your machine. If you plan to use this machine as a server it's a good\n"
+"idea to review this setup."
+msgstr ""
+"аас вы аас бол аас аас с г\n"
+" с г\n"
+" с вы ямх с ямх жигсаалт с жигсаалт г\n"
+" с Та с бол г\n"
+" с г\n"
+" с с аас шинэ бол г\n"
+" с бол бол вы бол бол вы г\n"
+" с ямх г вы г с г\n"
+" с бол бол вы бол с г\n"
+" с ИСДН(ISDN) бол Та с г\n"
+" с вы Интернэт г\n"
+" с вы ямх г\n"
+" с вы Интернэт с аас г\n"
+" с вы хэрэглэгчид г\n"
+" с вы вы с."
+
+#: help.pm:991 install_steps_interactive.pm:110
+#: install_steps_interactive.pm:899 standalone/keyboarddrake:23
+#, fuzzy, c-format
+msgid "Keyboard"
+msgstr "Гар"
+
+#: help.pm:991 install_steps_interactive.pm:921
+#, c-format
+msgid "Timezone"
+msgstr "Цагийн бүс"
+
+#: help.pm:991
+#, c-format
+msgid "Graphical Interface"
+msgstr ""
+
+#: help.pm:991 install_steps_interactive.pm:995
+#, c-format
+msgid "TV card"
+msgstr ""
+
+#: help.pm:991
+#, fuzzy, c-format
+msgid "ISDN card"
+msgstr "ИСДН(ISDN)"
+
+#: help.pm:991 install_steps_interactive.pm:1013 standalone/drakbackup:2394
+#, fuzzy, c-format
+msgid "Network"
+msgstr "Сүлжээ"
+
+#: help.pm:991 install_steps_interactive.pm:1039
+#, fuzzy, c-format
+msgid "Security Level"
+msgstr "Хамгаалалт"
+
+#: help.pm:991 install_steps_interactive.pm:1053
+#, c-format
+msgid "Firewall"
+msgstr ""
+
+#: help.pm:991 install_steps_interactive.pm:1067
+#, c-format
+msgid "Bootloader"
+msgstr ""
+
+#: help.pm:991 install_steps_interactive.pm:1077 services.pm:195
+#, c-format
+msgid "Services"
+msgstr ""
+
+#: help.pm:994
+#, c-format
+msgid ""
+"Choose the hard drive you want to erase in order to install your new\n"
+"Mandrake Linux partition. Be careful, all data on this drive will be lost\n"
+"and will not be recoverable!"
+msgstr ""
+
+#: help.pm:999
+#, fuzzy, c-format
+msgid ""
+"Click on \"%s\" if you want to delete all data and partitions present on\n"
+"this hard drive. Be careful, after clicking on \"%s\", you will not be able\n"
+"to recover any data and partitions present on this hard drive, including\n"
+"any Windows data.\n"
+"\n"
+"Click on \"%s\" to quit this operation without losing data and partitions\n"
+"present on this hard drive."
+msgstr "с вы с вы Цонхнууд г с."
+
+#: install2.pm:119
+#, fuzzy, c-format
+msgid ""
+"Can't access kernel modules corresponding to your kernel (file %s is "
+"missing), this generally means your boot floppy in not in sync with the "
+"Installation medium (please create a newer boot floppy)"
+msgstr "с бол ямх ямх"
+
+#: install2.pm:169
+#, fuzzy, c-format
+msgid "You must also format %s"
+msgstr "Та"
+
+#: install_any.pm:413
+#, fuzzy, c-format
+msgid ""
+"You have selected the following server(s): %s\n"
+"\n"
+"\n"
+"These servers are activated by default. They don't have any known security\n"
+"issues, but some new ones could be found. In that case, you must make sure\n"
+"to upgrade as soon as possible.\n"
+"\n"
+"\n"
+"Do you really want to install these servers?\n"
+msgstr "Та с с г г шинэ Томоор вы г г вы"
+
+#: install_any.pm:434
+#, fuzzy, c-format
+msgid ""
+"The following packages will be removed to allow upgrading your system: %s\n"
+"\n"
+"\n"
+"Do you really want to remove these packages?\n"
+msgstr "с г г вы"
+
+#: install_any.pm:812
+#, fuzzy, c-format
+msgid "Insert a FAT formatted floppy in drive %s"
+msgstr "Оруулах ямх"
+
+#: install_any.pm:816
+#, fuzzy, c-format
+msgid "This floppy is not FAT formatted"
+msgstr "бол"
+
+#: install_any.pm:828
+#, fuzzy, c-format
+msgid ""
+"To use this saved packages selection, boot installation with ``linux "
+"defcfg=floppy''"
+msgstr "тийш"
+
+#: install_any.pm:856 partition_table.pm:845
+#, fuzzy, c-format
+msgid "Error reading file %s"
+msgstr "Алдаа"
+
+#: install_any.pm:973
+#, fuzzy, c-format
+msgid ""
+"An error occurred - no valid devices were found on which to create new "
+"filesystems. Please check your hardware for the cause of this problem"
+msgstr "үгүй шинэ аас"
+
+#: install_gtk.pm:161
+#, fuzzy, c-format
+msgid "System installation"
+msgstr "Систем"
+
+#: install_gtk.pm:164
+#, fuzzy, c-format
+msgid "System configuration"
+msgstr "Систем"
+
+#: install_interactive.pm:22
+#, fuzzy, c-format
+msgid ""
+"Some hardware on your computer needs ``proprietary'' drivers to work.\n"
+"You can find some information about them at: %s"
+msgstr "Нээх"
+
+#: install_interactive.pm:62
+#, fuzzy, c-format
+msgid ""
+"You must have a root partition.\n"
+"For this, create a partition (or click on an existing one).\n"
+"Then choose action ``Mount point'' and set it to `/'"
+msgstr "Та Дискийн төхөөрөмж холбох Цэг"
+
+#: install_interactive.pm:67
+#, fuzzy, c-format
+msgid ""
+"You don't have a swap partition.\n"
+"\n"
+"Continue anyway?"
+msgstr "Та г?"
+
+#: install_interactive.pm:70 install_steps.pm:206
+#, fuzzy, c-format
+msgid "You must have a FAT partition mounted in /boot/efi"
+msgstr "Та ямх"
+
+#: install_interactive.pm:97
+#, c-format
+msgid "Not enough free space to allocate new partitions"
+msgstr "Шинэ хуваалтуудыг хуваарилахад хангалттай зай байхгүй"
+
+#: install_interactive.pm:105
+#, c-format
+msgid "Use existing partitions"
+msgstr ""
+
+#: install_interactive.pm:107
+#, c-format
+msgid "There is no existing partition to use"
+msgstr "Энд хэрэглэх ямар нэгэн хуваалт алга"
+
+#: install_interactive.pm:114
+#, fuzzy, c-format
+msgid "Use the Windows partition for loopback"
+msgstr "Цонхнууд"
+
+#: install_interactive.pm:117
+#, c-format
+msgid "Which partition do you want to use for Linux4Win?"
+msgstr "Linux4Win-ийн хувьд ямар хуваалт хэрэглэхийг та хүсэж байна?"
+
+#: install_interactive.pm:119
+#, c-format
+msgid "Choose the sizes"
+msgstr "Хэмжээнүүдийг сонго"
+
+#: install_interactive.pm:120
+#, c-format
+msgid "Root partition size in MB: "
+msgstr "Суурь хуваалын хэмжээ МБ-р:"
+
+#: install_interactive.pm:121
+#, fuzzy, c-format
+msgid "Swap partition size in MB: "
+msgstr "Солилт хэмжээ ямх МБ "
+
+#: install_interactive.pm:130
+#, fuzzy, c-format
+msgid "There is no FAT partition to use as loopback (or not enough space left)"
+msgstr "бол үгүй зүүн"
+
+#: install_interactive.pm:139
+#, fuzzy, c-format
+msgid "Which partition do you want to resize?"
+msgstr "вы?"
+
+#: install_interactive.pm:153
+#, fuzzy, c-format
+msgid ""
+"The FAT resizer is unable to handle your partition, \n"
+"the following error occured: %s"
+msgstr "бол"
+
+#: install_interactive.pm:156
+#, fuzzy, c-format
+msgid "Computing the size of the Windows partition"
+msgstr "хэмжээ аас Цонхнууд"
+
+#: install_interactive.pm:163
+#, fuzzy, c-format
+msgid ""
+"Your Windows partition is too fragmented. Please reboot your computer under "
+"Windows, run the ``defrag'' utility, then restart the Mandrake Linux "
+"installation."
+msgstr "Цонхнууд бол Цонхнууд."
+
+#: install_interactive.pm:164
+#, fuzzy, c-format
+msgid ""
+"WARNING!\n"
+"\n"
+"DrakX will now resize your Windows partition. Be careful: this\n"
+"operation is dangerous. If you have not already done so, you\n"
+"first need to exit the installation, run \"chkdsk c:\" from a\n"
+"Command Prompt under Windows (beware, running graphical program\n"
+"\"scandisk\" is not enough, be sure to use \"chkdsk\" in a\n"
+"Command Prompt!), optionally run defrag, then restart the\n"
+"installation. You should also backup your data.\n"
+"When sure, press Ok."
+msgstr "АНХААРУУЛГА г Цонхнууд бол вы Хийгдсэн вы Цонхнууд Та Ок."
+
+#: install_interactive.pm:176
+#, fuzzy, c-format
+msgid "Which size do you want to keep for Windows on"
+msgstr "хэмжээ вы Цонхнууд"
+
+#: install_interactive.pm:177
+#, c-format
+msgid "partition %s"
+msgstr ""
+
+#: install_interactive.pm:186
+#, fuzzy, c-format
+msgid "Resizing Windows partition"
+msgstr "Цонхнууд"
+
+#: install_interactive.pm:191
+#, c-format
+msgid "FAT resizing failed: %s"
+msgstr "FAT хэмжээ өөрчлөлт бүтэлгүйтэв: %s"
+
+#: install_interactive.pm:206
+#, fuzzy, c-format
+msgid "There is no FAT partition to resize (or not enough space left)"
+msgstr "бол үгүй зүүн"
+
+#: install_interactive.pm:211
+#, c-format
+msgid "Remove Windows(TM)"
+msgstr "Виндоусыг (ХТ) устгах"
+
+#: install_interactive.pm:213
+#, fuzzy, c-format
+msgid "You have more than one hard drive, which one do you install linux on?"
+msgstr "Та вы?"
+
+#: install_interactive.pm:217
+#, fuzzy, c-format
+msgid "ALL existing partitions and their data will be lost on drive %s"
+msgstr "Нээх"
+
+#: install_interactive.pm:230
+#, c-format
+msgid "Use fdisk"
+msgstr ""
+
+#: install_interactive.pm:233
+#, fuzzy, c-format
+msgid ""
+"You can now partition %s.\n"
+"When you are done, don't forget to save using `w'"
+msgstr "Та с вы Хийгдсэн"
+
+#: install_interactive.pm:269
+#, fuzzy, c-format
+msgid "I can't find any room for installing"
+msgstr "I"
+
+#: install_interactive.pm:273
+#, c-format
+msgid "The DrakX Partitioning wizard found the following solutions:"
+msgstr ""
+
+#: install_interactive.pm:279
+#, c-format
+msgid "Partitioning failed: %s"
+msgstr ""
+
+#: install_interactive.pm:286
+#, c-format
+msgid "Bringing up the network"
+msgstr ""
+
+#: install_interactive.pm:291
+#, c-format
+msgid "Bringing down the network"
+msgstr ""
+
+#: install_messages.pm:9
+#, c-format
+msgid ""
+"Introduction\n"
+"\n"
+"The operating system and the different components available in the Mandrake "
+"Linux distribution \n"
+"shall be called the \"Software Products\" hereafter. The Software Products "
+"include, but are not \n"
+"restricted to, the set of programs, methods, rules and documentation related "
+"to the operating \n"
+"system and the different components of the Mandrake Linux distribution.\n"
+"\n"
+"\n"
+"1. License Agreement\n"
+"\n"
+"Please read this document carefully. This document is a license agreement "
+"between you and \n"
+"MandrakeSoft S.A. which applies to the Software Products.\n"
+"By installing, duplicating or using the Software Products in any manner, you "
+"explicitly \n"
+"accept and fully agree to conform to the terms and conditions of this "
+"License. \n"
+"If you disagree with any portion of the License, you are not allowed to "
+"install, duplicate or use \n"
+"the Software Products. \n"
+"Any attempt to install, duplicate or use the Software Products in a manner "
+"which does not comply \n"
+"with the terms and conditions of this License is void and will terminate "
+"your rights under this \n"
+"License. Upon termination of the License, you must immediately destroy all "
+"copies of the \n"
+"Software Products.\n"
+"\n"
+"\n"
+"2. Limited Warranty\n"
+"\n"
+"The Software Products and attached documentation are provided \"as is\", "
+"with no warranty, to the \n"
+"extent permitted by law.\n"
+"MandrakeSoft S.A. will, in no circumstances and to the extent permitted by "
+"law, be liable for any special,\n"
+"incidental, direct or indirect damages whatsoever (including without "
+"limitation damages for loss of \n"
+"business, interruption of business, financial loss, legal fees and penalties "
+"resulting from a court \n"
+"judgment, or any other consequential loss) arising out of the use or "
+"inability to use the Software \n"
+"Products, even if MandrakeSoft S.A. has been advised of the possibility or "
+"occurence of such \n"
+"damages.\n"
+"\n"
+"LIMITED LIABILITY LINKED TO POSSESSING OR USING PROHIBITED SOFTWARE IN SOME "
+"COUNTRIES\n"
+"\n"
+"To the extent permitted by law, MandrakeSoft S.A. or its distributors will, "
+"in no circumstances, be \n"
+"liable for any special, incidental, direct or indirect damages whatsoever "
+"(including without \n"
+"limitation damages for loss of business, interruption of business, financial "
+"loss, legal fees \n"
+"and penalties resulting from a court judgment, or any other consequential "
+"loss) arising out \n"
+"of the possession and use of software components or arising out of "
+"downloading software components \n"
+"from one of Mandrake Linux sites which are prohibited or restricted in some "
+"countries by local laws.\n"
+"This limited liability applies to, but is not restricted to, the strong "
+"cryptography components \n"
+"included in the Software Products.\n"
+"\n"
+"\n"
+"3. The GPL License and Related Licenses\n"
+"\n"
+"The Software Products consist of components created by different persons or "
+"entities. Most \n"
+"of these components are governed under the terms and conditions of the GNU "
+"General Public \n"
+"Licence, hereafter called \"GPL\", or of similar licenses. Most of these "
+"licenses allow you to use, \n"
+"duplicate, adapt or redistribute the components which they cover. Please "
+"read carefully the terms \n"
+"and conditions of the license agreement for each component before using any "
+"component. Any question \n"
+"on a component license should be addressed to the component author and not "
+"to MandrakeSoft.\n"
+"The programs developed by MandrakeSoft S.A. are governed by the GPL License. "
+"Documentation written \n"
+"by MandrakeSoft S.A. is governed by a specific license. Please refer to the "
+"documentation for \n"
+"further details.\n"
+"\n"
+"\n"
+"4. Intellectual Property Rights\n"
+"\n"
+"All rights to the components of the Software Products belong to their "
+"respective authors and are \n"
+"protected by intellectual property and copyright laws applicable to software "
+"programs.\n"
+"MandrakeSoft S.A. reserves its rights to modify or adapt the Software "
+"Products, as a whole or in \n"
+"parts, by all means and for all purposes.\n"
+"\"Mandrake\", \"Mandrake Linux\" and associated logos are trademarks of "
+"MandrakeSoft S.A. \n"
+"\n"
+"\n"
+"5. Governing Laws \n"
+"\n"
+"If any portion of this agreement is held void, illegal or inapplicable by a "
+"court judgment, this \n"
+"portion is excluded from this contract. You remain bound by the other "
+"applicable sections of the \n"
+"agreement.\n"
+"The terms and conditions of this License are governed by the Laws of "
+"France.\n"
+"All disputes on the terms of this license will preferably be settled out of "
+"court. As a last \n"
+"resort, the dispute will be referred to the appropriate Courts of Law of "
+"Paris - France.\n"
+"For any question on this document, please contact MandrakeSoft S.A. \n"
+msgstr ""
+
+#: install_messages.pm:89
+#, c-format
+msgid ""
+"Warning: Free Software may not necessarily be patent free, and some Free\n"
+"Software included may be covered by patents in your country. For example, "
+"the\n"
+"MP3 decoders included may require a licence for further usage (see\n"
+"http://www.mp3licensing.com for more details). If you are unsure if a "
+"patent\n"
+"may be applicable to you, check your local laws."
+msgstr ""
+
+#: install_messages.pm:96
+#, fuzzy, c-format
+msgid ""
+"\n"
+"Warning\n"
+"\n"
+"Please read carefully the terms below. If you disagree with any\n"
+"portion, you are not allowed to install the next CD media. Press 'Refuse' \n"
+"to continue the installation without using these media.\n"
+"\n"
+"\n"
+"Some components contained in the next CD media are not governed\n"
+"by the GPL License or similar agreements. Each such component is then\n"
+"governed by the terms and conditions of its own specific license. \n"
+"Please read carefully and comply with such specific licenses before \n"
+"you use or redistribute the said components. \n"
+"Such licenses will in general prevent the transfer, duplication \n"
+"(except for backup purposes), redistribution, reverse engineering, \n"
+"de-assembly, de-compilation or modification of the component. \n"
+"Any breach of agreement will immediately terminate your rights under \n"
+"the specific license. Unless the specific license terms grant you such\n"
+"rights, you usually cannot install the programs on more than one\n"
+"system, or adapt it to be used on a network. In doubt, please contact \n"
+"directly the distributor or editor of the component. \n"
+"Transfer to third parties or copying of such components including the \n"
+"documentation is usually forbidden.\n"
+"\n"
+"\n"
+"All rights to the components of the next CD media belong to their \n"
+"respective authors and are protected by intellectual property and \n"
+"copyright laws applicable to software programs.\n"
+msgstr ""
+"г вы вы CD г г ямх CD Бүрдэл хэсэг бол аас ямх ерөнхий г аас Бүрдэл хэсэг "
+"аас вы вы Томоор аас Бүрдэл хэсэг аас бол г г аас CD"
+
+#: install_messages.pm:128
+#, fuzzy, c-format
+msgid ""
+"Congratulations, installation is complete.\n"
+"Remove the boot media and press return to reboot.\n"
+"\n"
+"\n"
+"For information on fixes which are available for this release of Mandrake "
+"Linux,\n"
+"consult the Errata available from:\n"
+"\n"
+"\n"
+"%s\n"
+"\n"
+"\n"
+"Information on configuring your system is available in the post\n"
+"install chapter of the Official Mandrake Linux User's Guide."
+msgstr "бол г г аас г г г с г г бол ямх аас Хэрэглэгч с."
+
+#: install_messages.pm:141
+#, c-format
+msgid "http://www.mandrakelinux.com/en/100errata.php3"
+msgstr "http://www.mandrakelinux.com/en/100errata.php3"
+
+#: install_steps.pm:241
+#, fuzzy, c-format
+msgid "Duplicate mount point %s"
+msgstr "Цэг"
+
+#: install_steps.pm:410
+#, fuzzy, c-format
+msgid ""
+"Some important packages didn't get installed properly.\n"
+"Either your cdrom drive or your cdrom is defective.\n"
+"Check the cdrom on an installed computer using \"rpm -qpl Mandrake/RPMS/*.rpm"
+"\"\n"
+msgstr "бол"
+
+#: install_steps.pm:541
+#, fuzzy, c-format
+msgid "No floppy drive available"
+msgstr "Үгүй"
+
+#: install_steps_auto_install.pm:76 install_steps_stdio.pm:27
+#, fuzzy, c-format
+msgid "Entering step `%s'\n"
+msgstr "с"
+
+#: install_steps_gtk.pm:178
+#, fuzzy, c-format
+msgid ""
+"Your system is low on resources. You may have some problem installing\n"
+"Mandrake Linux. If that occurs, you can try a text install instead. For "
+"this,\n"
+"press `F1' when booting on CDROM, then enter `text'."
+msgstr "бол Та вы текст текст."
+
+#: install_steps_gtk.pm:232 install_steps_interactive.pm:587
+#, fuzzy, c-format
+msgid "Package Group Selection"
+msgstr "Пакет Групп"
+
+#: install_steps_gtk.pm:292 install_steps_interactive.pm:519
+#, fuzzy, c-format
+msgid "Total size: %d / %d MB"
+msgstr "Нийт хэмжээ"
+
+#: install_steps_gtk.pm:338
+#, c-format
+msgid "Bad package"
+msgstr "Тааруухан багц"
+
+#: install_steps_gtk.pm:340
+#, fuzzy, c-format
+msgid "Version: "
+msgstr "Хувилбар с"
+
+#: install_steps_gtk.pm:341
+#, fuzzy, c-format
+msgid "Size: "
+msgstr "Хэмжээ: %s"
+
+#: install_steps_gtk.pm:341
+#, fuzzy, c-format
+msgid "%d KB\n"
+msgstr "Хэмжээ КБ"
+
+#: install_steps_gtk.pm:342
+#, fuzzy, c-format
+msgid "Importance: "
+msgstr "с"
+
+#: install_steps_gtk.pm:375
+#, fuzzy, c-format
+msgid "You can't select/unselect this package"
+msgstr "Та"
+
+#: install_steps_gtk.pm:379
+#, c-format
+msgid "due to missing %s"
+msgstr ""
+
+#: install_steps_gtk.pm:380
+#, c-format
+msgid "due to unsatisfied %s"
+msgstr ""
+
+#: install_steps_gtk.pm:381
+#, c-format
+msgid "trying to promote %s"
+msgstr ""
+
+#: install_steps_gtk.pm:382
+#, c-format
+msgid "in order to keep %s"
+msgstr ""
+
+#: install_steps_gtk.pm:387
+#, fuzzy, c-format
+msgid ""
+"You can't select this package as there is not enough space left to install it"
+msgstr "Та бол зүүн"
+
+#: install_steps_gtk.pm:390
+#, c-format
+msgid "The following packages are going to be installed"
+msgstr "Дараах багцууд суулгагдах гэж байна"
+
+#: install_steps_gtk.pm:391
+#, c-format
+msgid "The following packages are going to be removed"
+msgstr ""
+
+#: install_steps_gtk.pm:415
+#, c-format
+msgid "This is a mandatory package, it can't be unselected"
+msgstr ""
+
+#: install_steps_gtk.pm:417
+#, fuzzy, c-format
+msgid "You can't unselect this package. It is already installed"
+msgstr "Та бол"
+
+#: install_steps_gtk.pm:420
+#, fuzzy, c-format
+msgid ""
+"This package must be upgraded.\n"
+"Are you sure you want to deselect it?"
+msgstr "вы вы?"
+
+#: install_steps_gtk.pm:423
+#, fuzzy, c-format
+msgid "You can't unselect this package. It must be upgraded"
+msgstr "Та"
+
+#: install_steps_gtk.pm:428
+#, c-format
+msgid "Show automatically selected packages"
+msgstr "Автоматаар сонгогдсон багцуудыг харуулах"
+
+#: install_steps_gtk.pm:433
+#, c-format
+msgid "Load/Save on floppy"
+msgstr "Уян дискэнд Ачаалах/Хадгалах"
+
+#: install_steps_gtk.pm:434
+#, c-format
+msgid "Updating package selection"
+msgstr ""
+
+#: install_steps_gtk.pm:439
+#, c-format
+msgid "Minimal install"
+msgstr ""
+
+#: install_steps_gtk.pm:453 install_steps_interactive.pm:427
+#, c-format
+msgid "Choose the packages you want to install"
+msgstr "Сонгохыг хүсэж буй багцаа сонгоно уу"
+
+#: install_steps_gtk.pm:469 install_steps_interactive.pm:673
+#, c-format
+msgid "Installing"
+msgstr ""
+
+#: install_steps_gtk.pm:475
+#, fuzzy, c-format
+msgid "No details"
+msgstr "Үгүй"
+
+#: install_steps_gtk.pm:476
+#, c-format
+msgid "Estimating"
+msgstr ""
+
+#: install_steps_gtk.pm:482
+#, c-format
+msgid "Time remaining "
+msgstr "Үлдэж буй хугацаа"
+
+#: install_steps_gtk.pm:494
+#, c-format
+msgid "Please wait, preparing installation..."
+msgstr ""
+
+#: install_steps_gtk.pm:555
+#, c-format
+msgid "%d packages"
+msgstr ""
+
+#: install_steps_gtk.pm:560
+#, c-format
+msgid "Installing package %s"
+msgstr ""
+
+#: install_steps_gtk.pm:596 install_steps_interactive.pm:88
+#: install_steps_interactive.pm:697
+#, c-format
+msgid "Refuse"
+msgstr ""
+
+#: install_steps_gtk.pm:597 install_steps_interactive.pm:698
+#, fuzzy, c-format
+msgid ""
+"Change your Cd-Rom!\n"
+"\n"
+"Please insert the Cd-Rom labelled \"%s\" in your drive and press Ok when "
+"done.\n"
+"If you don't have it, press Cancel to avoid installation from this Cd-Rom."
+msgstr "Өөрчилөх г с ямх Ок Хийгдсэн вы Хүчингүй."
+
+#: install_steps_gtk.pm:612 install_steps_interactive.pm:710
+#, c-format
+msgid "There was an error ordering packages:"
+msgstr ""
+
+#: install_steps_gtk.pm:612 install_steps_gtk.pm:616
+#: install_steps_interactive.pm:710 install_steps_interactive.pm:714
+#, fuzzy, c-format
+msgid "Go on anyway?"
+msgstr "Очих?"
+
+#: install_steps_gtk.pm:616 install_steps_interactive.pm:714
+#, c-format
+msgid "There was an error installing packages:"
+msgstr "Багцуудыг суулгахад алдаа гарлаа:"
+
+#: install_steps_gtk.pm:656 install_steps_interactive.pm:881
+#: install_steps_interactive.pm:1029
+#, c-format
+msgid "not configured"
+msgstr ""
+
+#: install_steps_interactive.pm:81
+#, fuzzy, c-format
+msgid "Do you want to recover your system?"
+msgstr "вы?"
+
+#: install_steps_interactive.pm:82
+#, fuzzy, c-format
+msgid "License agreement"
+msgstr "Лиценз"
+
+#: install_steps_interactive.pm:111
+#, c-format
+msgid "Please choose your keyboard layout."
+msgstr "Та гарын байрлалаа сонгоно уу."
+
+#: install_steps_interactive.pm:113
+#, fuzzy, c-format
+msgid "Here is the full list of keyboards available"
+msgstr "бол бүрэн жигсаалт аас"
+
+#: install_steps_interactive.pm:143
+#, c-format
+msgid "Install/Upgrade"
+msgstr ""
+
+#: install_steps_interactive.pm:144
+#, c-format
+msgid "Is this an install or an upgrade?"
+msgstr ""
+
+#: install_steps_interactive.pm:150
+#, c-format
+msgid "Upgrade %s"
+msgstr ""
+
+#: install_steps_interactive.pm:160
+#, c-format
+msgid "Encryption key for %s"
+msgstr ""
+
+#: install_steps_interactive.pm:177
+#, fuzzy, c-format
+msgid "Please choose your type of mouse."
+msgstr "төрөл аас."
+
+#: install_steps_interactive.pm:186 standalone/mousedrake:46
+#, fuzzy, c-format
+msgid "Mouse Port"
+msgstr "Хулгана"
+
+#: install_steps_interactive.pm:187 standalone/mousedrake:47
+#, fuzzy, c-format
+msgid "Please choose which serial port your mouse is connected to."
+msgstr "бол."
+
+#: install_steps_interactive.pm:197
+#, c-format
+msgid "Buttons emulation"
+msgstr "Товчинууд тоолуур"
+
+#: install_steps_interactive.pm:199
+#, fuzzy, c-format
+msgid "Button 2 Emulation"
+msgstr "Товч"
+
+#: install_steps_interactive.pm:200
+#, c-format
+msgid "Button 3 Emulation"
+msgstr "Товч 3 эмуляц"
+
+#: install_steps_interactive.pm:221
+#, c-format
+msgid "PCMCIA"
+msgstr "PCMCIA"
+
+#: install_steps_interactive.pm:221
+#, fuzzy, c-format
+msgid "Configuring PCMCIA cards..."
+msgstr "PCMCIA."
+
+#: install_steps_interactive.pm:228
+#, c-format
+msgid "IDE"
+msgstr ""
+
+#: install_steps_interactive.pm:228
+#, c-format
+msgid "Configuring IDE"
+msgstr "IDE-г тохируулах"
+
+#: install_steps_interactive.pm:248 network/tools.pm:197
+#, fuzzy, c-format
+msgid "No partition available"
+msgstr "Үгүй"
+
+#: install_steps_interactive.pm:251
+#, c-format
+msgid "Scanning partitions to find mount points"
+msgstr "Холболтын цэгүүдийг олохын тулд хуваалтуудыг шалгаж байна"
+
+#: install_steps_interactive.pm:258
+#, fuzzy, c-format
+msgid "Choose the mount points"
+msgstr "Сонгох"
+
+#: install_steps_interactive.pm:288
+#, fuzzy, c-format
+msgid ""
+"No free space for 1MB bootstrap! Install will continue, but to boot your "
+"system, you'll need to create the bootstrap partition in DiskDrake"
+msgstr "Үгүй вы ямх"
+
+#: install_steps_interactive.pm:325
+#, fuzzy, c-format
+msgid "Choose the partitions you want to format"
+msgstr "вы"
+
+#: install_steps_interactive.pm:327
+#, fuzzy, c-format
+msgid "Check bad blocks?"
+msgstr "Gá?"
+
+#: install_steps_interactive.pm:359
+#, c-format
+msgid ""
+"Failed to check filesystem %s. Do you want to repair the errors? (beware, "
+"you can lose data)"
+msgstr ""
+
+#: install_steps_interactive.pm:362
+#, c-format
+msgid "Not enough swap space to fulfill installation, please add some"
+msgstr ""
+
+#: install_steps_interactive.pm:369
+#, c-format
+msgid "Looking for available packages and rebuilding rpm database..."
+msgstr ""
+
+#: install_steps_interactive.pm:370 install_steps_interactive.pm:389
+#, c-format
+msgid "Looking for available packages..."
+msgstr ""
+
+#: install_steps_interactive.pm:373
+#, c-format
+msgid "Looking at packages already installed..."
+msgstr ""
+
+#: install_steps_interactive.pm:377
+#, c-format
+msgid "Finding packages to upgrade..."
+msgstr ""
+
+#: install_steps_interactive.pm:398
+#, fuzzy, c-format
+msgid ""
+"Your system does not have enough space left for installation or upgrade (%d "
+"> %d)"
+msgstr "зүүн"
+
+#: install_steps_interactive.pm:439
+#, fuzzy, c-format
+msgid ""
+"Please choose load or save package selection on floppy.\n"
+"The format is the same as auto_install generated floppies."
+msgstr "ачаалах бол."
+
+#: install_steps_interactive.pm:441
+#, fuzzy, c-format
+msgid "Load from floppy"
+msgstr "Ачаалах"
+
+#: install_steps_interactive.pm:441
+#, fuzzy, c-format
+msgid "Save on floppy"
+msgstr "Хадгалах"
+
+#: install_steps_interactive.pm:445
+#, fuzzy, c-format
+msgid "Package selection"
+msgstr "Пакет"
+
+#: install_steps_interactive.pm:445
+#, fuzzy, c-format
+msgid "Loading from floppy"
+msgstr "Ачаалж байна..."
+
+#: install_steps_interactive.pm:450
+#, fuzzy, c-format
+msgid "Insert a floppy containing package selection"
+msgstr "Оруулах"
+
+#: install_steps_interactive.pm:533
+#, c-format
+msgid ""
+"Due to incompatibilities of the 2.6 series kernel with the LSB runtime\n"
+"tests, the 2.4 series kernel will be installed as the default to insure\n"
+"compliance under the \"LSB\" group selection."
+msgstr ""
+
+#: install_steps_interactive.pm:540
+#, c-format
+msgid "Selected size is larger than available space"
+msgstr "Сонгогдсон хэмжээ нь боломжтой зайнаас их байна"
+
+#: install_steps_interactive.pm:555
+#, fuzzy, c-format
+msgid "Type of install"
+msgstr "Төрөл аас"
+
+#: install_steps_interactive.pm:556
+#, fuzzy, c-format
+msgid ""
+"You haven't selected any group of packages.\n"
+"Please choose the minimal installation you want:"
+msgstr "Та бүлэг аас вы:"
+
+#: install_steps_interactive.pm:560
+#, c-format
+msgid "With basic documentation (recommended!)"
+msgstr ""
+
+#: install_steps_interactive.pm:561
+#, fuzzy, c-format
+msgid "Truly minimal install (especially no urpmi)"
+msgstr "үгүй"
+
+#: install_steps_interactive.pm:604 standalone/drakxtv:53
+#, fuzzy, c-format
+msgid "All"
+msgstr "Бүх"
+
+#: install_steps_interactive.pm:648
+#, fuzzy, c-format
+msgid ""
+"If you have all the CDs in the list below, click Ok.\n"
+"If you have none of those CDs, click Cancel.\n"
+"If only some CDs are missing, unselect them, then click Ok."
+msgstr "вы ямх жигсаалт Ок вы байхгүй аас Хүчингүй Ок."
+
+#: install_steps_interactive.pm:653
+#, c-format
+msgid "Cd-Rom labeled \"%s\""
+msgstr "\"%s\" гэсэн нэртэй Cd-Rom"
+
+#: install_steps_interactive.pm:673
+#, c-format
+msgid "Preparing installation"
+msgstr "Суулгалтын бэлтгэл"
+
+#: install_steps_interactive.pm:682
+#, fuzzy, c-format
+msgid ""
+"Installing package %s\n"
+"%d%%"
+msgstr "с г"
+
+#: install_steps_interactive.pm:728
+#, c-format
+msgid "Post-install configuration"
+msgstr "Суулгалтын тохируулгыг батал"
+
+#: install_steps_interactive.pm:734
+#, c-format
+msgid "Please insert the Boot floppy used in drive %s"
+msgstr "%s хөтлөгчид хэрэглэгдсэн Ачаалах уян дискийг оруулгна уу!"
+
+#: install_steps_interactive.pm:740
+#, fuzzy, c-format
+msgid "Please insert the Update Modules floppy in drive %s"
+msgstr "Шинэчлэх ямх"
+
+#: install_steps_interactive.pm:761
+#, fuzzy, c-format
+msgid ""
+"You now have the opportunity to download updated packages. These packages\n"
+"have been updated after the distribution was released. They may\n"
+"contain security or bug fixes.\n"
+"\n"
+"To download these packages, you will need to have a working Internet \n"
+"connection.\n"
+"\n"
+"Do you want to install the updates ?"
+msgstr "Та г вы Интернэт г вы?"
+
+#: install_steps_interactive.pm:782
+#, fuzzy, c-format
+msgid ""
+"Contacting Mandrake Linux web site to get the list of available mirrors..."
+msgstr "сайт жигсаалт аас."
+
+#: install_steps_interactive.pm:786
+#, fuzzy, c-format
+msgid "Choose a mirror from which to get the packages"
+msgstr "Сонгох"
+
+#: install_steps_interactive.pm:800
+#, fuzzy, c-format
+msgid "Contacting the mirror to get the list of available packages..."
+msgstr "жигсаалт аас."
+
+#: install_steps_interactive.pm:804
+#, c-format
+msgid "Unable to contact mirror %s"
+msgstr ""
+
+#: install_steps_interactive.pm:804
+#, c-format
+msgid "Would you like to try again?"
+msgstr "Та дахиж оролдмоор байна уу?"
+
+#: install_steps_interactive.pm:830 standalone/drakclock:42
+#, fuzzy, c-format
+msgid "Which is your timezone?"
+msgstr "бол?"
+
+#: install_steps_interactive.pm:835
+#, fuzzy, c-format
+msgid "Automatic time synchronization (using NTP)"
+msgstr "Автоматаар"
+
+#: install_steps_interactive.pm:843
+#, c-format
+msgid "NTP Server"
+msgstr "NTP Сервер"
+
+#: install_steps_interactive.pm:885 steps.pm:30
+#, fuzzy, c-format
+msgid "Summary"
+msgstr "Дүгнэлт"
+
+#: install_steps_interactive.pm:898 install_steps_interactive.pm:906
+#: install_steps_interactive.pm:920 install_steps_interactive.pm:927
+#: install_steps_interactive.pm:1076 services.pm:135
+#: standalone/drakbackup:1937
+#, c-format
+msgid "System"
+msgstr "Систем"
+
+#: install_steps_interactive.pm:934 install_steps_interactive.pm:961
+#: install_steps_interactive.pm:978 install_steps_interactive.pm:994
+#: install_steps_interactive.pm:1005
+#, c-format
+msgid "Hardware"
+msgstr "Техник хангамж"
+
+#: install_steps_interactive.pm:940 install_steps_interactive.pm:949
+#, fuzzy, c-format
+msgid "Remote CUPS server"
+msgstr "Дээд"
+
+#: install_steps_interactive.pm:940
+#, fuzzy, c-format
+msgid "No printer"
+msgstr "Үгүй"
+
+#: install_steps_interactive.pm:982
+#, c-format
+msgid "Do you have an ISA sound card?"
+msgstr "Та ISA дууны карттай юу?"
+
+#: install_steps_interactive.pm:984
+#, fuzzy, c-format
+msgid "Run \"sndconfig\" after installation to configure your sound card"
+msgstr "Ажиллуулах"
+
+#: install_steps_interactive.pm:986
+#, fuzzy, c-format
+msgid "No sound card detected. Try \"harddrake\" after installation"
+msgstr "Үгүй Reyna"
+
+#: install_steps_interactive.pm:1006
+#, c-format
+msgid "Graphical interface"
+msgstr ""
+
+#: install_steps_interactive.pm:1012 install_steps_interactive.pm:1027
+#, fuzzy, c-format
+msgid "Network & Internet"
+msgstr "Сүлжээ"
+
+#: install_steps_interactive.pm:1028
+#, fuzzy, c-format
+msgid "Proxies"
+msgstr "Польш"
+
+#: install_steps_interactive.pm:1029
+#, fuzzy, c-format
+msgid "configured"
+msgstr "Тохируулах"
+
+#: install_steps_interactive.pm:1038 install_steps_interactive.pm:1052
+#: steps.pm:20
+#, c-format
+msgid "Security"
+msgstr "Нууцлал"
+
+#: install_steps_interactive.pm:1057
+#, c-format
+msgid "activated"
+msgstr ""
+
+#: install_steps_interactive.pm:1057
+#, fuzzy, c-format
+msgid "disabled"
+msgstr "хаалттай"
+
+#: install_steps_interactive.pm:1066
+#, c-format
+msgid "Boot"
+msgstr ""
+
+#. -PO: example: lilo-graphic on /dev/hda1
+#: install_steps_interactive.pm:1070
+#, fuzzy, c-format
+msgid "%s on %s"
+msgstr "%s на %s"
+
+#: install_steps_interactive.pm:1081 services.pm:177
+#, c-format
+msgid "Services: %d activated for %d registered"
+msgstr ""
+
+#: install_steps_interactive.pm:1091
+#, c-format
+msgid "You have not configured X. Are you sure you really want this?"
+msgstr "Та Х-г тохируулаагүй байна. Та үүнийг хийхдээ итгэлтэй байна уу?"
+
+#: install_steps_interactive.pm:1149
+#, c-format
+msgid "Set root password and network authentication methods"
+msgstr ""
+
+#: install_steps_interactive.pm:1150
+#, c-format
+msgid "Set root password"
+msgstr ""
+
+#: install_steps_interactive.pm:1160
+#, c-format
+msgid "This password is too short (it must be at least %d characters long)"
+msgstr ""
+"Нууц үг хэтэрхий богино байна (энэ нь дор хаяж %d тэмдэгтийн урттай байна)"
+
+#: install_steps_interactive.pm:1165 network/netconnect.pm:492
+#: standalone/drakauth:26 standalone/drakconnect:428
+#: standalone/drakconnect:917
+#, fuzzy, c-format
+msgid "Authentication"
+msgstr "Баталгаажуулалт"
+
+#: install_steps_interactive.pm:1196
+#, c-format
+msgid "Preparing bootloader..."
+msgstr ""
+
+#: install_steps_interactive.pm:1206
+#, c-format
+msgid ""
+"You appear to have an OldWorld or Unknown\n"
+" machine, the yaboot bootloader will not work for you.\n"
+"The install will continue, but you'll\n"
+" need to use BootX or some other means to boot your machine"
+msgstr ""
+
+#: install_steps_interactive.pm:1212
+#, fuzzy, c-format
+msgid "Do you want to use aboot?"
+msgstr "вы?"
+
+#: install_steps_interactive.pm:1215
+#, fuzzy, c-format
+msgid ""
+"Error installing aboot, \n"
+"try to force installation even if that destroys the first partition?"
+msgstr "Алдаа?"
+
+#: install_steps_interactive.pm:1226
+#, c-format
+msgid "Installing bootloader"
+msgstr ""
+
+#: install_steps_interactive.pm:1233
+#, fuzzy, c-format
+msgid "Installation of bootloader failed. The following error occured:"
+msgstr "аас:"
+
+#: install_steps_interactive.pm:1238
+#, c-format
+msgid ""
+"You may need to change your Open Firmware boot-device to\n"
+" enable the bootloader. If you don't see the bootloader prompt at\n"
+" reboot, hold down Command-Option-O-F at reboot and enter:\n"
+" setenv boot-device %s,\\\\:tbxi\n"
+" Then type: shut-down\n"
+"At your next boot you should see the bootloader prompt."
+msgstr ""
+
+#: install_steps_interactive.pm:1251
+#, c-format
+msgid ""
+"In this security level, access to the files in the Windows partition is "
+"restricted to the administrator."
+msgstr ""
+
+#: install_steps_interactive.pm:1283 standalone/drakautoinst:75
+#, fuzzy, c-format
+msgid "Insert a blank floppy in drive %s"
+msgstr "Оруулах ямх"
+
+#: install_steps_interactive.pm:1287
+#, fuzzy, c-format
+msgid "Creating auto install floppy..."
+msgstr "Үүсгэж байна."
+
+#: install_steps_interactive.pm:1298
+#, fuzzy, c-format
+msgid ""
+"Some steps are not completed.\n"
+"\n"
+"Do you really want to quit now?"
+msgstr "г вы?"
+
+#: install_steps_interactive.pm:1313
+#, c-format
+msgid "Generate auto install floppy"
+msgstr ""
+
+#: install_steps_interactive.pm:1315
+#, c-format
+msgid ""
+"The auto install can be fully automated if wanted,\n"
+"in that case it will take over the hard drive!!\n"
+"(this is meant for installing on another box).\n"
+"\n"
+"You may prefer to replay the installation.\n"
+msgstr ""
+
+#: install_steps_newt.pm:20
+#, c-format
+msgid "Mandrake Linux Installation %s"
+msgstr ""
+
+#: install_steps_newt.pm:33
+#, c-format
+msgid ""
+" <Tab>/<Alt-Tab> between elements | <Space> selects | <F12> next screen "
+msgstr ""
+
+#: interactive.pm:170
+#, fuzzy, c-format
+msgid "Choose a file"
+msgstr "Файл сонгох"
+
+#: interactive.pm:372
+#, fuzzy, c-format
+msgid "Basic"
+msgstr "Үндсэн"
+
+#: interactive.pm:403 interactive/newt.pm:308 ugtk2.pm:509
+#, c-format
+msgid "Finish"
+msgstr "Дуусгах"
+
+#: interactive/newt.pm:83
+#, c-format
+msgid "Do"
+msgstr ""
+
+#: interactive/stdio.pm:29 interactive/stdio.pm:148
+#, c-format
+msgid "Bad choice, try again\n"
+msgstr ""
+
+#: interactive/stdio.pm:30 interactive/stdio.pm:149
+#, c-format
+msgid "Your choice? (default %s) "
+msgstr "Таны сонголт уу? (үндсэн нь %s) "
+
+#: interactive/stdio.pm:54
+#, c-format
+msgid ""
+"Entries you'll have to fill:\n"
+"%s"
+msgstr ""
+"Та бөглөх хэрэгтэй болох утгууд:\n"
+"%s"
+
+#: interactive/stdio.pm:70
+#, fuzzy, c-format
+msgid "Your choice? (0/1, default `%s') "
+msgstr "с "
+
+#: interactive/stdio.pm:94
+#, fuzzy, c-format
+msgid "Button `%s': %s"
+msgstr "Товч с"
+
+#: interactive/stdio.pm:95
+#, fuzzy, c-format
+msgid "Do you want to click on this button?"
+msgstr "вы?"
+
+#: interactive/stdio.pm:104
+#, fuzzy, c-format
+msgid "Your choice? (default `%s'%s) "
+msgstr "с с "
+
+#: interactive/stdio.pm:104
+#, c-format
+msgid " enter `void' for void entry"
+msgstr ""
+
+#: interactive/stdio.pm:122
+#, fuzzy, c-format
+msgid "=> There are many things to choose from (%s).\n"
+msgstr "с"
+
+#: interactive/stdio.pm:125
+#, fuzzy, c-format
+msgid ""
+"Please choose the first number of the 10-range you wish to edit,\n"
+"or just hit Enter to proceed.\n"
+"Your choice? "
+msgstr "аас вы засах "
+
+#: interactive/stdio.pm:138
+#, fuzzy, c-format
+msgid ""
+"=> Notice, a label changed:\n"
+"%s"
+msgstr "Мэдэгдэл Бичээс г"
+
+#: interactive/stdio.pm:145
+#, c-format
+msgid "Re-submit"
+msgstr ""
+
+#: keyboard.pm:137 keyboard.pm:169
+#, fuzzy, c-format
+msgid "Czech (QWERTZ)"
+msgstr "Чех хэл"
+
+#: keyboard.pm:138 keyboard.pm:171
+#, c-format
+msgid "German"
+msgstr "Герман"
+
+#: keyboard.pm:139
+#, c-format
+msgid "Dvorak"
+msgstr ""
+
+#: keyboard.pm:140 keyboard.pm:179
+#, c-format
+msgid "Spanish"
+msgstr "Испани хэл"
+
+#: keyboard.pm:141 keyboard.pm:180
+#, c-format
+msgid "Finnish"
+msgstr "Финланд"
+
+#: keyboard.pm:142 keyboard.pm:181
+#, fuzzy, c-format
+msgid "French"
+msgstr "Франц хэл"
+
+#: keyboard.pm:143 keyboard.pm:217
+#, fuzzy, c-format
+msgid "Norwegian"
+msgstr "Норвеги хэл"
+
+#: keyboard.pm:144
+#, fuzzy, c-format
+msgid "Polish"
+msgstr "Польш"
+
+#: keyboard.pm:145 keyboard.pm:226
+#, c-format
+msgid "Russian"
+msgstr "Орос хэл"
+
+#: keyboard.pm:147 keyboard.pm:230
+#, fuzzy, c-format
+msgid "Swedish"
+msgstr "Швед хэл"
+
+#: keyboard.pm:148 keyboard.pm:249
+#, c-format
+msgid "UK keyboard"
+msgstr ""
+
+#: keyboard.pm:149 keyboard.pm:250
+#, c-format
+msgid "US keyboard"
+msgstr ""
+
+#: keyboard.pm:151
+#, c-format
+msgid "Albanian"
+msgstr "Албани"
+
+#: keyboard.pm:152
+#, fuzzy, c-format
+msgid "Armenian (old)"
+msgstr "Армен"
+
+#: keyboard.pm:153
+#, fuzzy, c-format
+msgid "Armenian (typewriter)"
+msgstr "Армен"
+
+#: keyboard.pm:154
+#, fuzzy, c-format
+msgid "Armenian (phonetic)"
+msgstr "Армен"
+
+#: keyboard.pm:155
+#, c-format
+msgid "Arabic"
+msgstr "Араб"
+
+#: keyboard.pm:156
+#, c-format
+msgid "Azerbaidjani (latin)"
+msgstr ""
+
+#: keyboard.pm:158
+#, c-format
+msgid "Belgian"
+msgstr "Белги"
+
+#: keyboard.pm:159
+#, c-format
+msgid "Bengali"
+msgstr ""
+
+#: keyboard.pm:160
+#, c-format
+msgid "Bulgarian (phonetic)"
+msgstr "Болгар хэл (авиа зүй)"
+
+#: keyboard.pm:161
+#, fuzzy, c-format
+msgid "Bulgarian (BDS)"
+msgstr "Болгар"
+
+#: keyboard.pm:162
+#, fuzzy, c-format
+msgid "Brazilian (ABNT-2)"
+msgstr "Бразильский"
+
+#: keyboard.pm:165
+#, c-format
+msgid "Bosnian"
+msgstr "Босни"
+
+#: keyboard.pm:166
+#, fuzzy, c-format
+msgid "Belarusian"
+msgstr "Цагаан орос хэл"
+
+#: keyboard.pm:167
+#, c-format
+msgid "Swiss (German layout)"
+msgstr "Швейцарь (Герман завсар)"
+
+#: keyboard.pm:168
+#, c-format
+msgid "Swiss (French layout)"
+msgstr "Швейцарь (Франц завсар)"
+
+#: keyboard.pm:170
+#, fuzzy, c-format
+msgid "Czech (QWERTY)"
+msgstr "Чех хэл"
+
+#: keyboard.pm:172
+#, fuzzy, c-format
+msgid "German (no dead keys)"
+msgstr "Герман хэл үгүй"
+
+#: keyboard.pm:173
+#, c-format
+msgid "Devanagari"
+msgstr ""
+
+#: keyboard.pm:174
+#, c-format
+msgid "Danish"
+msgstr "Дани"
+
+#: keyboard.pm:175
+#, c-format
+msgid "Dvorak (US)"
+msgstr ""
+
+#: keyboard.pm:176
+#, fuzzy, c-format
+msgid "Dvorak (Norwegian)"
+msgstr "Норвеги хэл"
+
+#: keyboard.pm:177
+#, fuzzy, c-format
+msgid "Dvorak (Swedish)"
+msgstr "Швед хэл"
+
+#: keyboard.pm:178
+#, fuzzy, c-format
+msgid "Estonian"
+msgstr "Эстонский"
+
+#: keyboard.pm:182
+#, fuzzy, c-format
+msgid "Georgian (\"Russian\" layout)"
+msgstr "Георг Орос хэл"
+
+#: keyboard.pm:183
+#, fuzzy, c-format
+msgid "Georgian (\"Latin\" layout)"
+msgstr "Георг Латин Америк"
+
+#: keyboard.pm:184
+#, fuzzy, c-format
+msgid "Greek"
+msgstr "Грек"
+
+#: keyboard.pm:185
+#, c-format
+msgid "Greek (polytonic)"
+msgstr ""
+
+#: keyboard.pm:186
+#, fuzzy, c-format
+msgid "Gujarati"
+msgstr "Гуярати"
+
+#: keyboard.pm:187
+#, c-format
+msgid "Gurmukhi"
+msgstr "Гурмуки"
+
+#: keyboard.pm:188
+#, fuzzy, c-format
+msgid "Hungarian"
+msgstr "Унгар хэл"
+
+#: keyboard.pm:189
+#, fuzzy, c-format
+msgid "Croatian"
+msgstr "Кроат"
+
+#: keyboard.pm:190
+#, c-format
+msgid "Irish"
+msgstr ""
+
+#: keyboard.pm:191
+#, c-format
+msgid "Israeli"
+msgstr ""
+
+#: keyboard.pm:192
+#, c-format
+msgid "Israeli (Phonetic)"
+msgstr "Израйль (авиа зүй)"
+
+#: keyboard.pm:193
+#, c-format
+msgid "Iranian"
+msgstr "Иран"
+
+#: keyboard.pm:194
+#, fuzzy, c-format
+msgid "Icelandic"
+msgstr "Исланд"
+
+#: keyboard.pm:195
+#, fuzzy, c-format
+msgid "Italian"
+msgstr "Итали хэл"
+
+#: keyboard.pm:196
+#, c-format
+msgid "Inuktitut"
+msgstr ""
+
+#: keyboard.pm:197
+#, fuzzy, c-format
+msgid "Japanese 106 keys"
+msgstr "Япон"
+
+#: keyboard.pm:198
+#, fuzzy, c-format
+msgid "Kannada"
+msgstr "Канад"
+
+#: keyboard.pm:201
+#, fuzzy, c-format
+msgid "Korean keyboard"
+msgstr "Солонгос"
+
+#: keyboard.pm:202
+#, fuzzy, c-format
+msgid "Latin American"
+msgstr "Латин Америк"
+
+#: keyboard.pm:203
+#, c-format
+msgid "Laotian"
+msgstr ""
+
+#: keyboard.pm:204
+#, fuzzy, c-format
+msgid "Lithuanian AZERTY (old)"
+msgstr "Литва хэл"
+
+#: keyboard.pm:206
+#, fuzzy, c-format
+msgid "Lithuanian AZERTY (new)"
+msgstr "Литва хэл шинэ"
+
+#: keyboard.pm:207
+#, fuzzy, c-format
+msgid "Lithuanian \"number row\" QWERTY"
+msgstr "Литва хэл"
+
+#: keyboard.pm:208
+#, fuzzy, c-format
+msgid "Lithuanian \"phonetic\" QWERTY"
+msgstr "Литва хэл"
+
+#: keyboard.pm:209
+#, c-format
+msgid "Latvian"
+msgstr "Латви"
+
+#: keyboard.pm:210
+#, c-format
+msgid "Malayalam"
+msgstr ""
+
+#: keyboard.pm:211
+#, c-format
+msgid "Macedonian"
+msgstr "Македон"
+
+#: keyboard.pm:212
+#, c-format
+msgid "Myanmar (Burmese)"
+msgstr ""
+
+#: keyboard.pm:213
+#, c-format
+msgid "Mongolian (cyrillic)"
+msgstr "Монгол (крилл)"
+
+#: keyboard.pm:214
+#, c-format
+msgid "Maltese (UK)"
+msgstr ""
+
+#: keyboard.pm:215
+#, c-format
+msgid "Maltese (US)"
+msgstr "Малт (АНУ)"
+
+#: keyboard.pm:216
+#, fuzzy, c-format
+msgid "Dutch"
+msgstr "Дуч хэл"
+
+#: keyboard.pm:218
+#, fuzzy, c-format
+msgid "Oriya"
+msgstr "Либя"
+
+#: keyboard.pm:219
+#, fuzzy, c-format
+msgid "Polish (qwerty layout)"
+msgstr "Польш"
+
+#: keyboard.pm:220
+#, fuzzy, c-format
+msgid "Polish (qwertz layout)"
+msgstr "Польш"
+
+#: keyboard.pm:221
+#, fuzzy, c-format
+msgid "Portuguese"
+msgstr "Португали хэл"
+
+#: keyboard.pm:222
+#, c-format
+msgid "Canadian (Quebec)"
+msgstr ""
+
+#: keyboard.pm:224
+#, fuzzy, c-format
+msgid "Romanian (qwertz)"
+msgstr "Роман"
+
+#: keyboard.pm:225
+#, fuzzy, c-format
+msgid "Romanian (qwerty)"
+msgstr "Роман"
+
+#: keyboard.pm:227
+#, fuzzy, c-format
+msgid "Russian (Phonetic)"
+msgstr "Болгар хэл (авиа зүй)"
+
+#: keyboard.pm:228
+#, fuzzy, c-format
+msgid "Saami (norwegian)"
+msgstr "Норвеги хэл"
+
+#: keyboard.pm:229
+#, c-format
+msgid "Saami (swedish/finnish)"
+msgstr ""
+
+#: keyboard.pm:231
+#, c-format
+msgid "Slovenian"
+msgstr "Словян хэл"
+
+#: keyboard.pm:232
+#, c-format
+msgid "Slovakian (QWERTZ)"
+msgstr ""
+
+#: keyboard.pm:233
+#, c-format
+msgid "Slovakian (QWERTY)"
+msgstr ""
+
+#: keyboard.pm:235
+#, fuzzy, c-format
+msgid "Serbian (cyrillic)"
+msgstr "Серби"
+
+#: keyboard.pm:236
+#, c-format
+msgid "Syriac"
+msgstr ""
+
+#: keyboard.pm:237
+#, fuzzy, c-format
+msgid "Syriac (phonetic)"
+msgstr "Армен"
+
+#: keyboard.pm:238
+#, fuzzy, c-format
+msgid "Telugu"
+msgstr "Токелау"
+
+#: keyboard.pm:240
+#, fuzzy, c-format
+msgid "Tamil (ISCII-layout)"
+msgstr "Тамил"
+
+#: keyboard.pm:241
+#, fuzzy, c-format
+msgid "Tamil (Typewriter-layout)"
+msgstr "Тамил"
+
+#: keyboard.pm:242
+#, fuzzy, c-format
+msgid "Thai keyboard"
+msgstr "Тай"
+
+#: keyboard.pm:244
+#, c-format
+msgid "Tajik keyboard"
+msgstr "Тажик гар"
+
+#: keyboard.pm:245
+#, fuzzy, c-format
+msgid "Turkish (traditional \"F\" model)"
+msgstr "Турк"
+
+#: keyboard.pm:246
+#, c-format
+msgid "Turkish (modern \"Q\" model)"
+msgstr "Турк (орчин үеийн \"Q\" загвар)"
+
+#: keyboard.pm:248
+#, c-format
+msgid "Ukrainian"
+msgstr "Украйн хэл"
+
+#: keyboard.pm:251
+#, c-format
+msgid "US keyboard (international)"
+msgstr ""
+
+#: keyboard.pm:252
+#, fuzzy, c-format
+msgid "Uzbek (cyrillic)"
+msgstr "Серби"
+
+#: keyboard.pm:253
+#, c-format
+msgid "Vietnamese \"numeric row\" QWERTY"
+msgstr ""
+
+#: keyboard.pm:254
+#, c-format
+msgid "Yugoslavian (latin)"
+msgstr ""
+
+#: keyboard.pm:261
+#, fuzzy, c-format
+msgid "Right Alt key"
+msgstr "Баруун Alt"
+
+#: keyboard.pm:262
+#, fuzzy, c-format
+msgid "Both Shift keys simultaneously"
+msgstr "Shift"
+
+#: keyboard.pm:263
+#, fuzzy, c-format
+msgid "Control and Shift keys simultaneously"
+msgstr "Контрол Shift"
+
+#: keyboard.pm:264
+#, fuzzy, c-format
+msgid "CapsLock key"
+msgstr "CapsLock"
+
+#: keyboard.pm:265
+#, c-format
+msgid "Ctrl and Alt keys simultaneously"
+msgstr "Ctrl болон Alt точнуудын төсөөжүүлэлт"
+
+#: keyboard.pm:266
+#, fuzzy, c-format
+msgid "Alt and Shift keys simultaneously"
+msgstr "Alt Shift"
+
+#: keyboard.pm:267
+#, fuzzy, c-format
+msgid "\"Menu\" key"
+msgstr "Цэс"
+
+#: keyboard.pm:268
+#, c-format
+msgid "Left \"Windows\" key"
+msgstr "Зүүн \"Windows\" товч"
+
+#: keyboard.pm:269
+#, fuzzy, c-format
+msgid "Right \"Windows\" key"
+msgstr "Баруун Цонхнууд"
+
+#: keyboard.pm:270
+#, fuzzy, c-format
+msgid "Both Control keys simultaneously"
+msgstr "Shift"
+
+#: keyboard.pm:271
+#, fuzzy, c-format
+msgid "Both Alt keys simultaneously"
+msgstr "Shift"
+
+#: keyboard.pm:272
+#, fuzzy, c-format
+msgid "Left Shift key"
+msgstr "Зүүн \"Windows\" товч"
+
+#: keyboard.pm:273
+#, fuzzy, c-format
+msgid "Right Shift key"
+msgstr "Баруун Alt"
+
+#: keyboard.pm:274
+#, fuzzy, c-format
+msgid "Left Alt key"
+msgstr "Баруун Alt"
+
+#: keyboard.pm:275
+#, fuzzy, c-format
+msgid "Left Control key"
+msgstr "Дээд"
+
+#: keyboard.pm:276
+#, fuzzy, c-format
+msgid "Right Control key"
+msgstr "Баруун Alt"
+
+#: keyboard.pm:307
+#, fuzzy, c-format
+msgid ""
+"Here you can choose the key or key combination that will \n"
+"allow switching between the different keyboard layouts\n"
+"(eg: latin and non latin)"
+msgstr "вы г"
+
+#: keyboard.pm:312
+#, c-format
+msgid ""
+"This setting will be activated after the installation.\n"
+"During installation, you will need to use the Right Control\n"
+"key to switch between the different keyboard layouts."
+msgstr ""
+
+#: lang.pm:144
+#, fuzzy, c-format
+msgid "default:LTR"
+msgstr "default:LTR"
+
+#: lang.pm:160
+#, c-format
+msgid "Afghanistan"
+msgstr ""
+
+#: lang.pm:161
+#, c-format
+msgid "Andorra"
+msgstr ""
+
+#: lang.pm:162
+#, c-format
+msgid "United Arab Emirates"
+msgstr ""
+
+#: lang.pm:163
+#, c-format
+msgid "Antigua and Barbuda"
+msgstr ""
+
+#: lang.pm:164
+#, c-format
+msgid "Anguilla"
+msgstr ""
+
+#: lang.pm:165
+#, c-format
+msgid "Albania"
+msgstr ""
+
+#: lang.pm:166
+#, c-format
+msgid "Armenia"
+msgstr "Армени"
+
+#: lang.pm:167
+#, c-format
+msgid "Netherlands Antilles"
+msgstr ""
+
+#: lang.pm:168
+#, c-format
+msgid "Angola"
+msgstr ""
+
+#: lang.pm:169
+#, c-format
+msgid "Antarctica"
+msgstr ""
+
+#: lang.pm:170 standalone/drakxtv:51
+#, c-format
+msgid "Argentina"
+msgstr "Аргентин"
+
+#: lang.pm:171
+#, c-format
+msgid "American Samoa"
+msgstr ""
+
+#: lang.pm:173 standalone/drakxtv:49
+#, c-format
+msgid "Australia"
+msgstr ""
+
+#: lang.pm:174
+#, c-format
+msgid "Aruba"
+msgstr ""
+
+#: lang.pm:175
+#, c-format
+msgid "Azerbaijan"
+msgstr ""
+
+#: lang.pm:176
+#, c-format
+msgid "Bosnia and Herzegovina"
+msgstr ""
+
+#: lang.pm:177
+#, c-format
+msgid "Barbados"
+msgstr ""
+
+#: lang.pm:178
+#, c-format
+msgid "Bangladesh"
+msgstr ""
+
+#: lang.pm:180
+#, c-format
+msgid "Burkina Faso"
+msgstr ""
+
+#: lang.pm:181
+#, c-format
+msgid "Bulgaria"
+msgstr "Болгарь"
+
+#: lang.pm:182
+#, c-format
+msgid "Bahrain"
+msgstr "Бахрайн"
+
+#: lang.pm:183
+#, c-format
+msgid "Burundi"
+msgstr ""
+
+#: lang.pm:184
+#, c-format
+msgid "Benin"
+msgstr "Бенин"
+
+#: lang.pm:185
+#, c-format
+msgid "Bermuda"
+msgstr ""
+
+#: lang.pm:186
+#, c-format
+msgid "Brunei Darussalam"
+msgstr "Бруне Даруссалам"
+
+#: lang.pm:187
+#, c-format
+msgid "Bolivia"
+msgstr "Болив"
+
+#: lang.pm:188
+#, c-format
+msgid "Brazil"
+msgstr ""
+
+#: lang.pm:189
+#, c-format
+msgid "Bahamas"
+msgstr ""
+
+#: lang.pm:190
+#, c-format
+msgid "Bhutan"
+msgstr ""
+
+#: lang.pm:191
+#, c-format
+msgid "Bouvet Island"
+msgstr ""
+
+#: lang.pm:192
+#, c-format
+msgid "Botswana"
+msgstr ""
+
+#: lang.pm:193
+#, c-format
+msgid "Belarus"
+msgstr "Беларус"
+
+#: lang.pm:194
+#, c-format
+msgid "Belize"
+msgstr ""
+
+#: lang.pm:195
+#, c-format
+msgid "Canada"
+msgstr "Канад"
+
+#: lang.pm:196
+#, c-format
+msgid "Cocos (Keeling) Islands"
+msgstr ""
+
+#: lang.pm:197
+#, c-format
+msgid "Congo (Kinshasa)"
+msgstr "Конго (Киншаса)"
+
+#: lang.pm:198
+#, c-format
+msgid "Central African Republic"
+msgstr "Төв Африкийн Бүгд Найрамдах Улс"
+
+#: lang.pm:199
+#, c-format
+msgid "Congo (Brazzaville)"
+msgstr ""
+
+#: lang.pm:200
+#, c-format
+msgid "Switzerland"
+msgstr "Швейцарь"
+
+#: lang.pm:201
+#, c-format
+msgid "Cote d'Ivoire"
+msgstr ""
+
+#: lang.pm:202
+#, c-format
+msgid "Cook Islands"
+msgstr ""
+
+#: lang.pm:203
+#, c-format
+msgid "Chile"
+msgstr ""
+
+#: lang.pm:204
+#, c-format
+msgid "Cameroon"
+msgstr ""
+
+#: lang.pm:205
+#, c-format
+msgid "China"
+msgstr ""
+
+#: lang.pm:206
+#, c-format
+msgid "Colombia"
+msgstr ""
+
+#: lang.pm:208
+#, c-format
+msgid "Cuba"
+msgstr ""
+
+#: lang.pm:209
+#, c-format
+msgid "Cape Verde"
+msgstr "Капе Верде"
+
+#: lang.pm:210
+#, c-format
+msgid "Christmas Island"
+msgstr ""
+
+#: lang.pm:211
+#, c-format
+msgid "Cyprus"
+msgstr ""
+
+#: lang.pm:214
+#, c-format
+msgid "Djibouti"
+msgstr ""
+
+#: lang.pm:215
+#, c-format
+msgid "Denmark"
+msgstr ""
+
+#: lang.pm:216
+#, c-format
+msgid "Dominica"
+msgstr ""
+
+#: lang.pm:217
+#, c-format
+msgid "Dominican Republic"
+msgstr "Доминиканы Бүгд Найрамдах Улс"
+
+#: lang.pm:218
+#, c-format
+msgid "Algeria"
+msgstr ""
+
+#: lang.pm:219
+#, c-format
+msgid "Ecuador"
+msgstr ""
+
+#: lang.pm:220
+#, c-format
+msgid "Estonia"
+msgstr ""
+
+#: lang.pm:221
+#, c-format
+msgid "Egypt"
+msgstr "Египт"
+
+#: lang.pm:222
+#, fuzzy, c-format
+msgid "Western Sahara"
+msgstr "Баруун европ"
+
+#: lang.pm:223
+#, c-format
+msgid "Eritrea"
+msgstr ""
+
+#: lang.pm:224 network/adsl_consts.pm:193 network/adsl_consts.pm:200
+#: network/adsl_consts.pm:209 network/adsl_consts.pm:220
+#, c-format
+msgid "Spain"
+msgstr ""
+
+#: lang.pm:225
+#, c-format
+msgid "Ethiopia"
+msgstr ""
+
+#: lang.pm:226 network/adsl_consts.pm:119
+#, c-format
+msgid "Finland"
+msgstr ""
+
+#: lang.pm:227
+#, c-format
+msgid "Fiji"
+msgstr "Фижи"
+
+#: lang.pm:228
+#, c-format
+msgid "Falkland Islands (Malvinas)"
+msgstr ""
+
+#: lang.pm:229
+#, c-format
+msgid "Micronesia"
+msgstr ""
+
+#: lang.pm:230
+#, c-format
+msgid "Faroe Islands"
+msgstr ""
+
+#: lang.pm:232
+#, c-format
+msgid "Gabon"
+msgstr ""
+
+#: lang.pm:233 network/adsl_consts.pm:237 network/adsl_consts.pm:244
+#: network/netconnect.pm:51
+#, c-format
+msgid "United Kingdom"
+msgstr ""
+
+#: lang.pm:234
+#, c-format
+msgid "Grenada"
+msgstr ""
+
+#: lang.pm:235
+#, c-format
+msgid "Georgia"
+msgstr ""
+
+#: lang.pm:236
+#, fuzzy, c-format
+msgid "French Guiana"
+msgstr "Франц хэл"
+
+#: lang.pm:237
+#, c-format
+msgid "Ghana"
+msgstr "Гана"
+
+#: lang.pm:238
+#, c-format
+msgid "Gibraltar"
+msgstr ""
+
+#: lang.pm:239
+#, c-format
+msgid "Greenland"
+msgstr "Грек"
+
+#: lang.pm:240
+#, c-format
+msgid "Gambia"
+msgstr ""
+
+#: lang.pm:241
+#, c-format
+msgid "Guinea"
+msgstr ""
+
+#: lang.pm:242
+#, c-format
+msgid "Guadeloupe"
+msgstr ""
+
+#: lang.pm:243
+#, c-format
+msgid "Equatorial Guinea"
+msgstr ""
+
+#: lang.pm:245
+#, fuzzy, c-format
+msgid "South Georgia and the South Sandwich Islands"
+msgstr "Өмнө Өмнө"
+
+#: lang.pm:246
+#, c-format
+msgid "Guatemala"
+msgstr "Гуатемала"
+
+#: lang.pm:247
+#, c-format
+msgid "Guam"
+msgstr "Гуам"
+
+#: lang.pm:248
+#, c-format
+msgid "Guinea-Bissau"
+msgstr ""
+
+#: lang.pm:249
+#, c-format
+msgid "Guyana"
+msgstr "Гуяана"
+
+#: lang.pm:250
+#, fuzzy, c-format
+msgid "China (Hong Kong)"
+msgstr "Хонконг"
+
+#: lang.pm:251
+#, c-format
+msgid "Heard and McDonald Islands"
+msgstr ""
+
+#: lang.pm:252
+#, c-format
+msgid "Honduras"
+msgstr ""
+
+#: lang.pm:253
+#, c-format
+msgid "Croatia"
+msgstr "Хорват"
+
+#: lang.pm:254
+#, c-format
+msgid "Haiti"
+msgstr ""
+
+#: lang.pm:255 network/adsl_consts.pm:144
+#, c-format
+msgid "Hungary"
+msgstr ""
+
+#: lang.pm:256
+#, c-format
+msgid "Indonesia"
+msgstr ""
+
+#: lang.pm:257 standalone/drakxtv:48
+#, c-format
+msgid "Ireland"
+msgstr "Ирланд"
+
+#: lang.pm:258
+#, c-format
+msgid "Israel"
+msgstr "Изриаль"
+
+#: lang.pm:259
+#, c-format
+msgid "India"
+msgstr ""
+
+#: lang.pm:260
+#, fuzzy, c-format
+msgid "British Indian Ocean Territory"
+msgstr "Энэтхэг"
+
+#: lang.pm:261
+#, c-format
+msgid "Iraq"
+msgstr "Ирак"
+
+#: lang.pm:262
+#, c-format
+msgid "Iran"
+msgstr "Иран"
+
+#: lang.pm:263
+#, c-format
+msgid "Iceland"
+msgstr ""
+
+#: lang.pm:265
+#, c-format
+msgid "Jamaica"
+msgstr ""
+
+#: lang.pm:266
+#, c-format
+msgid "Jordan"
+msgstr "Иордан"
+
+#: lang.pm:267
+#, c-format
+msgid "Japan"
+msgstr "Япон"
+
+#: lang.pm:268
+#, c-format
+msgid "Kenya"
+msgstr ""
+
+#: lang.pm:269
+#, c-format
+msgid "Kyrgyzstan"
+msgstr ""
+
+#: lang.pm:270
+#, c-format
+msgid "Cambodia"
+msgstr ""
+
+#: lang.pm:271
+#, c-format
+msgid "Kiribati"
+msgstr "Кирибати"
+
+#: lang.pm:272
+#, c-format
+msgid "Comoros"
+msgstr ""
+
+#: lang.pm:273
+#, c-format
+msgid "Saint Kitts and Nevis"
+msgstr ""
+
+#: lang.pm:274
+#, fuzzy, c-format
+msgid "Korea (North)"
+msgstr "Зүүн"
+
+#: lang.pm:275
+#, c-format
+msgid "Korea"
+msgstr ""
+
+#: lang.pm:276
+#, c-format
+msgid "Kuwait"
+msgstr ""
+
+#: lang.pm:277
+#, c-format
+msgid "Cayman Islands"
+msgstr ""
+
+#: lang.pm:278
+#, c-format
+msgid "Kazakhstan"
+msgstr ""
+
+#: lang.pm:279
+#, c-format
+msgid "Laos"
+msgstr ""
+
+#: lang.pm:280
+#, c-format
+msgid "Lebanon"
+msgstr "Ливан"
+
+#: lang.pm:281
+#, c-format
+msgid "Saint Lucia"
+msgstr ""
+
+#: lang.pm:282
+#, c-format
+msgid "Liechtenstein"
+msgstr ""
+
+#: lang.pm:283
+#, c-format
+msgid "Sri Lanka"
+msgstr "Шри Ланка"
+
+#: lang.pm:284
+#, c-format
+msgid "Liberia"
+msgstr "Либера"
+
+#: lang.pm:285
+#, c-format
+msgid "Lesotho"
+msgstr ""
+
+#: lang.pm:286
+#, c-format
+msgid "Lithuania"
+msgstr ""
+
+#: lang.pm:287
+#, c-format
+msgid "Luxembourg"
+msgstr "Люксенбүрг"
+
+#: lang.pm:288
+#, c-format
+msgid "Latvia"
+msgstr ""
+
+#: lang.pm:289
+#, c-format
+msgid "Libya"
+msgstr "Либя"
+
+#: lang.pm:290
+#, c-format
+msgid "Morocco"
+msgstr ""
+
+#: lang.pm:291
+#, c-format
+msgid "Monaco"
+msgstr ""
+
+#: lang.pm:292
+#, c-format
+msgid "Moldova"
+msgstr ""
+
+#: lang.pm:293
+#, c-format
+msgid "Madagascar"
+msgstr "Мадаксакар"
+
+#: lang.pm:294
+#, c-format
+msgid "Marshall Islands"
+msgstr ""
+
+#: lang.pm:295
+#, c-format
+msgid "Macedonia"
+msgstr "Македон"
+
+#: lang.pm:296
+#, c-format
+msgid "Mali"
+msgstr ""
+
+#: lang.pm:297
+#, c-format
+msgid "Myanmar"
+msgstr ""
+
+#: lang.pm:298
+#, c-format
+msgid "Mongolia"
+msgstr ""
+
+#: lang.pm:299
+#, c-format
+msgid "Northern Mariana Islands"
+msgstr ""
+
+#: lang.pm:300
+#, c-format
+msgid "Martinique"
+msgstr ""
+
+#: lang.pm:301
+#, c-format
+msgid "Mauritania"
+msgstr ""
+
+#: lang.pm:302
+#, c-format
+msgid "Montserrat"
+msgstr ""
+
+#: lang.pm:303
+#, c-format
+msgid "Malta"
+msgstr ""
+
+#: lang.pm:304
+#, c-format
+msgid "Mauritius"
+msgstr ""
+
+#: lang.pm:305
+#, c-format
+msgid "Maldives"
+msgstr ""
+
+#: lang.pm:306
+#, c-format
+msgid "Malawi"
+msgstr ""
+
+#: lang.pm:307
+#, c-format
+msgid "Mexico"
+msgstr "Мексик"
+
+#: lang.pm:308
+#, c-format
+msgid "Malaysia"
+msgstr "Малайз"
+
+#: lang.pm:309
+#, c-format
+msgid "Mozambique"
+msgstr ""
+
+#: lang.pm:310
+#, c-format
+msgid "Namibia"
+msgstr "Намибиа"
+
+#: lang.pm:311
+#, c-format
+msgid "New Caledonia"
+msgstr "Шинэ Калидоне"
+
+#: lang.pm:312
+#, c-format
+msgid "Niger"
+msgstr ""
+
+#: lang.pm:313
+#, c-format
+msgid "Norfolk Island"
+msgstr ""
+
+#: lang.pm:314
+#, c-format
+msgid "Nigeria"
+msgstr "Нигер"
+
+#: lang.pm:315
+#, c-format
+msgid "Nicaragua"
+msgstr "Никорагуа"
+
+#: lang.pm:318
+#, c-format
+msgid "Nepal"
+msgstr ""
+
+#: lang.pm:319
+#, c-format
+msgid "Nauru"
+msgstr ""
+
+#: lang.pm:320
+#, c-format
+msgid "Niue"
+msgstr ""
+
+#: lang.pm:321
+#, fuzzy, c-format
+msgid "New Zealand"
+msgstr "Шинэ"
+
+#: lang.pm:322
+#, c-format
+msgid "Oman"
+msgstr "Оман"
+
+#: lang.pm:323
+#, c-format
+msgid "Panama"
+msgstr ""
+
+#: lang.pm:324
+#, c-format
+msgid "Peru"
+msgstr "Перу"
+
+#: lang.pm:325
+#, c-format
+msgid "French Polynesia"
+msgstr "Франц Полинесиа"
+
+#: lang.pm:326
+#, fuzzy, c-format
+msgid "Papua New Guinea"
+msgstr "Шинэ"
+
+#: lang.pm:327
+#, c-format
+msgid "Philippines"
+msgstr ""
+
+#: lang.pm:328
+#, c-format
+msgid "Pakistan"
+msgstr ""
+
+#: lang.pm:329 network/adsl_consts.pm:177
+#, c-format
+msgid "Poland"
+msgstr ""
+
+#: lang.pm:330
+#, c-format
+msgid "Saint Pierre and Miquelon"
+msgstr ""
+
+#: lang.pm:331
+#, c-format
+msgid "Pitcairn"
+msgstr ""
+
+#: lang.pm:332
+#, c-format
+msgid "Puerto Rico"
+msgstr ""
+
+#: lang.pm:333
+#, c-format
+msgid "Palestine"
+msgstr ""
+
+#: lang.pm:334 network/adsl_consts.pm:187
+#, fuzzy, c-format
+msgid "Portugal"
+msgstr "Португали"
+
+#: lang.pm:335
+#, c-format
+msgid "Paraguay"
+msgstr ""
+
+#: lang.pm:336
+#, c-format
+msgid "Palau"
+msgstr ""
+
+#: lang.pm:337
+#, c-format
+msgid "Qatar"
+msgstr ""
+
+#: lang.pm:338
+#, c-format
+msgid "Reunion"
+msgstr ""
+
+#: lang.pm:339
+#, c-format
+msgid "Romania"
+msgstr "Румин"
+
+#: lang.pm:340
+#, c-format
+msgid "Russia"
+msgstr ""
+
+#: lang.pm:341
+#, c-format
+msgid "Rwanda"
+msgstr "Руанда"
+
+#: lang.pm:342
+#, c-format
+msgid "Saudi Arabia"
+msgstr "Саудын Араб"
+
+#: lang.pm:343
+#, c-format
+msgid "Solomon Islands"
+msgstr ""
+
+#: lang.pm:344
+#, c-format
+msgid "Seychelles"
+msgstr "Сейшеллийн арлууд"
+
+#: lang.pm:345
+#, c-format
+msgid "Sudan"
+msgstr ""
+
+#: lang.pm:347
+#, c-format
+msgid "Singapore"
+msgstr ""
+
+#: lang.pm:348
+#, c-format
+msgid "Saint Helena"
+msgstr ""
+
+#: lang.pm:349
+#, c-format
+msgid "Slovenia"
+msgstr ""
+
+#: lang.pm:350
+#, c-format
+msgid "Svalbard and Jan Mayen Islands"
+msgstr ""
+
+#: lang.pm:351
+#, c-format
+msgid "Slovakia"
+msgstr ""
+
+#: lang.pm:352
+#, fuzzy, c-format
+msgid "Sierra Leone"
+msgstr "Sierra"
+
+#: lang.pm:353
+#, c-format
+msgid "San Marino"
+msgstr ""
+
+#: lang.pm:354
+#, c-format
+msgid "Senegal"
+msgstr ""
+
+#: lang.pm:355
+#, c-format
+msgid "Somalia"
+msgstr "Сомали"
+
+#: lang.pm:356
+#, c-format
+msgid "Suriname"
+msgstr ""
+
+#: lang.pm:357
+#, c-format
+msgid "Sao Tome and Principe"
+msgstr ""
+
+#: lang.pm:358
+#, c-format
+msgid "El Salvador"
+msgstr "Ел Салвадорь"
+
+#: lang.pm:359
+#, c-format
+msgid "Syria"
+msgstr ""
+
+#: lang.pm:360
+#, c-format
+msgid "Swaziland"
+msgstr ""
+
+#: lang.pm:361
+#, c-format
+msgid "Turks and Caicos Islands"
+msgstr ""
+
+#: lang.pm:362
+#, c-format
+msgid "Chad"
+msgstr ""
+
+#: lang.pm:363
+#, fuzzy, c-format
+msgid "French Southern Territories"
+msgstr "Франц хэл"
+
+#: lang.pm:364
+#, c-format
+msgid "Togo"
+msgstr "Того"
+
+#: lang.pm:365
+#, c-format
+msgid "Thailand"
+msgstr ""
+
+#: lang.pm:366
+#, c-format
+msgid "Tajikistan"
+msgstr "Тажикстан"
+
+#: lang.pm:367
+#, c-format
+msgid "Tokelau"
+msgstr "Токелау"
+
+#: lang.pm:368
+#, c-format
+msgid "East Timor"
+msgstr "Зүүн Тимур"
+
+#: lang.pm:369
+#, c-format
+msgid "Turkmenistan"
+msgstr ""
+
+#: lang.pm:370
+#, c-format
+msgid "Tunisia"
+msgstr ""
+
+#: lang.pm:371
+#, c-format
+msgid "Tonga"
+msgstr ""
+
+#: lang.pm:372
+#, c-format
+msgid "Turkey"
+msgstr "Турк"
+
+#: lang.pm:373
+#, c-format
+msgid "Trinidad and Tobago"
+msgstr ""
+
+#: lang.pm:374
+#, c-format
+msgid "Tuvalu"
+msgstr "Тувалу"
+
+#: lang.pm:375
+#, c-format
+msgid "Taiwan"
+msgstr ""
+
+#: lang.pm:376
+#, c-format
+msgid "Tanzania"
+msgstr ""
+
+#: lang.pm:377
+#, c-format
+msgid "Ukraine"
+msgstr "Украйн"
+
+#: lang.pm:378
+#, c-format
+msgid "Uganda"
+msgstr ""
+
+#: lang.pm:379
+#, c-format
+msgid "United States Minor Outlying Islands"
+msgstr ""
+
+#: lang.pm:381
+#, c-format
+msgid "Uruguay"
+msgstr "Уругвай"
+
+#: lang.pm:382
+#, c-format
+msgid "Uzbekistan"
+msgstr "Узбекстан"
+
+#: lang.pm:383
+#, c-format
+msgid "Vatican"
+msgstr ""
+
+#: lang.pm:384
+#, c-format
+msgid "Saint Vincent and the Grenadines"
+msgstr ""
+
+#: lang.pm:385
+#, c-format
+msgid "Venezuela"
+msgstr "Венесуаль"
+
+#: lang.pm:386
+#, c-format
+msgid "Virgin Islands (British)"
+msgstr ""
+
+#: lang.pm:387
+#, fuzzy, c-format
+msgid "Virgin Islands (U.S.)"
+msgstr "S"
+
+#: lang.pm:388
+#, c-format
+msgid "Vietnam"
+msgstr ""
+
+#: lang.pm:389
+#, c-format
+msgid "Vanuatu"
+msgstr ""
+
+#: lang.pm:390
+#, c-format
+msgid "Wallis and Futuna"
+msgstr ""
+
+#: lang.pm:391
+#, c-format
+msgid "Samoa"
+msgstr "Самао"
+
+#: lang.pm:392
+#, c-format
+msgid "Yemen"
+msgstr "Иемэн"
+
+#: lang.pm:393
+#, c-format
+msgid "Mayotte"
+msgstr ""
+
+#: lang.pm:394
+#, c-format
+msgid "Serbia & Montenegro"
+msgstr ""
+
+#: lang.pm:395 standalone/drakxtv:50
+#, fuzzy, c-format
+msgid "South Africa"
+msgstr "Өмнө"
+
+#: lang.pm:396
+#, c-format
+msgid "Zambia"
+msgstr "Замби"
+
+#: lang.pm:397
+#, c-format
+msgid "Zimbabwe"
+msgstr ""
+
+#: lang.pm:966
+#, fuzzy, c-format
+msgid "Welcome to %s"
+msgstr "Тавтай морил"
+
+#: loopback.pm:32
+#, fuzzy, c-format
+msgid "Circular mounts %s\n"
+msgstr "с"
+
+#: lvm.pm:115
+#, c-format
+msgid "Remove the logical volumes first\n"
+msgstr "Эхлээд логик хуваалтыг устга\n"
+
+#: modules/interactive.pm:21 standalone/drakconnect:962
+#, c-format
+msgid "Parameters"
+msgstr "Параметрүүд"
+
+#: modules/interactive.pm:21 standalone/draksec:44
+#, c-format
+msgid "NONE"
+msgstr ""
+
+#: modules/interactive.pm:22
+#, fuzzy, c-format
+msgid "Module configuration"
+msgstr "Гараар"
+
+#: modules/interactive.pm:22
+#, fuzzy, c-format
+msgid "You can configure each parameter of the module here."
+msgstr "Та аас."
+
+#: modules/interactive.pm:63
+#, fuzzy, c-format
+msgid "Found %s %s interfaces"
+msgstr "с с"
+
+#: modules/interactive.pm:64
+#, fuzzy, c-format
+msgid "Do you have another one?"
+msgstr "вы?"
+
+#: modules/interactive.pm:65
+#, c-format
+msgid "Do you have any %s interfaces?"
+msgstr "Та ямар нэгэн %s гэсэн харагдалттай юу?"
+
+#: modules/interactive.pm:71
+#, c-format
+msgid "See hardware info"
+msgstr "Техник хангамжийн мэдээллийг харах"
+
+#. -PO: the first %s is the card type (scsi, network, sound,...)
+#. -PO: the second is the vendor+model name
+#: modules/interactive.pm:87
+#, c-format
+msgid "Installing driver for %s card %s"
+msgstr "%s карт %s-ийн драйверыг суулгаж байна"
+
+#: modules/interactive.pm:87
+#, fuzzy, c-format
+msgid "(module %s)"
+msgstr "с"
+
+#: modules/interactive.pm:98
+#, fuzzy, c-format
+msgid ""
+"You may now provide options to module %s.\n"
+"Note that any address should be entered with the prefix 0x like '0x123'"
+msgstr "Та с"
+
+#: modules/interactive.pm:104
+#, fuzzy, c-format
+msgid ""
+"You may now provide options to module %s.\n"
+"Options are in format ``name=value name2=value2 ...''.\n"
+"For instance, ``io=0x300 irq=7''"
+msgstr "Та с ямх нэр"
+
+#: modules/interactive.pm:106
+#, fuzzy, c-format
+msgid "Module options:"
+msgstr "Багц:"
+
+#. -PO: the %s is the driver type (scsi, network, sound,...)
+#: modules/interactive.pm:118
+#, fuzzy, c-format
+msgid "Which %s driver should I try?"
+msgstr "с?"
+
+#: modules/interactive.pm:127
+#, fuzzy, c-format
+msgid ""
+"In some cases, the %s driver needs to have extra information to work\n"
+"properly, although it normally works fine without them. Would you like to "
+"specify\n"
+"extra options for it or allow the driver to probe your machine for the\n"
+"information it needs? Occasionally, probing will hang a computer, but it "
+"should\n"
+"not cause any damage."
+msgstr "Томоор с вы."
+
+#: modules/interactive.pm:131
+#, c-format
+msgid "Autoprobe"
+msgstr "Автомат судалгаа"
+
+#: modules/interactive.pm:131
+#, c-format
+msgid "Specify options"
+msgstr ""
+
+#: modules/interactive.pm:143
+#, fuzzy, c-format
+msgid ""
+"Loading module %s failed.\n"
+"Do you want to try again with other parameters?"
+msgstr "Ачаалж байна... с вы бусад?"
+
+#: modules/parameters.pm:49
+#, c-format
+msgid "a number"
+msgstr ""
+
+#: modules/parameters.pm:51
+#, c-format
+msgid "%d comma separated numbers"
+msgstr ""
+
+#: modules/parameters.pm:51
+#, c-format
+msgid "%d comma separated strings"
+msgstr ""
+
+#: modules/parameters.pm:53
+#, c-format
+msgid "comma separated numbers"
+msgstr "таслалаар тусгаарлагдсан тоонууд"
+
+#: modules/parameters.pm:53
+#, c-format
+msgid "comma separated strings"
+msgstr "таслалаар тусгаарлагдсан тэмдэгт мөрүүд"
+
+#: mouse.pm:25
+#, fuzzy, c-format
+msgid "Sun - Mouse"
+msgstr "Ням"
+
+#: mouse.pm:31 security/level.pm:12
+#, fuzzy, c-format
+msgid "Standard"
+msgstr "Стандарт"
+
+#: mouse.pm:32
+#, c-format
+msgid "Logitech MouseMan+"
+msgstr ""
+
+#: mouse.pm:33
+#, fuzzy, c-format
+msgid "Generic PS2 Wheel Mouse"
+msgstr "Ерөнхий Дугуй"
+
+#: mouse.pm:34
+#, c-format
+msgid "GlidePoint"
+msgstr ""
+
+#: mouse.pm:36 network/modem.pm:23 network/modem.pm:37 network/modem.pm:42
+#: network/modem.pm:73 network/netconnect.pm:481 network/netconnect.pm:482
+#: network/netconnect.pm:483 network/netconnect.pm:503
+#: network/netconnect.pm:508 network/netconnect.pm:520
+#: network/netconnect.pm:525 network/netconnect.pm:541
+#: network/netconnect.pm:543
+#, fuzzy, c-format
+msgid "Automatic"
+msgstr "Автоматаар"
+
+#: mouse.pm:39 mouse.pm:73
+#, c-format
+msgid "Kensington Thinking Mouse"
+msgstr ""
+
+#: mouse.pm:40 mouse.pm:68
+#, c-format
+msgid "Genius NetMouse"
+msgstr ""
+
+#: mouse.pm:41
+#, c-format
+msgid "Genius NetScroll"
+msgstr ""
+
+#: mouse.pm:42 mouse.pm:52
+#, c-format
+msgid "Microsoft Explorer"
+msgstr "Майкрософт хөтөч"
+
+#: mouse.pm:47 mouse.pm:79
+#, c-format
+msgid "1 button"
+msgstr ""
+
+#: mouse.pm:48 mouse.pm:57
+#, c-format
+msgid "Generic 2 Button Mouse"
+msgstr "Ерөнхий 2 Товчтой хулгана"
+
+#: mouse.pm:50 mouse.pm:59
+#, fuzzy, c-format
+msgid "Generic 3 Button Mouse with Wheel emulation"
+msgstr "Ерөнхий Товч"
+
+#: mouse.pm:51
+#, fuzzy, c-format
+msgid "Wheel"
+msgstr "Дугуй"
+
+#: mouse.pm:55
+#, c-format
+msgid "serial"
+msgstr ""
+
+#: mouse.pm:58
+#, fuzzy, c-format
+msgid "Generic 3 Button Mouse"
+msgstr "Ерөнхий Товч"
+
+#: mouse.pm:60
+#, c-format
+msgid "Microsoft IntelliMouse"
+msgstr ""
+
+#: mouse.pm:61
+#, c-format
+msgid "Logitech MouseMan"
+msgstr ""
+
+#: mouse.pm:62
+#, c-format
+msgid "Logitech MouseMan with Wheel emulation"
+msgstr ""
+
+#: mouse.pm:63
+#, c-format
+msgid "Mouse Systems"
+msgstr "Хулганы систем"
+
+#: mouse.pm:65
+#, c-format
+msgid "Logitech CC Series"
+msgstr ""
+
+#: mouse.pm:66
+#, c-format
+msgid "Logitech CC Series with Wheel emulation"
+msgstr ""
+
+#: mouse.pm:67
+#, c-format
+msgid "Logitech MouseMan+/FirstMouse+"
+msgstr "Logitech MouseMan+/FirstMouse+"
+
+#: mouse.pm:69
+#, c-format
+msgid "MM Series"
+msgstr "MM цувралууд"
+
+#: mouse.pm:70
+#, c-format
+msgid "MM HitTablet"
+msgstr ""
+
+#: mouse.pm:71
+#, fuzzy, c-format
+msgid "Logitech Mouse (serial, old C7 type)"
+msgstr "Хулгана C7 төрөл"
+
+#: mouse.pm:72
+#, fuzzy, c-format
+msgid "Logitech Mouse (serial, old C7 type) with Wheel emulation"
+msgstr "Хулгана C7 төрөл"
+
+#: mouse.pm:74
+#, c-format
+msgid "Kensington Thinking Mouse with Wheel emulation"
+msgstr ""
+
+#: mouse.pm:77
+#, c-format
+msgid "busmouse"
+msgstr ""
+
+#: mouse.pm:80
+#, c-format
+msgid "2 buttons"
+msgstr ""
+
+#: mouse.pm:81
+#, c-format
+msgid "3 buttons"
+msgstr ""
+
+#: mouse.pm:82
+#, fuzzy, c-format
+msgid "3 buttons with Wheel emulation"
+msgstr "Товчинууд тоолуур"
+
+#: mouse.pm:86
+#, fuzzy, c-format
+msgid "Universal"
+msgstr "Фонтуудыг устгах"
+
+#: mouse.pm:88
+#, c-format
+msgid "Any PS/2 & USB mice"
+msgstr ""
+
+#: mouse.pm:92
+#, fuzzy, c-format
+msgid "none"
+msgstr "байхгүй"
+
+#: mouse.pm:94
+#, fuzzy, c-format
+msgid "No mouse"
+msgstr "Үгүй"
+
+#: mouse.pm:515
+#, c-format
+msgid "Please test the mouse"
+msgstr ""
+
+#: mouse.pm:517
+#, fuzzy, c-format
+msgid "To activate the mouse,"
+msgstr "тийш"
+
+#: mouse.pm:518
+#, c-format
+msgid "MOVE YOUR WHEEL!"
+msgstr ""
+
+#: network/adsl.pm:19
+#, c-format
+msgid "use pppoe"
+msgstr ""
+
+#: network/adsl.pm:20
+#, c-format
+msgid "use pptp"
+msgstr ""
+
+#: network/adsl.pm:21
+#, c-format
+msgid "use dhcp"
+msgstr "dhcp ашиглах"
+
+#: network/adsl.pm:22
+#, c-format
+msgid "Alcatel speedtouch usb"
+msgstr "Alcatel speedtouch usb"
+
+#: network/adsl.pm:22 network/adsl.pm:23 network/adsl.pm:24
+#, fuzzy, c-format
+msgid " - detected"
+msgstr "танигдсан"
+
+#: network/adsl.pm:23
+#, c-format
+msgid "Sagem (using pppoa) usb"
+msgstr ""
+
+#: network/adsl.pm:24
+#, c-format
+msgid "Sagem (using dhcp) usb"
+msgstr ""
+
+#: network/adsl.pm:35 network/netconnect.pm:679
+#, c-format
+msgid "Connect to the Internet"
+msgstr ""
+
+#: network/adsl.pm:36 network/netconnect.pm:680
+#, fuzzy, c-format
+msgid ""
+"The most common way to connect with adsl is pppoe.\n"
+"Some connections use pptp, a few use dhcp.\n"
+"If you don't know, choose 'use pppoe'"
+msgstr "бол вы"
+
+#: network/adsl.pm:41 network/netconnect.pm:684
+#, fuzzy, c-format
+msgid "ADSL connection type :"
+msgstr "Холболт төрөл "
+
+#: network/drakfirewall.pm:12
+#, fuzzy, c-format
+msgid "Web Server"
+msgstr "Вэб"
+
+#: network/drakfirewall.pm:17
+#, c-format
+msgid "Domain Name Server"
+msgstr "Домэйн Нэрний Сервер"
+
+#: network/drakfirewall.pm:22
+#, fuzzy, c-format
+msgid "SSH server"
+msgstr "X"
+
+#: network/drakfirewall.pm:27
+#, fuzzy, c-format
+msgid "FTP server"
+msgstr "NTP Сервер"
+
+#: network/drakfirewall.pm:32
+#, c-format
+msgid "Mail Server"
+msgstr "Мэйл сервер"
+
+#: network/drakfirewall.pm:37
+#, c-format
+msgid "POP and IMAP Server"
+msgstr "POP болон IMAP сервер"
+
+#: network/drakfirewall.pm:42
+#, fuzzy, c-format
+msgid "Telnet server"
+msgstr "X"
+
+#: network/drakfirewall.pm:48
+#, fuzzy, c-format
+msgid "Samba server"
+msgstr "Самба"
+
+#: network/drakfirewall.pm:54
+#, fuzzy, c-format
+msgid "CUPS server"
+msgstr "Дээд"
+
+#: network/drakfirewall.pm:60
+#, c-format
+msgid "Echo request (ping)"
+msgstr ""
+
+#: network/drakfirewall.pm:125
+#, fuzzy, c-format
+msgid "No network card"
+msgstr "Үгүй"
+
+#: network/drakfirewall.pm:146
+#, fuzzy, c-format
+msgid ""
+"drakfirewall configurator\n"
+"\n"
+"This configures a personal firewall for this Mandrake Linux machine.\n"
+"For a powerful and dedicated firewall solution, please look to the\n"
+"specialized MandrakeSecurity Firewall distribution."
+msgstr "г."
+
+#: network/drakfirewall.pm:152
+#, fuzzy, c-format
+msgid ""
+"drakfirewall configurator\n"
+"\n"
+"Make sure you have configured your Network/Internet access with\n"
+"drakconnect before going any further."
+msgstr "г вы Сүлжээ Интернэт."
+
+#: network/drakfirewall.pm:169
+#, fuzzy, c-format
+msgid "Which services would you like to allow the Internet to connect to?"
+msgstr "вы Интернэт?"
+
+#: network/drakfirewall.pm:170
+#, fuzzy, c-format
+msgid ""
+"You can enter miscellaneous ports. \n"
+"Valid examples are: 139/tcp 139/udp.\n"
+"Have a look at /etc/services for information."
+msgstr "Та."
+
+#: network/drakfirewall.pm:176
+#, fuzzy, c-format
+msgid ""
+"Invalid port given: %s.\n"
+"The proper format is \"port/tcp\" or \"port/udp\", \n"
+"where port is between 1 and 65535.\n"
+"\n"
+"You can also give a range of ports (eg: 24300:24350/udp)"
+msgstr "Буруу с бол бол."
+
+#: network/drakfirewall.pm:186
+#, fuzzy, c-format
+msgid "Everything (no firewall)"
+msgstr "үгүй"
+
+#: network/drakfirewall.pm:188
+#, fuzzy, c-format
+msgid "Other ports"
+msgstr "Бусад"
+
+#: network/isdn.pm:127 network/isdn.pm:145 network/isdn.pm:157
+#: network/isdn.pm:163 network/isdn.pm:173 network/isdn.pm:183
+#: network/netconnect.pm:332
+#, fuzzy, c-format
+msgid "ISDN Configuration"
+msgstr "ИСДН(ISDN)"
+
+#: network/isdn.pm:127
+#, fuzzy, c-format
+msgid ""
+"Select your provider.\n"
+"If it isn't listed, choose Unlisted."
+msgstr "Сонгох."
+
+#: network/isdn.pm:140 standalone/drakconnect:503
+#, c-format
+msgid "European protocol (EDSS1)"
+msgstr "Европын протокол (EDSS1)"
+
+#: network/isdn.pm:140
+#, c-format
+msgid "European protocol"
+msgstr ""
+
+#: network/isdn.pm:142 standalone/drakconnect:504
+#, c-format
+msgid ""
+"Protocol for the rest of the world\n"
+"No D-Channel (leased lines)"
+msgstr ""
+
+#: network/isdn.pm:142
+#, fuzzy, c-format
+msgid "Protocol for the rest of the world"
+msgstr "аас"
+
+#: network/isdn.pm:146
+#, fuzzy, c-format
+msgid "Which protocol do you want to use?"
+msgstr "вы?"
+
+#: network/isdn.pm:157
+#, fuzzy, c-format
+msgid "Found \"%s\" interface do you want to use it ?"
+msgstr "с вы?"
+
+#: network/isdn.pm:164
+#, c-format
+msgid "What kind of card do you have?"
+msgstr "Та ямар төрлийн карттай бэ?"
+
+#: network/isdn.pm:165
+#, c-format
+msgid "ISA / PCMCIA"
+msgstr ""
+
+#: network/isdn.pm:165
+#, c-format
+msgid "PCI"
+msgstr "PCI"
+
+#: network/isdn.pm:165
+#, c-format
+msgid "USB"
+msgstr ""
+
+#: network/isdn.pm:165
+#, c-format
+msgid "I don't know"
+msgstr "Би мэдэхгүй"
+
+#: network/isdn.pm:174
+#, c-format
+msgid ""
+"\n"
+"If you have an ISA card, the values on the next screen should be right.\n"
+"\n"
+"If you have a PCMCIA card, you have to know the \"irq\" and \"io\" of your "
+"card.\n"
+msgstr ""
+"\n"
+"Хэрэв та ISA карттай бол дараагийн дэлгэцэн дээрх утгууд зөв байх ёстой.\n"
+"\n"
+"Хэрэв та PCMCIA карттай бол та картныхаа \"irq\" болон \"io\"-г мэдрэх "
+"хэрэгтэй.\n"
+
+#: network/isdn.pm:178
+#, fuzzy, c-format
+msgid "Continue"
+msgstr "Үргэлжилүүлэх"
+
+#: network/isdn.pm:178
+#, c-format
+msgid "Abort"
+msgstr "Таслах"
+
+#: network/isdn.pm:184
+#, fuzzy, c-format
+msgid "Which of the following is your ISDN card?"
+msgstr "аас бол ИСДН(ISDN)?"
+
+#: network/netconnect.pm:95
+#, c-format
+msgid "Ad-hoc"
+msgstr ""
+
+#: network/netconnect.pm:96
+#, fuzzy, c-format
+msgid "Managed"
+msgstr "Хэл"
+
+#: network/netconnect.pm:97
+#, fuzzy, c-format
+msgid "Master"
+msgstr "Хэрэглэгч"
+
+#: network/netconnect.pm:98
+#, fuzzy, c-format
+msgid "Repeater"
+msgstr "Сэргээх"
+
+#: network/netconnect.pm:99
+#, fuzzy, c-format
+msgid "Secondary"
+msgstr "хоёрдугаар"
+
+#: network/netconnect.pm:100
+#, fuzzy, c-format
+msgid "Auto"
+msgstr "Тухай"
+
+#: network/netconnect.pm:103 printer/printerdrake.pm:1118
+#, fuzzy, c-format
+msgid "Manual configuration"
+msgstr "Гараар"
+
+#: network/netconnect.pm:104
+#, fuzzy, c-format
+msgid "Automatic IP (BOOTP/DHCP)"
+msgstr "Автоматаар"
+
+#: network/netconnect.pm:106
+#, c-format
+msgid "Automatic IP (BOOTP/DHCP/Zeroconf)"
+msgstr ""
+
+#: network/netconnect.pm:156
+#, fuzzy, c-format
+msgid "Alcatel speedtouch USB modem"
+msgstr "Alcatel speedtouch usb"
+
+#: network/netconnect.pm:157
+#, fuzzy, c-format
+msgid "Sagem USB modem"
+msgstr "Системийн горим"
+
+#: network/netconnect.pm:158
+#, c-format
+msgid "Bewan USB modem"
+msgstr ""
+
+#: network/netconnect.pm:159
+#, c-format
+msgid "Bewan PCI modem"
+msgstr ""
+
+#: network/netconnect.pm:160
+#, c-format
+msgid "ECI Hi-Focus modem"
+msgstr ""
+
+#: network/netconnect.pm:164
+#, c-format
+msgid "Dynamic Host Configuration Protocol (DHCP)"
+msgstr ""
+
+#: network/netconnect.pm:165
+#, fuzzy, c-format
+msgid "Manual TCP/IP configuration"
+msgstr "Гараар"
+
+#: network/netconnect.pm:166
+#, c-format
+msgid "Point to Point Tunneling Protocol (PPTP)"
+msgstr ""
+
+#: network/netconnect.pm:167
+#, c-format
+msgid "PPP over Ethernet (PPPoE)"
+msgstr ""
+
+#: network/netconnect.pm:168
+#, c-format
+msgid "PPP over ATM (PPPoA)"
+msgstr ""
+
+#: network/netconnect.pm:172
+#, c-format
+msgid "Bridged Ethernet LLC"
+msgstr ""
+
+#: network/netconnect.pm:173
+#, c-format
+msgid "Bridged Ethernet VC"
+msgstr ""
+
+#: network/netconnect.pm:174
+#, c-format
+msgid "Routed IP LLC"
+msgstr ""
+
+#: network/netconnect.pm:175
+#, c-format
+msgid "Routed IP VC"
+msgstr ""
+
+#: network/netconnect.pm:176
+#, c-format
+msgid "PPPOA LLC"
+msgstr ""
+
+#: network/netconnect.pm:177
+#, c-format
+msgid "PPPOA VC"
+msgstr ""
+
+#: network/netconnect.pm:181 standalone/drakconnect:443
+#: standalone/drakconnect:917
+#, c-format
+msgid "Script-based"
+msgstr ""
+
+#: network/netconnect.pm:182 standalone/drakconnect:443
+#: standalone/drakconnect:917
+#, c-format
+msgid "PAP"
+msgstr ""
+
+#: network/netconnect.pm:183 standalone/drakconnect:443
+#: standalone/drakconnect:917
+#, c-format
+msgid "Terminal-based"
+msgstr "Терминал суурьт"
+
+#: network/netconnect.pm:184 standalone/drakconnect:443
+#: standalone/drakconnect:917
+#, c-format
+msgid "CHAP"
+msgstr ""
+
+#: network/netconnect.pm:185
+#, c-format
+msgid "PAP/CHAP"
+msgstr ""
+
+#: network/netconnect.pm:199 standalone/drakconnect:54
+#, fuzzy, c-format
+msgid "Network & Internet Configuration"
+msgstr "Сүлжээний тохируулга"
+
+#: network/netconnect.pm:205
+#, fuzzy, c-format
+msgid "(detected on port %s)"
+msgstr "Нээх"
+
+#. -PO: here, "(detected)" string will be appended to eg "ADSL connection"
+#: network/netconnect.pm:207
+#, fuzzy, c-format
+msgid "(detected %s)"
+msgstr "%s танигдсан"
+
+#: network/netconnect.pm:207
+#, fuzzy, c-format
+msgid "(detected)"
+msgstr "танигдсан"
+
+#: network/netconnect.pm:209
+#, fuzzy, c-format
+msgid "Modem connection"
+msgstr "Энгийн Модем холболт"
+
+#: network/netconnect.pm:210
+#, fuzzy, c-format
+msgid "ISDN connection"
+msgstr "ИСДН(ISDN)"
+
+#: network/netconnect.pm:211
+#, c-format
+msgid "ADSL connection"
+msgstr ""
+
+#: network/netconnect.pm:212
+#, c-format
+msgid "Cable connection"
+msgstr "Кабель холболт"
+
+#: network/netconnect.pm:213
+#, c-format
+msgid "LAN connection"
+msgstr ""
+
+#: network/netconnect.pm:214 network/netconnect.pm:228
+#, fuzzy, c-format
+msgid "Wireless connection"
+msgstr "Кабель холболт"
+
+#: network/netconnect.pm:224
+#, fuzzy, c-format
+msgid "Choose the connection you want to configure"
+msgstr "вы"
+
+#: network/netconnect.pm:241
+#, fuzzy, c-format
+msgid ""
+"We are now going to configure the %s connection.\n"
+"\n"
+"\n"
+"Press \"%s\" to continue."
+msgstr "г г с г г Ок."
+
+#: network/netconnect.pm:249 network/netconnect.pm:710
+#, fuzzy, c-format
+msgid "Connection Configuration"
+msgstr "Холболт"
+
+#: network/netconnect.pm:250 network/netconnect.pm:711
+#, c-format
+msgid "Please fill or check the field below"
+msgstr ""
+
+#: network/netconnect.pm:256 standalone/drakconnect:494
+#: standalone/drakconnect:899
+#, c-format
+msgid "Card IRQ"
+msgstr ""
+
+#: network/netconnect.pm:257 standalone/drakconnect:495
+#: standalone/drakconnect:900
+#, c-format
+msgid "Card mem (DMA)"
+msgstr ""
+
+#: network/netconnect.pm:258 standalone/drakconnect:496
+#: standalone/drakconnect:901
+#, c-format
+msgid "Card IO"
+msgstr ""
+
+#: network/netconnect.pm:259 standalone/drakconnect:497
+#: standalone/drakconnect:902
+#, c-format
+msgid "Card IO_0"
+msgstr ""
+
+#: network/netconnect.pm:260 standalone/drakconnect:903
+#, c-format
+msgid "Card IO_1"
+msgstr ""
+
+#: network/netconnect.pm:261 standalone/drakconnect:904
+#, c-format
+msgid "Your personal phone number"
+msgstr ""
+
+#: network/netconnect.pm:262 network/netconnect.pm:714
+#: standalone/drakconnect:905
+#, fuzzy, c-format
+msgid "Provider name (ex provider.net)"
+msgstr "нэр"
+
+#: network/netconnect.pm:263 standalone/drakconnect:440
+#: standalone/drakconnect:906
+#, c-format
+msgid "Provider phone number"
+msgstr ""
+
+#: network/netconnect.pm:264
+#, fuzzy, c-format
+msgid "Provider DNS 1 (optional)"
+msgstr "Эхний Сервер"
+
+#: network/netconnect.pm:265
+#, fuzzy, c-format
+msgid "Provider DNS 2 (optional)"
+msgstr "Эхний Сервер"
+
+#: network/netconnect.pm:266 standalone/drakconnect:396
+#: standalone/drakconnect:462 standalone/drakconnect:911
+#, c-format
+msgid "Dialing mode"
+msgstr ""
+
+#: network/netconnect.pm:267 standalone/drakconnect:401
+#: standalone/drakconnect:459 standalone/drakconnect:923
+#, c-format
+msgid "Connection speed"
+msgstr "Холболтын хурд"
+
+#: network/netconnect.pm:268 standalone/drakconnect:406
+#: standalone/drakconnect:924
+#, fuzzy, c-format
+msgid "Connection timeout (in sec)"
+msgstr "Холболт ямх"
+
+#: network/netconnect.pm:271 network/netconnect.pm:717
+#: standalone/drakconnect:438 standalone/drakconnect:909
+#, c-format
+msgid "Account Login (user name)"
+msgstr ""
+
+#: network/netconnect.pm:272 network/netconnect.pm:718
+#: standalone/drakconnect:439 standalone/drakconnect:910
+#: standalone/drakconnect:944
+#, c-format
+msgid "Account Password"
+msgstr "Дансны нууц үг"
+
+#: network/netconnect.pm:300
+#, fuzzy, c-format
+msgid "What kind is your ISDN connection?"
+msgstr "бол ИСДН(ISDN)?"
+
+#: network/netconnect.pm:301
+#, fuzzy, c-format
+msgid "Internal ISDN card"
+msgstr "ИСДН(ISDN)"
+
+#: network/netconnect.pm:301
+#, c-format
+msgid "External ISDN modem"
+msgstr "Гадаад ISDN модем"
+
+#: network/netconnect.pm:332
+#, fuzzy, c-format
+msgid "Do you want to start a new configuration ?"
+msgstr "вы?"
+
+#: network/netconnect.pm:335
+#, fuzzy, c-format
+msgid ""
+"I have detected an ISDN PCI card, but I don't know its type. Please select a "
+"PCI card on the next screen."
+msgstr "ИСДН(ISDN) төрөл."
+
+#: network/netconnect.pm:344
+#, fuzzy, c-format
+msgid "No ISDN PCI card found. Please select one on the next screen."
+msgstr "Үгүй ИСДН(ISDN)."
+
+#: network/netconnect.pm:353
+#, c-format
+msgid ""
+"Your modem isn't supported by the system.\n"
+"Take a look at http://www.linmodems.org"
+msgstr ""
+"Таны модем тухайн системээр дэмжигдээгүй байна.\n"
+"Та at http://www.linmodems.org хаягаар орж үзнэ үү."
+
+#: network/netconnect.pm:364
+#, fuzzy, c-format
+msgid "Select the modem to configure:"
+msgstr "Сонгох"
+
+#: network/netconnect.pm:403
+#, c-format
+msgid "Please choose which serial port your modem is connected to."
+msgstr "Ямар дараалсан порт руу таны модем руу холбогдсоныг сонгоно уу!"
+
+#: network/netconnect.pm:427
+#, fuzzy, c-format
+msgid "Select your provider:"
+msgstr "Хэвлэгч"
+
+#: network/netconnect.pm:429 network/netconnect.pm:599
+#, fuzzy, c-format
+msgid "Provider:"
+msgstr "Хэвлэгч"
+
+#: network/netconnect.pm:481 network/netconnect.pm:482
+#: network/netconnect.pm:483 network/netconnect.pm:508
+#: network/netconnect.pm:525 network/netconnect.pm:541
+#, fuzzy, c-format
+msgid "Manual"
+msgstr "Хэл"
+
+#: network/netconnect.pm:485
+#, fuzzy, c-format
+msgid "Dialup: account options"
+msgstr "Дискийн төхөөрөмж холбох"
+
+#: network/netconnect.pm:488 standalone/drakconnect:913
+#, fuzzy, c-format
+msgid "Connection name"
+msgstr "Холболт"
+
+#: network/netconnect.pm:489 standalone/drakconnect:914
+#, c-format
+msgid "Phone number"
+msgstr "Утасны дугаар"
+
+#: network/netconnect.pm:490 standalone/drakconnect:915
+#, c-format
+msgid "Login ID"
+msgstr "Нэвтрэх ТТ"
+
+#: network/netconnect.pm:505 network/netconnect.pm:538
+#, fuzzy, c-format
+msgid "Dialup: IP parameters"
+msgstr "Параметрүүд"
+
+#: network/netconnect.pm:508
+#, fuzzy, c-format
+msgid "IP parameters"
+msgstr "Параметрүүд"
+
+#: network/netconnect.pm:509 network/netconnect.pm:829
+#: printer/printerdrake.pm:431 standalone/drakconnect:113
+#: standalone/drakconnect:306 standalone/drakconnect:764
+#, c-format
+msgid "IP address"
+msgstr "IP хаяг"
+
+#: network/netconnect.pm:510
+#, fuzzy, c-format
+msgid "Subnet mask"
+msgstr "Subnetz Маск:"
+
+#: network/netconnect.pm:522
+#, c-format
+msgid "Dialup: DNS parameters"
+msgstr ""
+
+#: network/netconnect.pm:525
+#, c-format
+msgid "DNS"
+msgstr ""
+
+#: network/netconnect.pm:526 standalone/drakconnect:918
+#, fuzzy, c-format
+msgid "Domain name"
+msgstr "Домэйн"
+
+#: network/netconnect.pm:527 network/netconnect.pm:715
+#: standalone/drakconnect:919
+#, fuzzy, c-format
+msgid "First DNS Server (optional)"
+msgstr "Эхний Сервер"
+
+#: network/netconnect.pm:528 network/netconnect.pm:716
+#: standalone/drakconnect:920
+#, fuzzy, c-format
+msgid "Second DNS Server (optional)"
+msgstr "Хоёрдох Сервер"
+
+#: network/netconnect.pm:529
+#, fuzzy, c-format
+msgid "Set hostname from IP"
+msgstr "Хэвлэгч нэр"
+
+#: network/netconnect.pm:541 standalone/drakconnect:317
+#: standalone/drakconnect:912
+#, c-format
+msgid "Gateway"
+msgstr ""
+
+#: network/netconnect.pm:542
+#, fuzzy, c-format
+msgid "Gateway IP address"
+msgstr "IP хаяг"
+
+#: network/netconnect.pm:567
+#, fuzzy, c-format
+msgid "ADSL configuration"
+msgstr "LAN тохиргоо"
+
+#: network/netconnect.pm:567 network/netconnect.pm:746
+#, fuzzy, c-format
+msgid "Select the network interface to configure:"
+msgstr "Сонгох"
+
+#: network/netconnect.pm:568 network/netconnect.pm:748 network/shorewall.pm:77
+#: standalone/drakconnect:602 standalone/drakgw:218 standalone/drakvpn:217
+#, c-format
+msgid "Net Device"
+msgstr ""
+
+#: network/netconnect.pm:597
+#, fuzzy, c-format
+msgid "Please choose your ADSL provider"
+msgstr "Улсаа сонгоно уу."
+
+#: network/netconnect.pm:616
+#, c-format
+msgid ""
+"You need the Alcatel microcode.\n"
+"You can provide it now via a floppy or your windows partition,\n"
+"or skip and do it later."
+msgstr ""
+
+#: network/netconnect.pm:620 network/netconnect.pm:625
+#, fuzzy, c-format
+msgid "Use a floppy"
+msgstr "Хадгалах"
+
+#: network/netconnect.pm:620 network/netconnect.pm:629
+#, fuzzy, c-format
+msgid "Use my Windows partition"
+msgstr "Цонхнууд"
+
+#: network/netconnect.pm:620 network/netconnect.pm:633
+#, c-format
+msgid "Do it later"
+msgstr ""
+
+#: network/netconnect.pm:640
+#, c-format
+msgid "Firmware copy failed, file %s not found"
+msgstr ""
+
+#: network/netconnect.pm:647
+#, c-format
+msgid "Firmware copy succeeded"
+msgstr ""
+
+#: network/netconnect.pm:662
+#, fuzzy, c-format
+msgid ""
+"You need the Alcatel microcode.\n"
+"Download it at:\n"
+"%s\n"
+"and copy the mgmt.o in /usr/share/speedtouch"
+msgstr ""
+"Та\n"
+"http://www.speedtouchdsl.com/dvrreg_lx.htm ямх"
+
+#: network/netconnect.pm:719
+#, c-format
+msgid "Virtual Path ID (VPI):"
+msgstr ""
+
+#: network/netconnect.pm:720
+#, c-format
+msgid "Virtual Circuit ID (VCI):"
+msgstr ""
+
+#: network/netconnect.pm:721
+#, fuzzy, c-format
+msgid "Encapsulation :"
+msgstr "Баяр хүргэе!"
+
+#: network/netconnect.pm:736
+#, c-format
+msgid ""
+"The ECI Hi-Focus modem cannot be supported due to binary driver distribution "
+"problem.\n"
+"\n"
+"You can find a driver on http://eciadsl.flashtux.org/"
+msgstr ""
+
+#: network/netconnect.pm:753
+#, fuzzy, c-format
+msgid "No wireless network adapter on your system!"
+msgstr "Үгүй!"
+
+#: network/netconnect.pm:754 standalone/drakgw:240 standalone/drakpxe:137
+#, fuzzy, c-format
+msgid "No network adapter on your system!"
+msgstr "Үгүй!"
+
+#: network/netconnect.pm:766
+#, fuzzy, c-format
+msgid ""
+"WARNING: this device has been previously configured to connect to the "
+"Internet.\n"
+"Simply accept to keep this device configured.\n"
+"Modifying the fields below will override this configuration."
+msgstr "АНХААРУУЛГА Интернэт."
+
+#: network/netconnect.pm:784
+#, fuzzy, c-format
+msgid "Zeroconf hostname resolution"
+msgstr "Хост"
+
+#: network/netconnect.pm:785 network/netconnect.pm:816
+#, c-format
+msgid "Configuring network device %s (driver %s)"
+msgstr ""
+
+#: network/netconnect.pm:786
+#, c-format
+msgid ""
+"The following protocols can be used to configure an ethernet connection. "
+"Please choose the one you want to use"
+msgstr ""
+
+#: network/netconnect.pm:817
+#, c-format
+msgid ""
+"Please enter the IP configuration for this machine.\n"
+"Each item should be entered as an IP address in dotted-decimal\n"
+"notation (for example, 1.2.3.4)."
+msgstr ""
+"Энэ машины хувьд IP тохируулгыг оруулна уу.\n"
+"Бүх хэсгүүд цэгээр тусгаарлагдсан аравтын тоон буюу\n"
+"IP хэлбэртэй байх ёстой (жишээ нь: 1.2.3.4)"
+
+#: network/netconnect.pm:824
+#, fuzzy, c-format
+msgid "Assign host name from DHCP address"
+msgstr "нэр"
+
+#: network/netconnect.pm:825
+#, c-format
+msgid "DHCP host name"
+msgstr ""
+
+#: network/netconnect.pm:830 standalone/drakconnect:311
+#: standalone/drakconnect:765 standalone/drakgw:313
+#, c-format
+msgid "Netmask"
+msgstr ""
+
+#: network/netconnect.pm:832 standalone/drakconnect:389
+#, c-format
+msgid "Track network card id (useful for laptops)"
+msgstr ""
+
+#: network/netconnect.pm:833 standalone/drakconnect:390
+#, fuzzy, c-format
+msgid "Network Hotplugging"
+msgstr "Сүлжээ"
+
+#: network/netconnect.pm:834 standalone/drakconnect:384
+#, c-format
+msgid "Start at boot"
+msgstr "Ачаалахад эхлүүл"
+
+#: network/netconnect.pm:836 standalone/drakconnect:768
+#, c-format
+msgid "DHCP client"
+msgstr ""
+
+#: network/netconnect.pm:846 printer/printerdrake.pm:1349
+#: standalone/drakconnect:569
+#, fuzzy, c-format
+msgid "IP address should be in format 1.2.3.4"
+msgstr "ямх"
+
+#: network/netconnect.pm:849
+#, c-format
+msgid "Warning : IP address %s is usually reserved !"
+msgstr ""
+
+#: network/netconnect.pm:879 network/netconnect.pm:908
+#, c-format
+msgid "Please enter the wireless parameters for this card:"
+msgstr ""
+
+#: network/netconnect.pm:882 standalone/drakconnect:355
+#, fuzzy, c-format
+msgid "Operating Mode"
+msgstr "Мэргэжлийн"
+
+#: network/netconnect.pm:884 standalone/drakconnect:356
+#, c-format
+msgid "Network name (ESSID)"
+msgstr ""
+
+#: network/netconnect.pm:885 standalone/drakconnect:357
+#, fuzzy, c-format
+msgid "Network ID"
+msgstr "Сүлжээ"
+
+#: network/netconnect.pm:886 standalone/drakconnect:358
+#, c-format
+msgid "Operating frequency"
+msgstr ""
+
+#: network/netconnect.pm:887 standalone/drakconnect:359
+#, c-format
+msgid "Sensitivity threshold"
+msgstr ""
+
+#: network/netconnect.pm:888 standalone/drakconnect:360
+#, c-format
+msgid "Bitrate (in b/s)"
+msgstr ""
+
+#: network/netconnect.pm:894
+#, fuzzy, c-format
+msgid ""
+"Freq should have the suffix k, M or G (for example, \"2.46G\" for 2.46 GHz "
+"frequency), or add enough '0' (zeroes)."
+msgstr "M."
+
+#: network/netconnect.pm:898
+#, fuzzy, c-format
+msgid ""
+"Rate should have the suffix k, M or G (for example, \"11M\" for 11M), or add "
+"enough '0' (zeroes)."
+msgstr "M."
+
+#: network/netconnect.pm:911 standalone/drakconnect:371
+#, c-format
+msgid "RTS/CTS"
+msgstr ""
+
+#: network/netconnect.pm:912
+#, c-format
+msgid ""
+"RTS/CTS adds a handshake before each packet transmission to make sure that "
+"the\n"
+"channel is clear. This adds overhead, but increase performance in case of "
+"hidden\n"
+"nodes or large number of active nodes. This parameter sets the size of the\n"
+"smallest packet for which the node sends RTS, a value equal to the maximum\n"
+"packet size disable the scheme. You may also set this parameter to auto, "
+"fixed\n"
+"or off."
+msgstr ""
+
+#: network/netconnect.pm:919 standalone/drakconnect:372
+#, fuzzy, c-format
+msgid "Fragmentation"
+msgstr "Тоглоом"
+
+#: network/netconnect.pm:920 standalone/drakconnect:373
+#, c-format
+msgid "Iwconfig command extra arguments"
+msgstr ""
+
+#: network/netconnect.pm:921
+#, c-format
+msgid ""
+"Here, one can configure some extra wireless parameters such as:\n"
+"ap, channel, commit, enc, power, retry, sens, txpower (nick is already set "
+"as the hostname).\n"
+"\n"
+"See iwpconfig(8) man page for further information."
+msgstr ""
+
+#. -PO: split the "xyz command extra argument" translated string into two lines if it's bigger than the english one
+#: network/netconnect.pm:928 standalone/drakconnect:374
+#, c-format
+msgid "Iwspy command extra arguments"
+msgstr ""
+
+#: network/netconnect.pm:929
+#, c-format
+msgid ""
+"Iwspy is used to set a list of addresses in a wireless network\n"
+"interface and to read back quality of link information for each of those.\n"
+"\n"
+"This information is the same as the one available in /proc/net/wireless :\n"
+"quality of the link, signal strength and noise level.\n"
+"\n"
+"See iwpspy(8) man page for further information."
+msgstr ""
+
+#: network/netconnect.pm:937 standalone/drakconnect:375
+#, c-format
+msgid "Iwpriv command extra arguments"
+msgstr ""
+
+#: network/netconnect.pm:938
+#, c-format
+msgid ""
+"Iwpriv enable to set up optionals (private) parameters of a wireless "
+"network\n"
+"interface.\n"
+"\n"
+"Iwpriv deals with parameters and setting specific to each driver (as opposed "
+"to\n"
+"iwconfig which deals with generic ones).\n"
+"\n"
+"In theory, the documentation of each device driver should indicate how to "
+"use\n"
+"those interface specific commands and their effect.\n"
+"\n"
+"See iwpriv(8) man page for further information."
+msgstr ""
+
+#: network/netconnect.pm:965
+#, c-format
+msgid ""
+"No ethernet network adapter has been detected on your system.\n"
+"I cannot set up this connection type."
+msgstr ""
+"Ямар ч сүлжээний карт таны систем дээр танигдсангүй.\n"
+"Би энэ холболтын төрлийг суулгаж чадсангүй."
+
+#: network/netconnect.pm:969 standalone/drakgw:254 standalone/drakpxe:142
+#, fuzzy, c-format
+msgid "Choose the network interface"
+msgstr "Сонгох"
+
+#: network/netconnect.pm:970
+#, fuzzy, c-format
+msgid ""
+"Please choose which network adapter you want to use to connect to Internet."
+msgstr "вы Интернэт."
+
+#: network/netconnect.pm:991
+#, fuzzy, c-format
+msgid ""
+"Please enter your host name.\n"
+"Your host name should be a fully-qualified host name,\n"
+"such as ``mybox.mylab.myco.com''.\n"
+"You may also enter the IP address of the gateway if you have one."
+msgstr "нэр нэр нэр аас вы."
+
+#: network/netconnect.pm:995
+#, c-format
+msgid "Last but not least you can also type in your DNS server IP addresses."
+msgstr ""
+
+#: network/netconnect.pm:997
+#, fuzzy, c-format
+msgid "Host name (optional)"
+msgstr "Эхний Сервер"
+
+#: network/netconnect.pm:997
+#, c-format
+msgid "Host name"
+msgstr "Хостын нэр"
+
+#: network/netconnect.pm:998
+#, fuzzy, c-format
+msgid "DNS server 1"
+msgstr "X"
+
+#: network/netconnect.pm:999
+#, fuzzy, c-format
+msgid "DNS server 2"
+msgstr "X"
+
+#: network/netconnect.pm:1000
+#, fuzzy, c-format
+msgid "DNS server 3"
+msgstr "X"
+
+#: network/netconnect.pm:1001
+#, fuzzy, c-format
+msgid "Search domain"
+msgstr "Домэйн"
+
+#: network/netconnect.pm:1002
+#, c-format
+msgid "By default search domain will be set from the fully-qualified host name"
+msgstr ""
+
+#: network/netconnect.pm:1003
+#, fuzzy, c-format
+msgid "Gateway (e.g. %s)"
+msgstr "e с"
+
+#: network/netconnect.pm:1005
+#, c-format
+msgid "Gateway device"
+msgstr "Гарцын төхөөрөмж"
+
+#: network/netconnect.pm:1014
+#, fuzzy, c-format
+msgid "DNS server address should be in format 1.2.3.4"
+msgstr "ямх"
+
+#: network/netconnect.pm:1019 standalone/drakconnect:571
+#, fuzzy, c-format
+msgid "Gateway address should be in format 1.2.3.4"
+msgstr "ямх"
+
+#: network/netconnect.pm:1030
+#, c-format
+msgid ""
+"Enter a Zeroconf host name which will be the one that your machine will get "
+"back to other machines on the network:"
+msgstr ""
+
+#: network/netconnect.pm:1031
+#, fuzzy, c-format
+msgid "Zeroconf Host name"
+msgstr "Хост"
+
+#: network/netconnect.pm:1034
+#, fuzzy, c-format
+msgid "Zeroconf host name must not contain a ."
+msgstr "нэр."
+
+#: network/netconnect.pm:1044
+#, fuzzy, c-format
+msgid ""
+"You have configured multiple ways to connect to the Internet.\n"
+"Choose the one you want to use.\n"
+"\n"
+msgstr "Та Интернэт вы г"
+
+#: network/netconnect.pm:1046
+#, fuzzy, c-format
+msgid "Internet connection"
+msgstr "Интернэт"
+
+#: network/netconnect.pm:1054
+#, fuzzy, c-format
+msgid "Configuration is complete, do you want to apply settings ?"
+msgstr "XFree-н ямар тохируулгатай байхыг та хүсэж байна?"
+
+#: network/netconnect.pm:1070
+#, fuzzy, c-format
+msgid "Do you want to start the connection at boot?"
+msgstr "вы?"
+
+#: network/netconnect.pm:1094
+#, c-format
+msgid "The network needs to be restarted. Do you want to restart it ?"
+msgstr ""
+"Сүлжээг тахин эхлүүлэх хэрэгтэй. Та үүнийг дахин эхлүүлэхийг хүсэж байна уу?"
+
+#: network/netconnect.pm:1100 network/netconnect.pm:1165
+#, c-format
+msgid "Network Configuration"
+msgstr "Сүлжээний тохируулга"
+
+#: network/netconnect.pm:1101
+#, c-format
+msgid ""
+"A problem occured while restarting the network: \n"
+"\n"
+"%s"
+msgstr ""
+"Сүлжээг дахин эхлүүлж байхад алдаа тохиолдлоо\n"
+"\n"
+"%s"
+
+#: network/netconnect.pm:1110
+#, c-format
+msgid "Do you want to try to connect to the Internet now?"
+msgstr "Та одоо интернэт рүү холбогдохоор оролдоод үзэх үү?"
+
+#: network/netconnect.pm:1118 standalone/drakconnect:958
+#, c-format
+msgid "Testing your connection..."
+msgstr "Таны холболтыг шалгаж байна..."
+
+#: network/netconnect.pm:1134
+#, fuzzy, c-format
+msgid "The system is now connected to the Internet."
+msgstr "бол Интернэт."
+
+#: network/netconnect.pm:1135
+#, c-format
+msgid "For security reasons, it will be disconnected now."
+msgstr ""
+
+#: network/netconnect.pm:1136
+#, c-format
+msgid ""
+"The system doesn't seem to be connected to the Internet.\n"
+"Try to reconfigure your connection."
+msgstr ""
+"Систеи интернэт рүү холбогдоогүй байх шиг байна.\n"
+"Холболтоо тохируулахыг оролдоод үзнэ үү!"
+
+#: network/netconnect.pm:1150
+#, fuzzy, c-format
+msgid ""
+"Congratulations, the network and Internet configuration is finished.\n"
+"\n"
+msgstr "Интернэт бол Дууслаа г"
+
+#: network/netconnect.pm:1153
+#, fuzzy, c-format
+msgid ""
+"After this is done, we recommend that you restart your X environment to "
+"avoid any hostname-related problems."
+msgstr "бол Хийгдсэн вы X."
+
+#: network/netconnect.pm:1154
+#, c-format
+msgid ""
+"Problems occured during configuration.\n"
+"Test your connection via net_monitor or mcc. If your connection doesn't "
+"work, you might want to relaunch the configuration."
+msgstr ""
+"Тохируулгын явцад алдаа тохиойлдлоо.\n"
+"Та холболтоо net_monitor юмуу mcc-ээр шалгана уу. Хэрэв таны холболт "
+"ажиллахгүй байвал магадгүй та тохируулгыг дахин ажиллуулах хэрэгтэй болох "
+"байх."
+
+#: network/netconnect.pm:1166
+#, c-format
+msgid ""
+"Because you are doing a network installation, your network is already "
+"configured.\n"
+"Click on Ok to keep your configuration, or cancel to reconfigure your "
+"Internet & Network connection.\n"
+msgstr ""
+
+#: network/network.pm:314
+#, c-format
+msgid "Proxies configuration"
+msgstr ""
+
+#: network/network.pm:315
+#, fuzzy, c-format
+msgid "HTTP proxy"
+msgstr "HTTP прокси"
+
+#: network/network.pm:316
+#, c-format
+msgid "FTP proxy"
+msgstr "FTP прокси"
+
+#: network/network.pm:319
+#, fuzzy, c-format
+msgid "Proxy should be http://..."
+msgstr "Итгэмжилэгчhttp://...."
+
+#: network/network.pm:320
+#, fuzzy, c-format
+msgid "URL should begin with 'ftp:' or 'http:'"
+msgstr "Вэб хаяг"
+
+#: network/shorewall.pm:26
+#, c-format
+msgid "Firewalling configuration detected!"
+msgstr ""
+
+#: network/shorewall.pm:27
+#, fuzzy, c-format
+msgid ""
+"Warning! An existing firewalling configuration has been detected. You may "
+"need some manual fixes after installation."
+msgstr "Сануулга Та."
+
+#: network/shorewall.pm:70
+#, fuzzy, c-format
+msgid ""
+"Please enter the name of the interface connected to the "
+"internet. \n"
+" \n"
+"Examples:\n"
+" ppp+ for modem or DSL connections, \n"
+" eth0, or eth1 for cable connection, \n"
+" ippp+ for a isdn connection.\n"
+msgstr "нэр аас г г Модем г г"
+
+#: network/tools.pm:207
+#, fuzzy, c-format
+msgid "Insert floppy"
+msgstr "Оруулах ямх"
+
+#: network/tools.pm:208
+#, fuzzy, c-format
+msgid ""
+"Insert a FAT formatted floppy in drive %s with %s in root directory and "
+"press %s"
+msgstr "Оруулах ямх"
+
+#: network/tools.pm:209
+#, fuzzy, c-format
+msgid "Floppy access error, unable to mount device %s"
+msgstr "Хаана вы с?"
+
+#: partition_table.pm:642
+#, c-format
+msgid "mount failed: "
+msgstr ""
+
+#: partition_table.pm:747
+#, fuzzy, c-format
+msgid "Extended partition not supported on this platform"
+msgstr "Өргөтгөгдсөн"
+
+#: partition_table.pm:765
+#, fuzzy, c-format
+msgid ""
+"You have a hole in your partition table but I can't use it.\n"
+"The only solution is to move your primary partitions to have the hole next "
+"to the extended partitions."
+msgstr "Та ямх хүснэгт бол."
+
+#: partition_table.pm:852
+#, fuzzy, c-format
+msgid "Restoring from file %s failed: %s"
+msgstr "с"
+
+#: partition_table.pm:854
+#, c-format
+msgid "Bad backup file"
+msgstr ""
+
+#: partition_table.pm:874
+#, c-format
+msgid "Error writing to file %s"
+msgstr "%s файл руу бичих үед алдаа гарлаа"
+
+#: partition_table/raw.pm:181
+#, c-format
+msgid ""
+"Something bad is happening on your drive. \n"
+"A test to check the integrity of data has failed. \n"
+"It means writing anything on the disk will end up with random, corrupted "
+"data."
+msgstr ""
+
+#: pkgs.pm:24
+#, c-format
+msgid "must have"
+msgstr ""
+
+#: pkgs.pm:25
+#, c-format
+msgid "important"
+msgstr ""
+
+#: pkgs.pm:26
+#, c-format
+msgid "very nice"
+msgstr "маш аятайхан"
+
+#: pkgs.pm:27
+#, c-format
+msgid "nice"
+msgstr "аятайхан"
+
+#: pkgs.pm:28
+#, c-format
+msgid "maybe"
+msgstr "магадгүй"
+
+#: printer/cups.pm:87
+#, c-format
+msgid "(on %s)"
+msgstr "(%s дээр)"
+
+#: printer/cups.pm:87
+#, c-format
+msgid "(on this machine)"
+msgstr "(энэ машин дээр)"
+
+#: printer/cups.pm:99 standalone/printerdrake:197
+#, fuzzy, c-format
+msgid "Configured on other machines"
+msgstr "Тохируулах"
+
+#: printer/cups.pm:101
+#, c-format
+msgid "On CUPS server \"%s\""
+msgstr "\"%s\" CUPS сервер дээр"
+
+#: printer/cups.pm:101 printer/printerdrake.pm:3784
+#: printer/printerdrake.pm:3793 printer/printerdrake.pm:3934
+#: printer/printerdrake.pm:3945 printer/printerdrake.pm:4157
+#, fuzzy, c-format
+msgid " (Default)"
+msgstr "Стандарт"
+
+#: printer/data.pm:21
+#, fuzzy, c-format
+msgid "PDQ - Print, Don't Queue"
+msgstr "Хэвлэх"
+
+#: printer/data.pm:22
+#, c-format
+msgid "PDQ"
+msgstr ""
+
+#: printer/data.pm:33
+#, c-format
+msgid "LPD - Line Printer Daemon"
+msgstr "LPD - Шугамын хэвлэгчийн хэвтүүл"
+
+#: printer/data.pm:34
+#, c-format
+msgid "LPD"
+msgstr ""
+
+#: printer/data.pm:55
+#, fuzzy, c-format
+msgid "LPRng - LPR New Generation"
+msgstr "Шинэ"
+
+#: printer/data.pm:56
+#, c-format
+msgid "LPRng"
+msgstr ""
+
+#: printer/data.pm:81
+#, fuzzy, c-format
+msgid "CUPS - Common Unix Printing System"
+msgstr "Хэвлэх"
+
+#: printer/detect.pm:148 printer/detect.pm:226 printer/detect.pm:428
+#: printer/detect.pm:465 printer/printerdrake.pm:679
+#, fuzzy, c-format
+msgid "Unknown Model"
+msgstr "Тодорхойгүй"
+
+#: printer/main.pm:28
+#, fuzzy, c-format
+msgid "Local printer"
+msgstr "Дотоод хэвлэгч"
+
+#: printer/main.pm:29
+#, c-format
+msgid "Remote printer"
+msgstr "Алсын хэвлэгч"
+
+#: printer/main.pm:30
+#, fuzzy, c-format
+msgid "Printer on remote CUPS server"
+msgstr "Хэвлэгч"
+
+#: printer/main.pm:31 printer/printerdrake.pm:1372
+#, fuzzy, c-format
+msgid "Printer on remote lpd server"
+msgstr "Хэвлэгч"
+
+#: printer/main.pm:32
+#, fuzzy, c-format
+msgid "Network printer (TCP/Socket)"
+msgstr "Сүлжээ"
+
+#: printer/main.pm:33
+#, fuzzy, c-format
+msgid "Printer on SMB/Windows 95/98/NT server"
+msgstr "Хэвлэгч Цонхнууд"
+
+#: printer/main.pm:34
+#, fuzzy, c-format
+msgid "Printer on NetWare server"
+msgstr "Хэвлэгч"
+
+#: printer/main.pm:35 printer/printerdrake.pm:1376
+#, c-format
+msgid "Enter a printer device URI"
+msgstr ""
+
+#: printer/main.pm:36
+#, c-format
+msgid "Pipe job into a command"
+msgstr ""
+
+#: printer/main.pm:306 printer/main.pm:574 printer/main.pm:1544
+#: printer/main.pm:2217 printer/printerdrake.pm:1781
+#: printer/printerdrake.pm:4191
+#, fuzzy, c-format
+msgid "Unknown model"
+msgstr "Тодорхойгүй"
+
+#: printer/main.pm:331 standalone/printerdrake:196
+#, fuzzy, c-format
+msgid "Configured on this machine"
+msgstr "(энэ машин дээр)"
+
+#: printer/main.pm:337 printer/printerdrake.pm:948
+#, fuzzy, c-format
+msgid " on parallel port #%s"
+msgstr " зэрэгцээ портон дээр \\#%s"
+
+#: printer/main.pm:340 printer/printerdrake.pm:950
+#, fuzzy, c-format
+msgid ", USB printer #%s"
+msgstr ", USB хэвлэгч \\#%s"
+
+#: printer/main.pm:342
+#, c-format
+msgid ", USB printer"
+msgstr ", USB хэвлэгч"
+
+#: printer/main.pm:347
+#, fuzzy, c-format
+msgid ", multi-function device on parallel port #%s"
+msgstr "Нээх"
+
+#: printer/main.pm:350
+#, fuzzy, c-format
+msgid ", multi-function device on a parallel port"
+msgstr "Нээх"
+
+#: printer/main.pm:352
+#, fuzzy, c-format
+msgid ", multi-function device on USB"
+msgstr "Нээх"
+
+#: printer/main.pm:354
+#, fuzzy, c-format
+msgid ", multi-function device on HP JetDirect"
+msgstr "Нээх"
+
+#: printer/main.pm:356
+#, c-format
+msgid ", multi-function device"
+msgstr ""
+
+#: printer/main.pm:359
+#, c-format
+msgid ", printing to %s"
+msgstr ""
+
+#: printer/main.pm:361
+#, fuzzy, c-format
+msgid " on LPD server \"%s\", printer \"%s\""
+msgstr "с с"
+
+#: printer/main.pm:363
+#, c-format
+msgid ", TCP/IP host \"%s\", port %s"
+msgstr ", TCP/IP хост \"%s\", порт %s"
+
+#: printer/main.pm:367
+#, fuzzy, c-format
+msgid " on SMB/Windows server \"%s\", share \"%s\""
+msgstr "Цонхнууд с с"
+
+#: printer/main.pm:371
+#, c-format
+msgid " on Novell server \"%s\", printer \"%s\""
+msgstr "Новель үйлчлэгч \"%s\", хэвлэгч \"%s\""
+
+#: printer/main.pm:373
+#, c-format
+msgid ", using command %s"
+msgstr ""
+
+#: printer/main.pm:388
+#, fuzzy, c-format
+msgid "Parallel port #%s"
+msgstr " зэрэгцээ портон дээр \\#%s"
+
+#: printer/main.pm:391 printer/printerdrake.pm:964 printer/printerdrake.pm:987
+#: printer/printerdrake.pm:1005
+#, fuzzy, c-format
+msgid "USB printer #%s"
+msgstr "USB"
+
+#: printer/main.pm:393
+#, fuzzy, c-format
+msgid "USB printer"
+msgstr ", USB хэвлэгч"
+
+#: printer/main.pm:398
+#, fuzzy, c-format
+msgid "Multi-function device on parallel port #%s"
+msgstr "Нээх"
+
+#: printer/main.pm:401
+#, fuzzy, c-format
+msgid "Multi-function device on a parallel port"
+msgstr "Нээх"
+
+#: printer/main.pm:403
+#, fuzzy, c-format
+msgid "Multi-function device on USB"
+msgstr "Нээх"
+
+#: printer/main.pm:405
+#, fuzzy, c-format
+msgid "Multi-function device on HP JetDirect"
+msgstr "Нээх"
+
+#: printer/main.pm:407
+#, fuzzy, c-format
+msgid "Multi-function device"
+msgstr "Нээх"
+
+#: printer/main.pm:410
+#, fuzzy, c-format
+msgid "Prints into %s"
+msgstr "Хэвлэх сонголтын жагсаалт"
+
+#: printer/main.pm:412
+#, fuzzy, c-format
+msgid "LPD server \"%s\", printer \"%s\""
+msgstr "с с"
+
+#: printer/main.pm:414
+#, fuzzy, c-format
+msgid "TCP/IP host \"%s\", port %s"
+msgstr ", TCP/IP хост \"%s\", порт %s"
+
+#: printer/main.pm:418
+#, fuzzy, c-format
+msgid "SMB/Windows server \"%s\", share \"%s\""
+msgstr "Цонхнууд с с"
+
+#: printer/main.pm:422
+#, fuzzy, c-format
+msgid "Novell server \"%s\", printer \"%s\""
+msgstr "Новель үйлчлэгч \"%s\", хэвлэгч \"%s\""
+
+#: printer/main.pm:424
+#, fuzzy, c-format
+msgid "Uses command %s"
+msgstr "%s на %s"
+
+#: printer/main.pm:426
+#, c-format
+msgid "URI: %s"
+msgstr ""
+
+#: printer/main.pm:571 printer/printerdrake.pm:725
+#: printer/printerdrake.pm:2331
+#, fuzzy, c-format
+msgid "Raw printer (No driver)"
+msgstr "Үгүй"
+
+#: printer/main.pm:1085 printer/printerdrake.pm:179
+#: printer/printerdrake.pm:191
+#, c-format
+msgid "Local network(s)"
+msgstr "Локал сүлжээ"
+
+#: printer/main.pm:1087 printer/printerdrake.pm:195
+#, fuzzy, c-format
+msgid "Interface \"%s\""
+msgstr "Харагдац с"
+
+#: printer/main.pm:1089
+#, fuzzy, c-format
+msgid "Network %s"
+msgstr "Сүлжээ"
+
+#: printer/main.pm:1091
+#, c-format
+msgid "Host %s"
+msgstr "Хост %s"
+
+#: printer/main.pm:1120
+#, fuzzy, c-format
+msgid "%s (Port %s)"
+msgstr "с Порт с"
+
+#: printer/printerdrake.pm:22
+#, fuzzy, c-format
+msgid ""
+"The HP LaserJet 1000 needs its firmware to be uploaded after being turned "
+"on. Download the Windows driver package from the HP web site (the firmware "
+"on the printer's CD does not work) and extract the firmware file from it by "
+"uncompresing the self-extracting '.exe' file with the 'unzip' utility and "
+"searching for the 'sihp1000.img' file. Copy this file into the '/etc/"
+"printer' directory. There it will be found by the automatic uploader script "
+"and uploaded whenever the printer is connected and turned on.\n"
+msgstr "Цонхнууд сайт с CD Хуулах бол"
+
+#: printer/printerdrake.pm:62
+#, c-format
+msgid "CUPS printer configuration"
+msgstr ""
+
+#: printer/printerdrake.pm:63
+#, c-format
+msgid ""
+"Here you can choose whether the printers connected to this machine should be "
+"accessable by remote machines and by which remote machines."
+msgstr ""
+
+#: printer/printerdrake.pm:64
+#, fuzzy, c-format
+msgid ""
+"You can also decide here whether printers on remote machines should be "
+"automatically made available on this machine."
+msgstr "Та."
+
+#: printer/printerdrake.pm:67
+#, fuzzy, c-format
+msgid "The printers on this machine are available to other computers"
+msgstr "бусад"
+
+#: printer/printerdrake.pm:69
+#, c-format
+msgid "Automatically find available printers on remote machines"
+msgstr "Зайн машин дээрх боломжтой хэвлэгчүүдийг автоматаар хайх"
+
+#: printer/printerdrake.pm:71
+#, fuzzy, c-format
+msgid "Printer sharing on hosts/networks: "
+msgstr "Хэвлэгч "
+
+#: printer/printerdrake.pm:73
+#, fuzzy, c-format
+msgid "Custom configuration"
+msgstr "Хэрэглэгчийн"
+
+#: printer/printerdrake.pm:78 standalone/scannerdrake:554
+#: standalone/scannerdrake:571
+#, fuzzy, c-format
+msgid "No remote machines"
+msgstr "Үгүй"
+
+#: printer/printerdrake.pm:88
+#, c-format
+msgid "Additional CUPS servers: "
+msgstr ""
+
+#: printer/printerdrake.pm:93
+#, fuzzy, c-format
+msgid "None"
+msgstr "Байхгүй"
+
+#: printer/printerdrake.pm:95
+#, c-format
+msgid ""
+"To get access to printers on remote CUPS servers in your local network you "
+"only need to turn on the \"Automatically find available printers on remote "
+"machines\" option; the CUPS servers inform your machine automatically about "
+"their printers. All printers currently known to your machine are listed in "
+"the \"Remote printers\" section in the main window of Printerdrake. If your "
+"CUPS server(s) is/are not in your local network, you have to enter the IP "
+"address(es) and optionally the port number(s) here to get the printer "
+"information from the server(s)."
+msgstr ""
+
+#: printer/printerdrake.pm:100
+#, fuzzy, c-format
+msgid "Japanese text printing mode"
+msgstr "Япон текст"
+
+#: printer/printerdrake.pm:101
+#, fuzzy, c-format
+msgid ""
+"Turning on this allows to print plain text files in japanese language. Only "
+"use this function if you really want to print text in japanese, if it is "
+"activated you cannot print accentuated characters in latin fonts any more "
+"and you will not be able to adjust the margins, the character size, etc. "
+"This setting only affects printers defined on this machine. If you want to "
+"print japanese text on a printer set up on a remote machine, you have to "
+"activate this function on that remote machine."
+msgstr "текст ямх вы текст ямх бол вы ямх вы хэмжээ вы текст вы."
+
+#: printer/printerdrake.pm:105
+#, fuzzy, c-format
+msgid "Automatic correction of CUPS configuration"
+msgstr "Автоматаар аас"
+
+#: printer/printerdrake.pm:107
+#, c-format
+msgid ""
+"When this option is turned on, on every startup of CUPS it is automatically "
+"made sure that\n"
+"\n"
+"- if LPD/LPRng is installed, /etc/printcap will not be overwritten by CUPS\n"
+"\n"
+"- if /etc/cups/cupsd.conf is missing, it will be created\n"
+"\n"
+"- when printer information is broadcasted, it does not contain \"localhost\" "
+"as the server name.\n"
+"\n"
+"If some of these measures lead to problems for you, turn this option off, "
+"but then you have to take care of these points."
+msgstr ""
+
+#: printer/printerdrake.pm:129 printer/printerdrake.pm:205
+#, fuzzy, c-format
+msgid "Sharing of local printers"
+msgstr "аас"
+
+#: printer/printerdrake.pm:130
+#, fuzzy, c-format
+msgid ""
+"These are the machines and networks on which the locally connected printer"
+"(s) should be available:"
+msgstr "с:"
+
+#: printer/printerdrake.pm:141
+#, fuzzy, c-format
+msgid "Add host/network"
+msgstr "Нэмэх"
+
+#: printer/printerdrake.pm:147
+#, fuzzy, c-format
+msgid "Edit selected host/network"
+msgstr "Боловсруулах"
+
+#: printer/printerdrake.pm:156
+#, fuzzy, c-format
+msgid "Remove selected host/network"
+msgstr "Устгах"
+
+#: printer/printerdrake.pm:187 printer/printerdrake.pm:197
+#: printer/printerdrake.pm:210 printer/printerdrake.pm:217
+#: printer/printerdrake.pm:248 printer/printerdrake.pm:266
+#, fuzzy, c-format
+msgid "IP address of host/network:"
+msgstr "аас:"
+
+#: printer/printerdrake.pm:206
+#, c-format
+msgid ""
+"Choose the network or host on which the local printers should be made "
+"available:"
+msgstr ""
+
+#: printer/printerdrake.pm:213
+#, fuzzy, c-format
+msgid "Host/network IP address missing."
+msgstr "Хост."
+
+#: printer/printerdrake.pm:221
+#, fuzzy, c-format
+msgid "The entered host/network IP is not correct.\n"
+msgstr "бол"
+
+#: printer/printerdrake.pm:222 printer/printerdrake.pm:400
+#, c-format
+msgid "Examples for correct IPs:\n"
+msgstr ""
+
+#: printer/printerdrake.pm:246
+#, fuzzy, c-format
+msgid "This host/network is already in the list, it cannot be added again.\n"
+msgstr "бол ямх жигсаалт"
+
+#: printer/printerdrake.pm:316 printer/printerdrake.pm:387
+#, fuzzy, c-format
+msgid "Accessing printers on remote CUPS servers"
+msgstr "Нээх дээд"
+
+#: printer/printerdrake.pm:317
+#, fuzzy, c-format
+msgid ""
+"Add here the CUPS servers whose printers you want to use. You only need to "
+"do this if the servers do not broadcast their printer information into the "
+"local network."
+msgstr "Нэмэх вы Та."
+
+#: printer/printerdrake.pm:328
+#, c-format
+msgid "Add server"
+msgstr "Сервэр нэмэх"
+
+#: printer/printerdrake.pm:334
+#, c-format
+msgid "Edit selected server"
+msgstr "Сонгогдсон серверийг засах"
+
+#: printer/printerdrake.pm:343
+#, fuzzy, c-format
+msgid "Remove selected server"
+msgstr "Устгах"
+
+#: printer/printerdrake.pm:388
+#, fuzzy, c-format
+msgid "Enter IP address and port of the host whose printers you want to use."
+msgstr "аас вы."
+
+#: printer/printerdrake.pm:389
+#, fuzzy, c-format
+msgid "If no port is given, 631 will be taken as default."
+msgstr "үгүй бол."
+
+#: printer/printerdrake.pm:393
+#, fuzzy, c-format
+msgid "Server IP missing!"
+msgstr "Сервер!"
+
+#: printer/printerdrake.pm:399
+#, fuzzy, c-format
+msgid "The entered IP is not correct.\n"
+msgstr "бол"
+
+#: printer/printerdrake.pm:411 printer/printerdrake.pm:1582
+#, c-format
+msgid "The port number should be an integer!"
+msgstr ""
+
+#: printer/printerdrake.pm:422
+#, c-format
+msgid "This server is already in the list, it cannot be added again.\n"
+msgstr ""
+"Энэ сервер нь аль хэдийн жагсаалтанд байгаа тул дахин нэмэгдэж чадахгүй.\n"
+
+#: printer/printerdrake.pm:433 printer/printerdrake.pm:1603
+#: standalone/harddrake2:64
+#, fuzzy, c-format
+msgid "Port"
+msgstr "Порт"
+
+#: printer/printerdrake.pm:478 printer/printerdrake.pm:545
+#: printer/printerdrake.pm:605 printer/printerdrake.pm:621
+#: printer/printerdrake.pm:704 printer/printerdrake.pm:761
+#: printer/printerdrake.pm:787 printer/printerdrake.pm:1800
+#: printer/printerdrake.pm:1808 printer/printerdrake.pm:1830
+#: printer/printerdrake.pm:1857 printer/printerdrake.pm:1892
+#: printer/printerdrake.pm:1929 printer/printerdrake.pm:1939
+#: printer/printerdrake.pm:2182 printer/printerdrake.pm:2187
+#: printer/printerdrake.pm:2326 printer/printerdrake.pm:2436
+#: printer/printerdrake.pm:2901 printer/printerdrake.pm:2966
+#: printer/printerdrake.pm:3000 printer/printerdrake.pm:3003
+#: printer/printerdrake.pm:3122 printer/printerdrake.pm:3184
+#: printer/printerdrake.pm:3256 printer/printerdrake.pm:3277
+#: printer/printerdrake.pm:3286 printer/printerdrake.pm:3377
+#: printer/printerdrake.pm:3475 printer/printerdrake.pm:3481
+#: printer/printerdrake.pm:3488 printer/printerdrake.pm:3534
+#: printer/printerdrake.pm:3574 printer/printerdrake.pm:3586
+#: printer/printerdrake.pm:3597 printer/printerdrake.pm:3606
+#: printer/printerdrake.pm:3619 printer/printerdrake.pm:3689
+#: printer/printerdrake.pm:3740 printer/printerdrake.pm:3805
+#: printer/printerdrake.pm:4065 printer/printerdrake.pm:4108
+#: printer/printerdrake.pm:4254 printer/printerdrake.pm:4312
+#: printer/printerdrake.pm:4341 standalone/printerdrake:65
+#: standalone/printerdrake:85 standalone/printerdrake:515
+#, c-format
+msgid "Printerdrake"
+msgstr ""
+
+#: printer/printerdrake.pm:479
+#, c-format
+msgid "Restarting CUPS..."
+msgstr ""
+
+#: printer/printerdrake.pm:502
+#, c-format
+msgid "Select Printer Connection"
+msgstr "Хэвлэгчийн тохируулгыг сонгох"
+
+#: printer/printerdrake.pm:503
+#, fuzzy, c-format
+msgid "How is the printer connected?"
+msgstr "бол?"
+
+#: printer/printerdrake.pm:505
+#, fuzzy, c-format
+msgid ""
+"\n"
+"Printers on remote CUPS servers do not need to be configured here; these "
+"printers will be automatically detected."
+msgstr "Нээх дээд."
+
+#: printer/printerdrake.pm:508 printer/printerdrake.pm:3807
+#, c-format
+msgid ""
+"\n"
+"WARNING: No local network connection active, remote printers can neither be "
+"detected nor tested!"
+msgstr ""
+
+#: printer/printerdrake.pm:515
+#, fuzzy, c-format
+msgid "Printer auto-detection (Local, TCP/Socket, and SMB printers)"
+msgstr "Хэвлэгч"
+
+#: printer/printerdrake.pm:545
+#, fuzzy, c-format
+msgid "Checking your system..."
+msgstr "Проверить."
+
+#: printer/printerdrake.pm:560
+#, c-format
+msgid "and one unknown printer"
+msgstr "мөн нэг үл мэдэгдэх хэвлэгч"
+
+#: printer/printerdrake.pm:562
+#, fuzzy, c-format
+msgid "and %d unknown printers"
+msgstr "Тодорхойгүй"
+
+#: printer/printerdrake.pm:566
+#, fuzzy, c-format
+msgid ""
+"The following printers\n"
+"\n"
+"%s%s\n"
+"are directly connected to your system"
+msgstr "г г с с"
+
+#: printer/printerdrake.pm:568
+#, c-format
+msgid ""
+"The following printer\n"
+"\n"
+"%s%s\n"
+"are directly connected to your system"
+msgstr ""
+"Дараах хэвлэгч\n"
+"\n"
+"%s%s\n"
+"нь таны систем рүү шууд холбогдсон байна"
+
+#: printer/printerdrake.pm:569
+#, fuzzy, c-format
+msgid ""
+"The following printer\n"
+"\n"
+"%s%s\n"
+"is directly connected to your system"
+msgstr "г г с с"
+
+#: printer/printerdrake.pm:573
+#, c-format
+msgid ""
+"\n"
+"There is one unknown printer directly connected to your system"
+msgstr ""
+"\n"
+"Таны систем рүү холбогдсон үл мэдэгдэх хэвлэгч энд нэг байна."
+
+#: printer/printerdrake.pm:574
+#, fuzzy, c-format
+msgid ""
+"\n"
+"There are %d unknown printers directly connected to your system"
+msgstr "Тодорхойгүй"
+
+#: printer/printerdrake.pm:577
+#, fuzzy, c-format
+msgid ""
+"There are no printers found which are directly connected to your machine"
+msgstr "үгүй"
+
+#: printer/printerdrake.pm:580
+#, fuzzy, c-format
+msgid " (Make sure that all your printers are connected and turned on).\n"
+msgstr "Нээх"
+
+#: printer/printerdrake.pm:593
+#, fuzzy, c-format
+msgid ""
+"Do you want to enable printing on the printers mentioned above or on "
+"printers in the local network?\n"
+msgstr "вы ямх"
+
+#: printer/printerdrake.pm:594
+#, c-format
+msgid "Do you want to enable printing on printers in the local network?\n"
+msgstr "Локал сүлжээн дэх хэвлэгчүүд дээр хэвлэхийг идэвхжүүлэх үү?\n"
+
+#: printer/printerdrake.pm:596
+#, fuzzy, c-format
+msgid "Do you want to enable printing on the printers mentioned above?\n"
+msgstr "вы"
+
+#: printer/printerdrake.pm:597
+#, fuzzy, c-format
+msgid "Are you sure that you want to set up printing on this machine?\n"
+msgstr "вы вы"
+
+#: printer/printerdrake.pm:598
+#, fuzzy, c-format
+msgid ""
+"NOTE: Depending on the printer model and the printing system up to %d MB of "
+"additional software will be installed."
+msgstr "МБ аас."
+
+#: printer/printerdrake.pm:622
+#, fuzzy, c-format
+msgid "Searching for new printers..."
+msgstr "шинэ."
+
+#: printer/printerdrake.pm:706
+#, c-format
+msgid "Configuring printer ..."
+msgstr ""
+
+#: printer/printerdrake.pm:707 printer/printerdrake.pm:762
+#: printer/printerdrake.pm:3598
+#, fuzzy, c-format
+msgid "Configuring printer \"%s\"..."
+msgstr "с."
+
+#: printer/printerdrake.pm:727
+#, c-format
+msgid "("
+msgstr "("
+
+#: printer/printerdrake.pm:728
+#, c-format
+msgid " on "
+msgstr ""
+
+#: printer/printerdrake.pm:729 standalone/scannerdrake:130
+#, c-format
+msgid ")"
+msgstr ")"
+
+#: printer/printerdrake.pm:734 printer/printerdrake.pm:2338
+#, fuzzy, c-format
+msgid "Printer model selection"
+msgstr "Хэвлэгч"
+
+#: printer/printerdrake.pm:735 printer/printerdrake.pm:2339
+#, fuzzy, c-format
+msgid "Which printer model do you have?"
+msgstr "вы?"
+
+#: printer/printerdrake.pm:736
+#, fuzzy, c-format
+msgid ""
+"\n"
+"\n"
+"Printerdrake could not determine which model your printer %s is. Please "
+"choose the correct model from the list."
+msgstr "г с бол жигсаалт."
+
+#: printer/printerdrake.pm:739 printer/printerdrake.pm:2344
+#, c-format
+msgid ""
+"If your printer is not listed, choose a compatible (see printer manual) or a "
+"similar one."
+msgstr ""
+"Хэрэв таны хэвлэгч жагсаалтанд байхгүй бол тохирох (хэвлэгчийн зааврыг үз) "
+"эсвэл төстэйгээс нь сонгоно уу!"
+
+#: printer/printerdrake.pm:788 printer/printerdrake.pm:3587
+#: printer/printerdrake.pm:3741 printer/printerdrake.pm:4066
+#: printer/printerdrake.pm:4109 printer/printerdrake.pm:4313
+#, c-format
+msgid "Configuring applications..."
+msgstr "Х.Програмуудыг тохируулж байна..."
+
+#: printer/printerdrake.pm:824 printer/printerdrake.pm:836
+#: printer/printerdrake.pm:894 printer/printerdrake.pm:1787
+#: printer/printerdrake.pm:3823 printer/printerdrake.pm:4006
+#, fuzzy, c-format
+msgid "Add a new printer"
+msgstr "Нэмэх шинэ"
+
+#: printer/printerdrake.pm:825
+#, fuzzy, c-format
+msgid ""
+"\n"
+"Welcome to the Printer Setup Wizard\n"
+"\n"
+"This wizard allows you to install local or remote printers to be used from "
+"this machine and also from other machines in the network.\n"
+"\n"
+"It asks you for all necessary information to set up the printer and gives "
+"you access to all available printer drivers, driver options, and printer "
+"connection types."
+msgstr "Хэвлэгч Туслагч г вы бусад ямх г вы вы."
+
+#: printer/printerdrake.pm:838
+#, fuzzy, c-format
+msgid ""
+"\n"
+"Welcome to the Printer Setup Wizard\n"
+"\n"
+"This wizard will help you to install your printer(s) connected to this "
+"computer, connected directly to the network or to a remote Windows machine.\n"
+"\n"
+"Please plug in and turn on all printers connected to this machine so that it/"
+"they can be auto-detected. Also your network printer(s) and your Windows "
+"machines must be connected and turned on.\n"
+"\n"
+"Note that auto-detecting printers on the network takes longer than the auto-"
+"detection of only the printers connected to this machine. So turn off the "
+"auto-detection of network and/or Windows-hosted printers when you don't need "
+"it.\n"
+"\n"
+" Click on \"Next\" when you are ready, and on \"Cancel\" if you do not want "
+"to set up your printer(s) now."
+msgstr ""
+"Хэвлэгч Туслагч г вы с Цонхнууд г вы с ямх с Цонхнууд г аас аас Цонхнууд вы "
+"г\n"
+" Дараагийн вы Хүчингүй вы с."
+
+#: printer/printerdrake.pm:847
+#, fuzzy, c-format
+msgid ""
+"\n"
+"Welcome to the Printer Setup Wizard\n"
+"\n"
+"This wizard will help you to install your printer(s) connected to this "
+"computer.\n"
+"\n"
+"Please plug in and turn on all printers connected to this machine so that it/"
+"they can be auto-detected.\n"
+"\n"
+" Click on \"Next\" when you are ready, and on \"Cancel\" if you do not want "
+"to set up your printer(s) now."
+msgstr ""
+"Хэвлэгч Туслагч г вы с г вы с ямх г\n"
+" Дараагийн вы Хүчингүй вы с."
+
+#: printer/printerdrake.pm:855
+#, fuzzy, c-format
+msgid ""
+"\n"
+"Welcome to the Printer Setup Wizard\n"
+"\n"
+"This wizard will help you to install your printer(s) connected to this "
+"computer or connected directly to the network.\n"
+"\n"
+"If you have printer(s) connected to this machine, Please plug it/them in on "
+"this computer and turn it/them on so that it/they can be auto-detected. Also "
+"your network printer(s) must be connected and turned on.\n"
+"\n"
+"Note that auto-detecting printers on the network takes longer than the auto-"
+"detection of only the printers connected to this machine. So turn off the "
+"auto-detection of network printers when you don't need it.\n"
+"\n"
+" Click on \"Next\" when you are ready, and on \"Cancel\" if you do not want "
+"to set up your printer(s) now."
+msgstr ""
+"Хэвлэгч Туслагч г вы с г вы с ямх с г аас аас вы г\n"
+" Дараагийн вы Хүчингүй вы с."
+
+#: printer/printerdrake.pm:864
+#, fuzzy, c-format
+msgid ""
+"\n"
+"Welcome to the Printer Setup Wizard\n"
+"\n"
+"This wizard will help you to install your printer(s) connected to this "
+"computer.\n"
+"\n"
+"If you have printer(s) connected to this machine, Please plug it/them in on "
+"this computer and turn it/them on so that it/they can be auto-detected.\n"
+"\n"
+" Click on \"Next\" when you are ready, and on \"Cancel\" if you do not want "
+"to set up your printer(s) now."
+msgstr ""
+"Хэвлэгч Туслагч г вы с г вы с ямх г\n"
+" Дараагийн вы Хүчингүй вы с."
+
+#: printer/printerdrake.pm:873
+#, c-format
+msgid "Auto-detect printers connected to this machine"
+msgstr "Энэ машинд холбогдсон хэвлэгчүүдийг автоматаар таних"
+
+#: printer/printerdrake.pm:876
+#, c-format
+msgid "Auto-detect printers connected directly to the local network"
+msgstr "Дотоод сүлжээнд шууд холбогдсон хэвлэгчүүдийг автоматаар таних"
+
+#: printer/printerdrake.pm:879
+#, fuzzy, c-format
+msgid "Auto-detect printers connected to machines running Microsoft Windows"
+msgstr "Авто"
+
+#: printer/printerdrake.pm:895
+#, fuzzy, c-format
+msgid ""
+"\n"
+"Congratulations, your printer is now installed and configured!\n"
+"\n"
+"You can print using the \"Print\" command of your application (usually in "
+"the \"File\" menu).\n"
+"\n"
+"If you want to add, remove, or rename a printer, or if you want to change "
+"the default option settings (paper input tray, printout quality, ...), "
+"select \"Printer\" in the \"Hardware\" section of the %s Control Center."
+msgstr ""
+"бол г Хэвлэх аас х.программ ямх Файл Цэс г вы вы Хэвлэгч ямх Hardware аас "
+"Контрол Төвд."
+
+#: printer/printerdrake.pm:930 printer/printerdrake.pm:1060
+#: printer/printerdrake.pm:1276 printer/printerdrake.pm:1516
+#, fuzzy, c-format
+msgid "Printer auto-detection"
+msgstr "Хэвлэгч"
+
+#: printer/printerdrake.pm:930
+#, c-format
+msgid "Detecting devices..."
+msgstr ""
+
+#: printer/printerdrake.pm:952
+#, c-format
+msgid ", network printer \"%s\", port %s"
+msgstr ", сүлжээний хэвлэгч \"%s\", порт %s"
+
+#: printer/printerdrake.pm:954
+#, fuzzy, c-format
+msgid ", printer \"%s\" on SMB/Windows server \"%s\""
+msgstr "с Цонхнууд с"
+
+#: printer/printerdrake.pm:958
+#, c-format
+msgid "Detected %s"
+msgstr "%s танигдсан"
+
+#: printer/printerdrake.pm:962 printer/printerdrake.pm:985
+#: printer/printerdrake.pm:1002
+#, fuzzy, c-format
+msgid "Printer on parallel port #%s"
+msgstr "Зэрэгцээ портон дахь хэвлэгч \\#%s"
+
+#: printer/printerdrake.pm:966
+#, c-format
+msgid "Network printer \"%s\", port %s"
+msgstr "Сүлжээний хэвлэгч \"%s\", порт %s"
+
+#: printer/printerdrake.pm:968
+#, fuzzy, c-format
+msgid "Printer \"%s\" on SMB/Windows server \"%s\""
+msgstr "Хэвлэгч с Цонхнууд с"
+
+#: printer/printerdrake.pm:1047
+#, fuzzy, c-format
+msgid "Local Printer"
+msgstr "Локал"
+
+#: printer/printerdrake.pm:1048
+#, fuzzy, c-format
+msgid ""
+"No local printer found! To manually install a printer enter a device name/"
+"file name in the input line (Parallel Ports: /dev/lp0, /dev/lp1, ..., "
+"equivalent to LPT1:, LPT2:, ..., 1st USB printer: /dev/usb/lp0, 2nd USB "
+"printer: /dev/usb/lp1, ...)."
+msgstr "Үгүй тийш нэр нэр ямх Параллель USB USB."
+
+#: printer/printerdrake.pm:1052
+#, fuzzy, c-format
+msgid "You must enter a device or file name!"
+msgstr "Та нэр!"
+
+#: printer/printerdrake.pm:1061
+#, fuzzy, c-format
+msgid "No printer found!"
+msgstr "Үгүй!"
+
+#: printer/printerdrake.pm:1069
+#, fuzzy, c-format
+msgid "Local Printers"
+msgstr "Локал"
+
+#: printer/printerdrake.pm:1070
+#, c-format
+msgid "Available printers"
+msgstr ""
+
+#: printer/printerdrake.pm:1074 printer/printerdrake.pm:1083
+#, c-format
+msgid "The following printer was auto-detected. "
+msgstr ""
+
+#: printer/printerdrake.pm:1076
+#, fuzzy, c-format
+msgid ""
+"If it is not the one you want to configure, enter a device name/file name in "
+"the input line"
+msgstr "бол вы нэр нэр ямх"
+
+#: printer/printerdrake.pm:1077
+#, fuzzy, c-format
+msgid ""
+"Alternatively, you can specify a device name/file name in the input line"
+msgstr "вы нэр нэр ямх"
+
+#: printer/printerdrake.pm:1078 printer/printerdrake.pm:1087
+#, fuzzy, c-format
+msgid "Here is a list of all auto-detected printers. "
+msgstr "бол жигсаалт аас "
+
+#: printer/printerdrake.pm:1080
+#, fuzzy, c-format
+msgid ""
+"Please choose the printer you want to set up or enter a device name/file "
+"name in the input line"
+msgstr "вы нэр нэр ямх"
+
+#: printer/printerdrake.pm:1081
+#, fuzzy, c-format
+msgid ""
+"Please choose the printer to which the print jobs should go or enter a "
+"device name/file name in the input line"
+msgstr "За алив нэр нэр ямх"
+
+#: printer/printerdrake.pm:1085
+#, c-format
+msgid ""
+"The configuration of the printer will work fully automatically. If your "
+"printer was not correctly detected or if you prefer a customized printer "
+"configuration, turn on \"Manual configuration\"."
+msgstr ""
+"Хэвлэгчийн тохируулга нь бүрэн автоматаар ажиллах болно. Хэрэв таны хэвлэгч "
+"зөв танигдаагүй байвал эсвэл та өөрөө хэвшүүлэлт бүхий хэвлэгчийн "
+"тохируулгыг хүсэж байвал \"Гар тохируулга\" сонголтыг сонгоно уу."
+
+#: printer/printerdrake.pm:1086
+#, c-format
+msgid "Currently, no alternative possibility is available"
+msgstr "Одоогоор ондоо боломжтой хувилбар байхгүй байна."
+
+#: printer/printerdrake.pm:1089
+#, c-format
+msgid ""
+"Please choose the printer you want to set up. The configuration of the "
+"printer will work fully automatically. If your printer was not correctly "
+"detected or if you prefer a customized printer configuration, turn on "
+"\"Manual configuration\"."
+msgstr ""
+"Суулгахыг хүсэж буй хэвлэгчээ сонгоно уу! Хэвлэгчийн тохируулга нь бүрэн "
+"автоматаар ажиллах болно. Хэрэв таны хэвлэгч зөв танигдаагүй эсвэл та "
+"хэвлэгчийн тохируулгаа гараар хэвшүүлэхийг илүүд үзэж буй бол \"Гар "
+"тохируулга\"-г сонгоно уу!"
+
+#: printer/printerdrake.pm:1090
+#, fuzzy, c-format
+msgid "Please choose the printer to which the print jobs should go."
+msgstr "За алив."
+
+#: printer/printerdrake.pm:1092
+#, c-format
+msgid ""
+"Please choose the port that your printer is connected to or enter a device "
+"name/file name in the input line"
+msgstr ""
+"Таны хэвлэгч холбогдсон портын нэрийг сонго, эсвэл оролтын мөрөнд "
+"төхөөрөмжийн юмуу файлын нэрийг оруул."
+
+#: printer/printerdrake.pm:1093
+#, fuzzy, c-format
+msgid "Please choose the port that your printer is connected to."
+msgstr "бол."
+
+#: printer/printerdrake.pm:1095
+#, fuzzy, c-format
+msgid ""
+" (Parallel Ports: /dev/lp0, /dev/lp1, ..., equivalent to LPT1:, LPT2:, ..., "
+"1st USB printer: /dev/usb/lp0, 2nd USB printer: /dev/usb/lp1, ...)."
+msgstr "Параллель USB USB."
+
+#: printer/printerdrake.pm:1099
+#, c-format
+msgid "You must choose/enter a printer/device!"
+msgstr "Та хэвлэгч/төхөөрөмжөө сонгох/оруулах хэрэгтэй!"
+
+#: printer/printerdrake.pm:1168
+#, c-format
+msgid "Remote lpd Printer Options"
+msgstr "Зайн lpd хэвлэгчийн тохируулгууд"
+
+#: printer/printerdrake.pm:1169
+#, fuzzy, c-format
+msgid ""
+"To use a remote lpd printer, you need to supply the hostname of the printer "
+"server and the printer name on that server."
+msgstr "тийш вы аас нэр."
+
+#: printer/printerdrake.pm:1170
+#, fuzzy, c-format
+msgid "Remote host name"
+msgstr "Дээд"
+
+#: printer/printerdrake.pm:1171
+#, fuzzy, c-format
+msgid "Remote printer name"
+msgstr "Дээд"
+
+#: printer/printerdrake.pm:1174
+#, fuzzy, c-format
+msgid "Remote host name missing!"
+msgstr "нэр!"
+
+#: printer/printerdrake.pm:1178
+#, c-format
+msgid "Remote printer name missing!"
+msgstr "Зайн хэвлэгчийн нэр байхгүй байна!"
+
+#: printer/printerdrake.pm:1200 printer/printerdrake.pm:1714
+#: standalone/drakTermServ:442 standalone/drakTermServ:725
+#: standalone/drakTermServ:741 standalone/drakTermServ:1332
+#: standalone/drakTermServ:1340 standalone/drakTermServ:1351
+#: standalone/drakbackup:767 standalone/drakbackup:874
+#: standalone/drakbackup:908 standalone/drakbackup:1027
+#: standalone/drakbackup:1891 standalone/drakbackup:1895
+#: standalone/drakconnect:254 standalone/drakconnect:283
+#: standalone/drakconnect:512 standalone/drakconnect:516
+#: standalone/drakconnect:540 standalone/harddrake2:159
+#, fuzzy, c-format
+msgid "Information"
+msgstr "Мэдээлэл"
+
+#: printer/printerdrake.pm:1200 printer/printerdrake.pm:1714
+#, fuzzy, c-format
+msgid "Detected model: %s %s"
+msgstr "с"
+
+#: printer/printerdrake.pm:1276 printer/printerdrake.pm:1516
+#, c-format
+msgid "Scanning network..."
+msgstr "Сүлжээг шалгаж байна ..."
+
+#: printer/printerdrake.pm:1287 printer/printerdrake.pm:1308
+#, fuzzy, c-format
+msgid ", printer \"%s\" on server \"%s\""
+msgstr "с с"
+
+#: printer/printerdrake.pm:1290 printer/printerdrake.pm:1311
+#, fuzzy, c-format
+msgid "Printer \"%s\" on server \"%s\""
+msgstr "Хэвлэгч с с"
+
+#: printer/printerdrake.pm:1332
+#, fuzzy, c-format
+msgid "SMB (Windows 9x/NT) Printer Options"
+msgstr "Цонхнууд Хэвлэгч"
+
+#: printer/printerdrake.pm:1333
+#, fuzzy, c-format
+msgid ""
+"To print to a SMB printer, you need to provide the SMB host name (Note! It "
+"may be different from its TCP/IP hostname!) and possibly the IP address of "
+"the print server, as well as the share name for the printer you wish to "
+"access and any applicable user name, password, and workgroup information."
+msgstr "тийш вы нэр Тэмдэглэл аас нэр вы нэр."
+
+#: printer/printerdrake.pm:1334
+#, fuzzy, c-format
+msgid ""
+" If the desired printer was auto-detected, simply choose it from the list "
+"and then add user name, password, and/or workgroup if needed."
+msgstr "жигсаалт нэр."
+
+#: printer/printerdrake.pm:1336
+#, c-format
+msgid "SMB server host"
+msgstr ""
+
+#: printer/printerdrake.pm:1337
+#, c-format
+msgid "SMB server IP"
+msgstr "SMB серверийн IP"
+
+#: printer/printerdrake.pm:1338
+#, c-format
+msgid "Share name"
+msgstr "Хамтын хэрэглээний нэр"
+
+#: printer/printerdrake.pm:1341
+#, c-format
+msgid "Workgroup"
+msgstr ""
+
+#: printer/printerdrake.pm:1343
+#, fuzzy, c-format
+msgid "Auto-detected"
+msgstr "Авто"
+
+#: printer/printerdrake.pm:1353
+#, fuzzy, c-format
+msgid "Either the server name or the server's IP must be given!"
+msgstr "нэр с!"
+
+#: printer/printerdrake.pm:1357
+#, fuzzy, c-format
+msgid "Samba share name missing!"
+msgstr "Самба нэр!"
+
+#: printer/printerdrake.pm:1363
+#, c-format
+msgid "SECURITY WARNING!"
+msgstr "НУУЦЛАЛЫН АНХААРУУЛГА!"
+
+#: printer/printerdrake.pm:1364
+#, fuzzy, c-format
+msgid ""
+"You are about to set up printing to a Windows account with password. Due to "
+"a fault in the architecture of the Samba client software the password is put "
+"in clear text into the command line of the Samba client used to transmit the "
+"print job to the Windows server. So it is possible for every user on this "
+"machine to display the password on the screen by issuing commands as \"ps "
+"auxwww\".\n"
+"\n"
+"We recommend to make use of one of the following alternatives (in all cases "
+"you have to make sure that only machines from your local network have access "
+"to your Windows server, for example by means of a firewall):\n"
+"\n"
+"Use a password-less account on your Windows server, as the \"GUEST\" account "
+"or a special account dedicated for printing. Do not remove the password "
+"protection from a personal account or the administrator account.\n"
+"\n"
+"Set up your Windows server to make the printer available under the LPD "
+"protocol. Then set up printing from this machine with the \"%s\" connection "
+"type in Printerdrake.\n"
+"\n"
+msgstr ""
+"Та Цонхнууд ямх аас Самба бол ямх цэвэрлэх текст аас Самба Цонхнууд бол г "
+"аас аас ямх вы Цонхнууд аас г Цонхнууд г Цонхнууд с төрөл ямх г"
+
+#: printer/printerdrake.pm:1374
+#, fuzzy, c-format
+msgid ""
+"Set up your Windows server to make the printer available under the IPP "
+"protocol and set up printing from this machine with the \"%s\" connection "
+"type in Printerdrake.\n"
+"\n"
+msgstr "Цонхнууд с төрөл ямх г"
+
+#: printer/printerdrake.pm:1377
+#, c-format
+msgid ""
+"Connect your printer to a Linux server and let your Windows machine(s) "
+"connect to it as a client.\n"
+"\n"
+"Do you really want to continue setting up this printer as you are doing now?"
+msgstr ""
+"Таны хэвлэгчийг Линукс үйлчлэгч лүү холбоод Виндовс машинуудыг түүн рүү "
+"үйлчлүүлэгч байдлаар холбогдуулна. \n"
+"\n"
+"Та үнэхээр энэ хэвлэгчийг хийж байгаа байдлаараа тохируулахыг хүсэж байна уу?"
+
+#: printer/printerdrake.pm:1449
+#, fuzzy, c-format
+msgid "NetWare Printer Options"
+msgstr "Хэвлэгч"
+
+#: printer/printerdrake.pm:1450
+#, c-format
+msgid ""
+"To print on a NetWare printer, you need to provide the NetWare print server "
+"name (Note! it may be different from its TCP/IP hostname!) as well as the "
+"print queue name for the printer you wish to access and any applicable user "
+"name and password."
+msgstr ""
+
+#: printer/printerdrake.pm:1451
+#, fuzzy, c-format
+msgid "Printer Server"
+msgstr "Хэвлэгч"
+
+#: printer/printerdrake.pm:1452
+#, fuzzy, c-format
+msgid "Print Queue Name"
+msgstr "Хэвлэх Дараалал"
+
+#: printer/printerdrake.pm:1457
+#, c-format
+msgid "NCP server name missing!"
+msgstr "NCP серверийн нэр байхгүй байна!"
+
+#: printer/printerdrake.pm:1461
+#, c-format
+msgid "NCP queue name missing!"
+msgstr ""
+
+#: printer/printerdrake.pm:1527 printer/printerdrake.pm:1547
+#, fuzzy, c-format
+msgid ", host \"%s\", port %s"
+msgstr "с"
+
+#: printer/printerdrake.pm:1530 printer/printerdrake.pm:1550
+#, fuzzy, c-format
+msgid "Host \"%s\", port %s"
+msgstr "Хост с"
+
+#: printer/printerdrake.pm:1571
+#, c-format
+msgid "TCP/Socket Printer Options"
+msgstr ""
+
+#: printer/printerdrake.pm:1573
+#, fuzzy, c-format
+msgid ""
+"Choose one of the auto-detected printers from the list or enter the hostname "
+"or IP and the optional port number (default is 9100) in the input fields."
+msgstr "аас жигсаалт бол ямх."
+
+#: printer/printerdrake.pm:1574
+#, fuzzy, c-format
+msgid ""
+"To print to a TCP or socket printer, you need to provide the host name or IP "
+"of the printer and optionally the port number (default is 9100). On HP "
+"JetDirect servers the port number is usually 9100, on other servers it can "
+"vary. See the manual of your hardware."
+msgstr "тийш Сокет вы нэр аас бол Идэвхитэй бол бусад аас."
+
+#: printer/printerdrake.pm:1578
+#, fuzzy, c-format
+msgid "Printer host name or IP missing!"
+msgstr "Хэвлэгч нэр!"
+
+#: printer/printerdrake.pm:1601
+#, fuzzy, c-format
+msgid "Printer host name or IP"
+msgstr "Хэвлэгч нэр"
+
+#: printer/printerdrake.pm:1649 printer/printerdrake.pm:1651
+#, c-format
+msgid "Printer Device URI"
+msgstr "Хэвлэгч Төхөөрөмжийн URI хаяг"
+
+#: printer/printerdrake.pm:1650
+#, fuzzy, c-format
+msgid ""
+"You can specify directly the URI to access the printer. The URI must fulfill "
+"either the CUPS or the Foomatic specifications. Note that not all URI types "
+"are supported by all the spoolers."
+msgstr "Та URI URI Тэмдэглэл URI."
+
+#: printer/printerdrake.pm:1668
+#, fuzzy, c-format
+msgid "A valid URI must be entered!"
+msgstr "URI!"
+
+#: printer/printerdrake.pm:1749
+#, c-format
+msgid "Pipe into command"
+msgstr ""
+
+#: printer/printerdrake.pm:1750
+#, fuzzy, c-format
+msgid ""
+"Here you can specify any arbitrary command line into which the job should be "
+"piped instead of being sent directly to a printer."
+msgstr "вы аас."
+
+#: printer/printerdrake.pm:1751
+#, fuzzy, c-format
+msgid "Command line"
+msgstr "Тушаалын мөр"
+
+#: printer/printerdrake.pm:1755
+#, c-format
+msgid "A command line must be entered!"
+msgstr ""
+
+#: printer/printerdrake.pm:1788
+#, c-format
+msgid ""
+"Is your printer a multi-function device from HP or Sony (OfficeJet, PSC, "
+"LaserJet 1100/1200/1220/3200/3300 with scanner, DeskJet 450, Sony IJP-V100), "
+"an HP PhotoSmart or an HP LaserJet 2200?"
+msgstr ""
+
+#: printer/printerdrake.pm:1801
+#, c-format
+msgid "Installing HPOJ package..."
+msgstr "HPOJ багцыг суулгаж байна..."
+
+#: printer/printerdrake.pm:1809 printer/printerdrake.pm:1893
+#, fuzzy, c-format
+msgid "Checking device and configuring HPOJ..."
+msgstr "Проверить."
+
+#: printer/printerdrake.pm:1831
+#, c-format
+msgid "Installing SANE packages..."
+msgstr ""
+
+#: printer/printerdrake.pm:1858
+#, c-format
+msgid "Installing mtools packages..."
+msgstr ""
+
+#: printer/printerdrake.pm:1873
+#, c-format
+msgid "Scanning on your HP multi-function device"
+msgstr "Таны HP олон үйлдэлийн төхөөрөмжийг шалгаж байна"
+
+#: printer/printerdrake.pm:1881
+#, fuzzy, c-format
+msgid "Photo memory card access on your HP multi-function device"
+msgstr "Фото зураг"
+
+#: printer/printerdrake.pm:1930
+#, c-format
+msgid "Making printer port available for CUPS..."
+msgstr ""
+
+#: printer/printerdrake.pm:1939 printer/printerdrake.pm:2183
+#: printer/printerdrake.pm:2327
+#, c-format
+msgid "Reading printer database..."
+msgstr ""
+
+#: printer/printerdrake.pm:2149
+#, fuzzy, c-format
+msgid "Enter Printer Name and Comments"
+msgstr "Хэвлэгч Нэр"
+
+#: printer/printerdrake.pm:2153 printer/printerdrake.pm:3241
+#, fuzzy, c-format
+msgid "Name of printer should contain only letters, numbers and the underscore"
+msgstr "Нэр аас"
+
+#: printer/printerdrake.pm:2159 printer/printerdrake.pm:3246
+#, fuzzy, c-format
+msgid ""
+"The printer \"%s\" already exists,\n"
+"do you really want to overwrite its configuration?"
+msgstr "с вы?"
+
+#: printer/printerdrake.pm:2168
+#, fuzzy, c-format
+msgid ""
+"Every printer needs a name (for example \"printer\"). The Description and "
+"Location fields do not need to be filled in. They are comments for the users."
+msgstr "нэр Тодорхойлолт Байршил ямх хэрэглэгчид."
+
+#: printer/printerdrake.pm:2169
+#, c-format
+msgid "Name of printer"
+msgstr "Хэвлэгчийн нэр"
+
+#: printer/printerdrake.pm:2170 standalone/drakconnect:521
+#: standalone/harddrake2:40 standalone/printerdrake:212
+#: standalone/printerdrake:219
+#, c-format
+msgid "Description"
+msgstr "Тодорхойлолт"
+
+#: printer/printerdrake.pm:2171 standalone/printerdrake:212
+#: standalone/printerdrake:219
+#, c-format
+msgid "Location"
+msgstr "Байршил"
+
+#: printer/printerdrake.pm:2188
+#, c-format
+msgid "Preparing printer database..."
+msgstr ""
+
+#: printer/printerdrake.pm:2306
+#, c-format
+msgid "Your printer model"
+msgstr "Таны хэвлэгчийн загвар"
+
+#: printer/printerdrake.pm:2307
+#, c-format
+msgid ""
+"Printerdrake has compared the model name resulting from the printer auto-"
+"detection with the models listed in its printer database to find the best "
+"match. This choice can be wrong, especially when your printer is not listed "
+"at all in the database. So check whether the choice is correct and click "
+"\"The model is correct\" if so and if not, click \"Select model manually\" "
+"so that you can choose your printer model manually on the next screen.\n"
+"\n"
+"For your printer Printerdrake has found:\n"
+"\n"
+"%s"
+msgstr ""
+
+#: printer/printerdrake.pm:2312 printer/printerdrake.pm:2315
+#, c-format
+msgid "The model is correct"
+msgstr "Загвар нь зөв байна"
+
+#: printer/printerdrake.pm:2313 printer/printerdrake.pm:2314
+#: printer/printerdrake.pm:2317
+#, fuzzy, c-format
+msgid "Select model manually"
+msgstr "Сонгох"
+
+#: printer/printerdrake.pm:2340
+#, fuzzy, c-format
+msgid ""
+"\n"
+"\n"
+"Please check whether Printerdrake did the auto-detection of your printer "
+"model correctly. Find the correct model in the list when a wrong model or "
+"\"Raw printer\" is highlighted."
+msgstr "г аас Хайх ямх жигсаалт бол."
+
+#: printer/printerdrake.pm:2359
+#, c-format
+msgid "Install a manufacturer-supplied PPD file"
+msgstr ""
+
+#: printer/printerdrake.pm:2390
+#, c-format
+msgid ""
+"Every PostScript printer is delivered with a PPD file which describes the "
+"printer's options and features."
+msgstr ""
+
+#: printer/printerdrake.pm:2391
+#, c-format
+msgid ""
+"This file is usually somewhere on the CD with the Windows and Mac drivers "
+"delivered with the printer."
+msgstr ""
+
+#: printer/printerdrake.pm:2392
+#, c-format
+msgid "You can find the PPD files also on the manufacturer's web sites."
+msgstr ""
+
+#: printer/printerdrake.pm:2393
+#, c-format
+msgid ""
+"If you have Windows installed on your machine, you can find the PPD file on "
+"your Windows partition, too."
+msgstr ""
+
+#: printer/printerdrake.pm:2394
+#, c-format
+msgid ""
+"Installing the printer's PPD file and using it when setting up the printer "
+"makes all options of the printer available which are provided by the "
+"printer's hardware"
+msgstr ""
+
+#: printer/printerdrake.pm:2395
+#, c-format
+msgid ""
+"Here you can choose the PPD file to be installed on your machine, it will "
+"then be used for the setup of your printer."
+msgstr ""
+
+#: printer/printerdrake.pm:2397
+#, fuzzy, c-format
+msgid "Install PPD file from"
+msgstr "rpm суулгах"
+
+#: printer/printerdrake.pm:2399 printer/printerdrake.pm:2406
+#: standalone/scannerdrake:174 standalone/scannerdrake:182
+#: standalone/scannerdrake:233 standalone/scannerdrake:240
+#, fuzzy, c-format
+msgid "CD-ROM"
+msgstr "CDROM"
+
+#: printer/printerdrake.pm:2400 printer/printerdrake.pm:2408
+#: standalone/scannerdrake:175 standalone/scannerdrake:184
+#: standalone/scannerdrake:234 standalone/scannerdrake:242
+#, fuzzy, c-format
+msgid "Floppy Disk"
+msgstr "Уян диск"
+
+#: printer/printerdrake.pm:2401 printer/printerdrake.pm:2410
+#: standalone/scannerdrake:176 standalone/scannerdrake:186
+#: standalone/scannerdrake:235 standalone/scannerdrake:244
+#, fuzzy, c-format
+msgid "Other place"
+msgstr "Бусад"
+
+#: printer/printerdrake.pm:2416
+#, fuzzy, c-format
+msgid "Select PPD file"
+msgstr "Файл сонгох"
+
+#: printer/printerdrake.pm:2420
+#, c-format
+msgid "The PPD file %s does not exist or is unreadable!"
+msgstr ""
+
+#: printer/printerdrake.pm:2426
+#, c-format
+msgid "The PPD file %s does not conform with the PPD specifications!"
+msgstr ""
+
+#: printer/printerdrake.pm:2437
+#, fuzzy, c-format
+msgid "Installing PPD file..."
+msgstr "с."
+
+#: printer/printerdrake.pm:2539
+#, c-format
+msgid "OKI winprinter configuration"
+msgstr ""
+
+#: printer/printerdrake.pm:2540
+#, fuzzy, c-format
+msgid ""
+"You are configuring an OKI laser winprinter. These printers\n"
+"use a very special communication protocol and therefore they work only when "
+"connected to the first parallel port. When your printer is connected to "
+"another port or to a print server box please connect the printer to the "
+"first parallel port before you print a test page. Otherwise the printer will "
+"not work. Your connection type setting will be ignored by the driver."
+msgstr "Та бол вы төрөл."
+
+#: printer/printerdrake.pm:2564 printer/printerdrake.pm:2593
+#, c-format
+msgid "Lexmark inkjet configuration"
+msgstr "Lexmark inkjet тохируулга"
+
+#: printer/printerdrake.pm:2565
+#, fuzzy, c-format
+msgid ""
+"The inkjet printer drivers provided by Lexmark only support local printers, "
+"no printers on remote machines or print server boxes. Please connect your "
+"printer to a local port or configure it on the machine where it is connected "
+"to."
+msgstr "үгүй бол."
+
+#: printer/printerdrake.pm:2594
+#, fuzzy, c-format
+msgid ""
+"To be able to print with your Lexmark inkjet and this configuration, you "
+"need the inkjet printer drivers provided by Lexmark (http://www.lexmark."
+"com/). Click on the \"Drivers\" link. Then choose your model and afterwards "
+"\"Linux\" as operating system. The drivers come as RPM packages or shell "
+"scripts with interactive graphical installation. You do not need to do this "
+"configuration by the graphical frontends. Cancel directly after the license "
+"agreement. Then print printhead alignment pages with \"lexmarkmaintain\" and "
+"adjust the head alignment settings with this program."
+msgstr ""
+"тийш выhttp://www.lexmark.com/ Линк холбоос Та Хүчингүй хуудаснууд Программ."
+
+#: printer/printerdrake.pm:2597
+#, c-format
+msgid "Firmware-Upload for HP LaserJet 1000"
+msgstr ""
+
+#: printer/printerdrake.pm:2710
+#, fuzzy, c-format
+msgid ""
+"Printer default settings\n"
+"\n"
+"You should make sure that the page size and the ink type/printing mode (if "
+"available) and also the hardware configuration of laser printers (memory, "
+"duplex unit, extra trays) are set correctly. Note that with a very high "
+"printout quality/resolution printing can get substantially slower."
+msgstr "Хэвлэгч г хэмжээ төрөл горим аас Тэмдэглэл."
+
+#: printer/printerdrake.pm:2835
+#, fuzzy, c-format
+msgid "Printer default settings"
+msgstr "Хэвлэгч"
+
+#: printer/printerdrake.pm:2842
+#, c-format
+msgid "Option %s must be an integer number!"
+msgstr "%s сонголт нь бүхэл тоо байх ёстой!"
+
+#: printer/printerdrake.pm:2846
+#, c-format
+msgid "Option %s must be a number!"
+msgstr "%s сонголт нь тоо байх ёстой!"
+
+#: printer/printerdrake.pm:2850
+#, fuzzy, c-format
+msgid "Option %s out of range!"
+msgstr "с аас!"
+
+#: printer/printerdrake.pm:2901
+#, fuzzy, c-format
+msgid ""
+"Do you want to set this printer (\"%s\")\n"
+"as the default printer?"
+msgstr "вы с?"
+
+#: printer/printerdrake.pm:2916
+#, c-format
+msgid "Test pages"
+msgstr "Шалгах хуудсууд"
+
+#: printer/printerdrake.pm:2917
+#, fuzzy, c-format
+msgid ""
+"Please select the test pages you want to print.\n"
+"Note: the photo test page can take a rather long time to get printed and on "
+"laser printers with too low memory it can even not come out. In most cases "
+"it is enough to print the standard test page."
+msgstr "хуудаснууд вы Томоор бол."
+
+#: printer/printerdrake.pm:2921
+#, fuzzy, c-format
+msgid "No test pages"
+msgstr "Үгүй"
+
+#: printer/printerdrake.pm:2922
+#, fuzzy, c-format
+msgid "Print"
+msgstr "Хэвлэх"
+
+#: printer/printerdrake.pm:2947
+#, fuzzy, c-format
+msgid "Standard test page"
+msgstr "Стандарт"
+
+#: printer/printerdrake.pm:2950
+#, fuzzy, c-format
+msgid "Alternative test page (Letter)"
+msgstr "Альтернатив Letter"
+
+#: printer/printerdrake.pm:2953
+#, fuzzy, c-format
+msgid "Alternative test page (A4)"
+msgstr "Альтернатив A4"
+
+#: printer/printerdrake.pm:2955
+#, fuzzy, c-format
+msgid "Photo test page"
+msgstr "Фото зураг"
+
+#: printer/printerdrake.pm:2959
+#, c-format
+msgid "Do not print any test page"
+msgstr "Ямар нэгэн туршилтын хуудас битгий хэвлэ"
+
+#: printer/printerdrake.pm:2967 printer/printerdrake.pm:3123
+#, c-format
+msgid "Printing test page(s)..."
+msgstr "Шалгах хуудсыг хэвлэж байна..."
+
+#: printer/printerdrake.pm:2992
+#, c-format
+msgid ""
+"Test page(s) have been sent to the printer.\n"
+"It may take some time before the printer starts.\n"
+"Printing status:\n"
+"%s\n"
+"\n"
+msgstr ""
+"Шалгах хуудсууд хэвлэгч хүү илгээгдсэн.\n"
+"Хэвлэгч эхэлтэл магадгүй хэсэг хугацаа болох байх.\n"
+"Хэвлэлтийн төлөв:\n"
+"%s\n"
+"\n"
+
+#: printer/printerdrake.pm:2996
+#, fuzzy, c-format
+msgid ""
+"Test page(s) have been sent to the printer.\n"
+"It may take some time before the printer starts.\n"
+msgstr "Тест с"
+
+#: printer/printerdrake.pm:3003
+#, c-format
+msgid "Did it work properly?"
+msgstr ""
+
+#: printer/printerdrake.pm:3024 printer/printerdrake.pm:4192
+#, fuzzy, c-format
+msgid "Raw printer"
+msgstr "Түүхий хэвлэгч"
+
+#: printer/printerdrake.pm:3054
+#, fuzzy, c-format
+msgid ""
+"To print a file from the command line (terminal window) you can either use "
+"the command \"%s <file>\" or a graphical printing tool: \"xpp <file>\" or "
+"\"kprinter <file>\". The graphical tools allow you to choose the printer and "
+"to modify the option settings easily.\n"
+msgstr "тийш терминал Цонх вы с<file><file><file> вы"
+
+#: printer/printerdrake.pm:3056
+#, c-format
+msgid ""
+"These commands you can also use in the \"Printing command\" field of the "
+"printing dialogs of many applications, but here do not supply the file name "
+"because the file to print is provided by the application.\n"
+msgstr ""
+
+#: printer/printerdrake.pm:3059 printer/printerdrake.pm:3076
+#: printer/printerdrake.pm:3086
+#, fuzzy, c-format
+msgid ""
+"\n"
+"The \"%s\" command also allows to modify the option settings for a "
+"particular printing job. Simply add the desired settings to the command "
+"line, e. g. \"%s <file>\". "
+msgstr "с e с<file> "
+
+#: printer/printerdrake.pm:3062 printer/printerdrake.pm:3102
+#, fuzzy, c-format
+msgid ""
+"To know about the options available for the current printer read either the "
+"list shown below or click on the \"Print option list\" button.%s%s%s\n"
+"\n"
+msgstr "тийш жигсаалт Хэвлэх жигсаалт с с с г"
+
+#: printer/printerdrake.pm:3066
+#, fuzzy, c-format
+msgid ""
+"Here is a list of the available printing options for the current printer:\n"
+"\n"
+msgstr "бол жигсаалт аас г"
+
+#: printer/printerdrake.pm:3071 printer/printerdrake.pm:3081
+#, c-format
+msgid ""
+"To print a file from the command line (terminal window) use the command \"%s "
+"<file>\".\n"
+msgstr ""
+"Ямар нэгэн файлыг тушаалын мөрнөөс хэвлэхдээ \"%s <file>\" тушаалыг "
+"хэрэглэнэ.\n"
+
+#: printer/printerdrake.pm:3073 printer/printerdrake.pm:3083
+#: printer/printerdrake.pm:3093
+#, fuzzy, c-format
+msgid ""
+"This command you can also use in the \"Printing command\" field of the "
+"printing dialogs of many applications. But here do not supply the file name "
+"because the file to print is provided by the application.\n"
+msgstr "вы ямх Хэвлэх аас аас нэр бол х.программ"
+
+#: printer/printerdrake.pm:3078 printer/printerdrake.pm:3088
+#, c-format
+msgid ""
+"To get a list of the options available for the current printer click on the "
+"\"Print option list\" button."
+msgstr ""
+"Тухайн хэвлэгчүүдийн хувьд боломжтой сонголтуудын жагсаалтыг авахын тулд "
+"\"Хэвлэх сонголтын жагсаалт\" товчийг дарна уу."
+
+#: printer/printerdrake.pm:3091
+#, c-format
+msgid ""
+"To print a file from the command line (terminal window) use the command \"%s "
+"<file>\" or \"%s <file>\".\n"
+msgstr ""
+"Тушаалын мөрнөөс (терминал цонх) файл хэвлэхийн тулд \"%s <file>\" эсвэл \"%"
+"s <file>\" командыг хэрэглэнэ.\n"
+
+#: printer/printerdrake.pm:3095
+#, c-format
+msgid ""
+"You can also use the graphical interface \"xpdq\" for setting options and "
+"handling printing jobs.\n"
+"If you are using KDE as desktop environment you have a \"panic button\", an "
+"icon on the desktop, labeled with \"STOP Printer!\", which stops all print "
+"jobs immediately when you click it. This is for example useful for paper "
+"jams.\n"
+msgstr ""
+
+#: printer/printerdrake.pm:3099
+#, fuzzy, c-format
+msgid ""
+"\n"
+"The \"%s\" and \"%s\" commands also allow to modify the option settings for "
+"a particular printing job. Simply add the desired settings to the command "
+"line, e. g. \"%s <file>\".\n"
+msgstr "с с e с<file>"
+
+#: printer/printerdrake.pm:3109
+#, fuzzy, c-format
+msgid "Printing/Scanning/Photo Cards on \"%s\""
+msgstr "Хэвлэх Фото зураг Картууд с"
+
+#: printer/printerdrake.pm:3110
+#, fuzzy, c-format
+msgid "Printing/Scanning on \"%s\""
+msgstr "Хэвлэх с"
+
+#: printer/printerdrake.pm:3112
+#, fuzzy, c-format
+msgid "Printing/Photo Card Access on \"%s\""
+msgstr "Хэвлэх Фото зураг с"
+
+#: printer/printerdrake.pm:3113
+#, c-format
+msgid "Printing on the printer \"%s\""
+msgstr "\"%s\" хэвлэгч дээр хэвлэж байна"
+
+#: printer/printerdrake.pm:3116 printer/printerdrake.pm:3119
+#: printer/printerdrake.pm:3120 printer/printerdrake.pm:3121
+#: printer/printerdrake.pm:4179 standalone/drakTermServ:321
+#: standalone/drakbackup:4583 standalone/drakbug:177 standalone/drakfont:497
+#: standalone/drakfont:588 standalone/net_monitor:106
+#: standalone/printerdrake:508
+#, fuzzy, c-format
+msgid "Close"
+msgstr "Хаах"
+
+#: printer/printerdrake.pm:3119
+#, c-format
+msgid "Print option list"
+msgstr "Хэвлэх сонголтын жагсаалт"
+
+#: printer/printerdrake.pm:3140
+#, fuzzy, c-format
+msgid ""
+"Your multi-function device was configured automatically to be able to scan. "
+"Now you can scan with \"scanimage\" (\"scanimage -d hp:%s\" to specify the "
+"scanner when you have more than one) from the command line or with the "
+"graphical interfaces \"xscanimage\" or \"xsane\". If you are using the GIMP, "
+"you can also scan by choosing the appropriate point in the \"File\"/\"Acquire"
+"\" menu. Call also \"man scanimage\" on the command line to get more "
+"information.\n"
+"\n"
+"Do not use \"scannerdrake\" for this device!"
+msgstr "вы с вы вы вы Цэг ямх Файл Цэс г!"
+
+#: printer/printerdrake.pm:3163
+#, fuzzy, c-format
+msgid ""
+"Your printer was configured automatically to give you access to the photo "
+"card drives from your PC. Now you can access your photo cards using the "
+"graphical program \"MtoolsFM\" (Menu: \"Applications\" -> \"File tools\" -> "
+"\"MTools File Manager\") or the command line utilities \"mtools\" (enter "
+"\"man mtools\" on the command line for more info). You find the card's file "
+"system under the drive letter \"p:\", or subsequent drive letters when you "
+"have more than one HP printer with photo card drives. In \"MtoolsFM\" you "
+"can switch between drive letters with the field at the upper-right corners "
+"of the file lists."
+msgstr ""
+"вы вы Программ Цэс Програмууд Файл Файл Менежер Та с вы Томоор вы баруун аас."
+
+#: printer/printerdrake.pm:3185 printer/printerdrake.pm:3575
+#, c-format
+msgid "Reading printer data..."
+msgstr ""
+
+#: printer/printerdrake.pm:3205 printer/printerdrake.pm:3232
+#: printer/printerdrake.pm:3267
+#, c-format
+msgid "Transfer printer configuration"
+msgstr ""
+
+#: printer/printerdrake.pm:3206
+#, c-format
+msgid ""
+"You can copy the printer configuration which you have done for the spooler %"
+"s to %s, your current spooler. All the configuration data (printer name, "
+"description, location, connection type, and default option settings) is "
+"overtaken, but jobs will not be transferred.\n"
+"Not all queues can be transferred due to the following reasons:\n"
+msgstr ""
+
+#: printer/printerdrake.pm:3209
+#, fuzzy, c-format
+msgid ""
+"CUPS does not support printers on Novell servers or printers sending the "
+"data into a free-formed command.\n"
+msgstr "Нээх"
+
+#: printer/printerdrake.pm:3211
+#, fuzzy, c-format
+msgid ""
+"PDQ only supports local printers, remote LPD printers, and Socket/TCP "
+"printers.\n"
+msgstr "локал дээд"
+
+#: printer/printerdrake.pm:3213
+#, c-format
+msgid "LPD and LPRng do not support IPP printers.\n"
+msgstr ""
+
+#: printer/printerdrake.pm:3215
+#, c-format
+msgid ""
+"In addition, queues not created with this program or \"foomatic-configure\" "
+"cannot be transferred."
+msgstr ""
+
+#: printer/printerdrake.pm:3216
+#, c-format
+msgid ""
+"\n"
+"Also printers configured with the PPD files provided by their manufacturers "
+"or with native CUPS drivers cannot be transferred."
+msgstr ""
+"\n"
+"Мөн үйлдвэрээс нь эсвэл эх CUPS драйвертай хамт ирсэн PPD файлуудтай "
+"тохируулагдсан хэвлэгчүүд шилжигдэж чадахгүй. "
+
+#: printer/printerdrake.pm:3217
+#, fuzzy, c-format
+msgid ""
+"\n"
+"Mark the printers which you want to transfer and click \n"
+"\"Transfer\"."
+msgstr "вы г."
+
+#: printer/printerdrake.pm:3220
+#, c-format
+msgid "Do not transfer printers"
+msgstr "Хэвлэгчүүдийг шилжүүлэхгүй"
+
+#: printer/printerdrake.pm:3221 printer/printerdrake.pm:3237
+#, c-format
+msgid "Transfer"
+msgstr ""
+
+#: printer/printerdrake.pm:3233
+#, fuzzy, c-format
+msgid ""
+"A printer named \"%s\" already exists under %s. \n"
+"Click \"Transfer\" to overwrite it.\n"
+"You can also type a new name or skip this printer."
+msgstr "с с төрөл шинэ нэр."
+
+#: printer/printerdrake.pm:3254
+#, c-format
+msgid "New printer name"
+msgstr "Шинэ хэвлэгчийн нэр"
+
+#: printer/printerdrake.pm:3257
+#, fuzzy, c-format
+msgid "Transferring %s..."
+msgstr "с."
+
+#: printer/printerdrake.pm:3268
+#, c-format
+msgid ""
+"You have transferred your former default printer (\"%s\"), Should it be also "
+"the default printer under the new printing system %s?"
+msgstr ""
+"Та хуучин үндсэн хэвлэгчийн системээ шилжүүллээ (\"%s\"), Энэ нь мөн таын "
+"шинэ хэвлэх систем %s-н хувьд үндсэн байх ёстой юу?"
+
+#: printer/printerdrake.pm:3278
+#, c-format
+msgid "Refreshing printer data..."
+msgstr ""
+
+#: printer/printerdrake.pm:3287
+#, fuzzy, c-format
+msgid "Starting network..."
+msgstr "Эхэлж байна."
+
+#: printer/printerdrake.pm:3328 printer/printerdrake.pm:3332
+#: printer/printerdrake.pm:3334
+#, fuzzy, c-format
+msgid "Configure the network now"
+msgstr "Тохируулах"
+
+#: printer/printerdrake.pm:3329
+#, c-format
+msgid "Network functionality not configured"
+msgstr "Сүлжээний ажиллагаа тохируулагдаагүй"
+
+#: printer/printerdrake.pm:3330
+#, fuzzy, c-format
+msgid ""
+"You are going to configure a remote printer. This needs working network "
+"access, but your network is not configured yet. If you go on without network "
+"configuration, you will not be able to use the printer which you are "
+"configuring now. How do you want to proceed?"
+msgstr "Та бол вы За алив вы вы вы?"
+
+#: printer/printerdrake.pm:3333
+#, fuzzy, c-format
+msgid "Go on without configuring the network"
+msgstr "Очих"
+
+#: printer/printerdrake.pm:3367
+#, fuzzy, c-format
+msgid ""
+"The network configuration done during the installation cannot be started "
+"now. Please check whether the network is accessable after booting your "
+"system and correct the configuration using the %s Control Center, section "
+"\"Network & Internet\"/\"Connection\", and afterwards set up the printer, "
+"also using the %s Control Center, section \"Hardware\"/\"Printer\""
+msgstr ""
+"Хийгдсэн бол Контрол Төвд Сүлжээ Интернэт Холболт Контрол Төвд Hardware "
+"Хэвлэгч"
+
+#: printer/printerdrake.pm:3368
+#, c-format
+msgid ""
+"The network access was not running and could not be started. Please check "
+"your configuration and your hardware. Then try to configure your remote "
+"printer again."
+msgstr ""
+"Сүлжээний хандалт ажиллаагүй байсан ба эхэлж чадахгүй байна. Тохируулга "
+"болон техник хангамжаа шалгана уу! Тэгээд дахин зайн хэвлэгчээ тохируулахаар "
+"оролдоно уу!"
+
+#: printer/printerdrake.pm:3378
+#, c-format
+msgid "Restarting printing system..."
+msgstr "Хэвлэх системийг дахин эхлүүлж байна..."
+
+#: printer/printerdrake.pm:3417
+#, c-format
+msgid "high"
+msgstr ""
+
+#: printer/printerdrake.pm:3417
+#, c-format
+msgid "paranoid"
+msgstr ""
+
+#: printer/printerdrake.pm:3418
+#, c-format
+msgid "Installing a printing system in the %s security level"
+msgstr "%s хамгаалалтын төвшинд хэвлэх систем суулгах."
+
+#: printer/printerdrake.pm:3419
+#, fuzzy, c-format
+msgid ""
+"You are about to install the printing system %s on a system running in the %"
+"s security level.\n"
+"\n"
+"This printing system runs a daemon (background process) which waits for "
+"print jobs and handles them. This daemon is also accessable by remote "
+"machines through the network and so it is a possible point for attacks. "
+"Therefore only a few selected daemons are started by default in this "
+"security level.\n"
+"\n"
+"Do you really want to configure printing on this machine?"
+msgstr "Та с ямх с г бол бол Цэг ямх г вы?"
+
+#: printer/printerdrake.pm:3453
+#, fuzzy, c-format
+msgid "Starting the printing system at boot time"
+msgstr "Эхэлж байна"
+
+#: printer/printerdrake.pm:3454
+#, fuzzy, c-format
+msgid ""
+"The printing system (%s) will not be started automatically when the machine "
+"is booted.\n"
+"\n"
+"It is possible that the automatic starting was turned off by changing to a "
+"higher security level, because the printing system is a potential point for "
+"attacks.\n"
+"\n"
+"Do you want to have the automatic starting of the printing system turned on "
+"again?"
+msgstr "с бол г бол бол Цэг г вы аас?"
+
+#: printer/printerdrake.pm:3475 printer/printerdrake.pm:3690
+#, c-format
+msgid "Checking installed software..."
+msgstr "Суусан програм хангамжуудыг шалгаж байна..."
+
+#: printer/printerdrake.pm:3481
+#, fuzzy, c-format
+msgid "Removing %s ..."
+msgstr "с."
+
+#: printer/printerdrake.pm:3488
+#, fuzzy, c-format
+msgid "Installing %s ..."
+msgstr "с."
+
+#: printer/printerdrake.pm:3535
+#, fuzzy, c-format
+msgid "Setting Default Printer..."
+msgstr "Стандарт Хэвлэгч."
+
+#: printer/printerdrake.pm:3555
+#, fuzzy, c-format
+msgid "Select Printer Spooler"
+msgstr "Хэвлэгч"
+
+#: printer/printerdrake.pm:3556
+#, fuzzy, c-format
+msgid "Which printing system (spooler) do you want to use?"
+msgstr "вы?"
+
+#: printer/printerdrake.pm:3607
+#, fuzzy, c-format
+msgid "Failed to configure printer \"%s\"!"
+msgstr "Нурсан с!"
+
+#: printer/printerdrake.pm:3620
+#, c-format
+msgid "Installing Foomatic..."
+msgstr "Foomatic-г суулгаж байна..."
+
+#: printer/printerdrake.pm:3806
+#, fuzzy, c-format
+msgid ""
+"The following printers are configured. Double-click on a printer to change "
+"its settings; to make it the default printer; or to view information about "
+"it. "
+msgstr "Давхар."
+
+#: printer/printerdrake.pm:3834
+#, fuzzy, c-format
+msgid "Display all available remote CUPS printers"
+msgstr "Харуулах дээд"
+
+#: printer/printerdrake.pm:3835
+#, c-format
+msgid "Refresh printer list (to display all available remote CUPS printers)"
+msgstr ""
+"Хэвлэгчийн жагсаалтыг сэргээх (бүх боломжтой зайн CUPS харуулахын тулд)"
+
+#: printer/printerdrake.pm:3845
+#, c-format
+msgid "CUPS configuration"
+msgstr "CUPS тохиргоо"
+
+#: printer/printerdrake.pm:3857
+#, fuzzy, c-format
+msgid "Change the printing system"
+msgstr "Өөрчилөх"
+
+#: printer/printerdrake.pm:3866
+#, fuzzy, c-format
+msgid "Normal Mode"
+msgstr "Энгийн"
+
+#: printer/printerdrake.pm:3867
+#, fuzzy, c-format
+msgid "Expert Mode"
+msgstr "Мэргэжлийн"
+
+#: printer/printerdrake.pm:4138 printer/printerdrake.pm:4193
+#: printer/printerdrake.pm:4274 printer/printerdrake.pm:4284
+#, fuzzy, c-format
+msgid "Printer options"
+msgstr "Хэвлэгч"
+
+#: printer/printerdrake.pm:4174
+#, fuzzy, c-format
+msgid "Modify printer configuration"
+msgstr "Өөрчлөх"
+
+#: printer/printerdrake.pm:4176
+#, fuzzy, c-format
+msgid ""
+"Printer %s\n"
+"What do you want to modify on this printer?"
+msgstr "Хэвлэгч с вы?"
+
+#: printer/printerdrake.pm:4180
+#, c-format
+msgid "Do it!"
+msgstr ""
+
+#: printer/printerdrake.pm:4185 printer/printerdrake.pm:4243
+#, fuzzy, c-format
+msgid "Printer connection type"
+msgstr "Хэвлэгч"
+
+#: printer/printerdrake.pm:4186 printer/printerdrake.pm:4247
+#, c-format
+msgid "Printer name, description, location"
+msgstr "Хэвлэгчийн нэр, тайлбар, байрлал"
+
+#: printer/printerdrake.pm:4188 printer/printerdrake.pm:4266
+#, fuzzy, c-format
+msgid "Printer manufacturer, model, driver"
+msgstr "Хэвлэгч"
+
+#: printer/printerdrake.pm:4189 printer/printerdrake.pm:4267
+#, c-format
+msgid "Printer manufacturer, model"
+msgstr "Хэвлэгчийн үйлдвэрлэгч, загвар"
+
+#: printer/printerdrake.pm:4195 printer/printerdrake.pm:4278
+#, c-format
+msgid "Set this printer as the default"
+msgstr ""
+
+#: printer/printerdrake.pm:4197 printer/printerdrake.pm:4285
+#, fuzzy, c-format
+msgid "Add this printer to Star Office/OpenOffice.org/GIMP"
+msgstr "Нэмэх Албан газар OpenOffice"
+
+#: printer/printerdrake.pm:4198 printer/printerdrake.pm:4290
+#, fuzzy, c-format
+msgid "Remove this printer from Star Office/OpenOffice.org/GIMP"
+msgstr "Устгах Албан газар OpenOffice"
+
+#: printer/printerdrake.pm:4199 printer/printerdrake.pm:4295
+#, fuzzy, c-format
+msgid "Print test pages"
+msgstr "Хэвлэх"
+
+#: printer/printerdrake.pm:4200 printer/printerdrake.pm:4297
+#, c-format
+msgid "Learn how to use this printer"
+msgstr ""
+
+#: printer/printerdrake.pm:4201 printer/printerdrake.pm:4299
+#, fuzzy, c-format
+msgid "Remove printer"
+msgstr "Устгах"
+
+#: printer/printerdrake.pm:4255
+#, fuzzy, c-format
+msgid "Removing old printer \"%s\"..."
+msgstr "с."
+
+#: printer/printerdrake.pm:4286
+#, fuzzy, c-format
+msgid "Adding printer to Star Office/OpenOffice.org/GIMP"
+msgstr "Албан газар OpenOffice"
+
+#: printer/printerdrake.pm:4288
+#, fuzzy, c-format
+msgid ""
+"The printer \"%s\" was successfully added to Star Office/OpenOffice.org/GIMP."
+msgstr "с Албан газар OpenOffice."
+
+#: printer/printerdrake.pm:4289
+#, fuzzy, c-format
+msgid "Failed to add the printer \"%s\" to Star Office/OpenOffice.org/GIMP."
+msgstr "Нурсан с Албан газар OpenOffice."
+
+#: printer/printerdrake.pm:4291
+#, fuzzy, c-format
+msgid "Removing printer from Star Office/OpenOffice.org/GIMP"
+msgstr "Албан газар OpenOffice"
+
+#: printer/printerdrake.pm:4293
+#, fuzzy, c-format
+msgid ""
+"The printer \"%s\" was successfully removed from Star Office/OpenOffice.org/"
+"GIMP."
+msgstr "с Албан газар OpenOffice."
+
+#: printer/printerdrake.pm:4294
+#, fuzzy, c-format
+msgid ""
+"Failed to remove the printer \"%s\" from Star Office/OpenOffice.org/GIMP."
+msgstr "Нурсан с Албан газар OpenOffice."
+
+#: printer/printerdrake.pm:4338
+#, c-format
+msgid "Do you really want to remove the printer \"%s\"?"
+msgstr "Та үнэхээр \"%s\" хэвлэгчийг устгахыг хүсэж байна уу?"
+
+#: printer/printerdrake.pm:4342
+#, c-format
+msgid "Removing printer \"%s\"..."
+msgstr "\"%s\" хэвлэгчийн устгаж байна..."
+
+#: printer/printerdrake.pm:4366
+#, c-format
+msgid "Default printer"
+msgstr "Үндсэн хэвлэгч"
+
+#: printer/printerdrake.pm:4367
+#, fuzzy, c-format
+msgid "The printer \"%s\" is set as the default printer now."
+msgstr "с бол."
+
+#: raid.pm:37
+#, c-format
+msgid "Can't add a partition to _formatted_ RAID md%d"
+msgstr ""
+
+#: raid.pm:139
+#, c-format
+msgid "mkraid failed (maybe raidtools are missing?)"
+msgstr "mkraid бүтэлгүйтлээ (магадгүй raidtools байгүй байна?)"
+
+#: raid.pm:139
+#, c-format
+msgid "mkraid failed"
+msgstr "mkraid бүтэлгүйтэв"
+
+#: raid.pm:155
+#, c-format
+msgid "Not enough partitions for RAID level %d\n"
+msgstr ""
+
+#: scanner.pm:96
+#, c-format
+msgid "Could not create directory /usr/share/sane/firmware!"
+msgstr ""
+
+#: scanner.pm:102
+#, c-format
+msgid "Could not copy firmware file %s to /usr/share/sane/firmware!"
+msgstr ""
+
+#: scanner.pm:109
+#, c-format
+msgid "Could not set permissions of firmware file %s!"
+msgstr ""
+
+#: scanner.pm:188 standalone/scannerdrake:59 standalone/scannerdrake:63
+#: standalone/scannerdrake:71 standalone/scannerdrake:333
+#: standalone/scannerdrake:407 standalone/scannerdrake:451
+#: standalone/scannerdrake:455 standalone/scannerdrake:477
+#: standalone/scannerdrake:542
+#, c-format
+msgid "Scannerdrake"
+msgstr ""
+
+#: scanner.pm:189 standalone/scannerdrake:903
+#, c-format
+msgid "Could not install the packages needed to share your scanner(s)."
+msgstr ""
+
+#: scanner.pm:190
+#, c-format
+msgid "Your scanner(s) will not be available for non-root users."
+msgstr ""
+
+#: security/help.pm:11
+#, fuzzy, c-format
+msgid "Accept/Refuse bogus IPv4 error messages."
+msgstr "Аргумент г."
+
+#: security/help.pm:13
+#, fuzzy, c-format
+msgid " Accept/Refuse broadcasted icmp echo."
+msgstr ""
+"Аргумент г\n"
+" Зөвшөөрөх."
+
+#: security/help.pm:15
+#, fuzzy, c-format
+msgid " Accept/Refuse icmp echo."
+msgstr ""
+"Аргумент г\n"
+" Зөвшөөрөх."
+
+#: security/help.pm:17
+#, fuzzy, c-format
+msgid "Allow/Forbid autologin."
+msgstr ""
+"Аргументууд: (арг)\n"
+"\n"
+"автомат нэвтрэлтийг Зөвшөөр/Хоригло."
+
+#: security/help.pm:19
+#, fuzzy, c-format
+msgid ""
+"If set to \"ALL\", /etc/issue and /etc/issue.net are allowed to exist.\n"
+"\n"
+"If set to NONE, no issues are allowed.\n"
+"\n"
+"Else only /etc/issue is allowed."
+msgstr "Аргумент г үгүй бол."
+
+#: security/help.pm:25
+#, fuzzy, c-format
+msgid "Allow/Forbid reboot by the console user."
+msgstr "Аргумент г."
+
+#: security/help.pm:27
+#, fuzzy, c-format
+msgid "Allow/Forbid remote root login."
+msgstr ""
+"Аргументууд: (арг)\n"
+"\n"
+"Эзний зайн нэвтрэлтийг Зөвшөөр/Хоригло."
+
+#: security/help.pm:29
+#, fuzzy, c-format
+msgid "Allow/Forbid direct root login."
+msgstr "Аргумент г."
+
+#: security/help.pm:31
+#, c-format
+msgid ""
+"Allow/Forbid the list of users on the system on display managers (kdm and "
+"gdm)."
+msgstr ""
+
+#: security/help.pm:33
+#, c-format
+msgid ""
+"Allow/Forbid X connections:\n"
+"\n"
+"- ALL (all connections are allowed),\n"
+"\n"
+"- LOCAL (only connection from local machine),\n"
+"\n"
+"- NONE (no connection)."
+msgstr ""
+
+#: security/help.pm:41
+#, fuzzy, c-format
+msgid ""
+"The argument specifies if clients are authorized to connect\n"
+"to the X server from the network on the tcp port 6000 or not."
+msgstr "Аргумент г X."
+
+#: security/help.pm:44
+#, fuzzy, c-format
+msgid ""
+"Authorize:\n"
+"\n"
+"- all services controlled by tcp_wrappers (see hosts.deny(5) man page) if "
+"set to \"ALL\",\n"
+"\n"
+"- only local ones if set to \"LOCAL\"\n"
+"\n"
+"- none if set to \"NONE\".\n"
+"\n"
+"To authorize the services you need, use /etc/hosts.allow (see hosts.allow"
+"(5))."
+msgstr "Аргумент г байхгүй тийш вы г."
+
+#: security/help.pm:54
+#, fuzzy, c-format
+msgid ""
+"If SERVER_LEVEL (or SECURE_LEVEL if absent)\n"
+"is greater than 3 in /etc/security/msec/security.conf, creates the\n"
+"symlink /etc/security/msec/server to point to\n"
+"/etc/security/msec/server.<SERVER_LEVEL>.\n"
+"\n"
+"The /etc/security/msec/server is used by chkconfig --add to decide to\n"
+"add a service if it is present in the file during the installation of\n"
+"packages."
+msgstr "Аргумент г ҮЕ ҮЕ бол Цэг<SERVER_LEVEL> бол ямх аас."
+
+#: security/help.pm:63
+#, c-format
+msgid ""
+"Enable/Disable crontab and at for users.\n"
+"\n"
+"Put allowed users in /etc/cron.allow and /etc/at.allow (see man at(1)\n"
+"and crontab(1))."
+msgstr ""
+
+#: security/help.pm:68
+#, c-format
+msgid "Enable/Disable syslog reports to console 12"
+msgstr ""
+
+#: security/help.pm:70
+#, fuzzy, c-format
+msgid ""
+"Enable/Disable name resolution spoofing protection. If\n"
+"\"alert\" is true, also reports to syslog."
+msgstr "Аргумент Сонордуулга г нэр г бол."
+
+#: security/help.pm:73
+#, fuzzy, c-format
+msgid "Enable/Disable IP spoofing protection."
+msgstr "Аргумент Сонордуулга г."
+
+#: security/help.pm:75
+#, c-format
+msgid "Enable/Disable libsafe if libsafe is found on the system."
+msgstr ""
+
+#: security/help.pm:77
+#, fuzzy, c-format
+msgid "Enable/Disable the logging of IPv4 strange packets."
+msgstr "Аргумент г аас."
+
+#: security/help.pm:79
+#, fuzzy, c-format
+msgid "Enable/Disable msec hourly security check."
+msgstr "Аргумент г."
+
+#: security/help.pm:81
+#, fuzzy, c-format
+msgid ""
+" Enabling su only from members of the wheel group or allow su from any user."
+msgstr ""
+"Аргумент г\n"
+" аас бүлэг."
+
+#: security/help.pm:83
+#, fuzzy, c-format
+msgid "Use password to authenticate users."
+msgstr "Аргумент г хэрэглэгчид."
+
+#: security/help.pm:85
+#, fuzzy, c-format
+msgid "Activate/Disable ethernet cards promiscuity check."
+msgstr ""
+"Аргумент: (arg)\n"
+"\n"
+"итернэт карт шалгалт идэвхижүүлэх/болих."
+
+#: security/help.pm:87
+#, fuzzy, c-format
+msgid " Activate/Disable daily security check."
+msgstr ""
+"Аргументууд: (арг)\n"
+"\n"
+" Өдөр тутмын нууцлалын шалгалтыг идэвхжүүлэх/ идэвхгүйжүүлэх."
+
+#: security/help.pm:89
+#, fuzzy, c-format
+msgid " Enable/Disable sulogin(8) in single user level."
+msgstr ""
+"Аргумент г\n"
+" Нээх ямх."
+
+#: security/help.pm:91
+#, fuzzy, c-format
+msgid "Add the name as an exception to the handling of password aging by msec."
+msgstr "Аргумент нэр г нэр аас."
+
+#: security/help.pm:93
+#, c-format
+msgid "Set password aging to \"max\" days and delay to change to \"inactive\"."
+msgstr ""
+
+#: security/help.pm:95
+#, fuzzy, c-format
+msgid "Set the password history length to prevent password reuse."
+msgstr "Аргумент г."
+
+#: security/help.pm:97
+#, fuzzy, c-format
+msgid ""
+"Set the password minimum length and minimum number of digit and minimum "
+"number of capitalized letters."
+msgstr "Аргумент г аас аас."
+
+#: security/help.pm:99
+#, fuzzy, c-format
+msgid "Set the root umask."
+msgstr "Аргумент г."
+
+#: security/help.pm:100
+#, fuzzy, c-format
+msgid "if set to yes, check open ports."
+msgstr "Тийм."
+
+#: security/help.pm:101
+#, fuzzy, c-format
+msgid ""
+"if set to yes, check for :\n"
+"\n"
+"- empty passwords,\n"
+"\n"
+"- no password in /etc/shadow\n"
+"\n"
+"- for users with the 0 id other than root."
+msgstr "Тийм үгүй ямх хэрэглэгчид бусад."
+
+#: security/help.pm:108
+#, fuzzy, c-format
+msgid "if set to yes, check permissions of files in the users' home."
+msgstr "Тийм эрх аас ямх хэрэглэгчид."
+
+#: security/help.pm:109
+#, fuzzy, c-format
+msgid "if set to yes, check if the network devices are in promiscuous mode."
+msgstr "Тийм ямх горим."
+
+#: security/help.pm:110
+#, fuzzy, c-format
+msgid "if set to yes, run the daily security checks."
+msgstr "Тийм өдөр тутам."
+
+#: security/help.pm:111
+#, fuzzy, c-format
+msgid "if set to yes, check additions/removals of sgid files."
+msgstr "Тийм аас."
+
+#: security/help.pm:112
+#, fuzzy, c-format
+msgid "if set to yes, check empty password in /etc/shadow."
+msgstr "Тийм ямх."
+
+#: security/help.pm:113
+#, fuzzy, c-format
+msgid "if set to yes, verify checksum of the suid/sgid files."
+msgstr "Тийм аас."
+
+#: security/help.pm:114
+#, fuzzy, c-format
+msgid "if set to yes, check additions/removals of suid root files."
+msgstr "Тийм аас."
+
+#: security/help.pm:115
+#, fuzzy, c-format
+msgid "if set to yes, report unowned files."
+msgstr "Тийм."
+
+#: security/help.pm:116
+#, fuzzy, c-format
+msgid "if set to yes, check files/directories writable by everybody."
+msgstr "Тийм."
+
+#: security/help.pm:117
+#, fuzzy, c-format
+msgid "if set to yes, run chkrootkit checks."
+msgstr "Тийм."
+
+#: security/help.pm:118
+#, c-format
+msgid ""
+"if set, send the mail report to this email address else send it to root."
+msgstr ""
+
+#: security/help.pm:119
+#, c-format
+msgid "if set to yes, report check result by mail."
+msgstr "хэрэв тийм гэвэл тайлангийн үр дүн и-мэйлээр шалгагдах болно."
+
+#: security/help.pm:120
+#, c-format
+msgid "Do not send mails if there's nothing to warn about"
+msgstr ""
+
+#: security/help.pm:121
+#, fuzzy, c-format
+msgid "if set to yes, run some checks against the rpm database."
+msgstr "Тийм."
+
+#: security/help.pm:122
+#, fuzzy, c-format
+msgid "if set to yes, report check result to syslog."
+msgstr "Тийм."
+
+#: security/help.pm:123
+#, fuzzy, c-format
+msgid "if set to yes, reports check result to tty."
+msgstr "Тийм."
+
+#: security/help.pm:125
+#, fuzzy, c-format
+msgid "Set shell commands history size. A value of -1 means unlimited."
+msgstr "Аргумент хэмжээ г хэмжээ аас."
+
+#: security/help.pm:127
+#, fuzzy, c-format
+msgid "Set the shell timeout. A value of zero means no timeout."
+msgstr "Аргумент г аас үгүй."
+
+#: security/help.pm:127
+#, c-format
+msgid "Timeout unit is second"
+msgstr ""
+
+#: security/help.pm:129
+#, fuzzy, c-format
+msgid "Set the user umask."
+msgstr "Аргумент г."
+
+#: security/l10n.pm:11
+#, fuzzy, c-format
+msgid "Accept bogus IPv4 error messages"
+msgstr "Аргумент г."
+
+#: security/l10n.pm:12
+#, fuzzy, c-format
+msgid "Accept broadcasted icmp echo"
+msgstr ""
+"Аргумент г\n"
+" Зөвшөөрөх."
+
+#: security/l10n.pm:13
+#, c-format
+msgid "Accept icmp echo"
+msgstr ""
+
+#: security/l10n.pm:15
+#, c-format
+msgid "/etc/issue* exist"
+msgstr ""
+
+#: security/l10n.pm:16
+#, c-format
+msgid "Reboot by the console user"
+msgstr ""
+
+#: security/l10n.pm:17
+#, fuzzy, c-format
+msgid "Allow remote root login"
+msgstr ""
+"Аргументууд: (арг)\n"
+"\n"
+"Эзний зайн нэвтрэлтийг Зөвшөөр/Хоригло."
+
+#: security/l10n.pm:18
+#, c-format
+msgid "Direct root login"
+msgstr ""
+
+#: security/l10n.pm:19
+#, c-format
+msgid "List users on display managers (kdm and gdm)"
+msgstr ""
+
+#: security/l10n.pm:20
+#, c-format
+msgid "Allow X Window connections"
+msgstr ""
+
+#: security/l10n.pm:21
+#, c-format
+msgid "Authorize TCP connections to X Window"
+msgstr ""
+
+#: security/l10n.pm:22
+#, c-format
+msgid "Authorize all services controlled by tcp_wrappers"
+msgstr ""
+
+#: security/l10n.pm:23
+#, fuzzy, c-format
+msgid "Chkconfig obey msec rules"
+msgstr "Тохируулах"
+
+#: security/l10n.pm:24
+#, c-format
+msgid "Enable \"crontab\" and \"at\" for users"
+msgstr ""
+
+#: security/l10n.pm:25
+#, c-format
+msgid "Syslog reports to console 12"
+msgstr ""
+
+#: security/l10n.pm:26
+#, c-format
+msgid "Name resolution spoofing protection"
+msgstr ""
+
+#: security/l10n.pm:27
+#, fuzzy, c-format
+msgid "Enable IP spoofing protection"
+msgstr "Аргумент Сонордуулга г."
+
+#: security/l10n.pm:28
+#, c-format
+msgid "Enable libsafe if libsafe is found on the system"
+msgstr ""
+
+#: security/l10n.pm:29
+#, fuzzy, c-format
+msgid "Enable the logging of IPv4 strange packets"
+msgstr "Аргумент г аас."
+
+#: security/l10n.pm:30
+#, fuzzy, c-format
+msgid "Enable msec hourly security check"
+msgstr "Аргумент г."
+
+#: security/l10n.pm:31
+#, fuzzy, c-format
+msgid "Enable su only from the wheel group members or for any user"
+msgstr ""
+"Аргумент г\n"
+" аас бүлэг."
+
+#: security/l10n.pm:32
+#, fuzzy, c-format
+msgid "Use password to authenticate users"
+msgstr "Аргумент г хэрэглэгчид."
+
+#: security/l10n.pm:33
+#, fuzzy, c-format
+msgid "Ethernet cards promiscuity check"
+msgstr ""
+"Аргумент: (arg)\n"
+"\n"
+"итернэт карт шалгалт идэвхижүүлэх/болих."
+
+#: security/l10n.pm:34
+#, c-format
+msgid "Daily security check"
+msgstr ""
+
+#: security/l10n.pm:35
+#, fuzzy, c-format
+msgid "Sulogin(8) in single user level"
+msgstr ""
+"Аргумент г\n"
+" Нээх ямх."
+
+#: security/l10n.pm:36
+#, fuzzy, c-format
+msgid "No password aging for"
+msgstr "Нууц үг байхгүй"
+
+#: security/l10n.pm:37
+#, c-format
+msgid "Set password expiration and account inactivation delays"
+msgstr ""
+
+#: security/l10n.pm:38
+#, fuzzy, c-format
+msgid "Password history length"
+msgstr "бол"
+
+#: security/l10n.pm:39
+#, c-format
+msgid "Password minimum length and number of digits and upcase letters"
+msgstr ""
+
+#: security/l10n.pm:40
+#, fuzzy, c-format
+msgid "Root umask"
+msgstr "Эзэн"
+
+#: security/l10n.pm:41
+#, c-format
+msgid "Shell history size"
+msgstr ""
+
+#: security/l10n.pm:42
+#, c-format
+msgid "Shell timeout"
+msgstr ""
+
+#: security/l10n.pm:43
+#, fuzzy, c-format
+msgid "User umask"
+msgstr "Хэрэглэгчид"
+
+#: security/l10n.pm:44
+#, fuzzy, c-format
+msgid "Check open ports"
+msgstr "Нээх"
+
+#: security/l10n.pm:45
+#, c-format
+msgid "Check for unsecured accounts"
+msgstr ""
+
+#: security/l10n.pm:46
+#, fuzzy, c-format
+msgid "Check permissions of files in the users' home"
+msgstr "Тийм эрх аас ямх хэрэглэгчид."
+
+#: security/l10n.pm:47
+#, fuzzy, c-format
+msgid "Check if the network devices are in promiscuous mode"
+msgstr "Тийм ямх горим."
+
+#: security/l10n.pm:48
+#, fuzzy, c-format
+msgid "Run the daily security checks"
+msgstr "Тийм өдөр тутам."
+
+#: security/l10n.pm:49
+#, fuzzy, c-format
+msgid "Check additions/removals of sgid files"
+msgstr "Тийм аас."
+
+#: security/l10n.pm:50
+#, fuzzy, c-format
+msgid "Check empty password in /etc/shadow"
+msgstr "Тийм ямх."
+
+#: security/l10n.pm:51
+#, fuzzy, c-format
+msgid "Verify checksum of the suid/sgid files"
+msgstr "Тийм аас."
+
+#: security/l10n.pm:52
+#, fuzzy, c-format
+msgid "Check additions/removals of suid root files"
+msgstr "Тийм аас."
+
+#: security/l10n.pm:53
+#, fuzzy, c-format
+msgid "Report unowned files"
+msgstr "Тийм."
+
+#: security/l10n.pm:54
+#, fuzzy, c-format
+msgid "Check files/directories writable by everybody"
+msgstr "Тийм."
+
+#: security/l10n.pm:55
+#, fuzzy, c-format
+msgid "Run chkrootkit checks"
+msgstr "Тийм."
+
+#: security/l10n.pm:56
+#, c-format
+msgid "Do not send mails when unneeded"
+msgstr ""
+
+#: security/l10n.pm:57
+#, c-format
+msgid "If set, send the mail report to this email address else send it to root"
+msgstr ""
+
+#: security/l10n.pm:58
+#, fuzzy, c-format
+msgid "Report check result by mail"
+msgstr "хэрэв тийм гэвэл тайлангийн үр дүн и-мэйлээр шалгагдах болно."
+
+#: security/l10n.pm:59
+#, fuzzy, c-format
+msgid "Run some checks against the rpm database"
+msgstr "Тийм."
+
+#: security/l10n.pm:60
+#, fuzzy, c-format
+msgid "Report check result to syslog"
+msgstr "Тийм."
+
+#: security/l10n.pm:61
+#, fuzzy, c-format
+msgid "Reports check result to tty"
+msgstr "Тийм."
+
+#: security/level.pm:10
+#, fuzzy, c-format
+msgid "Welcome To Crackers"
+msgstr "Тавтай морил тийш"
+
+#: security/level.pm:11
+#, c-format
+msgid "Poor"
+msgstr ""
+
+#: security/level.pm:13
+#, fuzzy, c-format
+msgid "High"
+msgstr "Бүрэн цэнэглэгдсэн"
+
+#: security/level.pm:14
+#, c-format
+msgid "Higher"
+msgstr ""
+
+#: security/level.pm:15
+#, c-format
+msgid "Paranoid"
+msgstr ""
+
+#: security/level.pm:41
+#, c-format
+msgid ""
+"This level is to be used with care. It makes your system more easy to use,\n"
+"but very sensitive. It must not be used for a machine connected to others\n"
+"or to the Internet. There is no password access."
+msgstr ""
+
+#: security/level.pm:44
+#, c-format
+msgid ""
+"Passwords are now enabled, but use as a networked computer is still not "
+"recommended."
+msgstr ""
+"Нууц үгс одоо боломжтой болсон, гэвч сүлжээний тооцоолуураар хэрэглэхийг "
+"зөвлөмөөргүй байна."
+
+#: security/level.pm:45
+#, fuzzy, c-format
+msgid ""
+"This is the standard security recommended for a computer that will be used "
+"to connect to the Internet as a client."
+msgstr "бол Интернэт."
+
+#: security/level.pm:46
+#, c-format
+msgid ""
+"There are already some restrictions, and more automatic checks are run every "
+"night."
+msgstr ""
+
+#: security/level.pm:47
+#, c-format
+msgid ""
+"With this security level, the use of this system as a server becomes "
+"possible.\n"
+"The security is now high enough to use the system as a server which can "
+"accept\n"
+"connections from many clients. Note: if your machine is only a client on the "
+"Internet, you should choose a lower level."
+msgstr ""
+
+#: security/level.pm:50
+#, fuzzy, c-format
+msgid ""
+"This is similar to the previous level, but the system is entirely closed and "
+"security features are at their maximum."
+msgstr "бол бол."
+
+#: security/level.pm:55
+#, fuzzy, c-format
+msgid "DrakSec Basic Options"
+msgstr "Үндсэн"
+
+#: security/level.pm:56
+#, c-format
+msgid "Please choose the desired security level"
+msgstr ""
+
+#: security/level.pm:60
+#, fuzzy, c-format
+msgid "Security level"
+msgstr "Хамгаалалт"
+
+#: security/level.pm:62
+#, c-format
+msgid "Use libsafe for servers"
+msgstr ""
+
+#: security/level.pm:63
+#, c-format
+msgid ""
+"A library which defends against buffer overflow and format string attacks."
+msgstr ""
+
+#: security/level.pm:64
+#, c-format
+msgid "Security Administrator (login or email)"
+msgstr "Нууцлалын Удирдлага (бүртгэл эсвэл и-мэйл)"
+
+#: services.pm:19
+#, c-format
+msgid "Launch the ALSA (Advanced Linux Sound Architecture) sound system"
+msgstr ""
+"ЛДДА (Линуксын Дэлгэрэнгүй Дууны Архитектури) дууны системийг ажиллуулах"
+
+#: services.pm:20
+#, fuzzy, c-format
+msgid "Anacron is a periodic command scheduler."
+msgstr "бол."
+
+#: services.pm:21
+#, c-format
+msgid ""
+"apmd is used for monitoring battery status and logging it via syslog.\n"
+"It can also be used for shutting down the machine when the battery is low."
+msgstr ""
+"apmd нь цэнэгийн байдлыг хянахад хэрэглэгддэг ба syslog руу бүртгэдэг.\n"
+"Энэ нь мөн цэнэг бага болох үед машиныг унтрааж чадна."
+
+#: services.pm:23
+#, fuzzy, c-format
+msgid ""
+"Runs commands scheduled by the at command at the time specified when\n"
+"at was run, and runs batch commands when the load average is low enough."
+msgstr "ачаалах бол."
+
+#: services.pm:25
+#, fuzzy, c-format
+msgid ""
+"cron is a standard UNIX program that runs user-specified programs\n"
+"at periodic scheduled times. vixie cron adds a number of features to the "
+"basic\n"
+"UNIX cron, including better security and more powerful configuration options."
+msgstr "бол Программ аас."
+
+#: services.pm:28
+#, c-format
+msgid ""
+"FAM is a file monitoring daemon. It is used to get reports when files "
+"change.\n"
+"It is used by GNOME and KDE"
+msgstr ""
+
+#: services.pm:30
+#, c-format
+msgid ""
+"GPM adds mouse support to text-based Linux applications such the\n"
+"Midnight Commander. It also allows mouse-based console cut-and-paste "
+"operations,\n"
+"and includes support for pop-up menus on the console."
+msgstr ""
+
+#: services.pm:33
+#, fuzzy, c-format
+msgid ""
+"HardDrake runs a hardware probe, and optionally configures\n"
+"new/changed hardware."
+msgstr "HardDrake."
+
+#: services.pm:35
+#, fuzzy, c-format
+msgid ""
+"Apache is a World Wide Web server. It is used to serve HTML files and CGI."
+msgstr "бол Вэб бол."
+
+#: services.pm:36
+#, fuzzy, c-format
+msgid ""
+"The internet superserver daemon (commonly called inetd) starts a\n"
+"variety of other internet services as needed. It is responsible for "
+"starting\n"
+"many services, including telnet, ftp, rsh, and rlogin. Disabling inetd "
+"disables\n"
+"all of the services it is responsible for."
+msgstr "аас бусад бол аас бол."
+
+#: services.pm:40
+#, c-format
+msgid ""
+"Launch packet filtering for Linux kernel 2.2 series, to set\n"
+"up a firewall to protect your machine from network attacks."
+msgstr ""
+
+#: services.pm:42
+#, fuzzy, c-format
+msgid ""
+"This package loads the selected keyboard map as set in\n"
+"/etc/sysconfig/keyboard. This can be selected using the kbdconfig utility.\n"
+"You should leave this enabled for most machines."
+msgstr "ямх г."
+
+#: services.pm:45
+#, c-format
+msgid ""
+"Automatic regeneration of kernel header in /boot for\n"
+"/usr/include/linux/{autoconf,version}.h"
+msgstr ""
+"/boot дэх цөмийн толгойн автомат дахин үүсгэлт,\n"
+"/usr/include/linux/{autoconf,version}.h"
+
+#: services.pm:47
+#, fuzzy, c-format
+msgid "Automatic detection and configuration of hardware at boot."
+msgstr "Автоматаар аас."
+
+#: services.pm:48
+#, c-format
+msgid ""
+"Linuxconf will sometimes arrange to perform various tasks\n"
+"at boot-time to maintain the system configuration."
+msgstr ""
+
+#: services.pm:50
+#, fuzzy, c-format
+msgid ""
+"lpd is the print daemon required for lpr to work properly. It is\n"
+"basically a server that arbitrates print jobs to printer(s)."
+msgstr "бол lpr бол с."
+
+#: services.pm:52
+#, fuzzy, c-format
+msgid ""
+"Linux Virtual Server, used to build a high-performance and highly\n"
+"available server."
+msgstr "Виртуал Сервер."
+
+#: services.pm:54
+#, fuzzy, c-format
+msgid ""
+"named (BIND) is a Domain Name Server (DNS) that is used to resolve host "
+"names to IP addresses."
+msgstr "бол Домэйн Нэр Сервер бол."
+
+#: services.pm:55
+#, c-format
+msgid ""
+"Mounts and unmounts all Network File System (NFS), SMB (Lan\n"
+"Manager/Windows), and NCP (NetWare) mount points."
+msgstr ""
+
+#: services.pm:57
+#, c-format
+msgid ""
+"Activates/Deactivates all network interfaces configured to start\n"
+"at boot time."
+msgstr ""
+
+#: services.pm:59
+#, fuzzy, c-format
+msgid ""
+"NFS is a popular protocol for file sharing across TCP/IP networks.\n"
+"This service provides NFS server functionality, which is configured via the\n"
+"/etc/exports file."
+msgstr "бол бол г."
+
+#: services.pm:62
+#, fuzzy, c-format
+msgid ""
+"NFS is a popular protocol for file sharing across TCP/IP\n"
+"networks. This service provides NFS file locking functionality."
+msgstr "бол."
+
+#: services.pm:64
+#, c-format
+msgid ""
+"Automatically switch on numlock key locker under console\n"
+"and XFree at boot."
+msgstr ""
+
+#: services.pm:66
+#, c-format
+msgid "Support the OKI 4w and compatible winprinters."
+msgstr ""
+
+#: services.pm:67
+#, fuzzy, c-format
+msgid ""
+"PCMCIA support is usually to support things like ethernet and\n"
+"modems in laptops. It won't get started unless configured so it is safe to "
+"have\n"
+"it installed on machines that don't need it."
+msgstr "PCMCIA бол ямх бол."
+
+#: services.pm:70
+#, fuzzy, c-format
+msgid ""
+"The portmapper manages RPC connections, which are used by\n"
+"protocols such as NFS and NIS. The portmap server must be running on "
+"machines\n"
+"which act as servers for protocols which make use of the RPC mechanism."
+msgstr "аас."
+
+#: services.pm:73
+#, fuzzy, c-format
+msgid ""
+"Postfix is a Mail Transport Agent, which is the program that moves mail from "
+"one machine to another."
+msgstr "бол Мэйл Төлөөлөгч бол Программ."
+
+#: services.pm:74
+#, c-format
+msgid ""
+"Saves and restores system entropy pool for higher quality random\n"
+"number generation."
+msgstr ""
+
+#: services.pm:76
+#, fuzzy, c-format
+msgid ""
+"Assign raw devices to block devices (such as hard drive\n"
+"partitions), for the use of applications such as Oracle or DVD players"
+msgstr "аас"
+
+#: services.pm:78
+#, c-format
+msgid ""
+"The routed daemon allows for automatic IP router table updated via\n"
+"the RIP protocol. While RIP is widely used on small networks, more complex\n"
+"routing protocols are needed for complex networks."
+msgstr ""
+
+#: services.pm:81
+#, fuzzy, c-format
+msgid ""
+"The rstat protocol allows users on a network to retrieve\n"
+"performance metrics for any machine on that network."
+msgstr "хэрэглэгчид."
+
+#: services.pm:83
+#, fuzzy, c-format
+msgid ""
+"The rusers protocol allows users on a network to identify who is\n"
+"logged in on other responding machines."
+msgstr "хэрэглэгчид бол ямх бусад."
+
+#: services.pm:85
+#, fuzzy, c-format
+msgid ""
+"The rwho protocol lets remote users get a list of all of the users\n"
+"logged into a machine running the rwho daemon (similiar to finger)."
+msgstr "хэрэглэгчид жигсаалт аас аас хэрэглэгчид."
+
+#: services.pm:87
+#, fuzzy, c-format
+msgid "Launch the sound system on your machine"
+msgstr "Нээх"
+
+#: services.pm:88
+#, fuzzy, c-format
+msgid ""
+"Syslog is the facility by which many daemons use to log messages\n"
+"to various system log files. It is a good idea to always run syslog."
+msgstr "бол log log бол."
+
+#: services.pm:90
+#, fuzzy, c-format
+msgid "Load the drivers for your usb devices."
+msgstr "Ачаалах."
+
+#: services.pm:91
+#, c-format
+msgid "Starts the X Font Server (this is mandatory for XFree to run)."
+msgstr "X Бичгийн Серверийг эхлүүлэх (энэ нь XFree-г ажиллуулахад чухал)."
+
+#: services.pm:117 services.pm:159
+#, fuzzy, c-format
+msgid "Choose which services should be automatically started at boot time"
+msgstr "Сонгох"
+
+#: services.pm:129
+#, fuzzy, c-format
+msgid "Printing"
+msgstr "Хэвлэх"
+
+#: services.pm:130
+#, c-format
+msgid "Internet"
+msgstr "Интернэт"
+
+#: services.pm:133
+#, fuzzy, c-format
+msgid "File sharing"
+msgstr "Файл"
+
+#: services.pm:140
+#, fuzzy, c-format
+msgid "Remote Administration"
+msgstr "Дээд"
+
+#: services.pm:148
+#, c-format
+msgid "Database Server"
+msgstr "Өгөгдлийн баазын сервер"
+
+#: services.pm:211
+#, c-format
+msgid "running"
+msgstr ""
+
+#: services.pm:211
+#, c-format
+msgid "stopped"
+msgstr ""
+
+#: services.pm:215
+#, c-format
+msgid "Services and deamons"
+msgstr ""
+
+#: services.pm:221
+#, fuzzy, c-format
+msgid ""
+"No additional information\n"
+"about this service, sorry."
+msgstr "Үгүй."
+
+#: services.pm:226 ugtk2.pm:1139
+#, fuzzy, c-format
+msgid "Info"
+msgstr "Upplýsingar"
+
+#: services.pm:229
+#, c-format
+msgid "Start when requested"
+msgstr ""
+
+#: services.pm:229
+#, fuzzy, c-format
+msgid "On boot"
+msgstr "Идэвхитэй"
+
+#: services.pm:244
+#, c-format
+msgid "Start"
+msgstr "Эхлэх"
+
+#: services.pm:244
+#, c-format
+msgid "Stop"
+msgstr "Зогсоох"
+
+#: share/advertising/dis-01.pl:13 share/advertising/dwd-01.pl:13
+#: share/advertising/ppp-01.pl:13 share/advertising/pwp-01.pl:13
+#, fuzzy, c-format
+msgid "<b>Congratulations for choosing Mandrake Linux!</b>"
+msgstr "вы"
+
+#: share/advertising/dis-01.pl:15 share/advertising/dwd-01.pl:15
+#: share/advertising/ppp-01.pl:15 share/advertising/pwp-01.pl:15
+#, fuzzy, c-format
+msgid "Welcome to the Open Source world!"
+msgstr "Тавтай морил Нээх."
+
+#: share/advertising/dis-01.pl:17
+#, c-format
+msgid ""
+"Your new Mandrake Linux operating system and its many applications is the "
+"result of collaborative efforts between MandrakeSoft developers and Mandrake "
+"Linux contributors throughout the world."
+msgstr ""
+
+#: share/advertising/dis-01.pl:19 share/advertising/dwd-01.pl:19
+#: share/advertising/ppp-01.pl:19
+#, c-format
+msgid ""
+"We would like to thank everyone who participated in the development of this "
+"latest release."
+msgstr ""
+
+#: share/advertising/dis-02.pl:13
+#, fuzzy, c-format
+msgid "<b>Discovery</b>"
+msgstr "Драйвер"
+
+#: share/advertising/dis-02.pl:15
+#, c-format
+msgid ""
+"Discovery is the easiest and most user-friendly Linux distribution. It "
+"includes a hand-picked selection of premium software for Office, Multimedia "
+"and Internet activities."
+msgstr ""
+
+#: share/advertising/dis-02.pl:17
+#, c-format
+msgid "The menu is task-oriented, with a single selected application per task."
+msgstr ""
+
+#: share/advertising/dis-03.pl:13
+#, c-format
+msgid "<b>The KDE Choice</b>"
+msgstr ""
+
+#: share/advertising/dis-03.pl:15
+#, c-format
+msgid ""
+"The powerful Open Source graphical desktop environment KDE is the desktop of "
+"choice for the Discovery Pack."
+msgstr ""
+
+#: share/advertising/dis-04.pl:13
+#, c-format
+msgid "<b>OpenOffice.org</b>: The complete Linux office suite."
+msgstr ""
+
+#: share/advertising/dis-04.pl:15
+#, c-format
+msgid ""
+"<b>WRITER</b> is a powerful word processor for creating all types of text "
+"documents. Documents may include images, diagrams and tables."
+msgstr ""
+
+#: share/advertising/dis-04.pl:16
+#, c-format
+msgid ""
+"<b>CALC</b> is a feature-packed spreadsheet which enables you to compute, "
+"analyze and manage all of your data."
+msgstr ""
+
+#: share/advertising/dis-04.pl:17
+#, c-format
+msgid ""
+"<b>IMPRESS</b> is the fastest, most powerful way to create effective "
+"multimedia presentations."
+msgstr ""
+
+#: share/advertising/dis-04.pl:18
+#, c-format
+msgid ""
+"<b>DRAW</b> will produce everything from simple diagrams to dynamic 3D "
+"illustrations."
+msgstr ""
+
+#: share/advertising/dis-05.pl:13 share/advertising/dis-06.pl:13
+#, fuzzy, c-format
+msgid "<b>Surf The Internet</b>"
+msgstr "Интернэт"
+
+#: share/advertising/dis-05.pl:15
+#, c-format
+msgid "Discover the new integrated personal information suite KDE Kontact."
+msgstr ""
+
+#: share/advertising/dis-05.pl:17
+#, c-format
+msgid ""
+"More than just a full-featured email client, <b>Kontact</b> also includes an "
+"address book, a calendar and scheduling program, plus a tool for taking "
+"notes!"
+msgstr ""
+
+#: share/advertising/dis-06.pl:15
+#, c-format
+msgid "You can also:"
+msgstr ""
+
+#: share/advertising/dis-06.pl:16
+#, c-format
+msgid "\t- browse the Web"
+msgstr ""
+
+#: share/advertising/dis-06.pl:17
+#, c-format
+msgid "\t- chat"
+msgstr ""
+
+#: share/advertising/dis-06.pl:18
+#, c-format
+msgid "\t- organize a video-conference"
+msgstr ""
+
+#: share/advertising/dis-06.pl:19
+#, c-format
+msgid "\t- create your own Web site"
+msgstr ""
+
+#: share/advertising/dis-06.pl:20
+#, c-format
+msgid "\t- ..."
+msgstr ""
+
+#: share/advertising/dis-07.pl:13
+#, c-format
+msgid "<b>Multimedia</b>: Software for every need!"
+msgstr ""
+
+#: share/advertising/dis-07.pl:15
+#, c-format
+msgid "Listen to audio CDs with <b>KsCD</b>."
+msgstr ""
+
+#: share/advertising/dis-07.pl:17
+#, c-format
+msgid "Listen to music files and watch videos with <b>Totem</b>."
+msgstr ""
+
+#: share/advertising/dis-07.pl:19
+#, c-format
+msgid "View and edit images and photos with <b>GQview</b> and <b>The Gimp!</b>"
+msgstr ""
+
+#: share/advertising/dis-08.pl:13 share/advertising/ppp-08.pl:13
+#: share/advertising/pwp-07.pl:13
+#, fuzzy, c-format
+msgid "<b>Mandrake Control Center</b>"
+msgstr "Мандрак удирдлагын төв"
+
+#: share/advertising/dis-08.pl:15 share/advertising/ppp-08.pl:15
+#: share/advertising/pwp-07.pl:15
+#, c-format
+msgid ""
+"The Mandrake Control Center is an essential collection of Mandrake-specific "
+"utilities for simplifying the configuration of your computer."
+msgstr ""
+
+#: share/advertising/dis-08.pl:17 share/advertising/ppp-08.pl:17
+#: share/advertising/pwp-07.pl:17
+#, c-format
+msgid ""
+"You will immediately appreciate this collection of handy utilities for "
+"easily configuring hardware devices, defining mount points, setting up "
+"Network and Internet, adjusting the security level of your computer, and "
+"just about everything related to the system."
+msgstr ""
+
+#: share/advertising/dis-09.pl:13 share/advertising/dwd-06.pl:13
+#: share/advertising/ppp-09.pl:13 share/advertising/pwp-08.pl:13
+#, fuzzy, c-format
+msgid "<b>MandrakeStore</b>"
+msgstr "Мандрак удирдлагын төв"
+
+#: share/advertising/dis-09.pl:15 share/advertising/ppp-09.pl:15
+#: share/advertising/pwp-08.pl:15
+#, c-format
+msgid ""
+"Find all MandrakeSoft products and services at <b>MandrakeStore</b> -- our "
+"full service e-commerce platform."
+msgstr ""
+
+#: share/advertising/dis-09.pl:17 share/advertising/dwd-06.pl:19
+#: share/advertising/ppp-09.pl:17 share/advertising/pwp-08.pl:17
+#, c-format
+msgid "Stop by today at <b>www.mandrakestore.com</b>"
+msgstr ""
+
+#: share/advertising/dis-10.pl:13 share/advertising/ppp-10.pl:13
+#: share/advertising/pwp-09.pl:13
+#, c-format
+msgid "Become a <b>MandrakeClub</b> member!"
+msgstr ""
+
+#: share/advertising/dis-10.pl:15 share/advertising/ppp-10.pl:15
+#: share/advertising/pwp-09.pl:15
+#, c-format
+msgid ""
+"Take advantage of valuable benefits, products and services by joining "
+"MandrakeClub, such as:"
+msgstr ""
+
+#: share/advertising/dis-10.pl:16 share/advertising/dwd-07.pl:16
+#: share/advertising/ppp-10.pl:17 share/advertising/pwp-09.pl:16
+#, c-format
+msgid "\t- Full access to commercial applications"
+msgstr ""
+
+#: share/advertising/dis-10.pl:17 share/advertising/dwd-07.pl:17
+#: share/advertising/ppp-10.pl:18 share/advertising/pwp-09.pl:17
+#, c-format
+msgid "\t- Special download mirror list exclusively for MandrakeClub Members"
+msgstr ""
+
+#: share/advertising/dis-10.pl:18 share/advertising/dwd-07.pl:18
+#: share/advertising/ppp-10.pl:19 share/advertising/pwp-09.pl:18
+#, fuzzy, c-format
+msgid "\t- Voting for software to put in Mandrake Linux"
+msgstr "вы"
+
+#: share/advertising/dis-10.pl:19 share/advertising/dwd-07.pl:19
+#: share/advertising/ppp-10.pl:20 share/advertising/pwp-09.pl:19
+#, c-format
+msgid "\t- Special discounts for products and services at MandrakeStore"
+msgstr ""
+
+#: share/advertising/dis-10.pl:20 share/advertising/dwd-07.pl:20
+#: share/advertising/ppp-04.pl:21 share/advertising/ppp-06.pl:19
+#: share/advertising/ppp-10.pl:21 share/advertising/pwp-04.pl:21
+#: share/advertising/pwp-09.pl:20
+#, c-format
+msgid "\t- Plus much more"
+msgstr ""
+
+#: share/advertising/dis-10.pl:22 share/advertising/dwd-07.pl:22
+#: share/advertising/ppp-10.pl:23 share/advertising/pwp-09.pl:22
+#, c-format
+msgid "For more information, please visit <b>www.mandrakeclub.com</b>"
+msgstr ""
+
+#: share/advertising/dis-11.pl:13
+#, fuzzy, c-format
+msgid "Do you require assistance?"
+msgstr "Та ямар нэгэн %s гэсэн харагдалттай юу?"
+
+#: share/advertising/dis-11.pl:15 share/advertising/dwd-08.pl:16
+#: share/advertising/ppp-11.pl:15 share/advertising/pwp-10.pl:15
+#, c-format
+msgid "<b>MandrakeExpert</b> is the primary source for technical support."
+msgstr ""
+
+#: share/advertising/dis-11.pl:17 share/advertising/dwd-08.pl:18
+#: share/advertising/ppp-11.pl:17 share/advertising/pwp-10.pl:17
+#, c-format
+msgid ""
+"If you have Linux questions, subscribe to MandrakeExpert at <b>www."
+"mandrakeexpert.com</b>"
+msgstr ""
+
+#: share/advertising/dwd-01.pl:17
+#, c-format
+msgid ""
+"Mandrake Linux is committed to the Open Source Model and fully respects the "
+"General Public License. This new release is the result of collaboration "
+"between MandrakeSoft's team of developers and the worldwide community of "
+"Mandrake Linux contributors."
+msgstr ""
+
+#: share/advertising/dwd-02.pl:13
+#, c-format
+msgid "<b>Join the Mandrake Linux community!</b>"
+msgstr ""
+
+#: share/advertising/dwd-02.pl:15
+#, c-format
+msgid ""
+"If you would like to get involved, please subscribe to the \"Cooker\" "
+"mailing list by visiting <b>mandrake-linux.com/cooker</b>"
+msgstr ""
+
+#: share/advertising/dwd-02.pl:17
+#, c-format
+msgid ""
+"To learn more about our dynamic community, please visit <b>www.mandrake-"
+"linux.com</b>!"
+msgstr ""
+
+#: share/advertising/dwd-03.pl:13
+#, c-format
+msgid "<b>What is Mandrake Linux?</b>"
+msgstr ""
+
+#: share/advertising/dwd-03.pl:15
+#, c-format
+msgid ""
+"Mandrake Linux is an Open Source distribution created with thousands of the "
+"choicest applications from the Free Software world. Mandrake Linux is one of "
+"the most widely used Linux distributions worldwide!"
+msgstr ""
+
+#: share/advertising/dwd-03.pl:17
+#, c-format
+msgid ""
+"Mandrake Linux includes the famous graphical desktops KDE and GNOME, plus "
+"the latest versions of the most popular Open Source applications."
+msgstr ""
+
+#: share/advertising/dwd-04.pl:13
+#, c-format
+msgid ""
+"Mandrake Linux is widely known as the most user-friendly and the easiest to "
+"install and easy to use Linux distribution."
+msgstr ""
+
+#: share/advertising/dwd-04.pl:15
+#, c-format
+msgid "Find out about our <b>Personal Solutions</b>:"
+msgstr ""
+
+#: share/advertising/dwd-04.pl:16
+#, c-format
+msgid "\t- Find out Mandrake Linux on a bootable CD with <b>MandrakeMove</b>"
+msgstr ""
+
+#: share/advertising/dwd-04.pl:17
+#, c-format
+msgid ""
+"\t- If you use Linux mostly for Office, Internet and Multimedia tasks, "
+"<b>Discovery</b> perfectly meets your needs"
+msgstr ""
+
+#: share/advertising/dwd-04.pl:18
+#, c-format
+msgid ""
+"\t- If you appreciate the largest selection of software including powerful "
+"development tools, <b>PowerPack</b> is for you"
+msgstr ""
+
+#: share/advertising/dwd-04.pl:19
+#, c-format
+msgid ""
+"\t- If you require a full-featured Linux solution customized for small to "
+"medium-sized networks, choose <b>PowerPack+</b>"
+msgstr ""
+
+#: share/advertising/dwd-05.pl:13
+#, c-format
+msgid "Find out also our <b>Business Solutions</b>!"
+msgstr ""
+
+#: share/advertising/dwd-05.pl:15
+#, c-format
+msgid ""
+"<b>Corporate Server</b>: the ideal solution for entreprises. It is a "
+"complete \"all-in-one\" solution that includes everything needed to rapidly "
+"deploy world-class Linux server applications."
+msgstr ""
+
+#: share/advertising/dwd-05.pl:17
+#, c-format
+msgid ""
+"<b>Multi Network Firewall</b>: based on Linux 2.4 \"kernel secure\" to "
+"provide multi-VPN as well as multi-DMZ functionalities. It is the perfect "
+"high performance security solution."
+msgstr ""
+
+#: share/advertising/dwd-05.pl:19
+#, c-format
+msgid ""
+"<b>MandrakeClustering</b>: the power and speed of a Linux cluster combined "
+"with the stability and easy-of-use of the world-famous Mandrake Linux "
+"distribution. A unique blend for incomparable HPC performance."
+msgstr ""
+
+#: share/advertising/dwd-06.pl:15
+#, c-format
+msgid ""
+"Find all MandrakeSoft products at <b>MandrakeStore</b> -- our full service e-"
+"commerce platform."
+msgstr ""
+
+#: share/advertising/dwd-06.pl:17
+#, c-format
+msgid ""
+"Find out also support incidents if you have any problems, from standard to "
+"professional support, from 1 to 50 incidents, take the one which meets "
+"perfectly your needs!"
+msgstr ""
+
+#: share/advertising/dwd-07.pl:13
+#, c-format
+msgid "<b>Become a MandrakeClub member!</b>"
+msgstr ""
+
+#: share/advertising/dwd-07.pl:15
+#, c-format
+msgid ""
+"Take advantage of valuable benefits, products and services by joining "
+"Mandrake Club, such as:"
+msgstr ""
+
+#: share/advertising/dwd-08.pl:14 share/advertising/ppp-11.pl:13
+#: share/advertising/pwp-10.pl:13
+#, fuzzy, c-format
+msgid "<b>Do you require assistance?</b>"
+msgstr "Та ямар нэгэн %s гэсэн харагдалттай юу?"
+
+#: share/advertising/dwd-09.pl:16
+#, c-format
+msgid "<b>Note</b>"
+msgstr ""
+
+#: share/advertising/dwd-09.pl:18
+#, c-format
+msgid "This is the Mandrake Linux <b>Download version</b>."
+msgstr ""
+
+#: share/advertising/dwd-09.pl:20
+#, c-format
+msgid ""
+"The free download version does not include commercial software, and "
+"therefore may not work with certain modems (such as some ADSL and RTC) and "
+"video cards (such as ATI® and NVIDIA®)."
+msgstr ""
+
+#: share/advertising/ppp-01.pl:17
+#, c-format
+msgid ""
+"Your new Mandrake Linux distribution and its many applications are the "
+"result of collaborative efforts between MandrakeSoft developers and Mandrake "
+"Linux contributors throughout the world."
+msgstr ""
+
+#: share/advertising/ppp-02.pl:13
+#, c-format
+msgid "<b>PowerPack+</b>"
+msgstr ""
+
+#: share/advertising/ppp-02.pl:15
+#, c-format
+msgid ""
+"PowerPack+ is a full-featured Linux solution for small to medium-sized "
+"networks. PowerPack+ increases the value of the standard PowerPack by adding "
+"a comprehensive selection of world-class server applications."
+msgstr ""
+
+#: share/advertising/ppp-02.pl:17
+#, c-format
+msgid ""
+"It is the only Mandrake Linux product that includes the groupware solution."
+msgstr ""
+
+#: share/advertising/ppp-03.pl:13 share/advertising/pwp-03.pl:13
+#, fuzzy, c-format
+msgid "<b>Choose your graphical Desktop environment!</b>"
+msgstr "Сонгох"
+
+#: share/advertising/ppp-03.pl:15 share/advertising/pwp-03.pl:15
+#, c-format
+msgid ""
+"When you log into your Mandrake Linux system for the first time, you can "
+"choose between several popular graphical desktops environments, including: "
+"KDE, GNOME, WindowMaker, IceWM, and others."
+msgstr ""
+
+#: share/advertising/ppp-04.pl:13
+#, c-format
+msgid ""
+"In the Mandrake Linux menu you will find easy-to-use applications for all "
+"tasks:"
+msgstr ""
+
+#: share/advertising/ppp-04.pl:15 share/advertising/pwp-04.pl:15
+#, c-format
+msgid "\t- Create, edit and share office documents with <b>OpenOffice.org</b>"
+msgstr ""
+
+#: share/advertising/ppp-04.pl:16
+#, c-format
+msgid ""
+"\t- Take charge of your personal data with the integrated personal "
+"information suites: <b>Kontact</b> and <b>Evolution</b>"
+msgstr ""
+
+#: share/advertising/ppp-04.pl:17
+#, c-format
+msgid "\t- Browse the Web with <b>Mozilla and Konqueror</b>"
+msgstr ""
+
+#: share/advertising/ppp-04.pl:18 share/advertising/pwp-04.pl:18
+#, c-format
+msgid "\t- Participate in online chat with <b>Kopete</b>"
+msgstr ""
+
+#: share/advertising/ppp-04.pl:19
+#, c-format
+msgid ""
+"\t- Listen to audio CDs and music files with <b>KsCD</b> and <b>Totem</b>"
+msgstr ""
+
+#: share/advertising/ppp-04.pl:20 share/advertising/pwp-04.pl:20
+#, c-format
+msgid "\t- Edit images and photos with <b>The Gimp</b>"
+msgstr ""
+
+#: share/advertising/ppp-05.pl:13
+#, c-format
+msgid ""
+"PowerPack+ includes everything needed for developing and creating your own "
+"software, including:"
+msgstr ""
+
+#: share/advertising/ppp-05.pl:15 share/advertising/pwp-05.pl:16
+#, c-format
+msgid ""
+"\t- <b>Kdevelop</b>: a full featured, easy to use Integrated Development "
+"Environment for C++ programming"
+msgstr ""
+
+#: share/advertising/ppp-05.pl:16 share/advertising/pwp-05.pl:17
+#, c-format
+msgid "\t- <b>GCC</b>: the GNU Compiler Collection"
+msgstr ""
+
+#: share/advertising/ppp-05.pl:17 share/advertising/pwp-05.pl:18
+#, c-format
+msgid "\t- <b>GDB</b>: the GNU Project debugger"
+msgstr ""
+
+#: share/advertising/ppp-05.pl:18 share/advertising/pwp-06.pl:16
+#, c-format
+msgid "\t- <b>Emacs</b>: a customizable and real time display editor"
+msgstr ""
+
+#: share/advertising/ppp-05.pl:19
+#, c-format
+msgid ""
+"\t- <b>Xemacs</b>: open source text editor and application development system"
+msgstr ""
+
+#: share/advertising/ppp-05.pl:20
+#, c-format
+msgid ""
+"\t- <b>Vim</b>: advanced text editor with more features than standard Vi"
+msgstr ""
+
+#: share/advertising/ppp-06.pl:13
+#, c-format
+msgid "<b>Discover the full-featured groupware solution!</b>"
+msgstr ""
+
+#: share/advertising/ppp-06.pl:15
+#, c-format
+msgid "It includes both server and client features for:"
+msgstr ""
+
+#: share/advertising/ppp-06.pl:16
+#, c-format
+msgid "\t- Sending and receiving emails"
+msgstr ""
+
+#: share/advertising/ppp-06.pl:17
+#, c-format
+msgid ""
+"\t- Calendar, Task List, Memos, Contacts, Meeting Request (sending and "
+"receiving), Task Requests (sending and receiving)"
+msgstr ""
+
+#: share/advertising/ppp-06.pl:18
+#, c-format
+msgid "\t- Address Book (server and client)"
+msgstr ""
+
+#: share/advertising/ppp-07.pl:13
+#, c-format
+msgid ""
+"Empower your business network with <b>premier server solutions</b> including:"
+msgstr ""
+
+#: share/advertising/ppp-07.pl:15
+#, c-format
+msgid "\t- <b>Samba</b>: File and print services for MS-Windows clients"
+msgstr ""
+
+#: share/advertising/ppp-07.pl:16
+#, fuzzy, c-format
+msgid "\t- <b>Apache</b>: The most widely used Web server"
+msgstr "Вэб"
+
+#: share/advertising/ppp-07.pl:17
+#, c-format
+msgid "\t- <b>MySQL</b>: The world's most popular Open Source database"
+msgstr ""
+
+#: share/advertising/ppp-07.pl:18
+#, c-format
+msgid ""
+"\t- <b>CVS</b>: Concurrent Versions System, the dominant open-source network-"
+"transparent version control system"
+msgstr ""
+
+#: share/advertising/ppp-07.pl:19
+#, c-format
+msgid ""
+"\t- <b>ProFTPD</b>: the highly configurable GPL-licensed FTP server software"
+msgstr ""
+
+#: share/advertising/ppp-07.pl:20
+#, c-format
+msgid "\t- And others"
+msgstr ""
+
+#: share/advertising/pwp-01.pl:17
+#, c-format
+msgid ""
+"Your new Mandrake Linux distribution is the result of collaborative efforts "
+"between MandrakeSoft developers and Mandrake Linux contributors throughout "
+"the world."
+msgstr ""
+
+#: share/advertising/pwp-01.pl:19
+#, c-format
+msgid ""
+"We would like to thank everyone who participated in the development of our "
+"latest release."
+msgstr ""
+
+#: share/advertising/pwp-02.pl:13
+#, c-format
+msgid "<b>PowerPack</b>"
+msgstr ""
+
+#: share/advertising/pwp-02.pl:15
+#, c-format
+msgid ""
+"PowerPack is MandrakeSoft's premier Linux desktop product. In addition to "
+"being the easiest and the most user-friendly Linux distribution, PowerPack "
+"includes thousands of applications - everything from the most popular to the "
+"most technical."
+msgstr ""
+
+#: share/advertising/pwp-04.pl:13
+#, c-format
+msgid ""
+"In the Mandrake Linux menu you will find easy-to-use applications for all of "
+"your tasks:"
+msgstr ""
+
+#: share/advertising/pwp-04.pl:16
+#, c-format
+msgid ""
+"\t- Take charge of your personal data with the integrated personal "
+"information suites <b>Kontact</b> and <b>Evolution</b>"
+msgstr ""
+
+#: share/advertising/pwp-04.pl:17
+#, c-format
+msgid "\t- Browse the Web with <b>Mozilla</b> and <b>Konqueror</b>"
+msgstr ""
+
+#: share/advertising/pwp-04.pl:19
+#, c-format
+msgid "\t- Listen to audio CDs and music files with KsCD and <b>Totem</b>"
+msgstr ""
+
+#: share/advertising/pwp-05.pl:13 share/advertising/pwp-06.pl:13
+#, fuzzy, c-format
+msgid "<b>Development tools</b>"
+msgstr "Хөгжил"
+
+#: share/advertising/pwp-05.pl:15
+#, c-format
+msgid ""
+"PowerPack includes everything needed for developing and creating your own "
+"software, including:"
+msgstr ""
+
+#: share/advertising/pwp-06.pl:15
+#, c-format
+msgid "And of course the editors!"
+msgstr ""
+
+#: share/advertising/pwp-06.pl:17
+#, c-format
+msgid ""
+"\t- <b>Xemacs</b>: another open source text editor and application "
+"development system"
+msgstr ""
+
+#: share/advertising/pwp-06.pl:18
+#, c-format
+msgid ""
+"\t- <b>Vim</b>: an advanced text editor with more features than standard Vi"
+msgstr ""
+
+#: standalone.pm:21
+#, fuzzy, c-format
+msgid ""
+"This program is free software; you can redistribute it and/or modify\n"
+"it under the terms of the GNU General Public License as published by\n"
+"the Free Software Foundation; either version 2, or (at your option)\n"
+"any later version.\n"
+"\n"
+"This program is distributed in the hope that it will be useful,\n"
+"but WITHOUT ANY WARRANTY; without even the implied warranty of\n"
+"MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n"
+"GNU General Public License for more details.\n"
+"\n"
+"You should have received a copy of the GNU General Public License\n"
+"along with this program; if not, write to the Free Software\n"
+"Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.\n"
+msgstr ""
+"Программ бол вы аас Ерөнхий Нийтийн Software г Программ бол ямх аас Ерөнхий "
+"Нийтийн г аас Ерөнхий Нийтийн Программ Software"
+
+#: standalone.pm:40
+#, fuzzy, c-format
+msgid ""
+"[--config-info] [--daemon] [--debug] [--default] [--show-conf]\n"
+"Backup and Restore application\n"
+"\n"
+"--default : save default directories.\n"
+"--debug : show all debug messages.\n"
+"--show-conf : list of files or directories to backup.\n"
+"--config-info : explain configuration file options (for non-X "
+"users).\n"
+"--daemon : use daemon configuration. \n"
+"--help : show this message.\n"
+"--version : show version number.\n"
+msgstr "Сэргээх х.программ г г г г жигсаалт аас г X хэрэглэгчид г г г"
+
+#: standalone.pm:52
+#, c-format
+msgid ""
+"[--boot] [--splash]\n"
+"OPTIONS:\n"
+" --boot - enable to configure boot loader\n"
+" --splash - enable to configure boot theme\n"
+"default mode: offer to configure autologin feature"
+msgstr ""
+
+#: standalone.pm:57
+#, c-format
+msgid ""
+"[OPTIONS] [PROGRAM_NAME]\n"
+"\n"
+"OPTIONS:\n"
+" --help - print this help message.\n"
+" --report - program should be one of mandrake tools\n"
+" --incident - program should be one of mandrake tools"
+msgstr ""
+"[СОНГОЛТУУД] [ПРОГРАМЫН_НЭР]\n"
+"\n"
+"СОНГОЛТУУД:\n"
+" --help - энэ тусламжийн мэдээллийг хэвлэнэ.\n"
+" --report - програм нь мандраке хэрэгсэлүүдийн нэг байх ёстой\n"
+" --incident - програм нь мандраке хэрэгсэлүүдийн нэг байх ёстой"
+
+#: standalone.pm:63
+#, c-format
+msgid ""
+"[--add]\n"
+" --add - \"add a network interface\" wizard\n"
+" --del - \"delete a network interface\" wizard\n"
+" --skip-wizard - manage connections\n"
+" --internet - configure internet\n"
+" --wizard - like --add"
+msgstr ""
+
+#: standalone.pm:69
+#, fuzzy, c-format
+msgid ""
+"\n"
+"Font Importation and monitoring application\n"
+"\n"
+"OPTIONS:\n"
+"--windows_import : import from all available windows partitions.\n"
+"--xls_fonts : show all fonts that already exist from xls\n"
+"--install : accept any font file and any directry.\n"
+"--uninstall : uninstall any font or any directory of font.\n"
+"--replace : replace all font if already exist\n"
+"--application : 0 none application.\n"
+" : 1 all application available supported.\n"
+" : name_of_application like so for staroffice \n"
+" : and gs for ghostscript for only this one."
+msgstr ""
+"Бичиг х.программ г цонх цонх г г аас г г аас г г х.программ байхгүй х."
+"программ\n"
+" х.программ\n"
+" нэр аас х.программ\n"
+"."
+
+#: standalone.pm:84
+#, fuzzy, c-format
+msgid ""
+"[OPTIONS]...\n"
+"Mandrake Terminal Server Configurator\n"
+"--enable : enable MTS\n"
+"--disable : disable MTS\n"
+"--start : start MTS\n"
+"--stop : stop MTS\n"
+"--adduser : add an existing system user to MTS (requires username)\n"
+"--deluser : delete an existing system user from MTS (requires "
+"username)\n"
+"--addclient : add a client machine to MTS (requires MAC address, IP, "
+"nbi image name)\n"
+"--delclient : delete a client machine from MTS (requires MAC address, "
+"IP, nbi image name)"
+msgstr "СОНГОЛТУУД Терминал Сервер г г г г г г г Зураг нэр г Зураг нэр"
+
+#: standalone.pm:96
+#, c-format
+msgid "[keyboard]"
+msgstr "[гар]"
+
+#: standalone.pm:97
+#, fuzzy, c-format
+msgid "[--file=myfile] [--word=myword] [--explain=regexp] [--alert]"
+msgstr "Сонордуулга"
+
+#: standalone.pm:98
+#, fuzzy, c-format
+msgid ""
+"[OPTIONS]\n"
+"Network & Internet connection and monitoring application\n"
+"\n"
+"--defaultintf interface : show this interface by default\n"
+"--connect : connect to internet if not already connected\n"
+"--disconnect : disconnect to internet if already connected\n"
+"--force : used with (dis)connect : force (dis)connection.\n"
+"--status : returns 1 if connected 0 otherwise, then exit.\n"
+"--quiet : don't be interactive. To be used with (dis)connect."
+msgstr "СОНГОЛТУУД Интернэт х.программ г г г г г г г аяархан тийш."
+
+#: standalone.pm:107
+#, c-format
+msgid " [--skiptest] [--cups] [--lprng] [--lpd] [--pdq]"
+msgstr ""
+
+#: standalone.pm:108
+#, fuzzy, c-format
+msgid ""
+"[OPTION]...\n"
+" --no-confirmation don't ask first confirmation question in "
+"MandrakeUpdate mode\n"
+" --no-verify-rpm don't verify packages signatures\n"
+" --changelog-first display changelog before filelist in the "
+"description window\n"
+" --merge-all-rpmnew propose to merge all .rpmnew/.rpmsave files found"
+msgstr ""
+"\n"
+" үгүй ямх горим\n"
+" үгүй\n"
+" ямх Тодорхойлолт Цонх\n"
+
+#: standalone.pm:113
+#, c-format
+msgid ""
+"[--manual] [--device=dev] [--update-sane=sane_source_dir] [--update-"
+"usbtable] [--dynamic=dev]"
+msgstr ""
+"[--manual] [--device=dev] [--update-sane=sane_source_dir] [--update-"
+"usbtable] [--dynamic=dev]"
+
+#: standalone.pm:114
+#, c-format
+msgid ""
+" [everything]\n"
+" XFdrake [--noauto] monitor\n"
+" XFdrake resolution"
+msgstr ""
+
+#: standalone.pm:128
+#, fuzzy, c-format
+msgid ""
+"\n"
+"Usage: %s [--auto] [--beginner] [--expert] [-h|--help] [--noauto] [--"
+"testing] [-v|--version] "
+msgstr "с "
+
+#: standalone/XFdrake:87
+#, c-format
+msgid "Please log out and then use Ctrl-Alt-BackSpace"
+msgstr "Гараад, Ctrl-Alt-BackSpace товчнуудыг дарна уу!"
+
+#: standalone/XFdrake:91
+#, c-format
+msgid "You need to log out and back in again for changes to take effect"
+msgstr ""
+
+#: standalone/drakTermServ:71
+#, c-format
+msgid "Useless without Terminal Server"
+msgstr ""
+
+#: standalone/drakTermServ:101 standalone/drakTermServ:108
+#, c-format
+msgid "%s: %s requires a username...\n"
+msgstr ""
+
+#: standalone/drakTermServ:121
+#, c-format
+msgid ""
+"%s: %s requires hostname, MAC address, IP, nbi-image, 0/1 for THIN_CLIENT, "
+"0/1 for Local Config...\n"
+msgstr ""
+
+#: standalone/drakTermServ:128
+#, c-format
+msgid "%s: %s requires hostname...\n"
+msgstr ""
+
+#: standalone/drakTermServ:140
+#, fuzzy, c-format
+msgid "You must be root to read configuration file. \n"
+msgstr "Одоо тохируулгын файлаас нөөц хийх"
+
+#: standalone/drakTermServ:219 standalone/drakTermServ:488
+#: standalone/drakfont:572
+#, fuzzy, c-format
+msgid "OK"
+msgstr "Ок"
+
+#: standalone/drakTermServ:235
+#, fuzzy, c-format
+msgid "Terminal Server Configuration"
+msgstr "Терминал Сервер"
+
+#: standalone/drakTermServ:240
+#, c-format
+msgid "DrakTermServ"
+msgstr ""
+
+#: standalone/drakTermServ:264
+#, c-format
+msgid "Enable Server"
+msgstr "Серверийг идэвхжүүлэх"
+
+#: standalone/drakTermServ:270
+#, c-format
+msgid "Disable Server"
+msgstr ""
+
+#: standalone/drakTermServ:278
+#, fuzzy, c-format
+msgid "Start Server"
+msgstr "Эхлэх"
+
+#: standalone/drakTermServ:284
+#, c-format
+msgid "Stop Server"
+msgstr "Серверийг Зогсоох"
+
+#: standalone/drakTermServ:292
+#, fuzzy, c-format
+msgid "Etherboot Floppy/ISO"
+msgstr "Уян диск"
+
+#: standalone/drakTermServ:296
+#, c-format
+msgid "Net Boot Images"
+msgstr ""
+
+#: standalone/drakTermServ:302
+#, fuzzy, c-format
+msgid "Add/Del Users"
+msgstr "Нэмэх"
+
+#: standalone/drakTermServ:306
+#, fuzzy, c-format
+msgid "Add/Del Clients"
+msgstr "Нэмэх"
+
+#: standalone/drakTermServ:317 standalone/drakbug:54
+#, fuzzy, c-format
+msgid "First Time Wizard"
+msgstr "Эхний Цаг"
+
+#: standalone/drakTermServ:342
+#, c-format
+msgid ""
+"\n"
+" This wizard routine will:\n"
+" \t1) Ask you to select either 'thin' or 'fat' clients.\n"
+"\t2) Setup dhcp.\n"
+"\t\n"
+"After doing these steps, the wizard will:\n"
+"\t\n"
+" a) Make all "
+"nbis. \n"
+" b) Activate the "
+"server. \n"
+" c) Start the "
+"server. \n"
+" d) Synchronize the shadow files so that all users, including root, \n"
+" are added to the shadow$$CLIENT$$ "
+"file. \n"
+" e) Ask you to make a boot floppy.\n"
+" f) If it's thin clients, ask if you want to restart KDM.\n"
+msgstr ""
+
+#: standalone/drakTermServ:387
+#, fuzzy, c-format
+msgid "Cancel Wizard"
+msgstr "Туслагч"
+
+#: standalone/drakTermServ:399
+#, c-format
+msgid "Please save dhcpd config!"
+msgstr ""
+
+#: standalone/drakTermServ:427
+#, c-format
+msgid ""
+"Please select client type.\n"
+" 'Thin' clients run everything off the server's CPU/RAM, using the client "
+"display.\n"
+" 'Fat' clients use their own CPU/RAM but the server's filesystem."
+msgstr ""
+
+#: standalone/drakTermServ:433
+#, fuzzy, c-format
+msgid "Allow thin clients."
+msgstr "Зөвшөөрөх"
+
+#: standalone/drakTermServ:441
+#, c-format
+msgid "Creating net boot images for all kernels"
+msgstr ""
+
+#: standalone/drakTermServ:442 standalone/drakTermServ:725
+#: standalone/drakTermServ:741
+#, fuzzy, c-format
+msgid "This will take a few minutes."
+msgstr "минут."
+
+#: standalone/drakTermServ:446 standalone/drakTermServ:466
+#, fuzzy, c-format
+msgid "Done!"
+msgstr "Хийгдсэн"
+
+#: standalone/drakTermServ:452
+#, c-format
+msgid "Syncing server user list with client list, including root."
+msgstr ""
+
+#: standalone/drakTermServ:472
+#, c-format
+msgid ""
+"In order to enable changes made for thin clients, the display manager must "
+"be restarted. Restart now?"
+msgstr ""
+
+#: standalone/drakTermServ:507
+#, c-format
+msgid "drakTermServ Overview"
+msgstr ""
+
+#: standalone/drakTermServ:508
+#, c-format
+msgid ""
+" - Create Etherboot Enabled Boot Images:\n"
+" \tTo boot a kernel via etherboot, a special kernel/initrd image must "
+"be created.\n"
+" \tmkinitrd-net does much of this work and drakTermServ is just a "
+"graphical \n"
+" \tinterface to help manage/customize these images. To create the "
+"file \n"
+" \t/etc/dhcpd.conf.etherboot-pcimap.include that is pulled in as an "
+"include in \n"
+" \tdhcpd.conf, you should create the etherboot images for at least "
+"one full kernel."
+msgstr ""
+
+#: standalone/drakTermServ:514
+#, c-format
+msgid ""
+" - Maintain /etc/dhcpd.conf:\n"
+" \tTo net boot clients, each client needs a dhcpd.conf entry, "
+"assigning an IP \n"
+" \taddress and net boot images to the machine. drakTermServ helps "
+"create/remove \n"
+" \tthese entries.\n"
+"\t\t\t\n"
+" \t(PCI cards may omit the image - etherboot will request the correct "
+"image. \n"
+"\t\t\tYou should also consider that when etherboot looks for the images, it "
+"expects \n"
+"\t\t\tnames like boot-3c59x.nbi, rather than boot-3c59x.2.4.19-16mdk.nbi).\n"
+"\t\t\t \n"
+" \tA typical dhcpd.conf stanza to support a diskless client looks "
+"like:"
+msgstr ""
+
+#: standalone/drakTermServ:532
+#, c-format
+msgid ""
+" While you can use a pool of IP addresses, rather than setup a "
+"specific entry for\n"
+" a client machine, using a fixed address scheme facilitates using the "
+"functionality\n"
+" of client-specific configuration files that ClusterNFS provides.\n"
+"\t\t\t\n"
+" Note: The '#type' entry is only used by drakTermServ. Clients can "
+"either be 'thin'\n"
+" or 'fat'. Thin clients run most software on the server via xdmcp, "
+"while fat clients run \n"
+" most software on the client machine. A special inittab, %s is\n"
+" written for thin clients. System config files xdm-config, kdmrc, and "
+"gdm.conf are \n"
+" modified if thin clients are used, to enable xdmcp. Since there are "
+"security issues in \n"
+" using xdmcp, hosts.deny and hosts.allow are modified to limit access "
+"to the local\n"
+" subnet.\n"
+"\t\t\t\n"
+" Note: The '#hdw_config' entry is also only used by drakTermServ. "
+"Clients can either \n"
+" be 'true' or 'false'. 'true' enables root login at the client "
+"machine and allows local \n"
+" hardware configuration of sound, mouse, and X, using the 'drak' "
+"tools. This is enabled \n"
+" by creating separate config files associated with the client's IP "
+"address and creating \n"
+" read/write mount points to allow the client to alter the file. Once "
+"you are satisfied \n"
+" with the configuration, you can remove root login privileges from "
+"the client.\n"
+"\t\t\t\n"
+" Note: You must stop/start the server after adding or changing "
+"clients."
+msgstr ""
+
+#: standalone/drakTermServ:552
+#, c-format
+msgid ""
+" - Maintain /etc/exports:\n"
+" \tClusternfs allows export of the root filesystem to diskless "
+"clients. drakTermServ\n"
+" \tsets up the correct entry to allow anonymous access to the root "
+"filesystem from\n"
+" \tdiskless clients.\n"
+"\n"
+" \tA typical exports entry for clusternfs is:\n"
+" \t\t\n"
+" \t/\t\t\t\t\t(ro,all_squash)\n"
+" \t/home\t\t\t\tSUBNET/MASK(rw,root_squash)\n"
+"\t\t\t\n"
+" \tWith SUBNET/MASK being defined for your network."
+msgstr ""
+
+#: standalone/drakTermServ:564
+#, c-format
+msgid ""
+" - Maintain %s:\n"
+" \tFor users to be able to log into the system from a diskless "
+"client, their entry in\n"
+" \t/etc/shadow needs to be duplicated in %s. drakTermServ\n"
+" \thelps in this respect by adding or removing system users from this "
+"file."
+msgstr ""
+
+#: standalone/drakTermServ:568
+#, c-format
+msgid ""
+" - Per client %s:\n"
+" \tThrough clusternfs, each diskless client can have its own unique "
+"configuration files\n"
+" \ton the root filesystem of the server. By allowing local client "
+"hardware configuration, \n"
+" \tdrakTermServ will help create these files."
+msgstr ""
+
+#: standalone/drakTermServ:573
+#, c-format
+msgid ""
+" - Per client system configuration files:\n"
+" \tThrough clusternfs, each diskless client can have its own unique "
+"configuration files\n"
+" \ton the root filesystem of the server. By allowing local client "
+"hardware configuration, \n"
+" \tclients can customize files such as /etc/modules.conf, /etc/"
+"sysconfig/mouse, \n"
+" \t/etc/sysconfig/keyboard on a per-client basis.\n"
+"\n"
+" Note: Enabling local client hardware configuration does enable root "
+"login to the terminal \n"
+" server on each client machine that has this feature enabled. Local "
+"configuration can be\n"
+" turned back off, retaining the configuration files, once the client "
+"machine is configured."
+msgstr ""
+
+#: standalone/drakTermServ:582
+#, c-format
+msgid ""
+" - /etc/xinetd.d/tftp:\n"
+" \tdrakTermServ will configure this file to work in conjunction with "
+"the images created\n"
+" \tby mkinitrd-net, and the entries in /etc/dhcpd.conf, to serve up "
+"the boot image to \n"
+" \teach diskless client.\n"
+"\n"
+" \tA typical tftp configuration file looks like:\n"
+" \t\t\n"
+" \tservice tftp\n"
+"\t\t\t{\n"
+" disable = no\n"
+" socket_type = dgram\n"
+" protocol = udp\n"
+" wait = yes\n"
+" user = root\n"
+" server = /usr/sbin/in.tftpd\n"
+" server_args = -s /var/lib/tftpboot\n"
+" \t}\n"
+" \t\t\n"
+" \tThe changes here from the default installation are changing the "
+"disable flag to\n"
+" \t'no' and changing the directory path to /var/lib/tftpboot, where "
+"mkinitrd-net\n"
+" \tputs its images."
+msgstr ""
+
+#: standalone/drakTermServ:603
+#, c-format
+msgid ""
+" - Create etherboot floppies/CDs:\n"
+" \tThe diskless client machines need either ROM images on the NIC, or "
+"a boot floppy\n"
+" \tor CD to initate the boot sequence. drakTermServ will help "
+"generate these\n"
+" \timages, based on the NIC in the client machine.\n"
+" \t\t\n"
+" \tA basic example of creating a boot floppy for a 3Com 3c509 "
+"manually:\n"
+" \t\t\n"
+" \tcat /usr/lib/etherboot/floppyload.bin \\\n"
+" \t\t/usr/share/etherboot/start16.bin \\\t\t\t\n"
+" \t\t/usr/lib/etherboot/zimg/3c509.zimg > /dev/fd0"
+msgstr ""
+
+#: standalone/drakTermServ:638
+#, c-format
+msgid "Boot Floppy"
+msgstr ""
+
+#: standalone/drakTermServ:640
+#, c-format
+msgid "Boot ISO"
+msgstr ""
+
+#: standalone/drakTermServ:642
+#, fuzzy, c-format
+msgid "PXE Image"
+msgstr "Зураг"
+
+#: standalone/drakTermServ:723
+#, c-format
+msgid "Build Whole Kernel -->"
+msgstr ""
+
+#: standalone/drakTermServ:730
+#, fuzzy, c-format
+msgid "No kernel selected!"
+msgstr "Үгүй!"
+
+#: standalone/drakTermServ:733
+#, c-format
+msgid "Build Single NIC -->"
+msgstr ""
+
+#: standalone/drakTermServ:737
+#, c-format
+msgid "No NIC selected!"
+msgstr "Ямар нэгэн NIC сонгогдоогүй байна!"
+
+#: standalone/drakTermServ:740
+#, fuzzy, c-format
+msgid "Build All Kernels -->"
+msgstr "Бүх"
+
+#: standalone/drakTermServ:747
+#, c-format
+msgid "<-- Delete"
+msgstr ""
+
+#: standalone/drakTermServ:754
+#, c-format
+msgid "Delete All NBIs"
+msgstr "Бүх NBI-г устгах"
+
+#: standalone/drakTermServ:841
+#, fuzzy, c-format
+msgid ""
+"!!! Indicates the password in the system database is different than\n"
+" the one in the Terminal Server database.\n"
+"Delete/re-add the user to the Terminal Server to enable login."
+msgstr ""
+"ямх бол\n"
+" ямх Терминал Сервер Терминал Сервер."
+
+#: standalone/drakTermServ:846
+#, c-format
+msgid "Add User -->"
+msgstr "Хэрэглэгч нэмэх -->"
+
+#: standalone/drakTermServ:852
+#, c-format
+msgid "<-- Del User"
+msgstr ""
+
+#: standalone/drakTermServ:888
+#, fuzzy, c-format
+msgid "type: %s"
+msgstr "төрөл"
+
+#: standalone/drakTermServ:892
+#, c-format
+msgid "local config: %s"
+msgstr ""
+
+#: standalone/drakTermServ:922
+#, fuzzy, c-format
+msgid ""
+"Allow local hardware\n"
+"configuration."
+msgstr "Автоматаар"
+
+#: standalone/drakTermServ:931
+#, fuzzy, c-format
+msgid "No net boot images created!"
+msgstr "Үгүй!"
+
+#: standalone/drakTermServ:949
+#, c-format
+msgid "Thin Client"
+msgstr ""
+
+#: standalone/drakTermServ:953
+#, fuzzy, c-format
+msgid "Allow Thin Clients"
+msgstr "Зөвшөөрөх"
+
+#: standalone/drakTermServ:954
+#, fuzzy, c-format
+msgid "Add Client -->"
+msgstr "Нэмэх Клиент"
+
+#: standalone/drakTermServ:968
+#, fuzzy, c-format
+msgid "type: fat"
+msgstr "төрөл"
+
+#: standalone/drakTermServ:969
+#, fuzzy, c-format
+msgid "type: thin"
+msgstr "төрөл"
+
+#: standalone/drakTermServ:976
+#, fuzzy, c-format
+msgid "local config: false"
+msgstr "Дотоод файлууд"
+
+#: standalone/drakTermServ:977
+#, c-format
+msgid "local config: true"
+msgstr ""
+
+#: standalone/drakTermServ:985
+#, c-format
+msgid "<-- Edit Client"
+msgstr "<-- Клиентыг засах"
+
+#: standalone/drakTermServ:1011
+#, c-format
+msgid "Disable Local Config"
+msgstr ""
+
+#: standalone/drakTermServ:1018
+#, fuzzy, c-format
+msgid "Delete Client"
+msgstr "Устгах"
+
+#: standalone/drakTermServ:1027
+#, c-format
+msgid "dhcpd Config..."
+msgstr ""
+
+#: standalone/drakTermServ:1040
+#, fuzzy, c-format
+msgid ""
+"Need to restart the Display Manager for full changes to take effect. \n"
+"(service dm restart - at the console)"
+msgstr "Менежер бүрэн г"
+
+#: standalone/drakTermServ:1084
+#, fuzzy, c-format
+msgid "Subnet:"
+msgstr "Subnetz:"
+
+#: standalone/drakTermServ:1091
+#, c-format
+msgid "Netmask:"
+msgstr "Сүлжээний шүүлт:"
+
+#: standalone/drakTermServ:1098
+#, c-format
+msgid "Routers:"
+msgstr ""
+
+#: standalone/drakTermServ:1105
+#, fuzzy, c-format
+msgid "Subnet Mask:"
+msgstr "Subnetz Маск:"
+
+#: standalone/drakTermServ:1112
+#, fuzzy, c-format
+msgid "Broadcast Address:"
+msgstr "Хаяг:"
+
+#: standalone/drakTermServ:1119
+#, fuzzy, c-format
+msgid "Domain Name:"
+msgstr "Домэйн Нэр:"
+
+#: standalone/drakTermServ:1127
+#, fuzzy, c-format
+msgid "Name Servers:"
+msgstr "Нэр:"
+
+#: standalone/drakTermServ:1138
+#, c-format
+msgid "IP Range Start:"
+msgstr "IP мужын эхлэл:"
+
+#: standalone/drakTermServ:1139
+#, fuzzy, c-format
+msgid "IP Range End:"
+msgstr "Файлын төгсгөл:"
+
+#: standalone/drakTermServ:1191
+#, c-format
+msgid "dhcpd Server Configuration"
+msgstr "dhcpd Үйлчлэгчийн Тохируулга"
+
+#: standalone/drakTermServ:1192
+#, c-format
+msgid ""
+"Most of these values were extracted\n"
+"from your running system.\n"
+"You can modify as needed."
+msgstr ""
+"Эдгээр утгуудын ихэнх нь таны ажиллуулж буй\n"
+"системээс авагдсан байна.\n"
+"Та үүнийг хүссэнээрээ өөрчилж чадна."
+
+#: standalone/drakTermServ:1195
+#, fuzzy, c-format
+msgid "Dynamic IP Address Pool:"
+msgstr "Хаяг:"
+
+#: standalone/drakTermServ:1208
+#, c-format
+msgid "Write Config"
+msgstr "Тохиргоог бичих"
+
+#: standalone/drakTermServ:1326
+#, c-format
+msgid "Please insert floppy disk:"
+msgstr "Уян диск оруулна уу:"
+
+#: standalone/drakTermServ:1330
+#, c-format
+msgid "Couldn't access the floppy!"
+msgstr "Уян диск рүү хандаж чадсангүй!"
+
+#: standalone/drakTermServ:1332
+#, fuzzy, c-format
+msgid "Floppy can be removed now"
+msgstr "Уян диск"
+
+#: standalone/drakTermServ:1335
+#, fuzzy, c-format
+msgid "No floppy drive available!"
+msgstr "Үгүй!"
+
+#: standalone/drakTermServ:1340
+#, c-format
+msgid "PXE image is %s/%s"
+msgstr ""
+
+#: standalone/drakTermServ:1342
+#, fuzzy, c-format
+msgid "Error writing %s/%s"
+msgstr "%s файл руу бичих үед алдаа гарлаа"
+
+#: standalone/drakTermServ:1351
+#, c-format
+msgid "Etherboot ISO image is %s"
+msgstr ""
+
+#: standalone/drakTermServ:1353
+#, c-format
+msgid "Something went wrong! - Is mkisofs installed?"
+msgstr "Зарим зүйлс буруу болоод явчихлаа. mkisofs суулгагдсан уу?"
+
+#: standalone/drakTermServ:1372
+#, c-format
+msgid "Need to create /etc/dhcpd.conf first!"
+msgstr ""
+
+#: standalone/drakTermServ:1533
+#, c-format
+msgid "%s passwd bad in Terminal Server - rewriting...\n"
+msgstr ""
+
+#: standalone/drakTermServ:1551
+#, fuzzy, c-format
+msgid "%s is not a user..\n"
+msgstr "с"
+
+#: standalone/drakTermServ:1552
+#, c-format
+msgid "%s is already a Terminal Server user\n"
+msgstr ""
+
+#: standalone/drakTermServ:1554
+#, c-format
+msgid "Addition of %s to Terminal Server failed!\n"
+msgstr ""
+
+#: standalone/drakTermServ:1556
+#, c-format
+msgid "%s added to Terminal Server\n"
+msgstr ""
+
+#: standalone/drakTermServ:1608
+#, fuzzy, c-format
+msgid "Deleted %s...\n"
+msgstr "%s танигдсан"
+
+#: standalone/drakTermServ:1610 standalone/drakTermServ:1687
+#, fuzzy, c-format
+msgid "%s not found...\n"
+msgstr "с"
+
+#: standalone/drakTermServ:1632 standalone/drakTermServ:1633
+#: standalone/drakTermServ:1634
+#, c-format
+msgid "%s already in use\n"
+msgstr ""
+
+#: standalone/drakTermServ:1658
+#, fuzzy, c-format
+msgid "Can't open %s!"
+msgstr "с"
+
+#: standalone/drakTermServ:1715
+#, c-format
+msgid "/etc/hosts.allow and /etc/hosts.deny already configured - not changed"
+msgstr ""
+"/etc/hosts.allow ба /etc/hosts.deny нь хэдийн тохируулагдсан байна - "
+"өөрчлөгдөөгүй"
+
+#: standalone/drakTermServ:1872
+#, c-format
+msgid "Configuration changed - restart clusternfs/dhcpd?"
+msgstr ""
+
+#: standalone/drakautoinst:37
+#, fuzzy, c-format
+msgid "Error!"
+msgstr "Алдаа!"
+
+#: standalone/drakautoinst:38
+#, fuzzy, c-format
+msgid "I can't find needed image file `%s'."
+msgstr "Зураг с."
+
+#: standalone/drakautoinst:40
+#, fuzzy, c-format
+msgid "Auto Install Configurator"
+msgstr "Авто"
+
+#: standalone/drakautoinst:41
+#, c-format
+msgid ""
+"You are about to configure an Auto Install floppy. This feature is somewhat "
+"dangerous and must be used circumspectly.\n"
+"\n"
+"With that feature, you will be able to replay the installation you've "
+"performed on this computer, being interactively prompted for some steps, in "
+"order to change their values.\n"
+"\n"
+"For maximum safety, the partitioning and formatting will never be performed "
+"automatically, whatever you chose during the install of this computer.\n"
+"\n"
+"Press ok to continue."
+msgstr ""
+
+#: standalone/drakautoinst:59
+#, c-format
+msgid "replay"
+msgstr ""
+
+#: standalone/drakautoinst:59 standalone/drakautoinst:68
+#, c-format
+msgid "manual"
+msgstr ""
+
+#: standalone/drakautoinst:63
+#, fuzzy, c-format
+msgid "Automatic Steps Configuration"
+msgstr "Автоматаар"
+
+#: standalone/drakautoinst:64
+#, c-format
+msgid ""
+"Please choose for each step whether it will replay like your install, or it "
+"will be manual"
+msgstr ""
+
+#: standalone/drakautoinst:76 standalone/drakautoinst:77
+#, fuzzy, c-format
+msgid "Creating auto install floppy"
+msgstr "Үүсгэж байна"
+
+#: standalone/drakautoinst:141
+#, fuzzy, c-format
+msgid ""
+"\n"
+"Welcome.\n"
+"\n"
+"The parameters of the auto-install are available in the sections on the left"
+msgstr "г аас ямх"
+
+#: standalone/drakautoinst:235 standalone/drakgw:583 standalone/drakvpn:898
+#: standalone/scannerdrake:367
+#, c-format
+msgid "Congratulations!"
+msgstr "Баяр хүргэе!"
+
+#: standalone/drakautoinst:236
+#, c-format
+msgid ""
+"The floppy has been successfully generated.\n"
+"You may now replay your installation."
+msgstr ""
+
+#: standalone/drakautoinst:272
+#, fuzzy, c-format
+msgid "Auto Install"
+msgstr "Авто"
+
+#: standalone/drakautoinst:341
+#, fuzzy, c-format
+msgid "Add an item"
+msgstr "Нэмэх"
+
+#: standalone/drakautoinst:348
+#, fuzzy, c-format
+msgid "Remove the last item"
+msgstr "Устгах"
+
+#: standalone/drakbackup:87
+#, c-format
+msgid "hd"
+msgstr ""
+
+#: standalone/drakbackup:87
+#, fuzzy, c-format
+msgid "tape"
+msgstr "Хальс"
+
+#: standalone/drakbackup:158
+#, fuzzy, c-format
+msgid "No devices found"
+msgstr "Үгүй Зураг"
+
+#: standalone/drakbackup:196
+#, c-format
+msgid ""
+"Expect is an extension to the Tcl scripting language that allows interactive "
+"sessions without user intervention."
+msgstr ""
+
+#: standalone/drakbackup:197
+#, c-format
+msgid "Store the password for this system in drakbackup configuration."
+msgstr ""
+
+#: standalone/drakbackup:198
+#, c-format
+msgid ""
+"For a multisession CD, only the first session will erase the cdrw. Otherwise "
+"the cdrw is erased before each backup."
+msgstr ""
+
+#: standalone/drakbackup:199
+#, c-format
+msgid ""
+"This uses the same syntax as the command line program 'cdrecord'. 'cdrecord -"
+"scanbus' would also show you the device number."
+msgstr ""
+
+#: standalone/drakbackup:200
+#, c-format
+msgid ""
+"This option will save files that have changed. Exact behavior depends on "
+"whether incremental or differential mode is used."
+msgstr ""
+
+#: standalone/drakbackup:201
+#, c-format
+msgid ""
+"Incremental backups only save files that have changed or are new since the "
+"last backup."
+msgstr ""
+
+#: standalone/drakbackup:202
+#, c-format
+msgid ""
+"Differential backups only save files that have changed or are new since the "
+"original 'base' backup."
+msgstr ""
+
+#: standalone/drakbackup:203
+#, c-format
+msgid ""
+"This should be a local user or email addresse that you want the backup "
+"results sent to. You will need to define a functioning mail server."
+msgstr ""
+
+#: standalone/drakbackup:204
+#, c-format
+msgid ""
+"Files or wildcards listed in a .backupignore file at the top of a directory "
+"tree will not be backed up."
+msgstr ""
+
+#: standalone/drakbackup:205
+#, c-format
+msgid ""
+"For backups to other media, files are still created on the hard drive, then "
+"moved to the other media. Enabling this option will remove the hard drive "
+"tar files after the backup."
+msgstr ""
+
+#: standalone/drakbackup:206
+#, c-format
+msgid ""
+"Some protocols, like rsync, may be configured at the server end. Rather "
+"than using a directory path, you would use the 'module' name for the service "
+"path."
+msgstr ""
+
+#: standalone/drakbackup:207
+#, c-format
+msgid ""
+"Custom allows you to specify your own day and time. The other options use "
+"run-parts in /etc/crontab."
+msgstr ""
+
+#: standalone/drakbackup:604
+#, c-format
+msgid "Interval cron not available as non-root"
+msgstr ""
+
+#: standalone/drakbackup:715 standalone/logdrake:415
+#, c-format
+msgid "\"%s\" neither is a valid email nor is an existing local user!"
+msgstr ""
+
+#: standalone/drakbackup:719 standalone/logdrake:420
+#, c-format
+msgid ""
+"\"%s\" is a local user, but you did not select a local smtp, so you must use "
+"a complete email address!"
+msgstr ""
+
+#: standalone/drakbackup:728
+#, c-format
+msgid "Valid user list changed, rewriting config file."
+msgstr ""
+
+#: standalone/drakbackup:730
+#, fuzzy, c-format
+msgid "Old user list:\n"
+msgstr "г Хэрэглэгч Файлууд"
+
+#: standalone/drakbackup:732
+#, fuzzy, c-format
+msgid "New user list:\n"
+msgstr "г Хэрэглэгч Файлууд"
+
+#: standalone/drakbackup:779
+#, fuzzy, c-format
+msgid ""
+"\n"
+" DrakBackup Report \n"
+msgstr ""
+"\n"
+" г"
+
+#: standalone/drakbackup:780
+#, fuzzy, c-format
+msgid ""
+"\n"
+" DrakBackup Daemon Report\n"
+msgstr ""
+"\n"
+" ДракНөөцлөлт Хэвтүүлийн Тайлан\n"
+"\n"
+"\n"
+
+#: standalone/drakbackup:786
+#, fuzzy, c-format
+msgid ""
+"\n"
+" DrakBackup Report Details\n"
+"\n"
+"\n"
+msgstr ""
+"\n"
+" Тодруулга г г"
+
+#: standalone/drakbackup:810 standalone/drakbackup:883
+#: standalone/drakbackup:939
+#, fuzzy, c-format
+msgid "Total progress"
+msgstr "Нийт"
+
+#: standalone/drakbackup:865
+#, fuzzy, c-format
+msgid ""
+"%s exists, delete?\n"
+"\n"
+"If you've already done this process you'll probably\n"
+" need to purge the entry from authorized_keys on the server."
+msgstr ""
+"с г вы Хийгдсэн вы\n"
+"."
+
+#: standalone/drakbackup:874
+#, c-format
+msgid "This may take a moment to generate the keys."
+msgstr ""
+
+#: standalone/drakbackup:881
+#, fuzzy, c-format
+msgid "Cannot spawn %s."
+msgstr "с."
+
+#: standalone/drakbackup:898
+#, fuzzy, c-format
+msgid "No password prompt on %s at port %s"
+msgstr "Үгүй с"
+
+#: standalone/drakbackup:899
+#, c-format
+msgid "Bad password on %s"
+msgstr "%s дээр муу нууц үгүүд"
+
+#: standalone/drakbackup:900
+#, fuzzy, c-format
+msgid "Permission denied transferring %s to %s"
+msgstr "с"
+
+#: standalone/drakbackup:901
+#, fuzzy, c-format
+msgid "Can't find %s on %s"
+msgstr "с"
+
+#: standalone/drakbackup:904
+#, fuzzy, c-format
+msgid "%s not responding"
+msgstr "с"
+
+#: standalone/drakbackup:908
+#, fuzzy, c-format
+msgid ""
+"Transfer successful\n"
+"You may want to verify you can login to the server with:\n"
+"\n"
+"ssh -i %s %s@%s\n"
+"\n"
+"without being prompted for a password."
+msgstr "вы г с с с г."
+
+#: standalone/drakbackup:953
+#, c-format
+msgid "WebDAV remote site already in sync!"
+msgstr "WebDAV алсын сайт хэдийнэ тэнцвэржүүлэгдсэн!"
+
+#: standalone/drakbackup:957
+#, c-format
+msgid "WebDAV transfer failed!"
+msgstr "WebDAV шилжүүлэлт бүтэлгүйтэв!"
+
+#: standalone/drakbackup:978
+#, fuzzy, c-format
+msgid "No CD-R/DVD-R in drive!"
+msgstr "Үгүй ямх!"
+
+#: standalone/drakbackup:982
+#, c-format
+msgid "Does not appear to be recordable media!"
+msgstr ""
+
+#: standalone/drakbackup:986
+#, c-format
+msgid "Not erasable media!"
+msgstr ""
+
+#: standalone/drakbackup:1027
+#, c-format
+msgid "This may take a moment to erase the media."
+msgstr ""
+
+#: standalone/drakbackup:1103
+#, c-format
+msgid "Permission problem accessing CD."
+msgstr "CD рүү хандах эрхийн асуудал."
+
+#: standalone/drakbackup:1130
+#, fuzzy, c-format
+msgid "No tape in %s!"
+msgstr "Үгүй ямх с!"
+
+#: standalone/drakbackup:1232
+#, c-format
+msgid ""
+"Backup quota exceeded!\n"
+"%d MB used vs %d MB allocated."
+msgstr ""
+
+#: standalone/drakbackup:1251 standalone/drakbackup:1305
+#, c-format
+msgid "Backup system files..."
+msgstr "Системийн файлуудыг нөөцлөх..."
+
+#: standalone/drakbackup:1306 standalone/drakbackup:1368
+#, fuzzy, c-format
+msgid "Hard Disk Backup files..."
+msgstr "Erfitt."
+
+#: standalone/drakbackup:1367
+#, fuzzy, c-format
+msgid "Backup User files..."
+msgstr "Хэрэглэгч."
+
+#: standalone/drakbackup:1421
+#, c-format
+msgid "Backup Other files..."
+msgstr "Бусад файлуудыг нөөцлөа..."
+
+#: standalone/drakbackup:1422
+#, fuzzy, c-format
+msgid "Hard Disk Backup Progress..."
+msgstr "Erfitt Прогресс."
+
+#: standalone/drakbackup:1427
+#, fuzzy, c-format
+msgid "No changes to backup!"
+msgstr "Үгүй!"
+
+#: standalone/drakbackup:1445 standalone/drakbackup:1469
+#, c-format
+msgid ""
+"\n"
+"Drakbackup activities via %s:\n"
+"\n"
+msgstr ""
+"\n"
+"Дракнөөцлөлт идэвхжилтүүд %s-р:\n"
+"\n"
+
+#: standalone/drakbackup:1454
+#, c-format
+msgid ""
+"\n"
+" FTP connection problem: It was not possible to send your backup files by "
+"FTP.\n"
+msgstr ""
+
+#: standalone/drakbackup:1455
+#, fuzzy, c-format
+msgid ""
+"Error during sending file via FTP. Please correct your FTP configuration."
+msgstr ""
+"Алдаа\n"
+"."
+
+#: standalone/drakbackup:1457
+#, fuzzy, c-format
+msgid "file list sent by FTP: %s\n"
+msgstr ""
+"FTP-ээр илгээгдсэн файлын жагсаалт: %s\n"
+" "
+
+#: standalone/drakbackup:1474
+#, fuzzy, c-format
+msgid ""
+"\n"
+"Drakbackup activities via CD:\n"
+"\n"
+msgstr "CD г"
+
+#: standalone/drakbackup:1479
+#, c-format
+msgid ""
+"\n"
+"Drakbackup activities via tape:\n"
+"\n"
+msgstr ""
+"\n"
+"Drakbackup туузнаас сэргээх:\n"
+"\n"
+
+#: standalone/drakbackup:1488
+#, fuzzy, c-format
+msgid "Error sending mail. Your report mail was not sent."
+msgstr ""
+"Алдаа\n"
+"\n"
+
+#: standalone/drakbackup:1489
+#, fuzzy, c-format
+msgid " Error while sending mail. \n"
+msgstr "Алдаа"
+
+#: standalone/drakbackup:1518
+#, c-format
+msgid "Can't create catalog!"
+msgstr ""
+
+#: standalone/drakbackup:1639
+#, c-format
+msgid "Can't create log file!"
+msgstr ""
+
+#: standalone/drakbackup:1656 standalone/drakbackup:1667
+#: standalone/drakfont:584
+#, c-format
+msgid "File Selection"
+msgstr "Файл сонголт"
+
+#: standalone/drakbackup:1695
+#, c-format
+msgid "Select the files or directories and click on 'OK'"
+msgstr "Файлууд эсвэл хавтасууд сонгоод 'ОК' дар"
+
+#: standalone/drakbackup:1723
+#, c-format
+msgid ""
+"\n"
+"Please check all options that you need.\n"
+msgstr ""
+"\n"
+"Хэрэгцээтэй бүх сонголтуудаа шалгана уу!\n"
+
+#: standalone/drakbackup:1724
+#, fuzzy, c-format
+msgid ""
+"These options can backup and restore all files in your /etc directory.\n"
+msgstr "ямх"
+
+#: standalone/drakbackup:1725
+#, fuzzy, c-format
+msgid "Backup your System files. (/etc directory)"
+msgstr "Систем"
+
+#: standalone/drakbackup:1726 standalone/drakbackup:1790
+#: standalone/drakbackup:1856
+#, c-format
+msgid "Use Incremental/Differential Backups (do not replace old backups)"
+msgstr ""
+
+#: standalone/drakbackup:1728 standalone/drakbackup:1792
+#: standalone/drakbackup:1858
+#, c-format
+msgid "Use Incremental Backups"
+msgstr "Өсөлттэй нөөцлөлтийг хэрэглэх"
+
+#: standalone/drakbackup:1728 standalone/drakbackup:1792
+#: standalone/drakbackup:1858
+#, c-format
+msgid "Use Differential Backups"
+msgstr ""
+
+#: standalone/drakbackup:1730
+#, fuzzy, c-format
+msgid "Do not include critical files (passwd, group, fstab)"
+msgstr "нууц үг бүлэг"
+
+#: standalone/drakbackup:1731
+#, c-format
+msgid ""
+"With this option you will be able to restore any version\n"
+" of your /etc directory."
+msgstr ""
+"Энэхүү сонголттойгоор та /etc хавтасныхаа аливаа хувилбарыг\n"
+"сэргээх боломжтой болно."
+
+#: standalone/drakbackup:1762
+#, c-format
+msgid "Please check all users that you want to include in your backup."
+msgstr "хэрэглэгчид вы ямх."
+
+#: standalone/drakbackup:1789
+#, c-format
+msgid "Do not include the browser cache"
+msgstr ""
+
+#: standalone/drakbackup:1844 standalone/drakfont:650
+#, fuzzy, c-format
+msgid "Remove Selected"
+msgstr "Устгах"
+
+#: standalone/drakbackup:1891 standalone/drakbackup:1895
+#, c-format
+msgid "Under Devel ... please wait."
+msgstr "Хөгжүүлэлтэнд ... түр хүлээнэ үү."
+
+#: standalone/drakbackup:1909
+#, fuzzy, c-format
+msgid "Windows (FAT32)"
+msgstr "Цонхнууд"
+
+#: standalone/drakbackup:1942
+#, fuzzy, c-format
+msgid "Users"
+msgstr "Хэрэглэгчид"
+
+#: standalone/drakbackup:1961
+#, c-format
+msgid "Use network connection to backup"
+msgstr ""
+
+#: standalone/drakbackup:1963
+#, c-format
+msgid "Net Method:"
+msgstr "Сүлжээний арга:"
+
+#: standalone/drakbackup:1967
+#, c-format
+msgid "Use Expect for SSH"
+msgstr ""
+
+#: standalone/drakbackup:1968
+#, c-format
+msgid "Create/Transfer backup keys for SSH"
+msgstr ""
+
+#: standalone/drakbackup:1970
+#, fuzzy, c-format
+msgid "Transfer Now"
+msgstr "Устгах "
+
+#: standalone/drakbackup:1972
+#, fuzzy, c-format
+msgid "Other (not drakbackup) keys in place already"
+msgstr "Бусад ямх"
+
+#: standalone/drakbackup:1975
+#, fuzzy, c-format
+msgid "Host name or IP."
+msgstr "Хостын нэр"
+
+#: standalone/drakbackup:1980
+#, fuzzy, c-format
+msgid "Directory (or module) to put the backup on this host."
+msgstr ""
+"\n"
+" Нээх."
+
+#: standalone/drakbackup:1985
+#, fuzzy, c-format
+msgid "Login name"
+msgstr "Домэйн"
+
+#: standalone/drakbackup:1992
+#, c-format
+msgid "Remember this password"
+msgstr "Энэ нууц үгийг санах"
+
+#: standalone/drakbackup:2004
+#, c-format
+msgid "Need hostname, username and password!"
+msgstr "Хостын нэр, хэрэглэгчийн нэр болон нууц үг шаардлагатай!"
+
+#: standalone/drakbackup:2106
+#, fuzzy, c-format
+msgid "Use CD-R/DVD-R to backup"
+msgstr "CD"
+
+#: standalone/drakbackup:2109
+#, fuzzy, c-format
+msgid "Choose your CD/DVD device"
+msgstr "CD хэмжээ"
+
+#: standalone/drakbackup:2114
+#, fuzzy, c-format
+msgid "Choose your CD/DVD media size"
+msgstr "CD хэмжээ"
+
+#: standalone/drakbackup:2121
+#, fuzzy, c-format
+msgid "Multisession CD"
+msgstr "Мультимедиа"
+
+#: standalone/drakbackup:2123
+#, c-format
+msgid "CDRW media"
+msgstr ""
+
+#: standalone/drakbackup:2128
+#, fuzzy, c-format
+msgid "Erase your RW media (1st Session)"
+msgstr "вы Суулт"
+
+#: standalone/drakbackup:2129
+#, fuzzy, c-format
+msgid " Erase Now "
+msgstr "Устгах "
+
+#: standalone/drakbackup:2136
+#, c-format
+msgid "DVD+RW media"
+msgstr ""
+
+#: standalone/drakbackup:2138
+#, fuzzy, c-format
+msgid "DVD-R media"
+msgstr "Төхөөрөмж: "
+
+#: standalone/drakbackup:2140
+#, c-format
+msgid "DVDRAM device"
+msgstr ""
+
+#: standalone/drakbackup:2145
+#, fuzzy, c-format
+msgid ""
+"Enter your CD Writer device name\n"
+" ex: 0,1,0"
+msgstr ""
+"Та CD шарагчийнхаа төхөөрөмжийн нэрийг оруулна уу\n"
+" ex: 0,1,0"
+
+#: standalone/drakbackup:2177
+#, c-format
+msgid "No CD device defined!"
+msgstr "CD төхөөрөмж тодорхойлогдоогүй байна!"
+
+#: standalone/drakbackup:2227
+#, c-format
+msgid "Use tape to backup"
+msgstr "Нөөцлөхдөө хальс хэрэглэх"
+
+#: standalone/drakbackup:2230
+#, fuzzy, c-format
+msgid "Device name to use for backup"
+msgstr "нэр"
+
+#: standalone/drakbackup:2237
+#, fuzzy, c-format
+msgid "Don't rewind tape after backup"
+msgstr "Нөөцлөхдөө хальс хэрэглэх"
+
+#: standalone/drakbackup:2243
+#, fuzzy, c-format
+msgid "Erase tape before backup"
+msgstr "Нөөцлөхдөө хальс хэрэглэх"
+
+#: standalone/drakbackup:2249
+#, fuzzy, c-format
+msgid "Eject tape after the backup"
+msgstr "Нөөцлөхдөө хальс хэрэглэх"
+
+#: standalone/drakbackup:2317
+#, fuzzy, c-format
+msgid "Enter the directory to save to:"
+msgstr "Хадгалах хавтасаа оруулна уу:"
+
+#: standalone/drakbackup:2326
+#, fuzzy, c-format
+msgid ""
+"Maximum size\n"
+" allowed for Drakbackup (MB)"
+msgstr ""
+"Drakbackup-д зөвшөөрөгдсөн хамгийн\n"
+"их хэмжээг оруулна уу"
+
+#: standalone/drakbackup:2399
+#, c-format
+msgid "CD-R / DVD-R"
+msgstr ""
+
+#: standalone/drakbackup:2404
+#, c-format
+msgid "HardDrive / NFS"
+msgstr ""
+
+#: standalone/drakbackup:2420 standalone/drakbackup:2425
+#: standalone/drakbackup:2430
+#, c-format
+msgid "hourly"
+msgstr ""
+
+#: standalone/drakbackup:2421 standalone/drakbackup:2426
+#: standalone/drakbackup:2430
+#, c-format
+msgid "daily"
+msgstr "өдөр тутам"
+
+#: standalone/drakbackup:2422 standalone/drakbackup:2427
+#: standalone/drakbackup:2430
+#, c-format
+msgid "weekly"
+msgstr ""
+
+#: standalone/drakbackup:2423 standalone/drakbackup:2428
+#: standalone/drakbackup:2430
+#, c-format
+msgid "monthly"
+msgstr "сар бүр"
+
+#: standalone/drakbackup:2424 standalone/drakbackup:2429
+#: standalone/drakbackup:2430
+#, fuzzy, c-format
+msgid "custom"
+msgstr "Хэрэглэгчийн"
+
+#: standalone/drakbackup:2435
+#, c-format
+msgid "January"
+msgstr ""
+
+#: standalone/drakbackup:2435
+#, c-format
+msgid "February"
+msgstr ""
+
+#: standalone/drakbackup:2435
+#, c-format
+msgid "March"
+msgstr ""
+
+#: standalone/drakbackup:2436
+#, fuzzy, c-format
+msgid "April"
+msgstr "Батал"
+
+#: standalone/drakbackup:2436
+#, c-format
+msgid "May"
+msgstr ""
+
+#: standalone/drakbackup:2436
+#, c-format
+msgid "June"
+msgstr ""
+
+#: standalone/drakbackup:2436
+#, c-format
+msgid "July"
+msgstr ""
+
+#: standalone/drakbackup:2436
+#, c-format
+msgid "August"
+msgstr ""
+
+#: standalone/drakbackup:2436
+#, fuzzy, c-format
+msgid "September"
+msgstr "Хадгалах"
+
+#: standalone/drakbackup:2437
+#, fuzzy, c-format
+msgid "October"
+msgstr "Бусад"
+
+#: standalone/drakbackup:2437
+#, fuzzy, c-format
+msgid "November"
+msgstr "Утасны дугаар"
+
+#: standalone/drakbackup:2437
+#, c-format
+msgid "December"
+msgstr ""
+
+#: standalone/drakbackup:2442
+#, fuzzy, c-format
+msgid "Sunday"
+msgstr "Дууны карт"
+
+#: standalone/drakbackup:2442
+#, fuzzy, c-format
+msgid "Monday"
+msgstr "Өөрчлөх"
+
+#: standalone/drakbackup:2442
+#, fuzzy, c-format
+msgid "Tuesday"
+msgstr "Турк"
+
+#: standalone/drakbackup:2443
+#, c-format
+msgid "Wednesday"
+msgstr ""
+
+#: standalone/drakbackup:2443
+#, c-format
+msgid "Thursday"
+msgstr ""
+
+#: standalone/drakbackup:2443
+#, c-format
+msgid "Friday"
+msgstr ""
+
+#: standalone/drakbackup:2443
+#, c-format
+msgid "Saturday"
+msgstr ""
+
+#: standalone/drakbackup:2478
+#, c-format
+msgid "Use daemon"
+msgstr ""
+
+#: standalone/drakbackup:2483
+#, fuzzy, c-format
+msgid "Please choose the time interval between each backup"
+msgstr ""
+"Нөөцлөх зөөврийн төхөөрөмжөө\n"
+"сонгоно уу."
+
+#: standalone/drakbackup:2489
+#, c-format
+msgid "Custom setup/crontab entry:"
+msgstr ""
+
+#: standalone/drakbackup:2494
+#, fuzzy, c-format
+msgid "Minute"
+msgstr "%d минут"
+
+#: standalone/drakbackup:2498
+#, c-format
+msgid "Hour"
+msgstr ""
+
+#: standalone/drakbackup:2502
+#, c-format
+msgid "Day"
+msgstr ""
+
+#: standalone/drakbackup:2506
+#, fuzzy, c-format
+msgid "Month"
+msgstr "Дискийн төхөөрөмж холбох"
+
+#: standalone/drakbackup:2510
+#, c-format
+msgid "Weekday"
+msgstr ""
+
+#: standalone/drakbackup:2516
+#, fuzzy, c-format
+msgid "Please choose the media for backup."
+msgstr ""
+"Нөөцлөх зөөврийн төхөөрөмжөө\n"
+"сонгоно уу."
+
+#: standalone/drakbackup:2523
+#, fuzzy, c-format
+msgid "Please be sure that the cron daemon is included in your services."
+msgstr "бол ямх г."
+
+#: standalone/drakbackup:2524
+#, fuzzy, c-format
+msgid "Note that currently all 'net' media also use the hard drive."
+msgstr "бол ямх г."
+
+#: standalone/drakbackup:2571
+#, c-format
+msgid "Use tar and bzip2 (rather than tar and gzip)"
+msgstr ""
+
+#: standalone/drakbackup:2572
+#, fuzzy, c-format
+msgid "Use .backupignore files"
+msgstr "бусад"
+
+#: standalone/drakbackup:2574
+#, fuzzy, c-format
+msgid "Send mail report after each backup to:"
+msgstr "Илгээх:"
+
+#: standalone/drakbackup:2580
+#, c-format
+msgid "SMTP server for mail:"
+msgstr ""
+
+#: standalone/drakbackup:2585
+#, fuzzy, c-format
+msgid "Delete Hard Drive tar files after backup to other media."
+msgstr "Устгах Erfitt бусад."
+
+#: standalone/drakbackup:2624
+#, c-format
+msgid "What"
+msgstr ""
+
+#: standalone/drakbackup:2629
+#, fuzzy, c-format
+msgid "Where"
+msgstr "Хаана"
+
+#: standalone/drakbackup:2634
+#, c-format
+msgid "When"
+msgstr ""
+
+#: standalone/drakbackup:2639
+#, fuzzy, c-format
+msgid "More Options"
+msgstr "Нэмэлт сонголтууд"
+
+#: standalone/drakbackup:2651
+#, fuzzy, c-format
+msgid "Backup destination not configured..."
+msgstr "Сүлжээний ажиллагаа тохируулагдаагүй"
+
+#: standalone/drakbackup:2667 standalone/drakbackup:4731
+#, c-format
+msgid "Drakbackup Configuration"
+msgstr ""
+
+#: standalone/drakbackup:2684
+#, c-format
+msgid "Please choose where you want to backup"
+msgstr "Хаан нөөцлөхөө сонгон уу"
+
+#: standalone/drakbackup:2686
+#, fuzzy, c-format
+msgid "Hard Drive used to prepare backups for all media"
+msgstr "Устгах Erfitt бусад."
+
+#: standalone/drakbackup:2694
+#, fuzzy, c-format
+msgid "Across Network"
+msgstr "Сүлжээ даяар"
+
+#: standalone/drakbackup:2702
+#, fuzzy, c-format
+msgid "On CD-R"
+msgstr "CDROM дээр"
+
+#: standalone/drakbackup:2710
+#, fuzzy, c-format
+msgid "On Tape Device"
+msgstr "Нээх"
+
+#: standalone/drakbackup:2738
+#, c-format
+msgid "Please select media for backup..."
+msgstr ""
+
+#: standalone/drakbackup:2760
+#, fuzzy, c-format
+msgid "Backup Users"
+msgstr "Нөөцлөлт"
+
+#: standalone/drakbackup:2761
+#, fuzzy, c-format
+msgid " (Default is all users)"
+msgstr "с"
+
+#: standalone/drakbackup:2773
+#, fuzzy, c-format
+msgid "Please choose what you want to backup"
+msgstr "вы"
+
+#: standalone/drakbackup:2774
+#, fuzzy, c-format
+msgid "Backup System"
+msgstr "Системийг нөөцлөх"
+
+#: standalone/drakbackup:2776
+#, fuzzy, c-format
+msgid "Select user manually"
+msgstr "Сонгох"
+
+#: standalone/drakbackup:2805
+#, c-format
+msgid "Please select data to backup..."
+msgstr ""
+
+#: standalone/drakbackup:2879
+#, c-format
+msgid ""
+"\n"
+"Backup Sources: \n"
+msgstr ""
+
+#: standalone/drakbackup:2880
+#, fuzzy, c-format
+msgid ""
+"\n"
+"- System Files:\n"
+msgstr "г Систем Файлууд"
+
+#: standalone/drakbackup:2882
+#, fuzzy, c-format
+msgid ""
+"\n"
+"- User Files:\n"
+msgstr "г Хэрэглэгч Файлууд"
+
+#: standalone/drakbackup:2884
+#, fuzzy, c-format
+msgid ""
+"\n"
+"- Other Files:\n"
+msgstr "г Бусад Файлууд"
+
+#: standalone/drakbackup:2886
+#, fuzzy, c-format
+msgid ""
+"\n"
+"- Save on Hard drive on path: %s\n"
+msgstr "г Хадгалах Erfitt с"
+
+#: standalone/drakbackup:2887
+#, c-format
+msgid "\tLimit disk usage to %s MB\n"
+msgstr ""
+
+#: standalone/drakbackup:2890
+#, fuzzy, c-format
+msgid ""
+"\n"
+"- Delete hard drive tar files after backup.\n"
+msgstr "г Устгах"
+
+#: standalone/drakbackup:2894
+#, c-format
+msgid "NO"
+msgstr ""
+
+#: standalone/drakbackup:2895
+#, c-format
+msgid "YES"
+msgstr ""
+
+#: standalone/drakbackup:2896
+#, c-format
+msgid ""
+"\n"
+"- Burn to CD"
+msgstr ""
+"\n"
+"- CD рүү шарах"
+
+#: standalone/drakbackup:2897
+#, c-format
+msgid "RW"
+msgstr ""
+
+#: standalone/drakbackup:2898
+#, c-format
+msgid " on device: %s"
+msgstr " төхөөрөмж дээр: %s"
+
+#: standalone/drakbackup:2899
+#, c-format
+msgid " (multi-session)"
+msgstr ""
+
+#: standalone/drakbackup:2900
+#, c-format
+msgid ""
+"\n"
+"- Save to Tape on device: %s"
+msgstr ""
+"\n"
+"- Төхөөрөмж дээрх хальс руу хадгалах: %s"
+
+#: standalone/drakbackup:2901
+#, c-format
+msgid "\t\tErase=%s"
+msgstr "\t\tАрилгах=%s"
+
+#: standalone/drakbackup:2904
+#, fuzzy, c-format
+msgid ""
+"\n"
+"- Save via %s on host: %s\n"
+msgstr "г Хадгалах с с"
+
+#: standalone/drakbackup:2905
+#, c-format
+msgid ""
+"\t\t user name: %s\n"
+"\t\t on path: %s \n"
+msgstr ""
+"\t\t Хэрэглэгчийн нэр: %s\n"
+"\t\t зам: %s \n"
+
+#: standalone/drakbackup:2906
+#, c-format
+msgid ""
+"\n"
+"- Options:\n"
+msgstr ""
+"\n"
+"- Сонголтууд:\n"
+
+#: standalone/drakbackup:2907
+#, fuzzy, c-format
+msgid "\tDo not include System Files\n"
+msgstr "Систем Файлууд"
+
+#: standalone/drakbackup:2910
+#, c-format
+msgid "\tBackups use tar and bzip2\n"
+msgstr ""
+
+#: standalone/drakbackup:2912
+#, c-format
+msgid "\tBackups use tar and gzip\n"
+msgstr ""
+
+#: standalone/drakbackup:2915
+#, fuzzy, c-format
+msgid "\tUse .backupignore files\n"
+msgstr "бусад"
+
+#: standalone/drakbackup:2916
+#, c-format
+msgid "\tSend mail to %s\n"
+msgstr ""
+
+#: standalone/drakbackup:2917
+#, fuzzy, c-format
+msgid "\tUsing SMTP server %s\n"
+msgstr "\"%s\" CUPS сервер дээр"
+
+#: standalone/drakbackup:2919
+#, fuzzy, c-format
+msgid ""
+"\n"
+"- Daemon, %s via:\n"
+msgstr "г с"
+
+#: standalone/drakbackup:2920
+#, fuzzy, c-format
+msgid "\t-Hard drive.\n"
+msgstr "Erfitt"
+
+#: standalone/drakbackup:2921
+#, fuzzy, c-format
+msgid "\t-CD-R.\n"
+msgstr "\t-CDROM.\n"
+
+#: standalone/drakbackup:2922
+#, c-format
+msgid "\t-Tape \n"
+msgstr ""
+
+#: standalone/drakbackup:2923
+#, fuzzy, c-format
+msgid "\t-Network by FTP.\n"
+msgstr "Сүлжээ"
+
+#: standalone/drakbackup:2924
+#, fuzzy, c-format
+msgid "\t-Network by SSH.\n"
+msgstr "Сүлжээ"
+
+#: standalone/drakbackup:2925
+#, fuzzy, c-format
+msgid "\t-Network by rsync.\n"
+msgstr "Сүлжээ"
+
+#: standalone/drakbackup:2926
+#, fuzzy, c-format
+msgid "\t-Network by webdav.\n"
+msgstr "Сүлжээ"
+
+#: standalone/drakbackup:2928
+#, fuzzy, c-format
+msgid "No configuration, please click Wizard or Advanced.\n"
+msgstr "Үгүй Туслагч Өргөтгөсөн"
+
+#: standalone/drakbackup:2933
+#, c-format
+msgid ""
+"List of data to restore:\n"
+"\n"
+msgstr ""
+"Сэргээх өгөгдөлүүдийн жагсаалт:\n"
+"\n"
+
+#: standalone/drakbackup:2935
+#, fuzzy, c-format
+msgid "- Restore System Files.\n"
+msgstr "г Систем Файлууд"
+
+#: standalone/drakbackup:2937 standalone/drakbackup:2947
+#, c-format
+msgid " - from date: %s %s\n"
+msgstr ""
+
+#: standalone/drakbackup:2940
+#, fuzzy, c-format
+msgid "- Restore User Files: \n"
+msgstr "г Хэрэглэгч Файлууд"
+
+#: standalone/drakbackup:2945
+#, fuzzy, c-format
+msgid "- Restore Other Files: \n"
+msgstr "г Бусад Файлууд"
+
+#: standalone/drakbackup:3121
+#, c-format
+msgid ""
+"List of data corrupted:\n"
+"\n"
+msgstr ""
+"Гэмтсэн өгөгдөлүүдийн жагсаалт:\n"
+"\n"
+
+#: standalone/drakbackup:3123
+#, fuzzy, c-format
+msgid "Please uncheck or remove it on next time."
+msgstr "Нээх."
+
+#: standalone/drakbackup:3133
+#, fuzzy, c-format
+msgid "Backup files are corrupted"
+msgstr "Нөөцлөлт"
+
+#: standalone/drakbackup:3154
+#, fuzzy, c-format
+msgid " All of your selected data have been "
+msgstr "Бүх аас "
+
+#: standalone/drakbackup:3155
+#, fuzzy, c-format
+msgid " Successfuly Restored on %s "
+msgstr "Нээх "
+
+#: standalone/drakbackup:3270
+#, c-format
+msgid " Restore Configuration "
+msgstr " Сэргээх Тохируулга "
+
+#: standalone/drakbackup:3298
+#, c-format
+msgid "OK to restore the other files."
+msgstr "Ок бусад файлуудыг сэргээ."
+
+#: standalone/drakbackup:3316
+#, fuzzy, c-format
+msgid "User list to restore (only the most recent date per user is important)"
+msgstr "Хэрэглэгч жигсаалт бол"
+
+#: standalone/drakbackup:3382
+#, fuzzy, c-format
+msgid "Please choose the date to restore:"
+msgstr "Хэрэглэх хэлээ сонгоно уу"
+
+#: standalone/drakbackup:3420
+#, fuzzy, c-format
+msgid "Restore from Hard Disk."
+msgstr "Сэргээх Erfitt."
+
+#: standalone/drakbackup:3422
+#, c-format
+msgid "Enter the directory where backups are stored"
+msgstr ""
+
+#: standalone/drakbackup:3478
+#, fuzzy, c-format
+msgid "Select another media to restore from"
+msgstr "Сонгох"
+
+#: standalone/drakbackup:3480
+#, fuzzy, c-format
+msgid "Other Media"
+msgstr "Бусад"
+
+#: standalone/drakbackup:3485
+#, fuzzy, c-format
+msgid "Restore system"
+msgstr "Сэргээх"
+
+#: standalone/drakbackup:3486
+#, fuzzy, c-format
+msgid "Restore Users"
+msgstr "Сэргээх"
+
+#: standalone/drakbackup:3487
+#, fuzzy, c-format
+msgid "Restore Other"
+msgstr "Сэргээх"
+
+#: standalone/drakbackup:3489
+#, fuzzy, c-format
+msgid "select path to restore (instead of /)"
+msgstr "аас"
+
+#: standalone/drakbackup:3493
+#, c-format
+msgid "Do new backup before restore (only for incremental backups.)"
+msgstr ""
+"Сэргээхийн өмнө шинэ нөөцлөлт хийх (зөвхөн өсөлттэй нөөцлөлтүүдийн хувьд.)"
+
+#: standalone/drakbackup:3495
+#, fuzzy, c-format
+msgid "Remove user directories before restore."
+msgstr "Устгах."
+
+#: standalone/drakbackup:3575
+#, c-format
+msgid "Filename text substring to search for (empty string matches all):"
+msgstr ""
+
+#: standalone/drakbackup:3578
+#, c-format
+msgid "Search Backups"
+msgstr ""
+
+#: standalone/drakbackup:3597
+#, fuzzy, c-format
+msgid "No matches found..."
+msgstr "Үгүй Зураг"
+
+#: standalone/drakbackup:3601
+#, fuzzy, c-format
+msgid "Restore Selected"
+msgstr "Сэргээх"
+
+#: standalone/drakbackup:3735
+#, c-format
+msgid ""
+"Click date/time to see backup files.\n"
+"Ctrl-Click files to select multiple files."
+msgstr ""
+
+#: standalone/drakbackup:3741
+#, fuzzy, c-format
+msgid ""
+"Restore Selected\n"
+"Catalog Entry"
+msgstr "Сэргээх"
+
+#: standalone/drakbackup:3750
+#, fuzzy, c-format
+msgid ""
+"Restore Selected\n"
+"Files"
+msgstr "Сэргээх"
+
+#: standalone/drakbackup:3766
+#, c-format
+msgid ""
+"Change\n"
+"Restore Path"
+msgstr ""
+"Сэргээх замыг\n"
+"өөрчлөх"
+
+#: standalone/drakbackup:3833
+#, fuzzy, c-format
+msgid "Backup files not found at %s."
+msgstr "с."
+
+#: standalone/drakbackup:3846
+#, fuzzy, c-format
+msgid "Restore From CD"
+msgstr "Сэргээх Илгээгч"
+
+#: standalone/drakbackup:3846
+#, fuzzy, c-format
+msgid ""
+"Insert the CD with volume label %s\n"
+" in the CD drive under mount point /mnt/cdrom"
+msgstr ""
+"Оруулах CD Бичээс с\n"
+" ямх CD Цэг"
+
+#: standalone/drakbackup:3848
+#, fuzzy, c-format
+msgid "Not the correct CD label. Disk is labelled %s."
+msgstr "CD Бичээс бол с."
+
+#: standalone/drakbackup:3858
+#, fuzzy, c-format
+msgid "Restore From Tape"
+msgstr "Сэргээх Илгээгч"
+
+#: standalone/drakbackup:3858
+#, fuzzy, c-format
+msgid ""
+"Insert the tape with volume label %s\n"
+" in the tape drive device %s"
+msgstr ""
+"Оруулах Бичээс с\n"
+" ямх"
+
+#: standalone/drakbackup:3860
+#, c-format
+msgid "Not the correct tape label. Tape is labelled %s."
+msgstr ""
+
+#: standalone/drakbackup:3871
+#, fuzzy, c-format
+msgid "Restore Via Network"
+msgstr "Сэргээх"
+
+#: standalone/drakbackup:3871
+#, fuzzy, c-format
+msgid "Restore Via Network Protocol: %s"
+msgstr "Сэргээх Сүлжээ"
+
+#: standalone/drakbackup:3872
+#, c-format
+msgid "Host Name"
+msgstr "Хостын нэр"
+
+#: standalone/drakbackup:3873
+#, fuzzy, c-format
+msgid "Host Path or Module"
+msgstr "Хост Зам"
+
+#: standalone/drakbackup:3880
+#, c-format
+msgid "Password required"
+msgstr "Нууц үг шаардлагатай"
+
+#: standalone/drakbackup:3886
+#, fuzzy, c-format
+msgid "Username required"
+msgstr "Хэрэглэгчийн нэр"
+
+#: standalone/drakbackup:3889
+#, fuzzy, c-format
+msgid "Hostname required"
+msgstr "Хостын нэр"
+
+#: standalone/drakbackup:3894
+#, c-format
+msgid "Path or Module required"
+msgstr "Зам юмуу модуль шаардлагатай"
+
+#: standalone/drakbackup:3907
+#, fuzzy, c-format
+msgid "Files Restored..."
+msgstr "Файлууд."
+
+#: standalone/drakbackup:3910
+#, c-format
+msgid "Restore Failed..."
+msgstr "Сэргээлт бүтэлгүйтэв..."
+
+#: standalone/drakbackup:4015 standalone/drakbackup:4031
+#, fuzzy, c-format
+msgid "%s not retrieved..."
+msgstr "с"
+
+#: standalone/drakbackup:4155 standalone/drakbackup:4228
+#, fuzzy, c-format
+msgid "Search for files to restore"
+msgstr "Сонгох"
+
+#: standalone/drakbackup:4160
+#, c-format
+msgid "Restore all backups"
+msgstr "Бүх нөөцлөлтийг сэргээх"
+
+#: standalone/drakbackup:4169
+#, fuzzy, c-format
+msgid "Custom Restore"
+msgstr "Хэрэглэгчийн"
+
+#: standalone/drakbackup:4174 standalone/drakbackup:4224
+#, fuzzy, c-format
+msgid "Restore From Catalog"
+msgstr "Сэргээх Илгээгч"
+
+#: standalone/drakbackup:4196
+#, c-format
+msgid "Unable to find backups to restore...\n"
+msgstr ""
+
+#: standalone/drakbackup:4197
+#, fuzzy, c-format
+msgid "Verify that %s is the correct path"
+msgstr "Энэ зөв тохиргоо юу?"
+
+#: standalone/drakbackup:4198
+#, c-format
+msgid " and the CD is in the drive"
+msgstr ""
+
+#: standalone/drakbackup:4200
+#, c-format
+msgid "Backups on unmountable media - Use Catalog to restore"
+msgstr ""
+
+#: standalone/drakbackup:4216
+#, fuzzy, c-format
+msgid "CD in place - continue."
+msgstr "CD ямх."
+
+#: standalone/drakbackup:4221
+#, fuzzy, c-format
+msgid "Browse to new restore repository."
+msgstr "Сонгох шинэ."
+
+#: standalone/drakbackup:4258
+#, fuzzy, c-format
+msgid "Restore Progress"
+msgstr "Сэргээх"
+
+#: standalone/drakbackup:4292 standalone/drakbackup:4404
+#: standalone/logdrake:175
+#, c-format
+msgid "Save"
+msgstr "Хадгалах"
+
+#: standalone/drakbackup:4378
+#, c-format
+msgid "Build Backup"
+msgstr "Нөөц хийх"
+
+#: standalone/drakbackup:4430 standalone/drakbackup:4829
+#, fuzzy, c-format
+msgid "Restore"
+msgstr "Сэргээх"
+
+#: standalone/drakbackup:4600
+#, c-format
+msgid "The following packages need to be installed:\n"
+msgstr ""
+
+#: standalone/drakbackup:4622
+#, c-format
+msgid "Please select data to restore..."
+msgstr ""
+
+#: standalone/drakbackup:4662
+#, fuzzy, c-format
+msgid "Backup system files"
+msgstr "Нөөцлөлт"
+
+#: standalone/drakbackup:4665
+#, fuzzy, c-format
+msgid "Backup user files"
+msgstr "Нөөцлөлт"
+
+#: standalone/drakbackup:4668
+#, fuzzy, c-format
+msgid "Backup other files"
+msgstr "бусад"
+
+#: standalone/drakbackup:4671 standalone/drakbackup:4707
+#, fuzzy, c-format
+msgid "Total Progress"
+msgstr "Нийт"
+
+#: standalone/drakbackup:4699
+#, c-format
+msgid "Sending files by FTP"
+msgstr ""
+
+#: standalone/drakbackup:4702
+#, c-format
+msgid "Sending files..."
+msgstr "Файлууд илгээж байна..."
+
+#: standalone/drakbackup:4772
+#, c-format
+msgid "Backup Now from configuration file"
+msgstr "Одоо тохируулгын файлаас нөөц хийх"
+
+#: standalone/drakbackup:4777
+#, fuzzy, c-format
+msgid "View Backup Configuration."
+msgstr "Харагдац Тоноглол."
+
+#: standalone/drakbackup:4803
+#, c-format
+msgid "Wizard Configuration"
+msgstr "Туслагчийн Тохируулга"
+
+#: standalone/drakbackup:4808
+#, c-format
+msgid "Advanced Configuration"
+msgstr "Нэмэлт тохируулга"
+
+#: standalone/drakbackup:4813
+#, fuzzy, c-format
+msgid "View Configuration"
+msgstr "Тоноглол"
+
+#: standalone/drakbackup:4817
+#, c-format
+msgid "View Last Log"
+msgstr ""
+
+#: standalone/drakbackup:4822
+#, fuzzy, c-format
+msgid "Backup Now"
+msgstr "Нөөцлөлт"
+
+#: standalone/drakbackup:4826
+#, fuzzy, c-format
+msgid ""
+"No configuration file found \n"
+"please click Wizard or Advanced."
+msgstr "Үгүй Туслагч Өргөтгөсөн."
+
+#: standalone/drakbackup:4858 standalone/drakbackup:4865
+#, c-format
+msgid "Drakbackup"
+msgstr ""
+
+#: standalone/drakboot:56
+#, fuzzy, c-format
+msgid "Graphical boot theme selection"
+msgstr "Хэвлэгч"
+
+#: standalone/drakboot:56
+#, c-format
+msgid "System mode"
+msgstr "Системийн горим"
+
+#: standalone/drakboot:66 standalone/drakfloppy:46 standalone/harddrake2:97
+#: standalone/harddrake2:98 standalone/logdrake:70 standalone/printerdrake:150
+#: standalone/printerdrake:151 standalone/printerdrake:152
+#, fuzzy, c-format
+msgid "/_File"
+msgstr "/_Файл"
+
+#: standalone/drakboot:67 standalone/drakfloppy:47 standalone/logdrake:76
+#, fuzzy, c-format
+msgid "/File/_Quit"
+msgstr "/Файл/_Дуусгах"
+
+#: standalone/drakboot:67 standalone/drakfloppy:47 standalone/harddrake2:98
+#: standalone/logdrake:76 standalone/printerdrake:152
+#, c-format
+msgid "<control>Q"
+msgstr "<control>Q"
+
+#: standalone/drakboot:118
+#, c-format
+msgid "Install themes"
+msgstr ""
+
+#: standalone/drakboot:119
+#, fuzzy, c-format
+msgid "Create new theme"
+msgstr "шинэ"
+
+#: standalone/drakboot:133
+#, c-format
+msgid "Use graphical boot"
+msgstr ""
+
+#: standalone/drakboot:138
+#, c-format
+msgid ""
+"Your system bootloader is not in framebuffer mode. To activate graphical "
+"boot, select a graphic video mode from the bootloader configuration tool."
+msgstr ""
+
+#: standalone/drakboot:145
+#, fuzzy, c-format
+msgid "Theme"
+msgstr "Аяны нэр"
+
+#: standalone/drakboot:147
+#, c-format
+msgid ""
+"Display theme\n"
+"under console"
+msgstr ""
+
+#: standalone/drakboot:156
+#, c-format
+msgid "Launch the graphical environment when your system starts"
+msgstr ""
+
+#: standalone/drakboot:164
+#, fuzzy, c-format
+msgid "Yes, I want autologin with this (user, desktop)"
+msgstr "Тийм"
+
+#: standalone/drakboot:165
+#, c-format
+msgid "No, I don't want autologin"
+msgstr "Үгүй, би автомат нэвтрэлтийг хэрэглэмээргүй байна"
+
+#: standalone/drakboot:171
+#, fuzzy, c-format
+msgid "Default user"
+msgstr "Үндсэн хэвлэгч"
+
+#: standalone/drakboot:172
+#, fuzzy, c-format
+msgid "Default desktop"
+msgstr "Стандарт"
+
+#: standalone/drakboot:236
+#, fuzzy, c-format
+msgid "Installation of %s failed. The following error occured:"
+msgstr "аас с:"
+
+#: standalone/drakbug:40
+#, fuzzy, c-format
+msgid ""
+"To submit a bug report, click on the button report.\n"
+"This will open a web browser window on %s\n"
+" where you'll find a form to fill in. The information displayed above will "
+"be \n"
+"transferred to that server."
+msgstr ""
+"г Цонх\n"
+" вы ямх г"
+
+#: standalone/drakbug:48
+#, c-format
+msgid "Mandrake Bug Report Tool"
+msgstr ""
+
+#: standalone/drakbug:53
+#, c-format
+msgid "Mandrake Control Center"
+msgstr "Мандрак удирдлагын төв"
+
+#: standalone/drakbug:55
+#, c-format
+msgid "Synchronization tool"
+msgstr ""
+
+#: standalone/drakbug:56 standalone/drakbug:70 standalone/drakbug:204
+#: standalone/drakbug:206 standalone/drakbug:210
+#, c-format
+msgid "Standalone Tools"
+msgstr ""
+
+#: standalone/drakbug:57
+#, c-format
+msgid "HardDrake"
+msgstr "HardDrake"
+
+#: standalone/drakbug:58
+#, c-format
+msgid "Mandrake Online"
+msgstr ""
+
+#: standalone/drakbug:59
+#, c-format
+msgid "Menudrake"
+msgstr "Цэсдраке"
+
+#: standalone/drakbug:60
+#, c-format
+msgid "Msec"
+msgstr ""
+
+#: standalone/drakbug:61
+#, fuzzy, c-format
+msgid "Remote Control"
+msgstr "Дээд"
+
+#: standalone/drakbug:62
+#, fuzzy, c-format
+msgid "Software Manager"
+msgstr "Software"
+
+#: standalone/drakbug:63
+#, c-format
+msgid "Urpmi"
+msgstr "Urpmi"
+
+#: standalone/drakbug:64
+#, c-format
+msgid "Windows Migration tool"
+msgstr "Виндоус нэгтгэгч хэрэгсэл"
+
+#: standalone/drakbug:65
+#, c-format
+msgid "Userdrake"
+msgstr "Хэрэглэгчийн драке"
+
+#: standalone/drakbug:66
+#, fuzzy, c-format
+msgid "Configuration Wizards"
+msgstr "Тоноглол"
+
+#: standalone/drakbug:84
+#, c-format
+msgid ""
+"To submit a bug report, click the report button, which will open your "
+"default browser\n"
+"to Anthill where you will be able to upload the above information as a bug "
+"report."
+msgstr ""
+
+#: standalone/drakbug:102
+#, c-format
+msgid "Application:"
+msgstr "Програм:"
+
+#: standalone/drakbug:103 standalone/drakbug:115
+#, c-format
+msgid "Package: "
+msgstr "Багц: "
+
+#: standalone/drakbug:104
+#, c-format
+msgid "Kernel:"
+msgstr ""
+
+#: standalone/drakbug:105 standalone/drakbug:116
+#, c-format
+msgid "Release: "
+msgstr "Хэвлэл:"
+
+#: standalone/drakbug:110
+#, c-format
+msgid ""
+"Application Name\n"
+"or Full Path:"
+msgstr ""
+
+#: standalone/drakbug:113
+#, fuzzy, c-format
+msgid "Find Package"
+msgstr "Тааруухан багц"
+
+#: standalone/drakbug:117
+#, fuzzy, c-format
+msgid "Summary: "
+msgstr "Дүгнэлт"
+
+#: standalone/drakbug:129
+#, c-format
+msgid "YOUR TEXT HERE"
+msgstr ""
+
+#: standalone/drakbug:132
+#, c-format
+msgid "Bug Description/System Information"
+msgstr ""
+
+#: standalone/drakbug:136
+#, fuzzy, c-format
+msgid "Submit kernel version"
+msgstr "цөмийн хувилбар"
+
+#: standalone/drakbug:137
+#, c-format
+msgid "Submit cpuinfo"
+msgstr ""
+
+#: standalone/drakbug:138
+#, c-format
+msgid "Submit lspci"
+msgstr ""
+
+#: standalone/drakbug:159
+#, c-format
+msgid "Report"
+msgstr ""
+
+#: standalone/drakbug:219
+#, c-format
+msgid "Not installed"
+msgstr ""
+
+#: standalone/drakbug:231
+#, fuzzy, c-format
+msgid "Package not installed"
+msgstr "Пакет"
+
+#: standalone/drakbug:248
+#, c-format
+msgid "NOT FOUND"
+msgstr ""
+
+#: standalone/drakbug:259
+#, fuzzy, c-format
+msgid "connecting to %s ..."
+msgstr "Ажиллуулж байна с."
+
+#: standalone/drakbug:267
+#, fuzzy, c-format
+msgid "No browser available! Please install one"
+msgstr "Үгүй"
+
+#: standalone/drakbug:286
+#, fuzzy, c-format
+msgid "Please enter a package name."
+msgstr "нэр."
+
+#: standalone/drakbug:292
+#, fuzzy, c-format
+msgid "Please enter summary text."
+msgstr "нэр."
+
+#: standalone/drakclock:29
+#, c-format
+msgid "DrakClock"
+msgstr ""
+
+#: standalone/drakclock:36
+#, fuzzy, c-format
+msgid "Change Time Zone"
+msgstr "Цагийн бүс"
+
+#: standalone/drakclock:42
+#, c-format
+msgid "Timezone - DrakClock"
+msgstr ""
+
+#: standalone/drakclock:44
+#, c-format
+msgid "GMT - DrakClock"
+msgstr ""
+
+#: standalone/drakclock:44
+#, fuzzy, c-format
+msgid "Is your hardware clock set to GMT?"
+msgstr "Hardware"
+
+#: standalone/drakclock:71
+#, fuzzy, c-format
+msgid "Network Time Protocol"
+msgstr "Сүлжээ"
+
+#: standalone/drakclock:73
+#, c-format
+msgid ""
+"Your computer can synchronize its clock\n"
+" with a remote time server using NTP"
+msgstr ""
+
+#: standalone/drakclock:74
+#, fuzzy, c-format
+msgid "Enable Network Time Protocol"
+msgstr "Сэргээх Сүлжээ"
+
+#: standalone/drakclock:82
+#, fuzzy, c-format
+msgid "Server:"
+msgstr "Сервер "
+
+#: standalone/drakclock:125 standalone/drakclock:137
+#, fuzzy, c-format
+msgid "Reset"
+msgstr "Тест"
+
+#: standalone/drakclock:200
+#, c-format
+msgid ""
+"We need to install ntp package\n"
+" to enable Network Time Protocol\n"
+"\n"
+"Do you want to install ntp ?"
+msgstr ""
+
+#: standalone/drakconnect:78
+#, fuzzy, c-format
+msgid "Network configuration (%d adapters)"
+msgstr "Сүлжээ"
+
+#: standalone/drakconnect:89 standalone/drakconnect:686
+#, c-format
+msgid "Gateway:"
+msgstr "Гарц:"
+
+#: standalone/drakconnect:89 standalone/drakconnect:686
+#, c-format
+msgid "Interface:"
+msgstr "Харагдалт:"
+
+#: standalone/drakconnect:93 standalone/net_monitor:105
+#, fuzzy, c-format
+msgid "Wait please"
+msgstr "Хүлээх"
+
+#: standalone/drakconnect:113
+#, c-format
+msgid "Interface"
+msgstr "Харагдац"
+
+#: standalone/drakconnect:113 standalone/drakconnect:502
+#: standalone/drakvpn:1136
+#, c-format
+msgid "Protocol"
+msgstr ""
+
+#: standalone/drakconnect:113
+#, fuzzy, c-format
+msgid "Driver"
+msgstr "Драйвер"
+
+#: standalone/drakconnect:113
+#, fuzzy, c-format
+msgid "State"
+msgstr "Хэсэг"
+
+#: standalone/drakconnect:130
+#, fuzzy, c-format
+msgid "Hostname: "
+msgstr "Хостын нэр "
+
+#: standalone/drakconnect:132
+#, fuzzy, c-format
+msgid "Configure hostname..."
+msgstr "Тохируулах"
+
+#: standalone/drakconnect:146 standalone/drakconnect:727
+#, c-format
+msgid "LAN configuration"
+msgstr "LAN тохиргоо"
+
+#: standalone/drakconnect:151
+#, fuzzy, c-format
+msgid "Configure Local Area Network..."
+msgstr "Тохируулах Сүлжээ."
+
+#: standalone/drakconnect:159 standalone/drakconnect:228
+#: standalone/drakconnect:232
+#, fuzzy, c-format
+msgid "Apply"
+msgstr "Батал"
+
+#: standalone/drakconnect:254 standalone/drakconnect:263
+#: standalone/drakconnect:277 standalone/drakconnect:283
+#: standalone/drakconnect:293 standalone/drakconnect:294
+#: standalone/drakconnect:540
+#, c-format
+msgid "TCP/IP"
+msgstr ""
+
+#: standalone/drakconnect:254 standalone/drakconnect:263
+#: standalone/drakconnect:277 standalone/drakconnect:421
+#: standalone/drakconnect:425 standalone/drakconnect:540
+#, fuzzy, c-format
+msgid "Account"
+msgstr "Тухай"
+
+#: standalone/drakconnect:283 standalone/drakconnect:347
+#: standalone/drakconnect:348 standalone/drakconnect:540
+#, c-format
+msgid "Wireless"
+msgstr ""
+
+#: standalone/drakconnect:325
+#, fuzzy, c-format
+msgid "DNS servers"
+msgstr "X"
+
+#: standalone/drakconnect:332
+#, fuzzy, c-format
+msgid "Search Domain"
+msgstr "Домэйн"
+
+#: standalone/drakconnect:338
+#, fuzzy, c-format
+msgid "static"
+msgstr "Автоматаар"
+
+#: standalone/drakconnect:338
+#, fuzzy, c-format
+msgid "dhcp"
+msgstr "dhcp ашиглах"
+
+#: standalone/drakconnect:457
+#, fuzzy, c-format
+msgid "Flow control"
+msgstr "<control>S"
+
+#: standalone/drakconnect:458
+#, fuzzy, c-format
+msgid "Line termination"
+msgstr "Интернэт"
+
+#: standalone/drakconnect:463
+#, c-format
+msgid "Tone dialing"
+msgstr ""
+
+#: standalone/drakconnect:463
+#, c-format
+msgid "Pulse dialing"
+msgstr ""
+
+#: standalone/drakconnect:468
+#, fuzzy, c-format
+msgid "Use lock file"
+msgstr "Файл сонгох"
+
+#: standalone/drakconnect:471
+#, fuzzy, c-format
+msgid "Modem timeout"
+msgstr "Энгийн Модем холболт"
+
+#: standalone/drakconnect:475
+#, c-format
+msgid "Wait for dialup tone before dialing"
+msgstr ""
+
+#: standalone/drakconnect:478
+#, c-format
+msgid "Busy wait"
+msgstr ""
+
+#: standalone/drakconnect:482
+#, fuzzy, c-format
+msgid "Modem sound"
+msgstr "Модем"
+
+#: standalone/drakconnect:483
+#, fuzzy, c-format
+msgid "Enable"
+msgstr "идэвхжүүлэх"
+
+#: standalone/drakconnect:483
+#, fuzzy, c-format
+msgid "Disable"
+msgstr "хаалттай"
+
+#: standalone/drakconnect:522 standalone/harddrake2:58
+#, c-format
+msgid "Media class"
+msgstr ""
+
+#: standalone/drakconnect:523 standalone/drakfloppy:140
+#, c-format
+msgid "Module name"
+msgstr "Модулын нэр"
+
+#: standalone/drakconnect:524
+#, fuzzy, c-format
+msgid "Mac Address"
+msgstr "Хаяг:"
+
+#: standalone/drakconnect:525 standalone/harddrake2:21
+#, c-format
+msgid "Bus"
+msgstr "Бус"
+
+#: standalone/drakconnect:526 standalone/harddrake2:29
+#, fuzzy, c-format
+msgid "Location on the bus"
+msgstr "Байршил"
+
+#: standalone/drakconnect:587
+#, c-format
+msgid ""
+"An unexpected error has happened:\n"
+"%s"
+msgstr ""
+
+#: standalone/drakconnect:597
+#, fuzzy, c-format
+msgid "Remove a network interface"
+msgstr "Сонгох"
+
+#: standalone/drakconnect:601
+#, fuzzy, c-format
+msgid "Select the network interface to remove:"
+msgstr "Сонгох"
+
+#: standalone/drakconnect:617
+#, fuzzy, c-format
+msgid ""
+"An error occured while deleting the \"%s\" network interface:\n"
+"\n"
+"%s"
+msgstr ""
+"Сүлжээг дахин эхлүүлж байхад алдаа тохиолдлоо\n"
+"\n"
+"%s"
+
+#: standalone/drakconnect:619
+#, c-format
+msgid ""
+"Congratulations, the \"%s\" network interface has been succesfully deleted"
+msgstr ""
+
+#: standalone/drakconnect:636
+#, c-format
+msgid "No Ip"
+msgstr ""
+
+#: standalone/drakconnect:637
+#, c-format
+msgid "No Mask"
+msgstr ""
+
+#: standalone/drakconnect:638 standalone/drakconnect:798
+#, c-format
+msgid "up"
+msgstr ""
+
+#: standalone/drakconnect:638 standalone/drakconnect:798
+#, fuzzy, c-format
+msgid "down"
+msgstr "Хийгдсэн"
+
+#: standalone/drakconnect:677 standalone/net_monitor:415
+#, c-format
+msgid "Connected"
+msgstr "Холбогдсон"
+
+#: standalone/drakconnect:677 standalone/net_monitor:415
+#, c-format
+msgid "Not connected"
+msgstr ""
+
+#: standalone/drakconnect:678
+#, c-format
+msgid "Disconnect..."
+msgstr ""
+
+#: standalone/drakconnect:678
+#, c-format
+msgid "Connect..."
+msgstr ""
+
+#: standalone/drakconnect:707
+#, fuzzy, c-format
+msgid ""
+"Warning, another Internet connection has been detected, maybe using your "
+"network"
+msgstr "Сануулга Интернэт"
+
+#: standalone/drakconnect:723
+#, fuzzy, c-format
+msgid "Deactivate now"
+msgstr "одоо идэвхгүйжүүл"
+
+#: standalone/drakconnect:723
+#, fuzzy, c-format
+msgid "Activate now"
+msgstr "одоо идэвхгүйжүүл"
+
+#: standalone/drakconnect:731
+#, fuzzy, c-format
+msgid ""
+"You don't have any configured interface.\n"
+"Configure them first by clicking on 'Configure'"
+msgstr "Та Тохируулах"
+
+#: standalone/drakconnect:745
+#, c-format
+msgid "LAN Configuration"
+msgstr "LAN Тохируулга"
+
+#: standalone/drakconnect:757
+#, fuzzy, c-format
+msgid "Adapter %s: %s"
+msgstr "с"
+
+#: standalone/drakconnect:766
+#, c-format
+msgid "Boot Protocol"
+msgstr ""
+
+#: standalone/drakconnect:767
+#, c-format
+msgid "Started on boot"
+msgstr "Ачаалахад эхэлсэн"
+
+#: standalone/drakconnect:803
+#, fuzzy, c-format
+msgid ""
+"This interface has not been configured yet.\n"
+"Run the \"Add an interface\" assistant from the Mandrake Control Center"
+msgstr "ямх"
+
+#: standalone/drakconnect:858
+#, fuzzy, c-format
+msgid ""
+"You don't have any configured Internet connection.\n"
+"Please run \"Internet access\" in control center."
+msgstr "Та Интернэт Тохируулах"
+
+#: standalone/drakconnect:866
+#, fuzzy, c-format
+msgid "Internet connection configuration"
+msgstr "Интернэт"
+
+#: standalone/drakconnect:907
+#, c-format
+msgid "Provider dns 1 (optional)"
+msgstr ""
+
+#: standalone/drakconnect:908
+#, c-format
+msgid "Provider dns 2 (optional)"
+msgstr ""
+
+#: standalone/drakconnect:921
+#, c-format
+msgid "Ethernet Card"
+msgstr ""
+
+#: standalone/drakconnect:922
+#, c-format
+msgid "DHCP Client"
+msgstr ""
+
+#: standalone/drakconnect:951
+#, c-format
+msgid "Internet Connection Configuration"
+msgstr "Интернэт холболтын тохируулга"
+
+#: standalone/drakconnect:952
+#, c-format
+msgid "Internet access"
+msgstr "Интернэт хандалт"
+
+#: standalone/drakconnect:954 standalone/net_monitor:87
+#, fuzzy, c-format
+msgid "Connection type: "
+msgstr "Холболт төрөл "
+
+#: standalone/drakconnect:957
+#, fuzzy, c-format
+msgid "Status:"
+msgstr "Төлөв:"
+
+#: standalone/drakedm:53
+#, c-format
+msgid "Choosing a display manager"
+msgstr ""
+
+#: standalone/drakedm:54
+#, fuzzy, c-format
+msgid ""
+"X11 Display Manager allows you to graphically log\n"
+"into your system with the X Window System running and supports running\n"
+"several different X sessions on your local machine at the same time."
+msgstr "X11 Менежер вы log X Цонх Систем X."
+
+#: standalone/drakedm:77
+#, fuzzy, c-format
+msgid "The change is done, do you want to restart the dm service ?"
+msgstr ""
+"Сүлжээг тахин эхлүүлэх хэрэгтэй. Та үүнийг дахин эхлүүлэхийг хүсэж байна уу?"
+
+#: standalone/drakfloppy:40
+#, c-format
+msgid "drakfloppy"
+msgstr "drakfloppy"
+
+#: standalone/drakfloppy:82
+#, fuzzy, c-format
+msgid "Boot disk creation"
+msgstr "Дээд"
+
+#: standalone/drakfloppy:83
+#, fuzzy, c-format
+msgid "General"
+msgstr "Ерөнхий"
+
+#: standalone/drakfloppy:86
+#, fuzzy, c-format
+msgid "Device"
+msgstr "Төхөөрөмж: "
+
+#: standalone/drakfloppy:92
+#, fuzzy, c-format
+msgid "Kernel version"
+msgstr "цөмийн хувилбар"
+
+#: standalone/drakfloppy:107
+#, c-format
+msgid "Preferences"
+msgstr ""
+
+#: standalone/drakfloppy:121
+#, fuzzy, c-format
+msgid "Advanced preferences"
+msgstr "Өргөтгөсөн тохируулгууд"
+
+#: standalone/drakfloppy:140
+#, c-format
+msgid "Size"
+msgstr "Хэмжээ"
+
+#: standalone/drakfloppy:143
+#, c-format
+msgid "Mkinitrd optional arguments"
+msgstr ""
+
+#: standalone/drakfloppy:145
+#, c-format
+msgid "force"
+msgstr ""
+
+#: standalone/drakfloppy:146
+#, c-format
+msgid "omit raid modules"
+msgstr ""
+
+#: standalone/drakfloppy:147
+#, c-format
+msgid "if needed"
+msgstr "хэрэгтэй болвол"
+
+#: standalone/drakfloppy:148
+#, c-format
+msgid "omit scsi modules"
+msgstr "omit scsi модулиуд"
+
+#: standalone/drakfloppy:151
+#, c-format
+msgid "Add a module"
+msgstr "Модуль нэмэх"
+
+#: standalone/drakfloppy:160
+#, c-format
+msgid "Remove a module"
+msgstr "Модулийг устгах"
+
+#: standalone/drakfloppy:295
+#, fuzzy, c-format
+msgid "Be sure a media is present for the device %s"
+msgstr "бол"
+
+#: standalone/drakfloppy:301
+#, fuzzy, c-format
+msgid ""
+"There is no medium or it is write-protected for device %s.\n"
+"Please insert one."
+msgstr "бол үгүй бол с."
+
+#: standalone/drakfloppy:305
+#, c-format
+msgid "Unable to fork: %s"
+msgstr ""
+
+#: standalone/drakfloppy:308
+#, fuzzy, c-format
+msgid "Floppy creation completed"
+msgstr "Холболт."
+
+#: standalone/drakfloppy:308
+#, c-format
+msgid "The creation of the boot floppy has been successfully completed \n"
+msgstr ""
+
+#: standalone/drakfloppy:311
+#, fuzzy, c-format
+msgid ""
+"Unable to properly close mkbootdisk:\n"
+"\n"
+"<span foreground=\"Red\"><tt>%s</tt></span>"
+msgstr ""
+"mkbootdisk-г зөв хааж болохгүй байна: \n"
+" %s \n"
+" %s"
+
+#: standalone/drakfont:181
+#, c-format
+msgid "Search installed fonts"
+msgstr "Суулгагдсан бичгийн хэвүүдийг хайх"
+
+#: standalone/drakfont:183
+#, fuzzy, c-format
+msgid "Unselect fonts installed"
+msgstr "Сонголтыг болих"
+
+#: standalone/drakfont:206
+#, c-format
+msgid "parse all fonts"
+msgstr ""
+
+#: standalone/drakfont:208
+#, fuzzy, c-format
+msgid "No fonts found"
+msgstr "фонтууд одсонгүй"
+
+#: standalone/drakfont:216 standalone/drakfont:256 standalone/drakfont:323
+#: standalone/drakfont:356 standalone/drakfont:364 standalone/drakfont:390
+#: standalone/drakfont:408 standalone/drakfont:422
+#, fuzzy, c-format
+msgid "done"
+msgstr "Хийгдсэн"
+
+#: standalone/drakfont:221
+#, fuzzy, c-format
+msgid "Could not find any font in your mounted partitions"
+msgstr "ямх"
+
+#: standalone/drakfont:254
+#, c-format
+msgid "Reselect correct fonts"
+msgstr ""
+
+#: standalone/drakfont:257
+#, fuzzy, c-format
+msgid "Could not find any font.\n"
+msgstr "Та"
+
+#: standalone/drakfont:267
+#, fuzzy, c-format
+msgid "Search for fonts in installed list"
+msgstr "Хайх ямх"
+
+#: standalone/drakfont:292
+#, fuzzy, c-format
+msgid "%s fonts conversion"
+msgstr "с"
+
+#: standalone/drakfont:321
+#, fuzzy, c-format
+msgid "Fonts copy"
+msgstr "Фонтууд"
+
+#: standalone/drakfont:324
+#, fuzzy, c-format
+msgid "True Type fonts installation"
+msgstr "Үнэн Төрөл"
+
+#: standalone/drakfont:331
+#, c-format
+msgid "please wait during ttmkfdir..."
+msgstr ""
+
+#: standalone/drakfont:332
+#, fuzzy, c-format
+msgid "True Type install done"
+msgstr "Үнэн Төрөл"
+
+#: standalone/drakfont:338 standalone/drakfont:353
+#, c-format
+msgid "type1inst building"
+msgstr ""
+
+#: standalone/drakfont:347
+#, fuzzy, c-format
+msgid "Ghostscript referencing"
+msgstr "GhostScript"
+
+#: standalone/drakfont:357
+#, c-format
+msgid "Suppress Temporary Files"
+msgstr ""
+
+#: standalone/drakfont:360
+#, fuzzy, c-format
+msgid "Restart XFS"
+msgstr "Шинээр эхлэх"
+
+#: standalone/drakfont:406 standalone/drakfont:416
+#, fuzzy, c-format
+msgid "Suppress Fonts Files"
+msgstr "Фонтууд"
+
+#: standalone/drakfont:418
+#, c-format
+msgid "xfs restart"
+msgstr ""
+
+#: standalone/drakfont:426
+#, fuzzy, c-format
+msgid ""
+"Before installing any fonts, be sure that you have the right to use and "
+"install them on your system.\n"
+"\n"
+"-You can install the fonts the normal way. In rare cases, bogus fonts may "
+"hang up your X Server."
+msgstr "вы баруун г г Та Томоор X Сервер."
+
+#: standalone/drakfont:474 standalone/drakfont:483
+#, c-format
+msgid "DrakFont"
+msgstr ""
+
+#: standalone/drakfont:484
+#, c-format
+msgid "Font List"
+msgstr "Фонтын жагсаалт"
+
+#: standalone/drakfont:490
+#, fuzzy, c-format
+msgid "About"
+msgstr "Тухай"
+
+#: standalone/drakfont:492 standalone/drakfont:681 standalone/drakfont:719
+#, fuzzy, c-format
+msgid "Uninstall"
+msgstr "Фонтуудыг устгах"
+
+#: standalone/drakfont:493
+#, fuzzy, c-format
+msgid "Import"
+msgstr "Цонтууд импортлох"
+
+#: standalone/drakfont:509
+#, c-format
+msgid ""
+"Copyright (C) 2001-2002 by MandrakeSoft \n"
+"\n"
+"\n"
+" DUPONT Sebastien (original version)\n"
+"\n"
+" CHAUMETTE Damien <dchaumette@mandrakesoft.com>\n"
+"\n"
+" VIGNAUD Thierry <tvignaud@mandrakesoft.com>"
+msgstr ""
+
+#: standalone/drakfont:518
+#, fuzzy, c-format
+msgid ""
+"This program is free software; you can redistribute it and/or modify\n"
+" it under the terms of the GNU General Public License as published by\n"
+" the Free Software Foundation; either version 2, or (at your option)\n"
+" any later version.\n"
+"\n"
+"\n"
+" This program is distributed in the hope that it will be useful,\n"
+" but WITHOUT ANY WARRANTY; without even the implied warranty of\n"
+" MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n"
+" GNU General Public License for more details.\n"
+"\n"
+"\n"
+" You should have received a copy of the GNU General Public License\n"
+" along with this program; if not, write to the Free Software\n"
+" Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA."
+msgstr ""
+"Программ бол вы аас Ерөнхий Нийтийн Software г Программ бол ямх аас Ерөнхий "
+"Нийтийн г аас Ерөнхий Нийтийн Программ Software"
+
+#: standalone/drakfont:534
+#, c-format
+msgid ""
+"Thanks:\n"
+"\n"
+" - pfm2afm: \n"
+"\t by Ken Borgendale:\n"
+"\t Convert a Windows .pfm file to a .afm (Adobe Font Metrics)\n"
+"\n"
+" - type1inst:\n"
+"\t by James Macnicol: \n"
+"\t type1inst generates files fonts.dir fonts.scale & Fontmap.\n"
+"\n"
+" - ttf2pt1: \n"
+"\t by Andrew Weeks, Frank Siegert, Thomas Henlich, Sergey Babkin \n"
+" Convert ttf font files to afm and pfb fonts\n"
+msgstr ""
+
+#: standalone/drakfont:553
+#, fuzzy, c-format
+msgid "Choose the applications that will support the fonts:"
+msgstr "Сонгох:"
+
+#: standalone/drakfont:554
+#, fuzzy, c-format
+msgid ""
+"Before installing any fonts, be sure that you have the right to use and "
+"install them on your system.\n"
+"\n"
+"You can install the fonts the normal way. In rare cases, bogus fonts may "
+"hang up your X Server."
+msgstr "вы баруун г г Та Томоор X Сервер."
+
+#: standalone/drakfont:564
+#, c-format
+msgid "Ghostscript"
+msgstr "GhostScript"
+
+#: standalone/drakfont:565
+#, c-format
+msgid "StarOffice"
+msgstr "StarOffice"
+
+#: standalone/drakfont:566
+#, c-format
+msgid "Abiword"
+msgstr ""
+
+#: standalone/drakfont:567
+#, c-format
+msgid "Generic Printers"
+msgstr "Ерөнхий хэвлэгчүүд"
+
+#: standalone/drakfont:583
+#, c-format
+msgid "Select the font file or directory and click on 'Add'"
+msgstr "Фонтны файл юмуу хавтасыг сонгоод 'Нэмэх' товчийг дарна уу"
+
+#: standalone/drakfont:597
+#, fuzzy, c-format
+msgid "You've not selected any font"
+msgstr "Та"
+
+#: standalone/drakfont:646
+#, fuzzy, c-format
+msgid "Import fonts"
+msgstr "Цонтууд импортлох"
+
+#: standalone/drakfont:651
+#, fuzzy, c-format
+msgid "Install fonts"
+msgstr "Суулгах жагсаалт"
+
+#: standalone/drakfont:686
+#, fuzzy, c-format
+msgid "click here if you are sure."
+msgstr "вы."
+
+#: standalone/drakfont:688
+#, fuzzy, c-format
+msgid "here if no."
+msgstr "үгүй."
+
+#: standalone/drakfont:727
+#, c-format
+msgid "Unselected All"
+msgstr ""
+
+#: standalone/drakfont:730
+#, fuzzy, c-format
+msgid "Selected All"
+msgstr "Сонгогдсон"
+
+#: standalone/drakfont:733
+#, fuzzy, c-format
+msgid "Remove List"
+msgstr "Жигсаалт устгах"
+
+#: standalone/drakfont:744 standalone/drakfont:763
+#, fuzzy, c-format
+msgid "Importing fonts"
+msgstr "Цонтууд импортлох"
+
+#: standalone/drakfont:748 standalone/drakfont:768
+#, c-format
+msgid "Initial tests"
+msgstr ""
+
+#: standalone/drakfont:749
+#, fuzzy, c-format
+msgid "Copy fonts on your system"
+msgstr "Хуулах"
+
+#: standalone/drakfont:750
+#, c-format
+msgid "Install & convert Fonts"
+msgstr ""
+
+#: standalone/drakfont:751
+#, c-format
+msgid "Post Install"
+msgstr ""
+
+#: standalone/drakfont:769
+#, fuzzy, c-format
+msgid "Remove fonts on your system"
+msgstr "Устгах"
+
+#: standalone/drakfont:770
+#, c-format
+msgid "Post Uninstall"
+msgstr ""
+
+#: standalone/drakgw:59 standalone/drakgw:190
+#, fuzzy, c-format
+msgid "Internet Connection Sharing"
+msgstr "Интернэт Холболт"
+
+#: standalone/drakgw:117 standalone/drakvpn:49
+#, fuzzy, c-format
+msgid "Sorry, we support only 2.4 and above kernels."
+msgstr "Харамсалтай нь бид зөвхөн 2.4 цөмийг дэмждэг."
+
+#: standalone/drakgw:128
+#, fuzzy, c-format
+msgid "Internet Connection Sharing currently enabled"
+msgstr "Интернэт Холболт"
+
+#: standalone/drakgw:129
+#, c-format
+msgid ""
+"The setup of Internet Connection Sharing has already been done.\n"
+"It's currently enabled.\n"
+"\n"
+"What would you like to do?"
+msgstr ""
+"Интернэт холболт хамтран эзэмшилтийн тохиргоо хийгдсэн байна.\n"
+"Энэ нь одоо боломжтой байна.\n"
+"\n"
+"Та тэгээд юу хиймээр байна?"
+
+#: standalone/drakgw:133 standalone/drakvpn:99
+#, c-format
+msgid "disable"
+msgstr ""
+
+#: standalone/drakgw:133 standalone/drakgw:162 standalone/drakvpn:99
+#: standalone/drakvpn:125
+#, c-format
+msgid "reconfigure"
+msgstr ""
+
+#: standalone/drakgw:133 standalone/drakgw:162 standalone/drakvpn:99
+#: standalone/drakvpn:125 standalone/drakvpn:372 standalone/drakvpn:731
+#, c-format
+msgid "dismiss"
+msgstr "орхих"
+
+#: standalone/drakgw:136
+#, c-format
+msgid "Disabling servers..."
+msgstr ""
+
+#: standalone/drakgw:150
+#, fuzzy, c-format
+msgid "Internet Connection Sharing is now disabled."
+msgstr "Интернэт Холболт бол хаалттай."
+
+#: standalone/drakgw:157
+#, fuzzy, c-format
+msgid "Internet Connection Sharing currently disabled"
+msgstr "Интернэт Холболт"
+
+#: standalone/drakgw:158
+#, fuzzy, c-format
+msgid ""
+"The setup of Internet connection sharing has already been done.\n"
+"It's currently disabled.\n"
+"\n"
+"What would you like to do?"
+msgstr "аас Интернэт Хийгдсэн с хаалттай г вы?"
+
+#: standalone/drakgw:162 standalone/drakvpn:125
+#, c-format
+msgid "enable"
+msgstr "идэвхжүүлэх"
+
+#: standalone/drakgw:169
+#, c-format
+msgid "Enabling servers..."
+msgstr "Серверүүдийг идэвхжүүлж байна..."
+
+#: standalone/drakgw:175
+#, c-format
+msgid "Internet Connection Sharing is now enabled."
+msgstr "Одоо интернэт холболтыг хуваалцах боломжтой болсон"
+
+#: standalone/drakgw:191
+#, fuzzy, c-format
+msgid ""
+"You are about to configure your computer to share its Internet connection.\n"
+"With that feature, other computers on your local network will be able to use "
+"this computer's Internet connection.\n"
+"\n"
+"Make sure you have configured your Network/Internet access using drakconnect "
+"before going any further.\n"
+"\n"
+"Note: you need a dedicated Network Adapter to set up a Local Area Network "
+"(LAN)."
+msgstr "Та Интернэт бусад с Интернэт г вы Сүлжээ Интернэт г вы Сүлжээ Сүлжээ."
+
+#: standalone/drakgw:211 standalone/drakvpn:210
+#, fuzzy, c-format
+msgid ""
+"Please enter the name of the interface connected to the internet.\n"
+"\n"
+"Examples:\n"
+"\t\tppp+ for modem or DSL connections, \n"
+"\t\teth0, or eth1 for cable connection, \n"
+"\t\tippp+ for a isdn connection.\n"
+msgstr "нэр аас г г Модем г г"
+
+#: standalone/drakgw:230
+#, fuzzy, c-format
+msgid "Interface %s (using module %s)"
+msgstr "Харагдац с с"
+
+#: standalone/drakgw:231
+#, fuzzy, c-format
+msgid "Interface %s"
+msgstr "Харагдац"
+
+#: standalone/drakgw:241 standalone/drakpxe:138
+#, fuzzy, c-format
+msgid ""
+"No ethernet network adapter has been detected on your system. Please run the "
+"hardware configuration tool."
+msgstr "Үгүй."
+
+#: standalone/drakgw:247
+#, fuzzy, c-format
+msgid "Network interface"
+msgstr "Сүлжээ"
+
+#: standalone/drakgw:248
+#, fuzzy, c-format
+msgid ""
+"There is only one configured network adapter on your system:\n"
+"\n"
+"%s\n"
+"\n"
+"I am about to setup your Local Area Network with that adapter."
+msgstr "бол г г с г Үдээс өмнө Сүлжээ."
+
+#: standalone/drakgw:255
+#, c-format
+msgid ""
+"Please choose what network adapter will be connected to your Local Area "
+"Network."
+msgstr "Та дотоод сүлжээндээ ямар сүлжээ адаптераар холбогдсоноо сонгоно уу."
+
+#: standalone/drakgw:283
+#, fuzzy, c-format
+msgid "Network interface already configured"
+msgstr "Сүлжээ"
+
+#: standalone/drakgw:284
+#, fuzzy, c-format
+msgid ""
+"Warning, the network adapter (%s) is already configured.\n"
+"\n"
+"Do you want an automatic re-configuration?\n"
+"\n"
+"You can do it manually but you need to know what you're doing."
+msgstr "Сануулга с бол г вы г вы вы."
+
+#: standalone/drakgw:289
+#, fuzzy, c-format
+msgid "Automatic reconfiguration"
+msgstr "Автоматаар"
+
+#: standalone/drakgw:289
+#, fuzzy, c-format
+msgid "No (experts only)"
+msgstr "Үгүй"
+
+#: standalone/drakgw:290
+#, fuzzy, c-format
+msgid "Show current interface configuration"
+msgstr "Үзүүлэх"
+
+#: standalone/drakgw:291
+#, c-format
+msgid "Current interface configuration"
+msgstr "Одооны харагдалтын тохируулга"
+
+#: standalone/drakgw:292
+#, fuzzy, c-format
+msgid ""
+"Current configuration of `%s':\n"
+"\n"
+"Network: %s\n"
+"IP address: %s\n"
+"IP attribution: %s\n"
+"Driver: %s"
+msgstr "Тухайн аас с г с с с"
+
+#: standalone/drakgw:305
+#, fuzzy, c-format
+msgid ""
+"I can keep your current configuration and assume you already set up a DHCP "
+"server; in that case please verify I correctly read the Network that you use "
+"for your local network; I will not reconfigure it and I will not touch your "
+"DHCP server configuration.\n"
+"\n"
+"The default DNS entry is the Caching Nameserver configured on the firewall. "
+"You can replace that with your ISP DNS IP, for example.\n"
+"\t\t \n"
+"Otherwise, I can reconfigure your interface and (re)configure a DHCP server "
+"for you.\n"
+"\n"
+msgstr "вы ямх Сүлжээ вы г бол Та г вы г"
+
+#: standalone/drakgw:312
+#, fuzzy, c-format
+msgid "Local Network adress"
+msgstr "Сүлжээ"
+
+#: standalone/drakgw:316
+#, fuzzy, c-format
+msgid ""
+"DHCP Server Configuration.\n"
+"\n"
+"Here you can select different options for the DHCP server configuration.\n"
+"If you don't know the meaning of an option, simply leave it as it is."
+msgstr "Сервер Тоноглол г вы вы аас бол г"
+
+#: standalone/drakgw:320
+#, fuzzy, c-format
+msgid "(This) DHCP Server IP"
+msgstr "Сервер"
+
+#: standalone/drakgw:321
+#, fuzzy, c-format
+msgid "The DNS Server IP"
+msgstr "Сервер"
+
+#: standalone/drakgw:322
+#, c-format
+msgid "The internal domain name"
+msgstr ""
+
+#: standalone/drakgw:323
+#, c-format
+msgid "The DHCP start range"
+msgstr ""
+
+#: standalone/drakgw:324
+#, c-format
+msgid "The DHCP end range"
+msgstr ""
+
+#: standalone/drakgw:325
+#, fuzzy, c-format
+msgid "The default lease (in seconds)"
+msgstr "ямх секунд"
+
+#: standalone/drakgw:326
+#, fuzzy, c-format
+msgid "The maximum lease (in seconds)"
+msgstr "ямх секунд"
+
+#: standalone/drakgw:327
+#, c-format
+msgid "Re-configure interface and DHCP server"
+msgstr ""
+
+#: standalone/drakgw:334
+#, fuzzy, c-format
+msgid "The Local Network did not finish with `.0', bailing out."
+msgstr "Сүлжээ."
+
+#: standalone/drakgw:344
+#, c-format
+msgid "Potential LAN address conflict found in current config of %s!\n"
+msgstr "%s-ийн одооны тохируулганд LAN хаягийн асуудал олдлоо!\n"
+
+#: standalone/drakgw:354
+#, c-format
+msgid "Configuring..."
+msgstr "Тохируулж байна..."
+
+#: standalone/drakgw:355
+#, c-format
+msgid "Configuring scripts, installing software, starting servers..."
+msgstr ""
+"Бичлэгүүдийг тохируулж байна, програмыг суулгаж байна, серверийг эхлүүлж "
+"байна..."
+
+#: standalone/drakgw:391 standalone/drakpxe:231 standalone/drakvpn:274
+#, c-format
+msgid "Problems installing package %s"
+msgstr ""
+
+#: standalone/drakgw:584
+#, fuzzy, c-format
+msgid ""
+"Everything has been configured.\n"
+"You may now share Internet connection with other computers on your Local "
+"Area Network, using automatic network configuration (DHCP) and\n"
+" a Transparent Proxy Cache server (SQUID)."
+msgstr "Интернэт бусад Сүлжээ."
+
+#: standalone/drakhelp:17
+#, c-format
+msgid ""
+" drakhelp 0.1\n"
+"Copyright (C) 2003-2004 MandrakeSoft.\n"
+"This is free software and may be redistributed under the terms of the GNU "
+"GPL.\n"
+"\n"
+"Usage: \n"
+msgstr ""
+
+#: standalone/drakhelp:22
+#, c-format
+msgid " --help - display this help \n"
+msgstr ""
+
+#: standalone/drakhelp:23
+#, c-format
+msgid ""
+" --id <id_label> - load the html help page which refers to id_label\n"
+msgstr ""
+
+#: standalone/drakhelp:24
+#, c-format
+msgid ""
+" --doc <link> - link to another web page ( for WM welcome "
+"frontend)\n"
+msgstr ""
+
+#: standalone/drakhelp:35
+#, c-format
+msgid ""
+"%s cannot be displayed \n"
+". No Help entry of this type\n"
+msgstr ""
+
+#: standalone/drakhelp:41
+#, fuzzy, c-format
+msgid ""
+"No browser is installed on your system, Please install one if you want to "
+"browse the help system"
+msgstr "Үгүй бол вы"
+
+#: standalone/drakperm:21
+#, fuzzy, c-format
+msgid "System settings"
+msgstr "Систем"
+
+#: standalone/drakperm:22
+#, fuzzy, c-format
+msgid "Custom settings"
+msgstr "Хэрэглэгчийн"
+
+#: standalone/drakperm:23
+#, c-format
+msgid "Custom & system settings"
+msgstr ""
+
+#: standalone/drakperm:43
+#, fuzzy, c-format
+msgid "Editable"
+msgstr "хаалттай"
+
+#: standalone/drakperm:48 standalone/drakperm:315
+#, fuzzy, c-format
+msgid "Path"
+msgstr "Зам"
+
+#: standalone/drakperm:48 standalone/drakperm:250
+#, c-format
+msgid "User"
+msgstr "Хэрэглэгч"
+
+#: standalone/drakperm:48 standalone/drakperm:250
+#, fuzzy, c-format
+msgid "Group"
+msgstr "бүлэг"
+
+#: standalone/drakperm:48 standalone/drakperm:327
+#, fuzzy, c-format
+msgid "Permissions"
+msgstr "Зөвшөөрөл"
+
+#: standalone/drakperm:107
+#, fuzzy, c-format
+msgid ""
+"Here you can see files to use in order to fix permissions, owners, and "
+"groups via msec.\n"
+"You can also edit your own rules which will owerwrite the default rules."
+msgstr "бол ямх эрх засах."
+
+#: standalone/drakperm:110
+#, c-format
+msgid ""
+"The current security level is %s.\n"
+"Select permissions to see/edit"
+msgstr ""
+
+#: standalone/drakperm:121
+#, fuzzy, c-format
+msgid "Up"
+msgstr "Дээш"
+
+#: standalone/drakperm:121
+#, fuzzy, c-format
+msgid "Move selected rule up one level"
+msgstr "Зөөх"
+
+#: standalone/drakperm:122
+#, c-format
+msgid "Down"
+msgstr "Доош"
+
+#: standalone/drakperm:122
+#, fuzzy, c-format
+msgid "Move selected rule down one level"
+msgstr "Зөөх"
+
+#: standalone/drakperm:123
+#, fuzzy, c-format
+msgid "Add a rule"
+msgstr "дүрэм нэмэх"
+
+#: standalone/drakperm:123
+#, fuzzy, c-format
+msgid "Add a new rule at the end"
+msgstr "Нэмэх шинэ"
+
+#: standalone/drakperm:124
+#, fuzzy, c-format
+msgid "Delete selected rule"
+msgstr "Устгах"
+
+#: standalone/drakperm:125 standalone/drakvpn:329 standalone/drakvpn:690
+#: standalone/printerdrake:229
+#, fuzzy, c-format
+msgid "Edit"
+msgstr "засах"
+
+#: standalone/drakperm:125
+#, fuzzy, c-format
+msgid "Edit current rule"
+msgstr "Боловсруулах"
+
+#: standalone/drakperm:242
+#, c-format
+msgid "browse"
+msgstr "зааж өгөх"
+
+#: standalone/drakperm:252
+#, fuzzy, c-format
+msgid "Read"
+msgstr "Зөвхөн-уншигдах"
+
+#: standalone/drakperm:253
+#, c-format
+msgid "Enable \"%s\" to read the file"
+msgstr ""
+
+#: standalone/drakperm:256
+#, fuzzy, c-format
+msgid "Write"
+msgstr "Хэвлэгч"
+
+#: standalone/drakperm:257
+#, c-format
+msgid "Enable \"%s\" to write the file"
+msgstr ""
+
+#: standalone/drakperm:260
+#, c-format
+msgid "Execute"
+msgstr ""
+
+#: standalone/drakperm:261
+#, c-format
+msgid "Enable \"%s\" to execute the file"
+msgstr ""
+
+#: standalone/drakperm:263
+#, c-format
+msgid "Sticky-bit"
+msgstr ""
+
+#: standalone/drakperm:263
+#, c-format
+msgid ""
+"Used for directory:\n"
+" only owner of directory or file in this directory can delete it"
+msgstr ""
+"Хавтасанд хэрэглэдгсэн:\n"
+" энэ хавтас дахь файл болон хавтасын эзэмшигч нь л үүнийг устгаж чадна"
+
+#: standalone/drakperm:264
+#, c-format
+msgid "Set-UID"
+msgstr "UID-олгох"
+
+#: standalone/drakperm:264
+#, fuzzy, c-format
+msgid "Use owner id for execution"
+msgstr "эзэмшигч"
+
+#: standalone/drakperm:265
+#, c-format
+msgid "Set-GID"
+msgstr ""
+
+#: standalone/drakperm:265
+#, fuzzy, c-format
+msgid "Use group id for execution"
+msgstr "бүлэг"
+
+#: standalone/drakperm:283
+#, fuzzy, c-format
+msgid "User :"
+msgstr "Хэрэглэгч"
+
+#: standalone/drakperm:285
+#, fuzzy, c-format
+msgid "Group :"
+msgstr "бүлэг:"
+
+#: standalone/drakperm:289
+#, c-format
+msgid "Current user"
+msgstr "Одооны хэрэглэгч"
+
+#: standalone/drakperm:290
+#, fuzzy, c-format
+msgid "When checked, owner and group won't be changed"
+msgstr "эзэмшигч бүлэг"
+
+#: standalone/drakperm:301
+#, c-format
+msgid "Path selection"
+msgstr "Зам сонголт"
+
+#: standalone/drakperm:321
+#, c-format
+msgid "Property"
+msgstr "Шинж"
+
+#: standalone/drakpxe:55
+#, fuzzy, c-format
+msgid "PXE Server Configuration"
+msgstr "Сервер"
+
+#: standalone/drakpxe:111
+#, c-format
+msgid "Installation Server Configuration"
+msgstr "Серверийн тохируулгын суулгалт"
+
+#: standalone/drakpxe:112
+#, fuzzy, c-format
+msgid ""
+"You are about to configure your computer to install a PXE server as a DHCP "
+"server\n"
+"and a TFTP server to build an installation server.\n"
+"With that feature, other computers on your local network will be installable "
+"using this computer as source.\n"
+"\n"
+"Make sure you have configured your Network/Internet access using drakconnect "
+"before going any further.\n"
+"\n"
+"Note: you need a dedicated Network Adapter to set up a Local Area Network "
+"(LAN)."
+msgstr "Та бусад г вы Сүлжээ Интернэт г вы Сүлжээ Сүлжээ."
+
+#: standalone/drakpxe:143
+#, c-format
+msgid "Please choose which network interface will be used for the dhcp server."
+msgstr ""
+
+#: standalone/drakpxe:144
+#, fuzzy, c-format
+msgid "Interface %s (on network %s)"
+msgstr "Харагдац с с"
+
+#: standalone/drakpxe:169
+#, fuzzy, c-format
+msgid ""
+"The DHCP server will allow other computer to boot using PXE in the given "
+"range of address.\n"
+"\n"
+"The network address is %s using a netmask of %s.\n"
+"\n"
+msgstr "бусад ямх аас г бол с аас с г"
+
+#: standalone/drakpxe:173
+#, c-format
+msgid "The DHCP start ip"
+msgstr "DHCP-ийн эхлэх ip"
+
+#: standalone/drakpxe:174
+#, c-format
+msgid "The DHCP end ip"
+msgstr ""
+
+#: standalone/drakpxe:187
+#, fuzzy, c-format
+msgid ""
+"Please indicate where the installation image will be available.\n"
+"\n"
+"If you do not have an existing directory, please copy the CD or DVD "
+"contents.\n"
+"\n"
+msgstr "Зураг г вы CD г"
+
+#: standalone/drakpxe:192
+#, fuzzy, c-format
+msgid "Installation image directory"
+msgstr "Зураг"
+
+#: standalone/drakpxe:196
+#, fuzzy, c-format
+msgid "No image found"
+msgstr "Үгүй Зураг"
+
+#: standalone/drakpxe:197
+#, fuzzy, c-format
+msgid ""
+"No CD or DVD image found, please copy the installation program and rpm files."
+msgstr "Үгүй CD Зураг Программ."
+
+#: standalone/drakpxe:210
+#, c-format
+msgid ""
+"Please indicate where the auto_install.cfg file is located.\n"
+"\n"
+"Leave it blank if you do not want to set up automatic installation mode.\n"
+"\n"
+msgstr ""
+"auto_install.cfg файл хаана байгааг заана уу.\n"
+"\n"
+"Хэрэв автомат суулгах горимыг сонгохыг хүсэхгүй бол үүнийг хоосон орхино "
+"уу.\n"
+"\n"
+
+#: standalone/drakpxe:215
+#, fuzzy, c-format
+msgid "Location of auto_install.cfg file"
+msgstr "Байршил аас"
+
+#: standalone/draksec:44
+#, c-format
+msgid "ALL"
+msgstr ""
+
+#: standalone/draksec:44
+#, c-format
+msgid "LOCAL"
+msgstr ""
+
+#: standalone/draksec:44
+#, c-format
+msgid "default"
+msgstr ""
+
+#: standalone/draksec:44
+#, fuzzy, c-format
+msgid "ignore"
+msgstr "байхгүй"
+
+#: standalone/draksec:44
+#, fuzzy, c-format
+msgid "no"
+msgstr "Upplýsingar"
+
+#: standalone/draksec:44
+#, fuzzy, c-format
+msgid "yes"
+msgstr "Тийм"
+
+#: standalone/draksec:70
+#, c-format
+msgid ""
+"Here, you can setup the security level and administrator of your machine.\n"
+"\n"
+"\n"
+"The Security Administrator is the one who will receive security alerts if "
+"the\n"
+"'Security Alerts' option is set. It can be a username or an email.\n"
+"\n"
+"\n"
+"The Security Level menu allows you to select one of the six preconfigured "
+"security levels\n"
+"provided with msec. These levels range from poor security and ease of use, "
+"to\n"
+"paranoid config, suitable for very sensitive server applications:\n"
+"\n"
+"\n"
+"<span foreground=\"royalblue3\">Poor</span>: This is a totally unsafe but "
+"very\n"
+"easy to use security level. It should only be used for machines not "
+"connected to\n"
+"any network and that are not accessible to everybody.\n"
+"\n"
+"\n"
+"<span foreground=\"royalblue3\">Standard</span>: This is the standard "
+"security\n"
+"recommended for a computer that will be used to connect to the Internet as "
+"a\n"
+"client.\n"
+"\n"
+"\n"
+"<span foreground=\"royalblue3\">High</span>: There are already some\n"
+"restrictions, and more automatic checks are run every night.\n"
+"\n"
+"\n"
+"<span foreground=\"royalblue3\">Higher</span>: The security is now high "
+"enough\n"
+"to use the system as a server which can accept connections from many "
+"clients. If\n"
+"your machine is only a client on the Internet, you should choose a lower "
+"level.\n"
+"\n"
+"\n"
+"<span foreground=\"royalblue3\">Paranoid</span>: This is similar to the "
+"previous\n"
+"level, but the system is entirely closed and security features are at their\n"
+"maximum"
+msgstr ""
+
+#: standalone/draksec:118
+#, fuzzy, c-format
+msgid "(default value: %s)"
+msgstr "с"
+
+#: standalone/draksec:159
+#, c-format
+msgid "Security Level:"
+msgstr "Нууцлалын Түвшин:"
+
+#: standalone/draksec:162
+#, fuzzy, c-format
+msgid "Security Alerts:"
+msgstr "Хамгаалалт:"
+
+#: standalone/draksec:166
+#, fuzzy, c-format
+msgid "Security Administrator:"
+msgstr "Хамгаалалт:"
+
+#: standalone/draksec:168
+#, fuzzy, c-format
+msgid "Basic options"
+msgstr "Үндсэн"
+
+#: standalone/draksec:181
+#, c-format
+msgid ""
+"The following options can be set to customize your\n"
+"system security. If you need an explanation, look at the help tooltip.\n"
+msgstr ""
+"Дараах сонголтууд системийн нууцлалаа хэвшүүлэхэд тань туслана.\n"
+"Хэрэв таньд нэмэлт тайлбар хэрэгтэй бол тусламжийн зөвлөгөөний хэрэгсэл рүү "
+"харна уу!\n"
+
+#: standalone/draksec:183
+#, c-format
+msgid "Network Options"
+msgstr "Сүлжээний сонголтууд"
+
+#: standalone/draksec:183
+#, fuzzy, c-format
+msgid "System Options"
+msgstr "Систем"
+
+#: standalone/draksec:229
+#, c-format
+msgid "Periodic Checks"
+msgstr ""
+
+#: standalone/draksec:247
+#, c-format
+msgid "Please wait, setting security level..."
+msgstr ""
+
+#: standalone/draksec:253
+#, c-format
+msgid "Please wait, setting security options..."
+msgstr ""
+
+#: standalone/draksound:47
+#, fuzzy, c-format
+msgid "No Sound Card detected!"
+msgstr "Үгүй Дуу!"
+
+#: standalone/draksound:48
+#, fuzzy, c-format
+msgid ""
+"No Sound Card has been detected on your machine. Please verify that a Linux-"
+"supported Sound Card is correctly plugged in.\n"
+"\n"
+"\n"
+"You can visit our hardware database at:\n"
+"\n"
+"\n"
+"http://www.linux-mandrake.com/en/hardware.php3"
+msgstr ""
+"Үгүй Дуу Дуу бол ямх г г г г\n"
+"http://www.linux-mandrake.com/en/hardware.php3"
+
+#: standalone/draksound:55
+#, fuzzy, c-format
+msgid ""
+"\n"
+"\n"
+"\n"
+"Note: if you've an ISA PnP sound card, you'll have to use the alsaconf or "
+"the sndconfig program. Just type \"alsaconf\" or \"sndconfig\" in a console."
+msgstr "г г вы вы Программ төрөл ямх."
+
+#: standalone/draksplash:21
+#, fuzzy, c-format
+msgid ""
+"package 'ImageMagick' is required to be able to complete configuration.\n"
+"Click \"Ok\" to install 'ImageMagick' or \"Cancel\" to quit"
+msgstr "бол Ок Хүчингүй"
+
+#: standalone/draksplash:67
+#, c-format
+msgid "first step creation"
+msgstr ""
+
+#: standalone/draksplash:70
+#, c-format
+msgid "final resolution"
+msgstr ""
+
+#: standalone/draksplash:71 standalone/draksplash:165
+#, fuzzy, c-format
+msgid "choose image file"
+msgstr "Зураг"
+
+#: standalone/draksplash:72
+#, fuzzy, c-format
+msgid "Theme name"
+msgstr "Аяны нэр"
+
+#: standalone/draksplash:77
+#, fuzzy, c-format
+msgid "Browse"
+msgstr "Сонгох"
+
+#: standalone/draksplash:87 standalone/draksplash:153
+#, fuzzy, c-format
+msgid "Configure bootsplash picture"
+msgstr "Тохируулах"
+
+#: standalone/draksplash:90
+#, fuzzy, c-format
+msgid ""
+"x coordinate of text box\n"
+"in number of characters"
+msgstr "аас текст аас"
+
+#: standalone/draksplash:91
+#, c-format
+msgid ""
+"y coordinate of text box\n"
+"in number of characters"
+msgstr ""
+"бичгин хайрцагны y координат\n"
+"тэмдэгтүүдийн тоогоор"
+
+#: standalone/draksplash:92
+#, fuzzy, c-format
+msgid "text width"
+msgstr "текст"
+
+#: standalone/draksplash:93
+#, fuzzy, c-format
+msgid "text box height"
+msgstr "текст"
+
+#: standalone/draksplash:94
+#, c-format
+msgid ""
+"the progress bar x coordinate\n"
+"of its upper left corner"
+msgstr ""
+"явцыг үзүүлэгчийн зүүн дээд\n"
+"булангийн x координат"
+
+#: standalone/draksplash:95
+#, fuzzy, c-format
+msgid ""
+"the progress bar y coordinate\n"
+"of its upper left corner"
+msgstr "т зүүн"
+
+#: standalone/draksplash:96
+#, fuzzy, c-format
+msgid "the width of the progress bar"
+msgstr "өргөн аас"
+
+#: standalone/draksplash:97
+#, c-format
+msgid "the height of the progress bar"
+msgstr "явц харуулагчийн өндөр"
+
+#: standalone/draksplash:98
+#, c-format
+msgid "the color of the progress bar"
+msgstr "явц харуулагчийн өнгө"
+
+#: standalone/draksplash:113
+#, fuzzy, c-format
+msgid "Preview"
+msgstr "Урьд.харах"
+
+#: standalone/draksplash:115
+#, fuzzy, c-format
+msgid "Save theme"
+msgstr "Хадгалах"
+
+#: standalone/draksplash:116
+#, c-format
+msgid "Choose color"
+msgstr "Өнгө сонгох"
+
+#: standalone/draksplash:119
+#, fuzzy, c-format
+msgid "Display logo on Console"
+msgstr "Харуулах Нээх"
+
+#: standalone/draksplash:120
+#, fuzzy, c-format
+msgid "Make kernel message quiet by default"
+msgstr "аяархан"
+
+#: standalone/draksplash:156 standalone/draksplash:320
+#: standalone/draksplash:448
+#, c-format
+msgid "Notice"
+msgstr "Мэдэгдэл"
+
+#: standalone/draksplash:156 standalone/draksplash:320
+#, c-format
+msgid "This theme does not yet have a bootsplash in %s !"
+msgstr ""
+
+#: standalone/draksplash:162
+#, c-format
+msgid "choose image"
+msgstr ""
+
+#: standalone/draksplash:204
+#, fuzzy, c-format
+msgid "saving Bootsplash theme..."
+msgstr "theme."
+
+#: standalone/draksplash:428
+#, c-format
+msgid "ProgressBar color selection"
+msgstr ""
+
+#: standalone/draksplash:448
+#, fuzzy, c-format
+msgid "You must choose an image file first!"
+msgstr "Та Зураг!"
+
+#: standalone/draksplash:453
+#, fuzzy, c-format
+msgid "Generating preview ..."
+msgstr "Үүсгэх."
+
+#: standalone/draksplash:499
+#, fuzzy, c-format
+msgid "%s BootSplash (%s) preview"
+msgstr "с с"
+
+#: standalone/drakvpn:71
+#, c-format
+msgid "DrakVPN"
+msgstr ""
+
+#: standalone/drakvpn:93
+#, fuzzy, c-format
+msgid "The VPN connection is enabled."
+msgstr "Одоо интернэт холболтыг хуваалцах боломжтой болсон"
+
+#: standalone/drakvpn:94
+#, fuzzy, c-format
+msgid ""
+"The setup of a VPN connection has already been done.\n"
+"\n"
+"It's currently enabled.\n"
+"\n"
+"What would you like to do ?"
+msgstr ""
+"Интернэт холболт хамтран эзэмшилтийн тохиргоо хийгдсэн байна.\n"
+"Энэ нь одоо боломжтой байна.\n"
+"\n"
+"Та тэгээд юу хиймээр байна?"
+
+#: standalone/drakvpn:103
+#, fuzzy, c-format
+msgid "Disabling VPN..."
+msgstr "с."
+
+#: standalone/drakvpn:112
+#, fuzzy, c-format
+msgid "The VPN connection is now disabled."
+msgstr "Интернэт Холболт бол хаалттай."
+
+#: standalone/drakvpn:119
+#, fuzzy, c-format
+msgid "VPN connection currently disabled"
+msgstr "Интернэт Холболт"
+
+#: standalone/drakvpn:120
+#, fuzzy, c-format
+msgid ""
+"The setup of a VPN connection has already been done.\n"
+"\n"
+"It's currently disabled.\n"
+"\n"
+"What would you like to do ?"
+msgstr "аас Интернэт Хийгдсэн с хаалттай г вы?"
+
+#: standalone/drakvpn:133
+#, fuzzy, c-format
+msgid "Enabling VPN..."
+msgstr "Серверүүдийг идэвхжүүлж байна..."
+
+#: standalone/drakvpn:139
+#, fuzzy, c-format
+msgid "The VPN connection is now enabled."
+msgstr "Одоо интернэт холболтыг хуваалцах боломжтой болсон"
+
+#: standalone/drakvpn:153 standalone/drakvpn:179
+#, c-format
+msgid "Simple VPN setup."
+msgstr ""
+
+#: standalone/drakvpn:154
+#, c-format
+msgid ""
+"You are about to configure your computer to use a VPN connection.\n"
+"\n"
+"With this feature, computers on your local private network and computers\n"
+"on some other remote private networks, can share resources, through\n"
+"their respective firewalls, over the Internet, in a secure manner. \n"
+"\n"
+"The communication over the Internet is encrypted. The local and remote\n"
+"computers look as if they were on the same network.\n"
+"\n"
+"Make sure you have configured your Network/Internet access using\n"
+"drakconnect before going any further."
+msgstr ""
+
+#: standalone/drakvpn:180
+#, c-format
+msgid ""
+"VPN connection.\n"
+"\n"
+"This program is based on the following projects:\n"
+" - FreeSwan: \t\t\thttp://www.freeswan.org/\n"
+" - Super-FreeSwan: \t\thttp://www.freeswan.ca/\n"
+" - ipsec-tools: \t\t\thttp://ipsec-tools.sourceforge.net/\n"
+" - ipsec-howto: \t\thttp://www.ipsec-howto.org\n"
+" - the docs and man pages coming with the %s package\n"
+"\n"
+"Please read AT LEAST the ipsec-howto docs\n"
+"before going any further."
+msgstr ""
+
+#: standalone/drakvpn:192
+#, fuzzy, c-format
+msgid "Kernel module."
+msgstr "Модулийг устгах"
+
+#: standalone/drakvpn:193
+#, c-format
+msgid ""
+"The kernel need to have ipsec support.\n"
+"\n"
+"You're running a %s kernel version.\n"
+"\n"
+"This kernel has '%s' support."
+msgstr ""
+
+#: standalone/drakvpn:288
+#, fuzzy, c-format
+msgid "Security Policies"
+msgstr "Хамгаалалт:"
+
+#: standalone/drakvpn:288
+#, c-format
+msgid "IKE daemon racoon"
+msgstr ""
+
+#: standalone/drakvpn:291 standalone/drakvpn:302
+#, fuzzy, c-format
+msgid "Configuration file"
+msgstr "Тоноглол"
+
+#: standalone/drakvpn:292
+#, c-format
+msgid ""
+"Configuration step !\n"
+"\n"
+"You need to define the Security Policies and then to \n"
+"configure the automatic key exchange (IKE) daemon. \n"
+"The KAME IKE daemon we're using is called 'racoon'.\n"
+"\n"
+"What would you like to configure ?\n"
+msgstr ""
+
+#: standalone/drakvpn:303
+#, c-format
+msgid ""
+"Next, we will configure the %s file.\n"
+"\n"
+"\n"
+"Simply click on Next.\n"
+msgstr ""
+
+#: standalone/drakvpn:321 standalone/drakvpn:681
+#, fuzzy, c-format
+msgid "%s entries"
+msgstr "с"
+
+#: standalone/drakvpn:322
+#, c-format
+msgid ""
+"The %s file contents\n"
+"is divided into sections.\n"
+"\n"
+"You can now :\n"
+"\n"
+" - display, add, edit, or remove sections, then\n"
+" - commit the changes\n"
+"\n"
+"What would you like to do ?\n"
+msgstr ""
+
+#: standalone/drakvpn:329 standalone/drakvpn:690
+#, fuzzy, c-format
+msgid "Display"
+msgstr "өдөр тутам"
+
+#: standalone/drakvpn:329 standalone/drakvpn:690
+#, fuzzy, c-format
+msgid "Commit"
+msgstr "Цомхон"
+
+#: standalone/drakvpn:343 standalone/drakvpn:347 standalone/drakvpn:705
+#: standalone/drakvpn:709
+#, fuzzy, c-format
+msgid "Display configuration"
+msgstr "LAN тохиргоо"
+
+#: standalone/drakvpn:348
+#, c-format
+msgid ""
+"The %s file does not exist.\n"
+"\n"
+"This must be a new configuration.\n"
+"\n"
+"You'll have to go back and choose 'add'.\n"
+msgstr ""
+
+#: standalone/drakvpn:364
+#, c-format
+msgid "ipsec.conf entries"
+msgstr ""
+
+#: standalone/drakvpn:365
+#, c-format
+msgid ""
+"The %s file contains different sections.\n"
+"\n"
+"Here is its skeleton :\t'config setup' \n"
+"\t\t\t\t\t'conn default' \n"
+"\t\t\t\t\t'normal1'\n"
+"\t\t\t\t\t'normal2' \n"
+"\n"
+"You can now add one of these sections.\n"
+"\n"
+"Choose the section you would like to add.\n"
+msgstr ""
+
+#: standalone/drakvpn:372
+#, fuzzy, c-format
+msgid "config setup"
+msgstr "Тохируулах"
+
+#: standalone/drakvpn:372
+#, fuzzy, c-format
+msgid "conn %default"
+msgstr "Стандарт"
+
+#: standalone/drakvpn:372
+#, fuzzy, c-format
+msgid "normal conn"
+msgstr "Энгийн"
+
+#: standalone/drakvpn:378 standalone/drakvpn:419 standalone/drakvpn:506
+#, fuzzy, c-format
+msgid "Exists !"
+msgstr "Гарах"
+
+#: standalone/drakvpn:379 standalone/drakvpn:420
+#, c-format
+msgid ""
+"A section with this name already exists.\n"
+"The section names have to be unique.\n"
+"\n"
+"You'll have to go back and add another section\n"
+"or change its name.\n"
+msgstr ""
+
+#: standalone/drakvpn:396
+#, c-format
+msgid ""
+"This section has to be on top of your\n"
+"%s file.\n"
+"\n"
+"Make sure all other sections follow this config\n"
+"setup section.\n"
+"\n"
+"Choose continue or previous when you are done.\n"
+msgstr ""
+
+#: standalone/drakvpn:401
+#, fuzzy, c-format
+msgid "interfaces"
+msgstr "Харагдац"
+
+#: standalone/drakvpn:402
+#, c-format
+msgid "klipsdebug"
+msgstr ""
+
+#: standalone/drakvpn:403
+#, c-format
+msgid "plutodebug"
+msgstr ""
+
+#: standalone/drakvpn:404
+#, c-format
+msgid "plutoload"
+msgstr ""
+
+#: standalone/drakvpn:405
+#, c-format
+msgid "plutostart"
+msgstr ""
+
+#: standalone/drakvpn:406
+#, c-format
+msgid "uniqueids"
+msgstr ""
+
+#: standalone/drakvpn:440
+#, c-format
+msgid ""
+"This is the first section after the config\n"
+"setup one.\n"
+"\n"
+"Here you define the default settings. \n"
+"All the other sections will follow this one.\n"
+"The left settings are optional. If don't define\n"
+"them here, globally, you can define them in each\n"
+"section.\n"
+msgstr ""
+
+#: standalone/drakvpn:447
+#, c-format
+msgid "pfs"
+msgstr ""
+
+#: standalone/drakvpn:448
+#, c-format
+msgid "keyingtries"
+msgstr ""
+
+#: standalone/drakvpn:449
+#, c-format
+msgid "compress"
+msgstr ""
+
+#: standalone/drakvpn:450
+#, c-format
+msgid "disablearrivalcheck"
+msgstr ""
+
+#: standalone/drakvpn:451 standalone/drakvpn:490
+#, fuzzy, c-format
+msgid "left"
+msgstr "Устгах"
+
+#: standalone/drakvpn:452 standalone/drakvpn:491
+#, c-format
+msgid "leftcert"
+msgstr ""
+
+#: standalone/drakvpn:453 standalone/drakvpn:492
+#, c-format
+msgid "leftrsasigkey"
+msgstr ""
+
+#: standalone/drakvpn:454 standalone/drakvpn:493
+#, c-format
+msgid "leftsubnet"
+msgstr ""
+
+#: standalone/drakvpn:455 standalone/drakvpn:494
+#, c-format
+msgid "leftnexthop"
+msgstr ""
+
+#: standalone/drakvpn:484
+#, c-format
+msgid ""
+"Your %s file has several sections, or connections.\n"
+"\n"
+"You can now add a new section.\n"
+"Choose continue when you are done to write the data.\n"
+msgstr ""
+
+#: standalone/drakvpn:487
+#, fuzzy, c-format
+msgid "section name"
+msgstr "Холболт"
+
+#: standalone/drakvpn:488
+#, fuzzy, c-format
+msgid "authby"
+msgstr "Зам"
+
+#: standalone/drakvpn:489
+#, fuzzy, c-format
+msgid "auto"
+msgstr "Тухай"
+
+#: standalone/drakvpn:495
+#, fuzzy, c-format
+msgid "right"
+msgstr "Бүрэн цэнэглэгдсэн"
+
+#: standalone/drakvpn:496
+#, fuzzy, c-format
+msgid "rightcert"
+msgstr "Хэвлэгч"
+
+#: standalone/drakvpn:497
+#, c-format
+msgid "rightrsasigkey"
+msgstr ""
+
+#: standalone/drakvpn:498
+#, c-format
+msgid "rightsubnet"
+msgstr ""
+
+#: standalone/drakvpn:499
+#, c-format
+msgid "rightnexthop"
+msgstr ""
+
+#: standalone/drakvpn:507
+#, c-format
+msgid ""
+"A section with this name already exists.\n"
+"The section names have to be unique.\n"
+"\n"
+"You'll have to go back and add another section\n"
+"or change the name of the section.\n"
+msgstr ""
+
+#: standalone/drakvpn:539
+#, c-format
+msgid ""
+"Add a Security Policy.\n"
+"\n"
+"You can now add a Security Policy.\n"
+"\n"
+"Choose continue when you are done to write the data.\n"
+msgstr ""
+
+#: standalone/drakvpn:572 standalone/drakvpn:822
+#, fuzzy, c-format
+msgid "Edit section"
+msgstr "Зам сонголт"
+
+#: standalone/drakvpn:573
+#, c-format
+msgid ""
+"Your %s file has several sections or connections.\n"
+"\n"
+"You can choose here below the one you want to edit \n"
+"and then click on next.\n"
+msgstr ""
+
+#: standalone/drakvpn:576 standalone/drakvpn:656 standalone/drakvpn:827
+#: standalone/drakvpn:873
+#, fuzzy, c-format
+msgid "Section names"
+msgstr "Холболт"
+
+#: standalone/drakvpn:586
+#, fuzzy, c-format
+msgid "Can't edit !"
+msgstr "с"
+
+#: standalone/drakvpn:587
+#, c-format
+msgid ""
+"You cannot edit this section.\n"
+"\n"
+"This section is mandatory for Freswan 2.X.\n"
+"One has to specify version 2.0 on the top\n"
+"of the %s file, and eventually, disable or\n"
+"enable the oportunistic encryption.\n"
+msgstr ""
+
+#: standalone/drakvpn:596
+#, c-format
+msgid ""
+"Your %s file has several sections.\n"
+"\n"
+"You can now edit the config setup section entries.\n"
+"Choose continue when you are done to write the data.\n"
+msgstr ""
+
+#: standalone/drakvpn:607
+#, c-format
+msgid ""
+"Your %s file has several sections or connections.\n"
+"\n"
+"You can now edit the default section entries.\n"
+"Choose continue when you are done to write the data.\n"
+msgstr ""
+
+#: standalone/drakvpn:620
+#, c-format
+msgid ""
+"Your %s file has several sections or connections.\n"
+"\n"
+"You can now edit the normal section entries.\n"
+"\n"
+"Choose continue when you are done to write the data.\n"
+msgstr ""
+
+#: standalone/drakvpn:641
+#, c-format
+msgid ""
+"Edit a Security Policy.\n"
+"\n"
+"You can now add a Security Policy.\n"
+"\n"
+"Choose continue when you are done to write the data.\n"
+msgstr ""
+
+#: standalone/drakvpn:652 standalone/drakvpn:869
+#, fuzzy, c-format
+msgid "Remove section"
+msgstr "Жигсаалт устгах"
+
+#: standalone/drakvpn:653 standalone/drakvpn:870
+#, c-format
+msgid ""
+"Your %s file has several sections or connections.\n"
+"\n"
+"You can choose here below the one you want to remove\n"
+"and then click on next.\n"
+msgstr ""
+
+#: standalone/drakvpn:682
+#, c-format
+msgid ""
+"The racoon.conf file configuration.\n"
+"\n"
+"The contents of this file is divided into sections.\n"
+"You can now :\n"
+" - display \t\t (display the file contents)\n"
+" - add\t\t\t (add one section)\n"
+" - edit \t\t\t (modify parameters of an existing section)\n"
+" - remove \t\t (remove an existing section)\n"
+" - commit \t\t (writes the changes to the real file)"
+msgstr ""
+
+#: standalone/drakvpn:710
+#, c-format
+msgid ""
+"The %s file does not exist\n"
+"\n"
+"This must be a new configuration.\n"
+"\n"
+"You'll have to go back and choose configure.\n"
+msgstr ""
+
+#: standalone/drakvpn:724
+#, c-format
+msgid "racoonf.conf entries"
+msgstr ""
+
+#: standalone/drakvpn:725
+#, c-format
+msgid ""
+"The 'add' sections step.\n"
+"\n"
+"Here below is the racoon.conf file skeleton :\n"
+"\t'path'\n"
+"\t'remote'\n"
+"\t'sainfo' \n"
+"\n"
+"Choose the section you would like to add.\n"
+msgstr ""
+
+#: standalone/drakvpn:731
+#, fuzzy, c-format
+msgid "path"
+msgstr "Зам"
+
+#: standalone/drakvpn:731
+#, fuzzy, c-format
+msgid "remote"
+msgstr "Устгах"
+
+#: standalone/drakvpn:731
+#, fuzzy, c-format
+msgid "sainfo"
+msgstr "Upplýsingar"
+
+#: standalone/drakvpn:739
+#, c-format
+msgid ""
+"The 'add path' section step.\n"
+"\n"
+"The path sections have to be on top of your racoon.conf file.\n"
+"\n"
+"Put your mouse over the certificate entry to obtain online help."
+msgstr ""
+
+#: standalone/drakvpn:742
+#, fuzzy, c-format
+msgid "path type"
+msgstr "Өөрчилөх"
+
+#: standalone/drakvpn:746
+#, c-format
+msgid ""
+"path include path : specifies a path to include\n"
+"a file. See File Inclusion.\n"
+"\tExample: path include '/etc/racoon'\n"
+"\n"
+"path pre_shared_key file : specifies a file containing\n"
+"pre-shared key(s) for various ID(s). See Pre-shared key File.\n"
+"\tExample: path pre_shared_key '/etc/racoon/psk.txt' ;\n"
+"\n"
+"path certificate path : racoon(8) will search this directory\n"
+"if a certificate or certificate request is received.\n"
+"\tExample: path certificate '/etc/cert' ;\n"
+"\n"
+"File Inclusion : include file \n"
+"other configuration files can be included.\n"
+"\tExample: include \"remote.conf\" ;\n"
+"\n"
+"Pre-shared key File : Pre-shared key file defines a pair\n"
+"of the identifier and the shared secret key which are used at\n"
+"Pre-shared key authentication method in phase 1."
+msgstr ""
+
+#: standalone/drakvpn:766
+#, fuzzy, c-format
+msgid "real file"
+msgstr "Файл сонгох"
+
+#: standalone/drakvpn:789
+#, c-format
+msgid ""
+"Make sure you already have the path sections\n"
+"on the top of your racoon.conf file.\n"
+"\n"
+"You can now choose the remote settings.\n"
+"Choose continue or previous when you are done.\n"
+msgstr ""
+
+#: standalone/drakvpn:806
+#, c-format
+msgid ""
+"Make sure you already have the path sections\n"
+"on the top of your %s file.\n"
+"\n"
+"You can now choose the sainfo settings.\n"
+"Choose continue or previous when you are done.\n"
+msgstr ""
+
+#: standalone/drakvpn:823
+#, c-format
+msgid ""
+"Your %s file has several sections or connections.\n"
+"\n"
+"You can choose here in the list below the one you want\n"
+"to edit and then click on next.\n"
+msgstr ""
+
+#: standalone/drakvpn:834
+#, c-format
+msgid ""
+"Your %s file has several sections.\n"
+"\n"
+"\n"
+"You can now edit the remote section entries.\n"
+"\n"
+"Choose continue when you are done to write the data.\n"
+msgstr ""
+
+#: standalone/drakvpn:843
+#, c-format
+msgid ""
+"Your %s file has several sections.\n"
+"\n"
+"You can now edit the sainfo section entries.\n"
+"\n"
+"Choose continue when you are done to write the data."
+msgstr ""
+
+#: standalone/drakvpn:851
+#, c-format
+msgid ""
+"This section has to be on top of your\n"
+"%s file.\n"
+"\n"
+"Make sure all other sections follow these path\n"
+"sections.\n"
+"\n"
+"You can now edit the path entries.\n"
+"\n"
+"Choose continue or previous when you are done.\n"
+msgstr ""
+
+#: standalone/drakvpn:858
+#, c-format
+msgid "path_type"
+msgstr ""
+
+#: standalone/drakvpn:859
+#, fuzzy, c-format
+msgid "real_file"
+msgstr "Файл сонгох"
+
+#: standalone/drakvpn:899
+#, c-format
+msgid ""
+"Everything has been configured.\n"
+"\n"
+"You may now share resources through the Internet,\n"
+"in a secure way, using a VPN connection.\n"
+"\n"
+"You should make sure that that the tunnels shorewall\n"
+"section is configured."
+msgstr ""
+
+#: standalone/drakvpn:919
+#, c-format
+msgid "Sainfo source address"
+msgstr ""
+
+#: standalone/drakvpn:920
+#, c-format
+msgid ""
+"sainfo (source_id destination_id | anonymous) { statements }\n"
+"defines the parameters of the IKE phase 2\n"
+"(IPsec-SA establishment).\n"
+"\n"
+"source_id and destination_id are constructed like:\n"
+"\n"
+"\taddress address [/ prefix] [[port]] ul_proto\n"
+"\n"
+"Examples : \n"
+"\n"
+"sainfo anonymous (accepts connections from anywhere)\n"
+"\tleave blank this entry if you want anonymous\n"
+"\n"
+"sainfo address 203.178.141.209 any address 203.178.141.218 any\n"
+"\t203.178.141.209 is the source address\n"
+"\n"
+"sainfo address 172.16.1.0/24 any address 172.16.2.0/24 any\n"
+"\t172.16.1.0/24 is the source address"
+msgstr ""
+
+#: standalone/drakvpn:937
+#, c-format
+msgid "Sainfo source protocol"
+msgstr ""
+
+#: standalone/drakvpn:938
+#, c-format
+msgid ""
+"sainfo (source_id destination_id | anonymous) { statements }\n"
+"defines the parameters of the IKE phase 2\n"
+"(IPsec-SA establishment).\n"
+"\n"
+"source_id and destination_id are constructed like:\n"
+"\n"
+"\taddress address [/ prefix] [[port]] ul_proto\n"
+"\n"
+"Examples : \n"
+"\n"
+"sainfo anonymous (accepts connections from anywhere)\n"
+"\tleave blank this entry if you want anonymous\n"
+"\n"
+"sainfo address 203.178.141.209 any address 203.178.141.218 any\n"
+"\tthe first 'any' allows any protocol for the source"
+msgstr ""
+
+#: standalone/drakvpn:952
+#, c-format
+msgid "Sainfo destination address"
+msgstr ""
+
+#: standalone/drakvpn:953
+#, c-format
+msgid ""
+"sainfo (source_id destination_id | anonymous) { statements }\n"
+"defines the parameters of the IKE phase 2\n"
+"(IPsec-SA establishment).\n"
+"\n"
+"source_id and destination_id are constructed like:\n"
+"\n"
+"\taddress address [/ prefix] [[port]] ul_proto\n"
+"\n"
+"Examples : \n"
+"\n"
+"sainfo anonymous (accepts connections from anywhere)\n"
+"\tleave blank this entry if you want anonymous\n"
+"\n"
+"sainfo address 203.178.141.209 any address 203.178.141.218 any\n"
+"\t203.178.141.218 is the destination address\n"
+"\n"
+"sainfo address 172.16.1.0/24 any address 172.16.2.0/24 any\n"
+"\t172.16.2.0/24 is the destination address"
+msgstr ""
+
+#: standalone/drakvpn:970
+#, fuzzy, c-format
+msgid "Sainfo destination protocol"
+msgstr "Виндоус нэгтгэгч хэрэгсэл"
+
+#: standalone/drakvpn:971
+#, c-format
+msgid ""
+"sainfo (source_id destination_id | anonymous) { statements }\n"
+"defines the parameters of the IKE phase 2\n"
+"(IPsec-SA establishment).\n"
+"\n"
+"source_id and destination_id are constructed like:\n"
+"\n"
+"\taddress address [/ prefix] [[port]] ul_proto\n"
+"\n"
+"Examples : \n"
+"\n"
+"sainfo anonymous (accepts connections from anywhere)\n"
+"\tleave blank this entry if you want anonymous\n"
+"\n"
+"sainfo address 203.178.141.209 any address 203.178.141.218 any\n"
+"\tthe last 'any' allows any protocol for the destination"
+msgstr ""
+
+#: standalone/drakvpn:985
+#, c-format
+msgid "PFS group"
+msgstr ""
+
+#: standalone/drakvpn:987
+#, c-format
+msgid ""
+"define the group of Diffie-Hellman exponentiations.\n"
+"If you do not require PFS then you can omit this directive.\n"
+"Any proposal will be accepted if you do not specify one.\n"
+"group is one of following: modp768, modp1024, modp1536.\n"
+"Or you can define 1, 2, or 5 as the DH group number."
+msgstr ""
+
+#: standalone/drakvpn:992
+#, c-format
+msgid "Lifetime number"
+msgstr ""
+
+#: standalone/drakvpn:993
+#, c-format
+msgid ""
+"define a lifetime of a certain time which will be pro-\n"
+"posed in the phase 1 negotiations. Any proposal will be\n"
+"accepted, and the attribute(s) will be not proposed to\n"
+"the peer if you do not specify it(them). They can be\n"
+"individually specified in each proposal.\n"
+"\n"
+"Examples : \n"
+"\n"
+" lifetime time 1 min; # sec,min,hour\n"
+" lifetime time 1 min; # sec,min,hour\n"
+" lifetime time 30 sec;\n"
+" lifetime time 30 sec;\n"
+" lifetime time 60 sec;\n"
+"\tlifetime time 12 hour;\n"
+"\n"
+"So, here, the lifetime numbers are 1, 1, 30, 30, 60 and 12.\n"
+msgstr ""
+
+#: standalone/drakvpn:1009
+#, c-format
+msgid "Lifetime unit"
+msgstr ""
+
+#: standalone/drakvpn:1011
+#, c-format
+msgid ""
+"define a lifetime of a certain time which will be pro-\n"
+"posed in the phase 1 negotiations. Any proposal will be\n"
+"accepted, and the attribute(s) will be not proposed to\n"
+"the peer if you do not specify it(them). They can be\n"
+"individually specified in each proposal.\n"
+"\n"
+"Examples : \n"
+"\n"
+" lifetime time 1 min; # sec,min,hour\n"
+" lifetime time 1 min; # sec,min,hour\n"
+" lifetime time 30 sec;\n"
+" lifetime time 30 sec;\n"
+" lifetime time 60 sec;\n"
+"\tlifetime time 12 hour ;\n"
+"\n"
+"So, here, the lifetime units are 'min', 'min', 'sec', 'sec', 'sec' and "
+"'hour'.\n"
+msgstr ""
+
+#: standalone/drakvpn:1027 standalone/drakvpn:1112
+#, fuzzy, c-format
+msgid "Encryption algorithm"
+msgstr "Баталгаажуулалт"
+
+#: standalone/drakvpn:1029
+#, fuzzy, c-format
+msgid "Authentication algorithm"
+msgstr "Баталгаажуулалт"
+
+#: standalone/drakvpn:1031
+#, c-format
+msgid "Compression algorithm"
+msgstr ""
+
+#: standalone/drakvpn:1039
+#, fuzzy, c-format
+msgid "Remote"
+msgstr "Устгах"
+
+#: standalone/drakvpn:1040
+#, c-format
+msgid ""
+"remote (address | anonymous) [[port]] { statements }\n"
+"specifies the parameters for IKE phase 1 for each remote node.\n"
+"The default port is 500. If anonymous is specified, the state-\n"
+"ments apply to all peers which do not match any other remote\n"
+"directive.\n"
+"\n"
+"Examples : \n"
+"\n"
+"remote anonymous\n"
+"remote ::1 [8000]"
+msgstr ""
+
+#: standalone/drakvpn:1048
+#, fuzzy, c-format
+msgid "Exchange mode"
+msgstr "Цагийн бүс"
+
+#: standalone/drakvpn:1050
+#, c-format
+msgid ""
+"defines the exchange mode for phase 1 when racoon is the\n"
+"initiator. Also it means the acceptable exchange mode\n"
+"when racoon is responder. More than one mode can be\n"
+"specified by separating them with a comma. All of the\n"
+"modes are acceptable. The first exchange mode is what\n"
+"racoon uses when it is the initiator.\n"
+msgstr ""
+
+#: standalone/drakvpn:1056
+#, fuzzy, c-format
+msgid "Generate policy"
+msgstr "Нууцлал"
+
+#: standalone/drakvpn:1058
+#, c-format
+msgid ""
+"This directive is for the responder. Therefore you\n"
+"should set passive on in order that racoon(8) only\n"
+"becomes a responder. If the responder does not have any\n"
+"policy in SPD during phase 2 negotiation, and the direc-\n"
+"tive is set on, then racoon(8) will choice the first pro-\n"
+"posal in the SA payload from the initiator, and generate\n"
+"policy entries from the proposal. It is useful to nego-\n"
+"tiate with the client which is allocated IP address\n"
+"dynamically. Note that inappropriate policy might be\n"
+"installed into the responder's SPD by the initiator. So\n"
+"that other communication might fail if such policies\n"
+"installed due to some policy mismatches between the ini-\n"
+"tiator and the responder. This directive is ignored in\n"
+"the initiator case. The default value is off."
+msgstr ""
+
+#: standalone/drakvpn:1072
+#, c-format
+msgid "Passive"
+msgstr ""
+
+#: standalone/drakvpn:1074
+#, c-format
+msgid ""
+"If you do not want to initiate the negotiation, set this\n"
+"to on. The default value is off. It is useful for a\n"
+"server."
+msgstr ""
+
+#: standalone/drakvpn:1077
+#, c-format
+msgid "Certificate type"
+msgstr ""
+
+#: standalone/drakvpn:1079
+#, fuzzy, c-format
+msgid "My certfile"
+msgstr "Файл сонгох"
+
+#: standalone/drakvpn:1080
+#, fuzzy, c-format
+msgid "Name of the certificate"
+msgstr "Хэвлэгчийн нэр"
+
+#: standalone/drakvpn:1081
+#, c-format
+msgid "My private key"
+msgstr ""
+
+#: standalone/drakvpn:1082
+#, fuzzy, c-format
+msgid "Name of the private key"
+msgstr "Хэвлэгчийн нэр"
+
+#: standalone/drakvpn:1083
+#, fuzzy, c-format
+msgid "Peers certfile"
+msgstr "Файл сонгох"
+
+#: standalone/drakvpn:1084
+#, c-format
+msgid "Name of the peers certificate"
+msgstr ""
+
+#: standalone/drakvpn:1085
+#, fuzzy, c-format
+msgid "Verify cert"
+msgstr "маш аятайхан"
+
+#: standalone/drakvpn:1087
+#, c-format
+msgid ""
+"If you do not want to verify the peer's certificate for\n"
+"some reason, set this to off. The default is on."
+msgstr ""
+
+#: standalone/drakvpn:1089
+#, c-format
+msgid "My identifier"
+msgstr ""
+
+#: standalone/drakvpn:1090
+#, c-format
+msgid ""
+"specifies the identifier sent to the remote host and the\n"
+"type to use in the phase 1 negotiation. address, fqdn,\n"
+"user_fqdn, keyid and asn1dn can be used as an idtype.\n"
+"they are used like:\n"
+"\tmy_identifier address [address];\n"
+"\t\tthe type is the IP address. This is the default\n"
+"\t\ttype if you do not specify an identifier to use.\n"
+"\tmy_identifier user_fqdn string;\n"
+"\t\tthe type is a USER_FQDN (user fully-qualified\n"
+"\t\tdomain name).\n"
+"\tmy_identifier fqdn string;\n"
+"\t\tthe type is a FQDN (fully-qualified domain name).\n"
+"\tmy_identifier keyid file;\n"
+"\t\tthe type is a KEY_ID.\n"
+"\tmy_identifier asn1dn [string];\n"
+"\t\tthe type is an ASN.1 distinguished name. If\n"
+"\t\tstring is omitted, racoon(8) will get DN from\n"
+"\t\tSubject field in the certificate.\n"
+"\n"
+"Examples : \n"
+"\n"
+"my_identifier user_fqdn \"myemail@mydomain.com\""
+msgstr ""
+
+#: standalone/drakvpn:1110
+#, fuzzy, c-format
+msgid "Peers identifier"
+msgstr "Хэвлэгч"
+
+#: standalone/drakvpn:1111
+#, c-format
+msgid "Proposal"
+msgstr ""
+
+#: standalone/drakvpn:1113
+#, c-format
+msgid ""
+"specify the encryption algorithm used for the\n"
+"phase 1 negotiation. This directive must be defined. \n"
+"algorithm is one of following: \n"
+"\n"
+"des, 3des, blowfish, cast128 for oakley.\n"
+"\n"
+"For other transforms, this statement should not be used."
+msgstr ""
+
+#: standalone/drakvpn:1120
+#, c-format
+msgid "Hash algorithm"
+msgstr ""
+
+#: standalone/drakvpn:1121
+#, fuzzy, c-format
+msgid "Authentication method"
+msgstr "Баталгаажуулалт"
+
+#: standalone/drakvpn:1122
+#, fuzzy, c-format
+msgid "DH group"
+msgstr "бүлэг"
+
+#: standalone/drakvpn:1129
+#, fuzzy, c-format
+msgid "Command"
+msgstr "Тушаалын мөр"
+
+#: standalone/drakvpn:1130
+#, c-format
+msgid "Source IP range"
+msgstr ""
+
+#: standalone/drakvpn:1131
+#, c-format
+msgid "Destination IP range"
+msgstr ""
+
+#: standalone/drakvpn:1132
+#, c-format
+msgid "Upper-layer protocol"
+msgstr ""
+
+#: standalone/drakvpn:1133
+#, fuzzy, c-format
+msgid "Flag"
+msgstr "Төлвүүд"
+
+#: standalone/drakvpn:1134
+#, fuzzy, c-format
+msgid "Direction"
+msgstr "Тодорхойлолт"
+
+#: standalone/drakvpn:1135
+#, c-format
+msgid "IPsec policy"
+msgstr ""
+
+#: standalone/drakvpn:1137
+#, fuzzy, c-format
+msgid "Mode"
+msgstr "Загвар"
+
+#: standalone/drakvpn:1138
+#, c-format
+msgid "Source/destination"
+msgstr ""
+
+#: standalone/drakvpn:1139 standalone/harddrake2:57
+#, fuzzy, c-format
+msgid "Level"
+msgstr "Түвшин"
+
+#: standalone/drakxtv:46
+#, c-format
+msgid "USA (broadcast)"
+msgstr "АНУ (нэвтрүүлэг)"
+
+#: standalone/drakxtv:46
+#, c-format
+msgid "USA (cable)"
+msgstr ""
+
+#: standalone/drakxtv:46
+#, c-format
+msgid "USA (cable-hrc)"
+msgstr "АНУ (кабел-hrc)"
+
+#: standalone/drakxtv:46
+#, c-format
+msgid "Canada (cable)"
+msgstr ""
+
+#: standalone/drakxtv:47
+#, c-format
+msgid "Japan (broadcast)"
+msgstr ""
+
+#: standalone/drakxtv:47
+#, c-format
+msgid "Japan (cable)"
+msgstr ""
+
+#: standalone/drakxtv:47
+#, c-format
+msgid "China (broadcast)"
+msgstr ""
+
+#: standalone/drakxtv:48
+#, c-format
+msgid "West Europe"
+msgstr "Баруун Европ"
+
+#: standalone/drakxtv:48
+#, c-format
+msgid "East Europe"
+msgstr "Зүүн Европ"
+
+#: standalone/drakxtv:48
+#, c-format
+msgid "France [SECAM]"
+msgstr ""
+
+#: standalone/drakxtv:49
+#, c-format
+msgid "Newzealand"
+msgstr ""
+
+#: standalone/drakxtv:52
+#, c-format
+msgid "Australian Optus cable TV"
+msgstr ""
+
+#: standalone/drakxtv:84
+#, fuzzy, c-format
+msgid ""
+"Please,\n"
+"type in your tv norm and country"
+msgstr "ямх"
+
+#: standalone/drakxtv:86
+#, c-format
+msgid "TV norm:"
+msgstr ""
+
+#: standalone/drakxtv:87
+#, c-format
+msgid "Area:"
+msgstr ""
+
+#: standalone/drakxtv:91
+#, fuzzy, c-format
+msgid "Scanning for TV channels in progress ..."
+msgstr "ямх."
+
+#: standalone/drakxtv:101
+#, c-format
+msgid "Scanning for TV channels"
+msgstr ""
+
+#: standalone/drakxtv:105
+#, c-format
+msgid "There was an error while scanning for TV channels"
+msgstr ""
+
+#: standalone/drakxtv:106
+#, c-format
+msgid "XawTV isn't installed!"
+msgstr ""
+
+#: standalone/drakxtv:109
+#, c-format
+msgid "Have a nice day!"
+msgstr "Өдрөө сайхан өнгөрөөгөөрэй!"
+
+#: standalone/drakxtv:110
+#, fuzzy, c-format
+msgid "Now, you can run xawtv (under X Window!) !\n"
+msgstr "вы X Цонх"
+
+#: standalone/drakxtv:131
+#, fuzzy, c-format
+msgid "No TV Card detected!"
+msgstr "Үгүй!"
+
+#: standalone/drakxtv:132
+#, fuzzy, c-format
+msgid ""
+"No TV Card has been detected on your machine. Please verify that a Linux-"
+"supported Video/TV Card is correctly plugged in.\n"
+"\n"
+"\n"
+"You can visit our hardware database at:\n"
+"\n"
+"\n"
+"http://www.linux-mandrake.com/en/hardware.php3"
+msgstr ""
+"Үгүй Видео бол ямх г г г г\n"
+"http://www.linux-mandrake.com/en/hardware.php3"
+
+#: standalone/harddrake2:18
+#, c-format
+msgid "Alternative drivers"
+msgstr "Альтернатив хөтлөгчүүд"
+
+#: standalone/harddrake2:19
+#, fuzzy, c-format
+msgid "the list of alternative drivers for this sound card"
+msgstr "жигсаалт аас"
+
+#: standalone/harddrake2:22
+#, fuzzy, c-format
+msgid ""
+"this is the physical bus on which the device is plugged (eg: PCI, USB, ...)"
+msgstr "бол бол USB"
+
+#: standalone/harddrake2:23
+#, c-format
+msgid "Channel"
+msgstr ""
+
+#: standalone/harddrake2:23
+#, c-format
+msgid "EIDE/SCSI channel"
+msgstr ""
+
+#: standalone/harddrake2:24
+#, c-format
+msgid "Bogomips"
+msgstr ""
+
+#: standalone/harddrake2:24
+#, fuzzy, c-format
+msgid ""
+"the GNU/Linux kernel needs to run a calculation loop at boot time to "
+"initialize a timer counter. Its result is stored as bogomips as a way to "
+"\"benchmark\" the cpu."
+msgstr "бол."
+
+#: standalone/harddrake2:26
+#, c-format
+msgid "Bus identification"
+msgstr ""
+
+#: standalone/harddrake2:27
+#, fuzzy, c-format
+msgid ""
+"- PCI and USB devices: this lists the vendor, device, subvendor and "
+"subdevice PCI/USB ids"
+msgstr "USB USB"
+
+#: standalone/harddrake2:30
+#, fuzzy, c-format
+msgid ""
+"- pci devices: this gives the PCI slot, device and function of this card\n"
+"- eide devices: the device is either a slave or a master device\n"
+"- scsi devices: the scsi bus and the scsi device ids"
+msgstr "аас г бол г"
+
+#: standalone/harddrake2:33
+#, c-format
+msgid "Cache size"
+msgstr "Түр санах ойн хэмжээ"
+
+#: standalone/harddrake2:33
+#, c-format
+msgid "size of the (second level) cpu cache"
+msgstr "cpu түр санагчийн (хоёрдугаар түвшин) хэмжээ"
+
+#: standalone/harddrake2:34
+#, c-format
+msgid "Drive capacity"
+msgstr "Хөтлөгчийн багтаамж"
+
+#: standalone/harddrake2:34
+#, c-format
+msgid "special capacities of the driver (burning ability and or DVD support)"
+msgstr ""
+
+#: standalone/harddrake2:36
+#, c-format
+msgid "Coma bug"
+msgstr "Coma согог"
+
+#: standalone/harddrake2:36
+#, c-format
+msgid "whether this cpu has the Cyrix 6x86 Coma bug"
+msgstr ""
+
+#: standalone/harddrake2:37
+#, c-format
+msgid "Cpuid family"
+msgstr ""
+
+#: standalone/harddrake2:37
+#, c-format
+msgid "family of the cpu (eg: 6 for i686 class)"
+msgstr ""
+
+#: standalone/harddrake2:38
+#, c-format
+msgid "Cpuid level"
+msgstr "Cpuid түвшин"
+
+#: standalone/harddrake2:38
+#, c-format
+msgid "information level that can be obtained through the cpuid instruction"
+msgstr ""
+
+#: standalone/harddrake2:39
+#, fuzzy, c-format
+msgid "Frequency (MHz)"
+msgstr "Давтамж"
+
+#: standalone/harddrake2:39
+#, fuzzy, c-format
+msgid ""
+"the CPU frequency in MHz (Megahertz which in first approximation may be "
+"coarsely assimilated to number of instructions the cpu is able to execute "
+"per second)"
+msgstr "ямх ямх аас бол секунд"
+
+#: standalone/harddrake2:40
+#, c-format
+msgid "this field describes the device"
+msgstr ""
+
+#: standalone/harddrake2:41
+#, c-format
+msgid "Old device file"
+msgstr ""
+
+#: standalone/harddrake2:42
+#, fuzzy, c-format
+msgid "old static device name used in dev package"
+msgstr "нэр ямх"
+
+#: standalone/harddrake2:43
+#, fuzzy, c-format
+msgid "New devfs device"
+msgstr "Шинэ"
+
+#: standalone/harddrake2:44
+#, fuzzy, c-format
+msgid "new dynamic device name generated by core kernel devfs"
+msgstr "шинэ нэр"
+
+#: standalone/harddrake2:46
+#, c-format
+msgid "Module"
+msgstr "Модуль"
+
+#: standalone/harddrake2:46
+#, c-format
+msgid "the module of the GNU/Linux kernel that handles the device"
+msgstr "төхөөрөмжийг зохицуулдаг GNU/Linux цөмийн модуль"
+
+#: standalone/harddrake2:47
+#, fuzzy, c-format
+msgid "Flags"
+msgstr "Төлвүүд"
+
+#: standalone/harddrake2:47
+#, c-format
+msgid "CPU flags reported by the kernel"
+msgstr "цөмөөр мэдээлэгдсэн CPU-ийн төлөвүүд"
+
+#: standalone/harddrake2:48
+#, c-format
+msgid "Fdiv bug"
+msgstr "Fdiv согог"
+
+#: standalone/harddrake2:49
+#, fuzzy, c-format
+msgid ""
+"Early Intel Pentium chips manufactured have a bug in their floating point "
+"processor which did not achieve the required precision when performing a "
+"Floating point DIVision (FDIV)"
+msgstr "ямх Цэг Цэг"
+
+#: standalone/harddrake2:50
+#, c-format
+msgid "Is FPU present"
+msgstr ""
+
+#: standalone/harddrake2:50
+#, fuzzy, c-format
+msgid "yes means the processor has an arithmetic coprocessor"
+msgstr "Тийм"
+
+#: standalone/harddrake2:51
+#, c-format
+msgid "Whether the FPU has an irq vector"
+msgstr ""
+
+#: standalone/harddrake2:51
+#, fuzzy, c-format
+msgid "yes means the arithmetic coprocessor has an exception vector attached"
+msgstr "Тийм"
+
+#: standalone/harddrake2:52
+#, c-format
+msgid "F00f bug"
+msgstr ""
+
+#: standalone/harddrake2:52
+#, c-format
+msgid "early pentiums were buggy and freezed when decoding the F00F bytecode"
+msgstr ""
+"хуучин pentium-ууд нь F00F байт кодыг задлах үед согогтой ба гөлийдөг байсан"
+
+#: standalone/harddrake2:53
+#, c-format
+msgid "Halt bug"
+msgstr "Зогс алдаа"
+
+#: standalone/harddrake2:54
+#, fuzzy, c-format
+msgid ""
+"Some of the early i486DX-100 chips cannot reliably return to operating mode "
+"after the \"halt\" instruction is used"
+msgstr "аас горим бол"
+
+#: standalone/harddrake2:56
+#, c-format
+msgid "Floppy format"
+msgstr "Уян диск бэлдэх"
+
+#: standalone/harddrake2:56
+#, fuzzy, c-format
+msgid "format of floppies supported by the drive"
+msgstr "аас"
+
+#: standalone/harddrake2:57
+#, fuzzy, c-format
+msgid "sub generation of the cpu"
+msgstr "аас"
+
+#: standalone/harddrake2:58
+#, fuzzy, c-format
+msgid "class of hardware device"
+msgstr "аас"
+
+#: standalone/harddrake2:59 standalone/harddrake2:60
+#: standalone/printerdrake:212
+#, c-format
+msgid "Model"
+msgstr "Загвар"
+
+#: standalone/harddrake2:59
+#, c-format
+msgid "hard disk model"
+msgstr "хатуу дискийн загвар"
+
+#: standalone/harddrake2:60
+#, fuzzy, c-format
+msgid "generation of the cpu (eg: 8 for PentiumIII, ...)"
+msgstr "аас"
+
+#: standalone/harddrake2:61
+#, fuzzy, c-format
+msgid "Model name"
+msgstr "Загвар"
+
+#: standalone/harddrake2:61
+#, fuzzy, c-format
+msgid "official vendor name of the cpu"
+msgstr "нэр аас"
+
+#: standalone/harddrake2:62
+#, c-format
+msgid "Number of buttons"
+msgstr "Товчнуудын тоо"
+
+#: standalone/harddrake2:62
+#, fuzzy, c-format
+msgid "the number of buttons the mouse has"
+msgstr "аас"
+
+#: standalone/harddrake2:63
+#, c-format
+msgid "Name"
+msgstr "Нэр"
+
+#: standalone/harddrake2:63
+#, fuzzy, c-format
+msgid "the name of the CPU"
+msgstr "нэр аас"
+
+#: standalone/harddrake2:64
+#, c-format
+msgid "network printer port"
+msgstr "сүлжээний хэвлэгчийн порт"
+
+#: standalone/harddrake2:65
+#, fuzzy, c-format
+msgid "Processor ID"
+msgstr "Процессор"
+
+#: standalone/harddrake2:65
+#, fuzzy, c-format
+msgid "the number of the processor"
+msgstr "аас"
+
+#: standalone/harddrake2:66
+#, c-format
+msgid "Model stepping"
+msgstr "Загвар алхалт"
+
+#: standalone/harddrake2:66
+#, fuzzy, c-format
+msgid "stepping of the cpu (sub model (generation) number)"
+msgstr "аас"
+
+#: standalone/harddrake2:67
+#, fuzzy, c-format
+msgid "the type of bus on which the mouse is connected"
+msgstr "төрөл аас бол"
+
+#: standalone/harddrake2:68
+#, fuzzy, c-format
+msgid "the vendor name of the device"
+msgstr "нэр аас"
+
+#: standalone/harddrake2:69
+#, fuzzy, c-format
+msgid "the vendor name of the processor"
+msgstr "нэр аас"
+
+#: standalone/harddrake2:70
+#, fuzzy, c-format
+msgid "Write protection"
+msgstr "Бичих"
+
+#: standalone/harddrake2:70
+#, fuzzy, c-format
+msgid ""
+"the WP flag in the CR0 register of the cpu enforce write proctection at the "
+"memory page level, thus enabling the processor to prevent unchecked kernel "
+"accesses to user memory (aka this is a bug guard)"
+msgstr "ямх"
+
+#: standalone/harddrake2:84 standalone/logdrake:77 standalone/printerdrake:146
+#: standalone/printerdrake:159
+#, c-format
+msgid "/_Options"
+msgstr ""
+
+#: standalone/harddrake2:85 standalone/harddrake2:106 standalone/logdrake:79
+#: standalone/printerdrake:171 standalone/printerdrake:172
+#: standalone/printerdrake:173 standalone/printerdrake:174
+#, fuzzy, c-format
+msgid "/_Help"
+msgstr "/_Тусламж"
+
+#: standalone/harddrake2:89
+#, c-format
+msgid "/Autodetect _printers"
+msgstr "/Хэвлэгчүүдийг автоматаар таних"
+
+#: standalone/harddrake2:90
+#, c-format
+msgid "/Autodetect _modems"
+msgstr ""
+
+#: standalone/harddrake2:91
+#, fuzzy, c-format
+msgid "/Autodetect _jaz drives"
+msgstr "/_jazz хөтлөгчүүдийг автоматаар таних"
+
+#: standalone/harddrake2:98 standalone/printerdrake:152
+#, fuzzy, c-format
+msgid "/_Quit"
+msgstr "/_Гарах"
+
+#: standalone/harddrake2:107
+#, c-format
+msgid "/_Fields description"
+msgstr ""
+
+#: standalone/harddrake2:109
+#, c-format
+msgid "Harddrake help"
+msgstr ""
+
+#: standalone/harddrake2:110
+#, fuzzy, c-format
+msgid ""
+"Description of the fields:\n"
+"\n"
+msgstr "Тодорхойлолт аас г"
+
+#: standalone/harddrake2:115
+#, fuzzy, c-format
+msgid "Select a device !"
+msgstr "Сонгох!"
+
+#: standalone/harddrake2:115
+#, fuzzy, c-format
+msgid ""
+"Once you've selected a device, you'll be able to see the device information "
+"in fields displayed on the right frame (\"Information\")"
+msgstr "вы вы ямх баруун хүрээ Мэдээлэл"
+
+#: standalone/harddrake2:120 standalone/printerdrake:173
+#, c-format
+msgid "/_Report Bug"
+msgstr ""
+
+#: standalone/harddrake2:121 standalone/printerdrake:174
+#, fuzzy, c-format
+msgid "/_About..."
+msgstr "/Т_ухай..."
+
+#: standalone/harddrake2:122
+#, c-format
+msgid "About Harddrake"
+msgstr "Harddrake-н тухай"
+
+#: standalone/harddrake2:124
+#, fuzzy, c-format
+msgid ""
+"This is HardDrake, a Mandrake hardware configuration tool.\n"
+"<span foreground=\"royalblue3\">Version:</span> %s\n"
+"<span foreground=\"royalblue3\">Author:</span> Thierry Vignaud &lt;"
+"tvignaud@mandrakesoft.com&gt;\n"
+"\n"
+msgstr "бол HardDrake с<tvignaud\\@mandrakesoft.com> г"
+
+#: standalone/harddrake2:133
+#, fuzzy, c-format
+msgid "Detection in progress"
+msgstr "ямх"
+
+#: standalone/harddrake2:140
+#, c-format
+msgid "Harddrake2 version %s"
+msgstr "Harddrake2 хувилбар %s"
+
+#: standalone/harddrake2:156
+#, c-format
+msgid "Detected hardware"
+msgstr ""
+
+#: standalone/harddrake2:161
+#, c-format
+msgid "Configure module"
+msgstr "Модулыг тохируулах"
+
+#: standalone/harddrake2:168
+#, c-format
+msgid "Run config tool"
+msgstr "Тохируулагчийг ажиллуулах"
+
+#: standalone/harddrake2:215
+#, fuzzy, c-format
+msgid "unknown"
+msgstr "Тодорхойгүй"
+
+#: standalone/harddrake2:216
+#, c-format
+msgid "Unknown"
+msgstr "Үл мэдэгдэх"
+
+#: standalone/harddrake2:234
+#, fuzzy, c-format
+msgid ""
+"Click on a device in the left tree in order to display its information here."
+msgstr "ямх зүүн Мод ямх."
+
+#: standalone/harddrake2:282
+#, c-format
+msgid "secondary"
+msgstr "хоёрдугаар"
+
+#: standalone/harddrake2:282
+#, c-format
+msgid "primary"
+msgstr ""
+
+#: standalone/harddrake2:290
+#, fuzzy, c-format
+msgid "burner"
+msgstr "Хэвлэгч"
+
+#: standalone/harddrake2:290
+#, c-format
+msgid "DVD"
+msgstr ""
+
+#: standalone/keyboarddrake:24
+#, c-format
+msgid "Please, choose your keyboard layout."
+msgstr ""
+
+#: standalone/keyboarddrake:33
+#, fuzzy, c-format
+msgid "Do you want the BackSpace to return Delete in console?"
+msgstr "вы Устгах ямх?"
+
+#: standalone/localedrake:60
+#, c-format
+msgid "The change is done, but to be effective you must logout"
+msgstr ""
+
+#: standalone/logdrake:50
+#, c-format
+msgid "Mandrake Tools Explanation"
+msgstr ""
+
+#: standalone/logdrake:51
+#, c-format
+msgid "Logdrake"
+msgstr ""
+
+#: standalone/logdrake:64
+#, c-format
+msgid "Show only for the selected day"
+msgstr "Зөвхөн сонгогдсон өдрийн хувьд харуулах"
+
+#: standalone/logdrake:71
+#, fuzzy, c-format
+msgid "/File/_New"
+msgstr "Файл"
+
+#: standalone/logdrake:71
+#, c-format
+msgid "<control>N"
+msgstr "<control>N"
+
+#: standalone/logdrake:72
+#, fuzzy, c-format
+msgid "/File/_Open"
+msgstr "Файл"
+
+#: standalone/logdrake:72
+#, c-format
+msgid "<control>O"
+msgstr "<control>O"
+
+#: standalone/logdrake:73
+#, fuzzy, c-format
+msgid "/File/_Save"
+msgstr "Файл"
+
+#: standalone/logdrake:73
+#, c-format
+msgid "<control>S"
+msgstr "<control>S"
+
+#: standalone/logdrake:74
+#, c-format
+msgid "/File/Save _As"
+msgstr "/Файл/Ингэж хадгал"
+
+#: standalone/logdrake:75
+#, fuzzy, c-format
+msgid "/File/-"
+msgstr "Файл"
+
+#: standalone/logdrake:78
+#, c-format
+msgid "/Options/Test"
+msgstr "/Сонголтууд/Шалгалт"
+
+#: standalone/logdrake:80
+#, fuzzy, c-format
+msgid "/Help/_About..."
+msgstr "/Тусламж/_Тухай..."
+
+#: standalone/logdrake:111
+#, c-format
+msgid ""
+"_:this is the auth.log log file\n"
+"Authentication"
+msgstr ""
+
+#: standalone/logdrake:112
+#, c-format
+msgid ""
+"_:this is the user.log log file\n"
+"User"
+msgstr ""
+
+#: standalone/logdrake:113
+#, c-format
+msgid ""
+"_:this is the /var/log/messages log file\n"
+"Messages"
+msgstr ""
+
+#: standalone/logdrake:114
+#, c-format
+msgid ""
+"_:this is the /var/log/syslog log file\n"
+"Syslog"
+msgstr ""
+
+#: standalone/logdrake:118
+#, c-format
+msgid "search"
+msgstr ""
+
+#: standalone/logdrake:130
+#, c-format
+msgid "A tool to monitor your logs"
+msgstr ""
+
+#: standalone/logdrake:131 standalone/net_monitor:85
+#, fuzzy, c-format
+msgid "Settings"
+msgstr "Тохируулгууд"
+
+#: standalone/logdrake:136
+#, c-format
+msgid "Matching"
+msgstr ""
+
+#: standalone/logdrake:137
+#, c-format
+msgid "but not matching"
+msgstr ""
+
+#: standalone/logdrake:141
+#, fuzzy, c-format
+msgid "Choose file"
+msgstr "Сонгох"
+
+#: standalone/logdrake:150
+#, fuzzy, c-format
+msgid "Calendar"
+msgstr "Календар"
+
+#: standalone/logdrake:160
+#, fuzzy, c-format
+msgid "Content of the file"
+msgstr "аас"
+
+#: standalone/logdrake:164 standalone/logdrake:377
+#, c-format
+msgid "Mail alert"
+msgstr "Мэйл дохио"
+
+#: standalone/logdrake:171
+#, c-format
+msgid "The alert wizard had unexpectly failled:"
+msgstr ""
+
+#: standalone/logdrake:219
+#, c-format
+msgid "please wait, parsing file: %s"
+msgstr ""
+
+#: standalone/logdrake:355
+#, fuzzy, c-format
+msgid "Apache World Wide Web Server"
+msgstr "Вэб"
+
+#: standalone/logdrake:356
+#, fuzzy, c-format
+msgid "Domain Name Resolver"
+msgstr "Домэйн Нэр"
+
+#: standalone/logdrake:357
+#, c-format
+msgid "Ftp Server"
+msgstr ""
+
+#: standalone/logdrake:358
+#, fuzzy, c-format
+msgid "Postfix Mail Server"
+msgstr "Мэйл"
+
+#: standalone/logdrake:359
+#, fuzzy, c-format
+msgid "Samba Server"
+msgstr "Самба"
+
+#: standalone/logdrake:360
+#, c-format
+msgid "SSH Server"
+msgstr ""
+
+#: standalone/logdrake:361
+#, c-format
+msgid "Webmin Service"
+msgstr ""
+
+#: standalone/logdrake:362
+#, c-format
+msgid "Xinetd Service"
+msgstr ""
+
+#: standalone/logdrake:372
+#, fuzzy, c-format
+msgid "Configure the mail alert system"
+msgstr "Өөрчилөх"
+
+#: standalone/logdrake:373
+#, c-format
+msgid "Stop the mail alert system"
+msgstr ""
+
+#: standalone/logdrake:380
+#, c-format
+msgid "Mail alert configuration"
+msgstr "Мэйл сонордуулгын тохиргоо"
+
+#: standalone/logdrake:381
+#, fuzzy, c-format
+msgid ""
+"Welcome to the mail configuration utility.\n"
+"\n"
+"Here, you'll be able to set up the alert system.\n"
+msgstr "Тавтай морил г вы Сонордуулга"
+
+#: standalone/logdrake:384
+#, fuzzy, c-format
+msgid "What do you want to do?"
+msgstr "Хаана вы с?"
+
+#: standalone/logdrake:391
+#, fuzzy, c-format
+msgid "Services settings"
+msgstr "Тохируулгууд"
+
+#: standalone/logdrake:392
+#, fuzzy, c-format
+msgid ""
+"You will receive an alert if one of the selected services is no longer "
+"running"
+msgstr "Та Сонордуулга аас бол үгүй"
+
+#: standalone/logdrake:399
+#, fuzzy, c-format
+msgid "Load setting"
+msgstr "ачаалах"
+
+#: standalone/logdrake:400
+#, fuzzy, c-format
+msgid "You will receive an alert if the load is higher than this value"
+msgstr "Та Сонордуулга ачаалах бол"
+
+#: standalone/logdrake:401
+#, c-format
+msgid ""
+"_: load here is a noun, the load of the system\n"
+"Load"
+msgstr ""
+
+#: standalone/logdrake:406
+#, fuzzy, c-format
+msgid "Alert configuration"
+msgstr "Сонордуулга"
+
+#: standalone/logdrake:407
+#, c-format
+msgid "Please enter your email address below "
+msgstr "Та доор э-шуудангийн хаягаа өгнө үү"
+
+#: standalone/logdrake:408
+#, fuzzy, c-format
+msgid "and enter the name (or the IP) of the SMTP server you whish to use"
+msgstr "аас вы."
+
+#: standalone/logdrake:427 standalone/logdrake:433
+#, fuzzy, c-format
+msgid "Congratulations"
+msgstr "Баяр хүргэе!"
+
+#: standalone/logdrake:427
+#, c-format
+msgid "The wizard successfully configured the mail alert."
+msgstr ""
+
+#: standalone/logdrake:433
+#, c-format
+msgid "The wizard successfully disabled the mail alert."
+msgstr ""
+
+#: standalone/logdrake:492
+#, fuzzy, c-format
+msgid "Save as.."
+msgstr "Хадгалах."
+
+#: standalone/mousedrake:31
+#, fuzzy, c-format
+msgid "Please choose your mouse type."
+msgstr "төрөл."
+
+#: standalone/mousedrake:44
+#, c-format
+msgid "Emulate third button?"
+msgstr ""
+
+#: standalone/mousedrake:61
+#, fuzzy, c-format
+msgid "Mouse test"
+msgstr "Хулганы систем"
+
+#: standalone/mousedrake:64
+#, fuzzy, c-format
+msgid "Please test your mouse:"
+msgstr "төрөл."
+
+#: standalone/net_monitor:51 standalone/net_monitor:56
+#, c-format
+msgid "Network Monitoring"
+msgstr "Сүлжээ толидох"
+
+#: standalone/net_monitor:91
+#, fuzzy, c-format
+msgid "Global statistics"
+msgstr "Үзүүлэлтүүд"
+
+#: standalone/net_monitor:94
+#, c-format
+msgid "Instantaneous"
+msgstr ""
+
+#: standalone/net_monitor:94
+#, fuzzy, c-format
+msgid "Average"
+msgstr "дундаж"
+
+#: standalone/net_monitor:95
+#, fuzzy, c-format
+msgid ""
+"Sending\n"
+"speed:"
+msgstr "Илгээлтийн хурд:"
+
+#: standalone/net_monitor:96
+#, fuzzy, c-format
+msgid ""
+"Receiving\n"
+"speed:"
+msgstr "Хурд:"
+
+#: standalone/net_monitor:99
+#, fuzzy, c-format
+msgid ""
+"Connection\n"
+"time: "
+msgstr "Холболт Цаг "
+
+#: standalone/net_monitor:121
+#, c-format
+msgid "Wait please, testing your connection..."
+msgstr "Хүлээн үү, таны холболтыг шалгаж байна..."
+
+#: standalone/net_monitor:149 standalone/net_monitor:162
+#, fuzzy, c-format
+msgid "Disconnecting from Internet "
+msgstr "Интернэтээс салж байна"
+
+#: standalone/net_monitor:149 standalone/net_monitor:162
+#, fuzzy, c-format
+msgid "Connecting to Internet "
+msgstr "Холбож байна "
+
+#: standalone/net_monitor:193
+#, fuzzy, c-format
+msgid "Disconnection from Internet failed."
+msgstr "Интернэт."
+
+#: standalone/net_monitor:194
+#, fuzzy, c-format
+msgid "Disconnection from Internet complete."
+msgstr "Интернэт."
+
+#: standalone/net_monitor:196
+#, fuzzy, c-format
+msgid "Connection complete."
+msgstr "Холболт."
+
+#: standalone/net_monitor:197
+#, fuzzy, c-format
+msgid ""
+"Connection failed.\n"
+"Verify your configuration in the Mandrake Control Center."
+msgstr "Холболт ямх Контрол Төвд."
+
+#: standalone/net_monitor:295
+#, fuzzy, c-format
+msgid "Color configuration"
+msgstr "Өнгө"
+
+#: standalone/net_monitor:343 standalone/net_monitor:363
+#, c-format
+msgid "sent: "
+msgstr ""
+
+#: standalone/net_monitor:350 standalone/net_monitor:367
+#, c-format
+msgid "received: "
+msgstr ""
+
+#: standalone/net_monitor:357
+#, c-format
+msgid "average"
+msgstr "дундаж"
+
+#: standalone/net_monitor:360
+#, c-format
+msgid "Local measure"
+msgstr "Локал хэмжээс"
+
+#: standalone/net_monitor:392
+#, c-format
+msgid "transmitted"
+msgstr ""
+
+#: standalone/net_monitor:393
+#, c-format
+msgid "received"
+msgstr ""
+
+#: standalone/net_monitor:411
+#, c-format
+msgid ""
+"Warning, another internet connection has been detected, maybe using your "
+"network"
+msgstr ""
+"Анхааруулга, ондоо интернэт холболт мэдэгдлээ, магадгүй таны сүлжээг ашиглаж "
+"байх шиг байна"
+
+#: standalone/net_monitor:417
+#, c-format
+msgid "Disconnect %s"
+msgstr ""
+
+#: standalone/net_monitor:417
+#, c-format
+msgid "Connect %s"
+msgstr ""
+
+#: standalone/net_monitor:422
+#, fuzzy, c-format
+msgid "No internet connection configured"
+msgstr "Интернэт"
+
+#: standalone/printerdrake:70
+#, fuzzy, c-format
+msgid "Loading printer configuration... Please wait"
+msgstr "Өөрчлөх"
+
+#: standalone/printerdrake:86
+#, fuzzy, c-format
+msgid "Reading data of installed printers..."
+msgstr "аас."
+
+#: standalone/printerdrake:129
+#, fuzzy, c-format
+msgid "%s Printer Management Tool"
+msgstr "Шинэ хэвлэгчийн нэр"
+
+#: standalone/printerdrake:143 standalone/printerdrake:144
+#: standalone/printerdrake:145 standalone/printerdrake:153
+#: standalone/printerdrake:154 standalone/printerdrake:158
+#, fuzzy, c-format
+msgid "/_Actions"
+msgstr "Сонголтууд"
+
+#: standalone/printerdrake:143
+#, fuzzy, c-format
+msgid "/Set as _Default"
+msgstr "Стандарт"
+
+#: standalone/printerdrake:144
+#, fuzzy, c-format
+msgid "/_Edit"
+msgstr "/_Гарах"
+
+#: standalone/printerdrake:145
+#, fuzzy, c-format
+msgid "/_Delete"
+msgstr "Устгах"
+
+#: standalone/printerdrake:146
+#, fuzzy, c-format
+msgid "/_Expert mode"
+msgstr "Мэргэжлийн"
+
+#: standalone/printerdrake:151
+#, c-format
+msgid "/_Refresh"
+msgstr ""
+
+#: standalone/printerdrake:154
+#, fuzzy, c-format
+msgid "/_Add Printer"
+msgstr "Хэвлэгч"
+
+#: standalone/printerdrake:158
+#, fuzzy, c-format
+msgid "/_Configure CUPS"
+msgstr "Тохируулах"
+
+#: standalone/printerdrake:191
+#, c-format
+msgid "Search:"
+msgstr ""
+
+#: standalone/printerdrake:194
+#, c-format
+msgid "Apply filter"
+msgstr ""
+
+#: standalone/printerdrake:212 standalone/printerdrake:219
+#, c-format
+msgid "Def."
+msgstr ""
+
+#: standalone/printerdrake:212 standalone/printerdrake:219
+#, fuzzy, c-format
+msgid "Printer Name"
+msgstr "Хэвлэх Дараалал"
+
+#: standalone/printerdrake:212
+#, fuzzy, c-format
+msgid "Connection Type"
+msgstr "Холболт төрөл "
+
+#: standalone/printerdrake:219
+#, fuzzy, c-format
+msgid "Server Name"
+msgstr "Сервер "
+
+#: standalone/printerdrake:225
+#, fuzzy, c-format
+msgid "Add Printer"
+msgstr "Хэвлэгч"
+
+#: standalone/printerdrake:225
+#, fuzzy, c-format
+msgid "Add a new printer to the system"
+msgstr "Нэмэх шинэ"
+
+#: standalone/printerdrake:227
+#, c-format
+msgid "Set as default"
+msgstr ""
+
+#: standalone/printerdrake:227
+#, fuzzy, c-format
+msgid "Set selected printer as the default printer"
+msgstr "вы с?"
+
+#: standalone/printerdrake:229
+#, fuzzy, c-format
+msgid "Edit selected printer"
+msgstr "Сонгогдсон серверийг засах"
+
+#: standalone/printerdrake:231
+#, fuzzy, c-format
+msgid "Delete selected printer"
+msgstr "Устгах"
+
+#: standalone/printerdrake:233
+#, c-format
+msgid "Refresh"
+msgstr ""
+
+#: standalone/printerdrake:233
+#, fuzzy, c-format
+msgid "Refresh the list"
+msgstr "Устгах"
+
+#: standalone/printerdrake:235
+#, fuzzy, c-format
+msgid "Configure CUPS"
+msgstr "Тохируулах"
+
+#: standalone/printerdrake:235
+#, fuzzy, c-format
+msgid "Configure CUPS printing system"
+msgstr "Өөрчилөх"
+
+#: standalone/printerdrake:521
+#, c-format
+msgid "Authors: "
+msgstr ""
+
+#: standalone/printerdrake:527
+#, fuzzy, c-format
+msgid "Printer Management \n"
+msgstr "Шинэ хэвлэгчийн нэр"
+
+#: standalone/scannerdrake:53
+#, c-format
+msgid ""
+"Could not install the packages needed to set up a scanner with Scannerdrake."
+msgstr ""
+
+#: standalone/scannerdrake:54
+#, c-format
+msgid "Scannerdrake will not be started now."
+msgstr ""
+
+#: standalone/scannerdrake:60 standalone/scannerdrake:452
+#, c-format
+msgid "Searching for configured scanners ..."
+msgstr ""
+
+#: standalone/scannerdrake:64 standalone/scannerdrake:456
+#, fuzzy, c-format
+msgid "Searching for new scanners ..."
+msgstr "шинэ."
+
+#: standalone/scannerdrake:72 standalone/scannerdrake:478
+#, fuzzy, c-format
+msgid "Re-generating list of configured scanners ..."
+msgstr "жигсаалт аас."
+
+#: standalone/scannerdrake:94 standalone/scannerdrake:135
+#: standalone/scannerdrake:149
+#, fuzzy, c-format
+msgid "The %s is not supported by this version of %s."
+msgstr "с бол аас."
+
+#: standalone/scannerdrake:97
+#, fuzzy, c-format
+msgid "%s found on %s, configure it automatically?"
+msgstr "с с?"
+
+#: standalone/scannerdrake:109
+#, c-format
+msgid "%s is not in the scanner database, configure it manually?"
+msgstr "%s нь скайнерын санд алга байна, үүнийг гараараа тохируулах уу?"
+
+#: standalone/scannerdrake:124
+#, fuzzy, c-format
+msgid "Select a scanner model"
+msgstr "Сонгох"
+
+#: standalone/scannerdrake:125
+#, c-format
+msgid " ("
+msgstr " ("
+
+#: standalone/scannerdrake:126
+#, c-format
+msgid "Detected model: %s"
+msgstr ""
+
+#: standalone/scannerdrake:128
+#, fuzzy, c-format
+msgid ", "
+msgstr ", "
+
+#: standalone/scannerdrake:129
+#, fuzzy, c-format
+msgid "Port: %s"
+msgstr "Порт"
+
+#: standalone/scannerdrake:155
+#, fuzzy, c-format
+msgid "The %s is not known by this version of Scannerdrake."
+msgstr "с бол аас."
+
+#: standalone/scannerdrake:163 standalone/scannerdrake:177
+#, c-format
+msgid "Do not install firmware file"
+msgstr ""
+
+#: standalone/scannerdrake:167 standalone/scannerdrake:219
+#, c-format
+msgid ""
+"It is possible that your %s needs its firmware to be uploaded everytime when "
+"it is turned on."
+msgstr ""
+
+#: standalone/scannerdrake:168 standalone/scannerdrake:220
+#, c-format
+msgid "If this is the case, you can make this be done automatically."
+msgstr ""
+
+#: standalone/scannerdrake:169 standalone/scannerdrake:223
+#, c-format
+msgid ""
+"To do so, you need to supply the firmware file for your scanner so that it "
+"can be installed."
+msgstr ""
+
+#: standalone/scannerdrake:170 standalone/scannerdrake:224
+#, c-format
+msgid ""
+"You find the file on the CD or floppy coming with the scanner, on the "
+"manufacturer's home page, or on your Windows partition."
+msgstr ""
+
+#: standalone/scannerdrake:172 standalone/scannerdrake:231
+#, c-format
+msgid "Install firmware file from"
+msgstr ""
+
+#: standalone/scannerdrake:192
+#, fuzzy, c-format
+msgid "Select firmware file"
+msgstr "Файл сонгох"
+
+#: standalone/scannerdrake:195 standalone/scannerdrake:254
+#, c-format
+msgid "The firmware file %s does not exist or is unreadable!"
+msgstr ""
+
+#: standalone/scannerdrake:218
+#, c-format
+msgid ""
+"It is possible that your scanners need their firmware to be uploaded "
+"everytime when they are turned on."
+msgstr ""
+
+#: standalone/scannerdrake:222
+#, c-format
+msgid ""
+"To do so, you need to supply the firmware files for your scanners so that it "
+"can be installed."
+msgstr ""
+
+#: standalone/scannerdrake:225
+#, c-format
+msgid ""
+"If you have already installed your scanner's firmware you can update the "
+"firmware here by supplying the new firmware file."
+msgstr ""
+
+#: standalone/scannerdrake:227
+#, c-format
+msgid "Install firmware for the"
+msgstr ""
+
+#: standalone/scannerdrake:250
+#, fuzzy, c-format
+msgid "Select firmware file for the %s"
+msgstr "Файл сонгох"
+
+#: standalone/scannerdrake:276
+#, c-format
+msgid "The firmware file for your %s was successfully installed."
+msgstr ""
+
+#: standalone/scannerdrake:286
+#, fuzzy, c-format
+msgid "The %s is unsupported"
+msgstr "с бол"
+
+#: standalone/scannerdrake:291
+#, fuzzy, c-format
+msgid ""
+"The %s must be configured by printerdrake.\n"
+"You can launch printerdrake from the %s Control Center in Hardware section."
+msgstr "с Контрол Төвд ямх Hardware."
+
+#: standalone/scannerdrake:295 standalone/scannerdrake:302
+#: standalone/scannerdrake:332
+#, fuzzy, c-format
+msgid "Auto-detect available ports"
+msgstr "Авто"
+
+#: standalone/scannerdrake:297 standalone/scannerdrake:343
+#, fuzzy, c-format
+msgid "Please select the device where your %s is attached"
+msgstr "с бол"
+
+#: standalone/scannerdrake:298
+#, c-format
+msgid "(Note: Parallel ports cannot be auto-detected)"
+msgstr "(Тэмдэглэл: Зэргэлдээ портуудыг автоматаар таньж чадахгүй)"
+
+#: standalone/scannerdrake:300 standalone/scannerdrake:345
+#, c-format
+msgid "choose device"
+msgstr "төхөөрөмж сонгох"
+
+#: standalone/scannerdrake:334
+#, c-format
+msgid "Searching for scanners ..."
+msgstr ""
+
+#: standalone/scannerdrake:368
+#, c-format
+msgid ""
+"Your %s has been configured.\n"
+"You may now scan documents using \"XSane\" from Multimedia/Graphics in the "
+"applications menu."
+msgstr ""
+
+#: standalone/scannerdrake:392
+#, fuzzy, c-format
+msgid ""
+"The following scanners\n"
+"\n"
+"%s\n"
+"are available on your system.\n"
+msgstr "г г с"
+
+#: standalone/scannerdrake:393
+#, fuzzy, c-format
+msgid ""
+"The following scanner\n"
+"\n"
+"%s\n"
+"is available on your system.\n"
+msgstr "г г с"
+
+#: standalone/scannerdrake:396 standalone/scannerdrake:399
+#, fuzzy, c-format
+msgid "There are no scanners found which are available on your system.\n"
+msgstr "үгүй"
+
+#: standalone/scannerdrake:413
+#, fuzzy, c-format
+msgid "Search for new scanners"
+msgstr "Хайх шинэ"
+
+#: standalone/scannerdrake:419
+#, fuzzy, c-format
+msgid "Add a scanner manually"
+msgstr "Нэмэх"
+
+#: standalone/scannerdrake:426
+#, fuzzy, c-format
+msgid "Install/Update firmware files"
+msgstr "Файл сонгох"
+
+#: standalone/scannerdrake:432
+#, c-format
+msgid "Scanner sharing"
+msgstr ""
+
+#: standalone/scannerdrake:491 standalone/scannerdrake:656
+#, fuzzy, c-format
+msgid "All remote machines"
+msgstr "Бүх"
+
+#: standalone/scannerdrake:503 standalone/scannerdrake:806
+#, c-format
+msgid "This machine"
+msgstr "Энэ машин"
+
+#: standalone/scannerdrake:543
+#, fuzzy, c-format
+msgid ""
+"Here you can choose whether the scanners connected to this machine should be "
+"accessable by remote machines and by which remote machines."
+msgstr "вы."
+
+#: standalone/scannerdrake:544
+#, fuzzy, c-format
+msgid ""
+"You can also decide here whether scanners on remote machines should be made "
+"available on this machine."
+msgstr "Та."
+
+#: standalone/scannerdrake:547
+#, c-format
+msgid "The scanners on this machine are available to other computers"
+msgstr "Энэ машин дээрх скайнерууд нь бусад тооцоолууруудын хувьд боломжтой"
+
+#: standalone/scannerdrake:549
+#, c-format
+msgid "Scanner sharing to hosts: "
+msgstr ""
+
+#: standalone/scannerdrake:563
+#, fuzzy, c-format
+msgid "Use scanners on remote computers"
+msgstr "Нээх дээд"
+
+#: standalone/scannerdrake:566
+#, fuzzy, c-format
+msgid "Use the scanners on hosts: "
+msgstr "Нээх "
+
+#: standalone/scannerdrake:593 standalone/scannerdrake:665
+#: standalone/scannerdrake:815
+#, fuzzy, c-format
+msgid "Sharing of local scanners"
+msgstr "аас"
+
+#: standalone/scannerdrake:594
+#, fuzzy, c-format
+msgid ""
+"These are the machines on which the locally connected scanner(s) should be "
+"available:"
+msgstr "с:"
+
+#: standalone/scannerdrake:605 standalone/scannerdrake:755
+#, fuzzy, c-format
+msgid "Add host"
+msgstr "Нэмэх"
+
+#: standalone/scannerdrake:611 standalone/scannerdrake:761
+#, c-format
+msgid "Edit selected host"
+msgstr "Сонгогдсон хостыг засах"
+
+#: standalone/scannerdrake:620 standalone/scannerdrake:770
+#, fuzzy, c-format
+msgid "Remove selected host"
+msgstr "Устгах"
+
+#: standalone/scannerdrake:644 standalone/scannerdrake:652
+#: standalone/scannerdrake:657 standalone/scannerdrake:703
+#: standalone/scannerdrake:794 standalone/scannerdrake:802
+#: standalone/scannerdrake:807 standalone/scannerdrake:853
+#, c-format
+msgid "Name/IP address of host:"
+msgstr "Хостын Нэр/IP хаяг:"
+
+#: standalone/scannerdrake:666 standalone/scannerdrake:816
+#, fuzzy, c-format
+msgid "Choose the host on which the local scanners should be made available:"
+msgstr "Сонгох Нээх локал:"
+
+#: standalone/scannerdrake:677 standalone/scannerdrake:827
+#, fuzzy, c-format
+msgid "You must enter a host name or an IP address.\n"
+msgstr "Та нэр"
+
+#: standalone/scannerdrake:688 standalone/scannerdrake:838
+#, fuzzy, c-format
+msgid "This host is already in the list, it cannot be added again.\n"
+msgstr "бол ямх жигсаалт"
+
+#: standalone/scannerdrake:743
+#, fuzzy, c-format
+msgid "Usage of remote scanners"
+msgstr "аас"
+
+#: standalone/scannerdrake:744
+#, c-format
+msgid "These are the machines from which the scanners should be used:"
+msgstr ""
+
+#: standalone/scannerdrake:904
+#, c-format
+msgid "Your scanner(s) will not be available on the network."
+msgstr ""
+
+#: standalone/service_harddrake:49
+#, fuzzy, c-format
+msgid "Some devices in the \"%s\" hardware class were removed:\n"
+msgstr "ямх с"
+
+#: standalone/service_harddrake:53
+#, fuzzy, c-format
+msgid "Some devices were added: %s\n"
+msgstr "Хэсэг төхөөрөмж нэмэгдлээ:\n"
+
+#: standalone/service_harddrake:94
+#, fuzzy, c-format
+msgid "Hardware probing in progress"
+msgstr "Hardware ямх"
+
+#: steps.pm:14
+#, fuzzy, c-format
+msgid "Language"
+msgstr "Хэл"
+
+#: steps.pm:15
+#, fuzzy, c-format
+msgid "License"
+msgstr "Лиценз"
+
+#: steps.pm:16
+#, fuzzy, c-format
+msgid "Configure mouse"
+msgstr "Тохируулах"
+
+#: steps.pm:17
+#, c-format
+msgid "Hard drive detection"
+msgstr "Хатуу диск хөтлөгч танилт"
+
+#: steps.pm:18
+#, c-format
+msgid "Select installation class"
+msgstr "Суулгалтын ангилалыг сонгох"
+
+#: steps.pm:19
+#, c-format
+msgid "Choose your keyboard"
+msgstr "Гараа сонгоно уу"
+
+#: steps.pm:21
+#, c-format
+msgid "Partitioning"
+msgstr ""
+
+#: steps.pm:22
+#, fuzzy, c-format
+msgid "Format partitions"
+msgstr "Формат"
+
+#: steps.pm:23
+#, fuzzy, c-format
+msgid "Choose packages to install"
+msgstr "Сонгох"
+
+#: steps.pm:24
+#, c-format
+msgid "Install system"
+msgstr ""
+
+#: steps.pm:25
+#, fuzzy, c-format
+msgid "Root password"
+msgstr "Эзэн"
+
+#: steps.pm:26
+#, fuzzy, c-format
+msgid "Add a user"
+msgstr "Шинэ хэрэглэгч нэмэх"
+
+#: steps.pm:27
+#, fuzzy, c-format
+msgid "Configure networking"
+msgstr "Тохируулах"
+
+#: steps.pm:28
+#, c-format
+msgid "Install bootloader"
+msgstr ""
+
+#: steps.pm:29
+#, fuzzy, c-format
+msgid "Configure X"
+msgstr "Тохируулах"
+
+#: steps.pm:31
+#, fuzzy, c-format
+msgid "Configure services"
+msgstr "Тохируулах"
+
+#: steps.pm:32
+#, c-format
+msgid "Install updates"
+msgstr ""
+
+#: steps.pm:33
+#, fuzzy, c-format
+msgid "Exit install"
+msgstr "Гарах"
+
+#: ugtk2.pm:1047
+#, c-format
+msgid "Is this correct?"
+msgstr ""
+
+#: ugtk2.pm:1175
+#, fuzzy, c-format
+msgid "Expand Tree"
+msgstr "Дотогш нь задлах"
+
+#: ugtk2.pm:1176
+#, c-format
+msgid "Collapse Tree"
+msgstr ""
+
+#: ugtk2.pm:1177
+#, fuzzy, c-format
+msgid "Toggle between flat and group sorted"
+msgstr "бүлэг"
+
+#: wizards.pm:95
+#, c-format
+msgid ""
+"%s is not installed\n"
+"Click \"Next\" to install or \"Cancel\" to quit"
+msgstr ""
+
+#: wizards.pm:99
+#, fuzzy, c-format
+msgid "Installation failed"
+msgstr "Хэлбэр!"
+
+#, fuzzy
+#~ msgid "Configuration of a remote printer"
+#~ msgstr "Тоноглол аас"
+
+#, fuzzy
+#~ msgid "configure %s"
+#~ msgstr "Тохируулах"
+
+#, fuzzy
+#~ msgid "level = "
+#~ msgstr "Түвшин"
+
+#, fuzzy
+#~ msgid "Office Workstation"
+#~ msgstr "Албан газар"
+
+#, fuzzy
+#~ msgid ""
+#~ "Office programs: wordprocessors (kword, abiword), spreadsheets (kspread, "
+#~ "gnumeric), pdf viewers, etc"
+#~ msgstr "Албан газар"
+
+#, fuzzy
+#~ msgid "Game station"
+#~ msgstr "Тоглоом"
+
+#, fuzzy
+#~ msgid "Amusement programs: arcade, boards, strategy, etc"
+#~ msgstr "Зугаа цэнгэл"
+
+#, fuzzy
+#~ msgid "Multimedia station"
+#~ msgstr "Мультимедиа"
+
+#, fuzzy
+#~ msgid "Sound and video playing/editing programs"
+#~ msgstr "Дуу"
+
+#, fuzzy
+#~ msgid "Internet station"
+#~ msgstr "Интернэт"
+
+#, fuzzy
+#~ msgid ""
+#~ "Set of tools to read and send mail and news (mutt, tin..) and to browse "
+#~ "the Web"
+#~ msgstr "аас"
+
+#, fuzzy
+#~ msgid "Network Computer (client)"
+#~ msgstr "Сүлжээ"
+
+#, fuzzy
+#~ msgid "Configuration"
+#~ msgstr "Тоноглол"
+
+#, fuzzy
+#~ msgid "Tools to ease the configuration of your computer"
+#~ msgstr "аас"
+
+#, fuzzy
+#~ msgid "Editors, shells, file tools, terminals"
+#~ msgstr "Засварлагчууд"
+
+#, fuzzy
+#~ msgid "KDE Workstation"
+#~ msgstr "KDE"
+
+#, fuzzy
+#~ msgid ""
+#~ "The K Desktop Environment, the basic graphical environment with a "
+#~ "collection of accompanying tools"
+#~ msgstr "Ажилын талбар аас"
+
+#, fuzzy
+#~ msgid "Gnome Workstation"
+#~ msgstr "GNOME"
+
+#, fuzzy
+#~ msgid ""
+#~ "A graphical environment with user-friendly set of applications and "
+#~ "desktop tools"
+#~ msgstr "аас"
+
+#, fuzzy
+#~ msgid "Other Graphical Desktops"
+#~ msgstr "Бусад"
+
+#, fuzzy
+#~ msgid "Icewm, Window Maker, Enlightenment, Fvwm, etc"
+#~ msgstr "Цонх"
+
+#, fuzzy
+#~ msgid "C and C++ development libraries, programs and include files"
+#~ msgstr "C C"
+
+#, fuzzy
+#~ msgid "Documentation"
+#~ msgstr "Баримтжуулалт"
+
+#, fuzzy
+#~ msgid "Books and Howto's on Linux and Free Software"
+#~ msgstr "с"
+
+#, fuzzy
+#~ msgid "Linux Standard Base. Third party applications support"
+#~ msgstr "Стандарт"
+
+#~ msgid "Web/FTP"
+#~ msgstr "Web/FTP"
+
+#~ msgid "Mail"
+#~ msgstr "Мэйл"
+
+#~ msgid "Database"
+#~ msgstr "Өгөгдлийн сан"
+
+#~ msgid "Internet gateway"
+#~ msgstr "Интернэт гарц"
+
+#, fuzzy
+#~ msgid "Domain Name and Network Information Server"
+#~ msgstr "Домэйн Нэр Сүлжээ Мэдээлэл"
+
+#, fuzzy
+#~ msgid "Network Computer server"
+#~ msgstr "Сүлжээ"
+
+#, fuzzy
+#~ msgid "NFS server, SMB server, Proxy server, ssh server"
+#~ msgstr "Итгэмжилэгч"
+
+#, fuzzy
+#~ msgid "Set of tools to read and send mail and news and to browse the Web"
+#~ msgstr "аас"
+
+#, fuzzy
+#~ msgid "add"
+#~ msgstr "Нэмэх"
+
+#, fuzzy
+#~ msgid "edit"
+#~ msgstr "засах"
+
+#, fuzzy
+#~ msgid "remove"
+#~ msgstr "Устгах"
+
+#, fuzzy
+#~ msgid "Add an UPS device"
+#~ msgstr "Нэмэх"
+
+#, fuzzy
+#~ msgid ""
+#~ "Welcome to the UPS configuration utility.\n"
+#~ "\n"
+#~ "Here, you'll be add a new UPS to your system.\n"
+#~ msgstr "Тавтай морил г вы Сонордуулга"
+
+#, fuzzy
+#~ msgid "Autodetection"
+#~ msgstr "Автомат танилт"
+
+#, fuzzy
+#~ msgid "No new UPS devices was found"
+#~ msgstr "Үгүй Зураг"
+
+#, fuzzy
+#~ msgid "UPS driver configuration"
+#~ msgstr "CUPS тохиргоо"
+
+#, fuzzy
+#~ msgid "Please select your UPS model."
+#~ msgstr "төрөл."
+
+#, fuzzy
+#~ msgid "Manufacturer / Model:"
+#~ msgstr "Хэвлэгчийн үйлдвэрлэгч, загвар"
+
+#, fuzzy
+#~ msgid "Name:"
+#~ msgstr "Нэр: "
+
+#, fuzzy
+#~ msgid "The name of your ups"
+#~ msgstr "нэр аас"
+
+#, fuzzy
+#~ msgid "Port:"
+#~ msgstr "Порт"
+
+#, fuzzy
+#~ msgid "The port on which is connected your ups"
+#~ msgstr "төрөл аас бол"
+
+#, fuzzy
+#~ msgid "UPS devices"
+#~ msgstr " төхөөрөмж дээр: %s"
+
+#, fuzzy
+#~ msgid "UPS users"
+#~ msgstr "Хэрэглэгчид"
+
+#, fuzzy
+#~ msgid "Action"
+#~ msgstr "Сонголтууд"
+
+#, fuzzy
+#~ msgid "ACL name"
+#~ msgstr "нэр?"
+
+#, fuzzy
+#~ msgid "Welcome to the UPS configuration tools"
+#~ msgstr "Тест аас"
+
+#, fuzzy
+#~ msgid "Running \"%s\" ..."
+#~ msgstr "Ажиллуулж байна с."
+
+#, fuzzy
+#~ msgid "On Hard Drive"
+#~ msgstr "Erfitt"
+
+#~ msgid "Messages"
+#~ msgstr "Зурвасууд"
+
+#, fuzzy
+#~ msgid "Next ->"
+#~ msgstr "Дараагийн"
+
+#, fuzzy
+#~ msgid "Next->"
+#~ msgstr "Дараагийн"
diff --git a/perl-install/share/po/ms.po b/perl-install/share/po/ms.po
index e6197ad6b..8954a48ea 100644
--- a/perl-install/share/po/ms.po
+++ b/perl-install/share/po/ms.po
@@ -5,7 +5,7 @@
msgid ""
msgstr ""
"Project-Id-Version: DrakX\n"
-"POT-Creation-Date: 2003-12-03 03:09+0100\n"
+"POT-Creation-Date: 2004-02-19 18:02+0100\n"
"PO-Revision-Date: 2003-08-20 19:30+0800\n"
"Last-Translator: Sharuzzaman Ahmat Raslan <sharuzzaman@myrealbox.com>\n"
"Language-Team: Malay <translation-team-ms@lists.sourceforge.net>\n"
@@ -14,3416 +14,4308 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"X-Generator: KBabel 1.0\n"
-#: ../../install_steps_interactive.pm:1
-#, c-format
-msgid "Scanning partitions to find mount points"
-msgstr "Mengimbas partisyen untuk mencari titik lekapan"
-
-#: ../../security/help.pm:1
-#, c-format
-msgid "if set to yes, check additions/removals of suid root files."
-msgstr "jika tetap kepada ya, periksa penambahan/pembuangan fail suid root."
-
-#: ../../standalone/drakTermServ:1
+#: ../move/move.pm:359
#, c-format
msgid ""
-"%s: %s requires hostname, MAC address, IP, nbi-image, 0/1 for THIN_CLIENT, "
-"0/1 for Local Config...\n"
+"Your USB key doesn't have any valid Windows (FAT) partitions.\n"
+"We need one to continue (beside, it's more standard so that you\n"
+"will be able to move and access your files from machines\n"
+"running Windows). Please plug in an USB key containing a\n"
+"Windows partition instead.\n"
+"\n"
+"\n"
+"You may also proceed without an USB key - you'll still be\n"
+"able to use Mandrake Move as a normal live Mandrake\n"
+"Operating System."
msgstr ""
-"%s: %s memerlukan namahos, alamat MAC, IP, imej-nbi, 0/1 untuk THIN_CLIENT, "
-"0/1 untuk Local Config...\n"
-#: ../../standalone/drakTermServ:1
-#, c-format
-msgid "Configuration changed - restart clusternfs/dhcpd?"
-msgstr "Konfigurasi berubah - mulakan semula clusternfs/dhcpd?"
-
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "\t\tErase=%s"
-msgstr "\t\tPadam=%s"
-
-#: ../../standalone/drakbackup:1
+#: ../move/move.pm:369
#, c-format
msgid ""
-"Differential backups only save files that have changed or are new since the "
-"original 'base' backup."
+"We didn't detect any USB key on your system. If you\n"
+"plug in an USB key now, Mandrake Move will have the ability\n"
+"to transparently save the data in your home directory and\n"
+"system wide configuration, for next boot on this computer\n"
+"or another one. Note: if you plug in a key now, wait several\n"
+"seconds before detecting again.\n"
+"\n"
+"\n"
+"You may also proceed without an USB key - you'll still be\n"
+"able to use Mandrake Move as a normal live Mandrake\n"
+"Operating System."
msgstr ""
-"Backup berkala hanya menyimpan fail yang telah berubah atau baru semenjak "
-"backup 'induk' asal"
-#: ../../standalone/harddrake2:1
+#: ../move/move.pm:380
#, c-format
-msgid "network printer port"
-msgstr "port pencetak rangkaian"
+msgid "Need a key to save your data"
+msgstr ""
-#: ../../standalone/drakTermServ:1
+#: ../move/move.pm:382
#, c-format
-msgid "Please insert floppy disk:"
-msgstr "Sila masukkan cakera liut:"
+msgid "Detect USB key again"
+msgstr ""
-#: ../../standalone/drakTermServ:1
+#: ../move/move.pm:383 ../move/move.pm:413
#, c-format
-msgid "DrakTermServ"
+msgid "Continue without USB key"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: ../move/move.pm:394 ../move/move.pm:408
#, c-format
-msgid "PCMCIA"
-msgstr "PCMCIA"
+msgid "Key isn't writable"
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: ../move/move.pm:396
#, c-format
msgid ""
-"The backup partition table has not the same size\n"
-"Still continue?"
+"The USB key seems to have write protection enabled, but we can't safely\n"
+"unplug it now.\n"
+"\n"
+"\n"
+"Click the button to reboot the machine, unplug it, remove write protection,\n"
+"plug the key again, and launch Mandrake Move again."
msgstr ""
-"Jadual partisyen backup tidak mempunyai saiz yang sama\n"
-"Masih teruskan?"
-#: ../../diskdrake/smbnfs_gtk.pm:1
+#: ../move/move.pm:402 help.pm:418 install_steps_interactive.pm:1310
#, c-format
-msgid "Which username"
+msgid "Reboot"
msgstr ""
-#: ../../any.pm:1
+#: ../move/move.pm:410
#, c-format
-msgid "Which type of entry do you want to add?"
+msgid ""
+"The USB key seems to have write protection enabled. Please\n"
+"unplug it, remove write protection, and then plug it again."
msgstr ""
-#: ../../help.pm:1 ../../diskdrake/interactive.pm:1
+#: ../move/move.pm:412
#, c-format
-msgid "Restore partition table"
+msgid "Retry"
msgstr ""
-#: ../../standalone/drakconnect:1
-#, fuzzy, c-format
-msgid "Configure hostname..."
-msgstr "Internet."
-
-#: ../../printer/cups.pm:1
+#: ../move/move.pm:423
#, c-format
-msgid "On CUPS server \"%s\""
+msgid "Setting up USB key"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: ../move/move.pm:423
#, c-format
-msgid "Post-install configuration"
+msgid "Please wait, setting up system configuration files on USB key..."
msgstr ""
-#: ../../standalone/drakperm:1
+#: ../move/move.pm:445
#, c-format
-msgid ""
-"The current security level is %s\n"
-"Select permissions to see/edit"
+msgid "Enter your user information, password will be used for screensaver"
msgstr ""
-#: ../../diskdrake/hd_gtk.pm:1
+#: ../move/move.pm:455
+#, fuzzy, c-format
+msgid "Auto configuration"
+msgstr "Tersendiri"
+
+#: ../move/move.pm:455
#, c-format
-msgid "Use ``%s'' instead"
+msgid "Please wait, detecting and configuring devices..."
msgstr ""
-#: ../../diskdrake/hd_gtk.pm:1 ../../diskdrake/interactive.pm:1
-#: ../../diskdrake/removable.pm:1 ../../standalone/harddrake2:1
-#, c-format
-msgid "Type"
-msgstr "Jenis"
+#: ../move/move.pm:502 ../move/move.pm:559 ../move/move.pm:563
+#: ../move/tree/mdk_totem:86 diskdrake/dav.pm:77 diskdrake/hd_gtk.pm:117
+#: diskdrake/interactive.pm:215 diskdrake/interactive.pm:228
+#: diskdrake/interactive.pm:369 diskdrake/interactive.pm:384
+#: diskdrake/interactive.pm:505 diskdrake/interactive.pm:510
+#: diskdrake/smbnfs_gtk.pm:42 fsedit.pm:253 install_steps.pm:82
+#: install_steps_interactive.pm:40 interactive/http.pm:118
+#: interactive/http.pm:119 network/netconnect.pm:753 network/netconnect.pm:846
+#: network/netconnect.pm:849 network/netconnect.pm:894
+#: network/netconnect.pm:898 network/netconnect.pm:965
+#: network/netconnect.pm:1014 network/netconnect.pm:1019
+#: network/netconnect.pm:1034 printer/printerdrake.pm:213
+#: printer/printerdrake.pm:220 printer/printerdrake.pm:245
+#: printer/printerdrake.pm:393 printer/printerdrake.pm:398
+#: printer/printerdrake.pm:411 printer/printerdrake.pm:421
+#: printer/printerdrake.pm:1052 printer/printerdrake.pm:1099
+#: printer/printerdrake.pm:1174 printer/printerdrake.pm:1178
+#: printer/printerdrake.pm:1349 printer/printerdrake.pm:1353
+#: printer/printerdrake.pm:1357 printer/printerdrake.pm:1457
+#: printer/printerdrake.pm:1461 printer/printerdrake.pm:1578
+#: printer/printerdrake.pm:1582 printer/printerdrake.pm:1668
+#: printer/printerdrake.pm:1755 printer/printerdrake.pm:2153
+#: printer/printerdrake.pm:2419 printer/printerdrake.pm:2425
+#: printer/printerdrake.pm:2842 printer/printerdrake.pm:2846
+#: printer/printerdrake.pm:2850 printer/printerdrake.pm:3241
+#: standalone/drakTermServ:399 standalone/drakTermServ:730
+#: standalone/drakTermServ:737 standalone/drakTermServ:931
+#: standalone/drakTermServ:1330 standalone/drakTermServ:1335
+#: standalone/drakTermServ:1342 standalone/drakTermServ:1353
+#: standalone/drakTermServ:1372 standalone/drakauth:36
+#: standalone/drakbackup:766 standalone/drakbackup:881
+#: standalone/drakbackup:1455 standalone/drakbackup:1488
+#: standalone/drakbackup:2004 standalone/drakbackup:2177
+#: standalone/drakbackup:2738 standalone/drakbackup:2805
+#: standalone/drakbackup:4826 standalone/drakboot:235 standalone/drakbug:267
+#: standalone/drakbug:286 standalone/drakbug:292 standalone/drakconnect:569
+#: standalone/drakconnect:571 standalone/drakconnect:587
+#: standalone/drakfloppy:301 standalone/drakfloppy:305
+#: standalone/drakfloppy:311 standalone/drakfont:208 standalone/drakfont:221
+#: standalone/drakfont:257 standalone/drakfont:597 standalone/draksplash:21
+#: standalone/logdrake:171 standalone/logdrake:415 standalone/logdrake:420
+#: standalone/scannerdrake:52 standalone/scannerdrake:194
+#: standalone/scannerdrake:253 standalone/scannerdrake:676
+#: standalone/scannerdrake:687 standalone/scannerdrake:826
+#: standalone/scannerdrake:837 standalone/scannerdrake:902 wizards.pm:95
+#: wizards.pm:99 wizards.pm:121
+#, fuzzy, c-format
+msgid "Error"
+msgstr "Ralat"
-#: ../../printer/printerdrake.pm:1
+#: ../move/move.pm:503 install_steps.pm:83
#, fuzzy, c-format
msgid ""
-"\n"
-"Also printers configured with the PPD files provided by their manufacturers "
-"or with native CUPS drivers cannot be transferred."
-msgstr "fail."
+"An error occurred, but I don't know how to handle it nicely.\n"
+"Continue at your own risk."
+msgstr "ralat."
-#: ../../lang.pm:1
-#, c-format
-msgid "Sri Lanka"
-msgstr "Sri Lanka"
+#: ../move/move.pm:559 install_steps_interactive.pm:40
+#, fuzzy, c-format
+msgid "An error occurred"
+msgstr "ralat"
-#: ../../printer/printerdrake.pm:1
+#: ../move/move.pm:565
#, c-format
msgid ""
-"The following printer\n"
+"An error occurred:\n"
"\n"
-"%s%s\n"
-"are directly connected to your system"
+"\n"
+"%s\n"
+"\n"
+"This may come from corrupted system configuration files\n"
+"on the USB key, in this case removing them and then\n"
+"rebooting Mandrake Move would fix the problem. To do\n"
+"so, click on the corresponding button.\n"
+"\n"
+"\n"
+"You may also want to reboot and remove the USB key, or\n"
+"examine its contents under another OS, or even have\n"
+"a look at log files in console #3 and #4 to try to\n"
+"guess what's happening."
msgstr ""
-#: ../../lang.pm:1
-#, c-format
-msgid "Central African Republic"
-msgstr "Republik Afrika Tengah"
+#: ../move/move.pm:580
+#, fuzzy, c-format
+msgid "Remove system config files"
+msgstr "Buang fail?"
-#: ../../network/network.pm:1
+#: ../move/move.pm:581
#, c-format
-msgid "Gateway device"
-msgstr "Peranti gateway"
+msgid "Simply reboot"
+msgstr ""
-#: ../../standalone/drakfloppy:1
+#: ../move/tree/mdk_totem:60
#, c-format
-msgid "Advanced preferences"
-msgstr "Keutamaan lanjutan"
+msgid "You can only run with no CDROM support"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: ../move/tree/mdk_totem:81
#, c-format
-msgid "Net Method:"
+msgid "Kill those programs"
msgstr ""
-#: ../../harddrake/data.pm:1
+#: ../move/tree/mdk_totem:82
#, c-format
-msgid "Ethernetcard"
+msgid "No CDROM support"
msgstr ""
-#: ../../security/l10n.pm:1
+#: ../move/tree/mdk_totem:87
#, c-format
-msgid "If set, send the mail report to this email address else send it to root"
+msgid ""
+"You can't use another CDROM when the following programs are running: \n"
+"%s"
msgstr ""
-#: ../../modules/interactive.pm:1 ../../standalone/drakconnect:1
+#: ../move/tree/mdk_totem:101
#, c-format
-msgid "Parameters"
-msgstr "Parameter"
+msgid "Copying to memory to allow removing the CDROM"
+msgstr ""
-#: ../../standalone/draksec:1
+#: Xconfig/card.pm:16
#, c-format
-msgid "no"
-msgstr "tidak"
+msgid "256 kB"
+msgstr ""
-#: ../../harddrake/v4l.pm:1
+#: Xconfig/card.pm:17
#, c-format
-msgid "Auto-detect"
+msgid "512 kB"
msgstr ""
-#: ../../standalone/drakconnect:1
+#: Xconfig/card.pm:18
#, c-format
-msgid "Interface:"
-msgstr "Antaramuka:"
+msgid "1 MB"
+msgstr ""
-#: ../../steps.pm:1
+#: Xconfig/card.pm:19
#, c-format
-msgid "Select installation class"
+msgid "2 MB"
msgstr ""
-#: ../../network/tools.pm:1
-#, fuzzy, c-format
-msgid ""
-"The system doesn't seem to be connected to the Internet.\n"
-"Try to reconfigure your connection."
-msgstr "Internet."
-
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid ""
-"Connect your printer to a Linux server and let your Windows machine(s) "
-"connect to it as a client.\n"
-"\n"
-"Do you really want to continue setting up this printer as you are doing now?"
-msgstr "Sambung dan Tetingkap?"
-
-#: ../../lang.pm:1
+#: Xconfig/card.pm:20
#, c-format
-msgid "Belarus"
-msgstr "Belarus"
+msgid "4 MB"
+msgstr ""
-#: ../../partition_table.pm:1
+#: Xconfig/card.pm:21
#, c-format
-msgid "Error writing to file %s"
-msgstr "Ralat menulis kepada fail %s"
+msgid "8 MB"
+msgstr ""
-#: ../../security/l10n.pm:1
+#: Xconfig/card.pm:22
#, c-format
-msgid "Report check result to syslog"
+msgid "16 MB"
msgstr ""
-#: ../../services.pm:1
-#, fuzzy, c-format
-msgid ""
-"apmd is used for monitoring battery status and logging it via syslog.\n"
-"It can also be used for shutting down the machine when the battery is low."
-msgstr "dan."
-
-#: ../../standalone/drakbackup:1
+#: Xconfig/card.pm:23
#, c-format
-msgid "Use tape to backup"
+msgid "32 MB"
msgstr ""
-#: ../../install_steps_gtk.pm:1
+#: Xconfig/card.pm:24
#, c-format
-msgid "The following packages are going to be installed"
+msgid "64 MB or more"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: Xconfig/card.pm:211
#, c-format
-msgid "CUPS configuration"
+msgid "X server"
msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Total progress"
-msgstr "Jumlah"
-
-#: ../../install_interactive.pm:1
+#: Xconfig/card.pm:212
#, c-format
-msgid "Not enough free space to allocate new partitions"
+msgid "Choose an X server"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: Xconfig/card.pm:244
#, c-format
-msgid "Moving"
+msgid "Multi-head configuration"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: Xconfig/card.pm:245
#, c-format
msgid ""
-"\n"
-"Drakbackup activities via %s:\n"
-"\n"
+"Your system supports multiple head configuration.\n"
+"What do you want to do?"
msgstr ""
-#: ../../standalone/draksec:1
+#: Xconfig/card.pm:312
#, c-format
-msgid "yes"
-msgstr "ya"
+msgid "Can't install XFree package: %s"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: Xconfig/card.pm:322
#, c-format
-msgid "("
+msgid "Select the memory size of your graphics card"
msgstr ""
-#: ../../network/netconnect.pm:1
-#, fuzzy, c-format
-msgid ""
-"Welcome to The Network Configuration Wizard.\n"
-"\n"
-"We are about to configure your internet/network connection.\n"
-"If you don't want to use the auto detection, deselect the checkbox.\n"
-msgstr "Selamat Datang Rangkaian Konfigurasikan"
-
-#: ../../printer/printerdrake.pm:1 ../../standalone/scannerdrake:1
+#: Xconfig/card.pm:398
#, c-format
-msgid ")"
+msgid "XFree configuration"
msgstr ""
-#: ../../lang.pm:1
+#: Xconfig/card.pm:400
#, c-format
-msgid "Lebanon"
-msgstr "Lebanon"
+msgid "Which configuration of XFree do you want to have?"
+msgstr ""
-#: ../../mouse.pm:1
+#: Xconfig/card.pm:434
#, c-format
-msgid "MM HitTablet"
+msgid "Configure all heads independently"
msgstr ""
-#: ../../services.pm:1
+#: Xconfig/card.pm:435
#, c-format
-msgid "Stop"
-msgstr "Henti"
+msgid "Use Xinerama extension"
+msgstr ""
-#: ../../standalone/scannerdrake:1
+#: Xconfig/card.pm:440
#, c-format
-msgid "Edit selected host"
-msgstr "Edit hos dipilih"
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "No CD device defined!"
-msgstr "Tidak!"
+msgid "Configure only card \"%s\"%s"
+msgstr ""
-#: ../../network/shorewall.pm:1
+#: Xconfig/card.pm:454 Xconfig/card.pm:456 Xconfig/various.pm:23
#, c-format
-msgid ""
-"Please enter the name of the interface connected to the "
-"internet. \n"
-" \n"
-"Examples:\n"
-" ppp+ for modem or DSL connections, \n"
-" eth0, or eth1 for cable connection, \n"
-" ippp+ for a isdn connection.\n"
+msgid "XFree %s"
msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "\tUse .backupignore files\n"
-msgstr "fail"
-
-#: ../../keyboard.pm:1
+#: Xconfig/card.pm:467 Xconfig/card.pm:493 Xconfig/various.pm:23
#, c-format
-msgid "Bulgarian (phonetic)"
+msgid "XFree %s with 3D hardware acceleration"
msgstr ""
-#: ../../standalone/drakpxe:1
+#: Xconfig/card.pm:470
#, fuzzy, c-format
-msgid "The DHCP start ip"
-msgstr "DHCP mula"
+msgid ""
+"Your card can have 3D hardware acceleration support but only with XFree %s.\n"
+"Your card is supported by XFree %s which may have a better support in 2D."
+msgstr "dalam."
-#: ../../Xconfig/card.pm:1
+#: Xconfig/card.pm:472 Xconfig/card.pm:495
#, c-format
-msgid "256 kB"
+msgid "Your card can have 3D hardware acceleration support with XFree %s."
msgstr ""
-#: ../../standalone/drakbackup:1
+#: Xconfig/card.pm:480 Xconfig/card.pm:501
#, c-format
-msgid "Don't rewind tape after backup"
+msgid "XFree %s with EXPERIMENTAL 3D hardware acceleration"
msgstr ""
-#: ../../any.pm:1
+#: Xconfig/card.pm:483
#, fuzzy, c-format
-msgid "Bootloader main options"
-msgstr "PemuatBoot utama"
+msgid ""
+"Your card can have 3D hardware acceleration support but only with XFree %s,\n"
+"NOTE THIS IS EXPERIMENTAL SUPPORT AND MAY FREEZE YOUR COMPUTER.\n"
+"Your card is supported by XFree %s which may have a better support in 2D."
+msgstr "dalam."
-#: ../../standalone.pm:1
+#: Xconfig/card.pm:486 Xconfig/card.pm:503
#, c-format
msgid ""
-"[--manual] [--device=dev] [--update-sane=sane_source_dir] [--update-"
-"usbtable] [--dynamic=dev]"
+"Your card can have 3D hardware acceleration support with XFree %s,\n"
+"NOTE THIS IS EXPERIMENTAL SUPPORT AND MAY FREEZE YOUR COMPUTER."
msgstr ""
-#: ../../harddrake/data.pm:1 ../../standalone/drakbackup:1
+#: Xconfig/card.pm:509
#, c-format
-msgid "Tape"
+msgid "Xpmac (installation display driver)"
msgstr ""
-#: ../../lang.pm:1
-#, c-format
-msgid "Malaysia"
-msgstr "Malaysia"
+#: Xconfig/main.pm:88 Xconfig/main.pm:89 Xconfig/monitor.pm:106 any.pm:818
+#, fuzzy, c-format
+msgid "Custom"
+msgstr "Tersendiri"
-#: ../../printer/printerdrake.pm:1
+#: Xconfig/main.pm:113 diskdrake/dav.pm:28 help.pm:14
+#: install_steps_interactive.pm:83 printer/printerdrake.pm:3871
+#: standalone/draksplash:114 standalone/harddrake2:187 standalone/logdrake:176
+#: standalone/scannerdrake:438
+#, fuzzy, c-format
+msgid "Quit"
+msgstr "Keluar"
+
+#: Xconfig/main.pm:115
#, c-format
-msgid "Scanning network..."
+msgid "Graphic Card"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: Xconfig/main.pm:118 Xconfig/monitor.pm:100
#, fuzzy, c-format
-msgid ""
-"With this option you will be able to restore any version\n"
-" of your /etc directory."
-msgstr ""
-"\n"
-" direktori."
+msgid "Monitor"
+msgstr "Monitor"
-#: ../../standalone/drakedm:1
+#: Xconfig/main.pm:121 Xconfig/resolution_and_depth.pm:228
#, fuzzy, c-format
-msgid "The change is done, do you want to restart the dm service ?"
-msgstr "siap ulanghidup?"
+msgid "Resolution"
+msgstr "Resolusi"
+
+#: Xconfig/main.pm:126
+#, fuzzy, c-format
+msgid "Test"
+msgstr "Ujian"
-#: ../../keyboard.pm:1
+#: Xconfig/main.pm:131 diskdrake/dav.pm:67 diskdrake/interactive.pm:410
+#: diskdrake/removable.pm:25 diskdrake/smbnfs_gtk.pm:80
+#: standalone/drakconnect:254 standalone/drakconnect:263
+#: standalone/drakconnect:277 standalone/drakconnect:283
+#: standalone/drakconnect:381 standalone/drakconnect:382
+#: standalone/drakconnect:540 standalone/drakfont:491 standalone/drakfont:551
+#: standalone/harddrake2:184
+#, fuzzy, c-format
+msgid "Options"
+msgstr "Pilihan"
+
+#: Xconfig/main.pm:180
#, c-format
-msgid "Swiss (French layout)"
-msgstr "Swiss (susunatur Perancis)"
+msgid ""
+"Keep the changes?\n"
+"The current configuration is:\n"
+"\n"
+"%s"
+msgstr ""
-#: ../../raid.pm:1
+#: Xconfig/monitor.pm:101
#, c-format
-msgid "mkraid failed (maybe raidtools are missing?)"
+msgid "Choose a monitor"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: Xconfig/monitor.pm:107
#, c-format
-msgid "August"
+msgid "Plug'n Play"
msgstr ""
-#: ../../network/drakfirewall.pm:1
+#: Xconfig/monitor.pm:108 mouse.pm:49
#, fuzzy, c-format
-msgid "FTP server"
-msgstr "Tambah"
+msgid "Generic"
+msgstr "Generik"
-#: ../../harddrake/data.pm:1
+#: Xconfig/monitor.pm:109 standalone/drakconnect:520 standalone/harddrake2:68
+#: standalone/harddrake2:69
#, c-format
-msgid "Webcam"
+msgid "Vendor"
msgstr ""
-#: ../../standalone/harddrake2:1
+#: Xconfig/monitor.pm:119
#, c-format
-msgid "size of the (second level) cpu cache"
+msgid "Plug'n Play probing failed. Please select the correct monitor"
msgstr ""
-#: ../../harddrake/data.pm:1
-#, c-format
-msgid "Soundcard"
+#: Xconfig/monitor.pm:124
+#, fuzzy, c-format
+msgid ""
+"The two critical parameters are the vertical refresh rate, which is the "
+"rate\n"
+"at which the whole screen is refreshed, and most importantly the horizontal\n"
+"sync rate, which is the rate at which scanlines are displayed.\n"
+"\n"
+"It is VERY IMPORTANT that you do not specify a monitor type with a sync "
+"range\n"
+"that is beyond the capabilities of your monitor: you may damage your "
+"monitor.\n"
+" If in doubt, choose a conservative setting."
msgstr ""
+"menegak dan mengufuk\n"
+" dalam."
-#: ../../standalone/drakbackup:1
+#: Xconfig/monitor.pm:131
#, c-format
-msgid "Month"
+msgid "Horizontal refresh rate"
msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Search for files to restore"
-msgstr "Cari fail"
+#: Xconfig/monitor.pm:132
+#, c-format
+msgid "Vertical refresh rate"
+msgstr ""
-#: ../../lang.pm:1
+#: Xconfig/resolution_and_depth.pm:12
#, c-format
-msgid "Luxembourg"
-msgstr "Luxembourg"
+msgid "256 colors (8 bits)"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid ""
-"To print a file from the command line (terminal window) use the command \"%s "
-"<file>\".\n"
-msgstr "Kepada fail<file>"
+#: Xconfig/resolution_and_depth.pm:13
+#, c-format
+msgid "32 thousand colors (15 bits)"
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: Xconfig/resolution_and_depth.pm:14
#, c-format
-msgid "Level %s\n"
+msgid "65 thousand colors (16 bits)"
msgstr ""
-#: ../../keyboard.pm:1
+#: Xconfig/resolution_and_depth.pm:15
#, c-format
-msgid "Syriac (phonetic)"
+msgid "16 million colors (24 bits)"
msgstr ""
-#: ../../lang.pm:1
+#: Xconfig/resolution_and_depth.pm:16
#, c-format
-msgid "Iran"
-msgstr "Iran"
+msgid "4 billion colors (32 bits)"
+msgstr ""
-#: ../../standalone/harddrake2:1
+#: Xconfig/resolution_and_depth.pm:141
#, c-format
-msgid "Bus"
+msgid "Resolutions"
msgstr ""
-#: ../../lang.pm:1
+#: Xconfig/resolution_and_depth.pm:275
+#, fuzzy, c-format
+msgid "Choose the resolution and the color depth"
+msgstr "dan"
+
+#: Xconfig/resolution_and_depth.pm:276
+#, fuzzy, c-format
+msgid "Graphics card: %s"
+msgstr "Grafik"
+
+#: Xconfig/resolution_and_depth.pm:289 interactive.pm:403
+#: interactive/gtk.pm:734 interactive/http.pm:103 interactive/http.pm:157
+#: interactive/newt.pm:308 interactive/newt.pm:410 interactive/stdio.pm:39
+#: interactive/stdio.pm:142 interactive/stdio.pm:143 interactive/stdio.pm:172
+#: standalone/drakbackup:4320 standalone/drakbackup:4352
+#: standalone/drakbackup:4445 standalone/drakbackup:4462
+#: standalone/drakbackup:4563 standalone/drakconnect:162
+#: standalone/drakconnect:734 standalone/drakconnect:821
+#: standalone/drakconnect:964 standalone/net_monitor:303 ugtk2.pm:412
+#: ugtk2.pm:509 ugtk2.pm:1047 ugtk2.pm:1070
+#, fuzzy, c-format
+msgid "Ok"
+msgstr "Ok"
+
+#: Xconfig/resolution_and_depth.pm:289 any.pm:858 diskdrake/smbnfs_gtk.pm:81
+#: help.pm:197 help.pm:457 install_steps_gtk.pm:488
+#: install_steps_interactive.pm:787 interactive.pm:404 interactive/gtk.pm:738
+#: interactive/http.pm:104 interactive/http.pm:161 interactive/newt.pm:307
+#: interactive/newt.pm:414 interactive/stdio.pm:39 interactive/stdio.pm:142
+#: interactive/stdio.pm:176 printer/printerdrake.pm:2920
+#: standalone/drakautoinst:200 standalone/drakbackup:4284
+#: standalone/drakbackup:4311 standalone/drakbackup:4336
+#: standalone/drakbackup:4369 standalone/drakbackup:4395
+#: standalone/drakbackup:4421 standalone/drakbackup:4478
+#: standalone/drakbackup:4504 standalone/drakbackup:4534
+#: standalone/drakbackup:4558 standalone/drakconnect:161
+#: standalone/drakconnect:819 standalone/drakconnect:973
+#: standalone/drakfont:657 standalone/drakfont:734 standalone/logdrake:176
+#: standalone/net_monitor:299 ugtk2.pm:406 ugtk2.pm:507 ugtk2.pm:516
+#: ugtk2.pm:1047
+#, fuzzy, c-format
+msgid "Cancel"
+msgstr "Batal"
+
+#: Xconfig/resolution_and_depth.pm:289 diskdrake/hd_gtk.pm:154
+#: install_steps_gtk.pm:267 install_steps_gtk.pm:667 interactive.pm:498
+#: interactive/gtk.pm:620 interactive/gtk.pm:622 standalone/drakTermServ:313
+#: standalone/drakbackup:4281 standalone/drakbackup:4308
+#: standalone/drakbackup:4333 standalone/drakbackup:4366
+#: standalone/drakbackup:4392 standalone/drakbackup:4418
+#: standalone/drakbackup:4459 standalone/drakbackup:4475
+#: standalone/drakbackup:4501 standalone/drakbackup:4530
+#: standalone/drakbackup:4555 standalone/drakbackup:4580
+#: standalone/drakbug:157 standalone/drakconnect:157
+#: standalone/drakconnect:227 standalone/drakfont:509 standalone/drakperm:134
+#: standalone/draksec:285 standalone/harddrake2:183 ugtk2.pm:1160
+#: ugtk2.pm:1161
+#, fuzzy, c-format
+msgid "Help"
+msgstr "Bantuan"
+
+#: Xconfig/test.pm:30
+#, fuzzy, c-format
+msgid "Test of the configuration"
+msgstr "Ujian"
+
+#: Xconfig/test.pm:31
#, c-format
-msgid "Iraq"
-msgstr "Iraq"
+msgid "Do you want to test the configuration?"
+msgstr ""
-#: ../../standalone/drakbug:1
+#: Xconfig/test.pm:31
#, fuzzy, c-format
-msgid "connecting to %s ..."
-msgstr "Putus."
+msgid "Warning: testing this graphic card may freeze your computer"
+msgstr "Amaran"
-#: ../../standalone/drakgw:1
+#: Xconfig/test.pm:71
#, fuzzy, c-format
-msgid "Potential LAN address conflict found in current config of %s!\n"
+msgid ""
+"An error occurred:\n"
+"%s\n"
+"Try to change some parameters"
+msgstr "ralat"
+
+#: Xconfig/test.pm:149
+#, fuzzy, c-format
+msgid "Leaving in %d seconds"
msgstr "dalam"
-#: ../../standalone/drakgw:1
+#: Xconfig/test.pm:149
#, c-format
-msgid "Configuring..."
+msgid "Is this the correct setting?"
msgstr ""
-#: ../../harddrake/v4l.pm:1
+#: Xconfig/various.pm:29
#, fuzzy, c-format
-msgid ""
-"For most modern TV cards, the bttv module of the GNU/Linux kernel just auto-"
-"detect the rights parameters.\n"
-"If your card is misdetected, you can force the right tuner and card types "
-"here. Just select your tv card parameters if needed."
-msgstr "dan."
+msgid "Keyboard layout: %s\n"
+msgstr "Papan Kekunci"
-#: ../../any.pm:1 ../../install_steps_interactive.pm:1
+#: Xconfig/various.pm:30
#, fuzzy, c-format
-msgid "Password (again)"
-msgstr "Katalaluan"
+msgid "Mouse type: %s\n"
+msgstr "Tetikus"
-#: ../../standalone/drakfont:1
+#: Xconfig/various.pm:31
#, fuzzy, c-format
-msgid "Search installed fonts"
-msgstr "Cari"
+msgid "Mouse device: %s\n"
+msgstr "Tetikus"
-#: ../../standalone/drakboot:1
+#: Xconfig/various.pm:32
#, fuzzy, c-format
-msgid "Default desktop"
-msgstr "Default"
+msgid "Monitor: %s\n"
+msgstr "Monitor"
-#: ../../standalone/drakbug:1
-#, c-format
-msgid ""
-"To submit a bug report, click on the button report.\n"
-"This will open a web browser window on %s\n"
-" where you'll find a form to fill in. The information displayed above will "
-"be \n"
-"transferred to that server."
-msgstr ""
+#: Xconfig/various.pm:33
+#, fuzzy, c-format
+msgid "Monitor HorizSync: %s\n"
+msgstr "Monitor"
-#: ../../lang.pm:1
+#: Xconfig/various.pm:34
#, fuzzy, c-format
-msgid "Venezuela"
-msgstr "Venezuela"
+msgid "Monitor VertRefresh: %s\n"
+msgstr "Monitor"
-#: ../../network/network.pm:1 ../../printer/printerdrake.pm:1
-#: ../../standalone/drakconnect:1
+#: Xconfig/various.pm:35
#, fuzzy, c-format
-msgid "IP address"
-msgstr "Alamat IP"
+msgid "Graphics card: %s\n"
+msgstr "Grafik"
+
+#: Xconfig/various.pm:36
+#, fuzzy, c-format
+msgid "Graphics memory: %s kB\n"
+msgstr "Grafik"
-#: ../../install_interactive.pm:1
+#: Xconfig/various.pm:38
#, c-format
-msgid "Choose the sizes"
+msgid "Color depth: %s\n"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: Xconfig/various.pm:39
+#, fuzzy, c-format
+msgid "Resolution: %s\n"
+msgstr "Resolusi"
+
+#: Xconfig/various.pm:41
#, c-format
+msgid "XFree86 server: %s\n"
+msgstr ""
+
+#: Xconfig/various.pm:42
+#, c-format
+msgid "XFree86 driver: %s\n"
+msgstr ""
+
+#: Xconfig/various.pm:71
+#, fuzzy, c-format
+msgid "Graphical interface at startup"
+msgstr "Grafikal"
+
+#: Xconfig/various.pm:73
+#, fuzzy, c-format
msgid ""
-"List of data corrupted:\n"
+"I can setup your computer to automatically start the graphical interface "
+"(XFree) upon booting.\n"
+"Would you like XFree to start when you reboot?"
+msgstr "mula mula?"
+
+#: Xconfig/various.pm:86
+#, fuzzy, c-format
+msgid ""
+"Your graphic card seems to have a TV-OUT connector.\n"
+"It can be configured to work using frame-buffer.\n"
+"\n"
+"For this you have to plug your graphic card to your TV before booting your "
+"computer.\n"
+"Then choose the \"TVout\" entry in the bootloader\n"
"\n"
+"Do you have this feature?"
+msgstr "dalam?"
+
+#: Xconfig/various.pm:98
+#, c-format
+msgid "What norm is your TV using?"
msgstr ""
-#: ../../fs.pm:1
+#: any.pm:98 harddrake/sound.pm:150 interactive.pm:441 standalone/drakbug:259
+#: standalone/drakconnect:164 standalone/drakxtv:90 standalone/harddrake2:133
+#: standalone/service_harddrake:94
+#, c-format
+msgid "Please wait"
+msgstr ""
+
+#: any.pm:98
+#, fuzzy, c-format
+msgid "Bootloader installation in progress"
+msgstr "PemuatBoot dalam"
+
+#: any.pm:137
#, fuzzy, c-format
msgid ""
-"Can only be mounted explicitly (i.e.,\n"
-"the -a option will not cause the file system to be mounted)."
-msgstr "terpasang fail terpasang."
+"You decided to install the bootloader on a partition.\n"
+"This implies you already have a bootloader on the hard drive you boot (eg: "
+"System Commander).\n"
+"\n"
+"On which drive are you booting?"
+msgstr "on on Sistem?"
-#: ../../network/modem.pm:1
+#: any.pm:160 any.pm:192 help.pm:800
#, c-format
-msgid ""
-"Your modem isn't supported by the system.\n"
-"Take a look at http://www.linmodems.org"
+msgid "First sector of drive (MBR)"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: any.pm:161
#, c-format
-msgid "Choose another partition"
+msgid "First sector of the root partition"
msgstr ""
-#: ../../standalone/drakperm:1
+#: any.pm:163
#, c-format
-msgid "Current user"
+msgid "On Floppy"
msgstr ""
-#: ../../diskdrake/smbnfs_gtk.pm:1 ../../standalone/drakbackup:1
+#: any.pm:165 help.pm:768 help.pm:800 printer/printerdrake.pm:3238
#, fuzzy, c-format
-msgid "Username"
-msgstr "Namapengguna"
+msgid "Skip"
+msgstr "Langkah"
+
+#: any.pm:170
+#, c-format
+msgid "SILO Installation"
+msgstr ""
-#: ../../keyboard.pm:1
+#: any.pm:170
+#, c-format
+msgid "LILO/grub Installation"
+msgstr ""
+
+#: any.pm:171
#, fuzzy, c-format
-msgid "Left \"Windows\" key"
-msgstr "Kiri Tetingkap"
+msgid "Where do you want to install the bootloader?"
+msgstr "Dimana anda ingin pemuatbut ini dipasang?"
-#: ../../lang.pm:1
+#: any.pm:192
#, fuzzy, c-format
-msgid "Guyana"
-msgstr "Guyana"
+msgid "First sector of boot partition"
+msgstr "Sektor pertama bagi partisyen but"
-#: ../../standalone/drakTermServ:1
+#: any.pm:204 any.pm:239
#, fuzzy, c-format
-msgid "dhcpd Server Configuration"
-msgstr "Pelayan"
+msgid "Bootloader main options"
+msgstr "PemuatBoot utama"
+
+#: any.pm:205
+#, fuzzy, c-format
+msgid "Boot Style Configuration"
+msgstr "Gaya:"
+
+#: any.pm:209
+#, fuzzy, c-format
+msgid "Give the ram size in MB"
+msgstr "dalam"
-#: ../../standalone/drakperm:1
+#: any.pm:211
#, fuzzy, c-format
msgid ""
-"Used for directory:\n"
-" only owner of directory or file in this directory can delete it"
+"Option ``Restrict command line options'' is of no use without a password"
+msgstr "tidak"
+
+#: any.pm:212 any.pm:519 install_steps_interactive.pm:1158
+#, c-format
+msgid "The passwords do not match"
+msgstr ""
+
+#: any.pm:212 any.pm:519 diskdrake/interactive.pm:1255
+#: install_steps_interactive.pm:1158
+#, c-format
+msgid "Please try again"
msgstr ""
-"direktori\n"
-" direktori fail dalam direktori"
-#: ../../printer/main.pm:1
+#: any.pm:217 any.pm:242 help.pm:768
#, fuzzy, c-format
-msgid " on Novell server \"%s\", printer \"%s\""
-msgstr "on"
+msgid "Bootloader to use"
+msgstr "PemuatBoot"
-#: ../../standalone/printerdrake:1
+#: any.pm:219
#, fuzzy, c-format
-msgid "Printer Name"
-msgstr "Giliran"
+msgid "Bootloader installation"
+msgstr "PemuatBoot"
-#: ../../../move/move.pm:1
+#: any.pm:221 any.pm:244 help.pm:768
#, c-format
-msgid "Setting up USB key"
+msgid "Boot device"
msgstr ""
-#: ../../standalone/drakfloppy:1
+#: any.pm:223
#, fuzzy, c-format
-msgid "Remove a module"
-msgstr "Buang"
+msgid "Delay before booting default image"
+msgstr "default"
-#: ../../any.pm:1 ../../install_steps_interactive.pm:1
-#: ../../diskdrake/smbnfs_gtk.pm:1 ../../network/modem.pm:1
-#: ../../printer/printerdrake.pm:1 ../../standalone/drakbackup:1
-#: ../../standalone/drakconnect:1
+#: any.pm:224 help.pm:768
+#, c-format
+msgid "Enable ACPI"
+msgstr ""
+
+#: any.pm:225
+#, fuzzy, c-format
+msgid "Force No APIC"
+msgstr "Tidak"
+
+#: any.pm:227 any.pm:546 diskdrake/smbnfs_gtk.pm:180
+#: install_steps_interactive.pm:1163 network/netconnect.pm:491
+#: printer/printerdrake.pm:1340 printer/printerdrake.pm:1454
+#: standalone/drakbackup:1990 standalone/drakbackup:3875
+#: standalone/drakconnect:916 standalone/drakconnect:944
#, fuzzy, c-format
msgid "Password"
msgstr "Katalaluan"
-#: ../../standalone/drakbackup:1
+#: any.pm:228 any.pm:547 install_steps_interactive.pm:1164
#, fuzzy, c-format
-msgid "Advanced Configuration"
-msgstr "Lanjutan"
+msgid "Password (again)"
+msgstr "Katalaluan"
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Scanning on your HP multi-function device"
-msgstr "on"
+#: any.pm:229
+#, c-format
+msgid "Restrict command line options"
+msgstr ""
-#: ../../any.pm:1
+#: any.pm:229
#, c-format
-msgid "Root"
+msgid "restrict"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
-#, fuzzy, c-format
-msgid "Choose an existing RAID to add to"
-msgstr "RAD"
+#: any.pm:231
+#, c-format
+msgid "Clean /tmp at each boot"
+msgstr ""
-#: ../../keyboard.pm:1
-#, fuzzy, c-format
-msgid "Turkish (modern \"Q\" model)"
-msgstr "Turki"
+#: any.pm:232
+#, c-format
+msgid "Precise RAM size if needed (found %d MB)"
+msgstr ""
-#: ../../standalone/drakboot:1
+#: any.pm:234
#, c-format
-msgid "Lilo message not found"
+msgid "Enable multiple profiles"
+msgstr ""
+
+#: any.pm:243
+#, c-format
+msgid "Init Message"
msgstr ""
-#: ../../services.pm:1
+#: any.pm:245
#, fuzzy, c-format
-msgid ""
-"Automatic regeneration of kernel header in /boot for\n"
-"/usr/include/linux/{autoconf,version}.h"
-msgstr "dalam"
+msgid "Open Firmware Delay"
+msgstr "Buka"
-#: ../../standalone/drakfloppy:1
+#: any.pm:246
#, c-format
-msgid "if needed"
+msgid "Kernel Boot Timeout"
msgstr ""
-#: ../../standalone/drakclock:1
+#: any.pm:247
#, c-format
-msgid ""
-"We need to install ntp package\n"
-" to enable Network Time Protocol"
+msgid "Enable CD Boot?"
+msgstr ""
+
+#: any.pm:248
+#, c-format
+msgid "Enable OF Boot?"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: any.pm:249
#, fuzzy, c-format
-msgid "Restore Failed..."
-msgstr "Gagal."
+msgid "Default OS?"
+msgstr "Default?"
-#: ../../standalone/drakbackup:1
+#: any.pm:290
#, fuzzy, c-format
-msgid "Store the password for this system in drakbackup configuration."
-msgstr "dalam."
+msgid "Image"
+msgstr "Imej"
+
+#: any.pm:291 any.pm:300
+#, c-format
+msgid "Root"
+msgstr ""
-#: ../../install_messages.pm:1
+#: any.pm:292 any.pm:313
#, fuzzy, c-format
-msgid ""
-"Introduction\n"
-"\n"
-"The operating system and the different components available in the Mandrake "
-"Linux distribution \n"
-"shall be called the \"Software Products\" hereafter. The Software Products "
-"include, but are not \n"
-"restricted to, the set of programs, methods, rules and documentation related "
-"to the operating \n"
-"system and the different components of the Mandrake Linux distribution.\n"
-"\n"
-"\n"
-"1. License Agreement\n"
-"\n"
-"Please read this document carefully. This document is a license agreement "
-"between you and \n"
-"MandrakeSoft S.A. which applies to the Software Products.\n"
-"By installing, duplicating or using the Software Products in any manner, you "
-"explicitly \n"
-"accept and fully agree to conform to the terms and conditions of this "
-"License. \n"
-"If you disagree with any portion of the License, you are not allowed to "
-"install, duplicate or use \n"
-"the Software Products. \n"
-"Any attempt to install, duplicate or use the Software Products in a manner "
-"which does not comply \n"
-"with the terms and conditions of this License is void and will terminate "
-"your rights under this \n"
-"License. Upon termination of the License, you must immediately destroy all "
-"copies of the \n"
-"Software Products.\n"
-"\n"
-"\n"
-"2. Limited Warranty\n"
-"\n"
-"The Software Products and attached documentation are provided \"as is\", "
-"with no warranty, to the \n"
-"extent permitted by law.\n"
-"MandrakeSoft S.A. will, in no circumstances and to the extent permitted by "
-"law, be liable for any special,\n"
-"incidental, direct or indirect damages whatsoever (including without "
-"limitation damages for loss of \n"
-"business, interruption of business, financial loss, legal fees and penalties "
-"resulting from a court \n"
-"judgment, or any other consequential loss) arising out of the use or "
-"inability to use the Software \n"
-"Products, even if MandrakeSoft S.A. has been advised of the possibility or "
-"occurence of such \n"
-"damages.\n"
-"\n"
-"LIMITED LIABILITY LINKED TO POSSESSING OR USING PROHIBITED SOFTWARE IN SOME "
-"COUNTRIES\n"
-"\n"
-"To the extent permitted by law, MandrakeSoft S.A. or its distributors will, "
-"in no circumstances, be \n"
-"liable for any special, incidental, direct or indirect damages whatsoever "
-"(including without \n"
-"limitation damages for loss of business, interruption of business, financial "
-"loss, legal fees \n"
-"and penalties resulting from a court judgment, or any other consequential "
-"loss) arising out \n"
-"of the possession and use of software components or arising out of "
-"downloading software components \n"
-"from one of Mandrake Linux sites which are prohibited or restricted in some "
-"countries by local laws.\n"
-"This limited liability applies to, but is not restricted to, the strong "
-"cryptography components \n"
-"included in the Software Products.\n"
-"\n"
-"\n"
-"3. The GPL License and Related Licenses\n"
-"\n"
-"The Software Products consist of components created by different persons or "
-"entities. Most \n"
-"of these components are governed under the terms and conditions of the GNU "
-"General Public \n"
-"Licence, hereafter called \"GPL\", or of similar licenses. Most of these "
-"licenses allow you to use, \n"
-"duplicate, adapt or redistribute the components which they cover. Please "
-"read carefully the terms \n"
-"and conditions of the license agreement for each component before using any "
-"component. Any question \n"
-"on a component license should be addressed to the component author and not "
-"to MandrakeSoft.\n"
-"The programs developed by MandrakeSoft S.A. are governed by the GPL License. "
-"Documentation written \n"
-"by MandrakeSoft S.A. is governed by a specific license. Please refer to the "
-"documentation for \n"
-"further details.\n"
-"\n"
-"\n"
-"4. Intellectual Property Rights\n"
-"\n"
-"All rights to the components of the Software Products belong to their "
-"respective authors and are \n"
-"protected by intellectual property and copyright laws applicable to software "
-"programs.\n"
-"MandrakeSoft S.A. reserves its rights to modify or adapt the Software "
-"Products, as a whole or in \n"
-"parts, by all means and for all purposes.\n"
-"\"Mandrake\", \"Mandrake Linux\" and associated logos are trademarks of "
-"MandrakeSoft S.A. \n"
-"\n"
-"\n"
-"5. Governing Laws \n"
-"\n"
-"If any portion of this agreement is held void, illegal or inapplicable by a "
-"court judgment, this \n"
-"portion is excluded from this contract. You remain bound by the other "
-"applicable sections of the \n"
-"agreement.\n"
-"The terms and conditions of this License are governed by the Laws of "
-"France.\n"
-"All disputes on the terms of this license will preferably be settled out of "
-"court. As a last \n"
-"resort, the dispute will be referred to the appropriate Courts of Law of "
-"Paris - France.\n"
-"For any question on this document, please contact MandrakeSoft S.A. \n"
+msgid "Append"
+msgstr "Tambah"
+
+#: any.pm:294
+#, fuzzy, c-format
+msgid "Video mode"
+msgstr "Video"
+
+#: any.pm:296
+#, c-format
+msgid "Initrd"
msgstr ""
-"Pengenalan dan dalam dan dan dan A dalam dan dan dalam dan dan dan tidak A "
-"dalam tidak dan dan keluar A A dalam tidak keluar dan keluar dalam lokal "
-"dalam dan dan Umum dan A Dokumentasi A Kanan: dan dan A dalam dan dan A dan "
-"Perancis on keluar Perancis on A"
-#: ../../standalone/drakboot:1
+#: any.pm:305 any.pm:310 any.pm:312
#, fuzzy, c-format
-msgid "Default user"
+msgid "Label"
+msgstr "Label"
+
+#: any.pm:307 any.pm:317 harddrake/v4l.pm:236 standalone/drakfloppy:88
+#: standalone/drakfloppy:94
+#, fuzzy, c-format
+msgid "Default"
msgstr "Default"
-#: ../../standalone/draksplash:1
+#: any.pm:314
#, c-format
-msgid ""
-"the progress bar x coordinate\n"
-"of its upper left corner"
+msgid "Initrd-size"
msgstr ""
-#: ../../standalone/drakgw:1
+#: any.pm:316
#, c-format
-msgid "Current interface configuration"
+msgid "NoVideo"
msgstr ""
-#: ../../printer/data.pm:1
+#: any.pm:327
#, c-format
-msgid "LPD - Line Printer Daemon"
+msgid "Empty label not allowed"
msgstr ""
-#: ../../network/isdn.pm:1
-#, fuzzy, c-format
-msgid ""
-"\n"
-"If you have an ISA card, the values on the next screen should be right.\n"
-"\n"
-"If you have a PCMCIA card, you have to know the \"irq\" and \"io\" of your "
-"card.\n"
-msgstr "on dan"
-
-#: ../../printer/printerdrake.pm:1
+#: any.pm:328
#, c-format
-msgid "Do not print any test page"
+msgid "You must specify a kernel image"
msgstr ""
-#: ../../keyboard.pm:1
+#: any.pm:328
#, c-format
-msgid "Gurmukhi"
+msgid "You must specify a root partition"
msgstr ""
-#: ../../standalone/drakTermServ:1
-#, fuzzy, c-format
-msgid "%s already in use\n"
-msgstr "dalam"
-
-#: ../../any.pm:1
-#, fuzzy, c-format
-msgid "Force No APIC"
-msgstr "Tidak"
+#: any.pm:329
+#, c-format
+msgid "This label is already used"
+msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: any.pm:342
#, c-format
-msgid "This password is too short (it must be at least %d characters long)"
+msgid "Which type of entry do you want to add?"
msgstr ""
-#: ../../standalone.pm:1
+#: any.pm:343 standalone/drakbackup:1904
#, c-format
-msgid "[keyboard]"
+msgid "Linux"
msgstr ""
-#: ../../network/network.pm:1
+#: any.pm:343
#, fuzzy, c-format
-msgid "FTP proxy"
-msgstr "FTP"
+msgid "Other OS (SunOS...)"
+msgstr "Lain-lain"
-#: ../../standalone/drakfont:1
+#: any.pm:344
#, fuzzy, c-format
-msgid "Install List"
-msgstr "Install"
+msgid "Other OS (MacOS...)"
+msgstr "Lain-lain"
-#: ../../standalone/drakbackup:1
+#: any.pm:344
+#, fuzzy, c-format
+msgid "Other OS (windows...)"
+msgstr "Lain-lain"
+
+#: any.pm:372
#, fuzzy, c-format
msgid ""
-"Change\n"
-"Restore Path"
-msgstr "Ubah"
+"Here are the entries on your boot menu so far.\n"
+"You can create additional entries or change the existing ones."
+msgstr "on."
-#: ../../standalone/logdrake:1
+#: any.pm:504
#, c-format
-msgid "Show only for the selected day"
+msgid "access to X programs"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: any.pm:505
#, c-format
-msgid "\tLimit disk usage to %s MB\n"
+msgid "access to rpm tools"
msgstr ""
-#: ../../Xconfig/card.pm:1
+#: any.pm:506
#, c-format
-msgid "512 kB"
+msgid "allow \"su\""
msgstr ""
-#: ../../standalone/scannerdrake:1
-#, fuzzy, c-format
-msgid "(Note: Parallel ports cannot be auto-detected)"
-msgstr "port"
+#: any.pm:507
+#, c-format
+msgid "access to administrative files"
+msgstr ""
-#: ../../standalone/logdrake:1
+#: any.pm:508
#, c-format
-msgid "<control>N"
+msgid "access to network tools"
msgstr ""
-#: ../../network/isdn.pm:1
+#: any.pm:509
#, c-format
-msgid "What kind of card do you have?"
+msgid "access to compilation tools"
msgstr ""
-#: ../../standalone/logdrake:1
+#: any.pm:515
#, c-format
-msgid "<control>O"
+msgid "(already added %s)"
+msgstr ""
+
+#: any.pm:520
+#, c-format
+msgid "This password is too simple"
msgstr ""
-#: ../../install_steps_interactive.pm:1 ../../steps.pm:1
+#: any.pm:521
#, fuzzy, c-format
-msgid "Security"
-msgstr "Keselamatan"
+msgid "Please give a user name"
+msgstr "pengguna"
-#: ../../printer/printerdrake.pm:1
+#: any.pm:522
#, fuzzy, c-format
msgid ""
-"You can also use the graphical interface \"xpdq\" for setting options and "
-"handling printing jobs.\n"
-"If you are using KDE as desktop environment you have a \"panic button\", an "
-"icon on the desktop, labeled with \"STOP Printer!\", which stops all print "
-"jobs immediately when you click it. This is for example useful for paper "
-"jams.\n"
-msgstr "dan KDE on"
+"The user name must contain only lower cased letters, numbers, `-' and `_'"
+msgstr "pengguna dan"
-#: ../../standalone/drakboot:1 ../../standalone/drakfloppy:1
-#: ../../standalone/harddrake2:1 ../../standalone/logdrake:1
-#: ../../standalone/printerdrake:1
-#, c-format
-msgid "<control>Q"
-msgstr ""
+#: any.pm:523
+#, fuzzy, c-format
+msgid "The user name is too long"
+msgstr "pengguna"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "Unable to find backups to restore...\n"
-msgstr ""
+#: any.pm:524
+#, fuzzy, c-format
+msgid "This user name has already been added"
+msgstr "pengguna"
-#: ../../standalone/harddrake2:1
+#: any.pm:528
#, fuzzy, c-format
-msgid "Unknown"
-msgstr "Entah"
+msgid "Add user"
+msgstr "Tambah"
-#: ../../printer/printerdrake.pm:1
+#: any.pm:529
#, fuzzy, c-format
-msgid "This server is already in the list, it cannot be added again.\n"
-msgstr "dalam"
+msgid ""
+"Enter a user\n"
+"%s"
+msgstr "Enter pengguna"
-#: ../../network/netconnect.pm:1 ../../network/tools.pm:1
+#: any.pm:532 diskdrake/dav.pm:68 diskdrake/hd_gtk.pm:158
+#: diskdrake/removable.pm:27 diskdrake/smbnfs_gtk.pm:82 help.pm:544
+#: interactive/http.pm:152 printer/printerdrake.pm:165
+#: printer/printerdrake.pm:352 printer/printerdrake.pm:3871
+#: standalone/drakbackup:3094 standalone/scannerdrake:629
+#: standalone/scannerdrake:779
#, fuzzy, c-format
-msgid "Network Configuration"
-msgstr "Konfigurasi Rangkaian"
+msgid "Done"
+msgstr "Selesai"
+
+#: any.pm:533 help.pm:52
+#, fuzzy, c-format
+msgid "Accept user"
+msgstr "Terima"
-#: ../../standalone/logdrake:1
+#: any.pm:544
#, c-format
-msgid "<control>S"
+msgid "Real name"
msgstr ""
-#: ../../network/isdn.pm:1
+#: any.pm:545 help.pm:52 printer/printerdrake.pm:1339
+#: printer/printerdrake.pm:1453
#, fuzzy, c-format
-msgid ""
-"Protocol for the rest of the world\n"
-"No D-Channel (leased lines)"
-msgstr "Protokol Saluran"
+msgid "User name"
+msgstr "Nama pengguna"
-#: ../../standalone/drakTermServ:1
+#: any.pm:548
#, c-format
-msgid ""
-" - /etc/xinetd.d/tftp:\n"
-" \tdrakTermServ will configure this file to work in conjunction with "
-"the images created\n"
-" \tby mkinitrd-net, and the entries in /etc/dhcpd.conf, to serve up "
-"the boot image to \n"
-" \teach diskless client.\n"
-"\n"
-" \tA typical tftp configuration file looks like:\n"
-" \t\t\n"
-" \tservice tftp\n"
-"\t\t\t{\n"
-" disable = no\n"
-" socket_type = dgram\n"
-" protocol = udp\n"
-" wait = yes\n"
-" user = root\n"
-" server = /usr/sbin/in.tftpd\n"
-" server_args = -s /var/lib/tftpboot\n"
-" \t}\n"
-" \t\t\n"
-" \tThe changes here from the default installation are changing the "
-"disable flag to\n"
-" \t'no' and changing the directory path to /var/lib/tftpboot, where "
-"mkinitrd-net\n"
-" \tputs its images."
+msgid "Shell"
+msgstr "Shell"
+
+#: any.pm:550
+#, c-format
+msgid "Icon"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: any.pm:591 security/l10n.pm:14
#, c-format
-msgid "Option %s must be a number!"
+msgid "Autologin"
msgstr ""
-#: ../../standalone/drakboot:1 ../../standalone/draksplash:1
+#: any.pm:592
#, fuzzy, c-format
-msgid "Notice"
-msgstr "Notis"
+msgid "I can set up your computer to automatically log on one user."
+msgstr "on pengguna."
-#: ../../install_steps_interactive.pm:1
+#: any.pm:593 help.pm:52
#, c-format
-msgid "You have not configured X. Are you sure you really want this?"
+msgid "Do you want to use this feature?"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: any.pm:594
#, fuzzy, c-format
-msgid ""
-"The configuration of the printer will work fully automatically. If your "
-"printer was not correctly detected or if you prefer a customized printer "
-"configuration, turn on \"Manual configuration\"."
-msgstr "on."
+msgid "Choose the default user:"
+msgstr "default pengguna:"
-#: ../../diskdrake/interactive.pm:1
+#: any.pm:595
#, c-format
-msgid "What type of partitioning?"
+msgid "Choose the window manager to run:"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: any.pm:607
+#, c-format
+msgid "Please choose a language to use."
+msgstr ""
+
+#: any.pm:628
#, fuzzy, c-format
msgid ""
-"file list sent by FTP: %s\n"
-" "
-msgstr "fail FTP "
+"Mandrake Linux can support multiple languages. Select\n"
+"the languages you would like to install. They will be available\n"
+"when your installation is complete and you restart your system."
+msgstr "dan ulanghidup."
+
+#: any.pm:646 help.pm:660
+#, c-format
+msgid "Use Unicode by default"
+msgstr ""
-#: ../../standalone/drakconnect:1
+#: any.pm:647 help.pm:660
#, fuzzy, c-format
-msgid "Interface"
-msgstr "Antaramuka"
+msgid "All languages"
+msgstr "Semua"
-#: ../../standalone/drakbackup:1
+#: any.pm:683 help.pm:581 help.pm:991 install_steps_interactive.pm:907
#, c-format
-msgid "Multisession CD"
+msgid "Country / Region"
msgstr ""
-#: ../../modules/parameters.pm:1
+#: any.pm:684
#, c-format
-msgid "comma separated strings"
+msgid "Please choose your country."
msgstr ""
-#: ../../standalone/scannerdrake:1
+#: any.pm:686
+#, fuzzy, c-format
+msgid "Here is the full list of available countries"
+msgstr "penuh"
+
+#: any.pm:687 diskdrake/interactive.pm:292 help.pm:544 help.pm:581 help.pm:621
+#: help.pm:991 install_steps_interactive.pm:114
#, c-format
-msgid "These are the machines from which the scanners should be used:"
+msgid "More"
msgstr ""
-#: ../../standalone/logdrake:1
+#: any.pm:818
+#, fuzzy, c-format
+msgid "No sharing"
+msgstr "Tidak"
+
+#: any.pm:818
#, c-format
-msgid "Messages"
+msgid "Allow all users"
msgstr ""
-#: ../../harddrake/v4l.pm:1
+#: any.pm:822
#, fuzzy, c-format
-msgid "Unknown|CPH06X (bt878) [many vendors]"
-msgstr "Entah"
+msgid ""
+"Would you like to allow users to share some of their directories?\n"
+"Allowing this will permit users to simply click on \"Share\" in konqueror "
+"and nautilus.\n"
+"\n"
+"\"Custom\" permit a per-user granularity.\n"
+msgstr "on Kongsi dalam dan Tersendiri pengguna"
-#: ../../network/drakfirewall.pm:1
-#, fuzzy, c-format
-msgid "POP and IMAP Server"
-msgstr "dan"
+#: any.pm:838
+#, c-format
+msgid ""
+"You can export using NFS or Samba. Please select which you'd like to use."
+msgstr ""
-#: ../../lang.pm:1
+#: any.pm:846
#, fuzzy, c-format
-msgid "Mexico"
-msgstr "Mexico"
+msgid "The package %s is going to be removed."
+msgstr "Install?"
-#: ../../standalone/harddrake2:1
-#, fuzzy, c-format
-msgid "Model stepping"
-msgstr "Model"
+#: any.pm:858
+#, c-format
+msgid "Launch userdrake"
+msgstr ""
-#: ../../lang.pm:1
+#: any.pm:860
#, fuzzy, c-format
-msgid "Rwanda"
-msgstr "Rwanda"
+msgid ""
+"The per-user sharing uses the group \"fileshare\". \n"
+"You can use userdrake to add a user to this group."
+msgstr "pengguna pengguna."
-#: ../../lang.pm:1
+#: authentication.pm:12
#, fuzzy, c-format
-msgid "Switzerland"
-msgstr "Switzerland"
+msgid "Local files"
+msgstr "Setempat"
-#: ../../lang.pm:1
+#: authentication.pm:12
#, fuzzy, c-format
-msgid "Brunei Darussalam"
-msgstr "Brunei Darussalam"
-
-#: ../../modules/interactive.pm:1
-#, c-format
-msgid "Do you have any %s interfaces?"
-msgstr ""
+msgid "LDAP"
+msgstr "LDAP"
-#: ../../standalone/drakTermServ:1
+#: authentication.pm:12
#, fuzzy, c-format
-msgid "You must be root to read configuration file. \n"
-msgstr "fail"
+msgid "NIS"
+msgstr "NIS"
-#: ../../printer/printerdrake.pm:1
+#: authentication.pm:12 authentication.pm:50
#, fuzzy, c-format
-msgid "Remote lpd Printer Options"
-msgstr "lpd"
+msgid "Windows Domain"
+msgstr "Tetingkap"
-#: ../../help.pm:1
+#: authentication.pm:33
#, fuzzy, c-format
-msgid ""
-"GNU/Linux is a multi-user system, meaning each user may have their own\n"
-"preferences, their own files and so on. You can read the ``Starter Guide''\n"
-"to learn more about multi-user systems. But unlike \"root\", who is the\n"
-"system administrator, the users you add at this point will not be\n"
-"authorized to change anything except their own files and their own\n"
-"configurations, protecting the system from unintentional or malicious\n"
-"changes that impact on the system as a whole. You will have to create at\n"
-"least one regular user for yourself -- this is the account which you should\n"
-"use for routine, day-to-day use. Although it is very easy to log in as\n"
-"\"root\" to do anything and everything, it may also be very dangerous! A\n"
-"very simple mistake could mean that your system will not work any more. If\n"
-"you make a serious mistake as a regular user, the worst that will happen is\n"
-"that you will lose some information, but not affect the entire system.\n"
-"\n"
-"The first field asks you for a real name. Of course, this is not mandatory\n"
-"-- you can actually enter whatever you like. DrakX will use the first word\n"
-"you typed in this field and copy it to the \"%s\" field, which is the name\n"
-"this user will enter to log onto the system. If you like, you may override\n"
-"the default and change the username. The next step is to enter a password.\n"
-"From a security point of view, a non-privileged (regular) user password is\n"
-"not as crucial as the \"root\" password, but that is no reason to neglect\n"
-"it by making it blank or too simple: after all, your files could be the\n"
-"ones at risk.\n"
-"\n"
-"Once you click on \"%s\", you can add other users. Add a user for each one\n"
-"of your friends: your father or your sister, for example. Click \"%s\" when\n"
-"you have finished adding users.\n"
-"\n"
-"Clicking the \"%s\" button allows you to change the default \"shell\" for\n"
-"that user (bash by default).\n"
-"\n"
-"When you have finished adding users, you will be asked to choose a user\n"
-"that can automatically log into the system when the computer boots up. If\n"
-"you are interested in that feature (and do not care much about local\n"
-"security), choose the desired user and window manager, then click \"%s\".\n"
-"If you are not interested in this feature, uncheck the \"%s\" box."
-msgstr ""
-"pengguna pengguna fail dan on pengguna fail dan on pengguna dalam dan A "
-"pengguna dalam dan pengguna default dan pengguna tidak fail on Tambah "
-"pengguna default pengguna default pengguna dalam dan lokal pengguna dan "
-"dalam."
+msgid "Authentication LDAP"
+msgstr "Pengesahan"
-#: ../../standalone/drakconnect:1
+#: authentication.pm:34
#, fuzzy, c-format
-msgid "Configure Internet Access..."
-msgstr "Internet."
+msgid "LDAP Base dn"
+msgstr "LDAP Asas"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "Please choose the time interval between each backup"
-msgstr ""
+#: authentication.pm:35
+#, fuzzy, c-format
+msgid "LDAP Server"
+msgstr "LDAP"
-#: ../../crypto.pm:1 ../../lang.pm:1
+#: authentication.pm:40
#, fuzzy, c-format
-msgid "Norway"
-msgstr "Norway"
+msgid "Authentication NIS"
+msgstr "Pengesahan"
-#: ../../standalone/drakconnect:1
+#: authentication.pm:41
#, fuzzy, c-format
-msgid "Delete profile"
-msgstr "Padam"
+msgid "NIS Domain"
+msgstr "NIS"
-#: ../../keyboard.pm:1
+#: authentication.pm:42
#, fuzzy, c-format
-msgid "Danish"
-msgstr "Danish"
+msgid "NIS Server"
+msgstr "NIS"
-#: ../../services.pm:1
+#: authentication.pm:47
#, fuzzy, c-format
msgid ""
-"Automatically switch on numlock key locker under console\n"
-"and XFree at boot."
-msgstr "on."
+"For this to work for a W2K PDC, you will probably need to have the admin "
+"run: C:\\>net localgroup \"Pre-Windows 2000 Compatible Access\" everyone /"
+"add and reboot the server.\n"
+"You will also need the username/password of a Domain Admin to join the "
+"machine to the Windows(TM) domain.\n"
+"If networking is not yet enabled, Drakx will attempt to join the domain "
+"after the network setup step.\n"
+"Should this setup fail for some reason and domain authentication is not "
+"working, run 'smbpasswd -j DOMAIN -U USER%%PASSWORD' using your Windows(tm) "
+"Domain, and Admin Username/Password, after system boot.\n"
+"The command 'wbinfo -t' will test whether your authentication secrets are "
+"good."
+msgstr ""
+"C Tetingkap dan Domain Tetingkap dihidupkan dan Tetingkap Domain dan "
+"Namapengguna Katalaluan."
-#: ../../network/network.pm:1
+#: authentication.pm:49
#, fuzzy, c-format
-msgid ""
-"Please enter the IP configuration for this machine.\n"
-"Each item should be entered as an IP address in dotted-decimal\n"
-"notation (for example, 1.2.3.4)."
-msgstr "IP IP dalam."
+msgid "Authentication Windows Domain"
+msgstr "Pengesahan Tetingkap"
-#: ../../help.pm:1
+#: authentication.pm:51
#, fuzzy, c-format
-msgid ""
-"The Mandrake Linux installation is distributed on several CD-ROMs. DrakX\n"
-"knows if a selected package is located on another CD-ROM so it will eject\n"
-"the current CD and ask you to insert the correct CD as required."
-msgstr "on on dan."
+msgid "Domain Admin User Name"
+msgstr "Domain Pengguna"
-#: ../../standalone/drakperm:1
+#: authentication.pm:52
#, fuzzy, c-format
-msgid "When checked, owner and group won't be changed"
-msgstr "dan"
+msgid "Domain Admin Password"
+msgstr "Domain"
-#: ../../lang.pm:1
+#: authentication.pm:83
#, fuzzy, c-format
-msgid "Bulgaria"
-msgstr "Bulgaria"
+msgid "Can't use broadcast with no NIS domain"
+msgstr "tidak NIS"
+
+#. -PO: these messages will be displayed at boot time in the BIOS, use only ASCII (7bit)
+#: bootloader.pm:542
+#, fuzzy, c-format
+msgid ""
+"Welcome to the operating system chooser!\n"
+"\n"
+"Choose an operating system from the list above or\n"
+"wait for default boot.\n"
+"\n"
+msgstr "Selamat Datang saat default"
-#: ../../standalone/drakbackup:1
+#: bootloader.pm:674
#, c-format
-msgid "Tuesday"
+msgid "SILO"
msgstr ""
-#: ../../harddrake/data.pm:1
+#: bootloader.pm:676 help.pm:768
#, c-format
-msgid "Processors"
+msgid "LILO with graphical menu"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Svalbard and Jan Mayen Islands"
-msgstr "Svalbard and Jan Mayen Islands"
-
-#: ../../standalone/drakTermServ:1
-#, fuzzy, c-format
-msgid "No NIC selected!"
-msgstr "Tidak!"
-
-#: ../../network/netconnect.pm:1
+#: bootloader.pm:677 help.pm:768
#, c-format
-msgid ""
-"Problems occured during configuration.\n"
-"Test your connection via net_monitor or mcc. If your connection doesn't "
-"work, you might want to relaunch the configuration."
+msgid "LILO with text menu"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: bootloader.pm:679
#, c-format
-msgid "partition %s is now known as %s"
+msgid "Grub"
msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Backup Other files..."
-msgstr "Lain-lain fail."
+#: bootloader.pm:681
+#, c-format
+msgid "Yaboot"
+msgstr ""
-#: ../../lang.pm:1
+#: bootloader.pm:1150
#, fuzzy, c-format
-msgid "Congo (Kinshasa)"
-msgstr "Kongo"
+msgid "not enough room in /boot"
+msgstr "dalam"
-#: ../../printer/printerdrake.pm:1
+#: bootloader.pm:1178
#, fuzzy, c-format
-msgid "SMB server IP"
-msgstr "SMB"
+msgid "You can't install the bootloader on a %s partition\n"
+msgstr "on"
-#: ../../diskdrake/interactive.pm:1
-#, fuzzy, c-format
-msgid "Partition table of drive %s is going to be written to disk!"
-msgstr "Partisyen!"
+#: bootloader.pm:1218
+#, c-format
+msgid ""
+"Your bootloader configuration must be updated because partition has been "
+"renumbered"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: bootloader.pm:1225
#, c-format
-msgid "Installing HPOJ package..."
+msgid ""
+"The bootloader can't be installed correctly. You have to boot rescue and "
+"choose \"%s\""
msgstr ""
-#: ../../any.pm:1
+#: bootloader.pm:1226
#, fuzzy, c-format
-msgid ""
-"A custom bootdisk provides a way of booting into your Linux system without\n"
-"depending on the normal bootloader. This is useful if you don't want to "
-"install\n"
-"LILO (or grub) on your system, or another operating system removes LILO, or "
-"LILO doesn't\n"
-"work with your hardware configuration. A custom bootdisk can also be used "
-"with\n"
-"the Mandrake rescue image, making it much easier to recover from severe "
-"system\n"
-"failures. Would you like to create a bootdisk for your system?\n"
-"%s"
-msgstr "A on normal on A"
+msgid "Re-install Boot Loader"
+msgstr "Install"
-#: ../../standalone/drakbackup:1
+#: common.pm:125
#, c-format
-msgid ""
-"\n"
-" DrakBackup Daemon Report\n"
+msgid "KB"
msgstr ""
-#: ../../keyboard.pm:1
+#: common.pm:125
#, c-format
-msgid "Latvian"
+msgid "MB"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: common.pm:125
#, c-format
-msgid "monthly"
+msgid "GB"
msgstr ""
-#: ../../../move/move.pm:1
+#: common.pm:133
#, c-format
-msgid "Retry"
+msgid "TB"
msgstr ""
-#: ../../standalone/drakfloppy:1
-#, fuzzy, c-format
-msgid "Module name"
-msgstr "Modul"
-
-#: ../../network/network.pm:1
-#, fuzzy, c-format
-msgid "Start at boot"
-msgstr "Mula"
-
-#: ../../standalone/drakbackup:1
+#: common.pm:141
#, c-format
-msgid "Use Incremental Backups"
+msgid "%d minutes"
msgstr ""
-#: ../../any.pm:1
+#: common.pm:143
#, c-format
-msgid "First sector of drive (MBR)"
+msgid "1 minute"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "El Salvador"
-msgstr "El Salvador"
-
-#: ../../harddrake/data.pm:1
+#: common.pm:145
#, c-format
-msgid "Joystick"
+msgid "%d seconds"
msgstr ""
-#: ../../standalone/harddrake2:1
+#: common.pm:196
#, c-format
-msgid "DVD"
+msgid "Can't make screenshots before partitioning"
msgstr ""
-#: ../../any.pm:1 ../../help.pm:1
+#: common.pm:203
+#, fuzzy, c-format
+msgid "Screenshots will be available after install in %s"
+msgstr "dalam"
+
+#: common.pm:268
#, c-format
-msgid "Use Unicode by default"
+msgid "kdesu missing"
msgstr ""
-#: ../../standalone/harddrake2:1
+#: common.pm:271
#, c-format
-msgid "the module of the GNU/Linux kernel that handles the device"
+msgid "consolehelper missing"
msgstr ""
-#: ../../standalone/drakclock:1
+#: crypto.pm:14 crypto.pm:28 lang.pm:231 network/adsl_consts.pm:37
+#: network/adsl_consts.pm:48 network/adsl_consts.pm:58
+#: network/adsl_consts.pm:68 network/adsl_consts.pm:79
+#: network/adsl_consts.pm:90 network/adsl_consts.pm:100
+#: network/adsl_consts.pm:110 network/netconnect.pm:46
#, fuzzy, c-format
-msgid "Is your hardware clock set to GMT?"
-msgstr "Perkakasan"
+msgid "France"
+msgstr "Perancis"
+
+#: crypto.pm:15 lang.pm:207
+#, fuzzy, c-format
+msgid "Costa Rica"
+msgstr "Costa Rica"
+
+#: crypto.pm:16 crypto.pm:29 lang.pm:179 network/adsl_consts.pm:20
+#: network/adsl_consts.pm:30 network/netconnect.pm:49
+#, fuzzy, c-format
+msgid "Belgium"
+msgstr "Belgium"
+
+#: crypto.pm:17 crypto.pm:30 lang.pm:212
+#, fuzzy, c-format
+msgid "Czech Republic"
+msgstr "Republik Czech"
+
+#: crypto.pm:18 crypto.pm:31 lang.pm:213 network/adsl_consts.pm:126
+#: network/adsl_consts.pm:134
+#, fuzzy, c-format
+msgid "Germany"
+msgstr "Jerman"
+
+#: crypto.pm:19 crypto.pm:32 lang.pm:244
+#, fuzzy, c-format
+msgid "Greece"
+msgstr "Greek"
+
+#: crypto.pm:20 crypto.pm:33 lang.pm:317
+#, fuzzy, c-format
+msgid "Norway"
+msgstr "Norway"
+
+#: crypto.pm:21 crypto.pm:34 lang.pm:346 network/adsl_consts.pm:230
+#, fuzzy, c-format
+msgid "Sweden"
+msgstr "Sweden"
+
+#: crypto.pm:22 crypto.pm:36 lang.pm:316 network/adsl_consts.pm:170
+#: network/netconnect.pm:47
+#, fuzzy, c-format
+msgid "Netherlands"
+msgstr "Belanda"
+
+#: crypto.pm:23 crypto.pm:37 lang.pm:264 network/adsl_consts.pm:150
+#: network/adsl_consts.pm:160 network/netconnect.pm:48 standalone/drakxtv:48
+#, fuzzy, c-format
+msgid "Italy"
+msgstr "Itali"
+
+#: crypto.pm:24 crypto.pm:38 lang.pm:172
+#, fuzzy, c-format
+msgid "Austria"
+msgstr "Austria"
+
+#: crypto.pm:35 crypto.pm:61 lang.pm:380 network/netconnect.pm:50
+#, fuzzy, c-format
+msgid "United States"
+msgstr "Amerika Syarikat"
+
+#: diskdrake/dav.pm:19
+#, fuzzy, c-format
+msgid ""
+"WebDAV is a protocol that allows you to mount a web server's directory\n"
+"locally, and treat it like a local filesystem (provided the web server is\n"
+"configured as a WebDAV server). If you would like to add WebDAV mount\n"
+"points, select \"New\"."
+msgstr "direktori dan lokal Baru."
-#: ../../diskdrake/interactive.pm:1
+#: diskdrake/dav.pm:27
+#, fuzzy, c-format
+msgid "New"
+msgstr "Baru"
+
+#: diskdrake/dav.pm:63 diskdrake/interactive.pm:417 diskdrake/smbnfs_gtk.pm:75
#, c-format
-msgid "Trying to rescue partition table"
+msgid "Unmount"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/dav.pm:64 diskdrake/interactive.pm:414 diskdrake/smbnfs_gtk.pm:76
#, c-format
-msgid "Option %s must be an integer number!"
+msgid "Mount"
msgstr ""
-#: ../../security/l10n.pm:1
+#: diskdrake/dav.pm:65 help.pm:137
+#, fuzzy, c-format
+msgid "Server"
+msgstr "Pelayan"
+
+#: diskdrake/dav.pm:66 diskdrake/interactive.pm:408
+#: diskdrake/interactive.pm:616 diskdrake/interactive.pm:635
+#: diskdrake/removable.pm:24 diskdrake/smbnfs_gtk.pm:79
#, c-format
-msgid "Use password to authenticate users"
+msgid "Mount point"
msgstr ""
-#: ../../interactive/stdio.pm:1
+#: diskdrake/dav.pm:85
#, c-format
-msgid ""
-"Entries you'll have to fill:\n"
-"%s"
+msgid "Please enter the WebDAV server URL"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: diskdrake/dav.pm:89
#, fuzzy, c-format
-msgid ""
-"For backups to other media, files are still created on the hard drive, then "
-"moved to the other media. Enabling this option will remove the hard drive "
-"tar files after the backup."
-msgstr "fail on fail."
+msgid "The URL must begin with http:// or https://"
+msgstr "URL"
-#: ../../standalone/livedrake:1
+#: diskdrake/dav.pm:111
#, fuzzy, c-format
-msgid "Unable to start live upgrade !!!\n"
-msgstr "mula"
+msgid "Server: "
+msgstr "Pelayan "
+
+#: diskdrake/dav.pm:112 diskdrake/interactive.pm:469
+#: diskdrake/interactive.pm:1149 diskdrake/interactive.pm:1225
+#, c-format
+msgid "Mount point: "
+msgstr ""
-#: ../../install_steps_gtk.pm:1 ../../diskdrake/interactive.pm:1
+#: diskdrake/dav.pm:113 diskdrake/interactive.pm:1233
#, fuzzy, c-format
-msgid "Name: "
-msgstr "Nama: "
+msgid "Options: %s"
+msgstr "Pilihan"
-#: ../../standalone/drakconnect:1
+#: diskdrake/hd_gtk.pm:96 diskdrake/interactive.pm:995
+#: diskdrake/interactive.pm:1005 diskdrake/interactive.pm:1065
#, c-format
-msgid "up"
+msgid "Read carefully!"
msgstr ""
-#: ../../Xconfig/resolution_and_depth.pm:1
+#: diskdrake/hd_gtk.pm:96
#, c-format
-msgid "16 million colors (24 bits)"
+msgid "Please make a backup of your data first"
msgstr ""
-#: ../../any.pm:1
+#: diskdrake/hd_gtk.pm:99
#, c-format
-msgid "Allow all users"
+msgid ""
+"If you plan to use aboot, be carefull to leave a free space (2048 sectors is "
+"enough)\n"
+"at the beginning of the disk"
msgstr ""
-#: ../advertising/08-store.pl:1
+#: diskdrake/hd_gtk.pm:156 help.pm:544
#, c-format
-msgid "The official MandrakeSoft Store"
+msgid "Wizard"
msgstr ""
-#: ../../install_interactive.pm:1 ../../diskdrake/interactive.pm:1
+#: diskdrake/hd_gtk.pm:189
#, c-format
-msgid "Resizing"
+msgid "Choose action"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: diskdrake/hd_gtk.pm:193
#, fuzzy, c-format
msgid ""
-"Enter the maximum size\n"
-" allowed for Drakbackup (MB)"
-msgstr "Enter\n"
+"You have one big Microsoft Windows partition.\n"
+"I suggest you first resize that partition\n"
+"(click on it, then click on \"Resize\")"
+msgstr "Tetingkap on on"
-#: ../../network/netconnect.pm:1
-#, c-format
-msgid "Cable connection"
-msgstr ""
+#: diskdrake/hd_gtk.pm:195
+#, fuzzy, c-format
+msgid "Please click on a partition"
+msgstr "on"
-#: ../../standalone/drakperm:1 ../../standalone/logdrake:1
+#: diskdrake/hd_gtk.pm:209 diskdrake/smbnfs_gtk.pm:63 install_steps_gtk.pm:475
#, fuzzy, c-format
-msgid "User"
-msgstr "Pengguna"
+msgid "Details"
+msgstr "Perincian"
+
+#: diskdrake/hd_gtk.pm:255
+#, fuzzy, c-format
+msgid "No hard drives found"
+msgstr "Tidak"
-#: ../../standalone/drakbackup:1
+#: diskdrake/hd_gtk.pm:326
#, c-format
-msgid "Do new backup before restore (only for incremental backups.)"
+msgid "Ext2"
msgstr ""
-#: ../../raid.pm:1
+#: diskdrake/hd_gtk.pm:326
#, c-format
-msgid "mkraid failed"
+msgid "Journalised FS"
msgstr ""
-#: ../../standalone/harddrake2:1
-#, fuzzy, c-format
-msgid "Name"
-msgstr "Nama"
+#: diskdrake/hd_gtk.pm:326
+#, c-format
+msgid "Swap"
+msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: diskdrake/hd_gtk.pm:326
#, c-format
-msgid "Button 3 Emulation"
+msgid "SunOS"
msgstr ""
-#: ../../security/l10n.pm:1
+#: diskdrake/hd_gtk.pm:326
#, c-format
-msgid "Check additions/removals of sgid files"
+msgid "HFS"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: diskdrake/hd_gtk.pm:326
#, fuzzy, c-format
-msgid "Sending files..."
-msgstr "fail."
+msgid "Windows"
+msgstr "Tetingkap"
+
+#: diskdrake/hd_gtk.pm:327 install_steps_gtk.pm:327 mouse.pm:167
+#: services.pm:164 standalone/drakbackup:1947 standalone/drakperm:250
+#, fuzzy, c-format
+msgid "Other"
+msgstr "Lain-lain"
-#: ../../keyboard.pm:1
+#: diskdrake/hd_gtk.pm:327 diskdrake/interactive.pm:1165
#, c-format
-msgid "Israeli (Phonetic)"
+msgid "Empty"
msgstr ""
-#: ../../any.pm:1
+#: diskdrake/hd_gtk.pm:331
#, c-format
-msgid "access to rpm tools"
+msgid "Filesystem types:"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/hd_gtk.pm:348 diskdrake/hd_gtk.pm:350 diskdrake/hd_gtk.pm:353
#, c-format
-msgid "You must choose/enter a printer/device!"
+msgid "Use ``%s'' instead"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: diskdrake/hd_gtk.pm:348 diskdrake/hd_gtk.pm:353
+#: diskdrake/interactive.pm:409 diskdrake/interactive.pm:569
+#: diskdrake/removable.pm:26 diskdrake/removable.pm:49
+#: standalone/harddrake2:67
#, c-format
-msgid "Permission problem accessing CD."
-msgstr ""
+msgid "Type"
+msgstr "Jenis"
-#: ../../network/modem.pm:1 ../../standalone/drakconnect:1
+#: diskdrake/hd_gtk.pm:348 diskdrake/interactive.pm:431
#, c-format
-msgid "Phone number"
+msgid "Create"
msgstr ""
-#: ../../harddrake/sound.pm:1
+#: diskdrake/hd_gtk.pm:350 diskdrake/interactive.pm:418
+#: standalone/drakperm:124 standalone/printerdrake:231
#, fuzzy, c-format
-msgid "Error: The \"%s\" driver for your sound card is unlisted"
-msgstr "Ralat"
-
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Printer name, description, location"
-msgstr ""
+msgid "Delete"
+msgstr "Padam"
-#: ../../standalone/drakxtv:1
+#: diskdrake/hd_gtk.pm:353
#, c-format
-msgid "USA (broadcast)"
+msgid "Use ``Unmount'' first"
msgstr ""
-#: ../../Xconfig/card.pm:1
+#: diskdrake/interactive.pm:179
#, c-format
-msgid "Use Xinerama extension"
+msgid "Choose another partition"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: diskdrake/interactive.pm:179
#, c-format
-msgid "Loopback"
+msgid "Choose a partition"
msgstr ""
-#: ../../standalone/drakxtv:1
+#: diskdrake/interactive.pm:208
#, fuzzy, c-format
-msgid "West Europe"
-msgstr "Barat"
+msgid "Exit"
+msgstr "Keluar"
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:241 help.pm:544
#, c-format
-msgid "On CD-R"
-msgstr "pada CDROM"
+msgid "Undo"
+msgstr ""
-#: ../../standalone.pm:1
+#: diskdrake/interactive.pm:241
#, fuzzy, c-format
-msgid ""
-"[OPTIONS] [PROGRAM_NAME]\n"
-"\n"
-"OPTIONS:\n"
-" --help - print this help message.\n"
-" --report - program should be one of mandrake tools\n"
-" --incident - program should be one of mandrake tools"
-msgstr ""
-"NAMA\n"
-"\n"
-"\n"
+msgid "Toggle to normal mode"
+msgstr "normal"
-#: ../../standalone/harddrake2:1
+#: diskdrake/interactive.pm:241
#, c-format
-msgid "Harddrake2 version %s"
+msgid "Toggle to expert mode"
msgstr ""
-#: ../../standalone/drakfloppy:1
+#: diskdrake/interactive.pm:260
#, fuzzy, c-format
-msgid "Preferences"
-msgstr "Keutamaan"
+msgid "Continue anyway?"
+msgstr "Teruskan?"
-#: ../../lang.pm:1
+#: diskdrake/interactive.pm:265
#, fuzzy, c-format
-msgid "Swaziland"
-msgstr "Swaziland"
+msgid "Quit without saving"
+msgstr "Keluar tanpa menyimpan"
-#: ../../lang.pm:1
+#: diskdrake/interactive.pm:265
#, fuzzy, c-format
-msgid "Dominican Republic"
-msgstr "Republik Dominica"
+msgid "Quit without writing the partition table?"
+msgstr "Keluar?"
-#: ../../diskdrake/interactive.pm:1
+#: diskdrake/interactive.pm:270
#, c-format
-msgid "Copying %s"
+msgid "Do you want to save /etc/fstab modifications"
msgstr ""
-#: ../../standalone/draksplash:1
+#: diskdrake/interactive.pm:277 install_steps_interactive.pm:301
#, c-format
-msgid "Choose color"
+msgid "You need to reboot for the partition table modifications to take place"
msgstr ""
-#: ../../keyboard.pm:1
+#: diskdrake/interactive.pm:290 help.pm:544
+#, fuzzy, c-format
+msgid "Clear all"
+msgstr "Kosongkan"
+
+#: diskdrake/interactive.pm:291 help.pm:544
#, c-format
-msgid "Syriac"
+msgid "Auto allocate"
msgstr ""
-#: ../../standalone/drakperm:1
+#: diskdrake/interactive.pm:297
#, c-format
-msgid "Set-UID"
+msgid "Hard drive information"
msgstr ""
-#: ../../help.pm:1
+#: diskdrake/interactive.pm:329
#, fuzzy, c-format
-msgid ""
-"Choose the hard drive you want to erase in order to install your new\n"
-"Mandrake Linux partition. Be careful, all data present on this partition\n"
-"will be lost and will not be recoverable!"
-msgstr "dalam on dan!"
+msgid "All primary partitions are used"
+msgstr "Semua"
-#. -PO: these messages will be displayed at boot time in the BIOS, use only ASCII (7bit)
-#. -PO: and keep them smaller than 79 chars long
-#: ../../bootloader.pm:1
+#: diskdrake/interactive.pm:330
+#, c-format
+msgid "I can't add any more partition"
+msgstr ""
+
+#: diskdrake/interactive.pm:331
#, fuzzy, c-format
-msgid "Use the %c and %c keys for selecting which entry is highlighted."
-msgstr "dan."
+msgid ""
+"To have more partitions, please delete one to be able to create an extended "
+"partition"
+msgstr "Kepada"
-#: ../../mouse.pm:1
+#: diskdrake/interactive.pm:342 help.pm:544
#, fuzzy, c-format
-msgid "Generic 2 Button Mouse"
-msgstr "Generik"
+msgid "Save partition table"
+msgstr "Simpan"
-#: ../../standalone/drakperm:1
+#: diskdrake/interactive.pm:343 help.pm:544
#, c-format
-msgid "Enable \"%s\" to execute the file"
+msgid "Restore partition table"
msgstr ""
-#: ../../lvm.pm:1
+#: diskdrake/interactive.pm:344 help.pm:544
#, fuzzy, c-format
-msgid "Remove the logical volumes first\n"
-msgstr "Buang"
+msgid "Rescue partition table"
+msgstr "Penyelamatan"
-#. -PO: these messages will be displayed at boot time in the BIOS, use only ASCII (7bit)
-#. -PO: and keep them smaller than 79 chars long
-#: ../../bootloader.pm:1
+#: diskdrake/interactive.pm:346 help.pm:544
#, fuzzy, c-format
-msgid "The highlighted entry will be booted automatically in %d seconds."
-msgstr "dalam saat."
+msgid "Reload partition table"
+msgstr "Ulangmuat"
-#: ../../standalone/drakboot:1
+#: diskdrake/interactive.pm:348
#, c-format
-msgid ""
-"Can't write /etc/sysconfig/bootsplash\n"
-"File not found."
+msgid "Removable media automounting"
msgstr ""
-#: ../../standalone/drakconnect:1
-#, fuzzy, c-format
-msgid "Internet access"
-msgstr "Internet"
+#: diskdrake/interactive.pm:357 diskdrake/interactive.pm:377
+#, c-format
+msgid "Select file"
+msgstr ""
-#: ../../standalone/draksplash:1
+#: diskdrake/interactive.pm:364
#, c-format
msgid ""
-"y coordinate of text box\n"
-"in number of characters"
+"The backup partition table has not the same size\n"
+"Still continue?"
msgstr ""
+"Jadual partisyen backup tidak mempunyai saiz yang sama\n"
+"Masih teruskan?"
+
+#: diskdrake/interactive.pm:378 harddrake/sound.pm:222 keyboard.pm:311
+#: network/netconnect.pm:353 printer/printerdrake.pm:2159
+#: printer/printerdrake.pm:3246 printer/printerdrake.pm:3365
+#: printer/printerdrake.pm:4338 standalone/drakTermServ:1040
+#: standalone/drakTermServ:1715 standalone/drakbackup:765
+#: standalone/drakbackup:865 standalone/drakboot:137 standalone/drakclock:200
+#: standalone/drakconnect:856 standalone/drakfloppy:295
+#, fuzzy, c-format
+msgid "Warning"
+msgstr "Amaran"
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/interactive.pm:379
#, fuzzy, c-format
msgid ""
-"To get a list of the options available for the current printer click on the "
-"\"Print option list\" button."
-msgstr "Kepada on."
+"Insert a floppy in drive\n"
+"All data on this floppy will be lost"
+msgstr "dalam on"
-#: ../../standalone/drakgw:1
+#: diskdrake/interactive.pm:390
#, c-format
-msgid "Enabling servers..."
+msgid "Trying to rescue partition table"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Printing test page(s)..."
-msgstr "Cetakan."
-
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:396
#, c-format
-msgid ""
-"Transfer successful\n"
-"You may want to verify you can login to the server with:\n"
-"\n"
-"ssh -i %s %s@%s\n"
-"\n"
-"without being prompted for a password."
+msgid "Detailed information"
msgstr ""
-#: ../../fsedit.pm:1
+#: diskdrake/interactive.pm:411 diskdrake/interactive.pm:706
#, c-format
-msgid "There is already a partition with mount point %s\n"
+msgid "Resize"
msgstr ""
-#: ../../security/help.pm:1
+#: diskdrake/interactive.pm:412 diskdrake/interactive.pm:774
#, c-format
-msgid "Enable/Disable msec hourly security check."
+msgid "Move"
msgstr ""
-#: ../../help.pm:1
+#: diskdrake/interactive.pm:413
#, fuzzy, c-format
-msgid ""
-"At this point, you need to decide where you want to install the Mandrake\n"
-"Linux operating system on your hard drive. If your hard drive is empty or\n"
-"if an existing operating system is using all the available space you will\n"
-"have to partition the drive. Basically, partitioning a hard drive consists\n"
-"of logically dividing it to create the space needed to install your new\n"
-"Mandrake Linux system.\n"
-"\n"
-"Because the process of partitioning a hard drive is usually irreversible\n"
-"and can lead to lost data if there is an existing operating system already\n"
-"installed on the drive, partitioning can be intimidating and stressful if\n"
-"you are an inexperienced user. Fortunately, DrakX includes a wizard which\n"
-"simplifies this process. Before continuing with this step, read through the\n"
-"rest of this section and above all, take your time.\n"
-"\n"
-"Depending on your hard drive configuration, several options are available:\n"
-"\n"
-" * \"%s\": this option will perform an automatic partitioning of your blank\n"
-"drive(s). If you use this option there will be no further prompts.\n"
-"\n"
-" * \"%s\": the wizard has detected one or more existing Linux partitions on\n"
-"your hard drive. If you want to use them, choose this option. You will then\n"
-"be asked to choose the mount points associated with each of the partitions.\n"
-"The legacy mount points are selected by default, and for the most part it's\n"
-"a good idea to keep them.\n"
-"\n"
-" * \"%s\": if Microsoft Windows is installed on your hard drive and takes\n"
-"all the space available on it, you will have to create free space for\n"
-"Linux. To do so, you can delete your Microsoft Windows partition and data\n"
-"(see ``Erase entire disk'' solution) or resize your Microsoft Windows FAT\n"
-"partition. Resizing can be performed without the loss of any data, provided\n"
-"you have previously defragmented the Windows partition and that it uses the\n"
-"FAT format. Backing up your data is strongly recommended.. Using this\n"
-"option is recommended if you want to use both Mandrake Linux and Microsoft\n"
-"Windows on the same computer.\n"
-"\n"
-" Before choosing this option, please understand that after this\n"
-"procedure, the size of your Microsoft Windows partition will be smaller\n"
-"then when you started. You will have less free space under Microsoft\n"
-"Windows to store your data or to install new software.\n"
-"\n"
-" * \"%s\": if you want to delete all data and all partitions present on\n"
-"your hard drive and replace them with your new Mandrake Linux system,\n"
-"choose this option. Be careful, because you will not be able to undo your\n"
-"choice after you confirm.\n"
-"\n"
-" !! If you choose this option, all data on your disk will be deleted. !!\n"
-"\n"
-" * \"%s\": this will simply erase everything on the drive and begin fresh,\n"
-"partitioning everything from scratch. All data on your disk will be lost.\n"
-"\n"
-" !! If you choose this option, all data on your disk will be lost. !!\n"
-"\n"
-" * \"%s\": choose this option if you want to manually partition your hard\n"
-"drive. Be careful -- it is a powerful but dangerous choice and you can very\n"
-"easily lose all your data. That's why this option is really only\n"
-"recommended if you have done something like this before and have some\n"
-"experience. For more instructions on how to use the DiskDrake utility,\n"
-"refer to the ``Managing Your Partitions '' section in the ``Starter\n"
-"Guide''."
-msgstr ""
-"on kosong on dan pengguna dan on\n"
-" tidak\n"
-" on default dan\n"
-" Tetingkap on dan on Kepada Tetingkap dan Tetingkap Tetingkap dan dan on\n"
-" Tetingkap\n"
-" dan on dan\n"
-" on\n"
-" on dan Semua on\n"
-" on\n"
-" secara manual dan siap dan on dalam."
+msgid "Format"
+msgstr "Format"
-#: ../../lang.pm:1
+#: diskdrake/interactive.pm:415
#, fuzzy, c-format
-msgid "Ukraine"
-msgstr "Ukraine"
-
-#: ../../standalone/drakbug:1
-#, c-format
-msgid "Application:"
-msgstr ""
+msgid "Add to RAID"
+msgstr "Tambah"
-#: ../../network/isdn.pm:1
+#: diskdrake/interactive.pm:416
#, fuzzy, c-format
-msgid "External ISDN modem"
-msgstr "Luaran"
+msgid "Add to LVM"
+msgstr "Tambah"
-#: ../../security/help.pm:1
+#: diskdrake/interactive.pm:419
#, fuzzy, c-format
-msgid "if set to yes, report check result by mail."
-msgstr "ya."
+msgid "Remove from RAID"
+msgstr "Buang"
-#: ../../interactive/stdio.pm:1
+#: diskdrake/interactive.pm:420
#, fuzzy, c-format
-msgid "Your choice? (default %s) "
-msgstr "default "
+msgid "Remove from LVM"
+msgstr "Buang"
-#: ../../harddrake/sound.pm:1
+#: diskdrake/interactive.pm:421
#, c-format
-msgid "Trouble shooting"
+msgid "Modify RAID"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid ""
-"Test page(s) have been sent to the printer.\n"
-"It may take some time before the printer starts.\n"
-"Printing status:\n"
-"%s\n"
-"\n"
-msgstr "Ujian"
+#: diskdrake/interactive.pm:422
+#, c-format
+msgid "Use for loopback"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:462
#, c-format
-msgid "daily"
+msgid "Create a new partition"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/interactive.pm:465
#, fuzzy, c-format
-msgid "and one unknown printer"
-msgstr "dan tidak diketahui"
+msgid "Start sector: "
+msgstr "Mula "
-#: ../../lang.pm:1 ../../standalone/drakxtv:1
+#: diskdrake/interactive.pm:467 diskdrake/interactive.pm:876
#, fuzzy, c-format
-msgid "Ireland"
-msgstr "Ireland"
-
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid " Restore Configuration "
-msgstr ""
+msgid "Size in MB: "
+msgstr "Saiz dalam "
-#: ../../Xconfig/test.pm:1
+#: diskdrake/interactive.pm:468 diskdrake/interactive.pm:877
#, c-format
-msgid "Is this the correct setting?"
-msgstr ""
-
-#: ../../help.pm:1
-#, fuzzy, c-format
-msgid ""
-"You will now set up your Internet/network connection. If you wish to\n"
-"connect your computer to the Internet or to a local network, click \"%s\".\n"
-"Mandrake Linux will attempt to autodetect network devices and modems. If\n"
-"this detection fails, uncheck the \"%s\" box. You may also choose not to\n"
-"configure the network, or to do it later, in which case clicking the \"%s\"\n"
-"button will take you to the next step.\n"
-"\n"
-"When configuring your network, the available connections options are:\n"
-"traditional modem, ISDN modem, ADSL connection, cable modem, and finally a\n"
-"simple LAN connection (Ethernet).\n"
-"\n"
-"We will not detail each configuration option - just make sure that you have\n"
-"all the parameters, such as IP address, default gateway, DNS servers, etc.\n"
-"from your Internet Service Provider or system administrator.\n"
-"\n"
-"You can consult the ``Starter Guide'' chapter about Internet connections\n"
-"for details about the configuration, or simply wait until your system is\n"
-"installed and use the program described there to configure your connection."
+msgid "Filesystem type: "
msgstr ""
-"Internet Internet lokal dan dalam dan IP default Internet Internet dan."
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:473
#, c-format
-msgid "Wizard Configuration"
+msgid "Preference: "
msgstr ""
-#: ../../modules/interactive.pm:1
+#: diskdrake/interactive.pm:476
#, c-format
-msgid "Autoprobe"
+msgid "Logical volume name "
msgstr ""
-#: ../../security/help.pm:1
+#: diskdrake/interactive.pm:505
#, fuzzy, c-format
msgid ""
-"if set to yes, check for :\n"
-"\n"
-"- empty passwords,\n"
-"\n"
-"- no password in /etc/shadow\n"
-"\n"
-"- for users with the 0 id other than root."
-msgstr "ya kosong tidak dalam."
+"You can't create a new partition\n"
+"(since you reached the maximal number of primary partitions).\n"
+"First remove a primary partition and create an extended partition."
+msgstr "dan."
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:535
#, fuzzy, c-format
-msgid "Backup system files..."
-msgstr "fail."
+msgid "Remove the loopback file?"
+msgstr "Buang fail?"
-#: ../../any.pm:1
+#: diskdrake/interactive.pm:554
#, fuzzy, c-format
-msgid "Can't use broadcast with no NIS domain"
-msgstr "tidak NIS"
+msgid ""
+"After changing type of partition %s, all data on this partition will be lost"
+msgstr "on"
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/interactive.pm:565
+#, fuzzy, c-format
+msgid "Change partition type"
+msgstr "Ubah"
+
+#: diskdrake/interactive.pm:566 diskdrake/removable.pm:48
#, c-format
-msgid "Removing printer \"%s\"..."
+msgid "Which filesystem do you want?"
msgstr ""
-#: ../../security/l10n.pm:1
+#: diskdrake/interactive.pm:574
#, c-format
-msgid "Shell history size"
+msgid "Switching from ext2 to ext3"
msgstr ""
-#: ../../standalone/drakfloppy:1
+#: diskdrake/interactive.pm:603
+#, fuzzy, c-format
+msgid "Where do you want to mount the loopback file %s?"
+msgstr "fail?"
+
+#: diskdrake/interactive.pm:604
#, c-format
-msgid "drakfloppy"
+msgid "Where do you want to mount device %s?"
msgstr ""
-#: ../../standalone/drakpxe:1
-#, fuzzy, c-format
+#: diskdrake/interactive.pm:609
+#, c-format
msgid ""
-"Please indicate where the auto_install.cfg file is located.\n"
-"\n"
-"Leave it blank if you do not want to set up automatic installation mode.\n"
-"\n"
-msgstr "fail"
+"Can't unset mount point as this partition is used for loop back.\n"
+"Remove the loopback first"
+msgstr ""
-#: ../../printer/cups.pm:1 ../../standalone/printerdrake:1
-#, fuzzy, c-format
-msgid "Configured on other machines"
-msgstr "Tidak"
+#: diskdrake/interactive.pm:634
+#, c-format
+msgid "Where do you want to mount %s?"
+msgstr ""
-#: ../../standalone/harddrake2:1
+#: diskdrake/interactive.pm:658 diskdrake/interactive.pm:738
+#: install_interactive.pm:156 install_interactive.pm:186
#, c-format
-msgid "information level that can be obtained through the cpuid instruction"
+msgid "Resizing"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Peru"
-msgstr "Peru"
+#: diskdrake/interactive.pm:658
+#, c-format
+msgid "Computing FAT filesystem bounds"
+msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid " on device: %s"
-msgstr "on"
+#: diskdrake/interactive.pm:694
+#, c-format
+msgid "This partition is not resizeable"
+msgstr ""
-#: ../../install_interactive.pm:1
+#: diskdrake/interactive.pm:699
#, fuzzy, c-format
-msgid "Remove Windows(TM)"
-msgstr "Buang Tetingkap"
+msgid "All data on this partition should be backed-up"
+msgstr "Semua on"
-#: ../../services.pm:1
+#: diskdrake/interactive.pm:701
#, fuzzy, c-format
-msgid "Starts the X Font Server (this is mandatory for XFree to run)."
-msgstr "Font Pelayan."
+msgid "After resizing partition %s, all data on this partition will be lost"
+msgstr "on"
-#: ../../standalone/drakTermServ:1
+#: diskdrake/interactive.pm:706
#, c-format
-msgid ""
-"Most of these values were extracted\n"
-"from your running system.\n"
-"You can modify as needed."
+msgid "Choose the new size"
msgstr ""
-#: ../../standalone/drakfont:1
+#: diskdrake/interactive.pm:707
#, fuzzy, c-format
-msgid "Select the font file or directory and click on 'Add'"
-msgstr "fail direktori dan on Tambah"
+msgid "New size in MB: "
+msgstr "Baru dalam "
-#: ../../lang.pm:1
+#: diskdrake/interactive.pm:751 install_interactive.pm:194
#, fuzzy, c-format
-msgid "Madagascar"
-msgstr "Madagascar"
+msgid ""
+"To ensure data integrity after resizing the partition(s), \n"
+"filesystem checks will be run on your next boot into Windows(TM)"
+msgstr "Kepada on Tetingkap"
-#: ../../standalone/drakbug:1
+#: diskdrake/interactive.pm:775
#, c-format
-msgid "Urpmi"
+msgid "Which disk do you want to move it to?"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:776
#, c-format
-msgid "Cron not available yet as non-root"
+msgid "Sector"
msgstr ""
-#: ../../install_steps_interactive.pm:1 ../../services.pm:1
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "System"
-msgstr "Sistem"
-
-#: ../../any.pm:1 ../../help.pm:1
+#: diskdrake/interactive.pm:777
#, c-format
-msgid "Do you want to use this feature?"
+msgid "Which sector do you want to move it to?"
msgstr ""
-#: ../../keyboard.pm:1
-#, fuzzy, c-format
-msgid "Arabic"
-msgstr "Arab"
+#: diskdrake/interactive.pm:780
+#, c-format
+msgid "Moving"
+msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid ""
-"\n"
-"- Options:\n"
-msgstr "Pilihan"
+#: diskdrake/interactive.pm:780
+#, c-format
+msgid "Moving partition..."
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:802
#, fuzzy, c-format
-msgid "Password required"
-msgstr "Katalaluan"
+msgid "Choose an existing RAID to add to"
+msgstr "RAD"
-#: ../../common.pm:1
+#: diskdrake/interactive.pm:803 diskdrake/interactive.pm:820
#, c-format
-msgid "%d minutes"
+msgid "new"
msgstr ""
-#: ../../Xconfig/resolution_and_depth.pm:1
-#, fuzzy, c-format
-msgid "Graphics card: %s"
-msgstr "Grafik"
+#: diskdrake/interactive.pm:818
+#, c-format
+msgid "Choose an existing LVM to add to"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:824
#, c-format
-msgid "WebDAV transfer failed!"
+msgid "LVM name?"
msgstr ""
-#: ../../Xconfig/card.pm:1
+#: diskdrake/interactive.pm:861
#, c-format
-msgid "XFree configuration"
+msgid "This partition can't be used for loopback"
msgstr ""
-#: ../../diskdrake/hd_gtk.pm:1
+#: diskdrake/interactive.pm:874
#, c-format
-msgid "Choose action"
+msgid "Loopback"
msgstr ""
-#: ../../lang.pm:1
+#: diskdrake/interactive.pm:875
#, fuzzy, c-format
-msgid "French Polynesia"
-msgstr "French Polynesia"
+msgid "Loopback file name: "
+msgstr "fail "
-#: ../../help.pm:1
+#: diskdrake/interactive.pm:880
#, fuzzy, c-format
-msgid ""
-"Usually, DrakX has no problems detecting the number of buttons on your\n"
-"mouse. If it does, it assumes you have a two-button mouse and will\n"
-"configure it for third-button emulation. The third-button mouse button of a\n"
-"two-button mouse can be ``pressed'' by simultaneously clicking the left and\n"
-"right mouse buttons. DrakX will automatically know whether your mouse uses\n"
-"a PS/2, serial or USB interface.\n"
-"\n"
-"If for some reason you wish to specify a different type of mouse, select it\n"
-"from the list provided.\n"
-"\n"
-"If you choose a mouse other than the default, a test screen will be\n"
-"displayed. Use the buttons and wheel to verify that the settings are\n"
-"correct and that the mouse is working correctly. If the mouse is not\n"
-"working well, press the space bar or [Return] key to cancel the test and to\n"
-"go back to the list of choices.\n"
-"\n"
-"Wheel mice are occasionally not detected automatically, so you will need to\n"
-"select your mouse from a list. Be sure to select the one corresponding to\n"
-"the port that your mouse is attached to. After selecting a mouse and\n"
-"pressing the \"%s\" button, a mouse image is displayed on-screen. Scroll\n"
-"the mouse wheel to ensure that it is activated correctly. Once you see the\n"
-"on-screen scroll wheel moving as you scroll your mouse wheel, test the\n"
-"buttons and check that the mouse pointer moves on-screen as you move your\n"
-"mouse."
-msgstr "tidak on dan dan bersiri USB default dan dan dan dan on dan on."
+msgid "Give a file name"
+msgstr "fail"
-#: ../../services.pm:1
+#: diskdrake/interactive.pm:883
#, fuzzy, c-format
-msgid "Support the OKI 4w and compatible winprinters."
-msgstr "dan."
+msgid "File is already used by another loopback, choose another one"
+msgstr "Fail"
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:884
#, fuzzy, c-format
-msgid ""
-"Files or wildcards listed in a .backupignore file at the top of a directory "
-"tree will not be backed up."
-msgstr "dalam fail direktori."
+msgid "File already exists. Use it?"
+msgstr "Fail?"
-#: ../../services.pm:1
-#, fuzzy, c-format
-msgid "Launch the ALSA (Advanced Linux Sound Architecture) sound system"
-msgstr "Lanjutan Bunyi"
+#: diskdrake/interactive.pm:907
+#, c-format
+msgid "Mount options"
+msgstr ""
-#. -PO: the first %s is the card type (scsi, network, sound,...)
-#. -PO: the second is the vendor+model name
-#: ../../modules/interactive.pm:1
+#: diskdrake/interactive.pm:914
#, c-format
-msgid "Installing driver for %s card %s"
+msgid "Various"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid ""
-"You have transferred your former default printer (\"%s\"), Should it be also "
-"the default printer under the new printing system %s?"
-msgstr "default default?"
+#: diskdrake/interactive.pm:978
+#, c-format
+msgid "device"
+msgstr ""
-#: ../../standalone/drakTermServ:1
+#: diskdrake/interactive.pm:979
#, c-format
-msgid "Enable Server"
+msgid "level"
msgstr ""
-#: ../../keyboard.pm:1
+#: diskdrake/interactive.pm:980
#, c-format
-msgid "Ukrainian"
+msgid "chunk size"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid ""
-"The network access was not running and could not be started. Please check "
-"your configuration and your hardware. Then try to configure your remote "
-"printer again."
-msgstr "dan dan."
+#: diskdrake/interactive.pm:996
+#, c-format
+msgid "Be careful: this operation is dangerous."
+msgstr ""
-#: ../../standalone/drakperm:1
+#: diskdrake/interactive.pm:1011
#, c-format
-msgid "Enable \"%s\" to write the file"
+msgid "What type of partitioning?"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: diskdrake/interactive.pm:1027
#, fuzzy, c-format
-msgid "Please insert the Boot floppy used in drive %s"
-msgstr "dalam"
+msgid "The package %s is needed. Install it?"
+msgstr "Install?"
-#: ../../printer/main.pm:1 ../../printer/printerdrake.pm:1
+#: diskdrake/interactive.pm:1056
#, c-format
-msgid "Local network(s)"
+msgid "You'll need to reboot before the modification can take place"
msgstr ""
-#: ../../help.pm:1
+#: diskdrake/interactive.pm:1065
#, fuzzy, c-format
-msgid "Remove Windows"
-msgstr "Buang"
+msgid "Partition table of drive %s is going to be written to disk!"
+msgstr "Partisyen!"
-#: ../../standalone/scannerdrake:1
+#: diskdrake/interactive.pm:1078
#, fuzzy, c-format
-msgid ""
-"Your %s has been configured.\n"
-"You may now scan documents using \"XSane\" from Multimedia/Graphics in the "
-"applications menu."
-msgstr "Multimedia Grafik dalam."
+msgid "After formatting partition %s, all data on this partition will be lost"
+msgstr "on"
+
+#: diskdrake/interactive.pm:1095
+#, fuzzy, c-format
+msgid "Move files to the new partition"
+msgstr "fail"
-#: ../../harddrake/data.pm:1
+#: diskdrake/interactive.pm:1095
#, c-format
-msgid "Firewire controllers"
+msgid "Hide files"
msgstr ""
-#: ../../help.pm:1
+#: diskdrake/interactive.pm:1096
#, fuzzy, c-format
msgid ""
-"After you have configured the general bootloader parameters, the list of\n"
-"boot options that will be available at boot time will be displayed.\n"
-"\n"
-"If there are other operating systems installed on your machine they will\n"
-"automatically be added to the boot menu. You can fine-tune the existing\n"
-"options by clicking \"%s\" to create a new entry; selecting an entry and\n"
-"clicking \"%s\" or \"%s\" to modify or remove it. \"%s\" validates your\n"
-"changes.\n"
-"\n"
-"You may also not want to give access to these other operating systems to\n"
-"anyone who goes to the console and reboots the machine. You can delete the\n"
-"corresponding entries for the operating systems to remove them from the\n"
-"bootloader menu, but you will need a boot disk in order to boot those other\n"
-"operating systems!"
-msgstr "on dan dan dalam!"
-
-#: ../../standalone/drakboot:1
-#, fuzzy, c-format
-msgid "System mode"
-msgstr "Sistem"
+"Directory %s already contains data\n"
+"(%s)"
+msgstr "Direktori"
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/interactive.pm:1107
#, fuzzy, c-format
-msgid ""
-"To print on a NetWare printer, you need to provide the NetWare print server "
-"name (Note! it may be different from its TCP/IP hostname!) as well as the "
-"print queue name for the printer you wish to access and any applicable user "
-"name and password."
-msgstr "Kepada on IP dan pengguna dan."
+msgid "Moving files to the new partition"
+msgstr "fail"
-#: ../../standalone/drakTermServ:1
-#, fuzzy, c-format
-msgid "Netmask:"
-msgstr "Netmask:"
+#: diskdrake/interactive.pm:1111
+#, c-format
+msgid "Copying %s"
+msgstr ""
-#: ../../network/adsl.pm:1
+#: diskdrake/interactive.pm:1115
#, c-format
-msgid "Do it later"
+msgid "Removing %s"
msgstr ""
-#: ../../any.pm:1
-#, fuzzy, c-format
-msgid "Append"
-msgstr "Tambah"
+#: diskdrake/interactive.pm:1129
+#, c-format
+msgid "partition %s is now known as %s"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/interactive.pm:1150 diskdrake/interactive.pm:1210
#, fuzzy, c-format
-msgid "Refresh printer list (to display all available remote CUPS printers)"
-msgstr "Segarkan"
+msgid "Device: "
+msgstr "Peranti RAID "
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid ""
-"When this option is turned on, on every startup of CUPS it is automatically "
-"made sure that\n"
-"\n"
-"- if LPD/LPRng is installed, /etc/printcap will not be overwritten by CUPS\n"
-"\n"
-"- if /etc/cups/cupsd.conf is missing, it will be created\n"
-"\n"
-"- when printer information is broadcasted, it does not contain \"localhost\" "
-"as the server name.\n"
-"\n"
-"If some of these measures lead to problems for you, turn this option off, "
-"but then you have to take care of these points."
-msgstr "on on off."
+#: diskdrake/interactive.pm:1151
+#, c-format
+msgid "DOS drive letter: %s (just a guess)\n"
+msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: diskdrake/interactive.pm:1155 diskdrake/interactive.pm:1163
+#: diskdrake/interactive.pm:1229
#, fuzzy, c-format
-msgid ""
-"The auto install can be fully automated if wanted,\n"
-"in that case it will take over the hard drive!!\n"
-"(this is meant for installing on another box).\n"
-"\n"
-"You may prefer to replay the installation.\n"
-msgstr "on"
+msgid "Type: "
+msgstr "Jenis "
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/interactive.pm:1159 install_steps_gtk.pm:339
#, fuzzy, c-format
-msgid "Network printer \"%s\", port %s"
-msgstr "Rangkaian"
+msgid "Name: "
+msgstr "Nama: "
-#: ../../standalone/drakgw:1
+#: diskdrake/interactive.pm:1167
#, fuzzy, c-format
-msgid ""
-"Please choose what network adapter will be connected to your Local Area "
-"Network."
-msgstr "Rangkaian."
+msgid "Start: sector %s\n"
+msgstr "Mula"
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:1168
#, fuzzy, c-format
-msgid "OK to restore the other files."
-msgstr "OK fail."
+msgid "Size: %s"
+msgstr "Saiz"
-#: ../../install_steps_interactive.pm:1
+#: diskdrake/interactive.pm:1170
#, c-format
-msgid "Please choose your keyboard layout."
+msgid ", %s sectors"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Printer Device URI"
-msgstr "Peranti RAID"
-
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:1172
#, c-format
-msgid "Not erasable media!"
+msgid "Cylinder %d to %d\n"
msgstr ""
-#: ../../network/modem.pm:1 ../../standalone/drakconnect:1
+#: diskdrake/interactive.pm:1173
#, c-format
-msgid "Terminal-based"
+msgid "Number of logical extents: %d"
msgstr ""
-#: ../../security/help.pm:1
-#, fuzzy, c-format
-msgid "Enable/Disable IP spoofing protection."
-msgstr "IP."
+#: diskdrake/interactive.pm:1174
+#, c-format
+msgid "Formatted\n"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Installing a printing system in the %s security level"
-msgstr "dalam"
+#: diskdrake/interactive.pm:1175
+#, c-format
+msgid "Not formatted\n"
+msgstr ""
-#: ../../any.pm:1
-#, fuzzy, c-format
-msgid "The user name is too long"
-msgstr "pengguna"
+#: diskdrake/interactive.pm:1176
+#, c-format
+msgid "Mounted\n"
+msgstr ""
-#: ../../any.pm:1
+#: diskdrake/interactive.pm:1177
#, fuzzy, c-format
-msgid "Other OS (windows...)"
-msgstr "Lain-lain"
+msgid "RAID md%s\n"
+msgstr "RAD"
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:1179
#, fuzzy, c-format
-msgid "WebDAV remote site already in sync!"
-msgstr "dalam!"
+msgid ""
+"Loopback file(s):\n"
+" %s\n"
+msgstr "fail\n"
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/interactive.pm:1180
#, fuzzy, c-format
-msgid "Reading printer database..."
-msgstr "Membaca."
+msgid ""
+"Partition booted by default\n"
+" (for MS-DOS boot, not for lilo)\n"
+msgstr "Partisyen default\n"
-#: ../../install_steps_interactive.pm:1
+#: diskdrake/interactive.pm:1182
#, c-format
-msgid "Generate auto install floppy"
+msgid "Level %s\n"
msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid ""
-"\t\t user name: %s\n"
-"\t\t on path: %s \n"
-msgstr "pengguna on"
-
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Somalia"
-msgstr "Somalia"
-
-#: ../../harddrake/sound.pm:1
-#, fuzzy, c-format
-msgid "No open source driver"
-msgstr "Tidak"
-
-#: ../../standalone/printerdrake:1
+#: diskdrake/interactive.pm:1183
#, c-format
-msgid "Def."
+msgid "Chunk size %s\n"
msgstr ""
-#: ../../security/level.pm:1
+#: diskdrake/interactive.pm:1184
#, fuzzy, c-format
-msgid ""
-"This is similar to the previous level, but the system is entirely closed and "
-"security features are at their maximum."
-msgstr "dan."
+msgid "RAID-disks %s\n"
+msgstr "RAD"
-#: ../../lang.pm:1
+#: diskdrake/interactive.pm:1186
#, fuzzy, c-format
-msgid "Nicaragua"
-msgstr "Nicaragua"
+msgid "Loopback file name: %s"
+msgstr "fail"
-#: ../../lang.pm:1
+#: diskdrake/interactive.pm:1189
#, fuzzy, c-format
-msgid "New Caledonia"
-msgstr "New Caledonia"
+msgid ""
+"\n"
+"Chances are, this partition is\n"
+"a Driver partition. You should\n"
+"probably leave it alone.\n"
+msgstr "Jurupacu"
-#: ../../network/isdn.pm:1
+#: diskdrake/interactive.pm:1192
#, c-format
-msgid "European protocol (EDSS1)"
+msgid ""
+"\n"
+"This special Bootstrap\n"
+"partition is for\n"
+"dual-booting your system.\n"
msgstr ""
-#: ../../standalone/printerdrake:1
-#, fuzzy, c-format
-msgid "/_Delete"
-msgstr "Hapus"
-
-#: ../../any.pm:1
-#, fuzzy, c-format
-msgid "Video mode"
-msgstr "Video"
+#: diskdrake/interactive.pm:1211
+#, c-format
+msgid "Read-only"
+msgstr ""
-#: ../../lang.pm:1
+#: diskdrake/interactive.pm:1212
#, fuzzy, c-format
-msgid "Oman"
-msgstr "Oman"
+msgid "Size: %s\n"
+msgstr "Saiz"
-#: ../../standalone/logdrake:1
+#: diskdrake/interactive.pm:1213
#, c-format
-msgid "Please enter your email address below "
+msgid "Geometry: %s cylinders, %s heads, %s sectors\n"
msgstr ""
-#: ../../standalone/net_monitor:1
+#: diskdrake/interactive.pm:1214
#, fuzzy, c-format
-msgid "Network Monitoring"
-msgstr "Rangkaian"
+msgid "Info: "
+msgstr "Maklumat "
-#: ../../diskdrake/hd_gtk.pm:1
+#: diskdrake/interactive.pm:1215
#, c-format
-msgid "SunOS"
+msgid "LVM-disks %s\n"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
-#, fuzzy, c-format
-msgid "New size in MB: "
-msgstr "Baru dalam "
-
-#: ../../diskdrake/interactive.pm:1
+#: diskdrake/interactive.pm:1216
#, fuzzy, c-format
msgid "Partition table type: %s\n"
msgstr "Partisyen"
-#: ../../any.pm:1
+#: diskdrake/interactive.pm:1217
#, fuzzy, c-format
-msgid "Authentication Windows Domain"
-msgstr "Pengesahan Tetingkap"
+msgid "on channel %d id %d\n"
+msgstr "on"
-#: ../../keyboard.pm:1
+#: diskdrake/interactive.pm:1250
#, c-format
-msgid "US keyboard"
+msgid "Filesystem encryption key"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: diskdrake/interactive.pm:1251
#, c-format
-msgid "Buttons emulation"
+msgid "Choose your filesystem encryption key"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: diskdrake/interactive.pm:1254
#, c-format
-msgid ", network printer \"%s\", port %s"
+msgid "This encryption key is too simple (must be at least %d characters long)"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: diskdrake/interactive.pm:1255
#, c-format
-msgid ""
-"\n"
-"Drakbackup activities via tape:\n"
-"\n"
+msgid "The encryption keys do not match"
msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid ""
-"\n"
-" FTP connection problem: It was not possible to send your backup files by "
-"FTP.\n"
+#: diskdrake/interactive.pm:1258 network/netconnect.pm:889
+#: standalone/drakconnect:370
+#, c-format
+msgid "Encryption key"
msgstr ""
-"\n"
-" FTP fail FTP"
-#: ../../standalone/net_monitor:1
+#: diskdrake/interactive.pm:1259
#, c-format
-msgid "Sending Speed:"
+msgid "Encryption key (again)"
msgstr ""
-#: ../../harddrake/sound.pm:1
+#: diskdrake/removable.pm:47
#, fuzzy, c-format
-msgid ""
-"The classic bug sound tester is to run the following commands:\n"
-"\n"
-"\n"
-"- \"lspcidrake -v | fgrep AUDIO\" will tell you which driver your card uses\n"
-"by default\n"
-"\n"
-"- \"grep sound-slot /etc/modules.conf\" will tell you what driver it\n"
-"currently uses\n"
-"\n"
-"- \"/sbin/lsmod\" will enable you to check if its module (driver) is\n"
-"loaded or not\n"
-"\n"
-"- \"/sbin/chkconfig --list sound\" and \"/sbin/chkconfig --list alsa\" will\n"
-"tell you if sound and alsa services're configured to be run on\n"
-"initlevel 3\n"
-"\n"
-"- \"aumix -q\" will tell you if the sound volume is muted or not\n"
-"\n"
-"- \"/sbin/fuser -v /dev/dsp\" will tell which program uses the sound card.\n"
-msgstr "default dan dan on"
+msgid "Change type"
+msgstr "Ubah"
-#: ../../standalone/harddrake2:1
+#: diskdrake/smbnfs_gtk.pm:163
#, c-format
-msgid "Halt bug"
+msgid "Can't login using username %s (bad password?)"
msgstr ""
-#: ../../standalone/logdrake:1
+#: diskdrake/smbnfs_gtk.pm:167 diskdrake/smbnfs_gtk.pm:176
#, fuzzy, c-format
-msgid "Mail alert configuration"
-msgstr "Mel"
+msgid "Domain Authentication Required"
+msgstr "Domain Pengesahan"
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Tokelau"
-msgstr "Tokelau"
+#: diskdrake/smbnfs_gtk.pm:168
+#, c-format
+msgid "Which username"
+msgstr ""
-#: ../../standalone/logdrake:1
+#: diskdrake/smbnfs_gtk.pm:168
#, c-format
-msgid "Matching"
+msgid "Another one"
msgstr ""
-#: ../../keyboard.pm:1
+#: diskdrake/smbnfs_gtk.pm:177
+#, fuzzy, c-format
+msgid ""
+"Please enter your username, password and domain name to access this host."
+msgstr "dan."
+
+#: diskdrake/smbnfs_gtk.pm:179 standalone/drakbackup:3874
+#, fuzzy, c-format
+msgid "Username"
+msgstr "Namapengguna"
+
+#: diskdrake/smbnfs_gtk.pm:181
+#, fuzzy, c-format
+msgid "Domain"
+msgstr "Domain"
+
+#: diskdrake/smbnfs_gtk.pm:205
+#, fuzzy, c-format
+msgid "Search servers"
+msgstr "Cari"
+
+#: diskdrake/smbnfs_gtk.pm:210
+#, fuzzy, c-format
+msgid "Search new servers"
+msgstr "Cari"
+
+#: do_pkgs.pm:21
#, c-format
-msgid "Bosnian"
+msgid "The package %s needs to be installed. Do you want to install it?"
msgstr ""
-#: ../../standalone/drakbug:1
+#: do_pkgs.pm:26
#, c-format
-msgid "Release: "
+msgid "Mandatory package %s is missing"
msgstr ""
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: do_pkgs.pm:136
#, c-format
-msgid "Connection speed"
+msgid "Installing packages..."
msgstr ""
-#: ../../lang.pm:1
+#: do_pkgs.pm:210
#, fuzzy, c-format
-msgid "Namibia"
-msgstr "Namibia"
+msgid "Removing packages..."
+msgstr "Cari pakej untuk ditingkatupaya..."
-#: ../../services.pm:1
-#, c-format
-msgid "Database Server"
-msgstr ""
+#: fs.pm:399
+#, fuzzy, c-format
+msgid ""
+"Do not update inode access times on this file system\n"
+"(e.g, for faster access on the news spool to speed up news servers)."
+msgstr "on fail on."
-#: ../../standalone/harddrake2:1
+#: fs.pm:402
#, fuzzy, c-format
-msgid "special capacities of the driver (burning ability and or DVD support)"
-msgstr "dan"
+msgid ""
+"Can only be mounted explicitly (i.e.,\n"
+"the -a option will not cause the file system to be mounted)."
+msgstr "terpasang fail terpasang."
-#: ../../raid.pm:1
+#: fs.pm:405
#, fuzzy, c-format
-msgid "Can't add a partition to _formatted_ RAID md%d"
-msgstr "RAD"
+msgid "Do not interpret character or block special devices on the file system."
+msgstr "on fail."
-#: ../../standalone/drakclock:1
+#: fs.pm:407
#, fuzzy, c-format
-msgid "Network Time Protocol"
-msgstr "Rangkaian"
+msgid ""
+"Do not allow execution of any binaries on the mounted\n"
+"file system. This option might be useful for a server that has file systems\n"
+"containing binaries for architectures other than its own."
+msgstr "on terpasang fail."
-#: ../../Xconfig/card.pm:1
+#: fs.pm:411
#, fuzzy, c-format
msgid ""
-"Your card can have 3D hardware acceleration support but only with XFree %s,\n"
-"NOTE THIS IS EXPERIMENTAL SUPPORT AND MAY FREEZE YOUR COMPUTER.\n"
-"Your card is supported by XFree %s which may have a better support in 2D."
-msgstr "dalam."
+"Do not allow set-user-identifier or set-group-identifier\n"
+"bits to take effect. (This seems safe, but is in fact rather unsafe if you\n"
+"have suidperl(1) installed.)"
+msgstr "pengguna dalam"
-#: ../../standalone/draksec:1
-#, c-format
-msgid "Please wait, setting security options..."
-msgstr ""
+#: fs.pm:415
+#, fuzzy, c-format
+msgid "Mount the file system read-only."
+msgstr "fail."
-#: ../../harddrake/v4l.pm:1
+#: fs.pm:417
#, fuzzy, c-format
-msgid "Unknown|CPH05X (bt878) [many vendors]"
-msgstr "Entah"
+msgid "All I/O to the file system should be done synchronously."
+msgstr "Semua fail siap."
-#: ../../standalone/drakboot:1
+#: fs.pm:421
+#, fuzzy, c-format
+msgid ""
+"Allow an ordinary user to mount the file system. The\n"
+"name of the mounting user is written to mtab so that he can unmount the "
+"file\n"
+"system again. This option implies the options noexec, nosuid, and nodev\n"
+"(unless overridden by subsequent options, as in the option line\n"
+"user,exec,dev,suid )."
+msgstr "pengguna fail pengguna fail dan dalam."
+
+#: fs.pm:429
#, c-format
-msgid "Launch the graphical environment when your system starts"
+msgid "Give write access to ordinary users"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: fs.pm:565 fs.pm:575 fs.pm:579 fs.pm:583 fs.pm:587 fs.pm:591 swap.pm:12
#, c-format
-msgid "hourly"
+msgid "%s formatting of %s failed"
msgstr ""
-#: ../../keyboard.pm:1
+#: fs.pm:628
#, fuzzy, c-format
-msgid "Right Shift key"
-msgstr "Kanan Shif"
+msgid "I don't know how to format %s in type %s"
+msgstr "dalam"
-#: ../../standalone/drakbackup:1
+#: fs.pm:635 fs.pm:642
#, fuzzy, c-format
-msgid " Successfuly Restored on %s "
-msgstr "on "
+msgid "Formatting partition %s"
+msgstr "Memformat"
-#: ../../printer/printerdrake.pm:1
+#: fs.pm:639
+#, fuzzy, c-format
+msgid "Creating and formatting file %s"
+msgstr "Mencipta dan fail"
+
+#: fs.pm:705 fs.pm:758
#, c-format
-msgid "Making printer port available for CUPS..."
+msgid "Mounting partition %s"
msgstr ""
-#: ../../lang.pm:1
+#: fs.pm:706 fs.pm:759
#, fuzzy, c-format
-msgid "Antigua and Barbuda"
-msgstr "dan"
+msgid "mounting partition %s in directory %s failed"
+msgstr "dalam direktori"
-#: ../../standalone/drakTermServ:1
-#, fuzzy, c-format
-msgid ""
-"!!! Indicates the password in the system database is different than\n"
-" the one in the Terminal Server database.\n"
-"Delete/re-add the user to the Terminal Server to enable login."
+#: fs.pm:726 fs.pm:734
+#, c-format
+msgid "Checking %s"
msgstr ""
-"dalam\n"
-" dalam Pelayan pengguna Pelayan."
-#: ../../keyboard.pm:1
+#: fs.pm:775 partition_table.pm:636
#, fuzzy, c-format
-msgid "Spanish"
-msgstr "Spanyol"
+msgid "error unmounting %s: %s"
+msgstr "ralat"
-#: ../../services.pm:1
-#, fuzzy, c-format
-msgid "Start"
-msgstr "Mula"
+#: fs.pm:807
+#, c-format
+msgid "Enabling swap partition %s"
+msgstr ""
-#: ../../security/l10n.pm:1
+#: fsedit.pm:21
#, c-format
-msgid "Direct root login"
+msgid "simple"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: fsedit.pm:25
#, c-format
-msgid "Configuring applications..."
+msgid "with /usr"
+msgstr ""
+
+#: fsedit.pm:30
+#, c-format
+msgid "server"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: fsedit.pm:254
#, fuzzy, c-format
msgid ""
+"I can't read the partition table of device %s, it's too corrupted for me :(\n"
+"I can try to go on, erasing over bad partitions (ALL DATA will be lost!).\n"
+"The other solution is to not allow DrakX to modify the partition table.\n"
+"(the error is %s)\n"
"\n"
-"Welcome to the Printer Setup Wizard\n"
-"\n"
-"This wizard will help you to install your printer(s) connected to this "
-"computer, connected directly to the network or to a remote Windows machine.\n"
-"\n"
-"Please plug in and turn on all printers connected to this machine so that it/"
-"they can be auto-detected. Also your network printer(s) and your Windows "
-"machines must be connected and turned on.\n"
-"\n"
-"Note that auto-detecting printers on the network takes longer than the auto-"
-"detection of only the printers connected to this machine. So turn off the "
-"auto-detection of network and/or Windows-hosted printers when you don't need "
-"it.\n"
-"\n"
-" Click on \"Next\" when you are ready, and on \"Cancel\" if you do not want "
-"to set up your printer(s) now."
-msgstr ""
-"Tetingkap dalam dan on dan Tetingkap dan on on off dan Tetingkap\n"
-" on Berikutnya dan on Batal."
+"Do you agree to lose all the partitions?\n"
+msgstr "on ralat"
-#: ../../network/netconnect.pm:1
+#: fsedit.pm:514
#, c-format
-msgid "Normal modem connection"
+msgid "You can't use JFS for partitions smaller than 16MB"
msgstr ""
-#: ../../standalone/drakbackup:1 ../../standalone/drakfont:1
-#, fuzzy, c-format
-msgid "File Selection"
-msgstr "Fail"
-
-#: ../../help.pm:1 ../../printer/cups.pm:1 ../../printer/data.pm:1
+#: fsedit.pm:515
#, c-format
-msgid "CUPS"
+msgid "You can't use ReiserFS for partitions smaller than 32MB"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: fsedit.pm:534
#, c-format
-msgid "Erase tape before backup"
+msgid "Mount points must begin with a leading /"
msgstr ""
-#: ../../standalone/harddrake2:1
+#: fsedit.pm:535
#, c-format
-msgid "Run config tool"
+msgid "Mount points should contain only alphanumerical characters"
msgstr ""
-#: ../../any.pm:1
-#, fuzzy, c-format
-msgid "Bootloader installation"
-msgstr "PemuatBoot"
+#: fsedit.pm:536
+#, c-format
+msgid "There is already a partition with mount point %s\n"
+msgstr ""
-#: ../../install_interactive.pm:1
+#: fsedit.pm:538
#, fuzzy, c-format
-msgid "Root partition size in MB: "
-msgstr "dalam "
+msgid ""
+"You've selected a software RAID partition as root (/).\n"
+"No bootloader is able to handle this without a /boot partition.\n"
+"Please be sure to add a /boot partition"
+msgstr "RAD"
-#: ../../install_steps_gtk.pm:1
+#: fsedit.pm:541
#, c-format
-msgid "This is a mandatory package, it can't be unselected"
+msgid "You can't use a LVM Logical Volume for mount point %s"
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: fsedit.pm:543
#, c-format
msgid ""
-" - Create etherboot floppies/CDs:\n"
-" \tThe diskless client machines need either ROM images on the NIC, or "
-"a boot floppy\n"
-" \tor CD to initate the boot sequence. drakTermServ will help "
-"generate these\n"
-" \timages, based on the NIC in the client machine.\n"
-" \t\t\n"
-" \tA basic example of creating a boot floppy for a 3Com 3c509 "
-"manually:\n"
-" \t\t\n"
-" \tcat /usr/lib/etherboot/boot1a.bin \\\n"
-" \t\t/usr/lib/etherboot/lzrom/3c509.lzrom > /dev/fd0"
+"You may not be able to install lilo (since lilo doesn't handle a LV on "
+"multiple PVs)"
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: fsedit.pm:546 fsedit.pm:548
+#, fuzzy, c-format
+msgid "This directory should remain within the root filesystem"
+msgstr "direktori"
+
+#: fsedit.pm:550
#, c-format
-msgid "Etherboot ISO image is %s"
+msgid ""
+"You need a true filesystem (ext2/ext3, reiserfs, xfs, or jfs) for this mount "
+"point\n"
msgstr ""
-#: ../../services.pm:1
+#: fsedit.pm:552
#, fuzzy, c-format
-msgid ""
-"named (BIND) is a Domain Name Server (DNS) that is used to resolve host "
-"names to IP addresses."
-msgstr "Domain Nama Pelayan IP."
+msgid "You can't use an encrypted file system for mount point %s"
+msgstr "fail"
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Saint Lucia"
-msgstr "Saint Lucia"
+#: fsedit.pm:613
+#, c-format
+msgid "Not enough free space for auto-allocating"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: fsedit.pm:615
#, c-format
-msgid "November"
+msgid "Nothing to do"
msgstr ""
-#: ../../standalone/drakconnect:1
+#: fsedit.pm:711
#, fuzzy, c-format
-msgid "Disconnect..."
-msgstr "Putus."
+msgid "Error opening %s for writing: %s"
+msgstr "Ralat"
-#: ../../standalone/drakbug:1
+#: harddrake/data.pm:53
#, c-format
-msgid "Report"
+msgid "Floppy"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Palau"
-msgstr "Palau"
+#: harddrake/data.pm:54
+#, c-format
+msgid "Zip"
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: harddrake/data.pm:55
#, c-format
-msgid "level"
+msgid "Disk"
msgstr ""
-#: ../advertising/13-mdkexpert_corporate.pl:1
-#, fuzzy, c-format
-msgid ""
-"All incidents will be followed up by a single qualified MandrakeSoft "
-"technical expert."
-msgstr "Semua tunggal."
+#: harddrake/data.pm:56
+#, c-format
+msgid "CDROM"
+msgstr ""
-#: ../../install_steps_gtk.pm:1 ../../install_steps_interactive.pm:1
-#, fuzzy, c-format
-msgid "Package Group Selection"
-msgstr "Pemilihan Kumpulan Pakej"
+#: harddrake/data.pm:57
+#, c-format
+msgid "CD/DVD burners"
+msgstr ""
-#: ../../standalone/drakTermServ:1
-#, fuzzy, c-format
-msgid ""
-"Allow local hardware\n"
-"configuration."
-msgstr "lokal."
+#: harddrake/data.pm:58
+#, c-format
+msgid "DVD-ROM"
+msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Restore Via Network Protocol: %s"
-msgstr "Rangkaian Protokol"
+#: harddrake/data.pm:59 standalone/drakbackup:2409
+#, c-format
+msgid "Tape"
+msgstr ""
-#: ../../modules/interactive.pm:1
+#: harddrake/data.pm:60
#, c-format
-msgid "You can configure each parameter of the module here."
+msgid "Videocard"
+msgstr ""
+
+#: harddrake/data.pm:61
+#, c-format
+msgid "Tvcard"
msgstr ""
-#: ../../Xconfig/resolution_and_depth.pm:1
+#: harddrake/data.pm:62
#, fuzzy, c-format
-msgid "Choose the resolution and the color depth"
-msgstr "dan"
+msgid "Other MultiMedia devices"
+msgstr "Lain-lain"
-#: ../../standalone/mousedrake:1
+#: harddrake/data.pm:63
#, c-format
-msgid "Emulate third button?"
+msgid "Soundcard"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
-#, fuzzy, c-format
-msgid ""
-"You can't create a new partition\n"
-"(since you reached the maximal number of primary partitions).\n"
-"First remove a primary partition and create an extended partition."
-msgstr "dan."
+#: harddrake/data.pm:64
+#, c-format
+msgid "Webcam"
+msgstr ""
-#: ../../diskdrake/dav.pm:1 ../../diskdrake/interactive.pm:1
-#: ../../diskdrake/smbnfs_gtk.pm:1
+#: harddrake/data.pm:68
#, c-format
-msgid "Mount"
+msgid "Processors"
+msgstr ""
+
+#: harddrake/data.pm:69
+#, c-format
+msgid "ISDN adapters"
+msgstr ""
+
+#: harddrake/data.pm:71
+#, c-format
+msgid "Ethernetcard"
+msgstr ""
+
+#: harddrake/data.pm:79 network/netconnect.pm:366 standalone/drakconnect:277
+#: standalone/drakconnect:447 standalone/drakconnect:448
+#: standalone/drakconnect:540
+#, c-format
+msgid "Modem"
msgstr ""
-#: ../../standalone/drakautoinst:1
+#: harddrake/data.pm:80
+#, c-format
+msgid "ADSL adapters"
+msgstr ""
+
+#: harddrake/data.pm:82
#, fuzzy, c-format
-msgid "Creating auto install floppy"
-msgstr "Mencipta"
+msgid "Bridges and system controllers"
+msgstr "dan"
-#: ../../steps.pm:1
+#: harddrake/data.pm:83 help.pm:203 help.pm:991
+#: install_steps_interactive.pm:935 printer/printerdrake.pm:680
+#: printer/printerdrake.pm:3970
+#, c-format
+msgid "Printer"
+msgstr ""
+
+#: harddrake/data.pm:85 help.pm:991 install_steps_interactive.pm:928
#, fuzzy, c-format
-msgid "Install updates"
-msgstr "Install"
+msgid "Mouse"
+msgstr "Tetikus"
-#: ../../standalone/draksplash:1
+#: harddrake/data.pm:90
#, c-format
-msgid "text box height"
+msgid "Joystick"
msgstr ""
-#: ../../standalone/drakconnect:1
+#: harddrake/data.pm:92
#, c-format
-msgid "State"
+msgid "(E)IDE/ATA controllers"
msgstr ""
-#: ../../standalone/drakfloppy:1
+#: harddrake/data.pm:93
#, c-format
-msgid "Be sure a media is present for the device %s"
+msgid "Firewire controllers"
msgstr ""
-#: ../../any.pm:1
+#: harddrake/data.pm:94
#, c-format
-msgid "Enable multiple profiles"
+msgid "SCSI controllers"
msgstr ""
-#: ../../fs.pm:1
+#: harddrake/data.pm:95
#, fuzzy, c-format
-msgid "Do not interpret character or block special devices on the file system."
-msgstr "on fail."
+msgid "USB controllers"
+msgstr "USB"
-#: ../../standalone/drakbackup:1
+#: harddrake/data.pm:96
+#, c-format
+msgid "SMBus controllers"
+msgstr ""
+
+#: harddrake/data.pm:97
+#, c-format
+msgid "Scanner"
+msgstr ""
+
+#: harddrake/data.pm:99 standalone/harddrake2:315
#, fuzzy, c-format
-msgid ""
-"These options can backup and restore all files in your /etc directory.\n"
-msgstr "dan fail dalam direktori"
+msgid "Unknown/Others"
+msgstr "Entah"
-#: ../../printer/main.pm:1
+#: harddrake/data.pm:113
#, c-format
-msgid "Local printer"
+msgid "cpu # "
msgstr ""
-#: ../../standalone/drakbackup:1
+#: harddrake/sound.pm:150 standalone/drakconnect:166
#, c-format
-msgid "Files Restored..."
+msgid "Please Wait... Applying the configuration"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: harddrake/sound.pm:182
#, fuzzy, c-format
-msgid "Package selection"
-msgstr "Pakej"
+msgid "No alternative driver"
+msgstr "Tidak"
-#: ../../lang.pm:1
+#: harddrake/sound.pm:183
#, fuzzy, c-format
-msgid "Mauritania"
-msgstr "Mauritania"
+msgid ""
+"There's no known OSS/ALSA alternative driver for your sound card (%s) which "
+"currently uses \"%s\""
+msgstr "tidak"
+
+#: harddrake/sound.pm:189
+#, fuzzy, c-format
+msgid "Sound configuration"
+msgstr "Bunyi"
-#: ../../standalone/drakgw:1
+#: harddrake/sound.pm:191
+#, c-format
+msgid ""
+"Here you can select an alternative driver (either OSS or ALSA) for your "
+"sound card (%s)."
+msgstr ""
+
+#: harddrake/sound.pm:193
#, fuzzy, c-format
msgid ""
-"I can keep your current configuration and assume you already set up a DHCP "
-"server; in that case please verify I correctly read the Network that you use "
-"for your local network; I will not reconfigure it and I will not touch your "
-"DHCP server configuration.\n"
"\n"
-"The default DNS entry is the Caching Nameserver configured on the firewall. "
-"You can replace that with your ISP DNS IP, for example.\n"
-"\t\t \n"
-"Otherwise, I can reconfigure your interface and (re)configure a DHCP server "
-"for you.\n"
"\n"
-msgstr ""
-"dan DHCP dalam Rangkaian lokal dan DHCP default Pelayan Nama on IP dan DHCP"
+"Your card currently use the %s\"%s\" driver (default driver for your card is "
+"\"%s\")"
+msgstr "default"
-#: ../../printer/printerdrake.pm:1
+#: harddrake/sound.pm:195
#, fuzzy, c-format
msgid ""
-"No local printer found! To manually install a printer enter a device name/"
-"file name in the input line (Parallel Ports: /dev/lp0, /dev/lp1, ..., "
-"equivalent to LPT1:, LPT2:, ..., 1st USB printer: /dev/usb/lp0, 2nd USB "
-"printer: /dev/usb/lp1, ...)."
-msgstr "Tidak lokal Kepada secara manual fail dalam USB USB."
+"OSS (Open Sound System) was the first sound API. It's an OS independent "
+"sound API (it's available on most UNIX(tm) systems) but it's a very basic "
+"and limited API.\n"
+"What's more, OSS drivers all reinvent the wheel.\n"
+"\n"
+"ALSA (Advanced Linux Sound Architecture) is a modularized architecture "
+"which\n"
+"supports quite a large range of ISA, USB and PCI cards.\n"
+"\n"
+"It also provides a much higher API than OSS.\n"
+"\n"
+"To use alsa, one can either use:\n"
+"- the old compatibility OSS api\n"
+"- the new ALSA api that provides many enhanced features but requires using "
+"the ALSA library.\n"
+msgstr "Buka Bunyi Sistem on asas dan Lanjutan Bunyi USB dan"
-#: ../../diskdrake/interactive.pm:1
+#: harddrake/sound.pm:209 harddrake/sound.pm:289
#, fuzzy, c-format
-msgid "All primary partitions are used"
-msgstr "Semua"
+msgid "Driver:"
+msgstr "Jurupacu:"
+
+#: harddrake/sound.pm:214
+#, c-format
+msgid "Trouble shooting"
+msgstr ""
-#: ../../printer/main.pm:1
+#: harddrake/sound.pm:222
#, fuzzy, c-format
-msgid "LPD server \"%s\", printer \"%s\""
-msgstr "on"
+msgid ""
+"The old \"%s\" driver is blacklisted.\n"
+"\n"
+"It has been reported to oops the kernel on unloading.\n"
+"\n"
+"The new \"%s\" driver'll only be used on next bootstrap."
+msgstr "on on."
-#: ../../network/netconnect.pm:1
+#: harddrake/sound.pm:230
+#, fuzzy, c-format
+msgid "No open source driver"
+msgstr "Tidak"
+
+#: harddrake/sound.pm:231
#, fuzzy, c-format
msgid ""
-"After this is done, we recommend that you restart your X environment to "
-"avoid any hostname-related problems."
-msgstr "siap ulanghidup."
+"There's no free driver for your sound card (%s), but there's a proprietary "
+"driver at \"%s\"."
+msgstr "tidak."
-#: ../../services.pm:1
+#: harddrake/sound.pm:234
#, fuzzy, c-format
-msgid "Automatic detection and configuration of hardware at boot."
-msgstr "dan."
+msgid "No known driver"
+msgstr "Tidak"
-#: ../../standalone/drakpxe:1
+#: harddrake/sound.pm:235
#, fuzzy, c-format
-msgid "Installation Server Configuration"
-msgstr "Pelayan"
+msgid "There's no known driver for your sound card (%s)"
+msgstr "tidak"
-#: ../../install_steps_interactive.pm:1
-#, c-format
-msgid "Configuring IDE"
-msgstr ""
+#: harddrake/sound.pm:239
+#, fuzzy, c-format
+msgid "Unknown driver"
+msgstr "Entah"
-#: ../../printer/printerdrake.pm:1
+#: harddrake/sound.pm:240
#, fuzzy, c-format
-msgid "Network functionality not configured"
-msgstr "Rangkaian"
+msgid "Error: The \"%s\" driver for your sound card is unlisted"
+msgstr "Ralat"
-#: ../../standalone/harddrake2:1
-#, c-format
-msgid "Configure module"
-msgstr ""
+#: harddrake/sound.pm:253
+#, fuzzy, c-format
+msgid "Sound trouble shooting"
+msgstr "Bunyi"
+
+#: harddrake/sound.pm:254
+#, fuzzy, c-format
+msgid ""
+"The classic bug sound tester is to run the following commands:\n"
+"\n"
+"\n"
+"- \"lspcidrake -v | fgrep AUDIO\" will tell you which driver your card uses\n"
+"by default\n"
+"\n"
+"- \"grep sound-slot /etc/modules.conf\" will tell you what driver it\n"
+"currently uses\n"
+"\n"
+"- \"/sbin/lsmod\" will enable you to check if its module (driver) is\n"
+"loaded or not\n"
+"\n"
+"- \"/sbin/chkconfig --list sound\" and \"/sbin/chkconfig --list alsa\" will\n"
+"tell you if sound and alsa services're configured to be run on\n"
+"initlevel 3\n"
+"\n"
+"- \"aumix -q\" will tell you if the sound volume is muted or not\n"
+"\n"
+"- \"/sbin/fuser -v /dev/dsp\" will tell which program uses the sound card.\n"
+msgstr "default dan dan on"
-#: ../../lang.pm:1
+#: harddrake/sound.pm:280
#, c-format
-msgid "Cocos (Keeling) Islands"
-msgstr "Kepulauan Cocos (Keeling)"
+msgid "Let me pick any driver"
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: harddrake/sound.pm:283
#, c-format
-msgid "You'll need to reboot before the modification can take place"
+msgid "Choosing an arbitrary driver"
msgstr ""
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: harddrake/sound.pm:284
+#, fuzzy, c-format
+msgid ""
+"If you really think that you know which driver is the right one for your "
+"card\n"
+"you can pick one in the above list.\n"
+"\n"
+"The current driver for your \"%s\" sound card is \"%s\" "
+msgstr "dalam "
+
+#: harddrake/v4l.pm:14 harddrake/v4l.pm:66
#, c-format
-msgid "Provider phone number"
+msgid "Auto-detect"
msgstr ""
-#: ../../printer/main.pm:1
+#: harddrake/v4l.pm:67 harddrake/v4l.pm:219
#, fuzzy, c-format
-msgid "Host %s"
-msgstr "Hos"
+msgid "Unknown|Generic"
+msgstr "Entah"
-#: ../../lang.pm:1
+#: harddrake/v4l.pm:100
#, fuzzy, c-format
-msgid "Fiji"
-msgstr "Fiji"
+msgid "Unknown|CPH05X (bt878) [many vendors]"
+msgstr "Entah"
-#: ../../lang.pm:1
+#: harddrake/v4l.pm:101
#, fuzzy, c-format
-msgid "Armenia"
-msgstr "Armenia"
+msgid "Unknown|CPH06X (bt878) [many vendors]"
+msgstr "Entah"
-#: ../../any.pm:1
+#: harddrake/v4l.pm:245
+#, fuzzy, c-format
+msgid ""
+"For most modern TV cards, the bttv module of the GNU/Linux kernel just auto-"
+"detect the rights parameters.\n"
+"If your card is misdetected, you can force the right tuner and card types "
+"here. Just select your tv card parameters if needed."
+msgstr "dan."
+
+#: harddrake/v4l.pm:248
#, c-format
-msgid "Second floppy drive"
+msgid "Card model:"
msgstr ""
-#: ../../standalone/harddrake2:1
-#, fuzzy, c-format
-msgid "About Harddrake"
-msgstr "Perihal"
-
-#: ../../security/l10n.pm:1
+#: harddrake/v4l.pm:249
#, c-format
-msgid "Authorize TCP connections to X Window"
+msgid "Tuner type:"
msgstr ""
-#: ../../standalone/harddrake2:1
-#, fuzzy, c-format
-msgid "Drive capacity"
-msgstr "Pemacu"
+#: harddrake/v4l.pm:250
+#, c-format
+msgid "Number of capture buffers:"
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
-#, fuzzy, c-format
-msgid ""
-"Insert a floppy in drive\n"
-"All data on this floppy will be lost"
-msgstr "dalam on"
+#: harddrake/v4l.pm:250
+#, c-format
+msgid "number of capture buffers for mmap'ed capture"
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
-#, fuzzy, c-format
-msgid "Size: %s"
-msgstr "Saiz"
+#: harddrake/v4l.pm:252
+#, c-format
+msgid "PLL setting:"
+msgstr ""
-#: ../../keyboard.pm:1
-#, fuzzy, c-format
-msgid "Control and Shift keys simultaneously"
-msgstr "dan Shif"
+#: harddrake/v4l.pm:253
+#, c-format
+msgid "Radio support:"
+msgstr ""
-#: ../../standalone/harddrake2:1
+#: harddrake/v4l.pm:253
#, c-format
-msgid "secondary"
+msgid "enable radio support"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: help.pm:11
#, fuzzy, c-format
-msgid "View Backup Configuration."
-msgstr "Konfigurasikan."
+msgid ""
+"Before continuing, you should carefully read the terms of the license. It\n"
+"covers the entire Mandrake Linux distribution. If you do agree with all the\n"
+"terms in it, check the \"%s\" box. If not, clicking on the \"%s\" button\n"
+"will reboot your computer."
+msgstr "dalam off."
-#: ../../security/help.pm:1
+#: help.pm:14 install_steps_gtk.pm:596 install_steps_interactive.pm:88
+#: install_steps_interactive.pm:697 standalone/drakautoinst:199
#, fuzzy, c-format
-msgid "if set to yes, report check result to syslog."
-msgstr "ya."
+msgid "Accept"
+msgstr "Terima"
-#. -PO: keep this short or else the buttons will not fit in the window
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
+#: help.pm:17
#, fuzzy, c-format
-msgid "No password"
-msgstr "Tidak"
+msgid ""
+"GNU/Linux is a multi-user system, meaning each user may have their own\n"
+"preferences, their own files and so on. You can read the ``Starter Guide''\n"
+"to learn more about multi-user systems. But unlike \"root\", who is the\n"
+"system administrator, the users you add at this point will not be\n"
+"authorized to change anything except their own files and their own\n"
+"configurations, protecting the system from unintentional or malicious\n"
+"changes that impact on the system as a whole. You will have to create at\n"
+"least one regular user for yourself -- this is the account which you should\n"
+"use for routine, day-to-day use. Although it is very easy to log in as\n"
+"\"root\" to do anything and everything, it may also be very dangerous! A\n"
+"very simple mistake could mean that your system will not work any more. If\n"
+"you make a serious mistake as a regular user, the worst that will happen is\n"
+"that you will lose some information, but not affect the entire system.\n"
+"\n"
+"The first field asks you for a real name. Of course, this is not mandatory\n"
+"-- you can actually enter whatever you like. DrakX will use the first word\n"
+"you typed in this field and copy it to the \"%s\" field, which is the name\n"
+"this user will enter to log onto the system. If you like, you may override\n"
+"the default and change the user name. The next step is to enter a password.\n"
+"From a security point of view, a non-privileged (regular) user password is\n"
+"not as crucial as the \"root\" password, but that is no reason to neglect\n"
+"it by making it blank or too simple: after all, your files could be the\n"
+"ones at risk.\n"
+"\n"
+"Once you click on \"%s\", you can add other users. Add a user for each one\n"
+"of your friends: your father or your sister, for example. Click \"%s\" when\n"
+"you have finished adding users.\n"
+"\n"
+"Clicking the \"%s\" button allows you to change the default \"shell\" for\n"
+"that user (bash by default).\n"
+"\n"
+"When you have finished adding users, you will be asked to choose a user who\n"
+"can automatically log into the system when the computer boots up. If you\n"
+"are interested in that feature (and do not care much about local security),\n"
+"choose the desired user and window manager, then click \"%s\". If you are\n"
+"not interested in this feature, uncheck the \"%s\" box."
+msgstr ""
+"pengguna pengguna fail dan on pengguna fail dan on pengguna dalam dan A "
+"pengguna dalam dan pengguna default dan pengguna tidak fail on Tambah "
+"pengguna default pengguna default pengguna dalam dan lokal pengguna dan "
+"dalam."
-#: ../../lang.pm:1
+#: help.pm:52 help.pm:197 help.pm:444 help.pm:691 help.pm:784 help.pm:1005
+#: install_steps_gtk.pm:275 interactive.pm:403 interactive/newt.pm:308
+#: network/netconnect.pm:242 network/tools.pm:208 printer/printerdrake.pm:2922
+#: standalone/drakTermServ:392 standalone/drakbackup:4487
+#: standalone/drakbackup:4513 standalone/drakbackup:4543
+#: standalone/drakbackup:4567 ugtk2.pm:509
#, fuzzy, c-format
-msgid "Nigeria"
-msgstr "Nigeria"
-
-#: ../../standalone/drakTermServ:1
-#, c-format
-msgid "%s: %s requires hostname...\n"
-msgstr ""
+msgid "Next"
+msgstr "Berikutnya"
-#: ../../install_interactive.pm:1
+#: help.pm:52 help.pm:418 help.pm:444 help.pm:660 help.pm:733 help.pm:768
+#: interactive.pm:371
#, fuzzy, c-format
-msgid "There is no existing partition to use"
-msgstr "tidak"
+msgid "Advanced"
+msgstr "Lanjutan"
-#: ../../standalone/scannerdrake:1
+#: help.pm:55
#, fuzzy, c-format
msgid ""
-"The following scanners\n"
+"Listed here are the existing Linux partitions detected on your hard drive.\n"
+"You can keep the choices made by the wizard, since they are good for most\n"
+"common installations. If you make any changes, you must at least define a\n"
+"root partition (\"/\"). Do not choose too small a partition or you will not\n"
+"be able to install enough software. If you want to store your data on a\n"
+"separate partition, you will also need to create a \"/home\" partition\n"
+"(only possible if you have more than one Linux partition available).\n"
"\n"
-"%s\n"
-"are available on your system.\n"
-msgstr "on"
+"Each partition is listed as follows: \"Name\", \"Capacity\".\n"
+"\n"
+"\"Name\" is structured: \"hard drive type\", \"hard drive number\",\n"
+"\"partition number\" (for example, \"hda1\").\n"
+"\n"
+"\"Hard drive type\" is \"hd\" if your hard drive is an IDE hard drive and\n"
+"\"sd\" if it is a SCSI hard drive.\n"
+"\n"
+"\"Hard drive number\" is always a letter after \"hd\" or \"sd\". For IDE\n"
+"hard drives:\n"
+"\n"
+" * \"a\" means \"master hard drive on the primary IDE controller\";\n"
+"\n"
+" * \"b\" means \"slave hard drive on the primary IDE controller\";\n"
+"\n"
+" * \"c\" means \"master hard drive on the secondary IDE controller\";\n"
+"\n"
+" * \"d\" means \"slave hard drive on the secondary IDE controller\".\n"
+"\n"
+"With SCSI hard drives, an \"a\" means \"lowest SCSI ID\", a \"b\" means\n"
+"\"second lowest SCSI ID\", etc."
+msgstr ""
+"on on Nama Nama dan\n"
+" on\n"
+" on\n"
+" on\n"
+" on."
-#: ../../printer/main.pm:1
+#: help.pm:86
#, fuzzy, c-format
-msgid "Multi-function device on parallel port #%s"
-msgstr "on"
+msgid ""
+"The Mandrake Linux installation is distributed on several CD-ROMs. If a\n"
+"selected package is located on another CD-ROM, DrakX will eject the current\n"
+"CD and ask you to insert the correct CD as required."
+msgstr "on on dan."
-#: ../../printer/printerdrake.pm:1
+#: help.pm:91
#, fuzzy, c-format
msgid ""
-"To print to a TCP or socket printer, you need to provide the host name or IP "
-"of the printer and optionally the port number (default is 9100). On HP "
-"JetDirect servers the port number is usually 9100, on other servers it can "
-"vary. See the manual of your hardware."
-msgstr "Kepada soket IP dan default on."
+"It is now time to specify which programs you wish to install on your\n"
+"system. There are thousands of packages available for Mandrake Linux, and\n"
+"to make it simpler to manage the packages have been placed into groups of\n"
+"similar applications.\n"
+"\n"
+"Packages are sorted into groups corresponding to a particular use of your\n"
+"machine. Mandrake Linux sorts packages groups in four categories. You can\n"
+"mix and match applications from the various categories, so a\n"
+"``Workstation'' installation can still have applications from the\n"
+"``Development'' category installed.\n"
+"\n"
+" * \"%s\": if you plan to use your machine as a workstation, select one or\n"
+"more of the groups that are in the workstation category.\n"
+"\n"
+" * \"%s\": if you plan on using your machine for programming, select the\n"
+"appropriate groups from that category.\n"
+"\n"
+" * \"%s\": if your machine is intended to be a server, select which of the\n"
+"more common services you wish to install on your machine.\n"
+"\n"
+" * \"%s\": this is where you will choose your preferred graphical\n"
+"environment. At least one must be selected if you want to have a graphical\n"
+"interface available.\n"
+"\n"
+"Moving the mouse cursor over a group name will display a short explanatory\n"
+"text about that group. If you unselect all groups when performing a regular\n"
+"installation (as opposed to an upgrade), a dialog will pop up proposing\n"
+"different options for a minimal installation:\n"
+"\n"
+" * \"%s\": install the minimum number of packages possible to have a\n"
+"working graphical desktop.\n"
+"\n"
+" * \"%s\": installs the base system plus basic utilities and their\n"
+"documentation. This installation is suitable for setting up a server.\n"
+"\n"
+" * \"%s\": will install the absolute minimum number of packages necessary\n"
+"to get a working Linux system. With this installation you will only have a\n"
+"command line interface. The total size of this installation is about 65\n"
+"megabytes.\n"
+"\n"
+"You can check the \"%s\" box, which is useful if you are familiar with the\n"
+"packages being offered or if you want to have total control over what will\n"
+"be installed.\n"
+"\n"
+"If you started the installation in \"%s\" mode, you can unselect all groups\n"
+"to avoid installing any new package. This is useful for repairing or\n"
+"updating an existing system."
+msgstr ""
+"on dan dan Pembangunan\n"
+" dalam\n"
+" on\n"
+" on\n"
+"\n"
+"\n"
+" asas dan\n"
+" jumlah jumlah dalam."
-#: ../../diskdrake/interactive.pm:1
+#: help.pm:137
#, c-format
-msgid "Hard drive information"
+msgid "Workstation"
msgstr ""
-#: ../../keyboard.pm:1
+#: help.pm:137
#, fuzzy, c-format
-msgid "Russian"
-msgstr "Russia"
+msgid "Development"
+msgstr "Pembangunan"
-#: ../../lang.pm:1
+#: help.pm:137
#, fuzzy, c-format
-msgid "Jordan"
-msgstr "Jordan"
+msgid "Graphical Environment"
+msgstr "Grafikal"
-#: ../../diskdrake/interactive.pm:1
+#: help.pm:137 install_steps_interactive.pm:559
#, c-format
-msgid "Hide files"
+msgid "With X"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: help.pm:137
+#, fuzzy, c-format
+msgid "With basic documentation"
+msgstr "asas"
+
+#: help.pm:137
#, c-format
-msgid "Auto-detect printers connected to this machine"
+msgid "Truly minimal install"
msgstr ""
-#: ../../any.pm:1
-#, fuzzy, c-format
-msgid "Sorry, no floppy drive available"
-msgstr "tidak"
+#: help.pm:137 install_steps_gtk.pm:270 install_steps_interactive.pm:605
+#, c-format
+msgid "Individual package selection"
+msgstr ""
-#: ../../lang.pm:1
+#: help.pm:137 help.pm:602
#, fuzzy, c-format
-msgid "Bolivia"
-msgstr "Bolivia"
+msgid "Upgrade"
+msgstr "Tingkatupaya"
-#: ../../printer/printerdrake.pm:1
+#: help.pm:140
#, fuzzy, c-format
msgid ""
-"Set up your Windows server to make the printer available under the IPP "
-"protocol and set up printing from this machine with the \"%s\" connection "
-"type in Printerdrake.\n"
+"If you told the installer that you wanted to individually select packages,\n"
+"it will present a tree containing all packages classified by groups and\n"
+"subgroups. While browsing the tree, you can select entire groups,\n"
+"subgroups, or individual packages.\n"
"\n"
-msgstr "Tetingkap dan dalam"
-
-#: ../../install_steps_gtk.pm:1
-#, c-format
-msgid "Bad package"
-msgstr ""
+"Whenever you select a package on the tree, a description appears on the\n"
+"right to let you know the purpose of the package.\n"
+"\n"
+"!! If a server package has been selected, either because you specifically\n"
+"chose the individual package or because it was part of a group of packages,\n"
+"you will be asked to confirm that you really want those servers to be\n"
+"installed. By default Mandrake Linux will automatically start any installed\n"
+"services at boot time. Even if they are safe and have no known issues at\n"
+"the time the distribution was shipped, it is entirely possible that that\n"
+"security holes were discovered after this version of Mandrake Linux was\n"
+"finalized. If you do not know what a particular service is supposed to do\n"
+"or why it is being installed, then click \"%s\". Clicking \"%s\" will\n"
+"install the listed services and they will be started automatically by\n"
+"default during boot. !!\n"
+"\n"
+"The \"%s\" option is used to disable the warning dialog which appears\n"
+"whenever the installer automatically selects a package to resolve a\n"
+"dependency issue. Some packages have relationships between each them such\n"
+"that installation of one package requires that some other program is also\n"
+"required to be installed. The installer can determine which packages are\n"
+"required to satisfy a dependency to successfully complete the installation.\n"
+"\n"
+"The tiny floppy disk icon at the bottom of the list allows you to load a\n"
+"package list created during a previous installation. This is useful if you\n"
+"have a number of machines that you wish to configure identically. Clicking\n"
+"on this icon will ask you to insert a floppy disk previously created at the\n"
+"end of another installation. See the second tip of last step on how to\n"
+"create such a floppy."
+msgstr "dan on on default mula dan tidak dan amaran on."
-#: ../advertising/07-server.pl:1
+#: help.pm:172 help.pm:301 help.pm:329 help.pm:457 install_any.pm:422
+#: interactive.pm:149 modules/interactive.pm:71 standalone/harddrake2:218
+#: ugtk2.pm:1046 wizards.pm:156
#, fuzzy, c-format
-msgid ""
-"Transform your computer into a powerful Linux server: Web server, mail, "
-"firewall, router, file and print server (etc.) are just a few clicks away!"
-msgstr "fail dan!"
+msgid "No"
+msgstr "Tidak"
-#: ../../security/level.pm:1
+#: help.pm:172 help.pm:301 help.pm:457 install_any.pm:422 interactive.pm:149
+#: modules/interactive.pm:71 standalone/drakgw:280 standalone/drakgw:281
+#: standalone/drakgw:289 standalone/drakgw:299 standalone/harddrake2:217
+#: ugtk2.pm:1046 wizards.pm:156
#, fuzzy, c-format
-msgid "DrakSec Basic Options"
-msgstr "Asas"
+msgid "Yes"
+msgstr "Ya"
-#: ../../standalone/draksound:1
+#: help.pm:172
+#, c-format
+msgid "Automatic dependencies"
+msgstr ""
+
+#: help.pm:175
#, fuzzy, c-format
msgid ""
+"You will now set up your Internet/network connection. If you wish to\n"
+"connect your computer to the Internet or to a local network, click \"%s\".\n"
+"Mandrake Linux will attempt to auto-detect network devices and modems. If\n"
+"this detection fails, uncheck the \"%s\" box. You may also choose not to\n"
+"configure the network, or to do it later, in which case clicking the \"%s\"\n"
+"button will take you to the next step.\n"
"\n"
+"When configuring your network, the available connections options are:\n"
+"Normal modem connection, Winmodem connection, ISDN modem, ADSL connection,\n"
+"cable modem, and finally a simple LAN connection (Ethernet).\n"
"\n"
+"We will not detail each configuration option - just make sure that you have\n"
+"all the parameters, such as IP address, default gateway, DNS servers, etc.\n"
+"from your Internet Service Provider or system administrator.\n"
"\n"
-"Note: if you've an ISA PnP sound card, you'll have to use the sndconfig "
-"program. Just type \"sndconfig\" in a console."
-msgstr "dalam."
-
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Romania"
-msgstr "Romania"
+"About Winmodem Connection. Winmodems are special integrated low-end modems\n"
+"that require additional software to work compared to Normal modems. Some of\n"
+"those modems actually work under Mandrake Linux, some others do not. You\n"
+"can consult the list of supported modems at LinModems.\n"
+"\n"
+"You can consult the ``Starter Guide'' chapter about Internet connections\n"
+"for details about the configuration, or simply wait until your system is\n"
+"installed and use the program described there to configure your connection."
+msgstr ""
+"Internet Internet lokal dan dalam dan IP default Internet Internet dan."
-#: ../../standalone/drakperm:1
+#: help.pm:197
#, c-format
-msgid "Group"
+msgid "Use auto detection"
msgstr ""
-#: ../../lang.pm:1
+#: help.pm:200
#, fuzzy, c-format
-msgid "Canada"
-msgstr "Kanada"
+msgid ""
+"\"%s\": clicking on the \"%s\" button will open the printer configuration\n"
+"wizard. Consult the corresponding chapter of the ``Starter Guide'' for more\n"
+"information on how to setup a new printer. The interface presented there is\n"
+"similar to the one used during installation."
+msgstr "on on."
-#: ../../standalone/scannerdrake:1
+#: help.pm:203 help.pm:581 help.pm:991 install_steps_gtk.pm:646
+#: standalone/drakbackup:2688 standalone/drakbackup:2696
+#: standalone/drakbackup:2704 standalone/drakbackup:2712
#, c-format
-msgid "choose device"
+msgid "Configure"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: help.pm:206
#, fuzzy, c-format
-msgid "Remove from LVM"
-msgstr "Buang"
+msgid ""
+"This dialog is used to choose which services you wish to start at boot\n"
+"time.\n"
+"\n"
+"DrakX will list all the services available on the current installation.\n"
+"Review each one carefully and uncheck those which are not needed at boot\n"
+"time.\n"
+"\n"
+"A short explanatory text will be displayed about a service when it is\n"
+"selected. However, if you are not sure whether a service is useful or not,\n"
+"it is safer to leave the default behavior.\n"
+"\n"
+"!! At this stage, be very careful if you intend to use your machine as a\n"
+"server: you will probably not want to start any services that you do not\n"
+"need. Please remember that several services can be dangerous if they are\n"
+"enabled on a server. In general, select only the services you really need.\n"
+"!!"
+msgstr "mula on dan default mula on Masuk!"
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
-#, c-format
-msgid "Timezone"
+#: help.pm:224
+#, fuzzy, c-format
+msgid ""
+"GNU/Linux manages time in GMT (Greenwich Mean Time) and translates it to\n"
+"local time according to the time zone you selected. If the clock on your\n"
+"motherboard is set to local time, you may deactivate this by unselecting\n"
+"\"%s\", which will let GNU/Linux know that the system clock and the\n"
+"hardware clock are in the same time zone. This is useful when the machine\n"
+"also hosts another operating system like Windows.\n"
+"\n"
+"The \"%s\" option will automatically regulate the clock by connecting to a\n"
+"remote time server on the Internet. For this feature to work, you must have\n"
+"a working Internet connection. It is best to choose a time server located\n"
+"near you. This option actually installs a time server that can be used by\n"
+"other machines on your local network as well."
msgstr ""
+"dalam Masa dan on lokal dan dalam hos Tetingkap on Internet Internet on "
+"lokal."
-#: ../../keyboard.pm:1
+#: help.pm:235 install_steps_interactive.pm:834
#, fuzzy, c-format
-msgid "German"
-msgstr "Jerman"
+msgid "Hardware clock set to GMT"
+msgstr "Perkakasan"
-#: ../../help.pm:1 ../../install_steps_gtk.pm:1 ../../interactive.pm:1
-#: ../../ugtk2.pm:1 ../../interactive/newt.pm:1
-#: ../../printer/printerdrake.pm:1 ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Next ->"
-msgstr "Berikutnya"
+#: help.pm:235
+#, c-format
+msgid "Automatic time synchronization"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: help.pm:238
#, fuzzy, c-format
msgid ""
-"Turning on this allows to print plain text files in japanese language. Only "
-"use this function if you really want to print text in japanese, if it is "
-"activated you cannot print accentuated characters in latin fonts any more "
-"and you will not be able to adjust the margins, the character size, etc. "
-"This setting only affects printers defined on this machine. If you want to "
-"print japanese text on a printer set up on a remote machine, you have to "
-"activate this function on that remote machine."
-msgstr "on biasa fail dalam dalam dalam dan on on on on."
+"Graphic Card\n"
+"\n"
+" The installer will normally automatically detect and configure the\n"
+"graphic card installed on your machine. If it is not the case, you can\n"
+"choose from this list the card you actually have installed.\n"
+"\n"
+" In the situation where different servers are available for your card,\n"
+"with or without 3D acceleration, you are asked to choose the server that\n"
+"best suits your needs."
+msgstr ""
+"\n"
+" dan on\n"
+" Masuk."
-#: ../../diskdrake/interactive.pm:1
+#: help.pm:249
#, fuzzy, c-format
msgid ""
+"X (for X Window System) is the heart of the GNU/Linux graphical interface\n"
+"on which all the graphical environments (KDE, GNOME, AfterStep,\n"
+"WindowMaker, etc.) bundled with Mandrake Linux rely upon.\n"
"\n"
-"Chances are, this partition is\n"
-"a Driver partition. You should\n"
-"probably leave it alone.\n"
-msgstr "Jurupacu"
+"You will be presented with a list of different parameters to change to get\n"
+"an optimal graphical display: Graphic Card\n"
+"\n"
+" The installer will normally automatically detect and configure the\n"
+"graphic card installed on your machine. If it is not the case, you can\n"
+"choose from this list the card you actually have installed.\n"
+"\n"
+" In the situation where different servers are available for your card,\n"
+"with or without 3D acceleration, you are asked to choose the server that\n"
+"best suits your needs.\n"
+"\n"
+"\n"
+"\n"
+"Monitor\n"
+"\n"
+" The installer will normally automatically detect and configure the\n"
+"monitor connected to your machine. If it is incorrect, you can choose from\n"
+"this list the monitor you actually have connected to your computer.\n"
+"\n"
+"\n"
+"\n"
+"Resolution\n"
+"\n"
+" Here you can choose the resolutions and color depths available for your\n"
+"hardware. Choose the one that best suits your needs (you will be able to\n"
+"change that after installation though). A sample of the chosen\n"
+"configuration is shown in the monitor picture.\n"
+"\n"
+"\n"
+"\n"
+"Test\n"
+"\n"
+" Depending on your hardware, this entry might not appear.\n"
+"\n"
+" the system will try to open a graphical screen at the desired\n"
+"resolution. If you can see the message during the test and answer \"%s\",\n"
+"then DrakX will proceed to the next step. If you cannot see the message, it\n"
+"means that some part of the auto-detected configuration was incorrect and\n"
+"the test will automatically end after 12 seconds, bringing you back to the\n"
+"menu. Change settings until you get a correct graphical display.\n"
+"\n"
+"\n"
+"\n"
+"Options\n"
+"\n"
+" Here you can choose whether you want to have your machine automatically\n"
+"switch to a graphical interface at boot. Obviously, you want to check\n"
+"\"%s\" if your machine is to act as a server, or if you were not successful\n"
+"in getting the display configured."
+msgstr ""
+"Sistem KDE GNOME AfterStep\n"
+" dan on\n"
+" Masuk\n"
+" dan\n"
+" dan A dalam\n"
+" dan dan saat Ubah\n"
+"."
-#: ../../lang.pm:1
+#: help.pm:304
#, fuzzy, c-format
-msgid "Guinea-Bissau"
-msgstr "Guinea-Bissau"
-
-#: ../../Xconfig/monitor.pm:1
-#, c-format
-msgid "Horizontal refresh rate"
+msgid ""
+"Monitor\n"
+"\n"
+" The installer will normally automatically detect and configure the\n"
+"monitor connected to your machine. If it is incorrect, you can choose from\n"
+"this list the monitor you actually have connected to your computer."
msgstr ""
+"Monitor\n"
+" dan."
-#: ../../standalone/drakperm:1 ../../standalone/printerdrake:1
+#: help.pm:311
#, fuzzy, c-format
-msgid "Edit"
-msgstr "Edit"
-
-#: ../../diskdrake/interactive.pm:1
-#, c-format
msgid ""
-"Can't unset mount point as this partition is used for loop back.\n"
-"Remove the loopback first"
+"Resolution\n"
+"\n"
+" Here you can choose the resolutions and color depths available for your\n"
+"hardware. Choose the one that best suits your needs (you will be able to\n"
+"change that after installation though). A sample of the chosen\n"
+"configuration is shown in the monitor picture."
msgstr ""
+"Resolusi\n"
+" dan A dalam."
-#: ../../printer/printerdrake.pm:1
+#: help.pm:319
#, fuzzy, c-format
msgid ""
-"The network configuration done during the installation cannot be started "
-"now. Please check whether the network is accessable after booting your "
-"system and correct the configuration using the Mandrake Control Center, "
-"section \"Network & Internet\"/\"Connection\", and afterwards set up the "
-"printer, also using the Mandrake Control Center, section \"Hardware\"/"
-"\"Printer\""
-msgstr "siap dan Rangkaian Internet dan Perkakasan"
+"In the situation where different servers are available for your card, with\n"
+"or without 3D acceleration, you are asked to choose the server that best\n"
+"suits your needs."
+msgstr "Masuk."
-#: ../../harddrake/data.pm:1
+#: help.pm:324
#, fuzzy, c-format
-msgid "USB controllers"
-msgstr "USB"
-
-#: ../../Xconfig/various.pm:1
-#, c-format
-msgid "What norm is your TV using?"
+msgid ""
+"Options\n"
+"\n"
+" Here you can choose whether you want to have your machine automatically\n"
+"switch to a graphical interface at boot. Obviously, you want to check\n"
+"\"%s\" if your machine is to act as a server, or if you were not successful\n"
+"in getting the display configured."
msgstr ""
+"Pilihan\n"
+"."
-#: ../../standalone/drakconnect:1
+#: help.pm:332
#, fuzzy, c-format
-msgid "Type:"
-msgstr "Jenis:"
+msgid ""
+"At this point, you need to decide where you want to install the Mandrake\n"
+"Linux operating system on your hard drive. If your hard drive is empty or\n"
+"if an existing operating system is using all the available space you will\n"
+"have to partition the drive. Basically, partitioning a hard drive consists\n"
+"of logically dividing it to create the space needed to install your new\n"
+"Mandrake Linux system.\n"
+"\n"
+"Because the process of partitioning a hard drive is usually irreversible\n"
+"and can lead to lost data if there is an existing operating system already\n"
+"installed on the drive, partitioning can be intimidating and stressful if\n"
+"you are an inexperienced user. Fortunately, DrakX includes a wizard which\n"
+"simplifies this process. Before continuing with this step, read through the\n"
+"rest of this section and above all, take your time.\n"
+"\n"
+"Depending on your hard drive configuration, several options are available:\n"
+"\n"
+" * \"%s\": this option will perform an automatic partitioning of your blank\n"
+"drive(s). If you use this option there will be no further prompts.\n"
+"\n"
+" * \"%s\": the wizard has detected one or more existing Linux partitions on\n"
+"your hard drive. If you want to use them, choose this option. You will then\n"
+"be asked to choose the mount points associated with each of the partitions.\n"
+"The legacy mount points are selected by default, and for the most part it's\n"
+"a good idea to keep them.\n"
+"\n"
+" * \"%s\": if Microsoft Windows is installed on your hard drive and takes\n"
+"all the space available on it, you will have to create free space for\n"
+"GNU/Linux. To do so, you can delete your Microsoft Windows partition and\n"
+"data (see ``Erase entire disk'' solution) or resize your Microsoft Windows\n"
+"FAT or NTFS partition. Resizing can be performed without the loss of any\n"
+"data, provided you have previously defragmented the Windows partition.\n"
+"Backing up your data is strongly recommended.. Using this option is\n"
+"recommended if you want to use both Mandrake Linux and Microsoft Windows on\n"
+"the same computer.\n"
+"\n"
+" Before choosing this option, please understand that after this\n"
+"procedure, the size of your Microsoft Windows partition will be smaller\n"
+"then when you started. You will have less free space under Microsoft\n"
+"Windows to store your data or to install new software.\n"
+"\n"
+" * \"%s\": if you want to delete all data and all partitions present on\n"
+"your hard drive and replace them with your new Mandrake Linux system,\n"
+"choose this option. Be careful, because you will not be able to undo your\n"
+"choice after you confirm.\n"
+"\n"
+" !! If you choose this option, all data on your disk will be deleted. !!\n"
+"\n"
+" * \"%s\": this will simply erase everything on the drive and begin fresh,\n"
+"partitioning everything from scratch. All data on your disk will be lost.\n"
+"\n"
+" !! If you choose this option, all data on your disk will be lost. !!\n"
+"\n"
+" * \"%s\": choose this option if you want to manually partition your hard\n"
+"drive. Be careful -- it is a powerful but dangerous choice and you can very\n"
+"easily lose all your data. That's why this option is really only\n"
+"recommended if you have done something like this before and have some\n"
+"experience. For more instructions on how to use the DiskDrake utility,\n"
+"refer to the ``Managing Your Partitions'' section in the ``Starter Guide''."
+msgstr ""
+"on kosong on dan pengguna dan on\n"
+" tidak\n"
+" on default dan\n"
+" Tetingkap on dan on Kepada Tetingkap dan Tetingkap Tetingkap dan dan on\n"
+" Tetingkap\n"
+" dan on dan\n"
+" on\n"
+" on dan Semua on\n"
+" on\n"
+" secara manual dan siap dan on dalam."
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Share name"
-msgstr "Kongsi"
+#: help.pm:389 install_interactive.pm:95
+#, c-format
+msgid "Use free space"
+msgstr ""
-#: ../../standalone/drakgw:1
+#: help.pm:389
#, c-format
-msgid "enable"
+msgid "Use existing partition"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: help.pm:389 install_interactive.pm:137
+#, fuzzy, c-format
+msgid "Use the free space on the Windows partition"
+msgstr "on Tetingkap"
+
+#: help.pm:389 install_interactive.pm:211
#, c-format
-msgid ""
-"Contacting Mandrake Linux web site to get the list of available mirrors..."
+msgid "Erase entire disk"
msgstr ""
-#: ../../network/netconnect.pm:1
+#: help.pm:389
+#, fuzzy, c-format
+msgid "Remove Windows"
+msgstr "Buang"
+
+#: help.pm:389 install_interactive.pm:226
+#, fuzzy, c-format
+msgid "Custom disk partitioning"
+msgstr "Tersendiri"
+
+#: help.pm:392
#, fuzzy, c-format
msgid ""
-"A problem occured while restarting the network: \n"
+"There you are. Installation is now complete and your GNU/Linux system is\n"
+"ready to use. Just click \"%s\" to reboot the system. Don't forget to\n"
+"remove the installation media (CD-ROM or floppy). The first thing you\n"
+"should see after your computer has finished doing its hardware tests is the\n"
+"bootloader menu, giving you the choice of which operating system to start.\n"
"\n"
-"%s"
-msgstr "A"
+"The \"%s\" button shows two more buttons to:\n"
+"\n"
+" * \"%s\": to create an installation floppy disk that will automatically\n"
+"perform a whole installation without the help of an operator, similar to\n"
+"the installation you just configured.\n"
+"\n"
+" Note that two different options are available after clicking the button:\n"
+"\n"
+" * \"%s\". This is a partially automated installation. The partitioning\n"
+"step is the only interactive procedure.\n"
+"\n"
+" * \"%s\". Fully automated installation: the hard disk is completely\n"
+"rewritten, all data is lost.\n"
+"\n"
+" This feature is very handy when installing a number of similar machines.\n"
+"See the Auto install section on our web site for more information.\n"
+"\n"
+" * \"%s\": saves a list of the packages selected in this installation. To\n"
+"use this selection with another installation, insert the floppy and start\n"
+"the installation. At the prompt, press the [F1] key and type >>linux\n"
+"defcfg=\"floppy\" <<."
+msgstr ""
+"dan mula\n"
+"\n"
+"\n"
+"\n"
+"\n"
+" on\n"
+" dalam dan dan"
-#: ../../diskdrake/interactive.pm:1
+#: help.pm:418
#, fuzzy, c-format
-msgid "Remove the loopback file?"
-msgstr "Buang fail?"
+msgid "Generate auto-install floppy"
+msgstr "Mencipta"
-#: ../../install_steps_interactive.pm:1
+#: help.pm:418 install_steps_interactive.pm:1320
#, c-format
-msgid "Selected size is larger than available space"
+msgid "Replay"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: help.pm:418 install_steps_interactive.pm:1320
#, c-format
-msgid "NCP server name missing!"
+msgid "Automated"
msgstr ""
-#: ../../any.pm:1
-#, c-format
-msgid "Please choose your country."
-msgstr ""
+#: help.pm:418 install_steps_interactive.pm:1323
+#, fuzzy, c-format
+msgid "Save packages selection"
+msgstr "Simpan"
-#: ../../standalone/drakbackup:1
+#: help.pm:421
#, fuzzy, c-format
-msgid "Hard Disk Backup files..."
-msgstr "fail."
+msgid ""
+"Any partitions that have been newly defined must be formatted for use\n"
+"(formatting means creating a file system).\n"
+"\n"
+"At this time, you may wish to reformat some already existing partitions to\n"
+"erase any data they contain. If you wish to do that, please select those\n"
+"partitions as well.\n"
+"\n"
+"Please note that it is not necessary to reformat all pre-existing\n"
+"partitions. You must reformat the partitions containing the operating\n"
+"system (such as \"/\", \"/usr\" or \"/var\") but you do not have to\n"
+"reformat partitions containing data that you wish to keep (typically\n"
+"\"/home\").\n"
+"\n"
+"Please be careful when selecting partitions. After formatting, all data on\n"
+"the selected partitions will be deleted and you will not be able to recover\n"
+"it.\n"
+"\n"
+"Click on \"%s\" when you are ready to format the partitions.\n"
+"\n"
+"Click on \"%s\" if you want to choose another partition for your new\n"
+"Mandrake Linux operating system installation.\n"
+"\n"
+"Click on \"%s\" if you wish to select partitions that will be checked for\n"
+"bad blocks on the disk."
+msgstr "fail on dan on on on on."
-#: ../../keyboard.pm:1
+#: help.pm:444 help.pm:1005 install_steps_gtk.pm:431 interactive.pm:404
+#: interactive/newt.pm:307 printer/printerdrake.pm:2920
+#: standalone/drakTermServ:371 standalone/drakbackup:4288
+#: standalone/drakbackup:4316 standalone/drakbackup:4374
+#: standalone/drakbackup:4400 standalone/drakbackup:4426
+#: standalone/drakbackup:4483 standalone/drakbackup:4509
+#: standalone/drakbackup:4539 standalone/drakbackup:4563 ugtk2.pm:507
#, c-format
-msgid "Laotian"
+msgid "Previous"
msgstr ""
-#: ../../lang.pm:1
+#: help.pm:447
#, fuzzy, c-format
-msgid "Samoa"
-msgstr "Samoa"
+msgid ""
+"At the time you are installing Mandrake Linux, it is likely that some\n"
+"packages will have been updated since the initial release. Bugs may have\n"
+"been fixed, security issues resolved. To allow you to benefit from these\n"
+"updates, you are now able to download them from the Internet. Check \"%s\"\n"
+"if you have a working Internet connection, or \"%s\" if you prefer to\n"
+"install updated packages later.\n"
+"\n"
+"Choosing \"%s\" will display a list of places from which updates can be\n"
+"retrieved. You should choose one near to you. A package-selection tree will\n"
+"appear: review the selection, and press \"%s\" to retrieve and install the\n"
+"selected package(s), or \"%s\" to abort."
+msgstr "Kepada Internet Internet A dan dan."
-#: ../../services.pm:1
+#: help.pm:457 help.pm:602 install_steps_gtk.pm:430
+#: install_steps_interactive.pm:148 standalone/drakbackup:4602
+#, fuzzy, c-format
+msgid "Install"
+msgstr "Install"
+
+#: help.pm:460
#, fuzzy, c-format
msgid ""
-"The rstat protocol allows users on a network to retrieve\n"
-"performance metrics for any machine on that network."
-msgstr "on on."
+"At this point, DrakX will allow you to choose the security level desired\n"
+"for the machine. As a rule of thumb, the security level should be set\n"
+"higher if the machine will contain crucial data, or if it will be a machine\n"
+"directly exposed to the Internet. The trade-off of a higher security level\n"
+"is generally obtained at the expense of ease of use.\n"
+"\n"
+"If you do not know what to choose, stay with the default option. You will\n"
+"be able to change that security level later with tool draksec from the\n"
+"Mandrake Control Center.\n"
+"\n"
+"The \"%s\" field can inform the system of the user on this computer who\n"
+"will be responsible for security. Security messages will be sent to that\n"
+"address."
+msgstr "Internet off default."
-#: ../../standalone/scannerdrake:1
-#, c-format
-msgid "Re-generating list of configured scanners ..."
-msgstr ""
+#: help.pm:472
+#, fuzzy, c-format
+msgid "Security Administrator"
+msgstr "Keselamatan:"
-#: ../../modules/interactive.pm:1
+#: help.pm:475
#, fuzzy, c-format
-msgid "Module configuration"
-msgstr "Bunyi"
+msgid ""
+"At this point, you need to choose which partition(s) will be used for the\n"
+"installation of your Mandrake Linux system. If partitions have already been\n"
+"defined, either from a previous installation of GNU/Linux or by another\n"
+"partitioning tool, you can use existing partitions. Otherwise, hard drive\n"
+"partitions must be defined.\n"
+"\n"
+"To create partitions, you must first select a hard drive. You can select\n"
+"the disk for partitioning by clicking on ``hda'' for the first IDE drive,\n"
+"``hdb'' for the second, ``sda'' for the first SCSI drive and so on.\n"
+"\n"
+"To partition the selected hard drive, you can use these options:\n"
+"\n"
+" * \"%s\": this option deletes all partitions on the selected hard drive\n"
+"\n"
+" * \"%s\": this option enables you to automatically create ext3 and swap\n"
+"partitions in the free space of your hard drive\n"
+"\n"
+"\"%s\": gives access to additional features:\n"
+"\n"
+" * \"%s\": saves the partition table to a floppy. Useful for later\n"
+"partition-table recovery if necessary. It is strongly recommended that you\n"
+"perform this step.\n"
+"\n"
+" * \"%s\": allows you to restore a previously saved partition table from a\n"
+"floppy disk.\n"
+"\n"
+" * \"%s\": if your partition table is damaged, you can try to recover it\n"
+"using this option. Please be careful and remember that it doesn't always\n"
+"work.\n"
+"\n"
+" * \"%s\": discards all changes and reloads the partition table that was\n"
+"originally on the hard drive.\n"
+"\n"
+" * \"%s\": un-checking this option will force users to manually mount and\n"
+"unmount removable media such as floppies and CD-ROMs.\n"
+"\n"
+" * \"%s\": use this option if you wish to use a wizard to partition your\n"
+"hard drive. This is recommended if you do not have a good understanding of\n"
+"partitioning.\n"
+"\n"
+" * \"%s\": use this option to cancel your changes.\n"
+"\n"
+" * \"%s\": allows additional actions on partitions (type, options, format)\n"
+"and gives more information about the hard drive.\n"
+"\n"
+" * \"%s\": when you are finished partitioning your hard drive, this will\n"
+"save your changes back to disk.\n"
+"\n"
+"When defining the size of a partition, you can finely set the partition\n"
+"size by using the Arrow keys of your keyboard.\n"
+"\n"
+"Note: you can reach any option using the keyboard. Navigate through the\n"
+"partitions using [Tab] and the [Up/Down] arrows.\n"
+"\n"
+"When a partition is selected, you can use:\n"
+"\n"
+" * Ctrl-c to create a new partition (when an empty partition is selected)\n"
+"\n"
+" * Ctrl-d to delete a partition\n"
+"\n"
+" * Ctrl-m to set the mount point\n"
+"\n"
+"To get information about the different file system types available, please\n"
+"read the ext2FS chapter from the ``Reference Manual''.\n"
+"\n"
+"If you are installing on a PPC machine, you will want to create a small HFS\n"
+"``bootstrap'' partition of at least 1MB which will be used by the yaboot\n"
+"bootloader. If you opt to make the partition a bit larger, say 50MB, you\n"
+"may find it a useful place to store a spare kernel and ramdisk images for\n"
+"emergency boot situations."
+msgstr ""
+"on dan on\n"
+" on\n"
+" dan dalam\n"
+"\n"
+"\n"
+" dan\n"
+" dan on\n"
+" secara manual dan dan\n"
+"\n"
+"\n"
+" on\n"
+" Tab dan Naik Turun\n"
+" Ctrl kosong\n"
+" Ctrl\n"
+" Ctrl fail on dan."
-#: ../../harddrake/data.pm:1
+#: help.pm:544
#, c-format
-msgid "Scanner"
+msgid "Removable media auto-mounting"
msgstr ""
-#: ../../Xconfig/test.pm:1
+#: help.pm:544
#, fuzzy, c-format
-msgid "Warning: testing this graphic card may freeze your computer"
-msgstr "Amaran"
+msgid "Toggle between normal/expert mode"
+msgstr "normal"
-#: ../../any.pm:1
+#: help.pm:547
#, fuzzy, c-format
msgid ""
-"The user name must contain only lower cased letters, numbers, `-' and `_'"
-msgstr "pengguna dan"
-
-#: ../../standalone/drakbug:1
-#, c-format
-msgid "Menudrake"
+"More than one Microsoft partition has been detected on your hard drive.\n"
+"Please choose the one which you want to resize in order to install your new\n"
+"Mandrake Linux operating system.\n"
+"\n"
+"Each partition is listed as follows: \"Linux name\", \"Windows name\"\n"
+"\"Capacity\".\n"
+"\n"
+"\"Linux name\" is structured: \"hard drive type\", \"hard drive number\",\n"
+"\"partition number\" (for example, \"hda1\").\n"
+"\n"
+"\"Hard drive type\" is \"hd\" if your hard dive is an IDE hard drive and\n"
+"\"sd\" if it is a SCSI hard drive.\n"
+"\n"
+"\"Hard drive number\" is always a letter after \"hd\" or \"sd\". With IDE\n"
+"hard drives:\n"
+"\n"
+" * \"a\" means \"master hard drive on the primary IDE controller\";\n"
+"\n"
+" * \"b\" means \"slave hard drive on the primary IDE controller\";\n"
+"\n"
+" * \"c\" means \"master hard drive on the secondary IDE controller\";\n"
+"\n"
+" * \"d\" means \"slave hard drive on the secondary IDE controller\".\n"
+"\n"
+"With SCSI hard drives, an \"a\" means \"lowest SCSI ID\", a \"b\" means\n"
+"\"second lowest SCSI ID\", etc.\n"
+"\n"
+"\"Windows name\" is the letter of your hard drive under Windows (the first\n"
+"disk or partition is called \"C:\")."
msgstr ""
+"on dalam Tetingkap dan\n"
+" on\n"
+" on\n"
+" on\n"
+" on Tetingkap Tetingkap C."
-#: ../../security/level.pm:1
+#: help.pm:578
#, fuzzy, c-format
-msgid "Welcome To Crackers"
-msgstr "Selamat Datang Kepada"
+msgid ""
+"\"%s\": check the current country selection. If you are not in this\n"
+"country, click on the \"%s\" button and choose another one. If your country\n"
+"is not in the first list shown, click the \"%s\" button to get the complete\n"
+"country list."
+msgstr "dalam on dan dalam."
-#: ../../modules/interactive.pm:1
+#: help.pm:584
#, fuzzy, c-format
-msgid "Module options:"
-msgstr "Modul:"
+msgid ""
+"This step is activated only if an existing GNU/Linux partition has been\n"
+"found on your machine.\n"
+"\n"
+"DrakX now needs to know if you want to perform a new install or an upgrade\n"
+"of an existing Mandrake Linux system:\n"
+"\n"
+" * \"%s\": For the most part, this completely wipes out the old system. If\n"
+"you wish to change how your hard drives are partitioned, or change the file\n"
+"system, you should use this option. However, depending on your partitioning\n"
+"scheme, you can prevent some of your existing data from being over-written.\n"
+"\n"
+" * \"%s\": this installation class allows you to update the packages\n"
+"currently installed on your Mandrake Linux system. Your current\n"
+"partitioning scheme and user data is not altered. Most of other\n"
+"configuration steps remain available, similar to a standard installation.\n"
+"\n"
+"Using the ``Upgrade'' option should work fine on Mandrake Linux systems\n"
+"running version \"8.1\" or later. Performing an Upgrade on versions prior\n"
+"to Mandrake Linux version \"8.1\" is not recommended."
+msgstr ""
+"on\n"
+" keluar fail on\n"
+" on dan pengguna Tingkatupaya on Tingkatupaya on."
-#: ../advertising/11-mnf.pl:1
+#: help.pm:605
#, fuzzy, c-format
-msgid "Secure your networks with the Multi Network Firewall"
-msgstr "Rangkaian"
+msgid ""
+"Depending on the language you chose in section , DrakX will automatically\n"
+"select a particular type of keyboard configuration. Check that the\n"
+"selection suits you or choose another keyboard layout.\n"
+"\n"
+"Also, you may not have a keyboard that corresponds exactly to your\n"
+"language: for example, if you are an English-speaking Swiss native, you may\n"
+"have a Swiss keyboard. Or if you speak English and are located in Quebec,\n"
+"you may find yourself in the same situation where your native language and\n"
+"country-set keyboard do not match. In either case, this installation step\n"
+"will allow you to select an appropriate keyboard from a list.\n"
+"\n"
+"Click on the \"%s\" button to be presented with the complete list of\n"
+"supported keyboards.\n"
+"\n"
+"If you choose a keyboard layout based on a non-Latin alphabet, the next\n"
+"dialog will allow you to choose the key binding that will switch the\n"
+"keyboard between the Latin and non-Latin layouts."
+msgstr "on default dalam English English dalam dalam dan Masuk on on dan."
-#: ../../printer/printerdrake.pm:1
+#: help.pm:624
#, fuzzy, c-format
-msgid "Go on without configuring the network"
-msgstr "Pergi ke on"
+msgid ""
+"Your choice of preferred language will affect the language of the\n"
+"documentation, the installer and the system in general. Select first the\n"
+"region you are located in, and then the language you speak.\n"
+"\n"
+"Clicking on the \"%s\" button will allow you to select other languages to\n"
+"be installed on your workstation, thereby installing the language-specific\n"
+"files for system documentation and applications. For example, if you will\n"
+"host users from Spain on your machine, select English as the default\n"
+"language in the tree view and \"%s\" in the Advanced section.\n"
+"\n"
+"About UTF-8 (unicode) support: Unicode is a new character encoding meant to\n"
+"cover all existing languages. Though full support for it in GNU/Linux is\n"
+"still under development. For that reason, Mandrake Linux will be using it\n"
+"or not depending on the user choices:\n"
+"\n"
+" * If you choose a languages with a strong legacy encoding (latin1\n"
+"languages, Russian, Japanese, Chinese, Korean, Thai, Greek, Turkish, most\n"
+"iso-8859-2 languages), the legacy encoding will be used by default;\n"
+"\n"
+" * Other languages will use unicode by default;\n"
+"\n"
+" * If two or more languages are required, and those languages are not using\n"
+"the same encoding, then unicode will be used for the whole system;\n"
+"\n"
+" * Finally, unicode can also be forced for the system at user request by\n"
+"selecting option \"%s\" independently of which language(s) have been\n"
+"chosen.\n"
+"\n"
+"Note that you're not limited to choosing a single additional language. You\n"
+"may choose several ones, or even install them all by selecting the \"%s\"\n"
+"box. Selecting support for a language means translations, fonts, spell\n"
+"checkers, etc. for that language will also be installed.\n"
+"\n"
+"To switch between the various languages installed on the system, you can\n"
+"launch the \"/usr/sbin/localedrake\" command as \"root\" to change the\n"
+"language used by the entire system. Running the command as a regular user\n"
+"will only change the language settings for that particular user."
+msgstr ""
+"dan dalam dalam dan on on dan Sepanyol on English default dalam dan dalam "
+"Lanjutan tunggal on pengguna pengguna."
-#: ../../network/isdn.pm:1
+#: help.pm:660
+#, c-format
+msgid "Espanol"
+msgstr ""
+
+#: help.pm:663
#, fuzzy, c-format
-msgid "Abort"
-msgstr "Abai"
+msgid ""
+"Usually, DrakX has no problems detecting the number of buttons on your\n"
+"mouse. If it does, it assumes you have a two-button mouse and will\n"
+"configure it for third-button emulation. The third-button mouse button of a\n"
+"two-button mouse can be ``pressed'' by simultaneously clicking the left and\n"
+"right mouse buttons. DrakX will automatically know whether your mouse uses\n"
+"a PS/2, serial or USB interface.\n"
+"\n"
+"In case you have a 3 buttons mouse without wheel, you can choose the mouse\n"
+"that says \"%s\". DrakX will then configure your mouse so that you can\n"
+"simulate the wheel with it: to do so, press the middle button and move your\n"
+"mouse up and down.\n"
+"\n"
+"If for some reason you wish to specify a different type of mouse, select it\n"
+"from the list provided.\n"
+"\n"
+"If you choose a mouse other than the default, a test screen will be\n"
+"displayed. Use the buttons and wheel to verify that the settings are\n"
+"correct and that the mouse is working correctly. If the mouse is not\n"
+"working well, press the space bar or [Return] key to cancel the test and to\n"
+"go back to the list of choices.\n"
+"\n"
+"Wheel mice are occasionally not detected automatically, so you will need to\n"
+"select your mouse from a list. Be sure to select the one corresponding to\n"
+"the port that your mouse is attached to. After selecting a mouse and\n"
+"pressing the \"%s\" button, a mouse image is displayed on-screen. Scroll\n"
+"the mouse wheel to ensure that it is activated correctly. Once you see the\n"
+"on-screen scroll wheel moving as you scroll your mouse wheel, test the\n"
+"buttons and check that the mouse pointer moves on-screen as you move your\n"
+"mouse."
+msgstr "tidak on dan dan bersiri USB default dan dan dan dan on dan on."
-#: ../../standalone/drakbackup:1
+#: help.pm:691
#, fuzzy, c-format
-msgid "No password prompt on %s at port %s"
-msgstr "Tidak on"
+msgid "with Wheel emulation"
+msgstr "Generik"
-#: ../../mouse.pm:1
+#: help.pm:694
#, c-format
-msgid "Kensington Thinking Mouse with Wheel emulation"
+msgid ""
+"Please select the correct port. For example, the \"COM1\" port under\n"
+"Windows is named \"ttyS0\" under GNU/Linux."
msgstr ""
-#: ../../standalone/scannerdrake:1
+#: help.pm:698
+#, fuzzy, c-format
+msgid ""
+"This is the most crucial decision point for the security of your GNU/Linux\n"
+"system: you have to enter the \"root\" password. \"Root\" is the system\n"
+"administrator and is the only user authorized to make updates, add users,\n"
+"change the overall system configuration, and so on. In short, \"root\" can\n"
+"do everything! That is why you must choose a password that is difficult to\n"
+"guess - DrakX will tell you if the password you chose is too easy. As you\n"
+"can see, you are not forced to enter a password, but we strongly advise you\n"
+"against this. GNU/Linux is just as prone to operator error as any other\n"
+"operating system. Since \"root\" can overcome all limitations and\n"
+"unintentionally erase all data on partitions by carelessly accessing the\n"
+"partitions themselves, it is important that it be difficult to become\n"
+"\"root\".\n"
+"\n"
+"The password should be a mixture of alphanumeric characters and at least 8\n"
+"characters long. Never write down the \"root\" password -- it makes it far\n"
+"too easy to compromise a system.\n"
+"\n"
+"One caveat -- do not make the password too long or complicated because you\n"
+"must be able to remember it!\n"
+"\n"
+"The password will not be displayed on screen as you type it in. To reduce\n"
+"the chance of a blind typing error you will need to enter the password\n"
+"twice. If you do happen to make the same typing error twice, this\n"
+"``incorrect'' password will be the one you will have use the first time you\n"
+"connect.\n"
+"\n"
+"If you wish access to this computer to be controlled by an authentication\n"
+"server, click the \"%s\" button.\n"
+"\n"
+"If your network uses either LDAP, NIS, or PDC Windows Domain authentication\n"
+"services, select the appropriate one for \"%s\". If you do not know which\n"
+"one to use, you should ask your network administrator.\n"
+"\n"
+"If you happen to have problems with remembering passwords, if your computer\n"
+"will never be connected to the Internet and you absolutely trust everybody\n"
+"who uses your computer, you can choose to have \"%s\"."
+msgstr ""
+"dan pengguna dan on Masuk ralat dan on dan Tidak sekali on dalam Kepada "
+"ralat ralat LDAP NIS Tetingkap Domain tiada."
+
+#: help.pm:733
#, c-format
-msgid "Usage of remote scanners"
+msgid "authentication"
msgstr ""
-#: ../../install_interactive.pm:1
+#. -PO: keep this short or else the buttons will not fit in the window
+#: help.pm:733 install_steps_interactive.pm:1154
#, fuzzy, c-format
-msgid ""
-"Your Windows partition is too fragmented. Please reboot your computer under "
-"Windows, run the ``defrag'' utility, then restart the Mandrake Linux "
-"installation."
-msgstr "Tetingkap Tetingkap ulanghidup."
+msgid "No password"
+msgstr "Tidak"
-#: ../../keyboard.pm:1
+#: help.pm:736
#, fuzzy, c-format
-msgid "Dvorak (Norwegian)"
-msgstr "Norwegian"
+msgid ""
+"This dialog allows you to fine tune your bootloader:\n"
+"\n"
+" * \"%s\": there are three choices for your bootloader:\n"
+"\n"
+" * \"%s\": if you prefer GRUB (text menu).\n"
+"\n"
+" * \"%s\": if you prefer LILO with its text menu interface.\n"
+"\n"
+" * \"%s\": if you prefer LILO with its graphical interface.\n"
+"\n"
+" * \"%s\": in most cases, you will not change the default (\"%s\"), but if\n"
+"you prefer, the bootloader can be installed on the second hard drive\n"
+"(\"%s\"), or even on a floppy disk (\"%s\");\n"
+"\n"
+" * \"%s\": after a boot or a reboot of the computer, this is the delay\n"
+"given to the user at the console to select a boot entry other than the\n"
+"default.\n"
+"\n"
+" * \"%s\": ACPI is a new standard (appeared during year 2002) for power\n"
+"management, notably for laptops. If you know your hardware supports it and\n"
+"you need it, check this box.\n"
+"\n"
+" * \"%s\": If you noticed hardware problems on your machine (IRQ conflicts,\n"
+"instabilities, machine freeze, ...) you should try disabling APIC by\n"
+"checking this box.\n"
+"\n"
+"!! Be aware that if you choose not to install a bootloader (by selecting\n"
+"\"%s\"), you must ensure that you have a way to boot your Mandrake Linux\n"
+"system! Be sure you know what you are doing before changing any of the\n"
+"options. !!\n"
+"\n"
+"Clicking the \"%s\" button in this dialog will offer advanced options which\n"
+"are normally reserved for the expert user."
+msgstr ""
+"\n"
+"\n"
+"\n"
+"\n"
+"\n"
+" dalam default on on\n"
+" pengguna dalam pengguna."
-#: ../../standalone/drakbackup:1
+#: help.pm:768
#, c-format
-msgid "Hard Disk Backup Progress..."
+msgid "GRUB"
msgstr ""
-#: ../../standalone/drakconnect:1 ../../standalone/drakfloppy:1
+#: help.pm:768
#, c-format
-msgid "Unable to fork: %s"
+msgid "/dev/hda"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
-#, fuzzy, c-format
-msgid "Type: "
-msgstr "Jenis "
+#: help.pm:768
+#, c-format
+msgid "/dev/hdb"
+msgstr ""
-#: ../../standalone/drakTermServ:1
+#: help.pm:768
+#, c-format
+msgid "/dev/fd0"
+msgstr ""
+
+#: help.pm:768
#, fuzzy, c-format
-msgid "<-- Edit Client"
-msgstr "Edit"
+msgid "Delay before booting the default image"
+msgstr "default"
-#: ../../standalone/drakfont:1
+#: help.pm:768
#, fuzzy, c-format
-msgid "no fonts found"
-msgstr "tidak"
+msgid "Force no APIC"
+msgstr "Tidak"
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
-#: ../../harddrake/data.pm:1
+#: help.pm:771
#, fuzzy, c-format
-msgid "Mouse"
-msgstr "Tetikus"
+msgid ""
+"After you have configured the general bootloader parameters, the list of\n"
+"boot options that will be available at boot time will be displayed.\n"
+"\n"
+"If there are other operating systems installed on your machine they will\n"
+"automatically be added to the boot menu. You can fine-tune the existing\n"
+"options by clicking \"%s\" to create a new entry; selecting an entry and\n"
+"clicking \"%s\" or \"%s\" to modify or remove it. \"%s\" validates your\n"
+"changes.\n"
+"\n"
+"You may also not want to give access to these other operating systems to\n"
+"anyone who goes to the console and reboots the machine. You can delete the\n"
+"corresponding entries for the operating systems to remove them from the\n"
+"bootloader menu, but you will need a boot disk in order to boot those other\n"
+"operating systems!"
+msgstr "on dan dan dalam!"
-#: ../../bootloader.pm:1
+#: help.pm:784 interactive.pm:295 interactive/gtk.pm:480
+#: standalone/drakbackup:1843 standalone/drakfont:586 standalone/drakfont:649
+#: standalone/drakvpn:329 standalone/drakvpn:690
#, fuzzy, c-format
-msgid "not enough room in /boot"
-msgstr "dalam"
+msgid "Add"
+msgstr "Tambah"
-#: ../../install_steps_gtk.pm:1
+#: help.pm:784 interactive.pm:295 interactive/gtk.pm:480
#, c-format
-msgid "trying to promote %s"
+msgid "Modify"
msgstr ""
-#: ../../lang.pm:1
+#: help.pm:784 interactive.pm:295 interactive/gtk.pm:480
+#: standalone/drakvpn:329 standalone/drakvpn:690
#, fuzzy, c-format
-msgid "Liechtenstein"
-msgstr "Liechtenstein"
+msgid "Remove"
+msgstr "Buang"
-#: ../../network/ethernet.pm:1 ../../network/network.pm:1
+#: help.pm:787
#, fuzzy, c-format
-msgid "Host name"
-msgstr "Hos"
+msgid ""
+"LILO and GRUB are GNU/Linux bootloaders. Normally, this stage is totally\n"
+"automated. DrakX will analyze the disk boot sector and act according to\n"
+"what it finds there:\n"
+"\n"
+" * if a Windows boot sector is found, it will replace it with a GRUB/LILO\n"
+"boot sector. This way you will be able to load either GNU/Linux or any\n"
+"other OS installed on your machine.\n"
+"\n"
+" * if a GRUB or LILO boot sector is found, it will replace it with a new\n"
+"one.\n"
+"\n"
+"If it cannot make a determination, DrakX will ask you where to place the\n"
+"bootloader. Generally, the \"%s\" is the safest place. Choosing \"%s\"\n"
+"won't install any bootloader. Use it only if you know what you are doing."
+msgstr ""
+"dan dan\n"
+" Tetingkap\n"
+" tiada."
+
+#: help.pm:803
+#, fuzzy, c-format
+msgid ""
+"Now, it's time to select a printing system for your computer. Other OSs may\n"
+"offer you one, but Mandrake Linux offers two. Each of the printing systems\n"
+"is best suited to particular types of configuration.\n"
+"\n"
+" * \"%s\" -- which is an acronym for ``print, don't queue'', is the choice\n"
+"if you have a direct connection to your printer, you want to be able to\n"
+"panic out of printer jams, and you do not have networked printers. (\"%s\"\n"
+"will handle only very simple network cases and is somewhat slow when used\n"
+"with networks.) It's recommended that you use \"pdq\" if this is your first\n"
+"experience with GNU/Linux.\n"
+"\n"
+" * \"%s\" - `` Common Unix Printing System'', is an excellent choice for\n"
+"printing to your local printer or to one halfway around the planet. It is\n"
+"simple to configure and can act as a server or a client for the ancient\n"
+"\"lpd \" printing system, so it is compatible with older operating systems\n"
+"which may still need print services. While quite powerful, the basic setup\n"
+"is almost as easy as \"pdq\". If you need to emulate a \"lpd\" server, make\n"
+"sure you turn on the \"cups-lpd \" daemon. \"%s\" includes graphical\n"
+"front-ends for printing or choosing printer options and for managing the\n"
+"printer.\n"
+"\n"
+"If you make a choice now, and later find that you don't like your printing\n"
+"system you may change it by running PrinterDrake from the Mandrake Control\n"
+"Center and clicking the expert button."
+msgstr ""
+"Lain-lain\n"
+" keluar dan dan\n"
+" Cetakan Sistem lokal dan lpd asas lpd on lpd dan dan dan."
-#: ../../standalone/draksplash:1
+#: help.pm:826
#, c-format
-msgid "the color of the progress bar"
+msgid "pdq"
msgstr ""
-#: ../../standalone/drakfont:1
-#, fuzzy, c-format
-msgid "Suppress Fonts Files"
-msgstr "Font"
+#: help.pm:826 printer/cups.pm:99 printer/data.pm:82
+#, c-format
+msgid "CUPS"
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: help.pm:829
#, fuzzy, c-format
-msgid "Add to RAID"
-msgstr "Tambah"
+msgid ""
+"DrakX will first detect any IDE devices present in your computer. It will\n"
+"also scan for one or more PCI SCSI cards on your system. If a SCSI card is\n"
+"found, DrakX will automatically install the appropriate driver.\n"
+"\n"
+"Because hardware detection is not foolproof, DrakX may fail in detecting\n"
+"your hard drives. If so, you'll have to specify your hardware by hand.\n"
+"\n"
+"If you had to manually specify your PCI SCSI adapter, DrakX will ask if you\n"
+"want to configure options for it. You should allow DrakX to probe the\n"
+"hardware for the card-specific options which are needed to initialize the\n"
+"adapter. Most of the time, DrakX will get through this step without any\n"
+"issues.\n"
+"\n"
+"If DrakX is not able to probe for the options to automatically determine\n"
+"which parameters need to be passed to the hardware, you'll need to manually\n"
+"configure the driver."
+msgstr "dalam on dalam secara manual secara manual."
-#: ../../help.pm:1
+#: help.pm:847
#, fuzzy, c-format
msgid ""
"You can add additional entries in yaboot for other operating systems,\n"
@@ -3447,10 +4339,10 @@ msgid ""
"emulation for the missing 2nd and 3rd mouse buttons on a stock Apple mouse.\n"
"The following are some examples:\n"
"\n"
-" video=aty128fb:vmode:17,cmode:32,mclk:71 adb_buttons=103,111\n"
+" \t video=aty128fb:vmode:17,cmode:32,mclk:71 adb_buttons=103,111\n"
"hda=autotune\n"
"\n"
-" video=atyfb:vmode:12,cmode:24 adb_buttons=103,111\n"
+" \t video=atyfb:vmode:12,cmode:24 adb_buttons=103,111\n"
"\n"
" * Initrd: this option can be used either to load initial modules before\n"
"the boot device is available, or to load a ramdisk image for an emergency\n"
@@ -3485,359 +4377,607 @@ msgstr ""
" dalam\n"
" Default default Tab."
-#: ../../printer/printerdrake.pm:1
+#: help.pm:894
#, fuzzy, c-format
msgid ""
-"The printer \"%s\" was successfully added to Star Office/OpenOffice.org/GIMP."
-msgstr "Pejabat."
-
-#: ../../standalone/drakTermServ:1
-#, fuzzy, c-format
-msgid "No floppy drive available!"
-msgstr "Tidak!"
+"Yaboot is a bootloader for NewWorld Macintosh hardware and can be used to\n"
+"boot GNU/Linux, MacOS or MacOSX. Normally, MacOS and MacOSX are correctly\n"
+"detected and installed in the bootloader menu. If this is not the case, you\n"
+"can add an entry by hand in this screen. Take care to choose the correct\n"
+"parameters.\n"
+"\n"
+"Yaboot's main options are:\n"
+"\n"
+" * Init Message: a simple text message displayed before the boot prompt.\n"
+"\n"
+" * Boot Device: indicates where you want to place the information required\n"
+"to boot to GNU/Linux. Generally, you set up a bootstrap partition earlier\n"
+"to hold this information.\n"
+"\n"
+" * Open Firmware Delay: unlike LILO, there are two delays available with\n"
+"yaboot. The first delay is measured in seconds and at this point, you can\n"
+"choose between CD, OF boot, MacOS or Linux;\n"
+"\n"
+" * Kernel Boot Timeout: this timeout is similar to the LILO boot delay.\n"
+"After selecting Linux, you will have this delay in 0.1 second increments\n"
+"before your default kernel description is selected;\n"
+"\n"
+" * Enable CD Boot?: checking this option allows you to choose ``C'' for CD\n"
+"at the first boot prompt.\n"
+"\n"
+" * Enable OF Boot?: checking this option allows you to choose ``N'' for\n"
+"Open Firmware at the first boot prompt.\n"
+"\n"
+" * Default OS: you can select which OS will boot by default when the Open\n"
+"Firmware Delay expires."
+msgstr ""
+"dan dan dan dalam dalam utama\n"
+" Mesej\n"
+" Peranti RAID\n"
+" Buka dalam saat dan\n"
+" dalam default\n"
+" C\n"
+"\n"
+" Default default Buka."
-#: ../../printer/printerdrake.pm:1
+#: help.pm:926
#, fuzzy, c-format
msgid ""
-"To know about the options available for the current printer read either the "
-"list shown below or click on the \"Print option list\" button.%s%s%s\n"
-"\n"
-msgstr "Kepada on"
+"\"%s\": if a sound card is detected on your system, it is displayed here.\n"
+"If you notice the sound card displayed is not the one that is actually\n"
+"present on your system, you can click on the button and choose another\n"
+"driver."
+msgstr "on on on dan."
-#: ../../lang.pm:1
+#: help.pm:929 help.pm:991 install_steps_interactive.pm:962
+#: install_steps_interactive.pm:979
#, fuzzy, c-format
-msgid "Saudi Arabia"
-msgstr "Arab Saudi"
+msgid "Sound card"
+msgstr "Bunyi"
-#: ../../services.pm:1
+#: help.pm:932
#, fuzzy, c-format
-msgid "Internet"
-msgstr "Internet"
+msgid ""
+"As a review, DrakX will present a summary of information it has about your\n"
+"system. Depending on your installed hardware, you may have some or all of\n"
+"the following entries. Each entry is made up of the configuration item to\n"
+"be configured, followed by a quick summary of the current configuration.\n"
+"Click on the corresponding \"%s\" button to change that.\n"
+"\n"
+" * \"%s\": check the current keyboard map configuration and change it if\n"
+"necessary.\n"
+"\n"
+" * \"%s\": check the current country selection. If you are not in this\n"
+"country, click on the \"%s\" button and choose another one. If your country\n"
+"is not in the first list shown, click the \"%s\" button to get the complete\n"
+"country list.\n"
+"\n"
+" * \"%s\": By default, DrakX deduces your time zone based on the country\n"
+"you have chosen. You can click on the \"%s\" button here if this is not\n"
+"correct.\n"
+"\n"
+" * \"%s\": check the current mouse configuration and click on the button to\n"
+"change it if necessary.\n"
+"\n"
+" * \"%s\": clicking on the \"%s\" button will open the printer\n"
+"configuration wizard. Consult the corresponding chapter of the ``Starter\n"
+"Guide'' for more information on how to setup a new printer. The interface\n"
+"presented there is similar to the one used during installation.\n"
+"\n"
+" * \"%s\": if a sound card is detected on your system, it is displayed\n"
+"here. If you notice the sound card displayed is not the one that is\n"
+"actually present on your system, you can click on the button and choose\n"
+"another driver.\n"
+"\n"
+" * \"%s\": by default, DrakX configures your graphical interface in\n"
+"\"800x600\" or \"1024x768\" resolution. If that does not suit you, click on\n"
+"\"%s\" to reconfigure your graphical interface.\n"
+"\n"
+" * \"%s\": if a TV card is detected on your system, it is displayed here.\n"
+"If you have a TV card and it is not detected, click on \"%s\" to try to\n"
+"configure it manually.\n"
+"\n"
+" * \"%s\": if an ISDN card is detected on your system, it will be displayed\n"
+"here. You can click on \"%s\" to change the parameters associated with the\n"
+"card.\n"
+"\n"
+" * \"%s\": If you wish to configure your Internet or local network access\n"
+"now.\n"
+"\n"
+" * \"%s\": this entry allows you to redefine the security level as set in a\n"
+"previous step ().\n"
+"\n"
+" * \"%s\": if you plan to connect your machine to the Internet, it's a good\n"
+"idea to protect yourself from intrusions by setting up a firewall. Consult\n"
+"the corresponding section of the ``Starter Guide'' for details about\n"
+"firewall settings.\n"
+"\n"
+" * \"%s\": if you wish to change your bootloader configuration, click that\n"
+"button. This should be reserved to advanced users.\n"
+"\n"
+" * \"%s\": here you'll be able to fine control which services will be run\n"
+"on your machine. If you plan to use this machine as a server it's a good\n"
+"idea to review this setup."
+msgstr ""
+"on on\n"
+" dan\n"
+" dalam on dan dalam\n"
+" default on on\n"
+" dan on\n"
+" on on\n"
+" on on on dan\n"
+" default dalam on\n"
+" on dan on secara manual\n"
+" on on\n"
+" Internet lokal\n"
+" dalam\n"
+" Internet\n"
+"\n"
+"."
-#: ../../diskdrake/interactive.pm:1
+#: help.pm:991 install_steps_interactive.pm:110
+#: install_steps_interactive.pm:899 standalone/keyboarddrake:23
#, fuzzy, c-format
-msgid "Continue anyway?"
-msgstr "Teruskan?"
+msgid "Keyboard"
+msgstr "Papan Kekunci"
-#: ../../printer/printerdrake.pm:1
+#: help.pm:991 install_steps_interactive.pm:921
#, c-format
-msgid ""
-"If your printer is not listed, choose a compatible (see printer manual) or a "
-"similar one."
+msgid "Timezone"
msgstr ""
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
-#: ../../harddrake/data.pm:1 ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Printer"
-msgstr ""
+#: help.pm:991
+#, fuzzy, c-format
+msgid "Graphical Interface"
+msgstr "Grafikal"
-#: ../../standalone/service_harddrake:1
+#: help.pm:991 install_steps_interactive.pm:995
#, c-format
-msgid "Some devices were added:\n"
+msgid "TV card"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: help.pm:991
#, c-format
-msgid "Geometry: %s cylinders, %s heads, %s sectors\n"
+msgid "ISDN card"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: help.pm:991 install_steps_interactive.pm:1013 standalone/drakbackup:2394
#, fuzzy, c-format
-msgid "Printing on the printer \"%s\""
-msgstr "Cetakan on"
-
-#: ../../standalone/drakTermServ:1
-#, fuzzy, c-format
-msgid "/etc/hosts.allow and /etc/hosts.deny already configured - not changed"
-msgstr "hos dan hos"
+msgid "Network"
+msgstr "Rangkaian"
-#: ../../standalone/drakbackup:1
+#: help.pm:991 install_steps_interactive.pm:1039
#, fuzzy, c-format
-msgid "Restore From Tape"
-msgstr "Daripada"
+msgid "Security Level"
+msgstr "Keselamatan"
-#: ../../standalone/drakbug:1
+#: help.pm:991 install_steps_interactive.pm:1053
#, c-format
-msgid ""
-"To submit a bug report, click the report button, which will open your "
-"default browser\n"
-"to Anthill where you will be able to upload the above information as a bug "
-"report."
+msgid "Firewall"
msgstr ""
-#: ../../network/netconnect.pm:1
-#, c-format
-msgid "Choose the profile to configure"
-msgstr ""
+#: help.pm:991 install_steps_interactive.pm:1067
+#, fuzzy, c-format
+msgid "Bootloader"
+msgstr "PemuatBoot"
-#: ../../security/l10n.pm:1
+#: help.pm:991 install_steps_interactive.pm:1077 services.pm:195
#, fuzzy, c-format
-msgid "Password minimum length and number of digits and upcase letters"
-msgstr "Katalaluan dan dan"
+msgid "Services"
+msgstr "Perkhidmatan"
-#: ../../network/ethernet.pm:1 ../../network/network.pm:1
+#: help.pm:994
#, fuzzy, c-format
msgid ""
+"Choose the hard drive you want to erase in order to install your new\n"
+"Mandrake Linux partition. Be careful, all data on this drive will be lost\n"
+"and will not be recoverable!"
+msgstr "dalam on dan!"
+
+#: help.pm:999
+#, fuzzy, c-format
+msgid ""
+"Click on \"%s\" if you want to delete all data and partitions present on\n"
+"this hard drive. Be careful, after clicking on \"%s\", you will not be able\n"
+"to recover any data and partitions present on this hard drive, including\n"
+"any Windows data.\n"
"\n"
-"\n"
-"Enter a Zeroconf host name without any dot if you don't\n"
-"want to use the default host name."
-msgstr "default."
+"Click on \"%s\" to quit this operation without losing data and partitions\n"
+"present on this hard drive."
+msgstr "on dan on on dan on Tetingkap on dan on."
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "Backup Now from configuration file"
-msgstr ""
+#: install2.pm:119
+#, fuzzy, c-format
+msgid ""
+"Can't access kernel modules corresponding to your kernel (file %s is "
+"missing), this generally means your boot floppy in not in sync with the "
+"Installation medium (please create a newer boot floppy)"
+msgstr "fail dalam dalam"
-#: ../../fsedit.pm:1
+#: install2.pm:169
#, c-format
-msgid "Mount points should contain only alphanumerical characters"
+msgid "You must also format %s"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Restarting printing system..."
-msgstr ""
+#: install_any.pm:413
+#, fuzzy, c-format
+msgid ""
+"You have selected the following server(s): %s\n"
+"\n"
+"\n"
+"These servers are activated by default. They don't have any known security\n"
+"issues, but some new ones could be found. In that case, you must make sure\n"
+"to upgrade as soon as possible.\n"
+"\n"
+"\n"
+"Do you really want to install these servers?\n"
+msgstr "default Masuk"
-#: ../../../move/tree/mdk_totem:1
+#: install_any.pm:434
#, c-format
-msgid "You can only run with no CDROM support"
+msgid ""
+"The following packages will be removed to allow upgrading your system: %s\n"
+"\n"
+"\n"
+"Do you really want to remove these packages?\n"
msgstr ""
-#: ../../modules/interactive.pm:1
-#, c-format
-msgid "See hardware info"
-msgstr ""
+#: install_any.pm:812
+#, fuzzy, c-format
+msgid "Insert a FAT formatted floppy in drive %s"
+msgstr "dalam"
-#: ../../standalone/drakbackup:1
+#: install_any.pm:816
#, c-format
-msgid "Day"
+msgid "This floppy is not FAT formatted"
msgstr ""
-#: ../../any.pm:1
+#: install_any.pm:828
#, fuzzy, c-format
-msgid "First sector of boot partition"
-msgstr "Sektor pertama bagi partisyen but"
-
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Printer manufacturer, model"
-msgstr ""
+msgid ""
+"To use this saved packages selection, boot installation with ``linux "
+"defcfg=floppy''"
+msgstr "Kepada"
-#: ../../printer/data.pm:1
-#, c-format
-msgid "PDQ - Print, Don't Queue"
-msgstr ""
+#: install_any.pm:856 partition_table.pm:845
+#, fuzzy, c-format
+msgid "Error reading file %s"
+msgstr "Ralat fail"
-#: ../../standalone.pm:1
+#: install_any.pm:973
#, fuzzy, c-format
msgid ""
-"[OPTIONS]...\n"
-"Mandrake Terminal Server Configurator\n"
-"--enable : enable MTS\n"
-"--disable : disable MTS\n"
-"--start : start MTS\n"
-"--stop : stop MTS\n"
-"--adduser : add an existing system user to MTS (requires username)\n"
-"--deluser : delete an existing system user from MTS (requires "
-"username)\n"
-"--addclient : add a client machine to MTS (requires MAC address, IP, "
-"nbi image name)\n"
-"--delclient : delete a client machine from MTS (requires MAC address, "
-"IP, nbi image name)"
-msgstr "Pelayan mula mula pengguna pengguna IP IP"
+"An error occurred - no valid devices were found on which to create new "
+"filesystems. Please check your hardware for the cause of this problem"
+msgstr "ralat tidak on"
-#: ../../standalone/drakTermServ:1
+#: install_gtk.pm:161
#, fuzzy, c-format
-msgid "Subnet Mask:"
-msgstr "Topengan:"
+msgid "System installation"
+msgstr "Sistem"
-#: ../../security/l10n.pm:1
+#: install_gtk.pm:164
#, fuzzy, c-format
-msgid "Set password expiration and account inactivation delays"
-msgstr "dan"
+msgid "System configuration"
+msgstr "Sistem"
-#: ../../standalone/logdrake:1
-#, c-format
+#: install_interactive.pm:22
+#, fuzzy, c-format
msgid ""
-"_: load here is a noun, the load of the system\n"
-"Load"
-msgstr ""
+"Some hardware on your computer needs ``proprietary'' drivers to work.\n"
+"You can find some information about them at: %s"
+msgstr "on"
-#: ../../Xconfig/monitor.pm:1
+#: install_interactive.pm:62
#, fuzzy, c-format
msgid ""
-"The two critical parameters are the vertical refresh rate, which is the "
-"rate\n"
-"at which the whole screen is refreshed, and most importantly the horizontal\n"
-"sync rate, which is the rate at which scanlines are displayed.\n"
-"\n"
-"It is VERY IMPORTANT that you do not specify a monitor type with a sync "
-"range\n"
-"that is beyond the capabilities of your monitor: you may damage your "
-"monitor.\n"
-" If in doubt, choose a conservative setting."
-msgstr ""
-"menegak dan mengufuk\n"
-" dalam."
+"You must have a root partition.\n"
+"For this, create a partition (or click on an existing one).\n"
+"Then choose action ``Mount point'' and set it to `/'"
+msgstr "on dan"
-#: ../../help.pm:1 ../../interactive.pm:1 ../../interactive/gtk.pm:1
+#: install_interactive.pm:67
#, c-format
-msgid "Modify"
-msgstr ""
-
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
msgid ""
+"You don't have a swap partition.\n"
"\n"
-"The \"%s\" and \"%s\" commands also allow to modify the option settings for "
-"a particular printing job. Simply add the desired settings to the command "
-"line, e. g. \"%s <file>\".\n"
-msgstr "dan<file>"
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Need hostname, username and password!"
-msgstr "dan!"
-
-#: ../../network/tools.pm:1
-#, fuzzy, c-format
-msgid "Insert floppy"
-msgstr "dalam"
+"Continue anyway?"
+msgstr ""
-#: ../../diskdrake/dav.pm:1
+#: install_interactive.pm:70 install_steps.pm:206
#, fuzzy, c-format
-msgid ""
-"WebDAV is a protocol that allows you to mount a web server's directory\n"
-"locally, and treat it like a local filesystem (provided the web server is\n"
-"configured as a WebDAV server). If you would like to add WebDAV mount\n"
-"points, select \"New\"."
-msgstr "direktori dan lokal Baru."
+msgid "You must have a FAT partition mounted in /boot/efi"
+msgstr "terpasang dalam"
-#: ../../standalone/drakbug:1
+#: install_interactive.pm:97
#, c-format
-msgid "HardDrake"
+msgid "Not enough free space to allocate new partitions"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: install_interactive.pm:105
#, c-format
-msgid "new"
+msgid "Use existing partitions"
msgstr ""
-#: ../../security/help.pm:1
-#, c-format
-msgid "Enable/Disable syslog reports to console 12"
-msgstr ""
+#: install_interactive.pm:107
+#, fuzzy, c-format
+msgid "There is no existing partition to use"
+msgstr "tidak"
-#: ../../install_steps_interactive.pm:1
+#: install_interactive.pm:114
+#, fuzzy, c-format
+msgid "Use the Windows partition for loopback"
+msgstr "Tetingkap"
+
+#: install_interactive.pm:117
#, c-format
-msgid "Would you like to try again?"
+msgid "Which partition do you want to use for Linux4Win?"
msgstr ""
-#: ../../help.pm:1 ../../diskdrake/hd_gtk.pm:1
+#: install_interactive.pm:119
#, c-format
-msgid "Wizard"
+msgid "Choose the sizes"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: install_interactive.pm:120
#, fuzzy, c-format
-msgid "Edit selected server"
-msgstr "Edit"
+msgid "Root partition size in MB: "
+msgstr "dalam "
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "Please choose where you want to backup"
-msgstr ""
+#: install_interactive.pm:121
+#, fuzzy, c-format
+msgid "Swap partition size in MB: "
+msgstr "dalam "
-#: ../../install_steps_interactive.pm:1
-#, c-format
-msgid "You need to reboot for the partition table modifications to take place"
-msgstr ""
+#: install_interactive.pm:130
+#, fuzzy, c-format
+msgid "There is no FAT partition to use as loopback (or not enough space left)"
+msgstr "tidak"
-#: ../../standalone/drakbackup:1
+#: install_interactive.pm:139
#, c-format
-msgid "Do not include the browser cache"
+msgid "Which partition do you want to resize?"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: install_interactive.pm:153
#, fuzzy, c-format
msgid ""
-"Failed to check filesystem %s. Do you want to repair the errors? (beware, "
-"you can lose data)"
-msgstr "Gagal"
+"The FAT resizer is unable to handle your partition, \n"
+"the following error occured: %s"
+msgstr "ralat"
-#: ../../standalone/keyboarddrake:1
-#, c-format
-msgid "Please, choose your keyboard layout."
-msgstr ""
+#: install_interactive.pm:156
+#, fuzzy, c-format
+msgid "Computing the size of the Windows partition"
+msgstr "Tetingkap"
+
+#: install_interactive.pm:163
+#, fuzzy, c-format
+msgid ""
+"Your Windows partition is too fragmented. Please reboot your computer under "
+"Windows, run the ``defrag'' utility, then restart the Mandrake Linux "
+"installation."
+msgstr "Tetingkap Tetingkap ulanghidup."
+
+#: install_interactive.pm:164
+#, fuzzy, c-format
+msgid ""
+"WARNING!\n"
+"\n"
+"DrakX will now resize your Windows partition. Be careful: this\n"
+"operation is dangerous. If you have not already done so, you\n"
+"first need to exit the installation, run \"chkdsk c:\" from a\n"
+"Command Prompt under Windows (beware, running graphical program\n"
+"\"scandisk\" is not enough, be sure to use \"chkdsk\" in a\n"
+"Command Prompt!), optionally run defrag, then restart the\n"
+"installation. You should also backup your data.\n"
+"When sure, press Ok."
+msgstr "AMARAN Tetingkap siap Tetingkap dan ulanghidup Ok."
+
+#: install_interactive.pm:176
+#, fuzzy, c-format
+msgid "Which size do you want to keep for Windows on"
+msgstr "Tetingkap"
-#: ../../mouse.pm:1 ../../security/level.pm:1
+#: install_interactive.pm:177
#, c-format
-msgid "Standard"
+msgid "partition %s"
msgstr ""
-#: ../../standalone/mousedrake:1
+#: install_interactive.pm:186
+#, fuzzy, c-format
+msgid "Resizing Windows partition"
+msgstr "Tetingkap"
+
+#: install_interactive.pm:191
#, c-format
-msgid "Please choose your mouse type."
+msgid "FAT resizing failed: %s"
msgstr ""
-#: ../../standalone/drakconnect:1
+#: install_interactive.pm:206
#, fuzzy, c-format
-msgid "Connect..."
-msgstr "Sambung."
+msgid "There is no FAT partition to resize (or not enough space left)"
+msgstr "tidak"
-#: ../../printer/printerdrake.pm:1
+#: install_interactive.pm:211
#, fuzzy, c-format
-msgid "Failed to configure printer \"%s\"!"
-msgstr "Gagal!"
+msgid "Remove Windows(TM)"
+msgstr "Buang Tetingkap"
-#: ../../install_steps_gtk.pm:1 ../../install_steps_interactive.pm:1
-#, c-format
-msgid "not configured"
-msgstr ""
+#: install_interactive.pm:213
+#, fuzzy, c-format
+msgid "You have more than one hard drive, which one do you install linux on?"
+msgstr "on?"
-#: ../../network/isdn.pm:1
+#: install_interactive.pm:217
+#, fuzzy, c-format
+msgid "ALL existing partitions and their data will be lost on drive %s"
+msgstr "dan on"
+
+#: install_interactive.pm:230
#, c-format
-msgid "ISA / PCMCIA"
+msgid "Use fdisk"
msgstr ""
-#: ../../standalone/drakfont:1
+#: install_interactive.pm:233
#, fuzzy, c-format
-msgid "About"
-msgstr "Perihal"
+msgid ""
+"You can now partition %s.\n"
+"When you are done, don't forget to save using `w'"
+msgstr "siap"
-#: ../../mouse.pm:1
+#: install_interactive.pm:269
#, c-format
-msgid "GlidePoint"
+msgid "I can't find any room for installing"
msgstr ""
-#: ../../network/network.pm:1
-#, c-format
-msgid "Proxies configuration"
-msgstr ""
+#: install_interactive.pm:273
+#, fuzzy, c-format
+msgid "The DrakX Partitioning wizard found the following solutions:"
+msgstr "Pempartisyenan:"
-#: ../../diskdrake/interactive.pm:1
+#: install_interactive.pm:279
#, fuzzy, c-format
-msgid "Start: sector %s\n"
-msgstr "Mula"
+msgid "Partitioning failed: %s"
+msgstr "Pempartisyenan"
-#: ../../standalone/drakconnect:1
+#: install_interactive.pm:286
#, c-format
-msgid "No Mask"
+msgid "Bringing up the network"
msgstr ""
-#: ../../standalone/drakgw:1
-#, fuzzy, c-format
-msgid "Network interface already configured"
-msgstr "Rangkaian"
-
-#: ../../standalone/drakTermServ:1
+#: install_interactive.pm:291
#, c-format
-msgid "Couldn't access the floppy!"
+msgid "Bringing down the network"
+msgstr ""
+
+#: install_messages.pm:9
+#, fuzzy, c-format
+msgid ""
+"Introduction\n"
+"\n"
+"The operating system and the different components available in the Mandrake "
+"Linux distribution \n"
+"shall be called the \"Software Products\" hereafter. The Software Products "
+"include, but are not \n"
+"restricted to, the set of programs, methods, rules and documentation related "
+"to the operating \n"
+"system and the different components of the Mandrake Linux distribution.\n"
+"\n"
+"\n"
+"1. License Agreement\n"
+"\n"
+"Please read this document carefully. This document is a license agreement "
+"between you and \n"
+"MandrakeSoft S.A. which applies to the Software Products.\n"
+"By installing, duplicating or using the Software Products in any manner, you "
+"explicitly \n"
+"accept and fully agree to conform to the terms and conditions of this "
+"License. \n"
+"If you disagree with any portion of the License, you are not allowed to "
+"install, duplicate or use \n"
+"the Software Products. \n"
+"Any attempt to install, duplicate or use the Software Products in a manner "
+"which does not comply \n"
+"with the terms and conditions of this License is void and will terminate "
+"your rights under this \n"
+"License. Upon termination of the License, you must immediately destroy all "
+"copies of the \n"
+"Software Products.\n"
+"\n"
+"\n"
+"2. Limited Warranty\n"
+"\n"
+"The Software Products and attached documentation are provided \"as is\", "
+"with no warranty, to the \n"
+"extent permitted by law.\n"
+"MandrakeSoft S.A. will, in no circumstances and to the extent permitted by "
+"law, be liable for any special,\n"
+"incidental, direct or indirect damages whatsoever (including without "
+"limitation damages for loss of \n"
+"business, interruption of business, financial loss, legal fees and penalties "
+"resulting from a court \n"
+"judgment, or any other consequential loss) arising out of the use or "
+"inability to use the Software \n"
+"Products, even if MandrakeSoft S.A. has been advised of the possibility or "
+"occurence of such \n"
+"damages.\n"
+"\n"
+"LIMITED LIABILITY LINKED TO POSSESSING OR USING PROHIBITED SOFTWARE IN SOME "
+"COUNTRIES\n"
+"\n"
+"To the extent permitted by law, MandrakeSoft S.A. or its distributors will, "
+"in no circumstances, be \n"
+"liable for any special, incidental, direct or indirect damages whatsoever "
+"(including without \n"
+"limitation damages for loss of business, interruption of business, financial "
+"loss, legal fees \n"
+"and penalties resulting from a court judgment, or any other consequential "
+"loss) arising out \n"
+"of the possession and use of software components or arising out of "
+"downloading software components \n"
+"from one of Mandrake Linux sites which are prohibited or restricted in some "
+"countries by local laws.\n"
+"This limited liability applies to, but is not restricted to, the strong "
+"cryptography components \n"
+"included in the Software Products.\n"
+"\n"
+"\n"
+"3. The GPL License and Related Licenses\n"
+"\n"
+"The Software Products consist of components created by different persons or "
+"entities. Most \n"
+"of these components are governed under the terms and conditions of the GNU "
+"General Public \n"
+"Licence, hereafter called \"GPL\", or of similar licenses. Most of these "
+"licenses allow you to use, \n"
+"duplicate, adapt or redistribute the components which they cover. Please "
+"read carefully the terms \n"
+"and conditions of the license agreement for each component before using any "
+"component. Any question \n"
+"on a component license should be addressed to the component author and not "
+"to MandrakeSoft.\n"
+"The programs developed by MandrakeSoft S.A. are governed by the GPL License. "
+"Documentation written \n"
+"by MandrakeSoft S.A. is governed by a specific license. Please refer to the "
+"documentation for \n"
+"further details.\n"
+"\n"
+"\n"
+"4. Intellectual Property Rights\n"
+"\n"
+"All rights to the components of the Software Products belong to their "
+"respective authors and are \n"
+"protected by intellectual property and copyright laws applicable to software "
+"programs.\n"
+"MandrakeSoft S.A. reserves its rights to modify or adapt the Software "
+"Products, as a whole or in \n"
+"parts, by all means and for all purposes.\n"
+"\"Mandrake\", \"Mandrake Linux\" and associated logos are trademarks of "
+"MandrakeSoft S.A. \n"
+"\n"
+"\n"
+"5. Governing Laws \n"
+"\n"
+"If any portion of this agreement is held void, illegal or inapplicable by a "
+"court judgment, this \n"
+"portion is excluded from this contract. You remain bound by the other "
+"applicable sections of the \n"
+"agreement.\n"
+"The terms and conditions of this License are governed by the Laws of "
+"France.\n"
+"All disputes on the terms of this license will preferably be settled out of "
+"court. As a last \n"
+"resort, the dispute will be referred to the appropriate Courts of Law of "
+"Paris - France.\n"
+"For any question on this document, please contact MandrakeSoft S.A. \n"
msgstr ""
+"Pengenalan dan dalam dan dan dan A dalam dan dan dalam dan dan dan tidak A "
+"dalam tidak dan dan keluar A A dalam tidak keluar dan keluar dalam lokal "
+"dalam dan dan Umum dan A Dokumentasi A Kanan: dan dan A dalam dan dan A dan "
+"Perancis on keluar Perancis on A"
-#: ../../install_messages.pm:1
+#: install_messages.pm:89
#, c-format
msgid ""
"Warning: Free Software may not necessarily be patent free, and some Free\n"
@@ -3849,7236 +4989,7482 @@ msgid ""
"may be applicable to you, check your local laws."
msgstr ""
-#: ../../network/drakfirewall.pm:1
+#: install_messages.pm:96
#, fuzzy, c-format
-msgid "Mail Server"
-msgstr "Pelayan Mel"
-
-#: ../../diskdrake/hd_gtk.pm:1
-#, fuzzy, c-format
-msgid "Please click on a partition"
-msgstr "on"
+msgid ""
+"\n"
+"Warning\n"
+"\n"
+"Please read carefully the terms below. If you disagree with any\n"
+"portion, you are not allowed to install the next CD media. Press 'Refuse' \n"
+"to continue the installation without using these media.\n"
+"\n"
+"\n"
+"Some components contained in the next CD media are not governed\n"
+"by the GPL License or similar agreements. Each such component is then\n"
+"governed by the terms and conditions of its own specific license. \n"
+"Please read carefully and comply with such specific licenses before \n"
+"you use or redistribute the said components. \n"
+"Such licenses will in general prevent the transfer, duplication \n"
+"(except for backup purposes), redistribution, reverse engineering, \n"
+"de-assembly, de-compilation or modification of the component. \n"
+"Any breach of agreement will immediately terminate your rights under \n"
+"the specific license. Unless the specific license terms grant you such\n"
+"rights, you usually cannot install the programs on more than one\n"
+"system, or adapt it to be used on a network. In doubt, please contact \n"
+"directly the distributor or editor of the component. \n"
+"Transfer to third parties or copying of such components including the \n"
+"documentation is usually forbidden.\n"
+"\n"
+"\n"
+"All rights to the components of the next CD media belong to their \n"
+"respective authors and are protected by intellectual property and \n"
+"copyright laws applicable to software programs.\n"
+msgstr "dalam dan dan dalam on on Masuk dan dan"
-#: ../../printer/main.pm:1
+#: install_messages.pm:128
#, fuzzy, c-format
-msgid "Multi-function device on HP JetDirect"
-msgstr "on"
+msgid ""
+"Congratulations, installation is complete.\n"
+"Remove the boot media and press return to reboot.\n"
+"\n"
+"\n"
+"For information on fixes which are available for this release of Mandrake "
+"Linux,\n"
+"consult the Errata available from:\n"
+"\n"
+"\n"
+"%s\n"
+"\n"
+"\n"
+"Information on configuring your system is available in the post\n"
+"install chapter of the Official Mandrake Linux User's Guide."
+msgstr "Tahniah dan on on dalam Pengguna."
-#: ../../any.pm:1 ../../standalone/drakbackup:1
+#: install_messages.pm:141
#, c-format
-msgid "Linux"
-msgstr ""
+msgid "http://www.mandrakelinux.com/en/100errata.php3"
+msgstr "http://www.mandrakelinux.com/en/100errata.php3"
-#: ../../standalone/drakxtv:1
+#: install_steps.pm:241
#, c-format
-msgid "Have a nice day!"
+msgid "Duplicate mount point %s"
msgstr ""
-#: ../../help.pm:1
-#, c-format
-msgid "/dev/fd0"
-msgstr ""
+#: install_steps.pm:410
+#, fuzzy, c-format
+msgid ""
+"Some important packages didn't get installed properly.\n"
+"Either your cdrom drive or your cdrom is defective.\n"
+"Check the cdrom on an installed computer using \"rpm -qpl Mandrake/RPMS/*.rpm"
+"\"\n"
+msgstr "on"
-#: ../../install_steps_interactive.pm:1
+#: install_steps.pm:541
#, fuzzy, c-format
-msgid "Upgrade %s"
-msgstr "Tingkatupaya"
+msgid "No floppy drive available"
+msgstr "Tidak"
-#: ../../printer/printerdrake.pm:1
+#: install_steps_auto_install.pm:76 install_steps_stdio.pm:27
#, c-format
-msgid "Select Printer Connection"
+msgid "Entering step `%s'\n"
msgstr ""
-#: ../../standalone/drakxtv:1
-#, fuzzy, c-format
-msgid "Scanning for TV channels in progress ..."
-msgstr "dalam."
-
-#: ../../standalone/drakbackup:1
+#: install_steps_gtk.pm:178
#, fuzzy, c-format
msgid ""
-"Error during sending file via FTP.\n"
-" Please correct your FTP configuration."
-msgstr ""
-"Ralat fail FTP\n"
-" FTP."
+"Your system is low on resources. You may have some problem installing\n"
+"Mandrake Linux. If that occurs, you can try a text install instead. For "
+"this,\n"
+"press `F1' when booting on CDROM, then enter `text'."
+msgstr "on on."
-#: ../../standalone/drakTermServ:1
+#: install_steps_gtk.pm:232 install_steps_interactive.pm:587
#, fuzzy, c-format
-msgid "IP Range Start:"
-msgstr "IP Mula:"
+msgid "Package Group Selection"
+msgstr "Pemilihan Kumpulan Pakej"
-#: ../../services.pm:1
+#: install_steps_gtk.pm:292 install_steps_interactive.pm:519
#, fuzzy, c-format
-msgid ""
-"The internet superserver daemon (commonly called inetd) starts a\n"
-"variety of other internet services as needed. It is responsible for "
-"starting\n"
-"many services, including telnet, ftp, rsh, and rlogin. Disabling inetd "
-"disables\n"
-"all of the services it is responsible for."
-msgstr "dan."
+msgid "Total size: %d / %d MB"
+msgstr "Jumlah"
-#: ../../standalone/draksplash:1
+#: install_steps_gtk.pm:338
#, c-format
-msgid "the height of the progress bar"
+msgid "Bad package"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: install_steps_gtk.pm:340
#, fuzzy, c-format
-msgid ""
-"\n"
-"- Save via %s on host: %s\n"
-msgstr "Simpan on"
-
-#: ../../lang.pm:1 ../../standalone/drakxtv:1
-#, fuzzy, c-format
-msgid "Argentina"
-msgstr "Argentina"
-
-#: ../../network/drakfirewall.pm:1
-#, fuzzy, c-format
-msgid "Domain Name Server"
-msgstr "Domain Nama"
+msgid "Version: "
+msgstr "Versi: "
-#: ../../standalone/draksec:1
+#: install_steps_gtk.pm:341
#, fuzzy, c-format
-msgid "Security Level:"
-msgstr "Tahap keselamatan:"
+msgid "Size: "
+msgstr "Saiz: "
-#: ../../fsedit.pm:1
+#: install_steps_gtk.pm:341
#, c-format
-msgid "Mount points must begin with a leading /"
+msgid "%d KB\n"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: install_steps_gtk.pm:342
#, c-format
-msgid "Choose your CD/DVD device"
+msgid "Importance: "
msgstr ""
-#: ../../network/drakfirewall.pm:1
-#, fuzzy, c-format
-msgid "CUPS server"
-msgstr "Pelayan"
-
-#: ../../standalone/logdrake:1
-#, fuzzy, c-format
-msgid "Postfix Mail Server"
-msgstr "Mel"
-
-#: ../../diskdrake/interactive.pm:1
-#, fuzzy, c-format
-msgid "Quit without saving"
-msgstr "Keluar tanpa menyimpan"
-
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Yemen"
-msgstr "Yaman"
-
-#: ../advertising/11-mnf.pl:1
-#, fuzzy, c-format
-msgid "This product is available on the MandrakeStore Web site."
-msgstr "on."
-
-#: ../../interactive/stdio.pm:1
+#: install_steps_gtk.pm:375
#, c-format
-msgid "=> There are many things to choose from (%s).\n"
+msgid "You can't select/unselect this package"
msgstr ""
-#: ../../standalone/drakclock:1
+#: install_steps_gtk.pm:379
#, c-format
-msgid "GMT - DrakClock"
+msgid "due to missing %s"
msgstr ""
-#: ../../../move/move.pm:1
+#: install_steps_gtk.pm:380
#, c-format
-msgid ""
-"An error occurred:\n"
-"\n"
-"\n"
-"%s\n"
-"\n"
-"This may come from corrupted system configuration files\n"
-"on the USB key, in this case removing them and then\n"
-"rebooting Mandrake Move would fix the problem. To do\n"
-"so, click on the corresponding button.\n"
-"\n"
-"\n"
-"You may also want to reboot and remove the USB key, or\n"
-"examine its contents under another OS, or even have\n"
-"a look at log files in console #3 and #4 to try to\n"
-"guess what's happening."
+msgid "due to unsatisfied %s"
msgstr ""
-#: ../../steps.pm:1
+#: install_steps_gtk.pm:381
#, c-format
-msgid "Hard drive detection"
+msgid "trying to promote %s"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: install_steps_gtk.pm:382
#, c-format
-msgid ""
-"You haven't selected any group of packages.\n"
-"Please choose the minimal installation you want:"
+msgid "in order to keep %s"
msgstr ""
-#: ../../network/adsl.pm:1
+#: install_steps_gtk.pm:387
#, c-format
msgid ""
-"You need the Alcatel microcode.\n"
-"You can provide it now via a floppy or your windows partition,\n"
-"or skip and do it later."
+"You can't select this package as there is not enough space left to install it"
msgstr ""
-#: ../../diskdrake/dav.pm:1
+#: install_steps_gtk.pm:390
#, c-format
-msgid "Please enter the WebDAV server URL"
+msgid "The following packages are going to be installed"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Tajikistan"
-msgstr "Tajikistan"
-
-#: ../../help.pm:1 ../../install_steps_gtk.pm:1
-#: ../../install_steps_interactive.pm:1 ../../standalone/drakautoinst:1
-#, fuzzy, c-format
-msgid "Accept"
-msgstr "Terima"
-
-#: ../../printer/printerdrake.pm:1 ../../standalone/harddrake2:1
-#: ../../standalone/printerdrake:1
-#, fuzzy, c-format
-msgid "Description"
-msgstr "Huraian"
-
-#: ../../standalone/drakbug:1
+#: install_steps_gtk.pm:391
#, c-format
-msgid "Please enter summary text."
+msgid "The following packages are going to be removed"
msgstr ""
-#: ../../fsedit.pm:1
-#, fuzzy, c-format
-msgid "Error opening %s for writing: %s"
-msgstr "Ralat"
-
-#: ../../Xconfig/various.pm:1
-#, fuzzy, c-format
-msgid "Mouse type: %s\n"
-msgstr "Tetikus"
-
-#: ../../Xconfig/card.pm:1
+#: install_steps_gtk.pm:415
#, c-format
-msgid "Your card can have 3D hardware acceleration support with XFree %s."
+msgid "This is a mandatory package, it can't be unselected"
msgstr ""
-#: ../../Xconfig/monitor.pm:1
+#: install_steps_gtk.pm:417
#, c-format
-msgid "Choose a monitor"
+msgid "You can't unselect this package. It is already installed"
msgstr ""
-#: ../../any.pm:1
+#: install_steps_gtk.pm:420
#, c-format
-msgid "Empty label not allowed"
+msgid ""
+"This package must be upgraded.\n"
+"Are you sure you want to deselect it?"
msgstr ""
-#: ../../keyboard.pm:1
+#: install_steps_gtk.pm:423
#, c-format
-msgid "Maltese (UK)"
+msgid "You can't unselect this package. It must be upgraded"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: install_steps_gtk.pm:428
#, c-format
-msgid "I can't add any more partition"
+msgid "Show automatically selected packages"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: install_steps_gtk.pm:433
#, fuzzy, c-format
-msgid "Size in MB: "
-msgstr "Saiz dalam "
+msgid "Load/Save on floppy"
+msgstr "Simpan on"
-#: ../../printer/main.pm:1
+#: install_steps_gtk.pm:434
#, c-format
-msgid "Remote printer"
+msgid "Updating package selection"
msgstr ""
-#: ../../any.pm:1
+#: install_steps_gtk.pm:439
+#, fuzzy, c-format
+msgid "Minimal install"
+msgstr "Minima"
+
+#: install_steps_gtk.pm:453 install_steps_interactive.pm:427
#, c-format
-msgid "Please choose a language to use."
+msgid "Choose the packages you want to install"
msgstr ""
-#: ../../network/network.pm:1
-#, fuzzy, c-format
-msgid ""
-"WARNING: this device has been previously configured to connect to the "
-"Internet.\n"
-"Simply accept to keep this device configured.\n"
-"Modifying the fields below will override this configuration."
-msgstr "AMARAN Internet terima."
+#: install_steps_gtk.pm:469 install_steps_interactive.pm:673
+#, c-format
+msgid "Installing"
+msgstr ""
-#: ../../any.pm:1
+#: install_steps_gtk.pm:475
#, fuzzy, c-format
-msgid "I can set up your computer to automatically log on one user."
-msgstr "on pengguna."
+msgid "No details"
+msgstr "Tidak"
-#: ../../standalone/harddrake2:1
+#: install_steps_gtk.pm:476
#, c-format
-msgid "Floppy format"
+msgid "Estimating"
msgstr ""
-#: ../../standalone/drakfont:1
-#, fuzzy, c-format
-msgid "Generic Printers"
-msgstr "Generik"
-
-#: ../../printer/printerdrake.pm:1
+#: install_steps_gtk.pm:482
#, fuzzy, c-format
-msgid ""
-"Please choose the printer to which the print jobs should go or enter a "
-"device name/file name in the input line"
-msgstr "fail dalam"
+msgid "Time remaining "
+msgstr "Masa "
-#: ../../standalone/scannerdrake:1
-#, fuzzy, c-format
-msgid "The scanners on this machine are available to other computers"
-msgstr "on"
+#: install_steps_gtk.pm:494
+#, c-format
+msgid "Please wait, preparing installation..."
+msgstr ""
-#: ../../any.pm:1
+#: install_steps_gtk.pm:555
#, c-format
-msgid "First sector of the root partition"
+msgid "%d packages"
msgstr ""
-#: ../../standalone/harddrake2:1
+#: install_steps_gtk.pm:560
#, c-format
-msgid "Alternative drivers"
+msgid "Installing package %s"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: install_steps_gtk.pm:596 install_steps_interactive.pm:88
+#: install_steps_interactive.pm:697
#, c-format
+msgid "Refuse"
+msgstr ""
+
+#: install_steps_gtk.pm:597 install_steps_interactive.pm:698
+#, fuzzy, c-format
msgid ""
+"Change your Cd-Rom!\n"
"\n"
-"Please check all options that you need.\n"
-msgstr ""
+"Please insert the Cd-Rom labelled \"%s\" in your drive and press Ok when "
+"done.\n"
+"If you don't have it, press Cancel to avoid installation from this Cd-Rom."
+msgstr "Ubah dalam dan Ok siap Batal."
-#: ../../any.pm:1
+#: install_steps_gtk.pm:612 install_steps_interactive.pm:710
+#, fuzzy, c-format
+msgid "There was an error ordering packages:"
+msgstr "ralat:"
+
+#: install_steps_gtk.pm:612 install_steps_gtk.pm:616
+#: install_steps_interactive.pm:710 install_steps_interactive.pm:714
+#, fuzzy, c-format
+msgid "Go on anyway?"
+msgstr "Pergi ke on?"
+
+#: install_steps_gtk.pm:616 install_steps_interactive.pm:714
+#, fuzzy, c-format
+msgid "There was an error installing packages:"
+msgstr "ralat:"
+
+#: install_steps_gtk.pm:656 install_steps_interactive.pm:881
+#: install_steps_interactive.pm:1029
#, c-format
-msgid "Initrd"
+msgid "not configured"
msgstr ""
-#: ../../lang.pm:1
+#: install_steps_interactive.pm:81
#, fuzzy, c-format
-msgid "Cape Verde"
-msgstr "Cape Verde"
+msgid "Do you want to recover your system?"
+msgstr "Salin on"
-#: ../../standalone/harddrake2:1
+#: install_steps_interactive.pm:82
#, c-format
-msgid "whether this cpu has the Cyrix 6x86 Coma bug"
+msgid "License agreement"
msgstr ""
-#: ../../standalone/printerdrake:1
+#: install_steps_interactive.pm:111
#, c-format
-msgid "Loading printer configuration... Please wait"
+msgid "Please choose your keyboard layout."
msgstr ""
-#: ../../standalone/harddrake2:1
+#: install_steps_interactive.pm:113
#, fuzzy, c-format
-msgid "early pentiums were buggy and freezed when decoding the F00F bytecode"
-msgstr "dan"
+msgid "Here is the full list of keyboards available"
+msgstr "penuh"
-#: ../../lang.pm:1
+#: install_steps_interactive.pm:143
#, fuzzy, c-format
-msgid "Guam"
-msgstr "Guam"
+msgid "Install/Upgrade"
+msgstr "Install"
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid ""
-"Please choose the port that your printer is connected to or enter a device "
-"name/file name in the input line"
-msgstr "fail dalam"
+#: install_steps_interactive.pm:144
+#, c-format
+msgid "Is this an install or an upgrade?"
+msgstr ""
-#: ../../standalone/logdrake:1
+#: install_steps_interactive.pm:150
#, fuzzy, c-format
-msgid "/Options/Test"
-msgstr "Pilihan"
+msgid "Upgrade %s"
+msgstr "Tingkatupaya"
-#: ../../security/level.pm:1
-#, fuzzy, c-format
-msgid ""
-"This level is to be used with care. It makes your system more easy to use,\n"
-"but very sensitive. It must not be used for a machine connected to others\n"
-"or to the Internet. There is no password access."
-msgstr "Internet tidak."
+#: install_steps_interactive.pm:160
+#, c-format
+msgid "Encryption key for %s"
+msgstr ""
-#: ../../fs.pm:1
+#: install_steps_interactive.pm:177
#, c-format
-msgid "Mounting partition %s"
+msgid "Please choose your type of mouse."
msgstr ""
-#: ../../any.pm:1 ../../help.pm:1 ../../printer/printerdrake.pm:1
+#: install_steps_interactive.pm:186 standalone/mousedrake:46
#, fuzzy, c-format
-msgid "User name"
-msgstr "Nama pengguna"
+msgid "Mouse Port"
+msgstr "Liang Tetikus"
-#: ../../standalone/drakbug:1
+#: install_steps_interactive.pm:187 standalone/mousedrake:47
#, fuzzy, c-format
-msgid "Userdrake"
-msgstr "Userdrake"
+msgid "Please choose which serial port your mouse is connected to."
+msgstr "bersiri."
-#: ../../install_interactive.pm:1
+#: install_steps_interactive.pm:197
#, c-format
-msgid "Which partition do you want to use for Linux4Win?"
+msgid "Buttons emulation"
msgstr ""
-#: ../../install_steps_gtk.pm:1
+#: install_steps_interactive.pm:199
#, c-format
-msgid "due to missing %s"
+msgid "Button 2 Emulation"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Test pages"
-msgstr "Ujian"
-
-#: ../../diskdrake/interactive.pm:1
+#: install_steps_interactive.pm:200
#, c-format
-msgid "Logical volume name "
+msgid "Button 3 Emulation"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: install_steps_interactive.pm:221
#, c-format
-msgid ""
-"List of data to restore:\n"
-"\n"
+msgid "PCMCIA"
+msgstr "PCMCIA"
+
+#: install_steps_interactive.pm:221
+#, c-format
+msgid "Configuring PCMCIA cards..."
msgstr ""
-#: ../../fs.pm:1
+#: install_steps_interactive.pm:228
#, c-format
-msgid "Checking %s"
+msgid "IDE"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: install_steps_interactive.pm:228
#, c-format
-msgid "TCP/Socket Printer Options"
+msgid "Configuring IDE"
msgstr ""
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: install_steps_interactive.pm:248 network/tools.pm:197
#, fuzzy, c-format
-msgid "Card mem (DMA)"
-msgstr "DMA"
+msgid "No partition available"
+msgstr "Tidak"
-#: ../../standalone/net_monitor:1
+#: install_steps_interactive.pm:251
#, c-format
-msgid "Disconnecting from Internet "
+msgid "Scanning partitions to find mount points"
+msgstr "Mengimbas partisyen untuk mencari titik lekapan"
+
+#: install_steps_interactive.pm:258
+#, c-format
+msgid "Choose the mount points"
msgstr ""
-#: ../../crypto.pm:1 ../../lang.pm:1 ../../network/tools.pm:1
+#: install_steps_interactive.pm:288
#, fuzzy, c-format
-msgid "France"
-msgstr "Perancis"
+msgid ""
+"No free space for 1MB bootstrap! Install will continue, but to boot your "
+"system, you'll need to create the bootstrap partition in DiskDrake"
+msgstr "Tidak Install dalam"
-#: ../../standalone/drakperm:1
+#: install_steps_interactive.pm:325
#, c-format
-msgid "browse"
+msgid "Choose the partitions you want to format"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: install_steps_interactive.pm:327
#, c-format
-msgid "Checking installed software..."
+msgid "Check bad blocks?"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: install_steps_interactive.pm:359
+#, fuzzy, c-format
+msgid ""
+"Failed to check filesystem %s. Do you want to repair the errors? (beware, "
+"you can lose data)"
+msgstr "Gagal"
+
+#: install_steps_interactive.pm:362
#, c-format
-msgid "Remote printer name missing!"
+msgid "Not enough swap space to fulfill installation, please add some"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Do you want to enable printing on printers in the local network?\n"
-msgstr "on dalam lokal"
-
-#: ../../lang.pm:1
+#: install_steps_interactive.pm:369
#, fuzzy, c-format
-msgid "Turkey"
-msgstr "Turki"
+msgid "Looking for available packages and rebuilding rpm database..."
+msgstr "dan."
-#: ../../network/adsl.pm:1
+#: install_steps_interactive.pm:370 install_steps_interactive.pm:389
#, c-format
-msgid "Alcatel speedtouch usb"
+msgid "Looking for available packages..."
msgstr ""
-#: ../../standalone/harddrake2:1
+#: install_steps_interactive.pm:373
#, c-format
-msgid "Number of buttons"
+msgid "Looking at packages already installed..."
msgstr ""
-#: ../../keyboard.pm:1
+#: install_steps_interactive.pm:377
+#, fuzzy, c-format
+msgid "Finding packages to upgrade..."
+msgstr "Cari pakej untuk ditingkatupaya..."
+
+#: install_steps_interactive.pm:398
#, c-format
-msgid "Vietnamese \"numeric row\" QWERTY"
+msgid ""
+"Your system does not have enough space left for installation or upgrade (%d "
+"> %d)"
msgstr ""
-#: ../../standalone/harddrake2:1
-#, fuzzy, c-format
-msgid "Module"
-msgstr "Modul"
-
-#: ../../printer/printerdrake.pm:1
+#: install_steps_interactive.pm:439
#, fuzzy, c-format
msgid ""
-"In addition, queues not created with this program or \"foomatic-configure\" "
-"cannot be transferred."
-msgstr "Masuk."
+"Please choose load or save package selection on floppy.\n"
+"The format is the same as auto_install generated floppies."
+msgstr "on."
-#: ../../install_steps_interactive.pm:1
-#, fuzzy, c-format
-msgid "Hardware"
-msgstr "Perkakasan"
+#: install_steps_interactive.pm:441
+#, c-format
+msgid "Load from floppy"
+msgstr ""
-#: ../../keyboard.pm:1
+#: install_steps_interactive.pm:441
#, fuzzy, c-format
-msgid "Ctrl and Alt keys simultaneously"
-msgstr "Ctrl dan Alt"
+msgid "Save on floppy"
+msgstr "Simpan on"
-#: ../../crypto.pm:1 ../../lang.pm:1 ../../network/tools.pm:1
+#: install_steps_interactive.pm:445
#, fuzzy, c-format
-msgid "United States"
-msgstr "Amerika Syarikat"
+msgid "Package selection"
+msgstr "Pakej"
-#: ../../security/l10n.pm:1
+#: install_steps_interactive.pm:445
#, fuzzy, c-format
-msgid "User umask"
-msgstr "Pengguna"
+msgid "Loading from floppy"
+msgstr "Memuatkan"
-#: ../../any.pm:1
-#, fuzzy, c-format
-msgid "Default OS?"
-msgstr "Default?"
+#: install_steps_interactive.pm:450
+#, c-format
+msgid "Insert a floppy containing package selection"
+msgstr ""
-#: ../../keyboard.pm:1
-#, fuzzy, c-format
-msgid "Swiss (German layout)"
-msgstr "Jerman"
+#: install_steps_interactive.pm:533
+#, c-format
+msgid ""
+"Due to incompatibilities of the 2.6 series kernel with the LSB runtime\n"
+"tests, the 2.4 series kernel will be installed as the default to insure\n"
+"compliance under the \"LSB\" group selection."
+msgstr ""
-#: ../../Xconfig/card.pm:1
+#: install_steps_interactive.pm:540
#, c-format
-msgid "Configure all heads independently"
+msgid "Selected size is larger than available space"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: install_steps_interactive.pm:555
#, fuzzy, c-format
-msgid ""
-"Please choose the printer you want to set up. The configuration of the "
-"printer will work fully automatically. If your printer was not correctly "
-"detected or if you prefer a customized printer configuration, turn on "
-"\"Manual configuration\"."
-msgstr "on."
+msgid "Type of install"
+msgstr "Jenis"
-#: ../../install_steps_interactive.pm:1
+#: install_steps_interactive.pm:556
#, c-format
-msgid "NTP Server"
+msgid ""
+"You haven't selected any group of packages.\n"
+"Please choose the minimal installation you want:"
msgstr ""
-#: ../../security/l10n.pm:1
+#: install_steps_interactive.pm:560
#, fuzzy, c-format
-msgid "Sulogin(8) in single user level"
-msgstr "dalam tunggal pengguna"
+msgid "With basic documentation (recommended!)"
+msgstr "asas"
-#: ../../install_steps_gtk.pm:1
+#: install_steps_interactive.pm:561
#, fuzzy, c-format
-msgid "Load/Save on floppy"
-msgstr "Simpan on"
+msgid "Truly minimal install (especially no urpmi)"
+msgstr "tidak"
-#: ../../standalone/draksplash:1
+#: install_steps_interactive.pm:604 standalone/drakxtv:53
#, fuzzy, c-format
-msgid "This theme does not yet have a bootsplash in %s !"
-msgstr "dalam!"
-
-#: ../../pkgs.pm:1
-#, c-format
-msgid "nice"
-msgstr ""
+msgid "All"
+msgstr "Semua"
-#: ../../Xconfig/test.pm:1
+#: install_steps_interactive.pm:648
#, fuzzy, c-format
-msgid "Leaving in %d seconds"
-msgstr "dalam"
+msgid ""
+"If you have all the CDs in the list below, click Ok.\n"
+"If you have none of those CDs, click Cancel.\n"
+"If only some CDs are missing, unselect them, then click Ok."
+msgstr "dalam Ok tiada Batal Ok."
-#: ../../network/modem.pm:1
-#, fuzzy, c-format
-msgid "Please choose which serial port your modem is connected to."
-msgstr "bersiri."
+#: install_steps_interactive.pm:653
+#, c-format
+msgid "Cd-Rom labeled \"%s\""
+msgstr ""
-#: ../../standalone/drakperm:1
+#: install_steps_interactive.pm:673
#, c-format
-msgid "Property"
+msgid "Preparing installation"
msgstr ""
-#: ../../standalone/drakfont:1
+#: install_steps_interactive.pm:682
#, c-format
-msgid "Ghostscript"
+msgid ""
+"Installing package %s\n"
+"%d%%"
msgstr ""
-#: ../../standalone/drakconnect:1
+#: install_steps_interactive.pm:728
#, c-format
-msgid "LAN Configuration"
+msgid "Post-install configuration"
msgstr ""
-#: ../../lang.pm:1
+#: install_steps_interactive.pm:734
#, fuzzy, c-format
-msgid "Ghana"
-msgstr "Ghana"
+msgid "Please insert the Boot floppy used in drive %s"
+msgstr "dalam"
-#: ../../standalone/drakbackup:1
+#: install_steps_interactive.pm:740
#, fuzzy, c-format
-msgid "Path or Module required"
-msgstr "Modul"
+msgid "Please insert the Update Modules floppy in drive %s"
+msgstr "Kemaskini saja dalam"
-#: ../../standalone/drakfont:1
+#: install_steps_interactive.pm:761
#, fuzzy, c-format
-msgid "Advanced Options"
-msgstr "Lanjutan"
+msgid ""
+"You now have the opportunity to download updated packages. These packages\n"
+"have been updated after the distribution was released. They may\n"
+"contain security or bug fixes.\n"
+"\n"
+"To download these packages, you will need to have a working Internet \n"
+"connection.\n"
+"\n"
+"Do you want to install the updates ?"
+msgstr "Internet?"
-#: ../../standalone/drakbackup:1
+#: install_steps_interactive.pm:782
#, c-format
-msgid "View Configuration"
+msgid ""
+"Contacting Mandrake Linux web site to get the list of available mirrors..."
msgstr ""
-#: ../../standalone/harddrake2:1
+#: install_steps_interactive.pm:786
#, c-format
-msgid "Coma bug"
+msgid "Choose a mirror from which to get the packages"
msgstr ""
-#: ../../help.pm:1
-#, fuzzy, c-format
-msgid ""
-"At this point, you need to choose which partition(s) will be used for the\n"
-"installation of your Mandrake Linux system. If partitions have already been\n"
-"defined, either from a previous installation of GNU/Linux or by another\n"
-"partitioning tool, you can use existing partitions. Otherwise, hard drive\n"
-"partitions must be defined.\n"
-"\n"
-"To create partitions, you must first select a hard drive. You can select\n"
-"the disk for partitioning by clicking on ``hda'' for the first IDE drive,\n"
-"``hdb'' for the second, ``sda'' for the first SCSI drive and so on.\n"
-"\n"
-"To partition the selected hard drive, you can use these options:\n"
-"\n"
-" * \"%s\": this option deletes all partitions on the selected hard drive\n"
-"\n"
-" * \"%s\": this option enables you to automatically create ext3 and swap\n"
-"partitions in the free space of your hard drive\n"
-"\n"
-"\"%s\": gives access to additional features:\n"
-"\n"
-" * \"%s\": saves the partition table to a floppy. Useful for later\n"
-"partition-table recovery if necessary. It is strongly recommended that you\n"
-"perform this step.\n"
-"\n"
-" * \"%s\": allows you to restore a previously saved partition table from a\n"
-"floppy disk.\n"
-"\n"
-" * \"%s\": if your partition table is damaged, you can try to recover it\n"
-"using this option. Please be careful and remember that it doesn't always\n"
-"work.\n"
-"\n"
-" * \"%s\": discards all changes and reloads the partition table that was\n"
-"originally on the hard drive.\n"
-"\n"
-" * \"%s\": unchecking this option will force users to manually mount and\n"
-"unmount removable media such as floppies and CD-ROMs.\n"
-"\n"
-" * \"%s\": use this option if you wish to use a wizard to partition your\n"
-"hard drive. This is recommended if you do not have a good understanding of\n"
-"partitioning.\n"
-"\n"
-" * \"%s\": use this option to cancel your changes.\n"
-"\n"
-" * \"%s\": allows additional actions on partitions (type, options, format)\n"
-"and gives more information about the hard drive.\n"
-"\n"
-" * \"%s\": when you are finished partitioning your hard drive, this will\n"
-"save your changes back to disk.\n"
-"\n"
-"When defining the size of a partition, you can finely set the partition\n"
-"size by using the Arrow keys of your keyboard.\n"
-"\n"
-"Note: you can reach any option using the keyboard. Navigate through the\n"
-"partitions using [Tab] and the [Up/Down] arrows.\n"
-"\n"
-"When a partition is selected, you can use:\n"
-"\n"
-" * Ctrl-c to create a new partition (when an empty partition is selected)\n"
-"\n"
-" * Ctrl-d to delete a partition\n"
-"\n"
-" * Ctrl-m to set the mount point\n"
-"\n"
-"To get information about the different file system types available, please\n"
-"read the ext2FS chapter from the ``Reference Manual''.\n"
-"\n"
-"If you are installing on a PPC machine, you will want to create a small HFS\n"
-"``bootstrap'' partition of at least 1MB which will be used by the yaboot\n"
-"bootloader. If you opt to make the partition a bit larger, say 50MB, you\n"
-"may find it a useful place to store a spare kernel and ramdisk images for\n"
-"emergency boot situations."
+#: install_steps_interactive.pm:800
+#, c-format
+msgid "Contacting the mirror to get the list of available packages..."
msgstr ""
-"on dan on\n"
-" on\n"
-" dan dalam\n"
-"\n"
-"\n"
-" dan\n"
-" dan on\n"
-" secara manual dan dan\n"
-"\n"
-"\n"
-" on\n"
-" Tab dan Naik Turun\n"
-" Ctrl kosong\n"
-" Ctrl\n"
-" Ctrl fail on dan."
-#: ../../help.pm:1
-#, fuzzy, c-format
-msgid ""
-"Graphic Card\n"
-"\n"
-" The installer will normally automatically detect and configure the\n"
-"graphic card installed on your machine. If it is not the case, you can\n"
-"choose from this list the card you actually have installed.\n"
-"\n"
-" In the case that different servers are available for your card, with or\n"
-"without 3D acceleration, you are then asked to choose the server that best\n"
-"suits your needs."
+#: install_steps_interactive.pm:804
+#, c-format
+msgid "Unable to contact mirror %s"
msgstr ""
-"\n"
-" dan on\n"
-" Masuk."
-#: ../../install_steps_gtk.pm:1 ../../install_steps_interactive.pm:1
-#, fuzzy, c-format
-msgid "There was an error installing packages:"
-msgstr "ralat:"
-
-#: ../../printer/printerdrake.pm:1
+#: install_steps_interactive.pm:804
#, c-format
-msgid "Lexmark inkjet configuration"
+msgid "Would you like to try again?"
msgstr ""
-#: ../../help.pm:1 ../../diskdrake/interactive.pm:1
+#: install_steps_interactive.pm:830 standalone/drakclock:42
#, c-format
-msgid "Undo"
+msgid "Which is your timezone?"
msgstr ""
-#: ../../help.pm:1 ../../diskdrake/interactive.pm:1
-#, fuzzy, c-format
-msgid "Save partition table"
-msgstr "Simpan"
-
-#: ../../keyboard.pm:1
+#: install_steps_interactive.pm:835
#, c-format
-msgid "Finnish"
+msgid "Automatic time synchronization (using NTP)"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Macedonia"
-msgstr "Macedonia"
-
-#: ../../any.pm:1
-#, fuzzy, c-format
-msgid ""
-"The per-user sharing uses the group \"fileshare\". \n"
-"You can use userdrake to add a user to this group."
-msgstr "pengguna pengguna."
-
-#: ../../keyboard.pm:1
+#: install_steps_interactive.pm:843
#, c-format
-msgid "Slovenian"
+msgid "NTP Server"
msgstr ""
-#: ../../security/help.pm:1
+#: install_steps_interactive.pm:885 steps.pm:30
#, fuzzy, c-format
-msgid ""
-"Authorize:\n"
-"\n"
-"- all services controlled by tcp_wrappers (see hosts.deny(5) man page) if "
-"set to \"ALL\",\n"
-"\n"
-"- only local ones if set to \"LOCAL\"\n"
-"\n"
-"- none if set to \"NONE\".\n"
-"\n"
-"To authorize the services you need, use /etc/hosts.allow (see hosts.allow"
-"(5))."
-msgstr "hos lokal tiada hos hos."
+msgid "Summary"
+msgstr "Ringkasan"
-#: ../../lang.pm:1
+#: install_steps_interactive.pm:898 install_steps_interactive.pm:906
+#: install_steps_interactive.pm:920 install_steps_interactive.pm:927
+#: install_steps_interactive.pm:1076 services.pm:135
+#: standalone/drakbackup:1937
#, fuzzy, c-format
-msgid "Libya"
-msgstr "Libya"
+msgid "System"
+msgstr "Sistem"
-#: ../../standalone/drakgw:1
+#: install_steps_interactive.pm:934 install_steps_interactive.pm:961
+#: install_steps_interactive.pm:978 install_steps_interactive.pm:994
+#: install_steps_interactive.pm:1005
+#, fuzzy, c-format
+msgid "Hardware"
+msgstr "Perkakasan"
+
+#: install_steps_interactive.pm:940 install_steps_interactive.pm:949
#, c-format
-msgid "Configuring scripts, installing software, starting servers..."
+msgid "Remote CUPS server"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: install_steps_interactive.pm:940
#, fuzzy, c-format
-msgid "Printer on parallel port #%s"
-msgstr "on"
+msgid "No printer"
+msgstr "Tidak"
-#: ../../standalone/drakbackup:1
+#: install_steps_interactive.pm:982
#, c-format
-msgid ""
-"\n"
-"- Burn to CD"
+msgid "Do you have an ISA sound card?"
msgstr ""
-#: ../../any.pm:1
+#: install_steps_interactive.pm:984
#, c-format
-msgid "Table"
+msgid "Run \"sndconfig\" after installation to configure your sound card"
msgstr ""
-#: ../../fs.pm:1
+#: install_steps_interactive.pm:986
#, fuzzy, c-format
-msgid "I don't know how to format %s in type %s"
-msgstr "dalam"
+msgid "No sound card detected. Try \"harddrake\" after installation"
+msgstr "Tidak"
-#: ../../standalone/harddrake2:1 ../../standalone/printerdrake:1
+#: install_steps_interactive.pm:1006
#, fuzzy, c-format
-msgid "Model"
-msgstr "Model"
+msgid "Graphical interface"
+msgstr "Grafikal"
-#: ../../printer/main.pm:1 ../../printer/printerdrake.pm:1
+#: install_steps_interactive.pm:1012 install_steps_interactive.pm:1027
#, fuzzy, c-format
-msgid "USB printer #%s"
-msgstr "USB"
+msgid "Network & Internet"
+msgstr "Rangkaian"
+
+#: install_steps_interactive.pm:1028
+#, c-format
+msgid "Proxies"
+msgstr ""
-#: ../../standalone/drakTermServ:1
+#: install_steps_interactive.pm:1029
#, fuzzy, c-format
-msgid "Stop Server"
-msgstr "Henti"
+msgid "configured"
+msgstr "DHCP"
-#: ../../standalone/drakboot:1
+#: install_steps_interactive.pm:1038 install_steps_interactive.pm:1052
+#: steps.pm:20
#, fuzzy, c-format
-msgid ""
-"\n"
-"Select the theme for\n"
-"lilo and bootsplash,\n"
-"you can choose\n"
-"them separately"
-msgstr "dan"
+msgid "Security"
+msgstr "Keselamatan"
-#: ../../harddrake/data.pm:1
+#: install_steps_interactive.pm:1057
#, c-format
-msgid "Modem"
+msgid "activated"
msgstr ""
-#: ../../lang.pm:1
+#: install_steps_interactive.pm:1057
#, fuzzy, c-format
-msgid "Tuvalu"
-msgstr "Tuvalu"
+msgid "disabled"
+msgstr "dimatikan"
-#: ../../help.pm:1 ../../network/netconnect.pm:1
+#: install_steps_interactive.pm:1066
#, c-format
-msgid "Use auto detection"
+msgid "Boot"
msgstr ""
-#: ../../services.pm:1
+#. -PO: example: lilo-graphic on /dev/hda1
+#: install_steps_interactive.pm:1070
#, fuzzy, c-format
-msgid ""
-"GPM adds mouse support to text-based Linux applications such the\n"
-"Midnight Commander. It also allows mouse-based console cut-and-paste "
-"operations,\n"
-"and includes support for pop-up menus on the console."
-msgstr "dan on."
+msgid "%s on %s"
+msgstr "%s pada %s"
-#: ../../standalone/drakconnect:1
+#: install_steps_interactive.pm:1081 services.pm:177
#, fuzzy, c-format
-msgid "Started on boot"
-msgstr "on"
+msgid "Services: %d activated for %d registered"
+msgstr "Perkhidmatan"
-#: ../advertising/12-mdkexpert.pl:1
-#, fuzzy, c-format
-msgid ""
-"Join the MandrakeSoft support teams and the Linux Community online to share "
-"your knowledge and help others by becoming a recognized Expert on the online "
-"technical support website:"
-msgstr "dan dan on:"
+#: install_steps_interactive.pm:1091
+#, c-format
+msgid "You have not configured X. Are you sure you really want this?"
+msgstr ""
-#: ../../security/l10n.pm:1
+#: install_steps_interactive.pm:1149
#, fuzzy, c-format
-msgid "No password aging for"
-msgstr "Tidak"
+msgid "Set root password and network authentication methods"
+msgstr "dan"
-#: ../../standalone/draksec:1
+#: install_steps_interactive.pm:1150
#, c-format
-msgid ""
-"The following options can be set to customize your\n"
-"system security. If you need an explanation, look at the help tooltip.\n"
+msgid "Set root password"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Automatically find available printers on remote machines"
-msgstr "on"
+#: install_steps_interactive.pm:1160
+#, c-format
+msgid "This password is too short (it must be at least %d characters long)"
+msgstr ""
-#: ../../lang.pm:1
+#: install_steps_interactive.pm:1165 network/netconnect.pm:492
+#: standalone/drakauth:26 standalone/drakconnect:428
+#: standalone/drakconnect:917
#, fuzzy, c-format
-msgid "East Timor"
-msgstr "Timor Larose"
+msgid "Authentication"
+msgstr "Pengesahan"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "On Tape Device"
-msgstr "on"
+#: install_steps_interactive.pm:1196
+#, c-format
+msgid "Preparing bootloader..."
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: install_steps_interactive.pm:1206
#, fuzzy, c-format
msgid ""
+"You appear to have an OldWorld or Unknown\n"
+" machine, the yaboot bootloader will not work for you.\n"
+"The install will continue, but you'll\n"
+" need to use BootX or some other means to boot your machine"
+msgstr ""
+"Entah\n"
"\n"
-"- Save to Tape on device: %s"
-msgstr "Simpan on"
-#: ../../standalone/drakbackup:1
+#: install_steps_interactive.pm:1212
#, c-format
-msgid "Login name"
+msgid "Do you want to use aboot?"
msgstr ""
-#: ../../security/l10n.pm:1
-#, c-format
-msgid "Report unowned files"
-msgstr ""
+#: install_steps_interactive.pm:1215
+#, fuzzy, c-format
+msgid ""
+"Error installing aboot, \n"
+"try to force installation even if that destroys the first partition?"
+msgstr "Ralat?"
-#: ../../standalone/drakconnect:1
+#: install_steps_interactive.pm:1226
#, c-format
-msgid "Del profile..."
+msgid "Installing bootloader"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Installing Foomatic..."
-msgstr ""
+#: install_steps_interactive.pm:1233
+#, fuzzy, c-format
+msgid "Installation of bootloader failed. The following error occured:"
+msgstr "ralat:"
-#: ../../standalone/XFdrake:1
+#: install_steps_interactive.pm:1238
#, fuzzy, c-format
-msgid "Please log out and then use Ctrl-Alt-BackSpace"
-msgstr "keluar dan Ctrl Alt"
+msgid ""
+"You may need to change your Open Firmware boot-device to\n"
+" enable the bootloader. If you don't see the bootloader prompt at\n"
+" reboot, hold down Command-Option-O-F at reboot and enter:\n"
+" setenv boot-device %s,\\\\:tbxi\n"
+" Then type: shut-down\n"
+"At your next boot you should see the bootloader prompt."
+msgstr ""
+"Buka\n"
+"\n"
+" Arahan dan\n"
+"\n"
+"."
-#: ../../network/netconnect.pm:1
+#: install_steps_interactive.pm:1251
#, c-format
-msgid "detected"
+msgid ""
+"In this security level, access to the files in the Windows partition is "
+"restricted to the administrator."
msgstr ""
-#: ../../network/netconnect.pm:1
+#: install_steps_interactive.pm:1283 standalone/drakautoinst:75
#, fuzzy, c-format
-msgid "The network needs to be restarted. Do you want to restart it ?"
-msgstr "ulanghidup?"
+msgid "Insert a blank floppy in drive %s"
+msgstr "dalam"
-#: ../../standalone/drakbug:1
+#: install_steps_interactive.pm:1287
#, fuzzy, c-format
-msgid "Package: "
-msgstr "Pakej "
+msgid "Creating auto install floppy..."
+msgstr "Mencipta."
-#: ../../standalone/drakboot:1
+#: install_steps_interactive.pm:1298
#, c-format
-msgid "Can't write /etc/sysconfig/bootsplash."
+msgid ""
+"Some steps are not completed.\n"
+"\n"
+"Do you really want to quit now?"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: install_steps_interactive.pm:1313
+#, c-format
+msgid "Generate auto install floppy"
+msgstr ""
+
+#: install_steps_interactive.pm:1315
#, fuzzy, c-format
-msgid "SECURITY WARNING!"
-msgstr "AMARAN!"
+msgid ""
+"The auto install can be fully automated if wanted,\n"
+"in that case it will take over the hard drive!!\n"
+"(this is meant for installing on another box).\n"
+"\n"
+"You may prefer to replay the installation.\n"
+msgstr "on"
-#: ../../standalone/drakfont:1
+#: install_steps_newt.pm:20
#, c-format
-msgid "StarOffice"
+msgid "Mandrake Linux Installation %s"
msgstr ""
-#: ../../standalone/drakboot:1
+#: install_steps_newt.pm:33
#, fuzzy, c-format
-msgid "No, I don't want autologin"
-msgstr "Tidak"
+msgid ""
+" <Tab>/<Alt-Tab> between elements | <Space> selects | <F12> next screen "
+msgstr ""
+" <Tab>/<Alt-Tab> Antara unsur | <Space> pilih | <F12> Skrin "
+"seterusnya "
+
+#: interactive.pm:170
+#, c-format
+msgid "Choose a file"
+msgstr ""
-#: ../../standalone/drakbug:1
+#: interactive.pm:372
#, fuzzy, c-format
-msgid "Windows Migration tool"
-msgstr "Tetingkap"
+msgid "Basic"
+msgstr "Asas"
-#: ../../any.pm:1 ../../help.pm:1
+#: interactive.pm:403 interactive/newt.pm:308 ugtk2.pm:509
#, fuzzy, c-format
-msgid "All languages"
-msgstr "Semua"
+msgid "Finish"
+msgstr "Tamat"
-#: ../../diskdrake/interactive.pm:1
+#: interactive/newt.pm:83
#, c-format
-msgid "Removing %s"
+msgid "Do"
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: interactive/stdio.pm:29 interactive/stdio.pm:148
#, c-format
-msgid "%s not found...\n"
+msgid "Bad choice, try again\n"
msgstr ""
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
-#, c-format
-msgid "Testing your connection..."
-msgstr ""
+#: interactive/stdio.pm:30 interactive/stdio.pm:149
+#, fuzzy, c-format
+msgid "Your choice? (default %s) "
+msgstr "default "
-#: ../../standalone/harddrake2:1
+#: interactive/stdio.pm:54
#, c-format
-msgid "Cache size"
+msgid ""
+"Entries you'll have to fill:\n"
+"%s"
msgstr ""
-#: ../../security/level.pm:1
+#: interactive/stdio.pm:70
#, fuzzy, c-format
-msgid ""
-"Passwords are now enabled, but use as a networked computer is still not "
-"recommended."
-msgstr "Katalaluan dihidupkan."
+msgid "Your choice? (0/1, default `%s') "
+msgstr "default "
+
+#: interactive/stdio.pm:94
+#, c-format
+msgid "Button `%s': %s"
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: interactive/stdio.pm:95
#, fuzzy, c-format
-msgid "Start sector: "
-msgstr "Mula "
+msgid "Do you want to click on this button?"
+msgstr "on?"
-#: ../../lang.pm:1
+#: interactive/stdio.pm:104
#, fuzzy, c-format
-msgid "Congo (Brazzaville)"
-msgstr "Kongo"
+msgid "Your choice? (default `%s'%s) "
+msgstr "default "
-#: ../../standalone/drakperm:1
+#: interactive/stdio.pm:104
#, c-format
-msgid "Read"
+msgid " enter `void' for void entry"
msgstr ""
-#: ../../any.pm:1 ../../install_any.pm:1 ../../standalone.pm:1
+#: interactive/stdio.pm:122
#, c-format
-msgid "The package %s needs to be installed. Do you want to install it?"
+msgid "=> There are many things to choose from (%s).\n"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Seychelles"
-msgstr "Seychelles"
-
-#: ../../printer/printerdrake.pm:1
+#: interactive/stdio.pm:125
#, fuzzy, c-format
msgid ""
-"Printerdrake has compared the model name resulting from the printer auto-"
-"detection with the models listed in its printer database to find the best "
-"match. This choice can be wrong, especially when your printer is not listed "
-"at all in the database. So check whether the choice is correct and click "
-"\"The model is correct\" if so and if not, click \"Select model manually\" "
-"so that you can choose your printer model manually on the next screen.\n"
-"\n"
-"For your printer Printerdrake has found:\n"
-"\n"
-"%s"
-msgstr "dalam dalam dan dan secara manual secara manual on"
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Bad password on %s"
-msgstr "on"
+"Please choose the first number of the 10-range you wish to edit,\n"
+"or just hit Enter to proceed.\n"
+"Your choice? "
+msgstr "Enter "
-#: ../../printer/printerdrake.pm:1
+#: interactive/stdio.pm:138
#, fuzzy, c-format
msgid ""
-"\n"
-"There is one unknown printer directly connected to your system"
-msgstr "tidak diketahui"
-
-#: ../../keyboard.pm:1
-#, fuzzy, c-format
-msgid "Right Control key"
-msgstr "Kanan"
+"=> Notice, a label changed:\n"
+"%s"
+msgstr "Notis"
-#: ../../network/tools.pm:1
-#, fuzzy, c-format
-msgid ""
-"Insert a FAT formatted floppy in drive %s with %s in root directory and "
-"press %s"
-msgstr "dalam"
+#: interactive/stdio.pm:145
+#, c-format
+msgid "Re-submit"
+msgstr ""
-#: ../../lang.pm:1
+#: keyboard.pm:137 keyboard.pm:169
#, fuzzy, c-format
-msgid "Zambia"
-msgstr "Zambia"
+msgid "Czech (QWERTZ)"
+msgstr "Czech"
-#: ../../security/level.pm:1
+#: keyboard.pm:138 keyboard.pm:171
#, fuzzy, c-format
-msgid "Security Administrator (login or email)"
-msgstr "Keselamatan"
+msgid "German"
+msgstr "Jerman"
-#: ../../standalone/drakgw:1
+#: keyboard.pm:139
#, c-format
-msgid "Sorry, we support only 2.4 kernels."
+msgid "Dvorak"
msgstr ""
-#: ../../keyboard.pm:1
-#, c-format
-msgid "Romanian (qwerty)"
-msgstr ""
+#: keyboard.pm:140 keyboard.pm:179
+#, fuzzy, c-format
+msgid "Spanish"
+msgstr "Spanyol"
-#: ../../standalone/drakbackup:1
+#: keyboard.pm:141 keyboard.pm:180
#, c-format
-msgid "Under Devel ... please wait."
+msgid "Finnish"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Egypt"
-msgstr "Mesir"
-
-#: ../../crypto.pm:1 ../../lang.pm:1
+#: keyboard.pm:142 keyboard.pm:181
#, fuzzy, c-format
-msgid "Czech Republic"
-msgstr "Republik Czech"
+msgid "French"
+msgstr "Perancis"
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
+#: keyboard.pm:143 keyboard.pm:217
#, fuzzy, c-format
-msgid "Sound card"
-msgstr "Bunyi"
+msgid "Norwegian"
+msgstr "Norwegian"
-#: ../../standalone/drakfont:1
+#: keyboard.pm:144
#, c-format
-msgid "Import Fonts"
+msgid "Polish"
msgstr ""
-#: ../../diskdrake/hd_gtk.pm:1
+#: keyboard.pm:145 keyboard.pm:226
#, fuzzy, c-format
-msgid ""
-"You have one big MicroSoft Windows partition.\n"
-"I suggest you first resize that partition\n"
-"(click on it, then click on \"Resize\")"
-msgstr "Tetingkap on on"
+msgid "Russian"
+msgstr "Russia"
+
+#: keyboard.pm:147 keyboard.pm:230
+#, fuzzy, c-format
+msgid "Swedish"
+msgstr "Swedish"
-#: ../../standalone/drakfont:1
+#: keyboard.pm:148 keyboard.pm:249
#, c-format
-msgid "Suppress Temporary Files"
+msgid "UK keyboard"
msgstr ""
-#: ../../network/netconnect.pm:1
-#, fuzzy, c-format
-msgid ""
-"Congratulations, the network and Internet configuration is finished.\n"
-"\n"
-msgstr "Tahniah dan Internet"
+#: keyboard.pm:149 keyboard.pm:250
+#, c-format
+msgid "US keyboard"
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: keyboard.pm:151
#, fuzzy, c-format
-msgid "Change partition type"
-msgstr "Ubah"
+msgid "Albanian"
+msgstr "Albania"
-#: ../../help.pm:1
-#, fuzzy, c-format
-msgid ""
-"Resolution\n"
-"\n"
-" Here you can choose the resolutions and color depths available for your\n"
-"hardware. Choose the one that best suits your needs (you will be able to\n"
-"change that after installation though). A sample of the chosen\n"
-"configuration is shown in the monitor."
+#: keyboard.pm:152
+#, c-format
+msgid "Armenian (old)"
msgstr ""
-"Resolusi\n"
-" dan A dalam."
-
-#: ../../standalone/draksec:1
-#, fuzzy, c-format
-msgid "Network Options"
-msgstr "Rangkaian"
-#: ../../security/l10n.pm:1
+#: keyboard.pm:153
#, c-format
-msgid "Enable msec hourly security check"
+msgid "Armenian (typewriter)"
msgstr ""
-#: ../../standalone/drakboot:1
-#, fuzzy, c-format
-msgid ""
-"Display theme\n"
-"under console"
-msgstr "Paparan"
+#: keyboard.pm:154
+#, c-format
+msgid "Armenian (phonetic)"
+msgstr ""
-#: ../../printer/cups.pm:1
+#: keyboard.pm:155
#, fuzzy, c-format
-msgid "(on %s)"
-msgstr "on"
+msgid "Arabic"
+msgstr "Arab"
-#: ../../mouse.pm:1
+#: keyboard.pm:156
#, c-format
-msgid "MM Series"
+msgid "Azerbaidjani (latin)"
msgstr ""
-#: ../../security/level.pm:1
-#, fuzzy, c-format
-msgid ""
-"A library which defends against buffer overflow and format string attacks."
-msgstr "A dan."
+#: keyboard.pm:158
+#, c-format
+msgid "Belgian"
+msgstr ""
-#: ../../standalone/net_monitor:1
+#: keyboard.pm:159
#, c-format
-msgid "average"
+msgid "Bengali"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "New printer name"
-msgstr "Baru"
+#: keyboard.pm:160
+#, c-format
+msgid "Bulgarian (phonetic)"
+msgstr ""
-#: ../../fs.pm:1
-#, fuzzy, c-format
-msgid ""
-"Allow an ordinary user to mount the file system. The\n"
-"name of the mounting user is written to mtab so that he can unmount the "
-"file\n"
-"system again. This option implies the options noexec, nosuid, and nodev\n"
-"(unless overridden by subsequent options, as in the option line\n"
-"user,exec,dev,suid )."
-msgstr "pengguna fail pengguna fail dan dalam."
+#: keyboard.pm:161
+#, c-format
+msgid "Bulgarian (BDS)"
+msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Equatorial Guinea"
-msgstr "Equitorial Guinea"
+#: keyboard.pm:162
+#, c-format
+msgid "Brazilian (ABNT-2)"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: keyboard.pm:165
#, c-format
-msgid "Backup System"
+msgid "Bosnian"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: keyboard.pm:166
#, c-format
-msgid "Build Backup"
+msgid "Belarusian"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: keyboard.pm:167
#, fuzzy, c-format
-msgid ""
-"To print a file from the command line (terminal window) use the command \"%s "
-"<file>\" or \"%s <file>\".\n"
-msgstr "Kepada fail<file><file>"
+msgid "Swiss (German layout)"
+msgstr "Jerman"
-#: ../../printer/printerdrake.pm:1
+#: keyboard.pm:168
+#, c-format
+msgid "Swiss (French layout)"
+msgstr "Swiss (susunatur Perancis)"
+
+#: keyboard.pm:170
#, fuzzy, c-format
-msgid "Currently, no alternative possibility is available"
-msgstr "tidak"
+msgid "Czech (QWERTY)"
+msgstr "Czech"
+
+#: keyboard.pm:172
+#, fuzzy, c-format
+msgid "German (no dead keys)"
+msgstr "Jerman tidak"
-#: ../../keyboard.pm:1
+#: keyboard.pm:173
#, c-format
-msgid "Romanian (qwertz)"
+msgid "Devanagari"
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: keyboard.pm:174
+#, fuzzy, c-format
+msgid "Danish"
+msgstr "Danish"
+
+#: keyboard.pm:175
#, c-format
-msgid "Write Config"
+msgid "Dvorak (US)"
msgstr ""
-#: ../../services.pm:1
+#: keyboard.pm:176
#, fuzzy, c-format
-msgid ""
-"The routed daemon allows for automatic IP router table updated via\n"
-"the RIP protocol. While RIP is widely used on small networks, more complex\n"
-"routing protocols are needed for complex networks."
-msgstr "IP on protokol."
+msgid "Dvorak (Norwegian)"
+msgstr "Norwegian"
-#: ../../lang.pm:1
+#: keyboard.pm:177
#, fuzzy, c-format
-msgid "Kiribati"
-msgstr "Kiribati"
+msgid "Dvorak (Swedish)"
+msgstr "Swedish"
-#: ../../mouse.pm:1
+#: keyboard.pm:178
#, fuzzy, c-format
-msgid "Logitech Mouse (serial, old C7 type) with Wheel emulation"
-msgstr "Logitech Mouse (bersiri, jenis C7 lama)"
+msgid "Estonian"
+msgstr "Estonia"
-#: ../../standalone/drakbackup:1
+#: keyboard.pm:182
#, fuzzy, c-format
-msgid "Other (not drakbackup) keys in place already"
-msgstr "Lain-lain dalam"
+msgid "Georgian (\"Russian\" layout)"
+msgstr "Russia"
-#: ../../help.pm:1
-#, fuzzy, c-format
-msgid ""
-"X (for X Window System) is the heart of the GNU/Linux graphical interface\n"
-"on which all the graphical environments (KDE, GNOME, AfterStep,\n"
-"WindowMaker, etc.) bundled with Mandrake Linux rely upon.\n"
-"\n"
-"You will be presented with a list of different parameters to change to get\n"
-"an optimal graphical display: Graphic Card\n"
-"\n"
-" The installer will normally automatically detect and configure the\n"
-"graphic card installed on your machine. If it is not the case, you can\n"
-"choose from this list the card you actually have installed.\n"
-"\n"
-" In the case that different servers are available for your card, with or\n"
-"without 3D acceleration, you are then asked to choose the server that best\n"
-"suits your needs.\n"
-"\n"
-"\n"
-"\n"
-"Monitor\n"
-"\n"
-" The installer will normally automatically detect and configure the\n"
-"monitor connected to your machine. If it is incorrect, you can choose from\n"
-"this list the monitor you actually have connected to your computer.\n"
-"\n"
-"\n"
-"\n"
-"Resolution\n"
-"\n"
-" Here you can choose the resolutions and color depths available for your\n"
-"hardware. Choose the one that best suits your needs (you will be able to\n"
-"change that after installation though). A sample of the chosen\n"
-"configuration is shown in the monitor.\n"
-"\n"
-"\n"
-"\n"
-"Test\n"
-"\n"
-" the system will try to open a graphical screen at the desired\n"
-"resolution. If you can see the message during the test and answer \"%s\",\n"
-"then DrakX will proceed to the next step. If you cannot see the message, it\n"
-"means that some part of the autodetected configuration was incorrect and\n"
-"the test will automatically end after 12 seconds, bringing you back to the\n"
-"menu. Change settings until you get a correct graphical display.\n"
-"\n"
-"\n"
-"\n"
-"Options\n"
-"\n"
-" Here you can choose whether you want to have your machine automatically\n"
-"switch to a graphical interface at boot. Obviously, you want to check\n"
-"\"%s\" if your machine is to act as a server, or if you were not successful\n"
-"in getting the display configured."
+#: keyboard.pm:183
+#, c-format
+msgid "Georgian (\"Latin\" layout)"
msgstr ""
-"Sistem KDE GNOME AfterStep\n"
-" dan on\n"
-" Masuk\n"
-" dan\n"
-" dan A dalam\n"
-" dan dan saat Ubah\n"
-"."
-#: ../../standalone/draksplash:1
-#, fuzzy, c-format
-msgid "Browse"
-msgstr "Lungsur"
+#: keyboard.pm:184
+#, c-format
+msgid "Greek"
+msgstr ""
-#: ../../harddrake/data.pm:1
+#: keyboard.pm:185
#, c-format
-msgid "CDROM"
+msgid "Greek (polytonic)"
msgstr ""
-#: ../../network/tools.pm:1
-#, fuzzy, c-format
-msgid "Do you want to try to connect to the Internet now?"
-msgstr "Internet?"
+#: keyboard.pm:186
+#, c-format
+msgid "Gujarati"
+msgstr ""
-#: ../../keyboard.pm:1
+#: keyboard.pm:187
#, c-format
-msgid "Belgian"
+msgid "Gurmukhi"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: keyboard.pm:188
#, c-format
-msgid "Do you have an ISA sound card?"
+msgid "Hungarian"
msgstr ""
-#: ../../network/ethernet.pm:1
+#: keyboard.pm:189
#, fuzzy, c-format
-msgid ""
-"No ethernet network adapter has been detected on your system.\n"
-"I cannot set up this connection type."
-msgstr "Tidak on."
+msgid "Croatian"
+msgstr "Croatia"
-#: ../../diskdrake/hd_gtk.pm:1
-#, fuzzy, c-format
-msgid "Windows"
-msgstr "Tetingkap"
+#: keyboard.pm:190
+#, c-format
+msgid "Irish"
+msgstr ""
-#: ../../common.pm:1
+#: keyboard.pm:191
#, c-format
-msgid "Can't make screenshots before partitioning"
+msgid "Israeli"
msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Host Name"
-msgstr "Hos"
+#: keyboard.pm:192
+#, c-format
+msgid "Israeli (Phonetic)"
+msgstr ""
-#: ../../standalone/logdrake:1
-#, fuzzy, c-format
-msgid "/File/Save _As"
-msgstr "Fail Simpan"
+#: keyboard.pm:193
+#, c-format
+msgid "Iranian"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: keyboard.pm:194
#, fuzzy, c-format
-msgid ""
-"To get access to printers on remote CUPS servers in your local network you "
-"only need to turn on the \"Automatically find available printers on remote "
-"machines\" option; the CUPS servers inform your machine automatically about "
-"their printers. All printers currently known to your machine are listed in "
-"the \"Remote printers\" section in the main window of Printerdrake. If your "
-"CUPS server(s) is/are not in your local network, you have to enter the IP "
-"address(es) and optionally the port number(s) here to get the printer "
-"information from the server(s)."
-msgstr ""
-"Kepada on dalam lokal on on Semua dalam dalam utama dalam lokal IP dan."
+msgid "Icelandic"
+msgstr "Icelandic"
-#: ../../standalone/scannerdrake:1
+#: keyboard.pm:195
#, fuzzy, c-format
-msgid "%s is not in the scanner database, configure it manually?"
-msgstr "dalam secara manual?"
+msgid "Italian"
+msgstr "Itali"
+
+#: keyboard.pm:196
+#, c-format
+msgid "Inuktitut"
+msgstr ""
-#: ../../any.pm:1
+#: keyboard.pm:197
#, fuzzy, c-format
-msgid "Delay before booting default image"
-msgstr "default"
+msgid "Japanese 106 keys"
+msgstr "Jepun"
-#: ../../any.pm:1
+#: keyboard.pm:198
#, c-format
-msgid "Restrict command line options"
+msgid "Kannada"
msgstr ""
-#: ../../standalone/drakxtv:1
+#: keyboard.pm:201
#, fuzzy, c-format
-msgid "East Europe"
-msgstr "Timur"
+msgid "Korean keyboard"
+msgstr "Korea"
-#: ../../help.pm:1 ../../install_interactive.pm:1
+#: keyboard.pm:202
#, c-format
-msgid "Use free space"
+msgid "Latin American"
msgstr ""
-#: ../../network/adsl.pm:1
+#: keyboard.pm:203
#, c-format
-msgid "use dhcp"
+msgid "Laotian"
msgstr ""
-#: ../../standalone/logdrake:1
-#, fuzzy, c-format
-msgid "Mail alert"
-msgstr "Mel"
+#: keyboard.pm:204
+#, c-format
+msgid "Lithuanian AZERTY (old)"
+msgstr ""
-#: ../../network/tools.pm:1
-#, fuzzy, c-format
-msgid "Internet configuration"
-msgstr "Internet"
+#: keyboard.pm:206
+#, c-format
+msgid "Lithuanian AZERTY (new)"
+msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Uzbekistan"
-msgstr "Uzbekistan"
+#: keyboard.pm:207
+#, c-format
+msgid "Lithuanian \"number row\" QWERTY"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: keyboard.pm:208
#, c-format
-msgid "Detected %s"
+msgid "Lithuanian \"phonetic\" QWERTY"
msgstr ""
-#: ../../standalone/harddrake2:1
+#: keyboard.pm:209
#, c-format
-msgid "/Autodetect _printers"
+msgid "Latvian"
msgstr ""
-#: ../../interactive.pm:1 ../../ugtk2.pm:1 ../../interactive/newt.pm:1
-#, fuzzy, c-format
-msgid "Finish"
-msgstr "Tamat"
+#: keyboard.pm:210
+#, c-format
+msgid "Malayalam"
+msgstr ""
-#: ../../install_steps_gtk.pm:1
+#: keyboard.pm:211
#, c-format
-msgid "Show automatically selected packages"
+msgid "Macedonian"
msgstr ""
-#: ../../lang.pm:1
+#: keyboard.pm:212
#, fuzzy, c-format
-msgid "Togo"
-msgstr "Togo"
+msgid "Myanmar (Burmese)"
+msgstr "Myanmar"
-#: ../../standalone/harddrake2:1
+#: keyboard.pm:213
#, c-format
-msgid "CPU flags reported by the kernel"
+msgid "Mongolian (cyrillic)"
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: keyboard.pm:214
#, c-format
-msgid "Something went wrong! - Is mkisofs installed?"
+msgid "Maltese (UK)"
msgstr ""
-#: ../../Xconfig/card.pm:1
+#: keyboard.pm:215
#, c-format
-msgid "16 MB"
+msgid "Maltese (US)"
msgstr ""
-#: ../../any.pm:1 ../../install_steps_interactive.pm:1
-#: ../../diskdrake/interactive.pm:1
+#: keyboard.pm:216
+#, fuzzy, c-format
+msgid "Dutch"
+msgstr "Belanda"
+
+#: keyboard.pm:218
#, c-format
-msgid "Please try again"
+msgid "Oriya"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: keyboard.pm:219
#, c-format
-msgid "The model is correct"
+msgid "Polish (qwerty layout)"
msgstr ""
-#: ../../install_interactive.pm:1
+#: keyboard.pm:220
#, c-format
-msgid "FAT resizing failed: %s"
+msgid "Polish (qwertz layout)"
msgstr ""
-#: ../../help.pm:1 ../../install_steps_gtk.pm:1
-#: ../../install_steps_interactive.pm:1
+#: keyboard.pm:221
+#, fuzzy, c-format
+msgid "Portuguese"
+msgstr "Portugis"
+
+#: keyboard.pm:222
#, c-format
-msgid "Individual package selection"
+msgid "Canadian (Quebec)"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: keyboard.pm:224
#, c-format
-msgid "This partition is not resizeable"
+msgid "Romanian (qwertz)"
msgstr ""
-#: ../../printer/printerdrake.pm:1 ../../standalone/printerdrake:1
-#, fuzzy, c-format
-msgid "Location"
-msgstr "Lokasi"
-
-#: ../../standalone/drakxtv:1
+#: keyboard.pm:225
#, c-format
-msgid "USA (cable-hrc)"
+msgid "Romanian (qwerty)"
msgstr ""
-#: ../../lang.pm:1
+#: keyboard.pm:227
#, fuzzy, c-format
-msgid "Guatemala"
-msgstr "Guatemala"
+msgid "Russian (Phonetic)"
+msgstr "Russia"
-#: ../../diskdrake/hd_gtk.pm:1
+#: keyboard.pm:228
#, c-format
-msgid "Journalised FS"
+msgid "Saami (norwegian)"
msgstr ""
-#: ../../security/l10n.pm:1
+#: keyboard.pm:229
#, c-format
-msgid "Ethernet cards promiscuity check"
+msgid "Saami (swedish/finnish)"
msgstr ""
-#: ../../standalone/scannerdrake:1
+#: keyboard.pm:231
#, c-format
-msgid "This machine"
+msgid "Slovenian"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: keyboard.pm:232
#, c-format
-msgid "DOS drive letter: %s (just a guess)\n"
+msgid "Slovakian (QWERTZ)"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Bahrain"
-msgstr "Bahrain"
+#: keyboard.pm:233
+#, c-format
+msgid "Slovakian (QWERTY)"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: keyboard.pm:235
#, fuzzy, c-format
-msgid "Select the files or directories and click on 'OK'"
-msgstr "fail dan on OK"
+msgid "Serbian (cyrillic)"
+msgstr "Serbian"
-#: ../../standalone/drakfloppy:1
+#: keyboard.pm:236
#, c-format
-msgid "omit scsi modules"
+msgid "Syriac"
msgstr ""
-#: ../../standalone/harddrake2:1
+#: keyboard.pm:237
#, c-format
-msgid "family of the cpu (eg: 6 for i686 class)"
+msgid "Syriac (phonetic)"
msgstr ""
-#: ../../network/netconnect.pm:1
-#, fuzzy, c-format
-msgid ""
-"Because you are doing a network installation, your network is already "
-"configured.\n"
-"Click on Ok to keep your configuration, or cancel to reconfigure your "
-"Internet & Network connection.\n"
-msgstr "on Ok Internet Rangkaian"
-
-#: ../../security/l10n.pm:1
+#: keyboard.pm:238
#, c-format
-msgid "Run the daily security checks"
+msgid "Telugu"
msgstr ""
-#: ../../Xconfig/various.pm:1
-#, fuzzy, c-format
-msgid "Keyboard layout: %s\n"
-msgstr "Papan Kekunci"
-
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid ""
-"Here you can choose whether the printers connected to this machine should be "
-"accessable by remote machines and by which remote machines."
-msgstr "dan."
-
-#: ../../keyboard.pm:1
+#: keyboard.pm:240
#, c-format
-msgid "Maltese (US)"
+msgid "Tamil (ISCII-layout)"
msgstr ""
-#: ../../standalone/drakfloppy:1
+#: keyboard.pm:241
#, c-format
-msgid "The creation of the boot floppy has been successfully completed \n"
+msgid "Tamil (Typewriter-layout)"
msgstr ""
-#: ../../services.pm:1
-#, fuzzy, c-format
-msgid ""
-"Mounts and unmounts all Network File System (NFS), SMB (Lan\n"
-"Manager/Windows), and NCP (NetWare) mount points."
-msgstr "dan Rangkaian Fail Sistem SMB Tetingkap dan."
-
-#: ../../standalone/drakconnect:1
+#: keyboard.pm:242
#, c-format
-msgid "Launch the wizard"
+msgid "Thai keyboard"
msgstr ""
-#: ../../harddrake/data.pm:1
+#: keyboard.pm:244
#, c-format
-msgid "Tvcard"
+msgid "Tajik keyboard"
msgstr ""
-#: ../../help.pm:1
+#: keyboard.pm:245
#, fuzzy, c-format
-msgid "Toggle between normal/expert mode"
-msgstr "normal"
+msgid "Turkish (traditional \"F\" model)"
+msgstr "Turki"
-#: ../../standalone/drakfloppy:1
+#: keyboard.pm:246
#, fuzzy, c-format
-msgid "Size"
-msgstr "Saiz"
+msgid "Turkish (modern \"Q\" model)"
+msgstr "Turki"
-#: ../../help.pm:1
+#: keyboard.pm:248
#, c-format
-msgid "GRUB"
+msgid "Ukrainian"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Greenland"
-msgstr "Greenland"
+#: keyboard.pm:251
+#, c-format
+msgid "US keyboard (international)"
+msgstr ""
-#: ../../mouse.pm:1
+#: keyboard.pm:252
#, c-format
-msgid "Logitech MouseMan+/FirstMouse+"
+msgid "Uzbek (cyrillic)"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: keyboard.pm:253
#, c-format
-msgid "Thursday"
+msgid "Vietnamese \"numeric row\" QWERTY"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: keyboard.pm:254
#, c-format
-msgid "Not the correct tape label. Tape is labelled %s."
+msgid "Yugoslavian (latin)"
msgstr ""
-#: ../../standalone/drakgw:1
+#: keyboard.pm:261
#, fuzzy, c-format
-msgid ""
-"The setup of Internet Connection Sharing has already been done.\n"
-"It's currently enabled.\n"
-"\n"
-"What would you like to do?"
-msgstr "Internet siap dihidupkan?"
+msgid "Right Alt key"
+msgstr "Kanan Alt"
-#: ../../standalone/drakTermServ:1
+#: keyboard.pm:262
#, fuzzy, c-format
-msgid "Delete All NBIs"
-msgstr "Padam Semua"
+msgid "Both Shift keys simultaneously"
+msgstr "Shif"
-#: ../../help.pm:1
+#: keyboard.pm:263
#, fuzzy, c-format
-msgid ""
-"This dialog allows you to fine tune your bootloader:\n"
-"\n"
-" * \"%s\": there are three choices for your bootloader:\n"
-"\n"
-" * \"%s\": if you prefer grub (text menu).\n"
-"\n"
-" * \"%s\": if you prefer LILO with its text menu interface.\n"
-"\n"
-" * \"%s\": if you prefer LILO with its graphical interface.\n"
-"\n"
-" * \"%s\": in most cases, you will not change the default (\"%s\"), but if\n"
-"you prefer, the bootloader can be installed on the second hard drive\n"
-"(\"%s\"), or even on a floppy disk (\"%s\");\n"
-"\n"
-" * \"%s\": after a boot or a reboot of the computer, this is the delay\n"
-"given to the user at the console to select a boot entry other than the\n"
-"default.\n"
-"\n"
-"!! Beware that if you choose not to install a bootloader (by selecting\n"
-"\"%s\"), you must ensure that you have a way to boot your Mandrake Linux\n"
-"system! Be sure you know what you are doing before changing any of the\n"
-"options. !!\n"
-"\n"
-"Clicking the \"%s\" button in this dialog will offer advanced options which\n"
-"are normally reserved for the expert user."
-msgstr ""
-"\n"
-"\n"
-"\n"
-"\n"
-"\n"
-" dalam default on on\n"
-" pengguna dalam pengguna."
+msgid "Control and Shift keys simultaneously"
+msgstr "dan Shif"
-#: ../../security/help.pm:1
+#: keyboard.pm:264
#, c-format
-msgid ""
-"if set, send the mail report to this email address else send it to root."
+msgid "CapsLock key"
msgstr ""
-#: ../../Xconfig/card.pm:1
-#, c-format
-msgid "Which configuration of XFree do you want to have?"
-msgstr ""
+#: keyboard.pm:265
+#, fuzzy, c-format
+msgid "Ctrl and Alt keys simultaneously"
+msgstr "Ctrl dan Alt"
-#: ../../any.pm:1 ../../help.pm:1 ../../install_steps_interactive.pm:1
-#: ../../diskdrake/interactive.pm:1
-#, c-format
-msgid "More"
-msgstr ""
+#: keyboard.pm:266
+#, fuzzy, c-format
+msgid "Alt and Shift keys simultaneously"
+msgstr "Alt dan Shif"
-#: ../../standalone/drakbackup:1
+#: keyboard.pm:267
#, c-format
-msgid ""
-"This uses the same syntax as the command line program 'cdrecord'. 'cdrecord -"
-"scanbus' would also show you the device number."
+msgid "\"Menu\" key"
msgstr ""
-#: ../../security/level.pm:1
+#: keyboard.pm:268
#, fuzzy, c-format
-msgid ""
-"With this security level, the use of this system as a server becomes "
-"possible.\n"
-"The security is now high enough to use the system as a server which can "
-"accept\n"
-"connections from many clients. Note: if your machine is only a client on the "
-"Internet, you should choose a lower level."
-msgstr "terima on Internet."
+msgid "Left \"Windows\" key"
+msgstr "Kiri Tetingkap"
-#: ../../standalone/printerdrake:1
+#: keyboard.pm:269
#, fuzzy, c-format
-msgid "Server Name"
-msgstr "Pelayan Nama:"
+msgid "Right \"Windows\" key"
+msgstr "Kanan Tetingkap"
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: keyboard.pm:270
#, c-format
-msgid "Account Password"
+msgid "Both Control keys simultaneously"
msgstr ""
-#: ../../standalone/drakhelp:1
+#: keyboard.pm:271
#, fuzzy, c-format
-msgid ""
-"%s cannot be displayed \n"
-". No Help entry of this type\n"
-msgstr "Tidak Bantuan"
+msgid "Both Alt keys simultaneously"
+msgstr "Alt"
-#: ../../any.pm:1
+#: keyboard.pm:272
#, fuzzy, c-format
-msgid ""
-"You decided to install the bootloader on a partition.\n"
-"This implies you already have a bootloader on the hard drive you boot (eg: "
-"System Commander).\n"
-"\n"
-"On which drive are you booting?"
-msgstr "on on Sistem?"
+msgid "Left Shift key"
+msgstr "Kiri Shif"
+
+#: keyboard.pm:273
+#, fuzzy, c-format
+msgid "Right Shift key"
+msgstr "Kanan Shif"
+
+#: keyboard.pm:274
+#, fuzzy, c-format
+msgid "Left Alt key"
+msgstr "Kiri Alt"
+
+#: keyboard.pm:275
+#, fuzzy, c-format
+msgid "Left Control key"
+msgstr "Kiri"
-#: ../../install_interactive.pm:1
+#: keyboard.pm:276
+#, fuzzy, c-format
+msgid "Right Control key"
+msgstr "Kanan"
+
+#: keyboard.pm:307
#, fuzzy, c-format
msgid ""
-"WARNING!\n"
-"\n"
-"DrakX will now resize your Windows partition. Be careful: this\n"
-"operation is dangerous. If you have not already done so, you\n"
-"first need to exit the installation, run \"chkdsk c:\" from a\n"
-"Command Prompt under Windows (beware, running graphical program\n"
-"\"scandisk\" is not enough, be sure to use \"chkdsk\" in a\n"
-"Command Prompt!), optionally run defrag, then restart the\n"
-"installation. You should also backup your data.\n"
-"When sure, press Ok."
-msgstr "AMARAN Tetingkap siap Tetingkap dan ulanghidup Ok."
+"Here you can choose the key or key combination that will \n"
+"allow switching between the different keyboard layouts\n"
+"(eg: latin and non latin)"
+msgstr "dan"
-#: ../../keyboard.pm:1
+#: keyboard.pm:312
#, c-format
-msgid "Tajik keyboard"
+msgid ""
+"This setting will be activated after the installation.\n"
+"During installation, you will need to use the Right Control\n"
+"key to switch between the different keyboard layouts."
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:144
#, fuzzy, c-format
-msgid ""
-"You can copy the printer configuration which you have done for the spooler %"
-"s to %s, your current spooler. All the configuration data (printer name, "
-"description, location, connection type, and default option settings) is "
-"overtaken, but jobs will not be transferred.\n"
-"Not all queues can be transferred due to the following reasons:\n"
-msgstr "siap Semua dan default"
+msgid "default:LTR"
+msgstr "default"
-#: ../../standalone/drakfont:1
+#: lang.pm:160
#, fuzzy, c-format
-msgid "Font List"
-msgstr "Font"
+msgid "Afghanistan"
+msgstr "Afghanistan"
-#: ../../install_steps_interactive.pm:1
+#: lang.pm:161
#, fuzzy, c-format
-msgid ""
-"You may need to change your Open Firmware boot-device to\n"
-" enable the bootloader. If you don't see the bootloader prompt at\n"
-" reboot, hold down Command-Option-O-F at reboot and enter:\n"
-" setenv boot-device %s,\\\\:tbxi\n"
-" Then type: shut-down\n"
-"At your next boot you should see the bootloader prompt."
-msgstr ""
-"Buka\n"
-"\n"
-" Arahan dan\n"
-"\n"
-"."
+msgid "Andorra"
+msgstr "Andorra"
-#: ../../install_steps_interactive.pm:1
+#: lang.pm:162
#, fuzzy, c-format
-msgid ""
-"You appear to have an OldWorld or Unknown\n"
-" machine, the yaboot bootloader will not work for you.\n"
-"The install will continue, but you'll\n"
-" need to use BootX or some other means to boot your machine"
-msgstr ""
-"Entah\n"
-"\n"
+msgid "United Arab Emirates"
+msgstr "Emiriah Arab Bersatu"
-#: ../../diskdrake/interactive.pm:1
-#, c-format
-msgid "Select file"
-msgstr ""
+#: lang.pm:163
+#, fuzzy, c-format
+msgid "Antigua and Barbuda"
+msgstr "dan"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:164
#, fuzzy, c-format
-msgid ""
-"Choose the network or host on which the local printers should be made "
-"available:"
-msgstr "on lokal:"
+msgid "Anguilla"
+msgstr "Anguilla"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:165
#, fuzzy, c-format
-msgid ""
-"These commands you can also use in the \"Printing command\" field of the "
-"printing dialogs of many applications, but here do not supply the file name "
-"because the file to print is provided by the application.\n"
-msgstr "dalam Cetakan fail fail"
+msgid "Albania"
+msgstr "Albania"
-#: ../../lang.pm:1
+#: lang.pm:166
#, fuzzy, c-format
-msgid "Japan"
-msgstr "Jepun"
+msgid "Armenia"
+msgstr "Armenia"
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Print option list"
-msgstr ""
+#: lang.pm:167
+#, fuzzy, c-format
+msgid "Netherlands Antilles"
+msgstr "Netherlands Antilles"
-#: ../../standalone/localedrake:1
+#: lang.pm:168
#, fuzzy, c-format
-msgid "The change is done, but to be effective you must logout"
-msgstr "siap"
+msgid "Angola"
+msgstr "Angola"
-#: ../../any.pm:1 ../../help.pm:1 ../../install_steps_interactive.pm:1
-#, c-format
-msgid "Country / Region"
-msgstr ""
+#: lang.pm:169
+#, fuzzy, c-format
+msgid "Antarctica"
+msgstr "Antarctika"
-#: ../../diskdrake/smbnfs_gtk.pm:1
+#: lang.pm:170 standalone/drakxtv:51
#, fuzzy, c-format
-msgid "Search servers"
-msgstr "Cari"
+msgid "Argentina"
+msgstr "Argentina"
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "NCP queue name missing!"
-msgstr ""
+#: lang.pm:171
+#, fuzzy, c-format
+msgid "American Samoa"
+msgstr "Samoa Amerika"
-#: ../../standalone/net_monitor:1
+#: lang.pm:173 standalone/drakxtv:49
#, fuzzy, c-format
-msgid ""
-"Warning, another internet connection has been detected, maybe using your "
-"network"
-msgstr "Amaran"
+msgid "Australia"
+msgstr "Australia"
-#: ../../install_steps_interactive.pm:1
-#, c-format
-msgid "Cd-Rom labeled \"%s\""
-msgstr ""
+#: lang.pm:174
+#, fuzzy, c-format
+msgid "Aruba"
+msgstr "Aruba"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "CDRW media"
-msgstr ""
+#: lang.pm:175
+#, fuzzy, c-format
+msgid "Azerbaijan"
+msgstr "Azerbaijan"
-#: ../../services.pm:1
+#: lang.pm:176
#, fuzzy, c-format
-msgid ""
-"Saves and restores system entropy pool for higher quality random\n"
-"number generation."
-msgstr "dan."
+msgid "Bosnia and Herzegovina"
+msgstr "Bosnia Herzegovina"
-#: ../advertising/07-server.pl:1
-#, c-format
-msgid "Turn your computer into a reliable server"
-msgstr ""
+#: lang.pm:177
+#, fuzzy, c-format
+msgid "Barbados"
+msgstr "Barbados"
-#: ../../security/l10n.pm:1
+#: lang.pm:178
#, fuzzy, c-format
-msgid "Check empty password in /etc/shadow"
-msgstr "kosong dalam"
+msgid "Bangladesh"
+msgstr "Bangladesh"
-#: ../../network/network.pm:1
-#, c-format
-msgid " (driver %s)"
-msgstr ""
+#: lang.pm:180
+#, fuzzy, c-format
+msgid "Burkina Faso"
+msgstr "Burkina Faso"
-#: ../../services.pm:1
+#: lang.pm:181
#, fuzzy, c-format
-msgid "Start when requested"
-msgstr "Mula"
+msgid "Bulgaria"
+msgstr "Bulgaria"
-#: ../../diskdrake/interactive.pm:1
+#: lang.pm:182
#, fuzzy, c-format
-msgid ""
-"Loopback file(s):\n"
-" %s\n"
-msgstr "fail\n"
+msgid "Bahrain"
+msgstr "Bahrain"
-#: ../../network/isdn.pm:1
-#, c-format
-msgid "I don't know"
-msgstr ""
+#: lang.pm:183
+#, fuzzy, c-format
+msgid "Burundi"
+msgstr "Burundi"
-#: ../../printer/main.pm:1
+#: lang.pm:184
#, fuzzy, c-format
-msgid ", TCP/IP host \"%s\", port %s"
-msgstr "IP"
+msgid "Benin"
+msgstr "Benin"
-#: ../../standalone/drakautoinst:1
+#: lang.pm:185
#, fuzzy, c-format
-msgid ""
-"You are about to configure an Auto Install floppy. This feature is somewhat "
-"dangerous and must be used circumspectly.\n"
-"\n"
-"With that feature, you will be able to replay the installation you've "
-"performed on this computer, being interactively prompted for some steps, in "
-"order to change their values.\n"
-"\n"
-"For maximum safety, the partitioning and formatting will never be performed "
-"automatically, whatever you chose during the install of this computer.\n"
-"\n"
-"Do you want to continue?"
-msgstr "Install dan on dalam dan?"
+msgid "Bermuda"
+msgstr "Bermuda"
-#: ../../keyboard.pm:1
-#, c-format
-msgid "Telugu"
-msgstr ""
+#: lang.pm:186
+#, fuzzy, c-format
+msgid "Brunei Darussalam"
+msgstr "Brunei Darussalam"
-#: ../../harddrake/sound.pm:1
+#: lang.pm:187
#, fuzzy, c-format
-msgid ""
-"\n"
-"\n"
-"Your card currently use the %s\"%s\" driver (default driver for your card is "
-"\"%s\")"
-msgstr "default"
+msgid "Bolivia"
+msgstr "Bolivia"
-#: ../../standalone/drakfont:1
-#, c-format
-msgid "Post Uninstall"
-msgstr ""
+#: lang.pm:188
+#, fuzzy, c-format
+msgid "Brazil"
+msgstr "Brazil"
-#: ../../standalone/net_monitor:1
-#, c-format
-msgid "Connecting to Internet "
-msgstr ""
+#: lang.pm:189
+#, fuzzy, c-format
+msgid "Bahamas"
+msgstr "Bahamas"
-#: ../../standalone/scannerdrake:1
-#, c-format
-msgid " ("
-msgstr ""
+#: lang.pm:190
+#, fuzzy, c-format
+msgid "Bhutan"
+msgstr "Bhutan"
-#: ../../standalone/harddrake2:1
-#, c-format
-msgid "Cpuid level"
-msgstr ""
+#: lang.pm:191
+#, fuzzy, c-format
+msgid "Bouvet Island"
+msgstr "Bouvet Island"
-#: ../../printer/main.pm:1
+#: lang.pm:192
#, fuzzy, c-format
-msgid "Novell server \"%s\", printer \"%s\""
-msgstr "on"
+msgid "Botswana"
+msgstr "Botswana"
-#: ../../keyboard.pm:1
+#: lang.pm:193
#, c-format
-msgid "Mongolian (cyrillic)"
-msgstr ""
+msgid "Belarus"
+msgstr "Belarus"
-#: ../../standalone/drakfloppy:1
+#: lang.pm:194
#, fuzzy, c-format
-msgid "Add a module"
-msgstr "Tambah"
+msgid "Belize"
+msgstr "Belize"
-#: ../../standalone/drakconnect:1
-#, c-format
-msgid "Profile to delete:"
-msgstr ""
+#: lang.pm:195
+#, fuzzy, c-format
+msgid "Canada"
+msgstr "Kanada"
-#: ../../standalone/net_monitor:1
+#: lang.pm:196
#, c-format
-msgid "Local measure"
-msgstr ""
+msgid "Cocos (Keeling) Islands"
+msgstr "Kepulauan Cocos (Keeling)"
-#: ../../network/network.pm:1
+#: lang.pm:197
#, fuzzy, c-format
-msgid "Warning : IP address %s is usually reserved !"
-msgstr "Amaran IP!"
+msgid "Congo (Kinshasa)"
+msgstr "Kongo"
-#: ../../mouse.pm:1
+#: lang.pm:198
#, c-format
-msgid "busmouse"
-msgstr ""
+msgid "Central African Republic"
+msgstr "Republik Afrika Tengah"
-#: ../../standalone/drakTermServ:1
-#, c-format
-msgid ""
-" - Create Etherboot Enabled Boot Images:\n"
-" \tTo boot a kernel via etherboot, a special kernel/initrd image must "
-"be created.\n"
-" \tmkinitrd-net does much of this work and drakTermServ is just a "
-"graphical \n"
-" \tinterface to help manage/customize these images. To create the "
-"file \n"
-" \t/etc/dhcpd.conf.etherboot-pcimap.include that is pulled in as an "
-"include in \n"
-" \tdhcpd.conf, you should create the etherboot images for at least "
-"one full kernel."
-msgstr ""
+#: lang.pm:199
+#, fuzzy, c-format
+msgid "Congo (Brazzaville)"
+msgstr "Kongo"
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: lang.pm:200
#, fuzzy, c-format
-msgid "Account Login (user name)"
-msgstr "pengguna"
+msgid "Switzerland"
+msgstr "Switzerland"
-#: ../../standalone/harddrake2:1
+#: lang.pm:201
#, c-format
-msgid "Fdiv bug"
-msgstr ""
+msgid "Cote d'Ivoire"
+msgstr "Pantai Gading"
-#: ../../network/drakfirewall.pm:1
+#: lang.pm:202
#, fuzzy, c-format
-msgid ""
-"drakfirewall configurator\n"
-"\n"
-"Make sure you have configured your Network/Internet access with\n"
-"drakconnect before going any further."
-msgstr "Rangkaian Internet."
+msgid "Cook Islands"
+msgstr "Kepulauan Cook"
-#: ../../security/l10n.pm:1
+#: lang.pm:203
#, fuzzy, c-format
-msgid "Accept broadcasted icmp echo"
-msgstr "Terima"
+msgid "Chile"
+msgstr "Chile"
-#: ../../lang.pm:1
+#: lang.pm:204
#, fuzzy, c-format
-msgid "Uruguay"
-msgstr "Uruguay"
+msgid "Cameroon"
+msgstr "Cameroon"
-#: ../../lang.pm:1
+#: lang.pm:205
#, fuzzy, c-format
-msgid "Benin"
-msgstr "Benin"
+msgid "China"
+msgstr "China"
-#: ../../printer/main.pm:1
+#: lang.pm:206
#, fuzzy, c-format
-msgid "SMB/Windows server \"%s\", share \"%s\""
-msgstr "on SMB Tetingkap"
+msgid "Colombia"
+msgstr "Kolombia"
-#: ../../standalone/drakperm:1
-#, c-format
-msgid "Path selection"
-msgstr ""
+#: lang.pm:208
+#, fuzzy, c-format
+msgid "Cuba"
+msgstr "Cuba"
-#: ../../standalone/scannerdrake:1
+#: lang.pm:209
#, fuzzy, c-format
-msgid "Name/IP address of host:"
-msgstr "Nama IP:"
+msgid "Cape Verde"
+msgstr "Cape Verde"
-#: ../../Xconfig/various.pm:1
+#: lang.pm:210
#, fuzzy, c-format
-msgid "Monitor: %s\n"
-msgstr "Monitor"
+msgid "Christmas Island"
+msgstr "Kepulauan Krismas"
-#: ../../standalone/drakperm:1
+#: lang.pm:211
#, fuzzy, c-format
-msgid "Custom & system settings"
-msgstr "Tersendiri"
+msgid "Cyprus"
+msgstr "Cyprus"
-#: ../../partition_table/raw.pm:1
+#: lang.pm:214
#, fuzzy, c-format
-msgid ""
-"Something bad is happening on your drive. \n"
-"A test to check the integrity of data has failed. \n"
-"It means writing anything on the disk will end up with random, corrupted "
-"data."
-msgstr "on on."
+msgid "Djibouti"
+msgstr "Djibouti"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:215
#, fuzzy, c-format
-msgid "Printer host name or IP missing!"
-msgstr "IP!"
+msgid "Denmark"
+msgstr "Denmark"
-#: ../../standalone/drakbackup:1
+#: lang.pm:216
#, fuzzy, c-format
-msgid "Please check all users that you want to include in your backup."
-msgstr "dalam."
+msgid "Dominica"
+msgstr "Dominica"
-#: ../../standalone/scannerdrake:1
+#: lang.pm:217
#, fuzzy, c-format
-msgid ""
-"The %s must be configured by printerdrake.\n"
-"You can launch printerdrake from the Mandrake Control Center in Hardware "
-"section."
-msgstr "dalam Perkakasan."
+msgid "Dominican Republic"
+msgstr "Republik Dominica"
-#: ../../../move/move.pm:1
-#, c-format
-msgid "Key isn't writable"
-msgstr ""
+#: lang.pm:218
+#, fuzzy, c-format
+msgid "Algeria"
+msgstr "Algeria"
-#: ../../lang.pm:1
+#: lang.pm:219
#, fuzzy, c-format
-msgid "Bangladesh"
-msgstr "Bangladesh"
+msgid "Ecuador"
+msgstr "Ecuador"
-#: ../../standalone/drakxtv:1
+#: lang.pm:220
#, fuzzy, c-format
-msgid "Japan (cable)"
-msgstr "Jepun"
+msgid "Estonia"
+msgstr "Estonia"
-#: ../../standalone/drakfont:1
-#, c-format
-msgid "Initial tests"
-msgstr ""
+#: lang.pm:221
+#, fuzzy, c-format
+msgid "Egypt"
+msgstr "Mesir"
-#: ../../network/isdn.pm:1
+#: lang.pm:222
#, fuzzy, c-format
-msgid "Continue"
-msgstr "Teruskan"
+msgid "Western Sahara"
+msgstr "Sahara Barat"
-#: ../../standalone/drakbackup:1
+#: lang.pm:223
#, fuzzy, c-format
-msgid "Custom Restore"
-msgstr "Tersendiri"
+msgid "Eritrea"
+msgstr "Eritrea"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "Saturday"
-msgstr ""
+#: lang.pm:224 network/adsl_consts.pm:193 network/adsl_consts.pm:200
+#: network/adsl_consts.pm:209 network/adsl_consts.pm:220
+#, fuzzy, c-format
+msgid "Spain"
+msgstr "Sepanyol"
-#: ../../help.pm:1
+#: lang.pm:225
#, fuzzy, c-format
-msgid ""
-"\"%s\": if a sound card is detected on your system, it is displayed here.\n"
-"If you notice the sound card displayed is not the one that is actually\n"
-"present on your system, you can click on the button and choose another\n"
-"driver."
-msgstr "on on on dan."
+msgid "Ethiopia"
+msgstr "Ethiopia"
-#: ../../security/help.pm:1
-#, c-format
-msgid "Set the root umask."
-msgstr ""
+#: lang.pm:226 network/adsl_consts.pm:119
+#, fuzzy, c-format
+msgid "Finland"
+msgstr "Finland"
-#: ../../install_any.pm:1 ../../partition_table.pm:1
+#: lang.pm:227
#, fuzzy, c-format
-msgid "Error reading file %s"
-msgstr "Ralat fail"
+msgid "Fiji"
+msgstr "Fiji"
-#: ../../network/modem.pm:1 ../../standalone/drakconnect:1
+#: lang.pm:228
#, c-format
-msgid "Script-based"
-msgstr ""
+msgid "Falkland Islands (Malvinas)"
+msgstr "Kepulauan Falkland"
-#: ../../harddrake/v4l.pm:1
-#, c-format
-msgid "PLL setting:"
-msgstr ""
+#: lang.pm:229
+#, fuzzy, c-format
+msgid "Micronesia"
+msgstr "Micronesia"
-#: ../../install_interactive.pm:1 ../../install_steps.pm:1
+#: lang.pm:230
#, fuzzy, c-format
-msgid "You must have a FAT partition mounted in /boot/efi"
-msgstr "terpasang dalam"
+msgid "Faroe Islands"
+msgstr "Kepulauan Faroe"
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid " on "
-msgstr ""
+#: lang.pm:232
+#, fuzzy, c-format
+msgid "Gabon"
+msgstr "Gabon"
-#: ../../diskdrake/dav.pm:1
+#: lang.pm:233 network/adsl_consts.pm:237 network/adsl_consts.pm:244
+#: network/netconnect.pm:51
#, fuzzy, c-format
-msgid "The URL must begin with http:// or https://"
-msgstr "URL"
+msgid "United Kingdom"
+msgstr "United Kingdom"
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid ""
-"You can specify directly the URI to access the printer. The URI must fulfill "
-"either the CUPS or the Foomatic specifications. Note that not all URI types "
-"are supported by all the spoolers."
-msgstr ""
+#: lang.pm:234
+#, fuzzy, c-format
+msgid "Grenada"
+msgstr "Grenada"
-#: ../../any.pm:1
+#: lang.pm:235
#, fuzzy, c-format
-msgid "Other OS (SunOS...)"
-msgstr "Lain-lain"
+msgid "Georgia"
+msgstr "Georgia"
-#: ../../install_steps_interactive.pm:1
+#: lang.pm:236
#, fuzzy, c-format
-msgid "Install/Upgrade"
-msgstr "Install"
+msgid "French Guiana"
+msgstr "French Guiana"
-#: ../../install_steps_gtk.pm:1
-#, c-format
-msgid "%d packages"
-msgstr ""
+#: lang.pm:237
+#, fuzzy, c-format
+msgid "Ghana"
+msgstr "Ghana"
-#: ../../crypto.pm:1 ../../lang.pm:1
+#: lang.pm:238
#, fuzzy, c-format
-msgid "Costa Rica"
-msgstr "Costa Rica"
+msgid "Gibraltar"
+msgstr "Gibraltar"
-#: ../../standalone.pm:1
+#: lang.pm:239
#, fuzzy, c-format
-msgid ""
-"[--config-info] [--daemon] [--debug] [--default] [--show-conf]\n"
-"Backup and Restore application\n"
-"\n"
-"--default : save default directories.\n"
-"--debug : show all debug messages.\n"
-"--show-conf : list of files or directories to backup.\n"
-"--config-info : explain configuration file options (for non-X "
-"users).\n"
-"--daemon : use daemon configuration. \n"
-"--help : show this message.\n"
-"--version : show version number.\n"
-msgstr "default dan default default fail fail"
+msgid "Greenland"
+msgstr "Greenland"
-#: ../../diskdrake/smbnfs_gtk.pm:1
+#: lang.pm:240
#, fuzzy, c-format
-msgid "Domain Authentication Required"
-msgstr "Domain Pengesahan"
+msgid "Gambia"
+msgstr "Gambia"
-#: ../../security/level.pm:1
-#, c-format
-msgid "Use libsafe for servers"
-msgstr ""
+#: lang.pm:241
+#, fuzzy, c-format
+msgid "Guinea"
+msgstr "Guinea"
-#: ../../keyboard.pm:1
+#: lang.pm:242
#, fuzzy, c-format
-msgid "Icelandic"
-msgstr "Icelandic"
+msgid "Guadeloupe"
+msgstr "Guadeloupe"
-#: ../../standalone.pm:1
-#, c-format
-msgid ""
-"\n"
-"Usage: %s [--auto] [--beginner] [--expert] [-h|--help] [--noauto] [--"
-"testing] [-v|--version] "
-msgstr ""
+#: lang.pm:243
+#, fuzzy, c-format
+msgid "Equatorial Guinea"
+msgstr "Equitorial Guinea"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid ""
-"Maximum size\n"
-" allowed for Drakbackup (MB)"
-msgstr ""
+#: lang.pm:245
+#, fuzzy, c-format
+msgid "South Georgia and the South Sandwich Islands"
+msgstr "Selatan Georgia dan Selatan"
-#: ../../loopback.pm:1
-#, c-format
-msgid "Circular mounts %s\n"
-msgstr ""
+#: lang.pm:246
+#, fuzzy, c-format
+msgid "Guatemala"
+msgstr "Guatemala"
-#: ../../standalone/drakboot:1
-#, c-format
-msgid "Lilo/grub mode"
-msgstr ""
+#: lang.pm:247
+#, fuzzy, c-format
+msgid "Guam"
+msgstr "Guam"
-#: ../../lang.pm:1
+#: lang.pm:248
#, fuzzy, c-format
-msgid "Martinique"
-msgstr "Martinique"
+msgid "Guinea-Bissau"
+msgstr "Guinea-Bissau"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "HardDrive / NFS"
-msgstr ""
+#: lang.pm:249
+#, fuzzy, c-format
+msgid "Guyana"
+msgstr "Guyana"
-#: ../../standalone/drakbackup:1
+#: lang.pm:250
#, fuzzy, c-format
-msgid "Old user list:\n"
-msgstr "pengguna"
+msgid "China (Hong Kong)"
+msgstr "Hong Kong"
-#: ../../standalone/drakbackup:1
+#: lang.pm:251
#, fuzzy, c-format
-msgid "Search Backups"
-msgstr "Cari"
+msgid "Heard and McDonald Islands"
+msgstr "dan"
-#: ../../modules/parameters.pm:1
-#, c-format
-msgid "a number"
-msgstr ""
+#: lang.pm:252
+#, fuzzy, c-format
+msgid "Honduras"
+msgstr "Honduras"
-#: ../../keyboard.pm:1
+#: lang.pm:253
#, fuzzy, c-format
-msgid "Swedish"
-msgstr "Swedish"
+msgid "Croatia"
+msgstr "Croatia"
-#. -PO: the %s is the driver type (scsi, network, sound,...)
-#: ../../modules/interactive.pm:1
-#, c-format
-msgid "Which %s driver should I try?"
-msgstr ""
+#: lang.pm:254
+#, fuzzy, c-format
+msgid "Haiti"
+msgstr "Haiti"
-#: ../../standalone/logdrake:1
+#: lang.pm:255 network/adsl_consts.pm:144
#, fuzzy, c-format
-msgid ""
-"You will receive an alert if one of the selected services is no longer "
-"running"
-msgstr "tidak"
+msgid "Hungary"
+msgstr "Hungary"
+
+#: lang.pm:256
+#, fuzzy, c-format
+msgid "Indonesia"
+msgstr "Indonesia"
+
+#: lang.pm:257 standalone/drakxtv:48
+#, fuzzy, c-format
+msgid "Ireland"
+msgstr "Ireland"
+
+#: lang.pm:258
+#, fuzzy, c-format
+msgid "Israel"
+msgstr "Israel"
+
+#: lang.pm:259
+#, fuzzy, c-format
+msgid "India"
+msgstr "India"
-#: ../../standalone/drakbackup:1
+#: lang.pm:260
#, c-format
-msgid "Weekday"
-msgstr ""
+msgid "British Indian Ocean Territory"
+msgstr "Kawasan Ocean India British"
-#: ../../diskdrake/hd_gtk.pm:1
+#: lang.pm:261
#, c-format
-msgid "Filesystem types:"
-msgstr ""
+msgid "Iraq"
+msgstr "Iraq"
-#: ../../lang.pm:1
+#: lang.pm:262
#, c-format
-msgid "Northern Mariana Islands"
-msgstr "Kepulauan Mariana Utara"
+msgid "Iran"
+msgstr "Iran"
-#: ../../printer/main.pm:1
+#: lang.pm:263
#, fuzzy, c-format
-msgid ", multi-function device on HP JetDirect"
-msgstr "on"
+msgid "Iceland"
+msgstr "Iceland"
-#: ../../mouse.pm:1
+#: lang.pm:265
#, fuzzy, c-format
-msgid "none"
-msgstr "tiada"
+msgid "Jamaica"
+msgstr "Jamaica"
-#: ../../standalone/drakconnect:1
+#: lang.pm:266
#, fuzzy, c-format
-msgid ""
-"Name of the profile to create (the new profile is created as a copy of the "
-"current one) :"
-msgstr "Nama:"
+msgid "Jordan"
+msgstr "Jordan"
-#: ../../harddrake/data.pm:1
-#, c-format
-msgid "Floppy"
-msgstr ""
+#: lang.pm:267
+#, fuzzy, c-format
+msgid "Japan"
+msgstr "Jepun"
-#: ../../standalone/drakfont:1
-#, c-format
-msgid "Ghostscript referencing"
-msgstr ""
+#: lang.pm:268
+#, fuzzy, c-format
+msgid "Kenya"
+msgstr "Kenya"
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
+#: lang.pm:269
#, fuzzy, c-format
-msgid "Bootloader"
-msgstr "PemuatBoot"
+msgid "Kyrgyzstan"
+msgstr "Kyrgyzstan"
-#: ../../security/l10n.pm:1
-#, c-format
-msgid "Authorize all services controlled by tcp_wrappers"
-msgstr ""
+#: lang.pm:270
+#, fuzzy, c-format
+msgid "Cambodia"
+msgstr "Cambodia"
-#: ../../diskdrake/interactive.pm:1
-#, c-format
-msgid "Move"
-msgstr ""
+#: lang.pm:271
+#, fuzzy, c-format
+msgid "Kiribati"
+msgstr "Kiribati"
-#: ../../any.pm:1 ../../help.pm:1
+#: lang.pm:272
#, fuzzy, c-format
-msgid "Bootloader to use"
-msgstr "PemuatBoot"
+msgid "Comoros"
+msgstr "Comoros"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:273
#, fuzzy, c-format
-msgid "SMB server host"
-msgstr "SMB"
+msgid "Saint Kitts and Nevis"
+msgstr "dan"
-#: ../../standalone/drakTermServ:1
+#: lang.pm:274
#, fuzzy, c-format
-msgid "Name Servers:"
-msgstr "Nama Pelayan:"
+msgid "Korea (North)"
+msgstr "Utara"
-#: ../../standalone/drakbackup:1
+#: lang.pm:275
#, c-format
-msgid "Minute"
+msgid "Korea"
msgstr ""
-#: ../../install_messages.pm:1
+#: lang.pm:276
#, fuzzy, c-format
-msgid ""
-"\n"
-"Warning\n"
-"\n"
-"Please read carefully the terms below. If you disagree with any\n"
-"portion, you are not allowed to install the next CD media. Press 'Refuse' \n"
-"to continue the installation without using these media.\n"
-"\n"
-"\n"
-"Some components contained in the next CD media are not governed\n"
-"by the GPL License or similar agreements. Each such component is then\n"
-"governed by the terms and conditions of its own specific license. \n"
-"Please read carefully and comply with such specific licenses before \n"
-"you use or redistribute the said components. \n"
-"Such licenses will in general prevent the transfer, duplication \n"
-"(except for backup purposes), redistribution, reverse engineering, \n"
-"de-assembly, de-compilation or modification of the component. \n"
-"Any breach of agreement will immediately terminate your rights under \n"
-"the specific license. Unless the specific license terms grant you such\n"
-"rights, you usually cannot install the programs on more than one\n"
-"system, or adapt it to be used on a network. In doubt, please contact \n"
-"directly the distributor or editor of the component. \n"
-"Transfer to third parties or copying of such components including the \n"
-"documentation is usually forbidden.\n"
-"\n"
-"\n"
-"All rights to the components of the next CD media belong to their \n"
-"respective authors and are protected by intellectual property and \n"
-"copyright laws applicable to software programs.\n"
-msgstr "dalam dan dan dalam on on Masuk dan dan"
-
-#: ../../standalone/printerdrake:1
-#, c-format
-msgid "/_Expert mode"
-msgstr ""
+msgid "Kuwait"
+msgstr "Kuwait"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:277
#, fuzzy, c-format
-msgid "Remove this printer from Star Office/OpenOffice.org/GIMP"
-msgstr "Buang Pejabat"
+msgid "Cayman Islands"
+msgstr "Kepulauan Cayman"
-#: ../../services.pm:1
+#: lang.pm:278
#, fuzzy, c-format
-msgid ""
-"Linux Virtual Server, used to build a high-performance and highly\n"
-"available server."
-msgstr "Pelayan dan."
+msgid "Kazakhstan"
+msgstr "Kazakhstan"
-#: ../../lang.pm:1
+#: lang.pm:279
#, fuzzy, c-format
-msgid "Micronesia"
-msgstr "Micronesia"
+msgid "Laos"
+msgstr "Laos"
-#: ../../Xconfig/resolution_and_depth.pm:1
+#: lang.pm:280
#, c-format
-msgid "4 billion colors (32 bits)"
-msgstr ""
+msgid "Lebanon"
+msgstr "Lebanon"
-#: ../../steps.pm:1
-#, c-format
-msgid "License"
-msgstr ""
+#: lang.pm:281
+#, fuzzy, c-format
+msgid "Saint Lucia"
+msgstr "Saint Lucia"
-#: ../../standalone/drakbackup:1
+#: lang.pm:282
+#, fuzzy, c-format
+msgid "Liechtenstein"
+msgstr "Liechtenstein"
+
+#: lang.pm:283
#, c-format
-msgid "This may take a moment to generate the keys."
-msgstr ""
+msgid "Sri Lanka"
+msgstr "Sri Lanka"
-#: ../../standalone/draksec:1
+#: lang.pm:284
#, fuzzy, c-format
-msgid ""
-"Here, you can setup the security level and administrator of your machine.\n"
-"\n"
-"\n"
-"The Security Administrator is the one who will receive security alerts if "
-"the\n"
-"'Security Alerts' option is set. It can be a username or an email.\n"
-"\n"
-"\n"
-"The Security Level menu allows you to select one of the six preconfigured "
-"security levels\n"
-"provided with msec. These levels range from poor security and ease of use, "
-"to\n"
-"paranoid config, suitable for very sensitive server applications:\n"
-"\n"
-"\n"
-"<span foreground=\"royalblue3\">Poor</span>: This is a totally unsafe but "
-"very\n"
-"easy to use security level. It should only be used for machines not "
-"connected to\n"
-"any network and that are not accessible to everybody.\n"
-"\n"
-"\n"
-"<span foreground=\"royalblue3\">Standard</span>: This is the standard "
-"security\n"
-"recommended for a computer that will be used to connect to the Internet as "
-"a\n"
-"client.\n"
-"\n"
-"\n"
-"<span foreground=\"royalblue3\">High</span>: There are already some\n"
-"restrictions, and more automatic checks are run every night.\n"
-"\n"
-"\n"
-"<span foreground=\"royalblue3\">Higher</span>: The security is now high "
-"enough\n"
-"to use the system as a server which can accept connections from many "
-"clients. If\n"
-"your machine is only a client on the Internet, you should choose a lower "
-"level.\n"
-"\n"
-"\n"
-"<span foreground=\"royalblue3\">Paranoid</span>: This is similar to the "
-"previous\n"
-"level, but the system is entirely closed and security features are at their\n"
-"maximum"
-msgstr ""
-"dan Keselamatan Keselamatan Keselamatan dan\n"
-"<span foreground=\"royalblue3\"></span> dan\n"
-"<span foreground=\"royalblue3\"></span> Internet\n"
-"<span foreground=\"royalblue3\"> Tinggi</span> dan\n"
-"<span foreground=\"royalblue3\"></span> terima on Internet\n"
-"<span foreground=\"royalblue3\"></span> dan"
+msgid "Liberia"
+msgstr "Liberia"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:285
#, fuzzy, c-format
-msgid "Printer auto-detection (Local, TCP/Socket, and SMB printers)"
-msgstr "dan SMB"
+msgid "Lesotho"
+msgstr "Lesotho"
-#: ../../network/adsl.pm:1
+#: lang.pm:286
+#, fuzzy, c-format
+msgid "Lithuania"
+msgstr "Lithuania"
+
+#: lang.pm:287
#, c-format
-msgid "Sagem (using pppoa) usb"
-msgstr ""
+msgid "Luxembourg"
+msgstr "Luxembourg"
-#: ../../install_any.pm:1
+#: lang.pm:288
#, fuzzy, c-format
-msgid ""
-"An error occurred - no valid devices were found on which to create new "
-"filesystems. Please check your hardware for the cause of this problem"
-msgstr "ralat tidak on"
+msgid "Latvia"
+msgstr "Latvia"
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Starting the printing system at boot time"
-msgstr ""
+#: lang.pm:289
+#, fuzzy, c-format
+msgid "Libya"
+msgstr "Libya"
-#: ../../network/netconnect.pm:1
+#: lang.pm:290
#, fuzzy, c-format
-msgid "Do you want to start the connection at boot?"
-msgstr "mula?"
+msgid "Morocco"
+msgstr "Morocco"
-#: ../../standalone/harddrake2:1
+#: lang.pm:291
#, fuzzy, c-format
-msgid "Processor ID"
-msgstr "Pemproses"
+msgid "Monaco"
+msgstr "Monaco"
-#: ../../harddrake/sound.pm:1
+#: lang.pm:292
#, fuzzy, c-format
-msgid "Sound trouble shooting"
-msgstr "Bunyi"
+msgid "Moldova"
+msgstr "Moldova"
-#: ../../keyboard.pm:1
-#, c-format
-msgid "Polish (qwerty layout)"
-msgstr ""
+#: lang.pm:293
+#, fuzzy, c-format
+msgid "Madagascar"
+msgstr "Madagascar"
-#: ../../standalone/printerdrake:1
+#: lang.pm:294
#, fuzzy, c-format
-msgid "/_Add Printer"
-msgstr "Tambah user"
+msgid "Marshall Islands"
+msgstr "Kepulauan Marshall"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid ""
-"\n"
-"Drakbackup activities via CD:\n"
-"\n"
-msgstr ""
+#: lang.pm:295
+#, fuzzy, c-format
+msgid "Macedonia"
+msgstr "Macedonia"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:296
#, fuzzy, c-format
-msgid ""
-"You are about to install the printing system %s on a system running in the %"
-"s security level.\n"
-"\n"
-"This printing system runs a daemon (background process) which waits for "
-"print jobs and handles them. This daemon is also accessable by remote "
-"machines through the network and so it is a possible point for attacks. "
-"Therefore only a few selected daemons are started by default in this "
-"security level.\n"
-"\n"
-"Do you really want to configure printing on this machine?"
-msgstr "on dalam dan dan default dalam on?"
+msgid "Mali"
+msgstr "Mali"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:297
#, fuzzy, c-format
-msgid "Host \"%s\", port %s"
-msgstr "Hos"
+msgid "Myanmar"
+msgstr "Myanmar"
-#: ../../diskdrake/interactive.pm:1
+#: lang.pm:298
+#, fuzzy, c-format
+msgid "Mongolia"
+msgstr "Mongolia"
+
+#: lang.pm:299
#, c-format
-msgid "This partition can't be used for loopback"
-msgstr ""
+msgid "Northern Mariana Islands"
+msgstr "Kepulauan Mariana Utara"
-#: ../../diskdrake/interactive.pm:1
+#: lang.pm:300
#, fuzzy, c-format
-msgid "File already exists. Use it?"
-msgstr "Fail?"
+msgid "Martinique"
+msgstr "Martinique"
-#: ../../standalone/net_monitor:1
-#, c-format
-msgid "received: "
-msgstr ""
+#: lang.pm:301
+#, fuzzy, c-format
+msgid "Mauritania"
+msgstr "Mauritania"
-#: ../../keyboard.pm:1
+#: lang.pm:302
#, fuzzy, c-format
-msgid "Right Alt key"
-msgstr "Kanan Alt"
+msgid "Montserrat"
+msgstr "Montserrat"
-#: ../../standalone/harddrake2:1
-#, c-format
-msgid "the list of alternative drivers for this sound card"
-msgstr ""
+#: lang.pm:303
+#, fuzzy, c-format
+msgid "Malta"
+msgstr "Malta"
-#: ../../standalone/drakconnect:1
+#: lang.pm:304
#, fuzzy, c-format
-msgid "Gateway"
-msgstr "Gateway"
+msgid "Mauritius"
+msgstr "Mauritius"
-#: ../../lang.pm:1
+#: lang.pm:305
#, fuzzy, c-format
-msgid "Tonga"
-msgstr "Tonga"
+msgid "Maldives"
+msgstr "Maldives"
-#: ../../lang.pm:1
+#: lang.pm:306
#, fuzzy, c-format
-msgid "Tunisia"
-msgstr "Tunisia"
+msgid "Malawi"
+msgstr "Malawi"
-#: ../../standalone/scannerdrake:1
-#, c-format
-msgid "Scanner sharing"
-msgstr ""
+#: lang.pm:307
+#, fuzzy, c-format
+msgid "Mexico"
+msgstr "Mexico"
-#: ../../standalone/drakconnect:1
+#: lang.pm:308
#, c-format
-msgid "Profile: "
-msgstr ""
+msgid "Malaysia"
+msgstr "Malaysia"
-#: ../../standalone/harddrake2:1
+#: lang.pm:309
#, fuzzy, c-format
-msgid ""
-"Click on a device in the left tree in order to display its information here."
-msgstr "on dalam dalam."
+msgid "Mozambique"
+msgstr "Mozambique"
-#: ../../security/help.pm:1
-#, c-format
-msgid "Allow/Forbid autologin."
-msgstr ""
+#: lang.pm:310
+#, fuzzy, c-format
+msgid "Namibia"
+msgstr "Namibia"
-#: ../../standalone/drakxtv:1
-#, c-format
-msgid "XawTV isn't installed!"
-msgstr ""
+#: lang.pm:311
+#, fuzzy, c-format
+msgid "New Caledonia"
+msgstr "New Caledonia"
-#: ../../standalone/drakbackup:1
+#: lang.pm:312
#, fuzzy, c-format
-msgid "Do not include critical files (passwd, group, fstab)"
-msgstr "fail"
+msgid "Niger"
+msgstr "Niger"
-#: ../../standalone/harddrake2:1
+#: lang.pm:313
#, fuzzy, c-format
-msgid "old static device name used in dev package"
-msgstr "dalam"
+msgid "Norfolk Island"
+msgstr "Kepulauan Norfolk"
-#: ../../security/l10n.pm:1
-#, c-format
-msgid "Enable the logging of IPv4 strange packets"
-msgstr ""
+#: lang.pm:314
+#, fuzzy, c-format
+msgid "Nigeria"
+msgstr "Nigeria"
-#: ../../any.pm:1
-#, c-format
-msgid "This label is already used"
-msgstr ""
+#: lang.pm:315
+#, fuzzy, c-format
+msgid "Nicaragua"
+msgstr "Nicaragua"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:318
#, fuzzy, c-format
-msgid ""
-"\n"
-"Welcome to the Printer Setup Wizard\n"
-"\n"
-"This wizard will help you to install your printer(s) connected to this "
-"computer or connected directly to the network.\n"
-"\n"
-"If you have printer(s) connected to this machine, Please plug it/them in on "
-"this computer and turn it/them on so that it/they can be auto-detected. Also "
-"your network printer(s) must be connected and turned on.\n"
-"\n"
-"Note that auto-detecting printers on the network takes longer than the auto-"
-"detection of only the printers connected to this machine. So turn off the "
-"auto-detection of network printers when you don't need it.\n"
-"\n"
-" Click on \"Next\" when you are ready, and on \"Cancel\" if you do not want "
-"to set up your printer(s) now."
-msgstr ""
-"dalam on dan on dan on on off\n"
-" on Berikutnya dan on Batal."
+msgid "Nepal"
+msgstr "Nepal"
-#: ../../keyboard.pm:1
-#, c-format
-msgid "Greek (polytonic)"
-msgstr ""
+#: lang.pm:319
+#, fuzzy, c-format
+msgid "Nauru"
+msgstr "Nauru"
-#: ../../diskdrake/interactive.pm:1
+#: lang.pm:320
#, fuzzy, c-format
-msgid "After formatting partition %s, all data on this partition will be lost"
-msgstr "on"
+msgid "Niue"
+msgstr "Niue"
-#: ../../standalone/net_monitor:1
+#: lang.pm:321
#, fuzzy, c-format
-msgid "Connection Time: "
-msgstr "Masa "
+msgid "New Zealand"
+msgstr "New Zealand"
-#: ../../standalone/livedrake:1
+#: lang.pm:322
#, fuzzy, c-format
-msgid ""
-"Please insert the Installation Cd-Rom in your drive and press Ok when done.\n"
-"If you don't have it, press Cancel to avoid live upgrade."
-msgstr "dalam dan Ok siap Batal."
+msgid "Oman"
+msgstr "Oman"
-#: ../../standalone/drakperm:1
-#, c-format
-msgid "Use group id for execution"
-msgstr ""
+#: lang.pm:323
+#, fuzzy, c-format
+msgid "Panama"
+msgstr "Panama"
-#: ../../any.pm:1
+#: lang.pm:324
#, fuzzy, c-format
-msgid "Choose the default user:"
-msgstr "default pengguna:"
+msgid "Peru"
+msgstr "Peru"
-#: ../../lang.pm:1
+#: lang.pm:325
#, fuzzy, c-format
-msgid "Gabon"
-msgstr "Gabon"
+msgid "French Polynesia"
+msgstr "French Polynesia"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:326
#, fuzzy, c-format
-msgid ""
-"\n"
-"Printers on remote CUPS servers do not need to be configured here; these "
-"printers will be automatically detected."
-msgstr "on."
+msgid "Papua New Guinea"
+msgstr "Papua New Guinea"
-#: ../../any.pm:1
+#: lang.pm:327
#, fuzzy, c-format
-msgid ""
-"Mandrake Linux can support multiple languages. Select\n"
-"the languages you would like to install. They will be available\n"
-"when your installation is complete and you restart your system."
-msgstr "dan ulanghidup."
+msgid "Philippines"
+msgstr "Filipina"
-#: ../../standalone/drakbackup:1
+#: lang.pm:328
#, fuzzy, c-format
-msgid "Directory (or module) to put the backup on this host."
-msgstr "Direktori on."
+msgid "Pakistan"
+msgstr "Pakistan"
-#: ../../diskdrake/smbnfs_gtk.pm:1
+#: lang.pm:329 network/adsl_consts.pm:177
#, fuzzy, c-format
-msgid "Domain"
-msgstr "Domain"
+msgid "Poland"
+msgstr "Poland"
-#: ../../any.pm:1
-#, c-format
-msgid "Precise RAM size if needed (found %d MB)"
-msgstr ""
+#: lang.pm:330
+#, fuzzy, c-format
+msgid "Saint Pierre and Miquelon"
+msgstr "dan"
-#: ../../help.pm:1
+#: lang.pm:331
#, fuzzy, c-format
-msgid ""
-"LILO and grub are GNU/Linux bootloaders. Normally, this stage is totally\n"
-"automated. DrakX will analyze the disk boot sector and act according to\n"
-"what it finds there:\n"
-"\n"
-" * if a Windows boot sector is found, it will replace it with a grub/LILO\n"
-"boot sector. This way you will be able to load either GNU/Linux or another\n"
-"OS.\n"
-"\n"
-" * if a grub or LILO boot sector is found, it will replace it with a new\n"
-"one.\n"
-"\n"
-"If it cannot make a determination, DrakX will ask you where to place the\n"
-"bootloader."
-msgstr ""
-"dan dan\n"
-" Tetingkap\n"
-" tiada."
+msgid "Pitcairn"
+msgstr "Pitcairn"
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
-#, c-format
-msgid "Provider dns 2 (optional)"
-msgstr ""
+#: lang.pm:332
+#, fuzzy, c-format
+msgid "Puerto Rico"
+msgstr "Puerto Rico"
-#: ../../any.pm:1 ../../help.pm:1
+#: lang.pm:333
#, c-format
-msgid "Boot device"
+msgid "Palestine"
msgstr ""
-#: ../../install_interactive.pm:1
-#, c-format
-msgid "Which partition do you want to resize?"
-msgstr ""
+#: lang.pm:334 network/adsl_consts.pm:187
+#, fuzzy, c-format
+msgid "Portugal"
+msgstr "Portugal"
-#: ../../lang.pm:1
-#, c-format
-msgid "United States Minor Outlying Islands"
-msgstr "Amerika Syarikat, kepulauan Luar Minor"
+#: lang.pm:335
+#, fuzzy, c-format
+msgid "Paraguay"
+msgstr "Paraguay"
-#: ../../lang.pm:1
+#: lang.pm:336
#, fuzzy, c-format
-msgid "Djibouti"
-msgstr "Djibouti"
+msgid "Palau"
+msgstr "Palau"
-#: ../../standalone/logdrake:1
+#: lang.pm:337
#, fuzzy, c-format
-msgid "A tool to monitor your logs"
-msgstr "A"
+msgid "Qatar"
+msgstr "Qatar"
+
+#: lang.pm:338
+#, c-format
+msgid "Reunion"
+msgstr "Reunion"
-#: ../../network/netconnect.pm:1
+#: lang.pm:339
#, fuzzy, c-format
-msgid "detected on port %s"
-msgstr "on"
+msgid "Romania"
+msgstr "Romania"
-#: ../../printer/data.pm:1
+#: lang.pm:340
#, c-format
-msgid "LPD"
+msgid "Russia"
msgstr ""
-#: ../../Xconfig/various.pm:1
+#: lang.pm:341
#, fuzzy, c-format
-msgid "Graphics card: %s\n"
-msgstr "Grafik"
+msgid "Rwanda"
+msgstr "Rwanda"
-#: ../../standalone/printerdrake:1
+#: lang.pm:342
#, fuzzy, c-format
-msgid "/Set as _Default"
-msgstr "Default"
+msgid "Saudi Arabia"
+msgstr "Arab Saudi"
-#: ../../security/l10n.pm:1
+#: lang.pm:343
#, fuzzy, c-format
-msgid "Accept icmp echo"
-msgstr "Terima"
-
-#: ../../bootloader.pm:1
-#, c-format
-msgid "Yaboot"
-msgstr ""
+msgid "Solomon Islands"
+msgstr "Kepulauan Solomon"
-#: ../../mouse.pm:1
-#, c-format
-msgid "Logitech CC Series with Wheel emulation"
-msgstr ""
+#: lang.pm:344
+#, fuzzy, c-format
+msgid "Seychelles"
+msgstr "Seychelles"
-#: ../../partition_table.pm:1
+#: lang.pm:345
#, fuzzy, c-format
-msgid "Extended partition not supported on this platform"
-msgstr "on"
+msgid "Sudan"
+msgstr "Sudan"
-#: ../../standalone/drakboot:1
-#, c-format
-msgid "Splash selection"
-msgstr ""
+#: lang.pm:347
+#, fuzzy, c-format
+msgid "Singapore"
+msgstr "Singapura"
-#: ../../network/isdn.pm:1
+#: lang.pm:348
#, c-format
-msgid "ISDN Configuration"
-msgstr ""
+msgid "Saint Helena"
+msgstr "Santa Helena"
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "high"
-msgstr ""
+#: lang.pm:349
+#, fuzzy, c-format
+msgid "Slovenia"
+msgstr "Slovenia"
-#: ../../standalone/drakgw:1
+#: lang.pm:350
#, fuzzy, c-format
-msgid "Internet Connection Sharing"
-msgstr "Internet"
+msgid "Svalbard and Jan Mayen Islands"
+msgstr "Svalbard and Jan Mayen Islands"
-#: ../../standalone/logdrake:1
+#: lang.pm:351
#, c-format
-msgid "Choose file"
-msgstr ""
+msgid "Slovakia"
+msgstr "Slovakia"
-#: ../../standalone/drakbug:1
+#: lang.pm:352
#, fuzzy, c-format
-msgid "Summary: "
-msgstr "Ringkasan"
+msgid "Sierra Leone"
+msgstr "Sierra Leone"
-#: ../../network/shorewall.pm:1
+#: lang.pm:353
#, fuzzy, c-format
-msgid ""
-"Warning! An existing firewalling configuration has been detected. You may "
-"need some manual fixes after installation."
-msgstr "Amaran."
+msgid "San Marino"
+msgstr "San Marino"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:354
#, fuzzy, c-format
-msgid "Printing/Photo Card Access on \"%s\""
-msgstr "Cetakan on"
-
-#: ../../security/l10n.pm:1
-#, c-format
-msgid "Daily security check"
-msgstr ""
+msgid "Senegal"
+msgstr "Senegal"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:355
#, fuzzy, c-format
-msgid ""
-"Do you want to enable printing on the printers mentioned above or on "
-"printers in the local network?\n"
-msgstr "on on dalam lokal"
+msgid "Somalia"
+msgstr "Somalia"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:356
#, fuzzy, c-format
-msgid "Printer default settings"
-msgstr "default"
+msgid "Suriname"
+msgstr "Surinam"
-#: ../../mouse.pm:1
+#: lang.pm:357
#, fuzzy, c-format
-msgid "Generic PS2 Wheel Mouse"
-msgstr "Generik"
+msgid "Sao Tome and Principe"
+msgstr "Sao Tome and Principe"
-#: ../../standalone/harddrake2:1
+#: lang.pm:358
#, fuzzy, c-format
-msgid ""
-"the WP flag in the CR0 register of the cpu enforce write proctection at the "
-"memory page level, thus enabling the processor to prevent unchecked kernel "
-"accesses to user memory (aka this is a bug guard)"
-msgstr "dalam pengguna"
+msgid "El Salvador"
+msgstr "El Salvador"
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Removing old printer \"%s\"..."
-msgstr ""
+#: lang.pm:359
+#, fuzzy, c-format
+msgid "Syria"
+msgstr "Syria"
-#: ../../standalone/harddrake2:1
-#, c-format
-msgid "Select a device !"
-msgstr ""
+#: lang.pm:360
+#, fuzzy, c-format
+msgid "Swaziland"
+msgstr "Swaziland"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:361
#, fuzzy, c-format
-msgid "Remove selected server"
-msgstr "Buang"
+msgid "Turks and Caicos Islands"
+msgstr "Kepulauan Caicos dan Turks"
-#: ../../network/adsl.pm:1
-#, c-format
-msgid "Sagem (using dhcp) usb"
-msgstr ""
+#: lang.pm:362
+#, fuzzy, c-format
+msgid "Chad"
+msgstr "Chad"
-#: ../../lang.pm:1
+#: lang.pm:363
#, fuzzy, c-format
msgid "French Southern Territories"
msgstr "Perancis"
-#: ../../standalone/harddrake2:1
-#, c-format
-msgid "the vendor name of the processor"
-msgstr ""
-
-#: ../../standalone/drakTermServ:1
-#, c-format
-msgid ""
-" - Maintain %s:\n"
-" \tFor users to be able to log into the system from a diskless "
-"client, their entry in\n"
-" \t/etc/shadow needs to be duplicated in %s. drakTermServ\n"
-" \thelps in this respect by adding or removing system users from this "
-"file."
-msgstr ""
-
-#: ../../diskdrake/interactive.pm:1
+#: lang.pm:364
#, fuzzy, c-format
-msgid "All data on this partition should be backed-up"
-msgstr "Semua on"
+msgid "Togo"
+msgstr "Togo"
-#: ../../install_steps_gtk.pm:1
-#, c-format
-msgid "Installing package %s"
-msgstr ""
+#: lang.pm:365
+#, fuzzy, c-format
+msgid "Thailand"
+msgstr "Thailand"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:366
#, fuzzy, c-format
-msgid "Checking device and configuring HPOJ..."
-msgstr "dan."
+msgid "Tajikistan"
+msgstr "Tajikistan"
-#: ../../diskdrake/interactive.pm:1
+#: lang.pm:367
#, fuzzy, c-format
-msgid ""
-"To have more partitions, please delete one to be able to create an extended "
-"partition"
-msgstr "Kepada"
+msgid "Tokelau"
+msgstr "Tokelau"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:368
#, fuzzy, c-format
-msgid ""
-"Your printer was configured automatically to give you access to the photo "
-"card drives from your PC. Now you can access your photo cards using the "
-"graphical program \"MtoolsFM\" (Menu: \"Applications\" -> \"File tools\" -> "
-"\"MTools File Manager\") or the command line utilities \"mtools\" (enter "
-"\"man mtools\" on the command line for more info). You find the card's file "
-"system under the drive letter \"p:\", or subsequent drive letters when you "
-"have more than one HP printer with photo card drives. In \"MtoolsFM\" you "
-"can switch between drive letters with the field at the upper-right corners "
-"of the file lists."
-msgstr "Aplikasi Fail Fail on fail Masuk fail."
+msgid "East Timor"
+msgstr "Timor Larose"
-#: ../../steps.pm:1
-#, c-format
-msgid "Choose packages to install"
-msgstr ""
+#: lang.pm:369
+#, fuzzy, c-format
+msgid "Turkmenistan"
+msgstr "Turkmenistan"
-#: ../../install_interactive.pm:1
+#: lang.pm:370
#, fuzzy, c-format
-msgid "ALL existing partitions and their data will be lost on drive %s"
-msgstr "dan on"
+msgid "Tunisia"
+msgstr "Tunisia"
-#: ../../install_steps_interactive.pm:1
-#, c-format
-msgid ""
-"Your system does not have enough space left for installation or upgrade (%d "
-"> %d)"
-msgstr ""
+#: lang.pm:371
+#, fuzzy, c-format
+msgid "Tonga"
+msgstr "Tonga"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:372
#, fuzzy, c-format
-msgid ""
-"Every printer needs a name (for example \"printer\"). The Description and "
-"Location fields do not need to be filled in. They are comments for the users."
-msgstr "Huraian dan Lokasi dalam."
+msgid "Turkey"
+msgstr "Turki"
-#: ../../help.pm:1
+#: lang.pm:373
#, fuzzy, c-format
-msgid ""
-"\"%s\": clicking on the \"%s\" button will open the printer configuration\n"
-"wizard. Consult the corresponding chapter of the ``Starter Guide'' for more\n"
-"information on how to setup a new printer. The interface presented there is\n"
-"similar to the one used during installation."
-msgstr "on on."
+msgid "Trinidad and Tobago"
+msgstr "Trinidad dan Tobago"
-#: ../../lang.pm:1
+#: lang.pm:374
#, fuzzy, c-format
-msgid "Bhutan"
-msgstr "Bhutan"
+msgid "Tuvalu"
+msgstr "Tuvalu"
-#: ../../standalone/drakgw:1
+#: lang.pm:375
#, fuzzy, c-format
-msgid "Network interface"
-msgstr "Rangkaian"
+msgid "Taiwan"
+msgstr "Taiwan"
-#: ../../standalone/net_monitor:1
+#: lang.pm:376
#, fuzzy, c-format
-msgid "Disconnection from Internet failed."
-msgstr "Internet."
+msgid "Tanzania"
+msgstr "Tanzania"
-#: ../../printer/printerdrake.pm:1
+#: lang.pm:377
#, fuzzy, c-format
-msgid "Reading printer data..."
-msgstr "Membaca."
+msgid "Ukraine"
+msgstr "Ukraine"
-#: ../../keyboard.pm:1
+#: lang.pm:378
#, fuzzy, c-format
-msgid "Korean keyboard"
-msgstr "Korea"
+msgid "Uganda"
+msgstr "Uganda"
-#: ../../standalone/drakconnect:1 ../../standalone/net_monitor:1
+#: lang.pm:379
#, c-format
-msgid "Not connected"
-msgstr ""
+msgid "United States Minor Outlying Islands"
+msgstr "Amerika Syarikat, kepulauan Luar Minor"
-#: ../../standalone/net_monitor:1
+#: lang.pm:381
#, fuzzy, c-format
-msgid "No internet connection configured"
-msgstr "Internet"
+msgid "Uruguay"
+msgstr "Uruguay"
+
+#: lang.pm:382
+#, fuzzy, c-format
+msgid "Uzbekistan"
+msgstr "Uzbekistan"
-#: ../../keyboard.pm:1
+#: lang.pm:383
#, c-format
-msgid "Greek"
+msgid "Vatican"
msgstr ""
-#: ../../lang.pm:1
+#: lang.pm:384
#, fuzzy, c-format
-msgid "Saint Kitts and Nevis"
+msgid "Saint Vincent and the Grenadines"
msgstr "dan"
-#: ../../mouse.pm:1
+#: lang.pm:385
#, fuzzy, c-format
-msgid "Generic 3 Button Mouse with Wheel emulation"
-msgstr "Generik"
-
-#: ../../any.pm:1
-#, c-format
-msgid "Enable OF Boot?"
-msgstr ""
+msgid "Venezuela"
+msgstr "Venezuela"
-#: ../../fsedit.pm:1
+#: lang.pm:386
#, c-format
-msgid "You can't use JFS for partitions smaller than 16MB"
-msgstr ""
+msgid "Virgin Islands (British)"
+msgstr "Kepulauan Virgin (Inggeris)"
-#: ../../standalone/drakbackup:1
+#: lang.pm:387
#, c-format
-msgid "Erase your RW media (1st Session)"
-msgstr ""
+msgid "Virgin Islands (U.S.)"
+msgstr "Virgin Islands (Amerika)"
-#: ../../Xconfig/various.pm:1
+#: lang.pm:388
#, fuzzy, c-format
-msgid "Monitor VertRefresh: %s\n"
-msgstr "Monitor"
+msgid "Vietnam"
+msgstr "Vietnam"
-#: ../../diskdrake/dav.pm:1 ../../diskdrake/interactive.pm:1
-#: ../../diskdrake/removable.pm:1 ../../diskdrake/smbnfs_gtk.pm:1
-#, c-format
-msgid "Mount point"
-msgstr ""
+#: lang.pm:389
+#, fuzzy, c-format
+msgid "Vanuatu"
+msgstr "Vanuatu"
-#: ../../Xconfig/test.pm:1
+#: lang.pm:390
#, fuzzy, c-format
-msgid ""
-"An error occurred:\n"
-"%s\n"
-"Try to change some parameters"
-msgstr "ralat"
+msgid "Wallis and Futuna"
+msgstr "dan"
-#: ../../printer/main.pm:1
+#: lang.pm:391
#, fuzzy, c-format
-msgid "TCP/IP host \"%s\", port %s"
-msgstr "IP"
+msgid "Samoa"
+msgstr "Samoa"
-#: ../../standalone/drakperm:1
+#: lang.pm:392
#, fuzzy, c-format
-msgid "User :"
-msgstr "Pengguna:"
+msgid "Yemen"
+msgstr "Yaman"
-#: ../../standalone/drakbackup:1
+#: lang.pm:393
#, c-format
-msgid "Restore system"
+msgid "Mayotte"
+msgstr "Mayotte"
+
+#: lang.pm:394
+#, c-format
+msgid "Serbia & Montenegro"
msgstr ""
-#: ../../standalone/scannerdrake:1
+#: lang.pm:395 standalone/drakxtv:50
#, fuzzy, c-format
-msgid ""
-"These are the machines on which the locally connected scanner(s) should be "
-"available:"
-msgstr "on:"
+msgid "South Africa"
+msgstr "Afrika Selatan"
-#: ../../standalone/drakpxe:1
+#: lang.pm:396
#, fuzzy, c-format
-msgid "The DHCP end ip"
-msgstr "DHCP"
+msgid "Zambia"
+msgstr "Zambia"
-#: ../../diskdrake/smbnfs_gtk.pm:1
+#: lang.pm:397
+#, fuzzy, c-format
+msgid "Zimbabwe"
+msgstr "Zimbabwe"
+
+#: lang.pm:966
+#, fuzzy, c-format
+msgid "Welcome to %s"
+msgstr "Selamat datang ke %s"
+
+#: loopback.pm:32
#, c-format
-msgid "Another one"
+msgid "Circular mounts %s\n"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: lvm.pm:115
+#, fuzzy, c-format
+msgid "Remove the logical volumes first\n"
+msgstr "Buang"
+
+#: modules/interactive.pm:21 standalone/drakconnect:962
#, c-format
-msgid "Drakbackup"
+msgid "Parameters"
+msgstr "Parameter"
+
+#: modules/interactive.pm:21 standalone/draksec:44
+#, c-format
+msgid "NONE"
msgstr ""
-#: ../../lang.pm:1
+#: modules/interactive.pm:22
#, fuzzy, c-format
-msgid "Colombia"
-msgstr "Kolombia"
+msgid "Module configuration"
+msgstr "Bunyi"
-#: ../../standalone/drakgw:1
+#: modules/interactive.pm:22
#, c-format
-msgid ""
-"Current configuration of `%s':\n"
-"\n"
-"Network: %s\n"
-"IP address: %s\n"
-"IP attribution: %s\n"
-"Driver: %s"
+msgid "You can configure each parameter of the module here."
msgstr ""
-#: ../../Xconfig/monitor.pm:1
+#: modules/interactive.pm:63
#, c-format
-msgid "Plug'n Play"
+msgid "Found %s %s interfaces"
msgstr ""
-#: ../../lang.pm:1
+#: modules/interactive.pm:64
#, c-format
-msgid "Reunion"
-msgstr "Reunion"
+msgid "Do you have another one?"
+msgstr ""
-#: ../../install_steps_gtk.pm:1 ../../diskdrake/hd_gtk.pm:1
-#: ../../diskdrake/smbnfs_gtk.pm:1
-#, fuzzy, c-format
-msgid "Details"
-msgstr "Perincian"
+#: modules/interactive.pm:65
+#, c-format
+msgid "Do you have any %s interfaces?"
+msgstr ""
-#: ../../network/tools.pm:1
+#: modules/interactive.pm:71
#, c-format
-msgid "For security reasons, it will be disconnected now."
+msgid "See hardware info"
msgstr ""
-#: ../../standalone/drakbug:1
+#. -PO: the first %s is the card type (scsi, network, sound,...)
+#. -PO: the second is the vendor+model name
+#: modules/interactive.pm:87
#, c-format
-msgid "Synchronization tool"
+msgid "Installing driver for %s card %s"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: modules/interactive.pm:87
#, c-format
-msgid "Checking your system..."
+msgid "(module %s)"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: modules/interactive.pm:98
#, c-format
-msgid "Print"
+msgid ""
+"You may now provide options to module %s.\n"
+"Note that any address should be entered with the prefix 0x like '0x123'"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: modules/interactive.pm:104
#, fuzzy, c-format
msgid ""
-"Insert the tape with volume label %s\n"
-" in the tape drive device %s"
-msgstr ""
-"\n"
-" dalam"
+"You may now provide options to module %s.\n"
+"Options are in format ``name=value name2=value2 ...''.\n"
+"For instance, ``io=0x300 irq=7''"
+msgstr "dalam"
-#: ../../lang.pm:1
+#: modules/interactive.pm:106
#, fuzzy, c-format
-msgid "Mongolia"
-msgstr "Mongolia"
+msgid "Module options:"
+msgstr "Modul:"
-#: ../../diskdrake/interactive.pm:1
+#. -PO: the %s is the driver type (scsi, network, sound,...)
+#: modules/interactive.pm:118
#, c-format
-msgid "Mounted\n"
+msgid "Which %s driver should I try?"
msgstr ""
-#: ../../standalone/printerdrake:1
-#, fuzzy, c-format
-msgid "Configure CUPS"
-msgstr "DHCP"
-
-#: ../../help.pm:1
+#: modules/interactive.pm:127
#, fuzzy, c-format
-msgid "Graphical Interface"
-msgstr "Grafikal"
+msgid ""
+"In some cases, the %s driver needs to have extra information to work\n"
+"properly, although it normally works fine without them. Would you like to "
+"specify\n"
+"extra options for it or allow the driver to probe your machine for the\n"
+"information it needs? Occasionally, probing will hang a computer, but it "
+"should\n"
+"not cause any damage."
+msgstr "Masuk."
-#: ../../standalone/drakbackup:1
+#: modules/interactive.pm:131
#, c-format
-msgid "Restore Users"
+msgid "Autoprobe"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: modules/interactive.pm:131
#, c-format
-msgid "Encryption key for %s"
+msgid "Specify options"
msgstr ""
-#: ../../install_steps_interactive.pm:1
-#, fuzzy, c-format
-msgid "Do you want to recover your system?"
-msgstr "Salin on"
-
-#: ../../services.pm:1
+#: modules/interactive.pm:143
#, fuzzy, c-format
msgid ""
-"The portmapper manages RPC connections, which are used by\n"
-"protocols such as NFS and NIS. The portmap server must be running on "
-"machines\n"
-"which act as servers for protocols which make use of the RPC mechanism."
-msgstr "dan NIS on protokol."
+"Loading module %s failed.\n"
+"Do you want to try again with other parameters?"
+msgstr "Memuatkan?"
-#: ../../standalone/harddrake2:1
+#: modules/parameters.pm:49
#, c-format
-msgid "Detected hardware"
+msgid "a number"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Mauritius"
-msgstr "Mauritius"
-
-#: ../../keyboard.pm:1
-#, fuzzy, c-format
-msgid "Myanmar (Burmese)"
-msgstr "Myanmar"
-
-#: ../../fs.pm:1
+#: modules/parameters.pm:51
#, c-format
-msgid "Enabling swap partition %s"
+msgid "%d comma separated numbers"
msgstr ""
-#: ../../install_interactive.pm:1
-#, fuzzy, c-format
-msgid "There is no FAT partition to use as loopback (or not enough space left)"
-msgstr "tidak"
+#: modules/parameters.pm:51
+#, c-format
+msgid "%d comma separated strings"
+msgstr ""
-#: ../../keyboard.pm:1
+#: modules/parameters.pm:53
#, c-format
-msgid "Armenian (old)"
+msgid "comma separated numbers"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid ""
-"A printer named \"%s\" already exists under %s. \n"
-"Click \"Transfer\" to overwrite it.\n"
-"You can also type a new name or skip this printer."
-msgstr "A."
+#: modules/parameters.pm:53
+#, c-format
+msgid "comma separated strings"
+msgstr ""
-#: ../advertising/12-mdkexpert.pl:1
+#: mouse.pm:25
#, fuzzy, c-format
-msgid ""
-"Find the solutions of your problems via MandrakeSoft's online support "
-"platform."
-msgstr "Cari."
+msgid "Sun - Mouse"
+msgstr "Sun"
-#: ../../printer/printerdrake.pm:1
+#: mouse.pm:31 security/level.pm:12
#, c-format
-msgid ", host \"%s\", port %s"
+msgid "Standard"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Monaco"
-msgstr "Monaco"
+#: mouse.pm:32
+#, c-format
+msgid "Logitech MouseMan+"
+msgstr ""
-#: ../../install_interactive.pm:1
+#: mouse.pm:33
#, fuzzy, c-format
-msgid "Partitioning failed: %s"
-msgstr "Pempartisyenan"
+msgid "Generic PS2 Wheel Mouse"
+msgstr "Generik"
-#: ../../fs.pm:1 ../../swap.pm:1
+#: mouse.pm:34
#, c-format
-msgid "%s formatting of %s failed"
+msgid "GlidePoint"
msgstr ""
-#: ../../standalone/drakxtv:1
+#: mouse.pm:36 network/modem.pm:23 network/modem.pm:37 network/modem.pm:42
+#: network/modem.pm:73 network/netconnect.pm:481 network/netconnect.pm:482
+#: network/netconnect.pm:483 network/netconnect.pm:503
+#: network/netconnect.pm:508 network/netconnect.pm:520
+#: network/netconnect.pm:525 network/netconnect.pm:541
+#: network/netconnect.pm:543
#, fuzzy, c-format
-msgid "Canada (cable)"
-msgstr "Kanada"
+msgid "Automatic"
+msgstr "Antarctika"
-#: ../../standalone/drakfloppy:1
+#: mouse.pm:39 mouse.pm:73
#, c-format
-msgid "Floppy creation completed"
+msgid "Kensington Thinking Mouse"
msgstr ""
-#: ../../help.pm:1
-#, fuzzy, c-format
-msgid "Upgrade"
-msgstr "Tingkatupaya"
+#: mouse.pm:40 mouse.pm:68
+#, c-format
+msgid "Genius NetMouse"
+msgstr ""
-#: ../../help.pm:1
+#: mouse.pm:41
#, c-format
-msgid "Workstation"
+msgid "Genius NetScroll"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: mouse.pm:42 mouse.pm:52
#, c-format
-msgid ""
-"Installing package %s\n"
-"%d%%"
+msgid "Microsoft Explorer"
msgstr ""
-#: ../../lang.pm:1
+#: mouse.pm:47 mouse.pm:79
+#, c-format
+msgid "1 button"
+msgstr ""
+
+#: mouse.pm:48 mouse.pm:57
#, fuzzy, c-format
-msgid "Kyrgyzstan"
-msgstr "Kyrgyzstan"
+msgid "Generic 2 Button Mouse"
+msgstr "Generik"
-#: ../../printer/main.pm:1
+#: mouse.pm:50 mouse.pm:59
#, fuzzy, c-format
-msgid "Multi-function device on USB"
-msgstr "on"
+msgid "Generic 3 Button Mouse with Wheel emulation"
+msgstr "Generik"
-#: ../../../move/move.pm:1
+#: mouse.pm:51
#, c-format
-msgid ""
-"We didn't detect any USB key on your system. If you\n"
-"plug in an USB key now, Mandrake Move will have the ability\n"
-"to transparently save the data in your home directory and\n"
-"system wide configuration, for next boot on this computer\n"
-"or another one. Note: if you plug in a key now, wait several\n"
-"seconds before detecting again.\n"
-"\n"
-"\n"
-"You may also proceed without an USB key - you'll still be\n"
-"able to use Mandrake Move as a normal live Mandrake\n"
-"Operating System."
+msgid "Wheel"
msgstr ""
-#: ../../help.pm:1
+#: mouse.pm:55
#, fuzzy, c-format
-msgid "With basic documentation"
-msgstr "asas"
+msgid "serial"
+msgstr "bersiri"
-#: ../../services.pm:1
+#: mouse.pm:58
+#, fuzzy, c-format
+msgid "Generic 3 Button Mouse"
+msgstr "Generik"
+
+#: mouse.pm:60
#, c-format
-msgid "Anacron is a periodic command scheduler."
+msgid "Microsoft IntelliMouse"
msgstr ""
-#: ../../install_interactive.pm:1
-#, fuzzy, c-format
-msgid ""
-"You must have a root partition.\n"
-"For this, create a partition (or click on an existing one).\n"
-"Then choose action ``Mount point'' and set it to `/'"
-msgstr "on dan"
+#: mouse.pm:61
+#, c-format
+msgid "Logitech MouseMan"
+msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Western Sahara"
-msgstr "Sahara Barat"
+#: mouse.pm:62
+#, c-format
+msgid "Logitech MouseMan with Wheel emulation"
+msgstr ""
-#: ../../network/network.pm:1
+#: mouse.pm:63
#, fuzzy, c-format
-msgid "Proxy should be http://..."
-msgstr "Proksihttp://...."
+msgid "Mouse Systems"
+msgstr "Tetikus"
-#: ../../lang.pm:1 ../../standalone/drakxtv:1
-#, fuzzy, c-format
-msgid "South Africa"
-msgstr "Afrika Selatan"
+#: mouse.pm:65
+#, c-format
+msgid "Logitech CC Series"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: mouse.pm:66
#, c-format
-msgid "Eject tape after the backup"
+msgid "Logitech CC Series with Wheel emulation"
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: mouse.pm:67
#, c-format
-msgid "Etherboot Floppy/ISO"
+msgid "Logitech MouseMan+/FirstMouse+"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: mouse.pm:69
#, c-format
-msgid "Modify printer configuration"
+msgid "MM Series"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: mouse.pm:70
#, c-format
-msgid "Choose a partition"
+msgid "MM HitTablet"
msgstr ""
-#: ../../standalone/drakperm:1
+#: mouse.pm:71
#, fuzzy, c-format
-msgid "Edit current rule"
-msgstr "Edit"
+msgid "Logitech Mouse (serial, old C7 type)"
+msgstr "Logitech Mouse (bersiri, jenis C7 lama)"
-#: ../../standalone/drakbackup:1
+#: mouse.pm:72
#, fuzzy, c-format
-msgid "%s"
-msgstr "%s"
+msgid "Logitech Mouse (serial, old C7 type) with Wheel emulation"
+msgstr "Logitech Mouse (bersiri, jenis C7 lama)"
-#: ../../mouse.pm:1
+#: mouse.pm:74
#, c-format
-msgid "Please test the mouse"
+msgid "Kensington Thinking Mouse with Wheel emulation"
msgstr ""
-#: ../../fs.pm:1
-#, fuzzy, c-format
-msgid ""
-"Do not update inode access times on this file system\n"
-"(e.g, for faster access on the news spool to speed up news servers)."
-msgstr "on fail on."
-
-#: ../../mouse.pm:1
+#: mouse.pm:77
#, c-format
-msgid "3 buttons with Wheel emulation"
+msgid "busmouse"
msgstr ""
-#: ../../standalone/drakperm:1
+#: mouse.pm:80
#, c-format
-msgid "Sticky-bit"
+msgid "2 buttons"
msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Other Media"
-msgstr "Lain-lain"
-
-#: ../../mouse.pm:1
+#: mouse.pm:81
#, c-format
-msgid "Logitech MouseMan+"
+msgid "3 buttons"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: mouse.pm:82
#, c-format
-msgid "Backup system files"
+msgid "3 buttons with Wheel emulation"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: mouse.pm:86
+#, fuzzy, c-format
+msgid "Universal"
+msgstr "Install"
+
+#: mouse.pm:88
#, c-format
-msgid "Sector"
+msgid "Any PS/2 & USB mice"
msgstr ""
-#: ../../lang.pm:1
+#: mouse.pm:92
#, fuzzy, c-format
-msgid "Qatar"
-msgstr "Qatar"
+msgid "none"
+msgstr "tiada"
-#: ../../any.pm:1
+#: mouse.pm:94
#, fuzzy, c-format
-msgid "LDAP Base dn"
-msgstr "LDAP Asas"
+msgid "No mouse"
+msgstr "Tidak"
-#: ../../install_steps_gtk.pm:1
+#: mouse.pm:515
#, c-format
-msgid ""
-"You can't select this package as there is not enough space left to install it"
+msgid "Please test the mouse"
msgstr ""
-#: ../../help.pm:1
+#: mouse.pm:517
+#, fuzzy, c-format
+msgid "To activate the mouse,"
+msgstr "Kepada"
+
+#: mouse.pm:518
#, c-format
-msgid "generate auto-install floppy"
+msgid "MOVE YOUR WHEEL!"
msgstr ""
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: network/adsl.pm:19
#, c-format
-msgid "Dialing mode"
+msgid "use pppoe"
msgstr ""
-#: ../../services.pm:1
-#, fuzzy, c-format
-msgid "File sharing"
-msgstr "Fail"
-
-#: ../../any.pm:1
+#: network/adsl.pm:20
#, c-format
-msgid "Clean /tmp at each boot"
+msgid "use pptp"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Malawi"
-msgstr "Malawi"
+#: network/adsl.pm:21
+#, c-format
+msgid "use dhcp"
+msgstr ""
-#: ../../standalone/drakTermServ:1
-#, fuzzy, c-format
-msgid "local config: false"
-msgstr "lokal"
+#: network/adsl.pm:22
+#, c-format
+msgid "Alcatel speedtouch usb"
+msgstr ""
-#: ../../standalone/drakperm:1
+#: network/adsl.pm:22 network/adsl.pm:23 network/adsl.pm:24
#, fuzzy, c-format
-msgid "System settings"
-msgstr "Tersendiri"
+msgid " - detected"
+msgstr "Tidak!"
-#: ../../install_steps_interactive.pm:1
+#: network/adsl.pm:23
#, c-format
-msgid "Please choose your type of mouse."
+msgid "Sagem (using pppoa) usb"
msgstr ""
-#: ../../services.pm:1
+#: network/adsl.pm:24
#, c-format
-msgid "running"
+msgid "Sagem (using dhcp) usb"
msgstr ""
-#: ../../standalone/harddrake2:1
+#: network/adsl.pm:35 network/netconnect.pm:679
+#, fuzzy, c-format
+msgid "Connect to the Internet"
+msgstr "Sambung"
+
+#: network/adsl.pm:36 network/netconnect.pm:680
#, c-format
-msgid "class of hardware device"
+msgid ""
+"The most common way to connect with adsl is pppoe.\n"
+"Some connections use pptp, a few use dhcp.\n"
+"If you don't know, choose 'use pppoe'"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: network/adsl.pm:41 network/netconnect.pm:684
#, fuzzy, c-format
-msgid ""
-"These are the machines and networks on which the locally connected printer"
-"(s) should be available:"
-msgstr "dan on:"
+msgid "ADSL connection type :"
+msgstr "Jenis Perhubungan:"
-#: ../../lang.pm:1 ../../network/tools.pm:1
+#: network/drakfirewall.pm:12
#, fuzzy, c-format
-msgid "United Kingdom"
-msgstr "United Kingdom"
+msgid "Web Server"
+msgstr "Pelayan Web"
-#: ../../lang.pm:1
+#: network/drakfirewall.pm:17
#, fuzzy, c-format
-msgid "Indonesia"
-msgstr "Indonesia"
+msgid "Domain Name Server"
+msgstr "Domain Nama"
-#: ../../standalone/draksec:1
+#: network/drakfirewall.pm:22
#, fuzzy, c-format
-msgid "default"
-msgstr "default"
+msgid "SSH server"
+msgstr "SSH"
-#: ../../standalone/drakxtv:1
+#: network/drakfirewall.pm:27
#, fuzzy, c-format
-msgid "France [SECAM]"
-msgstr "Perancis"
+msgid "FTP server"
+msgstr "Tambah"
-#: ../../any.pm:1
-#, c-format
-msgid "restrict"
-msgstr ""
+#: network/drakfirewall.pm:32
+#, fuzzy, c-format
+msgid "Mail Server"
+msgstr "Pelayan Mel"
+
+#: network/drakfirewall.pm:37
+#, fuzzy, c-format
+msgid "POP and IMAP Server"
+msgstr "dan"
-#: ../../pkgs.pm:1
+#: network/drakfirewall.pm:42
+#, fuzzy, c-format
+msgid "Telnet server"
+msgstr "Edit"
+
+#: network/drakfirewall.pm:48
+#, fuzzy, c-format
+msgid "Samba server"
+msgstr "Pengguna Samba"
+
+#: network/drakfirewall.pm:54
+#, fuzzy, c-format
+msgid "CUPS server"
+msgstr "Pelayan"
+
+#: network/drakfirewall.pm:60
#, c-format
-msgid "must have"
+msgid "Echo request (ping)"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: network/drakfirewall.pm:125
+#, fuzzy, c-format
+msgid "No network card"
+msgstr "Tidak"
+
+#: network/drakfirewall.pm:146
#, fuzzy, c-format
msgid ""
-"CUPS does not support printers on Novell servers or printers sending the "
-"data into a free-formed command.\n"
-msgstr "on"
+"drakfirewall configurator\n"
+"\n"
+"This configures a personal firewall for this Mandrake Linux machine.\n"
+"For a powerful and dedicated firewall solution, please look to the\n"
+"specialized MandrakeSecurity Firewall distribution."
+msgstr "dan."
-#: ../../lang.pm:1
+#: network/drakfirewall.pm:152
#, fuzzy, c-format
-msgid "Senegal"
-msgstr "Senegal"
+msgid ""
+"drakfirewall configurator\n"
+"\n"
+"Make sure you have configured your Network/Internet access with\n"
+"drakconnect before going any further."
+msgstr "Rangkaian Internet."
-#: ../../printer/printerdrake.pm:1
+#: network/drakfirewall.pm:169
#, fuzzy, c-format
-msgid "Command line"
-msgstr "Arahan"
+msgid "Which services would you like to allow the Internet to connect to?"
+msgstr "Internet?"
-#: ../advertising/08-store.pl:1
+#: network/drakfirewall.pm:170
#, fuzzy, c-format
msgid ""
-"Our full range of Linux solutions, as well as special offers on products and "
-"other \"goodies\", are available on our e-store:"
-msgstr "penuh on dan on:"
+"You can enter miscellaneous ports. \n"
+"Valid examples are: 139/tcp 139/udp.\n"
+"Have a look at /etc/services for information."
+msgstr "port."
+
+#: network/drakfirewall.pm:176
+#, fuzzy, c-format
+msgid ""
+"Invalid port given: %s.\n"
+"The proper format is \"port/tcp\" or \"port/udp\", \n"
+"where port is between 1 and 65535.\n"
+"\n"
+"You can also give a range of ports (eg: 24300:24350/udp)"
+msgstr "dan."
+
+#: network/drakfirewall.pm:186
+#, fuzzy, c-format
+msgid "Everything (no firewall)"
+msgstr "Semuanya tidak"
+
+#: network/drakfirewall.pm:188
+#, fuzzy, c-format
+msgid "Other ports"
+msgstr "Liang Lain"
-#: ../../standalone/drakbackup:1
+#: network/isdn.pm:127 network/isdn.pm:145 network/isdn.pm:157
+#: network/isdn.pm:163 network/isdn.pm:173 network/isdn.pm:183
+#: network/netconnect.pm:332
#, c-format
-msgid "March"
+msgid "ISDN Configuration"
msgstr ""
-#: ../../any.pm:1
+#: network/isdn.pm:127
#, c-format
-msgid "access to administrative files"
+msgid ""
+"Select your provider.\n"
+"If it isn't listed, choose Unlisted."
msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid ""
-"Error during sendmail.\n"
-" Your report mail was not sent.\n"
-" Please configure sendmail"
+#: network/isdn.pm:140 standalone/drakconnect:503
+#, c-format
+msgid "European protocol (EDSS1)"
msgstr ""
-"Ralat\n"
-"\n"
-#: ../../fs.pm:1
+#: network/isdn.pm:140
+#, c-format
+msgid "European protocol"
+msgstr ""
+
+#: network/isdn.pm:142 standalone/drakconnect:504
#, fuzzy, c-format
msgid ""
-"Do not allow set-user-identifier or set-group-identifier\n"
-"bits to take effect. (This seems safe, but is in fact rather unsafe if you\n"
-"have suidperl(1) installed.)"
-msgstr "pengguna dalam"
+"Protocol for the rest of the world\n"
+"No D-Channel (leased lines)"
+msgstr "Protokol Saluran"
-#: ../../lang.pm:1
+#: network/isdn.pm:142
#, fuzzy, c-format
-msgid "Montserrat"
-msgstr "Montserrat"
+msgid "Protocol for the rest of the world"
+msgstr "Protokol"
-#: ../../help.pm:1
+#: network/isdn.pm:146
#, c-format
-msgid "Automatic dependencies"
+msgid "Which protocol do you want to use?"
msgstr ""
-#: ../../diskdrake/hd_gtk.pm:1
+#: network/isdn.pm:157
#, c-format
-msgid "Swap"
+msgid "Found \"%s\" interface do you want to use it ?"
msgstr ""
-#: ../../standalone/drakperm:1
-#, fuzzy, c-format
-msgid "Custom settings"
-msgstr "Tersendiri"
+#: network/isdn.pm:164
+#, c-format
+msgid "What kind of card do you have?"
+msgstr ""
-#: ../../../move/move.pm:1
+#: network/isdn.pm:165
#, c-format
-msgid ""
-"The USB key seems to have write protection enabled, but we can't safely\n"
-"unplug it now.\n"
-"\n"
-"\n"
-"Click the button to reboot the machine, unplug it, remove write protection,\n"
-"plug the key again, and launch Mandrake Move again."
+msgid "ISA / PCMCIA"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: network/isdn.pm:165
#, c-format
-msgid "Restore Other"
+msgid "PCI"
msgstr ""
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
+#: network/isdn.pm:165
#, c-format
-msgid "TV card"
+msgid "USB"
msgstr ""
-#: ../../printer/main.pm:1
+#: network/isdn.pm:165
+#, c-format
+msgid "I don't know"
+msgstr ""
+
+#: network/isdn.pm:174
#, fuzzy, c-format
-msgid "Printer on SMB/Windows 95/98/NT server"
-msgstr "on SMB Tetingkap"
+msgid ""
+"\n"
+"If you have an ISA card, the values on the next screen should be right.\n"
+"\n"
+"If you have a PCMCIA card, you have to know the \"irq\" and \"io\" of your "
+"card.\n"
+msgstr "on dan"
-#: ../../standalone/printerdrake:1
+#: network/isdn.pm:178
#, fuzzy, c-format
-msgid "/_Configure CUPS"
-msgstr "DHCP"
+msgid "Continue"
+msgstr "Teruskan"
-#: ../../standalone/scannerdrake:1
+#: network/isdn.pm:178
+#, fuzzy, c-format
+msgid "Abort"
+msgstr "Abai"
+
+#: network/isdn.pm:184
#, c-format
-msgid ", "
+msgid "Which of the following is your ISDN card?"
msgstr ""
-#: ../../standalone/drakbug:1
+#: network/netconnect.pm:95
#, c-format
-msgid "Submit lspci"
+msgid "Ad-hoc"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: network/netconnect.pm:96
#, fuzzy, c-format
-msgid "Remove selected host/network"
-msgstr "Buang"
+msgid "Managed"
+msgstr "Bahasa"
-#: ../../services.pm:1
+#: network/netconnect.pm:97
#, fuzzy, c-format
-msgid ""
-"Postfix is a Mail Transport Agent, which is the program that moves mail from "
-"one machine to another."
-msgstr "Mel."
+msgid "Master"
+msgstr "Mayotte"
-#: ../../keyboard.pm:1
+#: network/netconnect.pm:98
#, c-format
-msgid "Uzbek (cyrillic)"
+msgid "Repeater"
msgstr ""
-#: ../../keyboard.pm:1
+#: network/netconnect.pm:99
#, fuzzy, c-format
-msgid ""
-"Here you can choose the key or key combination that will \n"
-"allow switching between the different keyboard layouts\n"
-"(eg: latin and non latin)"
-msgstr "dan"
+msgid "Secondary"
+msgstr "Bunyi"
-#: ../../network/network.pm:1
+#: network/netconnect.pm:100
#, fuzzy, c-format
-msgid "Network Hotplugging"
-msgstr "Rangkaian"
+msgid "Auto"
+msgstr "Perihal"
-#: ../../security/help.pm:1
-#, fuzzy, c-format
-msgid "if set to yes, reports check result to tty."
-msgstr "ya."
+#: network/netconnect.pm:103 printer/printerdrake.pm:1118
+#, c-format
+msgid "Manual configuration"
+msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Restore From CD"
-msgstr "Daripada"
+#: network/netconnect.pm:104
+#, c-format
+msgid "Automatic IP (BOOTP/DHCP)"
+msgstr ""
-#: ../../standalone/drakgw:1
-#, fuzzy, c-format
-msgid ""
-"You are about to configure your computer to share its Internet connection.\n"
-"With that feature, other computers on your local network will be able to use "
-"this computer's Internet connection.\n"
-"\n"
-"Make sure you have configured your Network/Internet access using drakconnect "
-"before going any further.\n"
-"\n"
-"Note: you need a dedicated Network Adapter to set up a Local Area Network "
-"(LAN)."
-msgstr "Internet on lokal Internet Rangkaian Internet Rangkaian Rangkaian."
+#: network/netconnect.pm:106
+#, c-format
+msgid "Automatic IP (BOOTP/DHCP/Zeroconf)"
+msgstr ""
-#: ../../network/ethernet.pm:1
-#, fuzzy, c-format
-msgid ""
-"Please choose which network adapter you want to use to connect to Internet."
-msgstr "Internet."
+#: network/netconnect.pm:156
+#, c-format
+msgid "Alcatel speedtouch USB modem"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: network/netconnect.pm:157
#, fuzzy, c-format
-msgid "Photo memory card access on your HP multi-function device"
-msgstr "on"
+msgid "Sagem USB modem"
+msgstr "Sistem"
-#: ../advertising/09-mdksecure.pl:1
+#: network/netconnect.pm:158
#, c-format
-msgid ""
-"Enhance your computer performance with the help of a selection of partners "
-"offering professional solutions compatible with Mandrake Linux"
+msgid "Bewan USB modem"
msgstr ""
-#: ../../standalone/printerdrake:1
+#: network/netconnect.pm:159
#, c-format
-msgid "Authors: "
+msgid "Bewan PCI modem"
msgstr ""
-#: ../../standalone/drakgw:1
-#, fuzzy, c-format
-msgid "Internet Connection Sharing is now disabled."
-msgstr "Internet dimatikan."
+#: network/netconnect.pm:160
+#, c-format
+msgid "ECI Hi-Focus modem"
+msgstr ""
-#: ../../security/help.pm:1
+#: network/netconnect.pm:164
+#, c-format
+msgid "Dynamic Host Configuration Protocol (DHCP)"
+msgstr ""
+
+#: network/netconnect.pm:165
#, fuzzy, c-format
-msgid "if set to yes, verify checksum of the suid/sgid files."
-msgstr "ya fail."
+msgid "Manual TCP/IP configuration"
+msgstr "Bunyi"
-#: ../../keyboard.pm:1
+#: network/netconnect.pm:166
#, c-format
-msgid "Latin American"
+msgid "Point to Point Tunneling Protocol (PPTP)"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Japanese text printing mode"
-msgstr "Jepun"
+#: network/netconnect.pm:167
+#, c-format
+msgid "PPP over Ethernet (PPPoE)"
+msgstr ""
-#: ../../standalone/harddrake2:1
+#: network/netconnect.pm:168
#, c-format
-msgid "Old device file"
+msgid "PPP over ATM (PPPoA)"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
-#, fuzzy, c-format
-msgid "Info: "
-msgstr "Maklumat "
+#: network/netconnect.pm:172
+#, c-format
+msgid "Bridged Ethernet LLC"
+msgstr ""
-#: ../../interactive/stdio.pm:1
+#: network/netconnect.pm:173
#, c-format
-msgid "Button `%s': %s"
+msgid "Bridged Ethernet VC"
msgstr ""
-#: ../../any.pm:1 ../../interactive.pm:1 ../../harddrake/sound.pm:1
-#: ../../standalone/drakbug:1 ../../standalone/drakconnect:1
-#: ../../standalone/drakxtv:1 ../../standalone/harddrake2:1
-#: ../../standalone/service_harddrake:1
+#: network/netconnect.pm:174
#, c-format
-msgid "Please wait"
+msgid "Routed IP LLC"
msgstr ""
-#: ../../mouse.pm:1
+#: network/netconnect.pm:175
#, c-format
-msgid "Genius NetMouse"
+msgid "Routed IP VC"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "None"
-msgstr "Tiada"
+#: network/netconnect.pm:176
+#, c-format
+msgid "PPPOA LLC"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "The entered IP is not correct.\n"
-msgstr "IP"
+#: network/netconnect.pm:177
+#, c-format
+msgid "PPPOA VC"
+msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Please be sure that the cron daemon is included in your services."
-msgstr "dalam."
+#: network/netconnect.pm:181 standalone/drakconnect:443
+#: standalone/drakconnect:917
+#, c-format
+msgid "Script-based"
+msgstr ""
-#: ../../standalone/drakconnect:1
+#: network/netconnect.pm:182 standalone/drakconnect:443
+#: standalone/drakconnect:917
#, c-format
-msgid "Ethernet Card"
+msgid "PAP"
+msgstr ""
+
+#: network/netconnect.pm:183 standalone/drakconnect:443
+#: standalone/drakconnect:917
+#, c-format
+msgid "Terminal-based"
+msgstr ""
+
+#: network/netconnect.pm:184 standalone/drakconnect:443
+#: standalone/drakconnect:917
+#, c-format
+msgid "CHAP"
msgstr ""
-#: ../../standalone/printerdrake:1
+#: network/netconnect.pm:185
+#, c-format
+msgid "PAP/CHAP"
+msgstr ""
+
+#: network/netconnect.pm:199 standalone/drakconnect:54
#, fuzzy, c-format
-msgid "Delete selected printer"
-msgstr "Padam"
+msgid "Network & Internet Configuration"
+msgstr "Konfigurasi Rangkaian"
-#: ../../services.pm:1 ../../ugtk2.pm:1
+#: network/netconnect.pm:205
#, fuzzy, c-format
-msgid "Info"
-msgstr "Maklumat"
+msgid "(detected on port %s)"
+msgstr "on"
-#: ../../help.pm:1 ../../install_steps_gtk.pm:1
-#: ../../install_steps_interactive.pm:1 ../../standalone/drakbackup:1
+#. -PO: here, "(detected)" string will be appended to eg "ADSL connection"
+#: network/netconnect.pm:207
#, fuzzy, c-format
-msgid "Install"
-msgstr "Install"
+msgid "(detected %s)"
+msgstr "on"
-#: ../../help.pm:1
+#: network/netconnect.pm:207
#, fuzzy, c-format
-msgid ""
-"Click on \"%s\" if you want to delete all data and partitions present on\n"
-"this hard drive. Be careful, after clicking on \"%s\", you will not be able\n"
-"to recover any data and partitions present on this hard drive, including\n"
-"any Windows data.\n"
-"\n"
-"Click on \"%s\" to stop this operation without losing any data and\n"
-"partitions present on this hard drive."
-msgstr "on dan on on dan on Tetingkap on dan on."
+msgid "(detected)"
+msgstr "Tidak!"
-#: ../../steps.pm:1
+#: network/netconnect.pm:209
#, fuzzy, c-format
-msgid "Exit install"
-msgstr "Keluar"
+msgid "Modem connection"
+msgstr "Internet"
-#: ../../../move/move.pm:1
+#: network/netconnect.pm:210
#, c-format
-msgid "Need a key to save your data"
+msgid "ISDN connection"
msgstr ""
-#: ../../standalone/drakgw:1
-#, fuzzy, c-format
-msgid ""
-"Everything has been configured.\n"
-"You may now share Internet connection with other computers on your Local "
-"Area Network, using automatic network configuration (DHCP)."
-msgstr "Semuanya Internet on Rangkaian DHCP."
+#: network/netconnect.pm:211
+#, c-format
+msgid "ADSL connection"
+msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: network/netconnect.pm:212
#, c-format
-msgid "Remote CUPS server"
+msgid "Cable connection"
msgstr ""
-#: ../../mouse.pm:1
-#, fuzzy, c-format
-msgid "Sun - Mouse"
-msgstr "Sun"
+#: network/netconnect.pm:213
+#, c-format
+msgid "LAN connection"
+msgstr ""
-#: ../../standalone/drakgw:1
+#: network/netconnect.pm:214 network/netconnect.pm:228
#, fuzzy, c-format
+msgid "Wireless connection"
+msgstr "Internet"
+
+#: network/netconnect.pm:224
+#, c-format
+msgid "Choose the connection you want to configure"
+msgstr ""
+
+#: network/netconnect.pm:241
+#, c-format
msgid ""
-"There is only one configured network adapter on your system:\n"
+"We are now going to configure the %s connection.\n"
"\n"
-"%s\n"
"\n"
-"I am about to setup your Local Area Network with that adapter."
-msgstr "on am Rangkaian."
+"Press \"%s\" to continue."
+msgstr ""
-#: ../../standalone/drakbug:1
+#: network/netconnect.pm:249 network/netconnect.pm:710
#, c-format
-msgid "Submit cpuinfo"
+msgid "Connection Configuration"
msgstr ""
-#: ../../install_steps_gtk.pm:1
-#, fuzzy, c-format
-msgid "Minimal install"
-msgstr "Minima"
+#: network/netconnect.pm:250 network/netconnect.pm:711
+#, c-format
+msgid "Please fill or check the field below"
+msgstr ""
+
+#: network/netconnect.pm:256 standalone/drakconnect:494
+#: standalone/drakconnect:899
+#, c-format
+msgid "Card IRQ"
+msgstr ""
-#: ../../lang.pm:1
+#: network/netconnect.pm:257 standalone/drakconnect:495
+#: standalone/drakconnect:900
#, fuzzy, c-format
-msgid "Ethiopia"
-msgstr "Ethiopia"
+msgid "Card mem (DMA)"
+msgstr "DMA"
-#: ../../standalone/drakbackup:1
+#: network/netconnect.pm:258 standalone/drakconnect:496
+#: standalone/drakconnect:901
#, c-format
-msgid "YES"
+msgid "Card IO"
msgstr ""
-#: ../../security/l10n.pm:1
-#, fuzzy, c-format
-msgid "Enable \"crontab\" and \"at\" for users"
-msgstr "dan"
+#: network/netconnect.pm:259 standalone/drakconnect:497
+#: standalone/drakconnect:902
+#, c-format
+msgid "Card IO_0"
+msgstr ""
-#: ../../keyboard.pm:1
+#: network/netconnect.pm:260 standalone/drakconnect:903
#, c-format
-msgid "Devanagari"
+msgid "Card IO_1"
msgstr ""
-#: ../../standalone/harddrake2:1
-#, fuzzy, c-format
-msgid ""
-"- pci devices: this gives the PCI slot, device and function of this card\n"
-"- eide devices: the device is either a slave or a master device\n"
-"- scsi devices: the scsi bus and the scsi device ids"
-msgstr "dan dan"
+#: network/netconnect.pm:261 standalone/drakconnect:904
+#, c-format
+msgid "Your personal phone number"
+msgstr ""
-#: ../../install_steps_gtk.pm:1 ../../install_steps_interactive.pm:1
-#, fuzzy, c-format
-msgid "Total size: %d / %d MB"
-msgstr "Jumlah"
+#: network/netconnect.pm:262 network/netconnect.pm:714
+#: standalone/drakconnect:905
+#, c-format
+msgid "Provider name (ex provider.net)"
+msgstr ""
+
+#: network/netconnect.pm:263 standalone/drakconnect:440
+#: standalone/drakconnect:906
+#, c-format
+msgid "Provider phone number"
+msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: network/netconnect.pm:264
#, fuzzy, c-format
-msgid "disabled"
-msgstr "dimatikan"
+msgid "Provider DNS 1 (optional)"
+msgstr "Pelayan"
-#: ../../standalone/scannerdrake:1
+#: network/netconnect.pm:265
#, fuzzy, c-format
-msgid "Search for new scanners"
-msgstr "Cari"
+msgid "Provider DNS 2 (optional)"
+msgstr "Pelayan"
-#: ../../standalone/drakgw:1
+#: network/netconnect.pm:266 standalone/drakconnect:396
+#: standalone/drakconnect:462 standalone/drakconnect:911
#, c-format
-msgid "Disabling servers..."
+msgid "Dialing mode"
msgstr ""
-#: ../../standalone/drakboot:1
-#, fuzzy, c-format
-msgid "Installation of %s failed. The following error occured:"
-msgstr "ralat:"
-
-#: ../../standalone/drakboot:1
+#: network/netconnect.pm:267 standalone/drakconnect:401
+#: standalone/drakconnect:459 standalone/drakconnect:923
#, c-format
-msgid "Can't launch mkinitrd -f /boot/initrd-%s.img %s."
+msgid "Connection speed"
msgstr ""
-#: ../../install_any.pm:1
+#: network/netconnect.pm:268 standalone/drakconnect:406
+#: standalone/drakconnect:924
#, fuzzy, c-format
-msgid ""
-"You have selected the following server(s): %s\n"
-"\n"
-"\n"
-"These servers are activated by default. They don't have any known security\n"
-"issues, but some new ones could be found. In that case, you must make sure\n"
-"to upgrade as soon as possible.\n"
-"\n"
-"\n"
-"Do you really want to install these servers?\n"
-msgstr "default Masuk"
+msgid "Connection timeout (in sec)"
+msgstr "dalam"
-#: ../../printer/main.pm:1
+#: network/netconnect.pm:271 network/netconnect.pm:717
+#: standalone/drakconnect:438 standalone/drakconnect:909
#, fuzzy, c-format
-msgid "Network printer (TCP/Socket)"
-msgstr "Rangkaian"
+msgid "Account Login (user name)"
+msgstr "pengguna"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Backup User files..."
-msgstr "Pengguna fail."
+#: network/netconnect.pm:272 network/netconnect.pm:718
+#: standalone/drakconnect:439 standalone/drakconnect:910
+#: standalone/drakconnect:944
+#, c-format
+msgid "Account Password"
+msgstr ""
+
+#: network/netconnect.pm:300
+#, c-format
+msgid "What kind is your ISDN connection?"
+msgstr ""
+
+#: network/netconnect.pm:301
+#, c-format
+msgid "Internal ISDN card"
+msgstr ""
-#: ../../steps.pm:1
+#: network/netconnect.pm:301
#, fuzzy, c-format
-msgid "Install system"
-msgstr "Install"
+msgid "External ISDN modem"
+msgstr "Luaran"
-#: ../../network/modem.pm:1 ../../standalone/drakconnect:1
+#: network/netconnect.pm:332
#, fuzzy, c-format
-msgid "First DNS Server (optional)"
-msgstr "Pelayan"
+msgid "Do you want to start a new configuration ?"
+msgstr "mula?"
-#: ../../printer/printerdrake.pm:1
+#: network/netconnect.pm:335
#, fuzzy, c-format
msgid ""
-"Alternatively, you can specify a device name/file name in the input line"
-msgstr "fail dalam"
+"I have detected an ISDN PCI card, but I don't know its type. Please select a "
+"PCI card on the next screen."
+msgstr "on."
-#: ../../security/help.pm:1
+#: network/netconnect.pm:344
#, fuzzy, c-format
+msgid "No ISDN PCI card found. Please select one on the next screen."
+msgstr "Tidak on."
+
+#: network/netconnect.pm:353
+#, c-format
msgid ""
-"If SERVER_LEVEL (or SECURE_LEVEL if absent)\n"
-"is greater than 3 in /etc/security/msec/security.conf, creates the\n"
-"symlink /etc/security/msec/server to point to\n"
-"/etc/security/msec/server.<SERVER_LEVEL>.\n"
-"\n"
-"The /etc/security/msec/server is used by chkconfig --add to decide to\n"
-"add a service if it is present in the file during the installation of\n"
-"packages."
-msgstr "dalam<SERVER_LEVEL> dalam fail."
+"Your modem isn't supported by the system.\n"
+"Take a look at http://www.linmodems.org"
+msgstr ""
-#: ../../keyboard.pm:1
+#: network/netconnect.pm:364
#, fuzzy, c-format
-msgid "Russian (Phonetic)"
-msgstr "Russia"
+msgid "Select the modem to configure:"
+msgstr "Rangkaian"
-#: ../../standalone/drakTermServ:1
+#: network/netconnect.pm:403
+#, fuzzy, c-format
+msgid "Please choose which serial port your modem is connected to."
+msgstr "bersiri."
+
+#: network/netconnect.pm:427
#, c-format
-msgid "dhcpd Config..."
+msgid "Select your provider:"
msgstr ""
-#: ../../any.pm:1
+#: network/netconnect.pm:429 network/netconnect.pm:599
+#, fuzzy, c-format
+msgid "Provider:"
+msgstr "Jurupacu:"
+
+#: network/netconnect.pm:481 network/netconnect.pm:482
+#: network/netconnect.pm:483 network/netconnect.pm:508
+#: network/netconnect.pm:525 network/netconnect.pm:541
+#, fuzzy, c-format
+msgid "Manual"
+msgstr "Myanmar"
+
+#: network/netconnect.pm:485
#, c-format
-msgid "LILO/grub Installation"
+msgid "Dialup: account options"
msgstr ""
-#: ../../keyboard.pm:1
+#: network/netconnect.pm:488 standalone/drakconnect:913
#, c-format
-msgid "Israeli"
+msgid "Connection name"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Printer \"%s\" on server \"%s\""
-msgstr "on"
-
-#: ../../standalone/drakTermServ:1
+#: network/netconnect.pm:489 standalone/drakconnect:914
#, c-format
-msgid "Floppy can be removed now"
+msgid "Phone number"
msgstr ""
-#: ../../help.pm:1
+#: network/netconnect.pm:490 standalone/drakconnect:915
#, c-format
-msgid "Truly minimal install"
+msgid "Login ID"
msgstr ""
-#: ../../lang.pm:1
+#: network/netconnect.pm:505 network/netconnect.pm:538
#, fuzzy, c-format
-msgid "Denmark"
-msgstr "Denmark"
+msgid "Dialup: IP parameters"
+msgstr "Parameter"
-#: ../../diskdrake/interactive.pm:1
-#, c-format
-msgid "Moving partition..."
-msgstr ""
+#: network/netconnect.pm:508
+#, fuzzy, c-format
+msgid "IP parameters"
+msgstr "Parameter"
-#: ../../standalone/drakgw:1
+#: network/netconnect.pm:509 network/netconnect.pm:829
+#: printer/printerdrake.pm:431 standalone/drakconnect:113
+#: standalone/drakconnect:306 standalone/drakconnect:764
#, fuzzy, c-format
-msgid "(This) DHCP Server IP"
-msgstr "DHCP Pelayan"
+msgid "IP address"
+msgstr "Alamat IP"
-#: ../../Xconfig/test.pm:1
+#: network/netconnect.pm:510
#, fuzzy, c-format
-msgid "Test of the configuration"
-msgstr "Ujian"
+msgid "Subnet mask"
+msgstr "Topengan:"
-#: ../../printer/printerdrake.pm:1
+#: network/netconnect.pm:522
#, c-format
-msgid "Installing %s ..."
+msgid "Dialup: DNS parameters"
msgstr ""
-#: ../../help.pm:1
+#: network/netconnect.pm:525
#, fuzzy, c-format
-msgid ""
-"If you told the installer that you wanted to individually select packages,\n"
-"it will present a tree containing all packages classified by groups and\n"
-"subgroups. While browsing the tree, you can select entire groups,\n"
-"subgroups, or individual packages.\n"
-"\n"
-"Whenever you select a package on the tree, a description appears on the\n"
-"right to let you know the purpose of the package.\n"
-"\n"
-"!! If a server package has been selected, either because you specifically\n"
-"chose the individual package or because it was part of a group of packages,\n"
-"you will be asked to confirm that you really want those servers to be\n"
-"installed. By default Mandrake Linux will automatically start any installed\n"
-"services at boot time. Even if they are safe and have no known issues at\n"
-"the time the distribution was shipped, it is entirely possible that that\n"
-"security holes were discovered after this version of Mandrake Linux was\n"
-"finalized. If you do not know what a particular service is supposed to do\n"
-"or why it is being installed, then click \"%s\". Clicking \"%s\" will\n"
-"install the listed services and they will be started automatically by\n"
-"default during boot. !!\n"
-"\n"
-"The \"%s\" option is used to disable the warning dialog which appears\n"
-"whenever the installer automatically selects a package to resolve a\n"
-"dependency issue. Some packages have relationships between each other such\n"
-"that installation of a package requires that some other program is also\n"
-"rerquired to be installed. The installer can determine which packages are\n"
-"required to satisfy a dependency to successfully complete the installation.\n"
-"\n"
-"The tiny floppy disk icon at the bottom of the list allows you to load a\n"
-"package list created during a previous installation. This is useful if you\n"
-"have a number of machines that you wish to configure identically. Clicking\n"
-"on this icon will ask you to insert a floppy disk previously created at the\n"
-"end of another installation. See the second tip of last step on how to\n"
-"create such a floppy."
-msgstr "dan on on default mula dan tidak dan amaran on."
+msgid "DNS"
+msgstr "NIS"
-#: ../../diskdrake/interactive.pm:1
-#, c-format
-msgid "Choose your filesystem encryption key"
-msgstr ""
+#: network/netconnect.pm:526 standalone/drakconnect:918
+#, fuzzy, c-format
+msgid "Domain name"
+msgstr "Domain"
-#: ../../lang.pm:1
+#: network/netconnect.pm:527 network/netconnect.pm:715
+#: standalone/drakconnect:919
#, fuzzy, c-format
-msgid "Sierra Leone"
-msgstr "Sierra Leone"
+msgid "First DNS Server (optional)"
+msgstr "Pelayan"
-#: ../../lang.pm:1
+#: network/netconnect.pm:528 network/netconnect.pm:716
+#: standalone/drakconnect:920
#, fuzzy, c-format
-msgid "Botswana"
-msgstr "Botswana"
+msgid "Second DNS Server (optional)"
+msgstr "Pelayan"
-#: ../../lang.pm:1
+#: network/netconnect.pm:529
#, fuzzy, c-format
-msgid "Andorra"
-msgstr "Andorra"
+msgid "Set hostname from IP"
+msgstr "Hos IP."
-#: ../../standalone/draksec:1
+#: network/netconnect.pm:541 standalone/drakconnect:317
+#: standalone/drakconnect:912
#, fuzzy, c-format
-msgid "(default value: %s)"
-msgstr "default"
+msgid "Gateway"
+msgstr "Gateway"
-#: ../../security/help.pm:1
+#: network/netconnect.pm:542
#, fuzzy, c-format
-msgid "Set password aging to \"max\" days and delay to change to \"inactive\"."
-msgstr "hari dan."
+msgid "Gateway IP address"
+msgstr "Alamat IP"
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Alternative test page (Letter)"
-msgstr ""
+#: network/netconnect.pm:567
+#, fuzzy, c-format
+msgid "ADSL configuration"
+msgstr "Tersendiri"
-#: ../../standalone/drakgw:1
+#: network/netconnect.pm:567 network/netconnect.pm:746
#, fuzzy, c-format
-msgid ""
-"DHCP Server Configuration.\n"
-"\n"
-"Here you can select different options for the DHCP server configuration.\n"
-"If you don't know the meaning of an option, simply leave it as it is.\n"
-"\n"
-msgstr "DHCP Pelayan Konfigurasikan DHCP"
+msgid "Select the network interface to configure:"
+msgstr "Rangkaian"
-#: ../../Xconfig/card.pm:1
+#: network/netconnect.pm:568 network/netconnect.pm:748 network/shorewall.pm:77
+#: standalone/drakconnect:602 standalone/drakgw:218 standalone/drakvpn:217
#, c-format
-msgid "Choose an X server"
+msgid "Net Device"
msgstr ""
-#: ../../../move/tree/mdk_totem:1
+#: network/netconnect.pm:597
#, c-format
-msgid "Copying to memory to allow removing the CDROM"
+msgid "Please choose your ADSL provider"
msgstr ""
-#: ../../install_interactive.pm:1
-#, fuzzy, c-format
-msgid "Swap partition size in MB: "
-msgstr "dalam "
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "No changes to backup!"
-msgstr "Tidak!"
-
-#: ../../diskdrake/interactive.pm:1
+#: network/netconnect.pm:616
#, c-format
-msgid "Formatted\n"
+msgid ""
+"You need the Alcatel microcode.\n"
+"You can provide it now via a floppy or your windows partition,\n"
+"or skip and do it later."
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: network/netconnect.pm:620 network/netconnect.pm:625
#, fuzzy, c-format
-msgid "Type of install"
-msgstr "Jenis"
+msgid "Use a floppy"
+msgstr "Simpan on"
-#: ../../printer/printerdrake.pm:1
+#: network/netconnect.pm:620 network/netconnect.pm:629
#, fuzzy, c-format
-msgid "Printer \"%s\" on SMB/Windows server \"%s\""
-msgstr "on SMB Tetingkap"
+msgid "Use my Windows partition"
+msgstr "Tetingkap"
-#: ../../modules/parameters.pm:1
+#: network/netconnect.pm:620 network/netconnect.pm:633
#, c-format
-msgid "%d comma separated numbers"
+msgid "Do it later"
msgstr ""
-#: ../../services.pm:1
-#, fuzzy, c-format
-msgid ""
-"The rusers protocol allows users on a network to identify who is\n"
-"logged in on other responding machines."
-msgstr "on dalam on."
-
-#: ../../standalone/drakautoinst:1
+#: network/netconnect.pm:640
#, c-format
-msgid "Automatic Steps Configuration"
+msgid "Firmware copy failed, file %s not found"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Barbados"
-msgstr "Barbados"
-
-#: ../advertising/02-community.pl:1
-#, fuzzy, c-format
-msgid ""
-"Want to know more and to contribute to the Open Source community? Get "
-"involved in the Free Software world!"
-msgstr "dan Buka dalam Bebas!"
-
-#: ../../standalone/drakbackup:1
+#: network/netconnect.pm:647
#, c-format
-msgid "Please select data to backup..."
+msgid "Firmware copy succeeded"
msgstr ""
-#: ../../standalone/net_monitor:1
+#: network/netconnect.pm:662
#, fuzzy, c-format
msgid ""
-"Connection failed.\n"
-"Verify your configuration in the Mandrake Control Center."
-msgstr "dalam."
+"You need the Alcatel microcode.\n"
+"Download it at:\n"
+"%s\n"
+"and copy the mgmt.o in /usr/share/speedtouch"
+msgstr ""
+"\n"
+"%s dalam"
-#: ../../standalone/net_monitor:1
+#: network/netconnect.pm:719
#, c-format
-msgid "received"
+msgid "Virtual Path ID (VPI):"
msgstr ""
-#: ../../security/l10n.pm:1
+#: network/netconnect.pm:720
#, c-format
-msgid "Enable su only from the wheel group members or for any user"
+msgid "Virtual Circuit ID (VCI):"
msgstr ""
-#: ../../standalone/logdrake:1
+#: network/netconnect.pm:721
#, fuzzy, c-format
-msgid "/File/_New"
-msgstr "Fail"
+msgid "Encapsulation :"
+msgstr "Tahniah!"
-#: ../../standalone/drakgw:1
+#: network/netconnect.pm:736
+#, c-format
+msgid ""
+"The ECI Hi-Focus modem cannot be supported due to binary driver distribution "
+"problem.\n"
+"\n"
+"You can find a driver on http://eciadsl.flashtux.org/"
+msgstr ""
+
+#: network/netconnect.pm:753
#, fuzzy, c-format
-msgid "The DNS Server IP"
-msgstr "Pelayan"
+msgid "No wireless network adapter on your system!"
+msgstr "Tidak on!"
-#: ../../standalone/drakTermServ:1
+#: network/netconnect.pm:754 standalone/drakgw:240 standalone/drakpxe:137
#, fuzzy, c-format
-msgid "IP Range End:"
-msgstr "IP Akhir:"
+msgid "No network adapter on your system!"
+msgstr "Tidak on!"
-#: ../../security/level.pm:1
+#: network/netconnect.pm:766
#, fuzzy, c-format
-msgid "High"
-msgstr "Tinggi"
+msgid ""
+"WARNING: this device has been previously configured to connect to the "
+"Internet.\n"
+"Simply accept to keep this device configured.\n"
+"Modifying the fields below will override this configuration."
+msgstr "AMARAN Internet terima."
-#: ../../standalone/printerdrake:1
+#: network/netconnect.pm:784
#, fuzzy, c-format
-msgid "Add a new printer to the system"
-msgstr "Tambah Kumpulan"
+msgid "Zeroconf hostname resolution"
+msgstr "Hos"
-#: ../../any.pm:1
+#: network/netconnect.pm:785 network/netconnect.pm:816
#, c-format
-msgid "NoVideo"
+msgid "Configuring network device %s (driver %s)"
msgstr ""
-#: ../../standalone/harddrake2:1
+#: network/netconnect.pm:786
#, c-format
-msgid "this field describes the device"
+msgid ""
+"The following protocols can be used to configure an ethernet connection. "
+"Please choose the one you want to use"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: network/netconnect.pm:817
#, fuzzy, c-format
-msgid "Adding printer to Star Office/OpenOffice.org/GIMP"
-msgstr "Pejabat"
+msgid ""
+"Please enter the IP configuration for this machine.\n"
+"Each item should be entered as an IP address in dotted-decimal\n"
+"notation (for example, 1.2.3.4)."
+msgstr "IP IP dalam."
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Local Printers"
-msgstr ""
+#: network/netconnect.pm:824
+#, fuzzy, c-format
+msgid "Assign host name from DHCP address"
+msgstr "DHCP"
-#: ../../standalone/drakpxe:1
+#: network/netconnect.pm:825
+#, fuzzy, c-format
+msgid "DHCP host name"
+msgstr "DHCP"
+
+#: network/netconnect.pm:830 standalone/drakconnect:311
+#: standalone/drakconnect:765 standalone/drakgw:313
+#, fuzzy, c-format
+msgid "Netmask"
+msgstr "Netmask"
+
+#: network/netconnect.pm:832 standalone/drakconnect:389
#, c-format
-msgid "Installation image directory"
+msgid "Track network card id (useful for laptops)"
msgstr ""
-#: ../../any.pm:1
+#: network/netconnect.pm:833 standalone/drakconnect:390
#, fuzzy, c-format
-msgid "NIS Server"
-msgstr "NIS"
+msgid "Network Hotplugging"
+msgstr "Rangkaian"
-#: ../../standalone/scannerdrake:1
+#: network/netconnect.pm:834 standalone/drakconnect:384
#, fuzzy, c-format
-msgid "Port: %s"
-msgstr "Liang"
+msgid "Start at boot"
+msgstr "Mula"
-#: ../../lang.pm:1
+#: network/netconnect.pm:836 standalone/drakconnect:768
#, fuzzy, c-format
-msgid "Spain"
-msgstr "Sepanyol"
+msgid "DHCP client"
+msgstr "DHCP"
-#: ../../standalone/drakTermServ:1
+#: network/netconnect.pm:846 printer/printerdrake.pm:1349
+#: standalone/drakconnect:569
#, fuzzy, c-format
-msgid "local config: %s"
-msgstr "lokal"
+msgid "IP address should be in format 1.2.3.4"
+msgstr "IP dalam"
-#: ../../any.pm:1
+#: network/netconnect.pm:849
#, fuzzy, c-format
-msgid "This user name has already been added"
-msgstr "pengguna"
+msgid "Warning : IP address %s is usually reserved !"
+msgstr "Amaran IP!"
-#: ../../interactive.pm:1
+#: network/netconnect.pm:879 network/netconnect.pm:908
#, c-format
-msgid "Choose a file"
+msgid "Please enter the wireless parameters for this card:"
msgstr ""
-#: ../../standalone/drakconnect:1
-#, fuzzy, c-format
-msgid "Apply"
-msgstr "Terap"
+#: network/netconnect.pm:882 standalone/drakconnect:355
+#, c-format
+msgid "Operating Mode"
+msgstr ""
-#: ../../standalone/scannerdrake:1
+#: network/netconnect.pm:884 standalone/drakconnect:356
#, c-format
-msgid "Auto-detect available ports"
+msgid "Network name (ESSID)"
msgstr ""
-#: ../../lang.pm:1
+#: network/netconnect.pm:885 standalone/drakconnect:357
#, fuzzy, c-format
-msgid "San Marino"
-msgstr "San Marino"
+msgid "Network ID"
+msgstr "Rangkaian"
-#: ../../standalone/drakgw:1
-#, fuzzy, c-format
-msgid "Internet Connection Sharing currently disabled"
-msgstr "Internet"
+#: network/netconnect.pm:886 standalone/drakconnect:358
+#, c-format
+msgid "Operating frequency"
+msgstr ""
-#: ../../crypto.pm:1 ../../lang.pm:1 ../../network/tools.pm:1
-#, fuzzy, c-format
-msgid "Belgium"
-msgstr "Belgium"
+#: network/netconnect.pm:887 standalone/drakconnect:359
+#, c-format
+msgid "Sensitivity threshold"
+msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Kuwait"
-msgstr "Kuwait"
+#: network/netconnect.pm:888 standalone/drakconnect:360
+#, c-format
+msgid "Bitrate (in b/s)"
+msgstr ""
-#: ../../any.pm:1
+#: network/netconnect.pm:894
#, c-format
-msgid "Choose the window manager to run:"
+msgid ""
+"Freq should have the suffix k, M or G (for example, \"2.46G\" for 2.46 GHz "
+"frequency), or add enough '0' (zeroes)."
msgstr ""
-#: ../../standalone/drakbackup:1
+#: network/netconnect.pm:898
#, c-format
-msgid "December"
+msgid ""
+"Rate should have the suffix k, M or G (for example, \"11M\" for 11M), or add "
+"enough '0' (zeroes)."
msgstr ""
-#: ../../standalone/harddrake2:1
+#: network/netconnect.pm:911 standalone/drakconnect:371
#, c-format
-msgid "sub generation of the cpu"
+msgid "RTS/CTS"
msgstr ""
-#: ../../standalone/drakbug:1
-#, fuzzy, c-format
-msgid "First Time Wizard"
-msgstr "Masa"
+#: network/netconnect.pm:912
+#, c-format
+msgid ""
+"RTS/CTS adds a handshake before each packet transmission to make sure that "
+"the\n"
+"channel is clear. This adds overhead, but increase performance in case of "
+"hidden\n"
+"nodes or large number of active nodes. This parameter sets the size of the\n"
+"smallest packet for which the node sends RTS, a value equal to the maximum\n"
+"packet size disable the scheme. You may also set this parameter to auto, "
+"fixed\n"
+"or off."
+msgstr ""
-#: ../../lang.pm:1
+#: network/netconnect.pm:919 standalone/drakconnect:372
#, fuzzy, c-format
-msgid "Taiwan"
-msgstr "Taiwan"
+msgid "Fragmentation"
+msgstr "Dokumentasi"
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Pakistan"
-msgstr "Pakistan"
+#: network/netconnect.pm:920 standalone/drakconnect:373
+#, c-format
+msgid "Iwconfig command extra arguments"
+msgstr ""
-#: ../../standalone/logdrake:1
-#, fuzzy, c-format
-msgid "please wait, parsing file: %s"
-msgstr "fail"
+#: network/netconnect.pm:921
+#, c-format
+msgid ""
+"Here, one can configure some extra wireless parameters such as:\n"
+"ap, channel, commit, enc, power, retry, sens, txpower (nick is already set "
+"as the hostname).\n"
+"\n"
+"See iwpconfig(8) man page for further information."
+msgstr ""
-#: ../../install_steps.pm:1 ../../../move/move.pm:1
-#, fuzzy, c-format
+#. -PO: split the "xyz command extra argument" translated string into two lines if it's bigger than the english one
+#: network/netconnect.pm:928 standalone/drakconnect:374
+#, c-format
+msgid "Iwspy command extra arguments"
+msgstr ""
+
+#: network/netconnect.pm:929
+#, c-format
msgid ""
-"An error occurred, but I don't know how to handle it nicely.\n"
-"Continue at your own risk."
-msgstr "ralat."
+"Iwspy is used to set a list of addresses in a wireless network\n"
+"interface and to read back quality of link information for each of those.\n"
+"\n"
+"This information is the same as the one available in /proc/net/wireless :\n"
+"quality of the link, signal strength and noise level.\n"
+"\n"
+"See iwpspy(8) man page for further information."
+msgstr ""
-#: ../../install_steps_gtk.pm:1
+#: network/netconnect.pm:937 standalone/drakconnect:375
#, c-format
-msgid "Importance: "
+msgid "Iwpriv command extra arguments"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
+#: network/netconnect.pm:938
+#, c-format
msgid ""
-"To be able to print with your Lexmark inkjet and this configuration, you "
-"need the inkjet printer drivers provided by Lexmark (http://www.lexmark."
-"com/). Click on the \"Drivers\" link. Then choose your model and afterwards "
-"\"Linux\" as operating system. The drivers come as RPM packages or shell "
-"scripts with interactive graphical installation. You do not need to do this "
-"configuration by the graphical frontends. Cancel directly after the license "
-"agreement. Then print printhead alignment pages with \"lexmarkmaintain\" and "
-"adjust the head alignment settings with this program."
-msgstr "Kepada danhttp://www.lexmark.com/ on dan Batal dan."
+"Iwpriv enable to set up optionals (private) parameters of a wireless "
+"network\n"
+"interface.\n"
+"\n"
+"Iwpriv deals with parameters and setting specific to each driver (as opposed "
+"to\n"
+"iwconfig which deals with generic ones).\n"
+"\n"
+"In theory, the documentation of each device driver should indicate how to "
+"use\n"
+"those interface specific commands and their effect.\n"
+"\n"
+"See iwpriv(8) man page for further information."
+msgstr ""
-#: ../../standalone/drakperm:1
+#: network/netconnect.pm:965
#, fuzzy, c-format
-msgid "Permissions"
-msgstr "Keizinan"
+msgid ""
+"No ethernet network adapter has been detected on your system.\n"
+"I cannot set up this connection type."
+msgstr "Tidak on."
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: network/netconnect.pm:969 standalone/drakgw:254 standalone/drakpxe:142
#, c-format
-msgid "Provider name (ex provider.net)"
+msgid "Choose the network interface"
msgstr ""
-#: ../../install_steps_gtk.pm:1
+#: network/netconnect.pm:970
#, fuzzy, c-format
msgid ""
-"Your system is low on resources. You may have some problem installing\n"
-"Mandrake Linux. If that occurs, you can try a text install instead. For "
-"this,\n"
-"press `F1' when booting on CDROM, then enter `text'."
-msgstr "on on."
+"Please choose which network adapter you want to use to connect to Internet."
+msgstr "Internet."
-#: ../../install_interactive.pm:1
+#: network/netconnect.pm:991
#, fuzzy, c-format
-msgid "Use the Windows partition for loopback"
-msgstr "Tetingkap"
+msgid ""
+"Please enter your host name.\n"
+"Your host name should be a fully-qualified host name,\n"
+"such as ``mybox.mylab.myco.com''.\n"
+"You may also enter the IP address of the gateway if you have one."
+msgstr "IP."
-#: ../../keyboard.pm:1
+#: network/netconnect.pm:995
#, c-format
-msgid "Armenian (typewriter)"
+msgid "Last but not least you can also type in your DNS server IP addresses."
msgstr ""
-#: ../../standalone/drakconnect:1 ../../standalone/net_monitor:1
-#, c-format
-msgid "Connection type: "
-msgstr ""
+#: network/netconnect.pm:997
+#, fuzzy, c-format
+msgid "Host name (optional)"
+msgstr "Pelayan"
-#: ../../install_steps_interactive.pm:1
+#: network/netconnect.pm:997
#, fuzzy, c-format
-msgid "Graphical interface"
-msgstr "Grafikal"
+msgid "Host name"
+msgstr "Hos"
-#: ../../lang.pm:1
+#: network/netconnect.pm:998
#, fuzzy, c-format
-msgid "Chad"
-msgstr "Chad"
+msgid "DNS server 1"
+msgstr "SSH"
-#: ../../lang.pm:1
+#: network/netconnect.pm:999
#, fuzzy, c-format
-msgid "India"
-msgstr "India"
+msgid "DNS server 2"
+msgstr "SSH"
-#: ../../Xconfig/card.pm:1 ../../Xconfig/various.pm:1
-#, c-format
-msgid "XFree %s with 3D hardware acceleration"
-msgstr ""
+#: network/netconnect.pm:1000
+#, fuzzy, c-format
+msgid "DNS server 3"
+msgstr "SSH"
+
+#: network/netconnect.pm:1001
+#, fuzzy, c-format
+msgid "Search domain"
+msgstr "NIS"
-#: ../../lang.pm:1
+#: network/netconnect.pm:1002
#, c-format
-msgid "Slovakia"
-msgstr "Slovakia"
+msgid "By default search domain will be set from the fully-qualified host name"
+msgstr ""
-#: ../../lang.pm:1
+#: network/netconnect.pm:1003
#, fuzzy, c-format
-msgid "Singapore"
-msgstr "Singapura"
+msgid "Gateway (e.g. %s)"
+msgstr "Gateway"
-#: ../../lang.pm:1
+#: network/netconnect.pm:1005
+#, c-format
+msgid "Gateway device"
+msgstr "Peranti gateway"
+
+#: network/netconnect.pm:1014
#, fuzzy, c-format
-msgid "Cambodia"
-msgstr "Cambodia"
+msgid "DNS server address should be in format 1.2.3.4"
+msgstr "dalam"
-#: ../../Xconfig/various.pm:1
+#: network/netconnect.pm:1019 standalone/drakconnect:571
#, fuzzy, c-format
-msgid "Monitor HorizSync: %s\n"
-msgstr "Monitor"
+msgid "Gateway address should be in format 1.2.3.4"
+msgstr "Gateway dalam"
-#: ../../standalone/drakperm:1
+#: network/netconnect.pm:1030
#, c-format
-msgid "Path"
+msgid ""
+"Enter a Zeroconf host name which will be the one that your machine will get "
+"back to other machines on the network:"
msgstr ""
-#: ../../standalone/drakbug:1
-#, c-format
-msgid "NOT FOUND"
-msgstr ""
+#: network/netconnect.pm:1031
+#, fuzzy, c-format
+msgid "Zeroconf Host name"
+msgstr "Hos"
-#: ../../printer/printerdrake.pm:1
+#: network/netconnect.pm:1034
#, c-format
-msgid ""
-"Here you can specify any arbitrary command line into which the job should be "
-"piped instead of being sent directly to a printer."
+msgid "Zeroconf host name must not contain a ."
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: network/netconnect.pm:1044
#, fuzzy, c-format
msgid ""
-"The printing system (%s) will not be started automatically when the machine "
-"is booted.\n"
-"\n"
-"It is possible that the automatic starting was turned off by changing to a "
-"higher security level, because the printing system is a potential point for "
-"attacks.\n"
+"You have configured multiple ways to connect to the Internet.\n"
+"Choose the one you want to use.\n"
"\n"
-"Do you want to have the automatic starting of the printing system turned on "
-"again?"
-msgstr "off on?"
+msgstr "Internet"
-#: ../../printer/printerdrake.pm:1
+#: network/netconnect.pm:1046
#, fuzzy, c-format
-msgid ""
-"Printer %s\n"
-"What do you want to modify on this printer?"
-msgstr "on?"
+msgid "Internet connection"
+msgstr "Internet"
-#: ../../standalone/scannerdrake:1
+#: network/netconnect.pm:1054
#, fuzzy, c-format
-msgid "Add host"
-msgstr "Tambah"
+msgid "Configuration is complete, do you want to apply settings ?"
+msgstr "Konfigurasikan?"
-#: ../../harddrake/sound.pm:1
+#: network/netconnect.pm:1070
#, fuzzy, c-format
-msgid ""
-"If you really think that you know which driver is the right one for your "
-"card\n"
-"you can pick one in the above list.\n"
-"\n"
-"The current driver for your \"%s\" sound card is \"%s\" "
-msgstr "dalam "
+msgid "Do you want to start the connection at boot?"
+msgstr "mula?"
-#: ../../any.pm:1
+#: network/netconnect.pm:1094
+#, fuzzy, c-format
+msgid "The network needs to be restarted. Do you want to restart it ?"
+msgstr "ulanghidup?"
+
+#: network/netconnect.pm:1100 network/netconnect.pm:1165
+#, fuzzy, c-format
+msgid "Network Configuration"
+msgstr "Konfigurasi Rangkaian"
+
+#: network/netconnect.pm:1101
#, fuzzy, c-format
msgid ""
-"Would you like to allow users to share some of their directories?\n"
-"Allowing this will permit users to simply click on \"Share\" in konqueror "
-"and nautilus.\n"
+"A problem occured while restarting the network: \n"
"\n"
-"\"Custom\" permit a per-user granularity.\n"
-msgstr "on Kongsi dalam dan Tersendiri pengguna"
+"%s"
+msgstr "A"
-#: ../../install_steps_interactive.pm:1
+#: network/netconnect.pm:1110
#, fuzzy, c-format
-msgid ""
-"Please choose load or save package selection on floppy.\n"
-"The format is the same as auto_install generated floppies."
-msgstr "on."
+msgid "Do you want to try to connect to the Internet now?"
+msgstr "Internet?"
-#: ../../../move/tree/mdk_totem:1
+#: network/netconnect.pm:1118 standalone/drakconnect:958
#, c-format
-msgid "No CDROM support"
+msgid "Testing your connection..."
msgstr ""
-#: ../../standalone/drakxtv:1
+#: network/netconnect.pm:1134
#, fuzzy, c-format
-msgid "China (broadcast)"
-msgstr "China"
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Use quota for backup files."
-msgstr "fail."
+msgid "The system is now connected to the Internet."
+msgstr "Internet."
-#: ../../printer/printerdrake.pm:1
+#: network/netconnect.pm:1135
#, c-format
-msgid "Configuring printer \"%s\"..."
+msgid "For security reasons, it will be disconnected now."
msgstr ""
-#: ../../fs.pm:1
+#: network/netconnect.pm:1136
#, fuzzy, c-format
msgid ""
-"Do not allow execution of any binaries on the mounted\n"
-"file system. This option might be useful for a server that has file systems\n"
-"containing binaries for architectures other than its own."
-msgstr "on terpasang fail."
+"The system doesn't seem to be connected to the Internet.\n"
+"Try to reconfigure your connection."
+msgstr "Internet."
-#: ../../network/netconnect.pm:1
+#: network/netconnect.pm:1150
#, fuzzy, c-format
-msgid "Internet connection"
-msgstr "Internet"
+msgid ""
+"Congratulations, the network and Internet configuration is finished.\n"
+"\n"
+msgstr "Tahniah dan Internet"
-#: ../../modules/interactive.pm:1
+#: network/netconnect.pm:1153
#, fuzzy, c-format
msgid ""
-"Loading module %s failed.\n"
-"Do you want to try again with other parameters?"
-msgstr "Memuatkan?"
+"After this is done, we recommend that you restart your X environment to "
+"avoid any hostname-related problems."
+msgstr "siap ulanghidup."
-#: ../advertising/01-thanks.pl:1
-#, fuzzy, c-format
-msgid "Welcome to the Open Source world."
-msgstr "Selamat Datang Buka."
+#: network/netconnect.pm:1154
+#, c-format
+msgid ""
+"Problems occured during configuration.\n"
+"Test your connection via net_monitor or mcc. If your connection doesn't "
+"work, you might want to relaunch the configuration."
+msgstr ""
-#: ../../lang.pm:1
+#: network/netconnect.pm:1166
#, fuzzy, c-format
-msgid "Bosnia and Herzegovina"
-msgstr "Bosnia Herzegovina"
+msgid ""
+"Because you are doing a network installation, your network is already "
+"configured.\n"
+"Click on Ok to keep your configuration, or cancel to reconfigure your "
+"Internet & Network connection.\n"
+msgstr "on Ok Internet Rangkaian"
-#: ../../fsedit.pm:1
+#: network/network.pm:314
#, c-format
-msgid ""
-"You need a true filesystem (ext2/ext3, reiserfs, xfs, or jfs) for this mount "
-"point\n"
+msgid "Proxies configuration"
msgstr ""
-#: ../../standalone/scannerdrake:1
+#: network/network.pm:315
#, fuzzy, c-format
-msgid "You must enter a host name or an IP address.\n"
-msgstr "IP"
+msgid "HTTP proxy"
+msgstr "HTTP"
-#: ../../crypto.pm:1 ../../lang.pm:1 ../../network/tools.pm:1
+#: network/network.pm:316
#, fuzzy, c-format
-msgid "Netherlands"
-msgstr "Belanda"
+msgid "FTP proxy"
+msgstr "FTP"
-#: ../../standalone/drakbackup:1
+#: network/network.pm:319
#, fuzzy, c-format
-msgid "Sending files by FTP"
-msgstr "fail"
+msgid "Proxy should be http://..."
+msgstr "Proksihttp://...."
-#: ../../network/isdn.pm:1
+#: network/network.pm:320
+#, fuzzy, c-format
+msgid "URL should begin with 'ftp:' or 'http:'"
+msgstr "URL"
+
+#: network/shorewall.pm:26
#, c-format
-msgid "Internal ISDN card"
+msgid "Firewalling configuration detected!"
msgstr ""
-#: ../../harddrake/sound.pm:1
+#: network/shorewall.pm:27
#, fuzzy, c-format
msgid ""
-"There's no known OSS/ALSA alternative driver for your sound card (%s) which "
-"currently uses \"%s\""
-msgstr "tidak"
+"Warning! An existing firewalling configuration has been detected. You may "
+"need some manual fixes after installation."
+msgstr "Amaran."
-#: ../../network/modem.pm:1
-#, fuzzy, c-format
-msgid "Title"
-msgstr "Tajuk"
+#: network/shorewall.pm:70
+#, c-format
+msgid ""
+"Please enter the name of the interface connected to the "
+"internet. \n"
+" \n"
+"Examples:\n"
+" ppp+ for modem or DSL connections, \n"
+" eth0, or eth1 for cable connection, \n"
+" ippp+ for a isdn connection.\n"
+msgstr ""
-#: ../../standalone/drakfont:1
+#: network/tools.pm:207
#, fuzzy, c-format
-msgid "Install & convert Fonts"
-msgstr "Install"
+msgid "Insert floppy"
+msgstr "dalam"
-#: ../../standalone/drakbackup:1
+#: network/tools.pm:208
#, fuzzy, c-format
-msgid "WARNING"
-msgstr "AMARAN"
+msgid ""
+"Insert a FAT formatted floppy in drive %s with %s in root directory and "
+"press %s"
+msgstr "dalam"
-#: ../../install_steps_interactive.pm:1
+#: network/tools.pm:209
#, c-format
-msgid "Installing bootloader"
+msgid "Floppy access error, unable to mount device %s"
msgstr ""
-#: ../../standalone/drakautoinst:1
+#: partition_table.pm:642
#, c-format
-msgid "replay"
+msgid "mount failed: "
msgstr ""
-#: ../../network/netconnect.pm:1
-#, c-format
-msgid "detected %s"
-msgstr ""
+#: partition_table.pm:747
+#, fuzzy, c-format
+msgid "Extended partition not supported on this platform"
+msgstr "on"
-#: ../../standalone/drakbackup:1
+#: partition_table.pm:765
#, fuzzy, c-format
msgid ""
-"Expect is an extension to the Tcl scripting language that allows interactive "
-"sessions without user intervention."
-msgstr "pengguna."
+"You have a hole in your partition table but I can't use it.\n"
+"The only solution is to move your primary partitions to have the hole next "
+"to the extended partitions."
+msgstr "dalam."
-#: ../../lang.pm:1
-#, c-format
-msgid "Virgin Islands (U.S.)"
-msgstr "Virgin Islands (Amerika)"
+#: partition_table.pm:852
+#, fuzzy, c-format
+msgid "Restoring from file %s failed: %s"
+msgstr "fail"
-#: ../../partition_table.pm:1
+#: partition_table.pm:854
#, c-format
msgid "Bad backup file"
msgstr ""
-#: ../../standalone/drakgw:1
+#: partition_table.pm:874
+#, c-format
+msgid "Error writing to file %s"
+msgstr "Ralat menulis kepada fail %s"
+
+#: partition_table/raw.pm:181
#, fuzzy, c-format
msgid ""
-"The setup of Internet connection sharing has already been done.\n"
-"It's currently disabled.\n"
-"\n"
-"What would you like to do?"
-msgstr "Internet siap dimatikan?"
+"Something bad is happening on your drive. \n"
+"A test to check the integrity of data has failed. \n"
+"It means writing anything on the disk will end up with random, corrupted "
+"data."
+msgstr "on on."
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Enter IP address and port of the host whose printers you want to use."
-msgstr "Enter IP dan."
+#: pkgs.pm:24
+#, c-format
+msgid "must have"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: pkgs.pm:25
#, c-format
-msgid "Pipe into command"
+msgid "important"
msgstr ""
-#: ../../install_interactive.pm:1
-#, fuzzy, c-format
-msgid ""
-"Some hardware on your computer needs ``proprietary'' drivers to work.\n"
-"You can find some information about them at: %s"
-msgstr "on"
+#: pkgs.pm:26
+#, c-format
+msgid "very nice"
+msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Haiti"
-msgstr "Haiti"
+#: pkgs.pm:27
+#, c-format
+msgid "nice"
+msgstr ""
-#: ../../network/netconnect.pm:1 ../../printer/printerdrake.pm:1
+#: pkgs.pm:28
#, c-format
-msgid "Detecting devices..."
+msgid "maybe"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: printer/cups.pm:87
#, fuzzy, c-format
-msgid ""
-"Custom allows you to specify your own day and time. The other options use "
-"run-parts in /etc/crontab."
-msgstr "Tersendiri dan dalam."
+msgid "(on %s)"
+msgstr "on"
-#: ../../standalone/harddrake2:1
+#: printer/cups.pm:87
#, fuzzy, c-format
-msgid ""
-"Description of the fields:\n"
-"\n"
-msgstr "Huraian"
+msgid "(on this machine)"
+msgstr "on"
-#: ../../standalone/draksec:1
+#: printer/cups.pm:99 standalone/printerdrake:197
#, fuzzy, c-format
-msgid "Basic options"
-msgstr "Asas"
+msgid "Configured on other machines"
+msgstr "Tidak"
-#: ../../standalone/harddrake2:1
+#: printer/cups.pm:101
#, c-format
-msgid "the name of the CPU"
+msgid "On CUPS server \"%s\""
msgstr ""
-#: ../../security/l10n.pm:1
+#: printer/cups.pm:101 printer/printerdrake.pm:3784
+#: printer/printerdrake.pm:3793 printer/printerdrake.pm:3934
+#: printer/printerdrake.pm:3945 printer/printerdrake.pm:4157
#, fuzzy, c-format
-msgid "Accept bogus IPv4 error messages"
-msgstr "Terima ralat"
+msgid " (Default)"
+msgstr "Default"
-#: ../../printer/printerdrake.pm:1
+#: printer/data.pm:21
#, c-format
-msgid "Refreshing printer data..."
+msgid "PDQ - Print, Don't Queue"
msgstr ""
-#: ../../install2.pm:1
+#: printer/data.pm:22
#, c-format
-msgid "You must also format %s"
+msgid "PDQ"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: printer/data.pm:33
#, c-format
-msgid "Be careful: this operation is dangerous."
+msgid "LPD - Line Printer Daemon"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: printer/data.pm:34
#, c-format
-msgid "Insert a floppy containing package selection"
+msgid "LPD"
msgstr ""
-#: ../../diskdrake/dav.pm:1
+#: printer/data.pm:55
#, fuzzy, c-format
-msgid "Server: "
-msgstr "Pelayan "
+msgid "LPRng - LPR New Generation"
+msgstr "Baru"
+
+#: printer/data.pm:56
+#, c-format
+msgid "LPRng"
+msgstr ""
-#: ../../standalone/draksec:1
+#: printer/data.pm:81
#, fuzzy, c-format
-msgid "Security Alerts:"
-msgstr "Keselamatan:"
+msgid "CUPS - Common Unix Printing System"
+msgstr "Cetakan"
-#: ../../crypto.pm:1 ../../lang.pm:1
+#: printer/detect.pm:148 printer/detect.pm:226 printer/detect.pm:428
+#: printer/detect.pm:465 printer/printerdrake.pm:679
#, fuzzy, c-format
-msgid "Sweden"
-msgstr "Sweden"
+msgid "Unknown Model"
+msgstr "Entah"
-#: ../../standalone/drakbackup:1
+#: printer/main.pm:28
#, c-format
-msgid "Use Expect for SSH"
+msgid "Local printer"
+msgstr ""
+
+#: printer/main.pm:29
+#, c-format
+msgid "Remote printer"
msgstr ""
-#: ../../lang.pm:1
+#: printer/main.pm:30
#, fuzzy, c-format
-msgid "Poland"
-msgstr "Poland"
+msgid "Printer on remote CUPS server"
+msgstr "on"
-#: ../../network/drakfirewall.pm:1
+#: printer/main.pm:31 printer/printerdrake.pm:1372
#, fuzzy, c-format
-msgid "Other ports"
-msgstr "Liang Lain"
+msgid "Printer on remote lpd server"
+msgstr "on lpd"
-#: ../../harddrake/v4l.pm:1
-#, c-format
-msgid "number of capture buffers for mmap'ed capture"
-msgstr ""
+#: printer/main.pm:32
+#, fuzzy, c-format
+msgid "Network printer (TCP/Socket)"
+msgstr "Rangkaian"
-#: ../../network/adsl.pm:1
+#: printer/main.pm:33
#, fuzzy, c-format
-msgid " - detected"
-msgstr "Tidak!"
+msgid "Printer on SMB/Windows 95/98/NT server"
+msgstr "on SMB Tetingkap"
-#: ../../harddrake/data.pm:1
-#, c-format
-msgid "SMBus controllers"
-msgstr ""
+#: printer/main.pm:34
+#, fuzzy, c-format
+msgid "Printer on NetWare server"
+msgstr "on"
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: printer/main.pm:35 printer/printerdrake.pm:1376
#, fuzzy, c-format
-msgid "Connection timeout (in sec)"
-msgstr "dalam"
+msgid "Enter a printer device URI"
+msgstr "Enter"
-#: ../../standalone/harddrake2:1
+#: printer/main.pm:36
#, c-format
-msgid ""
-"Some of the early i486DX-100 chips cannot reliably return to operating mode "
-"after the \"halt\" instruction is used"
+msgid "Pipe job into a command"
msgstr ""
-#: ../../keyboard.pm:1
+#: printer/main.pm:306 printer/main.pm:574 printer/main.pm:1544
+#: printer/main.pm:2217 printer/printerdrake.pm:1781
+#: printer/printerdrake.pm:4191
#, fuzzy, c-format
-msgid "Croatian"
-msgstr "Croatia"
+msgid "Unknown model"
+msgstr "Entah"
-#: ../../help.pm:1
-#, c-format
-msgid "Use existing partition"
-msgstr ""
+#: printer/main.pm:331 standalone/printerdrake:196
+#, fuzzy, c-format
+msgid "Configured on this machine"
+msgstr "on"
-#: ../../install_steps_interactive.pm:1
-#, c-format
-msgid "Unable to contact mirror %s"
-msgstr ""
+#: printer/main.pm:337 printer/printerdrake.pm:948
+#, fuzzy, c-format
+msgid " on parallel port #%s"
+msgstr "on"
-#: ../../standalone/logdrake:1
+#: printer/main.pm:340 printer/printerdrake.pm:950
#, fuzzy, c-format
-msgid "/Help/_About..."
-msgstr "Bantuan Perihal."
+msgid ", USB printer #%s"
+msgstr "USB"
-#: ../../standalone/drakbackup:1
+#: printer/main.pm:342
#, fuzzy, c-format
-msgid "Remove user directories before restore."
-msgstr "Buang pengguna."
+msgid ", USB printer"
+msgstr "USB"
-#: ../../printer/printerdrake.pm:1
+#: printer/main.pm:347
#, fuzzy, c-format
-msgid ""
-"You are going to configure a remote printer. This needs working network "
-"access, but your network is not configured yet. If you go on without network "
-"configuration, you will not be able to use the printer which you are "
-"configuring now. How do you want to proceed?"
-msgstr "on?"
+msgid ", multi-function device on parallel port #%s"
+msgstr "on"
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "CUPS printer configuration"
-msgstr ""
+#: printer/main.pm:350
+#, fuzzy, c-format
+msgid ", multi-function device on a parallel port"
+msgstr "on"
-#: ../../standalone/drakfont:1
+#: printer/main.pm:352
#, fuzzy, c-format
-msgid "could not find any font in your mounted partitions"
-msgstr "dalam terpasang"
+msgid ", multi-function device on USB"
+msgstr "on"
-#: ../../standalone/harddrake2:1
+#: printer/main.pm:354
+#, fuzzy, c-format
+msgid ", multi-function device on HP JetDirect"
+msgstr "on"
+
+#: printer/main.pm:356
#, c-format
-msgid "F00f bug"
+msgid ", multi-function device"
msgstr ""
-#: ../../Xconfig/card.pm:1 ../../Xconfig/various.pm:1
+#: printer/main.pm:359
#, c-format
-msgid "XFree %s"
+msgid ", printing to %s"
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: printer/main.pm:361
#, fuzzy, c-format
-msgid "Domain Name:"
-msgstr "Domain Nama:"
+msgid " on LPD server \"%s\", printer \"%s\""
+msgstr "on"
-#: ../../security/l10n.pm:1
-#, c-format
-msgid "Root umask"
-msgstr ""
+#: printer/main.pm:363
+#, fuzzy, c-format
+msgid ", TCP/IP host \"%s\", port %s"
+msgstr "IP"
-#: ../../any.pm:1
-#, c-format
-msgid "On Floppy"
-msgstr ""
+#: printer/main.pm:367
+#, fuzzy, c-format
+msgid " on SMB/Windows server \"%s\", share \"%s\""
+msgstr "on SMB Tetingkap"
-#: ../../security/l10n.pm:1
-#, c-format
-msgid "Reboot by the console user"
-msgstr ""
+#: printer/main.pm:371
+#, fuzzy, c-format
+msgid " on Novell server \"%s\", printer \"%s\""
+msgstr "on"
-#: ../../standalone/drakbackup:1
+#: printer/main.pm:373
#, c-format
-msgid "Restore"
+msgid ", using command %s"
msgstr ""
-#: ../../standalone/drakclock:1
+#: printer/main.pm:388
#, fuzzy, c-format
-msgid "Server:"
-msgstr "Pelayan "
+msgid "Parallel port #%s"
+msgstr "on"
-#: ../../security/help.pm:1
+#: printer/main.pm:391 printer/printerdrake.pm:964 printer/printerdrake.pm:987
+#: printer/printerdrake.pm:1005
#, fuzzy, c-format
-msgid "if set to yes, check if the network devices are in promiscuous mode."
-msgstr "ya dalam."
+msgid "USB printer #%s"
+msgstr "USB"
-#: ../../install_steps_interactive.pm:1
-#, c-format
-msgid "Looking for available packages..."
-msgstr ""
+#: printer/main.pm:393
+#, fuzzy, c-format
+msgid "USB printer"
+msgstr "USB"
-#: ../../../move/move.pm:1
-#, c-format
-msgid "Please wait, setting up system configuration files on USB key..."
-msgstr ""
+#: printer/main.pm:398
+#, fuzzy, c-format
+msgid "Multi-function device on parallel port #%s"
+msgstr "on"
-#: ../../any.pm:1
-#, c-format
-msgid "Init Message"
-msgstr ""
+#: printer/main.pm:401
+#, fuzzy, c-format
+msgid "Multi-function device on a parallel port"
+msgstr "on"
-#: ../../help.pm:1 ../../diskdrake/interactive.pm:1
+#: printer/main.pm:403
#, fuzzy, c-format
-msgid "Rescue partition table"
-msgstr "Penyelamatan"
+msgid "Multi-function device on USB"
+msgstr "on"
-#: ../../lang.pm:1
+#: printer/main.pm:405
#, fuzzy, c-format
-msgid "Cyprus"
-msgstr "Cyprus"
+msgid "Multi-function device on HP JetDirect"
+msgstr "on"
-#: ../../standalone/net_monitor:1
-#, c-format
-msgid "Connection complete."
-msgstr ""
+#: printer/main.pm:407
+#, fuzzy, c-format
+msgid "Multi-function device"
+msgstr "on"
-#: ../../diskdrake/interactive.pm:1
+#: printer/main.pm:410
#, fuzzy, c-format
-msgid "Remove from RAID"
-msgstr "Buang"
+msgid "Prints into %s"
+msgstr "Cetakan"
-#: ../../diskdrake/interactive.pm:1
-#, c-format
-msgid "This encryption key is too simple (must be at least %d characters long)"
-msgstr ""
+#: printer/main.pm:412
+#, fuzzy, c-format
+msgid "LPD server \"%s\", printer \"%s\""
+msgstr "on"
-#: ../../standalone/drakbug:1
+#: printer/main.pm:414
#, fuzzy, c-format
-msgid "Configuration Wizards"
-msgstr "Konfigurasikan"
+msgid "TCP/IP host \"%s\", port %s"
+msgstr "IP"
-#: ../../network/netconnect.pm:1
-#, c-format
-msgid "ISDN connection"
-msgstr ""
+#: printer/main.pm:418
+#, fuzzy, c-format
+msgid "SMB/Windows server \"%s\", share \"%s\""
+msgstr "on SMB Tetingkap"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "CD-R / DVD-R"
-msgstr ""
+#: printer/main.pm:422
+#, fuzzy, c-format
+msgid "Novell server \"%s\", printer \"%s\""
+msgstr "on"
+
+#: printer/main.pm:424
+#, fuzzy, c-format
+msgid "Uses command %s"
+msgstr "%s pada %s"
-#: ../../standalone/harddrake2:1
+#: printer/main.pm:426
#, c-format
-msgid "primary"
+msgid "URI: %s"
msgstr ""
-#: ../../printer/main.pm:1
+#: printer/main.pm:571 printer/printerdrake.pm:725
+#: printer/printerdrake.pm:2331
#, fuzzy, c-format
-msgid " on SMB/Windows server \"%s\", share \"%s\""
-msgstr "on SMB Tetingkap"
+msgid "Raw printer (No driver)"
+msgstr "Tidak"
-#: ../../help.pm:1
+#: printer/main.pm:1085 printer/printerdrake.pm:179
+#: printer/printerdrake.pm:191
+#, c-format
+msgid "Local network(s)"
+msgstr ""
+
+#: printer/main.pm:1087 printer/printerdrake.pm:195
#, fuzzy, c-format
-msgid ""
-"This dialog is used to choose which services you wish to start at boot\n"
-"time.\n"
-"\n"
-"DrakX will list all the services available on the current installation.\n"
-"Review each one carefully and uncheck those which are not needed at boot\n"
-"time.\n"
-"\n"
-"A short explanatory text will be displayed about a service when it is\n"
-"selected. However, if you are not sure whether a service is useful or not,\n"
-"it is safer to leave the default behavior.\n"
-"\n"
-"!! At this stage, be very careful if you intend to use your machine as a\n"
-"server: you will probably not want to start any services that you do not\n"
-"need. Please remember that several services can be dangerous if they are\n"
-"enabled on a server. In general, select only the services you really need.\n"
-"!!"
-msgstr "mula on dan default mula on Masuk!"
+msgid "Interface \"%s\""
+msgstr "Antaramuka"
-#: ../../lang.pm:1
+#: printer/main.pm:1089
#, fuzzy, c-format
-msgid "Niue"
-msgstr "Niue"
+msgid "Network %s"
+msgstr "Rangkaian"
-#: ../../any.pm:1 ../../help.pm:1 ../../printer/printerdrake.pm:1
+#: printer/main.pm:1091
#, fuzzy, c-format
-msgid "Skip"
-msgstr "Langkah"
+msgid "Host %s"
+msgstr "Hos"
-#: ../../services.pm:1
+#: printer/main.pm:1120
#, fuzzy, c-format
-msgid ""
-"Activates/Deactivates all network interfaces configured to start\n"
-"at boot time."
-msgstr "mula."
+msgid "%s (Port %s)"
+msgstr "Liang"
-#: ../../standalone/harddrake2:1
+#: printer/printerdrake.pm:22
#, fuzzy, c-format
msgid ""
-"the CPU frequency in MHz (Megahertz which in first approximation may be "
-"coarsely assimilated to number of instructions the cpu is able to execute "
-"per second)"
-msgstr "dalam dalam"
-
-#: ../../pkgs.pm:1
-#, c-format
-msgid "important"
-msgstr ""
+"The HP LaserJet 1000 needs its firmware to be uploaded after being turned "
+"on. Download the Windows driver package from the HP web site (the firmware "
+"on the printer's CD does not work) and extract the firmware file from it by "
+"uncompresing the self-extracting '.exe' file with the 'unzip' utility and "
+"searching for the 'sihp1000.img' file. Copy this file into the '/etc/"
+"printer' directory. There it will be found by the automatic uploader script "
+"and uploaded whenever the printer is connected and turned on.\n"
+msgstr "on Tetingkap on dan fail fail dan fail Salin fail direktori dan dan on"
-#: ../../standalone/printerdrake:1
+#: printer/printerdrake.pm:62
#, c-format
-msgid "Mandrake Linux Printer Management Tool"
+msgid "CUPS printer configuration"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:63
#, fuzzy, c-format
-msgid "Total Progress"
-msgstr "Jumlah"
+msgid ""
+"Here you can choose whether the printers connected to this machine should be "
+"accessable by remote machines and by which remote machines."
+msgstr "dan."
-#: ../../help.pm:1
+#: printer/printerdrake.pm:64
#, fuzzy, c-format
msgid ""
-"DrakX will first detect any IDE devices present in your computer. It will\n"
-"also scan for one or more PCI SCSI cards on your system. If a SCSI card is\n"
-"found, DrakX will automatically install the appropriate driver.\n"
-"\n"
-"Because hardware detection is not foolproof, DrakX may fail in detecting\n"
-"your hard drives. If so, you'll have to specify your hardware by hand.\n"
-"\n"
-"If you had to manually specify your PCI SCSI adapter, DrakX will ask if you\n"
-"want to configure options for it. You should allow DrakX to probe the\n"
-"hardware for the card-specific options which are needed to initialize the\n"
-"adapter. Most of the time, DrakX will get through this step without any\n"
-"issues.\n"
-"\n"
-"If DrakX is not able to probe for the options to automatically determine\n"
-"which parameters need to be passed to the hardware, you'll need to manually\n"
-"configure the driver."
-msgstr "dalam on dalam secara manual secara manual."
+"You can also decide here whether printers on remote machines should be "
+"automatically made available on this machine."
+msgstr "on on."
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:67
#, fuzzy, c-format
-msgid "Aruba"
-msgstr "Aruba"
+msgid "The printers on this machine are available to other computers"
+msgstr "on"
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:69
#, fuzzy, c-format
-msgid "Users"
-msgstr "Pengguna"
+msgid "Automatically find available printers on remote machines"
+msgstr "on"
-#: ../../install_steps_interactive.pm:1
-#, c-format
-msgid "Preparing bootloader..."
-msgstr ""
+#: printer/printerdrake.pm:71
+#, fuzzy, c-format
+msgid "Printer sharing on hosts/networks: "
+msgstr "on hos "
-#: ../../../move/move.pm:1
-#, c-format
-msgid "Enter your user information, password will be used for screensaver"
-msgstr ""
+#: printer/printerdrake.pm:73
+#, fuzzy, c-format
+msgid "Custom configuration"
+msgstr "Tersendiri"
-#: ../../network/network.pm:1
+#: printer/printerdrake.pm:78 standalone/scannerdrake:554
+#: standalone/scannerdrake:571
#, fuzzy, c-format
-msgid "Gateway (e.g. %s)"
-msgstr "Gateway"
+msgid "No remote machines"
+msgstr "Tidak"
-#: ../../any.pm:1 ../../install_steps_interactive.pm:1
+#: printer/printerdrake.pm:88
#, c-format
-msgid "The passwords do not match"
+msgid "Additional CUPS servers: "
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Examples for correct IPs:\n"
-msgstr ""
+#: printer/printerdrake.pm:93
+#, fuzzy, c-format
+msgid "None"
+msgstr "Tiada"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "Please choose the media for backup."
+#: printer/printerdrake.pm:95
+#, fuzzy, c-format
+msgid ""
+"To get access to printers on remote CUPS servers in your local network you "
+"only need to turn on the \"Automatically find available printers on remote "
+"machines\" option; the CUPS servers inform your machine automatically about "
+"their printers. All printers currently known to your machine are listed in "
+"the \"Remote printers\" section in the main window of Printerdrake. If your "
+"CUPS server(s) is/are not in your local network, you have to enter the IP "
+"address(es) and optionally the port number(s) here to get the printer "
+"information from the server(s)."
msgstr ""
+"Kepada on dalam lokal on on Semua dalam dalam utama dalam lokal IP dan."
-#: ../../standalone/harddrake2:1
-#, c-format
-msgid "Frequency (MHz)"
-msgstr ""
+#: printer/printerdrake.pm:100
+#, fuzzy, c-format
+msgid "Japanese text printing mode"
+msgstr "Jepun"
-#: ../../install_any.pm:1
+#: printer/printerdrake.pm:101
#, fuzzy, c-format
msgid ""
-"To use this saved packages selection, boot installation with ``linux "
-"defcfg=floppy''"
-msgstr "Kepada"
+"Turning on this allows to print plain text files in japanese language. Only "
+"use this function if you really want to print text in japanese, if it is "
+"activated you cannot print accentuated characters in latin fonts any more "
+"and you will not be able to adjust the margins, the character size, etc. "
+"This setting only affects printers defined on this machine. If you want to "
+"print japanese text on a printer set up on a remote machine, you have to "
+"activate this function on that remote machine."
+msgstr "on biasa fail dalam dalam dalam dan on on on on."
-#: ../../standalone/harddrake2:1
+#: printer/printerdrake.pm:105
#, c-format
-msgid "the number of the processor"
+msgid "Automatic correction of CUPS configuration"
msgstr ""
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
+#: printer/printerdrake.pm:107
#, fuzzy, c-format
-msgid "Hardware clock set to GMT"
-msgstr "Perkakasan"
+msgid ""
+"When this option is turned on, on every startup of CUPS it is automatically "
+"made sure that\n"
+"\n"
+"- if LPD/LPRng is installed, /etc/printcap will not be overwritten by CUPS\n"
+"\n"
+"- if /etc/cups/cupsd.conf is missing, it will be created\n"
+"\n"
+"- when printer information is broadcasted, it does not contain \"localhost\" "
+"as the server name.\n"
+"\n"
+"If some of these measures lead to problems for you, turn this option off, "
+"but then you have to take care of these points."
+msgstr "on on off."
-#: ../../network/isdn.pm:1
+#: printer/printerdrake.pm:129 printer/printerdrake.pm:205
#, fuzzy, c-format
-msgid "Do you want to start a new configuration ?"
-msgstr "mula?"
+msgid "Sharing of local printers"
+msgstr "lokal"
-#: ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:130
#, fuzzy, c-format
-msgid "Give a file name"
-msgstr "fail"
-
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Please choose the port that your printer is connected to."
-msgstr ""
+msgid ""
+"These are the machines and networks on which the locally connected printer"
+"(s) should be available:"
+msgstr "dan on:"
-#: ../../standalone/livedrake:1
+#: printer/printerdrake.pm:141
#, fuzzy, c-format
-msgid "Change Cd-Rom"
-msgstr "Ubah"
+msgid "Add host/network"
+msgstr "Tambah"
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:147
#, fuzzy, c-format
-msgid "Paraguay"
-msgstr "Paraguay"
+msgid "Edit selected host/network"
+msgstr "Edit"
-#: ../../network/netconnect.pm:1
+#: printer/printerdrake.pm:156
#, fuzzy, c-format
-msgid "Configuration is complete, do you want to apply settings ?"
-msgstr "Konfigurasikan?"
+msgid "Remove selected host/network"
+msgstr "Buang"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "Use Incremental/Differential Backups (do not replace old backups)"
-msgstr ""
+#: printer/printerdrake.pm:187 printer/printerdrake.pm:197
+#: printer/printerdrake.pm:210 printer/printerdrake.pm:217
+#: printer/printerdrake.pm:248 printer/printerdrake.pm:266
+#, fuzzy, c-format
+msgid "IP address of host/network:"
+msgstr "IP:"
-#: ../../standalone/drakTermServ:1
-#, c-format
+#: printer/printerdrake.pm:206
+#, fuzzy, c-format
msgid ""
-" - Maintain /etc/dhcpd.conf:\n"
-" \tTo net boot clients, each client needs a dhcpd.conf entry, "
-"assigning an IP \n"
-" \taddress and net boot images to the machine. drakTermServ helps "
-"create/remove \n"
-" \tthese entries.\n"
-"\t\t\t\n"
-" \t(PCI cards may omit the image - etherboot will request the correct "
-"image. \n"
-"\t\t\tYou should also consider that when etherboot looks for the images, it "
-"expects \n"
-"\t\t\tnames like boot-3c59x.nbi, rather than boot-3c59x.2.4.19-16mdk.nbi).\n"
-"\t\t\t \n"
-" \tA typical dhcpd.conf stanza to support a diskless client looks "
-"like:"
-msgstr ""
+"Choose the network or host on which the local printers should be made "
+"available:"
+msgstr "on lokal:"
-#: ../../harddrake/sound.pm:1
+#: printer/printerdrake.pm:213
#, fuzzy, c-format
-msgid "There's no known driver for your sound card (%s)"
-msgstr "tidak"
+msgid "Host/network IP address missing."
+msgstr "Hos IP."
-#: ../../standalone/drakfloppy:1
+#: printer/printerdrake.pm:221
+#, fuzzy, c-format
+msgid "The entered host/network IP is not correct.\n"
+msgstr "IP"
+
+#: printer/printerdrake.pm:222 printer/printerdrake.pm:400
#, c-format
-msgid "force"
+msgid "Examples for correct IPs:\n"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:246
#, fuzzy, c-format
-msgid "Exit"
-msgstr "Keluar"
+msgid "This host/network is already in the list, it cannot be added again.\n"
+msgstr "dalam"
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:316 printer/printerdrake.pm:387
#, fuzzy, c-format
-msgid ""
-"NOTE: Depending on the printer model and the printing system up to %d MB of "
-"additional software will be installed."
-msgstr "on dan."
+msgid "Accessing printers on remote CUPS servers"
+msgstr "on"
-#: ../../standalone/drakconnect:1
+#: printer/printerdrake.pm:317
#, fuzzy, c-format
msgid ""
-"You don't have any configured interface.\n"
-"Configure them first by clicking on 'Configure'"
-msgstr "on"
+"Add here the CUPS servers whose printers you want to use. You only need to "
+"do this if the servers do not broadcast their printer information into the "
+"local network."
+msgstr "Tambah lokal."
-#: ../../keyboard.pm:1
+#: printer/printerdrake.pm:328
#, fuzzy, c-format
-msgid "Estonian"
-msgstr "Estonia"
+msgid "Add server"
+msgstr "Tambah"
-#: ../../services.pm:1
+#: printer/printerdrake.pm:334
#, fuzzy, c-format
-msgid ""
-"Apache is a World Wide Web server. It is used to serve HTML files and CGI."
-msgstr "fail dan."
+msgid "Edit selected server"
+msgstr "Edit"
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:343
#, fuzzy, c-format
-msgid ""
-"Enter your CD Writer device name\n"
-" ex: 0,1,0"
-msgstr "Enter\n"
+msgid "Remove selected server"
+msgstr "Buang"
-#: ../../standalone/draksec:1
-#, c-format
-msgid "ALL"
-msgstr ""
+#: printer/printerdrake.pm:388
+#, fuzzy, c-format
+msgid "Enter IP address and port of the host whose printers you want to use."
+msgstr "Enter IP dan."
-#: ../../standalone/drakTermServ:1
+#: printer/printerdrake.pm:389
#, fuzzy, c-format
-msgid "Add/Del Clients"
-msgstr "Tambah"
+msgid "If no port is given, 631 will be taken as default."
+msgstr "tidak default."
-#: ../../network/ethernet.pm:1 ../../standalone/drakgw:1
-#: ../../standalone/drakpxe:1
-#, c-format
-msgid "Choose the network interface"
-msgstr ""
+#: printer/printerdrake.pm:393
+#, fuzzy, c-format
+msgid "Server IP missing!"
+msgstr "Pelayan IP!"
-#: ../../printer/detect.pm:1 ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:399
#, fuzzy, c-format
-msgid "Unknown Model"
-msgstr "Entah"
+msgid "The entered IP is not correct.\n"
+msgstr "IP"
-#: ../../harddrake/data.pm:1
+#: printer/printerdrake.pm:411 printer/printerdrake.pm:1582
#, c-format
-msgid "CD/DVD burners"
+msgid "The port number should be an integer!"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:422
#, fuzzy, c-format
-msgid ""
-"Partition booted by default\n"
-" (for MS-DOS boot, not for lilo)\n"
-msgstr "Partisyen default\n"
+msgid "This server is already in the list, it cannot be added again.\n"
+msgstr "dalam"
+
+#: printer/printerdrake.pm:433 printer/printerdrake.pm:1603
+#: standalone/harddrake2:64
+#, fuzzy, c-format
+msgid "Port"
+msgstr "Liang"
-#: ../../standalone/drakperm:1
+#: printer/printerdrake.pm:478 printer/printerdrake.pm:545
+#: printer/printerdrake.pm:605 printer/printerdrake.pm:621
+#: printer/printerdrake.pm:704 printer/printerdrake.pm:761
+#: printer/printerdrake.pm:787 printer/printerdrake.pm:1800
+#: printer/printerdrake.pm:1808 printer/printerdrake.pm:1830
+#: printer/printerdrake.pm:1857 printer/printerdrake.pm:1892
+#: printer/printerdrake.pm:1929 printer/printerdrake.pm:1939
+#: printer/printerdrake.pm:2182 printer/printerdrake.pm:2187
+#: printer/printerdrake.pm:2326 printer/printerdrake.pm:2436
+#: printer/printerdrake.pm:2901 printer/printerdrake.pm:2966
+#: printer/printerdrake.pm:3000 printer/printerdrake.pm:3003
+#: printer/printerdrake.pm:3122 printer/printerdrake.pm:3184
+#: printer/printerdrake.pm:3256 printer/printerdrake.pm:3277
+#: printer/printerdrake.pm:3286 printer/printerdrake.pm:3377
+#: printer/printerdrake.pm:3475 printer/printerdrake.pm:3481
+#: printer/printerdrake.pm:3488 printer/printerdrake.pm:3534
+#: printer/printerdrake.pm:3574 printer/printerdrake.pm:3586
+#: printer/printerdrake.pm:3597 printer/printerdrake.pm:3606
+#: printer/printerdrake.pm:3619 printer/printerdrake.pm:3689
+#: printer/printerdrake.pm:3740 printer/printerdrake.pm:3805
+#: printer/printerdrake.pm:4065 printer/printerdrake.pm:4108
+#: printer/printerdrake.pm:4254 printer/printerdrake.pm:4312
+#: printer/printerdrake.pm:4341 standalone/printerdrake:65
+#: standalone/printerdrake:85 standalone/printerdrake:515
#, c-format
-msgid "Enable \"%s\" to read the file"
+msgid "Printerdrake"
msgstr ""
-#: ../../standalone/draksplash:1
+#: printer/printerdrake.pm:479
#, c-format
-msgid "choose image"
+msgid "Restarting CUPS..."
msgstr ""
-#: ../../network/shorewall.pm:1
+#: printer/printerdrake.pm:502
#, c-format
-msgid "Firewalling configuration detected!"
+msgid "Select Printer Connection"
msgstr ""
-#: ../../network/modem.pm:1 ../../standalone/drakconnect:1
+#: printer/printerdrake.pm:503
#, c-format
-msgid "Connection name"
+msgid "How is the printer connected?"
msgstr ""
-#: ../../standalone/draksplash:1
-#, c-format
+#: printer/printerdrake.pm:505
+#, fuzzy, c-format
msgid ""
-"x coordinate of text box\n"
-"in number of characters"
-msgstr ""
+"\n"
+"Printers on remote CUPS servers do not need to be configured here; these "
+"printers will be automatically detected."
+msgstr "on."
-#: ../../fsedit.pm:1
+#: printer/printerdrake.pm:508 printer/printerdrake.pm:3807
#, c-format
msgid ""
-"You may not be able to install lilo (since lilo doesn't handle a LV on "
-"multiple PVs)"
+"\n"
+"WARNING: No local network connection active, remote printers can neither be "
+"detected nor tested!"
msgstr ""
-#: ../../install_steps_gtk.pm:1
+#: printer/printerdrake.pm:515
+#, fuzzy, c-format
+msgid "Printer auto-detection (Local, TCP/Socket, and SMB printers)"
+msgstr "dan SMB"
+
+#: printer/printerdrake.pm:545
#, c-format
-msgid "Updating package selection"
+msgid "Checking your system..."
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:560
#, fuzzy, c-format
-msgid "Where do you want to mount the loopback file %s?"
-msgstr "fail?"
+msgid "and one unknown printer"
+msgstr "dan tidak diketahui"
-#: ../../standalone/drakautoinst:1
+#: printer/printerdrake.pm:562
+#, fuzzy, c-format
+msgid "and %d unknown printers"
+msgstr "dan tidak diketahui"
+
+#: printer/printerdrake.pm:566
#, c-format
msgid ""
-"The floppy has been successfully generated.\n"
-"You may now replay your installation."
+"The following printers\n"
+"\n"
+"%s%s\n"
+"are directly connected to your system"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:568
#, c-format
-msgid "Use CD-R/DVD-R to backup"
+msgid ""
+"The following printer\n"
+"\n"
+"%s%s\n"
+"are directly connected to your system"
msgstr ""
-#: ../../standalone/harddrake2:1
+#: printer/printerdrake.pm:569
#, c-format
-msgid "the number of buttons the mouse has"
+msgid ""
+"The following printer\n"
+"\n"
+"%s%s\n"
+"is directly connected to your system"
msgstr ""
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
+#: printer/printerdrake.pm:573
+#, fuzzy, c-format
+msgid ""
+"\n"
+"There is one unknown printer directly connected to your system"
+msgstr "tidak diketahui"
+
+#: printer/printerdrake.pm:574
+#, fuzzy, c-format
+msgid ""
+"\n"
+"There are %d unknown printers directly connected to your system"
+msgstr "tidak diketahui"
+
+#: printer/printerdrake.pm:577
+#, fuzzy, c-format
+msgid ""
+"There are no printers found which are directly connected to your machine"
+msgstr "tidak"
+
+#: printer/printerdrake.pm:580
+#, fuzzy, c-format
+msgid " (Make sure that all your printers are connected and turned on).\n"
+msgstr "dan on"
+
+#: printer/printerdrake.pm:593
+#, fuzzy, c-format
+msgid ""
+"Do you want to enable printing on the printers mentioned above or on "
+"printers in the local network?\n"
+msgstr "on on dalam lokal"
+
+#: printer/printerdrake.pm:594
+#, fuzzy, c-format
+msgid "Do you want to enable printing on printers in the local network?\n"
+msgstr "on dalam lokal"
+
+#: printer/printerdrake.pm:596
+#, fuzzy, c-format
+msgid "Do you want to enable printing on the printers mentioned above?\n"
+msgstr "on"
+
+#: printer/printerdrake.pm:597
+#, fuzzy, c-format
+msgid "Are you sure that you want to set up printing on this machine?\n"
+msgstr "on"
+
+#: printer/printerdrake.pm:598
+#, fuzzy, c-format
+msgid ""
+"NOTE: Depending on the printer model and the printing system up to %d MB of "
+"additional software will be installed."
+msgstr "on dan."
+
+#: printer/printerdrake.pm:622
+#, fuzzy, c-format
+msgid "Searching for new printers..."
+msgstr "Mencari."
+
+#: printer/printerdrake.pm:706
#, c-format
-msgid "Replay"
+msgid "Configuring printer ..."
msgstr ""
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:707 printer/printerdrake.pm:762
+#: printer/printerdrake.pm:3598
#, c-format
-msgid "Backup other files"
+msgid "Configuring printer \"%s\"..."
msgstr ""
-#: ../../install_steps.pm:1
-#, fuzzy, c-format
-msgid "No floppy drive available"
-msgstr "Tidak"
+#: printer/printerdrake.pm:727
+#, c-format
+msgid "("
+msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Backup files are corrupted"
-msgstr "fail"
+#: printer/printerdrake.pm:728
+#, c-format
+msgid " on "
+msgstr ""
-#: ../../standalone/drakxtv:1
+#: printer/printerdrake.pm:729 standalone/scannerdrake:130
#, c-format
-msgid "TV norm:"
+msgid ")"
msgstr ""
-#: ../../standalone/harddrake2:1
+#: printer/printerdrake.pm:734 printer/printerdrake.pm:2338
#, c-format
-msgid "Cpuid family"
+msgid "Printer model selection"
msgstr ""
-#: ../../Xconfig/card.pm:1
+#: printer/printerdrake.pm:735 printer/printerdrake.pm:2339
#, c-format
-msgid "32 MB"
+msgid "Which printer model do you have?"
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: printer/printerdrake.pm:736
#, c-format
-msgid "type: thin"
+msgid ""
+"\n"
+"\n"
+"Printerdrake could not determine which model your printer %s is. Please "
+"choose the correct model from the list."
msgstr ""
-#: ../../keyboard.pm:1
+#: printer/printerdrake.pm:739 printer/printerdrake.pm:2344
#, c-format
-msgid "Lithuanian AZERTY (new)"
+msgid ""
+"If your printer is not listed, choose a compatible (see printer manual) or a "
+"similar one."
msgstr ""
-#: ../../standalone/harddrake2:1
-#, fuzzy, c-format
-msgid "yes means the arithmetic coprocessor has an exception vector attached"
-msgstr "ya"
+#: printer/printerdrake.pm:788 printer/printerdrake.pm:3587
+#: printer/printerdrake.pm:3741 printer/printerdrake.pm:4066
+#: printer/printerdrake.pm:4109 printer/printerdrake.pm:4313
+#, c-format
+msgid "Configuring applications..."
+msgstr ""
-#: ../../fsedit.pm:1
+#: printer/printerdrake.pm:824 printer/printerdrake.pm:836
+#: printer/printerdrake.pm:894 printer/printerdrake.pm:1787
+#: printer/printerdrake.pm:3823 printer/printerdrake.pm:4006
#, fuzzy, c-format
-msgid ""
-"You've selected a software RAID partition as root (/).\n"
-"No bootloader is able to handle this without a /boot partition.\n"
-"Please be sure to add a /boot partition"
-msgstr "RAD"
+msgid "Add a new printer"
+msgstr "Tambah"
-#: ../../any.pm:1
+#: printer/printerdrake.pm:825
#, fuzzy, c-format
-msgid "Other OS (MacOS...)"
-msgstr "Lain-lain"
+msgid ""
+"\n"
+"Welcome to the Printer Setup Wizard\n"
+"\n"
+"This wizard allows you to install local or remote printers to be used from "
+"this machine and also from other machines in the network.\n"
+"\n"
+"It asks you for all necessary information to set up the printer and gives "
+"you access to all available printer drivers, driver options, and printer "
+"connection types."
+msgstr "lokal dan dalam dan dan."
-#: ../../mouse.pm:1
+#: printer/printerdrake.pm:838
#, fuzzy, c-format
-msgid "To activate the mouse,"
-msgstr "Kepada"
-
-#: ../../install_interactive.pm:1
-#, c-format
-msgid "Bringing up the network"
+msgid ""
+"\n"
+"Welcome to the Printer Setup Wizard\n"
+"\n"
+"This wizard will help you to install your printer(s) connected to this "
+"computer, connected directly to the network or to a remote Windows machine.\n"
+"\n"
+"Please plug in and turn on all printers connected to this machine so that it/"
+"they can be auto-detected. Also your network printer(s) and your Windows "
+"machines must be connected and turned on.\n"
+"\n"
+"Note that auto-detecting printers on the network takes longer than the auto-"
+"detection of only the printers connected to this machine. So turn off the "
+"auto-detection of network and/or Windows-hosted printers when you don't need "
+"it.\n"
+"\n"
+" Click on \"Next\" when you are ready, and on \"Cancel\" if you do not want "
+"to set up your printer(s) now."
msgstr ""
+"Tetingkap dalam dan on dan Tetingkap dan on on off dan Tetingkap\n"
+" on Berikutnya dan on Batal."
-#: ../../common.pm:1
+#: printer/printerdrake.pm:847
#, fuzzy, c-format
-msgid "Screenshots will be available after install in %s"
-msgstr "dalam"
+msgid ""
+"\n"
+"Welcome to the Printer Setup Wizard\n"
+"\n"
+"This wizard will help you to install your printer(s) connected to this "
+"computer.\n"
+"\n"
+"Please plug in and turn on all printers connected to this machine so that it/"
+"they can be auto-detected.\n"
+"\n"
+" Click on \"Next\" when you are ready, and on \"Cancel\" if you do not want "
+"to set up your printer(s) now."
+msgstr ""
+"dalam dan on\n"
+" on Berikutnya dan on Batal."
-#: ../../help.pm:1
+#: printer/printerdrake.pm:855
#, fuzzy, c-format
msgid ""
-"More than one Microsoft partition has been detected on your hard drive.\n"
-"Please choose which one you want to resize in order to install your new\n"
-"Mandrake Linux operating system.\n"
"\n"
-"Each partition is listed as follows: \"Linux name\", \"Windows name\"\n"
-"\"Capacity\".\n"
-"\n"
-"\"Linux name\" is structured: \"hard drive type\", \"hard drive number\",\n"
-"\"partition number\" (for example, \"hda1\").\n"
+"Welcome to the Printer Setup Wizard\n"
"\n"
-"\"Hard drive type\" is \"hd\" if your hard dive is an IDE hard drive and\n"
-"\"sd\" if it is a SCSI hard drive.\n"
+"This wizard will help you to install your printer(s) connected to this "
+"computer or connected directly to the network.\n"
"\n"
-"\"Hard drive number\" is always a letter after \"hd\" or \"sd\". With IDE\n"
-"hard drives:\n"
+"If you have printer(s) connected to this machine, Please plug it/them in on "
+"this computer and turn it/them on so that it/they can be auto-detected. Also "
+"your network printer(s) must be connected and turned on.\n"
"\n"
-" * \"a\" means \"master hard drive on the primary IDE controller\";\n"
+"Note that auto-detecting printers on the network takes longer than the auto-"
+"detection of only the printers connected to this machine. So turn off the "
+"auto-detection of network printers when you don't need it.\n"
"\n"
-" * \"b\" means \"slave hard drive on the primary IDE controller\";\n"
+" Click on \"Next\" when you are ready, and on \"Cancel\" if you do not want "
+"to set up your printer(s) now."
+msgstr ""
+"dalam on dan on dan on on off\n"
+" on Berikutnya dan on Batal."
+
+#: printer/printerdrake.pm:864
+#, fuzzy, c-format
+msgid ""
"\n"
-" * \"c\" means \"master hard drive on the secondary IDE controller\";\n"
+"Welcome to the Printer Setup Wizard\n"
"\n"
-" * \"d\" means \"slave hard drive on the secondary IDE controller\".\n"
+"This wizard will help you to install your printer(s) connected to this "
+"computer.\n"
"\n"
-"With SCSI hard drives, an \"a\" means \"lowest SCSI ID\", a \"b\" means\n"
-"\"second lowest SCSI ID\", etc.\n"
+"If you have printer(s) connected to this machine, Please plug it/them in on "
+"this computer and turn it/them on so that it/they can be auto-detected.\n"
"\n"
-"\"Windows name\" is the letter of your hard drive under Windows (the first\n"
-"disk or partition is called \"C:\")."
+" Click on \"Next\" when you are ready, and on \"Cancel\" if you do not want "
+"to set up your printer(s) now."
msgstr ""
-"on dalam Tetingkap dan\n"
-" on\n"
-" on\n"
-" on\n"
-" on Tetingkap Tetingkap C."
+"dalam on dan on\n"
+" on Berikutnya dan on Batal."
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:873
+#, c-format
+msgid "Auto-detect printers connected to this machine"
+msgstr ""
+
+#: printer/printerdrake.pm:876
#, fuzzy, c-format
-msgid "Tanzania"
-msgstr "Tanzania"
+msgid "Auto-detect printers connected directly to the local network"
+msgstr "lokal"
-#: ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:879
#, c-format
-msgid "Computing FAT filesystem bounds"
+msgid "Auto-detect printers connected to machines running Microsoft Windows"
msgstr ""
-#: ../../standalone/drakbackup:1
-#, c-format
+#: printer/printerdrake.pm:895
+#, fuzzy, c-format
msgid ""
"\n"
-"Backup Sources: \n"
+"Congratulations, your printer is now installed and configured!\n"
+"\n"
+"You can print using the \"Print\" command of your application (usually in "
+"the \"File\" menu).\n"
+"\n"
+"If you want to add, remove, or rename a printer, or if you want to change "
+"the default option settings (paper input tray, printout quality, ...), "
+"select \"Printer\" in the \"Hardware\" section of the %s Control Center."
+msgstr "dan dalam Fail default dalam Perkakasan."
+
+#: printer/printerdrake.pm:930 printer/printerdrake.pm:1060
+#: printer/printerdrake.pm:1276 printer/printerdrake.pm:1516
+#, c-format
+msgid "Printer auto-detection"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:930
#, c-format
-msgid "custom"
+msgid "Detecting devices..."
msgstr ""
-#: ../../standalone/logdrake:1
+#: printer/printerdrake.pm:952
#, c-format
-msgid "Content of the file"
+msgid ", network printer \"%s\", port %s"
msgstr ""
-#: ../../any.pm:1
+#: printer/printerdrake.pm:954
#, fuzzy, c-format
-msgid "Authentication LDAP"
-msgstr "Pengesahan"
+msgid ", printer \"%s\" on SMB/Windows server \"%s\""
+msgstr "on SMB Tetingkap"
-#: ../../install_steps_gtk.pm:1
+#: printer/printerdrake.pm:958
#, c-format
-msgid "in order to keep %s"
+msgid "Detected %s"
msgstr ""
-#: ../../harddrake/sound.pm:1
+#: printer/printerdrake.pm:962 printer/printerdrake.pm:985
+#: printer/printerdrake.pm:1002
+#, fuzzy, c-format
+msgid "Printer on parallel port #%s"
+msgstr "on"
+
+#: printer/printerdrake.pm:966
+#, fuzzy, c-format
+msgid "Network printer \"%s\", port %s"
+msgstr "Rangkaian"
+
+#: printer/printerdrake.pm:968
+#, fuzzy, c-format
+msgid "Printer \"%s\" on SMB/Windows server \"%s\""
+msgstr "on SMB Tetingkap"
+
+#: printer/printerdrake.pm:1047
#, c-format
-msgid "Let me pick any driver"
+msgid "Local Printer"
msgstr ""
-#: ../../standalone/net_monitor:1
+#: printer/printerdrake.pm:1048
+#, fuzzy, c-format
+msgid ""
+"No local printer found! To manually install a printer enter a device name/"
+"file name in the input line (Parallel Ports: /dev/lp0, /dev/lp1, ..., "
+"equivalent to LPT1:, LPT2:, ..., 1st USB printer: /dev/usb/lp0, 2nd USB "
+"printer: /dev/usb/lp1, ...)."
+msgstr "Tidak lokal Kepada secara manual fail dalam USB USB."
+
+#: printer/printerdrake.pm:1052
+#, fuzzy, c-format
+msgid "You must enter a device or file name!"
+msgstr "fail!"
+
+#: printer/printerdrake.pm:1061
+#, fuzzy, c-format
+msgid "No printer found!"
+msgstr "Tidak!"
+
+#: printer/printerdrake.pm:1069
#, c-format
-msgid "transmitted"
+msgid "Local Printers"
msgstr ""
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:1070
#, c-format
-msgid "Palestine"
+msgid "Available printers"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
-#, fuzzy, c-format
-msgid "RAID md%s\n"
-msgstr "RAD"
-
-#: ../../modules/parameters.pm:1
+#: printer/printerdrake.pm:1074 printer/printerdrake.pm:1083
#, c-format
-msgid "%d comma separated strings"
+msgid "The following printer was auto-detected. "
msgstr ""
-#: ../../network/netconnect.pm:1
+#: printer/printerdrake.pm:1076
+#, fuzzy, c-format
+msgid ""
+"If it is not the one you want to configure, enter a device name/file name in "
+"the input line"
+msgstr "fail dalam"
+
+#: printer/printerdrake.pm:1077
+#, fuzzy, c-format
+msgid ""
+"Alternatively, you can specify a device name/file name in the input line"
+msgstr "fail dalam"
+
+#: printer/printerdrake.pm:1078 printer/printerdrake.pm:1087
#, c-format
-msgid " isdn"
+msgid "Here is a list of all auto-detected printers. "
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: printer/printerdrake.pm:1080
#, fuzzy, c-format
-msgid "Here is the full list of keyboards available"
-msgstr "penuh"
+msgid ""
+"Please choose the printer you want to set up or enter a device name/file "
+"name in the input line"
+msgstr "fail dalam"
-#: ../../standalone/draksplash:1
+#: printer/printerdrake.pm:1081
#, fuzzy, c-format
-msgid "Theme name"
-msgstr "Tema"
+msgid ""
+"Please choose the printer to which the print jobs should go or enter a "
+"device name/file name in the input line"
+msgstr "fail dalam"
-#: ../../standalone/harddrake2:1 ../../standalone/logdrake:1
-#: ../../standalone/printerdrake:1
+#: printer/printerdrake.pm:1085
#, fuzzy, c-format
-msgid "/_Help"
-msgstr "/_Bantuan"
+msgid ""
+"The configuration of the printer will work fully automatically. If your "
+"printer was not correctly detected or if you prefer a customized printer "
+"configuration, turn on \"Manual configuration\"."
+msgstr "on."
-#: ../../harddrake/sound.pm:1
+#: printer/printerdrake.pm:1086
+#, fuzzy, c-format
+msgid "Currently, no alternative possibility is available"
+msgstr "tidak"
+
+#: printer/printerdrake.pm:1089
+#, fuzzy, c-format
+msgid ""
+"Please choose the printer you want to set up. The configuration of the "
+"printer will work fully automatically. If your printer was not correctly "
+"detected or if you prefer a customized printer configuration, turn on "
+"\"Manual configuration\"."
+msgstr "on."
+
+#: printer/printerdrake.pm:1090
#, c-format
-msgid "Choosing an arbitrary driver"
+msgid "Please choose the printer to which the print jobs should go."
msgstr ""
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:1092
#, fuzzy, c-format
-msgid "Cook Islands"
-msgstr "Kepulauan Cook"
+msgid ""
+"Please choose the port that your printer is connected to or enter a device "
+"name/file name in the input line"
+msgstr "fail dalam"
+
+#: printer/printerdrake.pm:1093
+#, c-format
+msgid "Please choose the port that your printer is connected to."
+msgstr ""
-#: ../../standalone/scannerdrake:1
+#: printer/printerdrake.pm:1095
#, fuzzy, c-format
msgid ""
-"Here you can choose whether the scanners connected to this machine should be "
-"accessable by remote machines and by which remote machines."
-msgstr "dan."
+" (Parallel Ports: /dev/lp0, /dev/lp1, ..., equivalent to LPT1:, LPT2:, ..., "
+"1st USB printer: /dev/usb/lp0, 2nd USB printer: /dev/usb/lp1, ...)."
+msgstr "USB USB."
-#: ../../standalone/draksplash:1
+#: printer/printerdrake.pm:1099
#, c-format
-msgid "the width of the progress bar"
+msgid "You must choose/enter a printer/device!"
msgstr ""
-#: ../../fs.pm:1
+#: printer/printerdrake.pm:1168
#, fuzzy, c-format
-msgid "Formatting partition %s"
-msgstr "Memformat"
+msgid "Remote lpd Printer Options"
+msgstr "lpd"
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:1169
#, fuzzy, c-format
-msgid "Hostname required"
-msgstr "Namahos"
+msgid ""
+"To use a remote lpd printer, you need to supply the hostname of the printer "
+"server and the printer name on that server."
+msgstr "Kepada lpd dan on."
-#: ../../standalone/drakfont:1
+#: printer/printerdrake.pm:1170
#, c-format
-msgid "Unselect fonts installed"
+msgid "Remote host name"
msgstr ""
-#: ../../mouse.pm:1
+#: printer/printerdrake.pm:1171
#, c-format
-msgid "Wheel"
+msgid "Remote printer name"
msgstr ""
-#: ../../standalone/drakbug:1
+#: printer/printerdrake.pm:1174
#, c-format
-msgid "Submit kernel version"
+msgid "Remote host name missing!"
msgstr ""
-#: ../../any.pm:1 ../../help.pm:1 ../../install_steps_gtk.pm:1
-#: ../../install_steps_interactive.pm:1 ../../interactive.pm:1
-#: ../../ugtk2.pm:1 ../../Xconfig/resolution_and_depth.pm:1
-#: ../../diskdrake/smbnfs_gtk.pm:1 ../../interactive/gtk.pm:1
-#: ../../interactive/http.pm:1 ../../interactive/newt.pm:1
-#: ../../interactive/stdio.pm:1 ../../printer/printerdrake.pm:1
-#: ../../standalone/drakautoinst:1 ../../standalone/drakbackup:1
-#: ../../standalone/drakboot:1 ../../standalone/drakconnect:1
-#: ../../standalone/drakfloppy:1 ../../standalone/drakfont:1
-#: ../../standalone/drakperm:1 ../../standalone/draksec:1
-#: ../../standalone/logdrake:1 ../../standalone/mousedrake:1
-#: ../../standalone/net_monitor:1
-#, fuzzy, c-format
-msgid "Cancel"
-msgstr "Batal"
+#: printer/printerdrake.pm:1178
+#, c-format
+msgid "Remote printer name missing!"
+msgstr ""
-#: ../../standalone/scannerdrake:1
+#: printer/printerdrake.pm:1200 printer/printerdrake.pm:1714
+#: standalone/drakTermServ:442 standalone/drakTermServ:725
+#: standalone/drakTermServ:741 standalone/drakTermServ:1332
+#: standalone/drakTermServ:1340 standalone/drakTermServ:1351
+#: standalone/drakbackup:767 standalone/drakbackup:874
+#: standalone/drakbackup:908 standalone/drakbackup:1027
+#: standalone/drakbackup:1891 standalone/drakbackup:1895
+#: standalone/drakconnect:254 standalone/drakconnect:283
+#: standalone/drakconnect:512 standalone/drakconnect:516
+#: standalone/drakconnect:540 standalone/harddrake2:159
#, fuzzy, c-format
-msgid "Searching for configured scanners ..."
-msgstr "Mencari."
+msgid "Information"
+msgstr "Maklumat"
-#: ../../harddrake/data.pm:1
+#: printer/printerdrake.pm:1200 printer/printerdrake.pm:1714
#, c-format
-msgid "Videocard"
+msgid "Detected model: %s %s"
+msgstr ""
+
+#: printer/printerdrake.pm:1276 printer/printerdrake.pm:1516
+#, c-format
+msgid "Scanning network..."
msgstr ""
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:1287 printer/printerdrake.pm:1308
#, fuzzy, c-format
-msgid "\tBackups use tar and bzip2\n"
-msgstr "dan"
+msgid ", printer \"%s\" on server \"%s\""
+msgstr "on"
-#: ../../standalone/drakbackup:1 ../../standalone/drakfont:1
+#: printer/printerdrake.pm:1290 printer/printerdrake.pm:1311
#, fuzzy, c-format
-msgid "Remove Selected"
-msgstr "Buang"
+msgid "Printer \"%s\" on server \"%s\""
+msgstr "on"
-#: ../../standalone/harddrake2:1
-#, c-format
-msgid "/Autodetect _modems"
-msgstr ""
+#: printer/printerdrake.pm:1332
+#, fuzzy, c-format
+msgid "SMB (Windows 9x/NT) Printer Options"
+msgstr "SMB Tetingkap"
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:1333
#, fuzzy, c-format
-msgid "Remove printer"
-msgstr "Buang"
+msgid ""
+"To print to a SMB printer, you need to provide the SMB host name (Note! It "
+"may be different from its TCP/IP hostname!) and possibly the IP address of "
+"the print server, as well as the share name for the printer you wish to "
+"access and any applicable user name, password, and workgroup information."
+msgstr "Kepada SMB SMB IP dan IP dan pengguna dan."
+
+#: printer/printerdrake.pm:1334
+#, fuzzy, c-format
+msgid ""
+" If the desired printer was auto-detected, simply choose it from the list "
+"and then add user name, password, and/or workgroup if needed."
+msgstr "dan pengguna dan."
+
+#: printer/printerdrake.pm:1336
+#, fuzzy, c-format
+msgid "SMB server host"
+msgstr "SMB"
+
+#: printer/printerdrake.pm:1337
+#, fuzzy, c-format
+msgid "SMB server IP"
+msgstr "SMB"
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:1338
+#, fuzzy, c-format
+msgid "Share name"
+msgstr "Kongsi"
+
+#: printer/printerdrake.pm:1341
+#, fuzzy, c-format
+msgid "Workgroup"
+msgstr "Kumpulankerja"
+
+#: printer/printerdrake.pm:1343
#, c-format
-msgid "View Last Log"
+msgid "Auto-detected"
msgstr ""
-#: ../../network/drakfirewall.pm:1
+#: printer/printerdrake.pm:1353
#, fuzzy, c-format
-msgid "Which services would you like to allow the Internet to connect to?"
-msgstr "Internet?"
+msgid "Either the server name or the server's IP must be given!"
+msgstr "IP!"
+
+#: printer/printerdrake.pm:1357
+#, c-format
+msgid "Samba share name missing!"
+msgstr ""
-#: ../../standalone/printerdrake:1
+#: printer/printerdrake.pm:1363
#, fuzzy, c-format
-msgid "Connection Type"
-msgstr "Jenis Perhubungan:"
+msgid "SECURITY WARNING!"
+msgstr "AMARAN!"
-#: ../../standalone/logdrake:1
+#: printer/printerdrake.pm:1364
#, fuzzy, c-format
msgid ""
-"Welcome to the mail configuration utility.\n"
+"You are about to set up printing to a Windows account with password. Due to "
+"a fault in the architecture of the Samba client software the password is put "
+"in clear text into the command line of the Samba client used to transmit the "
+"print job to the Windows server. So it is possible for every user on this "
+"machine to display the password on the screen by issuing commands as \"ps "
+"auxwww\".\n"
"\n"
-"Here, you'll be able to set up the alert system.\n"
-msgstr "Selamat Datang"
+"We recommend to make use of one of the following alternatives (in all cases "
+"you have to make sure that only machines from your local network have access "
+"to your Windows server, for example by means of a firewall):\n"
+"\n"
+"Use a password-less account on your Windows server, as the \"GUEST\" account "
+"or a special account dedicated for printing. Do not remove the password "
+"protection from a personal account or the administrator account.\n"
+"\n"
+"Set up your Windows server to make the printer available under the LPD "
+"protocol. Then set up printing from this machine with the \"%s\" connection "
+"type in Printerdrake.\n"
+"\n"
+msgstr ""
+"Tetingkap dalam dalam Tetingkap pengguna on on dalam lokal Tetingkap on "
+"Tetingkap Tetingkap dalam"
-#: ../../install_steps_gtk.pm:1 ../../mouse.pm:1 ../../services.pm:1
-#: ../../diskdrake/hd_gtk.pm:1 ../../standalone/drakbackup:1
-#: ../../standalone/drakperm:1
+#: printer/printerdrake.pm:1374
#, fuzzy, c-format
-msgid "Other"
-msgstr "Lain-lain"
+msgid ""
+"Set up your Windows server to make the printer available under the IPP "
+"protocol and set up printing from this machine with the \"%s\" connection "
+"type in Printerdrake.\n"
+"\n"
+msgstr "Tetingkap dan dalam"
-#: ../../any.pm:1 ../../harddrake/v4l.pm:1 ../../standalone/drakfloppy:1
+#: printer/printerdrake.pm:1377
#, fuzzy, c-format
-msgid "Default"
-msgstr "Default"
+msgid ""
+"Connect your printer to a Linux server and let your Windows machine(s) "
+"connect to it as a client.\n"
+"\n"
+"Do you really want to continue setting up this printer as you are doing now?"
+msgstr "Sambung dan Tetingkap?"
-#: ../../install_steps_interactive.pm:1
+#: printer/printerdrake.pm:1449
#, c-format
-msgid "Button 2 Emulation"
+msgid "NetWare Printer Options"
msgstr ""
-#: ../../standalone/drakbug:1
+#: printer/printerdrake.pm:1450
#, fuzzy, c-format
-msgid "Please enter a package name."
-msgstr "pengguna"
+msgid ""
+"To print on a NetWare printer, you need to provide the NetWare print server "
+"name (Note! it may be different from its TCP/IP hostname!) as well as the "
+"print queue name for the printer you wish to access and any applicable user "
+"name and password."
+msgstr "Kepada on IP dan pengguna dan."
-#: ../../security/l10n.pm:1
+#: printer/printerdrake.pm:1451
#, c-format
-msgid "Run chkrootkit checks"
+msgid "Printer Server"
msgstr ""
-#: ../../standalone/drakfont:1
+#: printer/printerdrake.pm:1452
+#, fuzzy, c-format
+msgid "Print Queue Name"
+msgstr "Giliran"
+
+#: printer/printerdrake.pm:1457
#, c-format
-msgid "type1inst building"
+msgid "NCP server name missing!"
msgstr ""
-#: ../../standalone/drakfont:1
+#: printer/printerdrake.pm:1461
#, c-format
-msgid "Abiword"
+msgid "NCP queue name missing!"
msgstr ""
-#: ../../standalone/draksplash:1
+#: printer/printerdrake.pm:1527 printer/printerdrake.pm:1547
#, c-format
-msgid "choose image file"
+msgid ", host \"%s\", port %s"
msgstr ""
-#: ../../Xconfig/card.pm:1
+#: printer/printerdrake.pm:1530 printer/printerdrake.pm:1550
+#, fuzzy, c-format
+msgid "Host \"%s\", port %s"
+msgstr "Hos"
+
+#: printer/printerdrake.pm:1571
#, c-format
-msgid "X server"
+msgid "TCP/Socket Printer Options"
msgstr ""
-#: ../../any.pm:1
+#: printer/printerdrake.pm:1573
#, fuzzy, c-format
-msgid "Domain Admin User Name"
-msgstr "Domain Pengguna"
+msgid ""
+"Choose one of the auto-detected printers from the list or enter the hostname "
+"or IP and the optional port number (default is 9100) in the input fields."
+msgstr "IP dan default dalam."
-#: ../../standalone/drakxtv:1
+#: printer/printerdrake.pm:1574
#, fuzzy, c-format
-msgid "There was an error while scanning for TV channels"
-msgstr "ralat"
+msgid ""
+"To print to a TCP or socket printer, you need to provide the host name or IP "
+"of the printer and optionally the port number (default is 9100). On HP "
+"JetDirect servers the port number is usually 9100, on other servers it can "
+"vary. See the manual of your hardware."
+msgstr "Kepada soket IP dan default on."
-#: ../../keyboard.pm:1
+#: printer/printerdrake.pm:1578
+#, fuzzy, c-format
+msgid "Printer host name or IP missing!"
+msgstr "IP!"
+
+#: printer/printerdrake.pm:1601
#, c-format
-msgid "US keyboard (international)"
+msgid "Printer host name or IP"
msgstr ""
-#: ../../standalone/drakbug:1
+#: printer/printerdrake.pm:1649 printer/printerdrake.pm:1651
+#, fuzzy, c-format
+msgid "Printer Device URI"
+msgstr "Peranti RAID"
+
+#: printer/printerdrake.pm:1650
#, c-format
-msgid "Not installed"
+msgid ""
+"You can specify directly the URI to access the printer. The URI must fulfill "
+"either the CUPS or the Foomatic specifications. Note that not all URI types "
+"are supported by all the spoolers."
msgstr ""
-#: ../../keyboard.pm:1
+#: printer/printerdrake.pm:1668
#, fuzzy, c-format
-msgid "Both Alt keys simultaneously"
-msgstr "Alt"
+msgid "A valid URI must be entered!"
+msgstr "A!"
-#: ../../network/netconnect.pm:1
+#: printer/printerdrake.pm:1749
#, c-format
-msgid "LAN connection"
+msgid "Pipe into command"
msgstr ""
-#: ../../standalone/logdrake:1
-#, fuzzy, c-format
-msgid "/File/-"
-msgstr "Fail"
+#: printer/printerdrake.pm:1750
+#, c-format
+msgid ""
+"Here you can specify any arbitrary command line into which the job should be "
+"piped instead of being sent directly to a printer."
+msgstr ""
-#: ../../keyboard.pm:1
+#: printer/printerdrake.pm:1751
#, fuzzy, c-format
-msgid "Italian"
-msgstr "Itali"
+msgid "Command line"
+msgstr "Arahan"
-#: ../../interactive.pm:1
+#: printer/printerdrake.pm:1755
#, fuzzy, c-format
-msgid "Basic"
-msgstr "Asas"
+msgid "A command line must be entered!"
+msgstr "A!"
-#: ../../install_messages.pm:1
+#: printer/printerdrake.pm:1788
#, c-format
-msgid "http://www.mandrakelinux.com/en/92errata.php3"
+msgid ""
+"Is your printer a multi-function device from HP or Sony (OfficeJet, PSC, "
+"LaserJet 1100/1200/1220/3200/3300 with scanner, DeskJet 450, Sony IJP-V100), "
+"an HP PhotoSmart or an HP LaserJet 2200?"
msgstr ""
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:1801
+#, c-format
+msgid "Installing HPOJ package..."
+msgstr ""
+
+#: printer/printerdrake.pm:1809 printer/printerdrake.pm:1893
#, fuzzy, c-format
-msgid "Honduras"
-msgstr "Honduras"
+msgid "Checking device and configuring HPOJ..."
+msgstr "dan."
-#: ../../help.pm:1
+#: printer/printerdrake.pm:1831
#, c-format
-msgid "pdq"
+msgid "Installing SANE packages..."
msgstr ""
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: printer/printerdrake.pm:1858
#, c-format
-msgid "Card IO"
+msgid "Installing mtools packages..."
msgstr ""
-#: ../../network/drakfirewall.pm:1
+#: printer/printerdrake.pm:1873
#, fuzzy, c-format
-msgid "Samba server"
-msgstr "Pengguna Samba"
+msgid "Scanning on your HP multi-function device"
+msgstr "on"
-#: ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:1881
+#, fuzzy, c-format
+msgid "Photo memory card access on your HP multi-function device"
+msgstr "on"
+
+#: printer/printerdrake.pm:1930
#, c-format
-msgid ""
-"\n"
-"This special Bootstrap\n"
-"partition is for\n"
-"dual-booting your system.\n"
+msgid "Making printer port available for CUPS..."
msgstr ""
-#: ../../standalone/drakautoinst:1
+#: printer/printerdrake.pm:1939 printer/printerdrake.pm:2183
+#: printer/printerdrake.pm:2327
+#, fuzzy, c-format
+msgid "Reading printer database..."
+msgstr "Membaca."
+
+#: printer/printerdrake.pm:2149
+#, fuzzy, c-format
+msgid "Enter Printer Name and Comments"
+msgstr "Enter Nama dan"
+
+#: printer/printerdrake.pm:2153 printer/printerdrake.pm:3241
+#, fuzzy, c-format
+msgid "Name of printer should contain only letters, numbers and the underscore"
+msgstr "Nama dan"
+
+#: printer/printerdrake.pm:2159 printer/printerdrake.pm:3246
#, c-format
msgid ""
-"Please choose for each step whether it will replay like your install, or it "
-"will be manual"
+"The printer \"%s\" already exists,\n"
+"do you really want to overwrite its configuration?"
msgstr ""
-#: ../../standalone/scannerdrake:1
+#: printer/printerdrake.pm:2168
#, fuzzy, c-format
msgid ""
-"You can also decide here whether scanners on remote machines should be made "
-"available on this machine."
-msgstr "on on."
+"Every printer needs a name (for example \"printer\"). The Description and "
+"Location fields do not need to be filled in. They are comments for the users."
+msgstr "Huraian dan Lokasi dalam."
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:2169
#, fuzzy, c-format
-msgid "\t-Network by FTP.\n"
-msgstr "Rangkaian FTP"
+msgid "Name of printer"
+msgstr "Nama"
-#: ../../security/l10n.pm:1
-#, c-format
-msgid "Reports check result to tty"
-msgstr ""
+#: printer/printerdrake.pm:2170 standalone/drakconnect:521
+#: standalone/harddrake2:40 standalone/printerdrake:212
+#: standalone/printerdrake:219
+#, fuzzy, c-format
+msgid "Description"
+msgstr "Huraian"
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:2171 standalone/printerdrake:212
+#: standalone/printerdrake:219
#, fuzzy, c-format
-msgid "You must enter a device or file name!"
-msgstr "fail!"
+msgid "Location"
+msgstr "Lokasi"
-#: ../../standalone/harddrake2:1 ../../standalone/printerdrake:1
+#: printer/printerdrake.pm:2188
#, c-format
-msgid "/_Quit"
+msgid "Preparing printer database..."
msgstr ""
-#: ../../Xconfig/various.pm:1
-#, fuzzy, c-format
-msgid "Graphics memory: %s kB\n"
-msgstr "Grafik"
+#: printer/printerdrake.pm:2306
+#, c-format
+msgid "Your printer model"
+msgstr ""
-#: ../../standalone.pm:1
+#: printer/printerdrake.pm:2307
#, fuzzy, c-format
msgid ""
-"This program is free software; you can redistribute it and/or modify\n"
-"it under the terms of the GNU General Public License as published by\n"
-"the Free Software Foundation; either version 2, or (at your option)\n"
-"any later version.\n"
+"Printerdrake has compared the model name resulting from the printer auto-"
+"detection with the models listed in its printer database to find the best "
+"match. This choice can be wrong, especially when your printer is not listed "
+"at all in the database. So check whether the choice is correct and click "
+"\"The model is correct\" if so and if not, click \"Select model manually\" "
+"so that you can choose your printer model manually on the next screen.\n"
"\n"
-"This program is distributed in the hope that it will be useful,\n"
-"but WITHOUT ANY WARRANTY; without even the implied warranty of\n"
-"MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n"
-"GNU General Public License for more details.\n"
+"For your printer Printerdrake has found:\n"
"\n"
-"You should have received a copy of the GNU General Public License\n"
-"along with this program; if not, write to the Free Software\n"
-"Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.\n"
-msgstr "dan Umum Bebas dalam A Umum Umum Bebas"
+"%s"
+msgstr "dalam dalam dan dan secara manual secara manual on"
-#: ../../any.pm:1
+#: printer/printerdrake.pm:2312 printer/printerdrake.pm:2315
#, c-format
-msgid "access to compilation tools"
+msgid "The model is correct"
msgstr ""
-#: ../../standalone/net_monitor:1
+#: printer/printerdrake.pm:2313 printer/printerdrake.pm:2314
+#: printer/printerdrake.pm:2317
#, c-format
-msgid "Global statistics"
+msgid "Select model manually"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:2340
+#, fuzzy, c-format
+msgid ""
+"\n"
+"\n"
+"Please check whether Printerdrake did the auto-detection of your printer "
+"model correctly. Find the correct model in the list when a wrong model or "
+"\"Raw printer\" is highlighted."
+msgstr "Cari dalam."
+
+#: printer/printerdrake.pm:2359
#, c-format
-msgid "Please select data to restore..."
+msgid "Install a manufacturer-supplied PPD file"
msgstr ""
-#: ../../diskdrake/hd_gtk.pm:1
+#: printer/printerdrake.pm:2390
#, c-format
msgid ""
-"If you plan to use aboot, be carefull to leave a free space (2048 sectors is "
-"enough)\n"
-"at the beginning of the disk"
+"Every PostScript printer is delivered with a PPD file which describes the "
+"printer's options and features."
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:2391
#, c-format
-msgid "Standard test page"
+msgid ""
+"This file is usually somewhere on the CD with the Windows and Mac drivers "
+"delivered with the printer."
msgstr ""
-#: ../../standalone/drakclock:1
-#, fuzzy, c-format
-msgid "Time Zone"
-msgstr "Tema"
+#: printer/printerdrake.pm:2392
+#, c-format
+msgid "You can find the PPD files also on the manufacturer's web sites."
+msgstr ""
-#: ../../diskdrake/hd_gtk.pm:1 ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:2393
#, c-format
-msgid "Create"
+msgid ""
+"If you have Windows installed on your machine, you can find the PPD file on "
+"your Windows partition, too."
msgstr ""
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:2394
#, c-format
-msgid "What"
+msgid ""
+"Installing the printer's PPD file and using it when setting up the printer "
+"makes all options of the printer available which are provided by the "
+"printer's hardware"
msgstr ""
-#: ../../install_steps_gtk.pm:1 ../../install_steps_interactive.pm:1
+#: printer/printerdrake.pm:2395
+#, c-format
+msgid ""
+"Here you can choose the PPD file to be installed on your machine, it will "
+"then be used for the setup of your printer."
+msgstr ""
+
+#: printer/printerdrake.pm:2397
#, fuzzy, c-format
-msgid "There was an error ordering packages:"
-msgstr "ralat:"
+msgid "Install PPD file from"
+msgstr "Install"
+
+#: printer/printerdrake.pm:2399 printer/printerdrake.pm:2406
+#: standalone/scannerdrake:174 standalone/scannerdrake:182
+#: standalone/scannerdrake:233 standalone/scannerdrake:240
+#, fuzzy, c-format
+msgid "CD-ROM"
+msgstr "pada CDROM"
-#: ../../keyboard.pm:1
+#: printer/printerdrake.pm:2400 printer/printerdrake.pm:2408
+#: standalone/scannerdrake:175 standalone/scannerdrake:184
+#: standalone/scannerdrake:234 standalone/scannerdrake:242
#, c-format
-msgid "Bulgarian (BDS)"
+msgid "Floppy Disk"
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: printer/printerdrake.pm:2401 printer/printerdrake.pm:2410
+#: standalone/scannerdrake:176 standalone/scannerdrake:186
+#: standalone/scannerdrake:235 standalone/scannerdrake:244
+#, fuzzy, c-format
+msgid "Other place"
+msgstr "Liang Lain"
+
+#: printer/printerdrake.pm:2416
+#, fuzzy, c-format
+msgid "Select PPD file"
+msgstr "Padam"
+
+#: printer/printerdrake.pm:2420
#, c-format
-msgid "Disable Server"
+msgid "The PPD file %s does not exist or is unreadable!"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:2426
#, c-format
-msgid "Filesystem encryption key"
+msgid "The PPD file %s does not conform with the PPD specifications!"
msgstr ""
-#: ../../keyboard.pm:1
+#: printer/printerdrake.pm:2437
+#, fuzzy, c-format
+msgid "Installing PPD file..."
+msgstr "Tema!"
+
+#: printer/printerdrake.pm:2539
#, c-format
-msgid "Gujarati"
+msgid "OKI winprinter configuration"
msgstr ""
-#: ../../standalone/drakTermServ:1
-#, c-format
+#: printer/printerdrake.pm:2540
+#, fuzzy, c-format
msgid ""
-" While you can use a pool of IP addresses, rather than setup a "
-"specific entry for\n"
-" a client machine, using a fixed address scheme facilitates using the "
-"functionality\n"
-" of client-specific configuration files that ClusterNFS provides.\n"
-"\t\t\t\n"
-" Note: The '#type' entry is only used by drakTermServ. Clients can "
-"either be 'thin'\n"
-" or 'fat'. Thin clients run most software on the server via xdmcp, "
-"while fat clients run \n"
-" most software on the client machine. A special inittab, %s is\n"
-" written for thin clients. System config files xdm-config, kdmrc, and "
-"gdm.conf are \n"
-" modified if thin clients are used, to enable xdmcp. Since there are "
-"security issues in \n"
-" using xdmcp, hosts.deny and hosts.allow are modified to limit access "
-"to the local\n"
-" subnet.\n"
-"\t\t\t\n"
-" Note: The '#hdw_config' entry is also only used by drakTermServ. "
-"Clients can either \n"
-" be 'true' or 'false'. 'true' enables root login at the client "
-"machine and allows local \n"
-" hardware configuration of sound, mouse, and X, using the 'drak' "
-"tools. This is enabled \n"
-" by creating separate config files associated with the client's IP "
-"address and creating \n"
-" read/write mount points to allow the client to alter the file. Once "
-"you are satisfied \n"
-" with the configuration, you can remove root login privileges from "
-"the client.\n"
-"\t\t\t\n"
-" Note: You must stop/start the server after adding or changing "
-"clients."
+"You are configuring an OKI laser winprinter. These printers\n"
+"use a very special communication protocol and therefore they work only when "
+"connected to the first parallel port. When your printer is connected to "
+"another port or to a print server box please connect the printer to the "
+"first parallel port before you print a test page. Otherwise the printer will "
+"not work. Your connection type setting will be ignored by the driver."
+msgstr "dan."
+
+#: printer/printerdrake.pm:2564 printer/printerdrake.pm:2593
+#, c-format
+msgid "Lexmark inkjet configuration"
msgstr ""
-#: ../../interactive/stdio.pm:1
+#: printer/printerdrake.pm:2565
#, fuzzy, c-format
msgid ""
-"Please choose the first number of the 10-range you wish to edit,\n"
-"or just hit Enter to proceed.\n"
-"Your choice? "
-msgstr "Enter "
+"The inkjet printer drivers provided by Lexmark only support local printers, "
+"no printers on remote machines or print server boxes. Please connect your "
+"printer to a local port or configure it on the machine where it is connected "
+"to."
+msgstr "lokal tidak on lokal on."
-#: ../../standalone/drakTermServ:1
+#: printer/printerdrake.pm:2594
#, fuzzy, c-format
msgid ""
-"\n"
-" Copyright (C) 2002 by MandrakeSoft \n"
-"\tStew Benedict sbenedict@mandrakesoft.com\n"
-"\n"
+"To be able to print with your Lexmark inkjet and this configuration, you "
+"need the inkjet printer drivers provided by Lexmark (http://www.lexmark."
+"com/). Click on the \"Drivers\" link. Then choose your model and afterwards "
+"\"Linux\" as operating system. The drivers come as RPM packages or shell "
+"scripts with interactive graphical installation. You do not need to do this "
+"configuration by the graphical frontends. Cancel directly after the license "
+"agreement. Then print printhead alignment pages with \"lexmarkmaintain\" and "
+"adjust the head alignment settings with this program."
+msgstr "Kepada danhttp://www.lexmark.com/ on dan Batal dan."
+
+#: printer/printerdrake.pm:2597
+#, c-format
+msgid "Firmware-Upload for HP LaserJet 1000"
msgstr ""
-"\n"
-" C"
-#: ../../standalone/draksplash:1
+#: printer/printerdrake.pm:2710
#, fuzzy, c-format
-msgid "Save theme"
-msgstr "Simpan"
+msgid ""
+"Printer default settings\n"
+"\n"
+"You should make sure that the page size and the ink type/printing mode (if "
+"available) and also the hardware configuration of laser printers (memory, "
+"duplex unit, extra trays) are set correctly. Note that with a very high "
+"printout quality/resolution printing can get substantially slower."
+msgstr "default dan dan."
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:2835
#, fuzzy, c-format
-msgid "Brazil"
-msgstr "Brazil"
+msgid "Printer default settings"
+msgstr "default"
-#: ../../standalone/drakautoinst:1
+#: printer/printerdrake.pm:2842
#, c-format
-msgid "Auto Install"
+msgid "Option %s must be an integer number!"
msgstr ""
-#: ../../network/isdn.pm:1 ../../network/netconnect.pm:1
-#, fuzzy, c-format
-msgid "Network Configuration Wizard"
-msgstr "Rangkaian Konfigurasikan"
-
-#: ../../help.pm:1 ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:2846
#, c-format
-msgid "Removable media automounting"
+msgid "Option %s must be a number!"
msgstr ""
-#: ../../services.pm:1
+#: printer/printerdrake.pm:2850
#, fuzzy, c-format
-msgid "Printing"
-msgstr "Cetakan"
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Enter the directory to save:"
-msgstr "Enter direktori:"
+msgid "Option %s out of range!"
+msgstr "keluar!"
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:2901
#, fuzzy, c-format
msgid ""
-"There are no printers found which are directly connected to your machine"
-msgstr "tidak"
+"Do you want to set this printer (\"%s\")\n"
+"as the default printer?"
+msgstr "default?"
-#: ../../diskdrake/interactive.pm:1
-#, c-format
-msgid "Create a new partition"
-msgstr ""
+#: printer/printerdrake.pm:2916
+#, fuzzy, c-format
+msgid "Test pages"
+msgstr "Ujian"
-#: ../../harddrake/sound.pm:1
+#: printer/printerdrake.pm:2917
#, fuzzy, c-format
-msgid "Driver:"
-msgstr "Jurupacu:"
+msgid ""
+"Please select the test pages you want to print.\n"
+"Note: the photo test page can take a rather long time to get printed and on "
+"laser printers with too low memory it can even not come out. In most cases "
+"it is enough to print the standard test page."
+msgstr "dan on keluar Masuk."
-#: ../../standalone/harddrake2:1
+#: printer/printerdrake.pm:2921
#, fuzzy, c-format
-msgid "unknown"
-msgstr "tidak diketahui"
+msgid "No test pages"
+msgstr "Tidak"
-#: ../../install_interactive.pm:1
+#: printer/printerdrake.pm:2922
#, c-format
-msgid "Use fdisk"
+msgid "Print"
msgstr ""
-#: ../../mouse.pm:1
+#: printer/printerdrake.pm:2947
#, c-format
-msgid "MOVE YOUR WHEEL!"
+msgid "Standard test page"
msgstr ""
-#: ../../standalone/net_monitor:1
+#: printer/printerdrake.pm:2950
#, c-format
-msgid "sent: "
+msgid "Alternative test page (Letter)"
msgstr ""
-#: ../../network/network.pm:1
+#: printer/printerdrake.pm:2953
+#, fuzzy, c-format
+msgid "Alternative test page (A4)"
+msgstr "A4"
+
+#: printer/printerdrake.pm:2955
#, c-format
-msgid "Automatic IP"
+msgid "Photo test page"
msgstr ""
-#: ../../help.pm:1
+#: printer/printerdrake.pm:2959
+#, c-format
+msgid "Do not print any test page"
+msgstr ""
+
+#: printer/printerdrake.pm:2967 printer/printerdrake.pm:3123
+#, fuzzy, c-format
+msgid "Printing test page(s)..."
+msgstr "Cetakan."
+
+#: printer/printerdrake.pm:2992
#, fuzzy, c-format
msgid ""
-"There you are. Installation is now complete and your GNU/Linux system is\n"
-"ready to use. Just click \"%s\" to reboot the system. The first thing you\n"
-"should see after your computer has finished doing its hardware tests is the\n"
-"bootloader menu, giving you the choice of which operating system to start.\n"
-"\n"
-"The \"%s\" button shows two more buttons to:\n"
-"\n"
-" * \"%s\": to create an installation floppy disk that will automatically\n"
-"perform a whole installation without the help of an operator, similar to\n"
-"the installation you just configured.\n"
-"\n"
-" Note that two different options are available after clicking the button:\n"
-"\n"
-" * \"%s\". This is a partially automated installation. The partitioning\n"
-"step is the only interactive procedure.\n"
-"\n"
-" * \"%s\". Fully automated installation: the hard disk is completely\n"
-"rewritten, all data is lost.\n"
-"\n"
-" This feature is very handy when installing a number of similar machines.\n"
-"See the Auto install section on our web site for more information.\n"
-"\n"
-" * \"%s\"(*): saves a list of the packages selected in this installation.\n"
-"To use this selection with another installation, insert the floppy and\n"
-"start the installation. At the prompt, press the [F1] key and type >>linux\n"
-"defcfg=\"floppy\" <<.\n"
-"\n"
-"(*) You need a FAT-formatted floppy (to create one under GNU/Linux, type\n"
-"\"mformat a:\")"
-msgstr ""
-"dan mula\n"
-"\n"
-"\n"
-"\n"
+"Test page(s) have been sent to the printer.\n"
+"It may take some time before the printer starts.\n"
+"Printing status:\n"
+"%s\n"
"\n"
-" on\n"
-" dalam dan dan"
+msgstr "Ujian"
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:2996
#, fuzzy, c-format
-msgid "Moldova"
-msgstr "Moldova"
+msgid ""
+"Test page(s) have been sent to the printer.\n"
+"It may take some time before the printer starts.\n"
+msgstr "Ujian"
-#: ../../mouse.pm:1
+#: printer/printerdrake.pm:3003
#, c-format
-msgid "Kensington Thinking Mouse"
+msgid "Did it work properly?"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:3024 printer/printerdrake.pm:4192
+#, c-format
+msgid "Raw printer"
+msgstr ""
+
+#: printer/printerdrake.pm:3054
#, fuzzy, c-format
-msgid "Configuration of a remote printer"
-msgstr "Konfigurasikan"
+msgid ""
+"To print a file from the command line (terminal window) you can either use "
+"the command \"%s <file>\" or a graphical printing tool: \"xpp <file>\" or "
+"\"kprinter <file>\". The graphical tools allow you to choose the printer and "
+"to modify the option settings easily.\n"
+msgstr "Kepada fail<file><file><file> dan"
+
+#: printer/printerdrake.pm:3056
+#, fuzzy, c-format
+msgid ""
+"These commands you can also use in the \"Printing command\" field of the "
+"printing dialogs of many applications, but here do not supply the file name "
+"because the file to print is provided by the application.\n"
+msgstr "dalam Cetakan fail fail"
-#: ../advertising/13-mdkexpert_corporate.pl:1
+#: printer/printerdrake.pm:3059 printer/printerdrake.pm:3076
+#: printer/printerdrake.pm:3086
#, c-format
-msgid "An online platform to respond to enterprise support needs."
+msgid ""
+"\n"
+"The \"%s\" command also allows to modify the option settings for a "
+"particular printing job. Simply add the desired settings to the command "
+"line, e. g. \"%s <file>\". "
msgstr ""
-#: ../../network/network.pm:1
+#: printer/printerdrake.pm:3062 printer/printerdrake.pm:3102
#, fuzzy, c-format
-msgid "URL should begin with 'ftp:' or 'http:'"
-msgstr "URL"
+msgid ""
+"To know about the options available for the current printer read either the "
+"list shown below or click on the \"Print option list\" button.%s%s%s\n"
+"\n"
+msgstr "Kepada on"
-#: ../../keyboard.pm:1
+#: printer/printerdrake.pm:3066
#, c-format
-msgid "Oriya"
+msgid ""
+"Here is a list of the available printing options for the current printer:\n"
+"\n"
msgstr ""
-#: ../../standalone/drakperm:1
+#: printer/printerdrake.pm:3071 printer/printerdrake.pm:3081
#, fuzzy, c-format
-msgid "Add a new rule at the end"
-msgstr "Tambah"
+msgid ""
+"To print a file from the command line (terminal window) use the command \"%s "
+"<file>\".\n"
+msgstr "Kepada fail<file>"
-#: ../../standalone/drakboot:1
+#: printer/printerdrake.pm:3073 printer/printerdrake.pm:3083
+#: printer/printerdrake.pm:3093
#, fuzzy, c-format
-msgid "LiLo and Bootsplash themes installation successful"
-msgstr "dan"
+msgid ""
+"This command you can also use in the \"Printing command\" field of the "
+"printing dialogs of many applications. But here do not supply the file name "
+"because the file to print is provided by the application.\n"
+msgstr "dalam Cetakan fail fail"
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:3078 printer/printerdrake.pm:3088
#, fuzzy, c-format
msgid ""
-"You can also decide here whether printers on remote machines should be "
-"automatically made available on this machine."
-msgstr "on on."
+"To get a list of the options available for the current printer click on the "
+"\"Print option list\" button."
+msgstr "Kepada on."
-#: ../../modules/interactive.pm:1
+#: printer/printerdrake.pm:3091
#, fuzzy, c-format
msgid ""
-"You may now provide options to module %s.\n"
-"Options are in format ``name=value name2=value2 ...''.\n"
-"For instance, ``io=0x300 irq=7''"
-msgstr "dalam"
+"To print a file from the command line (terminal window) use the command \"%s "
+"<file>\" or \"%s <file>\".\n"
+msgstr "Kepada fail<file><file>"
-#: ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:3095
#, fuzzy, c-format
-msgid "Quit without writing the partition table?"
-msgstr "Keluar?"
+msgid ""
+"You can also use the graphical interface \"xpdq\" for setting options and "
+"handling printing jobs.\n"
+"If you are using KDE as desktop environment you have a \"panic button\", an "
+"icon on the desktop, labeled with \"STOP Printer!\", which stops all print "
+"jobs immediately when you click it. This is for example useful for paper "
+"jams.\n"
+msgstr "dan KDE on"
-#: ../../mouse.pm:1
-#, c-format
-msgid "Genius NetScroll"
-msgstr ""
+#: printer/printerdrake.pm:3099
+#, fuzzy, c-format
+msgid ""
+"\n"
+"The \"%s\" and \"%s\" commands also allow to modify the option settings for "
+"a particular printing job. Simply add the desired settings to the command "
+"line, e. g. \"%s <file>\".\n"
+msgstr "dan<file>"
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:3109
#, fuzzy, c-format
-msgid "On Hard Drive"
-msgstr "on"
+msgid "Printing/Scanning/Photo Cards on \"%s\""
+msgstr "Cetakan Kad on"
-#: ../../standalone.pm:1
-#, c-format
-msgid "Installing packages..."
-msgstr ""
+#: printer/printerdrake.pm:3110
+#, fuzzy, c-format
+msgid "Printing/Scanning on \"%s\""
+msgstr "Cetakan on"
-#: ../../keyboard.pm:1
+#: printer/printerdrake.pm:3112
#, fuzzy, c-format
-msgid "Dutch"
-msgstr "Belanda"
+msgid "Printing/Photo Card Access on \"%s\""
+msgstr "Cetakan on"
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:3113
#, fuzzy, c-format
-msgid "Angola"
-msgstr "Angola"
+msgid "Printing on the printer \"%s\""
+msgstr "Cetakan on"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "The following packages need to be installed:\n"
-msgstr ""
+#: printer/printerdrake.pm:3116 printer/printerdrake.pm:3119
+#: printer/printerdrake.pm:3120 printer/printerdrake.pm:3121
+#: printer/printerdrake.pm:4179 standalone/drakTermServ:321
+#: standalone/drakbackup:4583 standalone/drakbug:177 standalone/drakfont:497
+#: standalone/drakfont:588 standalone/net_monitor:106
+#: standalone/printerdrake:508
+#, fuzzy, c-format
+msgid "Close"
+msgstr "Tutup"
-#: ../../standalone/logdrake:1
+#: printer/printerdrake.pm:3119
#, c-format
-msgid "service setting"
+msgid "Print option list"
msgstr ""
-#: ../../any.pm:1 ../../Xconfig/main.pm:1 ../../Xconfig/monitor.pm:1
+#: printer/printerdrake.pm:3140
#, fuzzy, c-format
-msgid "Custom"
-msgstr "Tersendiri"
+msgid ""
+"Your multi-function device was configured automatically to be able to scan. "
+"Now you can scan with \"scanimage\" (\"scanimage -d hp:%s\" to specify the "
+"scanner when you have more than one) from the command line or with the "
+"graphical interfaces \"xscanimage\" or \"xsane\". If you are using the GIMP, "
+"you can also scan by choosing the appropriate point in the \"File\"/\"Acquire"
+"\" menu. Call also \"man scanimage\" on the command line to get more "
+"information.\n"
+"\n"
+"Do not use \"scannerdrake\" for this device!"
+msgstr "dalam Fail on!"
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:3163
#, fuzzy, c-format
-msgid "Latvia"
-msgstr "Latvia"
+msgid ""
+"Your printer was configured automatically to give you access to the photo "
+"card drives from your PC. Now you can access your photo cards using the "
+"graphical program \"MtoolsFM\" (Menu: \"Applications\" -> \"File tools\" -> "
+"\"MTools File Manager\") or the command line utilities \"mtools\" (enter "
+"\"man mtools\" on the command line for more info). You find the card's file "
+"system under the drive letter \"p:\", or subsequent drive letters when you "
+"have more than one HP printer with photo card drives. In \"MtoolsFM\" you "
+"can switch between drive letters with the field at the upper-right corners "
+"of the file lists."
+msgstr "Aplikasi Fail Fail on fail Masuk fail."
-#: ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:3185 printer/printerdrake.pm:3575
#, fuzzy, c-format
-msgid "File is already used by another loopback, choose another one"
-msgstr "Fail"
+msgid "Reading printer data..."
+msgstr "Membaca."
-#: ../../diskdrake/interactive.pm:1
+#: printer/printerdrake.pm:3205 printer/printerdrake.pm:3232
+#: printer/printerdrake.pm:3267
#, c-format
-msgid "Read-only"
+msgid "Transfer printer configuration"
msgstr ""
-#: ../../security/help.pm:1
-#, c-format
+#: printer/printerdrake.pm:3206
+#, fuzzy, c-format
msgid ""
-"Enable/Disable name resolution spoofing protection. If\n"
-"\"alert\" is true, also reports to syslog."
-msgstr ""
+"You can copy the printer configuration which you have done for the spooler %"
+"s to %s, your current spooler. All the configuration data (printer name, "
+"description, location, connection type, and default option settings) is "
+"overtaken, but jobs will not be transferred.\n"
+"Not all queues can be transferred due to the following reasons:\n"
+msgstr "siap Semua dan default"
-#: ../../harddrake/sound.pm:1
+#: printer/printerdrake.pm:3209
#, fuzzy, c-format
-msgid "No known driver"
-msgstr "Tidak"
+msgid ""
+"CUPS does not support printers on Novell servers or printers sending the "
+"data into a free-formed command.\n"
+msgstr "on"
-#: ../../Xconfig/card.pm:1
-#, c-format
-msgid "1 MB"
-msgstr ""
+#: printer/printerdrake.pm:3211
+#, fuzzy, c-format
+msgid ""
+"PDQ only supports local printers, remote LPD printers, and Socket/TCP "
+"printers.\n"
+msgstr "lokal dan"
+
+#: printer/printerdrake.pm:3213
+#, fuzzy, c-format
+msgid "LPD and LPRng do not support IPP printers.\n"
+msgstr "dan"
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:3215
#, fuzzy, c-format
msgid ""
-"If it is not the one you want to configure, enter a device name/file name in "
-"the input line"
-msgstr "fail dalam"
+"In addition, queues not created with this program or \"foomatic-configure\" "
+"cannot be transferred."
+msgstr "Masuk."
-#: ../../standalone/draksound:1
+#: printer/printerdrake.pm:3216
#, fuzzy, c-format
msgid ""
-"No Sound Card has been detected on your machine. Please verify that a Linux-"
-"supported Sound Card is correctly plugged in.\n"
-"\n"
-"\n"
-"You can visit our hardware database at:\n"
"\n"
-"\n"
-"http://www.linux-mandrake.com/en/hardware.php3"
-msgstr ""
-"Tidak Bunyi on Bunyi dalam\n"
-"http://www.linux-mandrake.com/en/hardware.php3"
+"Also printers configured with the PPD files provided by their manufacturers "
+"or with native CUPS drivers cannot be transferred."
+msgstr "fail."
-#: ../../standalone/drakconnect:1
+#: printer/printerdrake.pm:3217
#, fuzzy, c-format
-msgid "Configure Local Area Network..."
-msgstr "Rangkaian."
+msgid ""
+"\n"
+"Mark the printers which you want to transfer and click \n"
+"\"Transfer\"."
+msgstr "dan."
-#: ../../../move/move.pm:1
+#: printer/printerdrake.pm:3220
#, c-format
-msgid ""
-"The USB key seems to have write protection enabled. Please\n"
-"unplug it, remove write protection, and then plug it again."
+msgid "Do not transfer printers"
+msgstr ""
+
+#: printer/printerdrake.pm:3221 printer/printerdrake.pm:3237
+#, c-format
+msgid "Transfer"
msgstr ""
-#: ../../services.pm:1
+#: printer/printerdrake.pm:3233
#, fuzzy, c-format
-msgid "Launch the sound system on your machine"
-msgstr "on"
+msgid ""
+"A printer named \"%s\" already exists under %s. \n"
+"Click \"Transfer\" to overwrite it.\n"
+"You can also type a new name or skip this printer."
+msgstr "A."
-#: ../../security/l10n.pm:1
+#: printer/printerdrake.pm:3254
+#, fuzzy, c-format
+msgid "New printer name"
+msgstr "Baru"
+
+#: printer/printerdrake.pm:3257
#, c-format
-msgid "Verify checksum of the suid/sgid files"
+msgid "Transferring %s..."
msgstr ""
-#: ../../security/l10n.pm:1
+#: printer/printerdrake.pm:3268
+#, fuzzy, c-format
+msgid ""
+"You have transferred your former default printer (\"%s\"), Should it be also "
+"the default printer under the new printing system %s?"
+msgstr "default default?"
+
+#: printer/printerdrake.pm:3278
#, c-format
-msgid "Run some checks against the rpm database"
+msgid "Refreshing printer data..."
msgstr ""
-#: ../../standalone/drakperm:1
+#: printer/printerdrake.pm:3287
#, c-format
-msgid "Execute"
+msgid "Starting network..."
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:3328 printer/printerdrake.pm:3332
+#: printer/printerdrake.pm:3334
#, c-format
-msgid "Preparing printer database..."
+msgid "Configure the network now"
msgstr ""
-#: ../../standalone/harddrake2:1
+#: printer/printerdrake.pm:3329
#, fuzzy, c-format
-msgid "Information"
-msgstr "Maklumat"
+msgid "Network functionality not configured"
+msgstr "Rangkaian"
-#: ../../network/drakfirewall.pm:1
+#: printer/printerdrake.pm:3330
#, fuzzy, c-format
-msgid "No network card"
-msgstr "Tidak"
-
-#: ../../mouse.pm:1
-#, c-format
-msgid "3 buttons"
-msgstr ""
-
-#: ../../diskdrake/interactive.pm:1 ../../diskdrake/removable.pm:1
-#, c-format
-msgid "Which filesystem do you want?"
-msgstr ""
+msgid ""
+"You are going to configure a remote printer. This needs working network "
+"access, but your network is not configured yet. If you go on without network "
+"configuration, you will not be able to use the printer which you are "
+"configuring now. How do you want to proceed?"
+msgstr "on?"
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:3333
#, fuzzy, c-format
-msgid "Malta"
-msgstr "Malta"
+msgid "Go on without configuring the network"
+msgstr "Pergi ke on"
-#: ../../diskdrake/interactive.pm:1
-#, c-format
-msgid "Detailed information"
-msgstr ""
+#: printer/printerdrake.pm:3367
+#, fuzzy, c-format
+msgid ""
+"The network configuration done during the installation cannot be started "
+"now. Please check whether the network is accessable after booting your "
+"system and correct the configuration using the %s Control Center, section "
+"\"Network & Internet\"/\"Connection\", and afterwards set up the printer, "
+"also using the %s Control Center, section \"Hardware\"/\"Printer\""
+msgstr "siap dan Rangkaian Internet dan Perkakasan"
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:3368
#, fuzzy, c-format
msgid ""
-"Printer default settings\n"
-"\n"
-"You should make sure that the page size and the ink type/printing mode (if "
-"available) and also the hardware configuration of laser printers (memory, "
-"duplex unit, extra trays) are set correctly. Note that with a very high "
-"printout quality/resolution printing can get substantially slower."
-msgstr "default dan dan."
+"The network access was not running and could not be started. Please check "
+"your configuration and your hardware. Then try to configure your remote "
+"printer again."
+msgstr "dan dan."
-#: ../../install_any.pm:1
+#: printer/printerdrake.pm:3378
#, c-format
-msgid "This floppy is not FAT formatted"
+msgid "Restarting printing system..."
msgstr ""
-#: ../../network/ethernet.pm:1 ../../network/network.pm:1
+#: printer/printerdrake.pm:3417
#, c-format
-msgid "Configuring network"
+msgid "high"
msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid ""
-"This option will save files that have changed. Exact behavior depends on "
-"whether incremental or differential mode is used."
-msgstr "fail on."
-
-#: ../../Xconfig/main.pm:1
+#: printer/printerdrake.pm:3417
#, c-format
-msgid "Graphic Card"
+msgid "paranoid"
msgstr ""
-#: ../../install_interactive.pm:1
+#: printer/printerdrake.pm:3418
#, fuzzy, c-format
-msgid "Resizing Windows partition"
-msgstr "Tetingkap"
+msgid "Installing a printing system in the %s security level"
+msgstr "dalam"
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:3419
#, fuzzy, c-format
-msgid "Cameroon"
-msgstr "Cameroon"
+msgid ""
+"You are about to install the printing system %s on a system running in the %"
+"s security level.\n"
+"\n"
+"This printing system runs a daemon (background process) which waits for "
+"print jobs and handles them. This daemon is also accessable by remote "
+"machines through the network and so it is a possible point for attacks. "
+"Therefore only a few selected daemons are started by default in this "
+"security level.\n"
+"\n"
+"Do you really want to configure printing on this machine?"
+msgstr "on dalam dan dan default dalam on?"
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: printer/printerdrake.pm:3453
#, c-format
-msgid "Provider dns 1 (optional)"
+msgid "Starting the printing system at boot time"
msgstr ""
-#: ../../install_interactive.pm:1
+#: printer/printerdrake.pm:3454
#, fuzzy, c-format
msgid ""
-"You can now partition %s.\n"
-"When you are done, don't forget to save using `w'"
-msgstr "siap"
+"The printing system (%s) will not be started automatically when the machine "
+"is booted.\n"
+"\n"
+"It is possible that the automatic starting was turned off by changing to a "
+"higher security level, because the printing system is a potential point for "
+"attacks.\n"
+"\n"
+"Do you want to have the automatic starting of the printing system turned on "
+"again?"
+msgstr "off on?"
-#: ../../keyboard.pm:1
+#: printer/printerdrake.pm:3475 printer/printerdrake.pm:3690
#, c-format
-msgid "Saami (swedish/finnish)"
+msgid "Checking installed software..."
msgstr ""
-#: ../../printer/printerdrake.pm:1 ../../standalone/drakTermServ:1
-#: ../../standalone/drakbackup:1 ../../standalone/drakbug:1
-#: ../../standalone/drakfont:1 ../../standalone/net_monitor:1
-#: ../../standalone/printerdrake:1
-#, fuzzy, c-format
-msgid "Close"
-msgstr "Tutup"
+#: printer/printerdrake.pm:3481
+#, c-format
+msgid "Removing %s ..."
+msgstr ""
-#: ../../help.pm:1
+#: printer/printerdrake.pm:3488
+#, c-format
+msgid "Installing %s ..."
+msgstr ""
+
+#: printer/printerdrake.pm:3535
#, fuzzy, c-format
-msgid ""
-"\"%s\": check the current country selection. If you are not in this\n"
-"country, click on the \"%s\" button and choose another one. If your country\n"
-"is not in the first list shown, click the \"%s\" button to get the complete\n"
-"country list."
-msgstr "dalam on dan dalam."
+msgid "Setting Default Printer..."
+msgstr "Default."
-#: ../../standalone/logdrake:1
+#: printer/printerdrake.pm:3555
#, c-format
-msgid "Calendar"
+msgid "Select Printer Spooler"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:3556
#, c-format
-msgid ""
-"Restore Selected\n"
-"Catalog Entry"
+msgid "Which printing system (spooler) do you want to use?"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:3607
+#, fuzzy, c-format
+msgid "Failed to configure printer \"%s\"!"
+msgstr "Gagal!"
+
+#: printer/printerdrake.pm:3620
+#, c-format
+msgid "Installing Foomatic..."
+msgstr ""
+
+#: printer/printerdrake.pm:3806
#, fuzzy, c-format
msgid ""
-"To use a remote lpd printer, you need to supply the hostname of the printer "
-"server and the printer name on that server."
-msgstr "Kepada lpd dan on."
+"The following printers are configured. Double-click on a printer to change "
+"its settings; to make it the default printer; or to view information about "
+"it. "
+msgstr "on default."
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:3834
#, fuzzy, c-format
-msgid "Iceland"
-msgstr "Iceland"
+msgid "Display all available remote CUPS printers"
+msgstr "Paparan"
-#: ../../standalone/drakconnect:1
+#: printer/printerdrake.pm:3835
#, fuzzy, c-format
-msgid "Network & Internet Configuration"
-msgstr "Konfigurasi Rangkaian"
+msgid "Refresh printer list (to display all available remote CUPS printers)"
+msgstr "Segarkan"
-#: ../../common.pm:1
+#: printer/printerdrake.pm:3845
#, c-format
-msgid "consolehelper missing"
+msgid "CUPS configuration"
msgstr ""
-#: ../../services.pm:1
+#: printer/printerdrake.pm:3857
+#, fuzzy, c-format
+msgid "Change the printing system"
+msgstr "Ubah"
+
+#: printer/printerdrake.pm:3866
#, c-format
-msgid "stopped"
+msgid "Normal Mode"
msgstr ""
-#: ../../standalone/harddrake2:1
+#: printer/printerdrake.pm:3867
#, c-format
-msgid "Whether the FPU has an irq vector"
+msgid "Expert Mode"
msgstr ""
-#: ../../diskdrake/hd_gtk.pm:1
+#: printer/printerdrake.pm:4138 printer/printerdrake.pm:4193
+#: printer/printerdrake.pm:4274 printer/printerdrake.pm:4284
#, c-format
-msgid "Ext2"
+msgid "Printer options"
msgstr ""
-#: ../../ugtk2.pm:1
+#: printer/printerdrake.pm:4174
#, c-format
-msgid "Expand Tree"
+msgid "Modify printer configuration"
msgstr ""
-#: ../../harddrake/sound.pm:1
+#: printer/printerdrake.pm:4176
#, fuzzy, c-format
msgid ""
-"The old \"%s\" driver is blacklisted.\n"
-"\n"
-"It has been reported to oops the kernel on unloading.\n"
-"\n"
-"The new \"%s\" driver'll only be used on next bootstrap."
-msgstr "on on."
+"Printer %s\n"
+"What do you want to modify on this printer?"
+msgstr "on?"
-#: ../../network/netconnect.pm:1 ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:4180
#, c-format
-msgid "Expert Mode"
+msgid "Do it!"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: printer/printerdrake.pm:4185 printer/printerdrake.pm:4243
#, c-format
-msgid "Printer options"
+msgid "Printer connection type"
msgstr ""
-#: ../../standalone/drakgw:1
-#, fuzzy, c-format
-msgid "Local Network adress"
-msgstr "Rangkaian"
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Backup your System files. (/etc directory)"
-msgstr "Sistem fail direktori"
-
-#: ../../security/help.pm:1
-#, fuzzy, c-format
-msgid "Set the user umask."
-msgstr "pengguna."
-
-#: ../../install_steps_interactive.pm:1
-#, fuzzy, c-format
-msgid ""
-"You now have the opportunity to download updated packages. These packages\n"
-"have been updated after the distribution was released. They may\n"
-"contain security or bug fixes.\n"
-"\n"
-"To download these packages, you will need to have a working Internet \n"
-"connection.\n"
-"\n"
-"Do you want to install the updates ?"
-msgstr "Internet?"
-
-#: ../../standalone/logdrake:1
-#, fuzzy, c-format
-msgid "Samba Server"
-msgstr "Pengguna Samba"
-
-#: ../../standalone/drakxtv:1
+#: printer/printerdrake.pm:4186 printer/printerdrake.pm:4247
#, c-format
-msgid "Australian Optus cable TV"
-msgstr ""
-
-#: ../../install_steps_newt.pm:1
-#, fuzzy, c-format
-msgid ""
-" <Tab>/<Alt-Tab> between elements | <Space> selects | <F12> next screen "
+msgid "Printer name, description, location"
msgstr ""
-" <Tab>/<Alt-Tab> Antara unsur | <Space> pilih | <F12> Skrin "
-"seterusnya "
-#: ../../standalone/drakTermServ:1
+#: printer/printerdrake.pm:4188 printer/printerdrake.pm:4266
#, c-format
-msgid "Subnet:"
+msgid "Printer manufacturer, model, driver"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Zimbabwe"
-msgstr "Zimbabwe"
-
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:4189 printer/printerdrake.pm:4267
#, c-format
-msgid "When"
-msgstr ""
-
-#: ../../network/adsl.pm:1
-#, fuzzy, c-format
-msgid ""
-"You need the Alcatel microcode.\n"
-"Download it at:\n"
-"%s\n"
-"and copy the mgmt.o in /usr/share/speedtouch"
+msgid "Printer manufacturer, model"
msgstr ""
-"\n"
-"%s dalam"
-#: ../../standalone/drakbackup:1
+#: printer/printerdrake.pm:4195 printer/printerdrake.pm:4278
#, c-format
-msgid "Hour"
+msgid "Set this printer as the default"
msgstr ""
-#: ../../network/modem.pm:1 ../../standalone/drakconnect:1
+#: printer/printerdrake.pm:4197 printer/printerdrake.pm:4285
#, fuzzy, c-format
-msgid "Second DNS Server (optional)"
-msgstr "Pelayan"
+msgid "Add this printer to Star Office/OpenOffice.org/GIMP"
+msgstr "Tambah Pejabat"
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:4198 printer/printerdrake.pm:4290
#, fuzzy, c-format
-msgid "Finland"
-msgstr "Finland"
+msgid "Remove this printer from Star Office/OpenOffice.org/GIMP"
+msgstr "Buang Pejabat"
-#: ../../Xconfig/various.pm:1
+#: printer/printerdrake.pm:4199 printer/printerdrake.pm:4295
#, c-format
-msgid "Color depth: %s\n"
+msgid "Print test pages"
msgstr ""
-#: ../../install_steps_gtk.pm:1
+#: printer/printerdrake.pm:4200 printer/printerdrake.pm:4297
#, c-format
-msgid "You can't unselect this package. It must be upgraded"
+msgid "Learn how to use this printer"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: printer/printerdrake.pm:4201 printer/printerdrake.pm:4299
#, fuzzy, c-format
-msgid "Loading from floppy"
-msgstr "Memuatkan"
+msgid "Remove printer"
+msgstr "Buang"
-#: ../../standalone/drakclock:1
+#: printer/printerdrake.pm:4255
#, c-format
-msgid "Timezone - DrakClock"
+msgid "Removing old printer \"%s\"..."
msgstr ""
-#: ../../security/help.pm:1
-#, c-format
-msgid "Enable/Disable the logging of IPv4 strange packets."
-msgstr ""
+#: printer/printerdrake.pm:4286
+#, fuzzy, c-format
+msgid "Adding printer to Star Office/OpenOffice.org/GIMP"
+msgstr "Pejabat"
-#: ../../lang.pm:1
+#: printer/printerdrake.pm:4288
#, fuzzy, c-format
-msgid "Slovenia"
-msgstr "Slovenia"
+msgid ""
+"The printer \"%s\" was successfully added to Star Office/OpenOffice.org/GIMP."
+msgstr "Pejabat."
-#: ../../standalone/mousedrake:1
+#: printer/printerdrake.pm:4289
#, fuzzy, c-format
-msgid "Mouse test"
-msgstr "Tetikus"
+msgid "Failed to add the printer \"%s\" to Star Office/OpenOffice.org/GIMP."
+msgstr "Gagal Pejabat."
-#: ../../standalone/drakperm:1
+#: printer/printerdrake.pm:4291
#, fuzzy, c-format
-msgid ""
-"Drakperm is used to see files to use in order to fix permissions, owners, "
-"and groups via msec.\n"
-"You can also edit your own rules which will owerwrite the default rules."
-msgstr "fail dalam dan default."
+msgid "Removing printer from Star Office/OpenOffice.org/GIMP"
+msgstr "Pejabat"
-#: ../../any.pm:1
+#: printer/printerdrake.pm:4293
#, fuzzy, c-format
msgid ""
-"Enter a user\n"
-"%s"
-msgstr "Enter pengguna"
+"The printer \"%s\" was successfully removed from Star Office/OpenOffice.org/"
+"GIMP."
+msgstr "Pejabat."
-#: ../../standalone/harddrake2:1
+#: printer/printerdrake.pm:4294
#, fuzzy, c-format
msgid ""
-"- PCI and USB devices: this lists the vendor, device, subvendor and "
-"subdevice PCI/USB ids"
-msgstr "dan USB dan USB"
+"Failed to remove the printer \"%s\" from Star Office/OpenOffice.org/GIMP."
+msgstr "Gagal Pejabat."
-#: ../../standalone/draksplash:1
+#: printer/printerdrake.pm:4338
#, c-format
-msgid "ProgressBar color selection"
+msgid "Do you really want to remove the printer \"%s\"?"
msgstr ""
-#: ../../any.pm:1
+#: printer/printerdrake.pm:4342
+#, c-format
+msgid "Removing printer \"%s\"..."
+msgstr ""
+
+#: printer/printerdrake.pm:4366
#, fuzzy, c-format
-msgid ""
-"Here are the entries on your boot menu so far.\n"
-"You can create additional entries or change the existing ones."
-msgstr "on."
+msgid "Default printer"
+msgstr "Default"
-#: ../../help.pm:1
+#: printer/printerdrake.pm:4367
+#, fuzzy, c-format
+msgid "The printer \"%s\" is set as the default printer now."
+msgstr "default."
+
+#: raid.pm:37
+#, fuzzy, c-format
+msgid "Can't add a partition to _formatted_ RAID md%d"
+msgstr "RAD"
+
+#: raid.pm:139
#, c-format
-msgid "/dev/hda"
+msgid "mkraid failed (maybe raidtools are missing?)"
msgstr ""
-#: ../../help.pm:1
+#: raid.pm:139
#, c-format
-msgid "/dev/hdb"
+msgid "mkraid failed"
msgstr ""
-#: ../../standalone/drakbug:1
+#: raid.pm:155
+#, fuzzy, c-format
+msgid "Not enough partitions for RAID level %d\n"
+msgstr "RAD"
+
+#: scanner.pm:96
#, c-format
-msgid ""
-"Application Name\n"
-"or Full Path:"
+msgid "Could not create directory /usr/share/sane/firmware!"
msgstr ""
-#: ../../services.pm:1
-#, fuzzy, c-format
-msgid ""
-"Runs commands scheduled by the at command at the time specified when\n"
-"at was run, and runs batch commands when the load average is low enough."
-msgstr "dan."
+#: scanner.pm:102
+#, c-format
+msgid "Could not copy firmware file %s to /usr/share/sane/firmware!"
+msgstr ""
-#: ../../harddrake/v4l.pm:1
+#: scanner.pm:109
#, c-format
-msgid "Radio support:"
+msgid "Could not set permissions of firmware file %s!"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: scanner.pm:188 standalone/scannerdrake:59 standalone/scannerdrake:63
+#: standalone/scannerdrake:71 standalone/scannerdrake:333
+#: standalone/scannerdrake:407 standalone/scannerdrake:451
+#: standalone/scannerdrake:455 standalone/scannerdrake:477
+#: standalone/scannerdrake:542
#, c-format
-msgid "Installing SANE packages..."
+msgid "Scannerdrake"
msgstr ""
-#: ../../any.pm:1
-#, fuzzy, c-format
-msgid "LDAP"
-msgstr "LDAP"
+#: scanner.pm:189 standalone/scannerdrake:903
+#, c-format
+msgid "Could not install the packages needed to share your scanner(s)."
+msgstr ""
-#: ../../bootloader.pm:1
+#: scanner.pm:190
#, c-format
-msgid "SILO"
+msgid "Your scanner(s) will not be available for non-root users."
msgstr ""
-#: ../../diskdrake/removable.pm:1
+#: security/help.pm:11
#, fuzzy, c-format
-msgid "Change type"
-msgstr "Ubah"
+msgid "Accept/Refuse bogus IPv4 error messages."
+msgstr "Terima ralat."
-#: ../../printer/main.pm:1 ../../printer/printerdrake.pm:1
+#: security/help.pm:13
#, fuzzy, c-format
-msgid ", USB printer #%s"
-msgstr "USB"
+msgid " Accept/Refuse broadcasted icmp echo."
+msgstr "Terima."
+
+#: security/help.pm:15
+#, fuzzy, c-format
+msgid " Accept/Refuse icmp echo."
+msgstr "Terima."
-#: ../../any.pm:1
+#: security/help.pm:17
#, c-format
-msgid "SILO Installation"
+msgid "Allow/Forbid autologin."
msgstr ""
-#: ../../install_messages.pm:1
+#: security/help.pm:19
#, fuzzy, c-format
msgid ""
-"Congratulations, installation is complete.\n"
-"Remove the boot media and press return to reboot.\n"
-"\n"
-"\n"
-"For information on fixes which are available for this release of Mandrake "
-"Linux,\n"
-"consult the Errata available from:\n"
-"\n"
-"\n"
-"%s\n"
+"If set to \"ALL\", /etc/issue and /etc/issue.net are allowed to exist.\n"
"\n"
+"If set to NONE, no issues are allowed.\n"
"\n"
-"Information on configuring your system is available in the post\n"
-"install chapter of the Official Mandrake Linux User's Guide."
-msgstr "Tahniah dan on on dalam Pengguna."
+"Else only /etc/issue is allowed."
+msgstr "dan tidak."
-#: ../../standalone/drakclock:1
+#: security/help.pm:25
#, fuzzy, c-format
-msgid "Enable Network Time Protocol"
-msgstr "Rangkaian Protokol"
+msgid "Allow/Forbid reboot by the console user."
+msgstr "pengguna."
-#: ../../printer/printerdrake.pm:1
+#: security/help.pm:27
#, c-format
-msgid "paranoid"
+msgid "Allow/Forbid remote root login."
msgstr ""
-#: ../../security/l10n.pm:1
+#: security/help.pm:29
#, c-format
-msgid "Do not send mails when unneeded"
+msgid "Allow/Forbid direct root login."
msgstr ""
-#: ../../standalone/scannerdrake:1
-#, c-format
-msgid "Your scanner(s) will not be available on the network."
-msgstr ""
+#: security/help.pm:31
+#, fuzzy, c-format
+msgid ""
+"Allow/Forbid the list of users on the system on display managers (kdm and "
+"gdm)."
+msgstr "on on dan."
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "Send mail report after each backup to:"
-msgstr ""
+#: security/help.pm:33
+#, fuzzy, c-format
+msgid ""
+"Allow/Forbid X connections:\n"
+"\n"
+"- ALL (all connections are allowed),\n"
+"\n"
+"- LOCAL (only connection from local machine),\n"
+"\n"
+"- NONE (no connection)."
+msgstr "lokal tidak."
-#: ../../printer/printerdrake.pm:1
+#: security/help.pm:41
#, fuzzy, c-format
msgid ""
-"This command you can also use in the \"Printing command\" field of the "
-"printing dialogs of many applications. But here do not supply the file name "
-"because the file to print is provided by the application.\n"
-msgstr "dalam Cetakan fail fail"
+"The argument specifies if clients are authorized to connect\n"
+"to the X server from the network on the tcp port 6000 or not."
+msgstr "on."
-#: ../../Xconfig/main.pm:1 ../../Xconfig/resolution_and_depth.pm:1
+#: security/help.pm:44
#, fuzzy, c-format
-msgid "Resolution"
-msgstr "Resolusi"
+msgid ""
+"Authorize:\n"
+"\n"
+"- all services controlled by tcp_wrappers (see hosts.deny(5) man page) if "
+"set to \"ALL\",\n"
+"\n"
+"- only local ones if set to \"LOCAL\"\n"
+"\n"
+"- none if set to \"NONE\".\n"
+"\n"
+"To authorize the services you need, use /etc/hosts.allow (see hosts.allow"
+"(5))."
+msgstr "hos lokal tiada hos hos."
-#: ../../printer/printerdrake.pm:1
+#: security/help.pm:54
#, fuzzy, c-format
msgid ""
-"To print to a SMB printer, you need to provide the SMB host name (Note! It "
-"may be different from its TCP/IP hostname!) and possibly the IP address of "
-"the print server, as well as the share name for the printer you wish to "
-"access and any applicable user name, password, and workgroup information."
-msgstr "Kepada SMB SMB IP dan IP dan pengguna dan."
+"If SERVER_LEVEL (or SECURE_LEVEL if absent)\n"
+"is greater than 3 in /etc/security/msec/security.conf, creates the\n"
+"symlink /etc/security/msec/server to point to\n"
+"/etc/security/msec/server.<SERVER_LEVEL>.\n"
+"\n"
+"The /etc/security/msec/server is used by chkconfig --add to decide to\n"
+"add a service if it is present in the file during the installation of\n"
+"packages."
+msgstr "dalam<SERVER_LEVEL> dalam fail."
-#: ../../security/help.pm:1
+#: security/help.pm:63
#, fuzzy, c-format
msgid ""
-" Enabling su only from members of the wheel group or allow su from any user."
-msgstr "pengguna."
+"Enable/Disable crontab and at for users.\n"
+"\n"
+"Put allowed users in /etc/cron.allow and /etc/at.allow (see man at(1)\n"
+"and crontab(1))."
+msgstr "dan dalam dan."
-#: ../../standalone/drakgw:1
+#: security/help.pm:68
#, c-format
-msgid "reconfigure"
+msgid "Enable/Disable syslog reports to console 12"
msgstr ""
-#: ../../Xconfig/card.pm:1
+#: security/help.pm:70
#, c-format
msgid ""
-"Your card can have 3D hardware acceleration support with XFree %s,\n"
-"NOTE THIS IS EXPERIMENTAL SUPPORT AND MAY FREEZE YOUR COMPUTER."
+"Enable/Disable name resolution spoofing protection. If\n"
+"\"alert\" is true, also reports to syslog."
+msgstr ""
+
+#: security/help.pm:73
+#, fuzzy, c-format
+msgid "Enable/Disable IP spoofing protection."
+msgstr "IP."
+
+#: security/help.pm:75
+#, fuzzy, c-format
+msgid "Enable/Disable libsafe if libsafe is found on the system."
+msgstr "on."
+
+#: security/help.pm:77
+#, c-format
+msgid "Enable/Disable the logging of IPv4 strange packets."
msgstr ""
-#: ../../security/l10n.pm:1
+#: security/help.pm:79
#, c-format
-msgid "Shell timeout"
+msgid "Enable/Disable msec hourly security check."
msgstr ""
-#: ../../standalone/logdrake:1
+#: security/help.pm:81
+#, fuzzy, c-format
+msgid ""
+" Enabling su only from members of the wheel group or allow su from any user."
+msgstr "pengguna."
+
+#: security/help.pm:83
#, c-format
-msgid "Xinetd Service"
+msgid "Use password to authenticate users."
msgstr ""
-#: ../../any.pm:1
+#: security/help.pm:85
#, c-format
-msgid "access to network tools"
+msgid "Activate/Disable ethernet cards promiscuity check."
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: security/help.pm:87
#, c-format
-msgid "Firmware-Upload for HP LaserJet 1000"
+msgid " Activate/Disable daily security check."
msgstr ""
-#: ../advertising/03-software.pl:1
+#: security/help.pm:89
#, fuzzy, c-format
-msgid ""
-"And, of course, push multimedia to its limits with the very latest software "
-"to play videos, audio files and to handle your images or photos."
-msgstr "bunyi fail dan."
+msgid " Enable/Disable sulogin(8) in single user level."
+msgstr "dalam tunggal pengguna."
-#: ../../printer/printerdrake.pm:1
+#: security/help.pm:91
+#, fuzzy, c-format
+msgid "Add the name as an exception to the handling of password aging by msec."
+msgstr "Tambah."
+
+#: security/help.pm:93
+#, fuzzy, c-format
+msgid "Set password aging to \"max\" days and delay to change to \"inactive\"."
+msgstr "hari dan."
+
+#: security/help.pm:95
#, c-format
-msgid "Here is a list of all auto-detected printers. "
+msgid "Set the password history length to prevent password reuse."
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: security/help.pm:97
#, fuzzy, c-format
msgid ""
-"Error installing aboot, \n"
-"try to force installation even if that destroys the first partition?"
-msgstr "Ralat?"
+"Set the password minimum length and minimum number of digit and minimum "
+"number of capitalized letters."
+msgstr "dan dan."
-#: ../../standalone/drakbackup:1
+#: security/help.pm:99
#, c-format
-msgid ""
-"Restore Selected\n"
-"Files"
+msgid "Set the root umask."
msgstr ""
-#: ../../standalone/drakbackup:1
+#: security/help.pm:100
+#, fuzzy, c-format
+msgid "if set to yes, check open ports."
+msgstr "ya port."
+
+#: security/help.pm:101
#, fuzzy, c-format
msgid ""
-"%s exists, delete?\n"
+"if set to yes, check for :\n"
"\n"
-"Warning: If you've already done this process you'll probably\n"
-" need to purge the entry from authorized_keys on the server."
-msgstr ""
-"siap\n"
-" on."
+"- empty passwords,\n"
+"\n"
+"- no password in /etc/shadow\n"
+"\n"
+"- for users with the 0 id other than root."
+msgstr "ya kosong tidak dalam."
-#: ../../network/tools.pm:1
-#, c-format
-msgid "Please fill or check the field below"
-msgstr ""
+#: security/help.pm:108
+#, fuzzy, c-format
+msgid "if set to yes, check permissions of files in the users' home."
+msgstr "ya fail dalam."
+
+#: security/help.pm:109
+#, fuzzy, c-format
+msgid "if set to yes, check if the network devices are in promiscuous mode."
+msgstr "ya dalam."
-#: ../../diskdrake/interactive.pm:1
+#: security/help.pm:110
+#, fuzzy, c-format
+msgid "if set to yes, run the daily security checks."
+msgstr "ya."
+
+#: security/help.pm:111
+#, fuzzy, c-format
+msgid "if set to yes, check additions/removals of sgid files."
+msgstr "ya fail."
+
+#: security/help.pm:112
+#, fuzzy, c-format
+msgid "if set to yes, check empty password in /etc/shadow."
+msgstr "ya kosong dalam."
+
+#: security/help.pm:113
+#, fuzzy, c-format
+msgid "if set to yes, verify checksum of the suid/sgid files."
+msgstr "ya fail."
+
+#: security/help.pm:114
#, c-format
-msgid "Do you want to save /etc/fstab modifications"
-msgstr ""
+msgid "if set to yes, check additions/removals of suid root files."
+msgstr "jika tetap kepada ya, periksa penambahan/pembuangan fail suid root."
+
+#: security/help.pm:115
+#, fuzzy, c-format
+msgid "if set to yes, report unowned files."
+msgstr "ya fail."
+
+#: security/help.pm:116
+#, fuzzy, c-format
+msgid "if set to yes, check files/directories writable by everybody."
+msgstr "ya fail."
-#: ../../standalone/drakconnect:1
+#: security/help.pm:117
+#, fuzzy, c-format
+msgid "if set to yes, run chkrootkit checks."
+msgstr "ya."
+
+#: security/help.pm:118
#, c-format
-msgid "Boot Protocol"
+msgid ""
+"if set, send the mail report to this email address else send it to root."
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: security/help.pm:119
+#, fuzzy, c-format
+msgid "if set to yes, report check result by mail."
+msgstr "ya."
+
+#: security/help.pm:120
#, c-format
-msgid "LVM-disks %s\n"
+msgid "Do not send mails if there's nothing to warn about"
msgstr ""
-#: ../../services.pm:1
+#: security/help.pm:121
+#, fuzzy, c-format
+msgid "if set to yes, run some checks against the rpm database."
+msgstr "ya."
+
+#: security/help.pm:122
+#, fuzzy, c-format
+msgid "if set to yes, report check result to syslog."
+msgstr "ya."
+
+#: security/help.pm:123
+#, fuzzy, c-format
+msgid "if set to yes, reports check result to tty."
+msgstr "ya."
+
+#: security/help.pm:125
+#, fuzzy, c-format
+msgid "Set shell commands history size. A value of -1 means unlimited."
+msgstr "A."
+
+#: security/help.pm:127
+#, fuzzy, c-format
+msgid "Set the shell timeout. A value of zero means no timeout."
+msgstr "A tidak."
+
+#: security/help.pm:127
#, c-format
-msgid "On boot"
+msgid "Timeout unit is second"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: security/help.pm:129
#, fuzzy, c-format
-msgid "The package %s is needed. Install it?"
-msgstr "Install?"
+msgid "Set the user umask."
+msgstr "pengguna."
+
+#: security/l10n.pm:11
+#, fuzzy, c-format
+msgid "Accept bogus IPv4 error messages"
+msgstr "Terima ralat"
+
+#: security/l10n.pm:12
+#, fuzzy, c-format
+msgid "Accept broadcasted icmp echo"
+msgstr "Terima"
-#: ../../standalone/harddrake2:1
+#: security/l10n.pm:13
+#, fuzzy, c-format
+msgid "Accept icmp echo"
+msgstr "Terima"
+
+#: security/l10n.pm:15
#, c-format
-msgid "Bus identification"
+msgid "/etc/issue* exist"
msgstr ""
-#: ../../lang.pm:1
+#: security/l10n.pm:16
#, c-format
-msgid "Vatican"
+msgid "Reboot by the console user"
msgstr ""
-#: ../../diskdrake/hd_gtk.pm:1
+#: security/l10n.pm:17
#, c-format
-msgid "Please make a backup of your data first"
+msgid "Allow remote root login"
msgstr ""
-#: ../../harddrake/data.pm:1
+#: security/l10n.pm:18
#, c-format
-msgid "ADSL adapters"
+msgid "Direct root login"
msgstr ""
-#: ../../install_interactive.pm:1
+#: security/l10n.pm:19
#, fuzzy, c-format
-msgid "You have more than one hard drive, which one do you install linux on?"
-msgstr "on?"
+msgid "List users on display managers (kdm and gdm)"
+msgstr "on dan"
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Eritrea"
-msgstr "Eritrea"
+#: security/l10n.pm:20
+#, c-format
+msgid "Allow X Window connections"
+msgstr ""
-#: ../../standalone/drakTermServ:1
+#: security/l10n.pm:21
#, c-format
-msgid "Boot ISO"
+msgid "Authorize TCP connections to X Window"
msgstr ""
-#: ../../network/adsl.pm:1
+#: security/l10n.pm:22
#, c-format
-msgid "Firmware needed"
+msgid "Authorize all services controlled by tcp_wrappers"
msgstr ""
-#: ../../standalone/drakfont:1
-#, fuzzy, c-format
-msgid "Remove List"
-msgstr "Buang"
+#: security/l10n.pm:23
+#, c-format
+msgid "Chkconfig obey msec rules"
+msgstr ""
-#: ../advertising/05-desktop.pl:1
+#: security/l10n.pm:24
#, fuzzy, c-format
-msgid "A customizable environment"
-msgstr "A"
+msgid "Enable \"crontab\" and \"at\" for users"
+msgstr "dan"
-#: ../../keyboard.pm:1
+#: security/l10n.pm:25
#, c-format
-msgid "Inuktitut"
+msgid "Syslog reports to console 12"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: security/l10n.pm:26
#, fuzzy, c-format
-msgid ""
-"Some protocols, like rsync, may be configured at the server end. Rather "
-"than using a directory path, you would use the 'module' name for the service "
-"path."
-msgstr "protokol direktori."
+msgid "Name resolution spoofing protection"
+msgstr "Nama"
-#: ../../lang.pm:1
+#: security/l10n.pm:27
#, fuzzy, c-format
-msgid "Morocco"
-msgstr "Morocco"
+msgid "Enable IP spoofing protection"
+msgstr "IP"
+
+#: security/l10n.pm:28
+#, fuzzy, c-format
+msgid "Enable libsafe if libsafe is found on the system"
+msgstr "on"
-#: ../../printer/printerdrake.pm:1
+#: security/l10n.pm:29
#, c-format
-msgid "Which printer model do you have?"
+msgid "Enable the logging of IPv4 strange packets"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Add a new printer"
-msgstr "Tambah"
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid " All of your selected data have been "
-msgstr "Semua "
+#: security/l10n.pm:30
+#, c-format
+msgid "Enable msec hourly security check"
+msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Nepal"
-msgstr "Nepal"
+#: security/l10n.pm:31
+#, c-format
+msgid "Enable su only from the wheel group members or for any user"
+msgstr ""
-#: ../../standalone/drakTermServ:1
+#: security/l10n.pm:32
#, c-format
-msgid "<-- Delete"
+msgid "Use password to authenticate users"
msgstr ""
-#: ../../harddrake/data.pm:1
+#: security/l10n.pm:33
#, c-format
-msgid "cpu # "
+msgid "Ethernet cards promiscuity check"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: security/l10n.pm:34
#, c-format
-msgid "chunk size"
+msgid "Daily security check"
msgstr ""
-#: ../../security/help.pm:1
+#: security/l10n.pm:35
#, fuzzy, c-format
-msgid ""
-"If set to \"ALL\", /etc/issue and /etc/issue.net are allowed to exist.\n"
-"\n"
-"If set to NONE, no issues are allowed.\n"
-"\n"
-"Else only /etc/issue is allowed."
-msgstr "dan tidak."
+msgid "Sulogin(8) in single user level"
+msgstr "dalam tunggal pengguna"
-#: ../../security/help.pm:1
+#: security/l10n.pm:36
#, fuzzy, c-format
-msgid " Enable/Disable sulogin(8) in single user level."
-msgstr "dalam tunggal pengguna."
+msgid "No password aging for"
+msgstr "Tidak"
-#. -PO: these messages will be displayed at boot time in the BIOS, use only ASCII (7bit)
-#. -PO: and keep them smaller than 79 chars long
-#: ../../bootloader.pm:1
+#: security/l10n.pm:37
+#, fuzzy, c-format
+msgid "Set password expiration and account inactivation delays"
+msgstr "dan"
+
+#: security/l10n.pm:38
+#, fuzzy, c-format
+msgid "Password history length"
+msgstr "Katalaluan"
+
+#: security/l10n.pm:39
+#, fuzzy, c-format
+msgid "Password minimum length and number of digits and upcase letters"
+msgstr "Katalaluan dan dan"
+
+#: security/l10n.pm:40
#, c-format
-msgid "commands before booting, or 'c' for a command-line."
+msgid "Root umask"
msgstr ""
-#: ../../standalone/drakgw:1 ../../standalone/drakpxe:1
+#: security/l10n.pm:41
#, c-format
-msgid "Problems installing package %s"
+msgid "Shell history size"
msgstr ""
-#: ../../standalone/logdrake:1
+#: security/l10n.pm:42
#, c-format
-msgid "You will receive an alert if the load is higher than this value"
+msgid "Shell timeout"
msgstr ""
-#: ../../standalone/scannerdrake:1
+#: security/l10n.pm:43
#, fuzzy, c-format
-msgid "Add a scanner manually"
-msgstr "pengguna"
+msgid "User umask"
+msgstr "Pengguna"
-#: ../../standalone/printerdrake:1
+#: security/l10n.pm:44
#, c-format
-msgid "Refresh"
+msgid "Check open ports"
+msgstr ""
+
+#: security/l10n.pm:45
+#, c-format
+msgid "Check for unsecured accounts"
msgstr ""
-#: ../../help.pm:1 ../../diskdrake/interactive.pm:1
+#: security/l10n.pm:46
#, fuzzy, c-format
-msgid "Reload partition table"
-msgstr "Ulangmuat"
+msgid "Check permissions of files in the users' home"
+msgstr "fail dalam"
-#: ../../standalone/drakboot:1
+#: security/l10n.pm:47
#, fuzzy, c-format
-msgid "Yes, I want autologin with this (user, desktop)"
-msgstr "Ya pengguna"
+msgid "Check if the network devices are in promiscuous mode"
+msgstr "dalam"
-#: ../../standalone/drakbackup:1
+#: security/l10n.pm:48
#, c-format
-msgid "Restore Selected"
+msgid "Run the daily security checks"
msgstr ""
-#: ../../standalone/drakfont:1
-#, fuzzy, c-format
-msgid "Search for fonts in installed list"
-msgstr "Cari dalam"
+#: security/l10n.pm:49
+#, c-format
+msgid "Check additions/removals of sgid files"
+msgstr ""
-#: ../../standalone/drakgw:1
+#: security/l10n.pm:50
#, fuzzy, c-format
-msgid "The Local Network did not finish with `.0', bailing out."
-msgstr "Rangkaian keluar."
+msgid "Check empty password in /etc/shadow"
+msgstr "kosong dalam"
-#: ../../install_steps_interactive.pm:1
+#: security/l10n.pm:51
#, c-format
-msgid "Boot"
+msgid "Verify checksum of the suid/sgid files"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: security/l10n.pm:52
#, c-format
-msgid " and the CD is in the drive"
+msgid "Check additions/removals of suid root files"
msgstr ""
-#: ../../harddrake/v4l.pm:1
+#: security/l10n.pm:53
#, c-format
-msgid "Tuner type:"
+msgid "Report unowned files"
msgstr ""
-#: ../../help.pm:1
+#: security/l10n.pm:54
#, fuzzy, c-format
-msgid ""
-"Now, it's time to select a printing system for your computer. Other OSs may\n"
-"offer you one, but Mandrake Linux offers two. Each of the printing system\n"
-"is best suited to particular types of configuration.\n"
-"\n"
-" * \"%s\" -- which is an acronym for ``print, don't queue'', is the choice\n"
-"if you have a direct connection to your printer, you want to be able to\n"
-"panic out of printer jams, and you do not have networked printers. (\"%s\"\n"
-"will handle only very simple network cases and is somewhat slow when used\n"
-"with networks.) It's recommended that you use \"pdq\" if this is your first\n"
-"experience with GNU/Linux.\n"
-"\n"
-" * \"%s\" - `` Common Unix Printing System'', is an excellent choice for\n"
-"printing to your local printer or to one halfway around the planet. It is\n"
-"simple to configure and can act as a server or a client for the ancient\n"
-"\"lpd \" printing system, so it compatible with older operating systems\n"
-"which may still need print services. While quite powerful, the basic setup\n"
-"is almost as easy as \"pdq\". If you need to emulate a \"lpd\" server, make\n"
-"sure you turn on the \"cups-lpd \" daemon. \"%s\" includes graphical\n"
-"front-ends for printing or choosing printer options and for managing the\n"
-"printer.\n"
-"\n"
-"If you make a choice now, and later find that you don't like your printing\n"
-"system you may change it by running PrinterDrake from the Mandrake Control\n"
-"Center and clicking the expert button."
+msgid "Check files/directories writable by everybody"
+msgstr "fail"
+
+#: security/l10n.pm:55
+#, c-format
+msgid "Run chkrootkit checks"
msgstr ""
-"Lain-lain\n"
-" keluar dan dan\n"
-" Cetakan Sistem lokal dan lpd asas lpd on lpd dan dan dan."
-#: ../../keyboard.pm:1
+#: security/l10n.pm:56
#, c-format
-msgid "\"Menu\" key"
+msgid "Do not send mails when unneeded"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid ""
-"\n"
-"\n"
-"Please check whether Printerdrake did the auto-detection of your printer "
-"model correctly. Find the correct model in the list when a wrong model or "
-"\"Raw printer\" is highlighted."
-msgstr "Cari dalam."
+#: security/l10n.pm:57
+#, c-format
+msgid "If set, send the mail report to this email address else send it to root"
+msgstr ""
-#: ../../standalone/draksec:1
-#, fuzzy, c-format
-msgid "Security Administrator:"
-msgstr "Keselamatan:"
+#: security/l10n.pm:58
+#, c-format
+msgid "Report check result by mail"
+msgstr ""
-#: ../../security/help.pm:1
-#, fuzzy, c-format
-msgid "Set the shell timeout. A value of zero means no timeout."
-msgstr "A tidak."
+#: security/l10n.pm:59
+#, c-format
+msgid "Run some checks against the rpm database"
+msgstr ""
-#: ../../network/tools.pm:1
+#: security/l10n.pm:60
#, c-format
-msgid "Firmware copy succeeded"
+msgid "Report check result to syslog"
msgstr ""
-#: ../../../move/tree/mdk_totem:1
+#: security/l10n.pm:61
#, c-format
-msgid ""
-"You can't use another CDROM when the following programs are running: \n"
-"%s"
+msgid "Reports check result to tty"
msgstr ""
-#: ../../security/help.pm:1
+#: security/level.pm:10
#, fuzzy, c-format
-msgid "if set to yes, check permissions of files in the users' home."
-msgstr "ya fail dalam."
+msgid "Welcome To Crackers"
+msgstr "Selamat Datang Kepada"
-#: ../../standalone/drakconnect:1
-#, fuzzy, c-format
-msgid ""
-"You don't have an Internet connection.\n"
-"Create one first by clicking on 'Configure'"
-msgstr "Internet on"
+#: security/level.pm:11
+#, c-format
+msgid "Poor"
+msgstr ""
-#: ../../standalone/drakfont:1
+#: security/level.pm:13
#, fuzzy, c-format
-msgid "Fonts copy"
-msgstr "Font"
+msgid "High"
+msgstr "Tinggi"
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
+#: security/level.pm:14
#, c-format
-msgid "Automated"
+msgid "Higher"
msgstr ""
-#: ../../Xconfig/test.pm:1
+#: security/level.pm:15
#, c-format
-msgid "Do you want to test the configuration?"
+msgid "Paranoid"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: security/level.pm:41
#, fuzzy, c-format
msgid ""
-"The printer \"%s\" was successfully removed from Star Office/OpenOffice.org/"
-"GIMP."
-msgstr "Pejabat."
+"This level is to be used with care. It makes your system more easy to use,\n"
+"but very sensitive. It must not be used for a machine connected to others\n"
+"or to the Internet. There is no password access."
+msgstr "Internet tidak."
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
+#: security/level.pm:44
#, fuzzy, c-format
-msgid "Save packages selection"
-msgstr "Simpan"
+msgid ""
+"Passwords are now enabled, but use as a networked computer is still not "
+"recommended."
+msgstr "Katalaluan dihidupkan."
-#: ../../standalone/printerdrake:1
+#: security/level.pm:45
#, fuzzy, c-format
-msgid "/_Actions"
-msgstr "Aksi"
+msgid ""
+"This is the standard security recommended for a computer that will be used "
+"to connect to the Internet as a client."
+msgstr "Internet."
-#: ../../standalone/drakautoinst:1
+#: security/level.pm:46
#, fuzzy, c-format
-msgid "Remove the last item"
-msgstr "Buang"
+msgid ""
+"There are already some restrictions, and more automatic checks are run every "
+"night."
+msgstr "dan."
-#: ../../standalone/drakbackup:1
+#: security/level.pm:47
#, fuzzy, c-format
-msgid "User list to restore (only the most recent date per user is important)"
-msgstr "Pengguna pengguna"
+msgid ""
+"With this security level, the use of this system as a server becomes "
+"possible.\n"
+"The security is now high enough to use the system as a server which can "
+"accept\n"
+"connections from many clients. Note: if your machine is only a client on the "
+"Internet, you should choose a lower level."
+msgstr "terima on Internet."
-#: ../../standalone/drakTermServ:1
+#: security/level.pm:50
#, fuzzy, c-format
-msgid "No net boot images created!"
-msgstr "Tidak!"
+msgid ""
+"This is similar to the previous level, but the system is entirely closed and "
+"security features are at their maximum."
+msgstr "dan."
-#: ../../network/adsl.pm:1
-#, c-format
-msgid "use pptp"
-msgstr ""
+#: security/level.pm:55
+#, fuzzy, c-format
+msgid "DrakSec Basic Options"
+msgstr "Asas"
-#: ../../services.pm:1
+#: security/level.pm:56
#, c-format
-msgid "Choose which services should be automatically started at boot time"
+msgid "Please choose the desired security level"
msgstr ""
-#: ../../security/l10n.pm:1
+#: security/level.pm:60
#, fuzzy, c-format
-msgid "Check files/directories writable by everybody"
-msgstr "fail"
+msgid "Security level"
+msgstr "Keselamatan"
-#: ../../printer/printerdrake.pm:1
+#: security/level.pm:62
#, c-format
-msgid "Learn how to use this printer"
+msgid "Use libsafe for servers"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Configure the network now"
-msgstr ""
+#: security/level.pm:63
+#, fuzzy, c-format
+msgid ""
+"A library which defends against buffer overflow and format string attacks."
+msgstr "A dan."
+
+#: security/level.pm:64
+#, fuzzy, c-format
+msgid "Security Administrator (login or email)"
+msgstr "Keselamatan"
+
+#: services.pm:19
+#, fuzzy, c-format
+msgid "Launch the ALSA (Advanced Linux Sound Architecture) sound system"
+msgstr "Lanjutan Bunyi"
-#: ../../install_steps_interactive.pm:1
+#: services.pm:20
#, c-format
-msgid "Choose a mirror from which to get the packages"
+msgid "Anacron is a periodic command scheduler."
msgstr ""
-#: ../../install_interactive.pm:1
+#: services.pm:21
#, fuzzy, c-format
msgid ""
-"The FAT resizer is unable to handle your partition, \n"
-"the following error occured: %s"
-msgstr "ralat"
+"apmd is used for monitoring battery status and logging it via syslog.\n"
+"It can also be used for shutting down the machine when the battery is low."
+msgstr "dan."
-#: ../../install_steps_gtk.pm:1
+#: services.pm:23
#, fuzzy, c-format
-msgid "Size: "
-msgstr "Saiz: "
+msgid ""
+"Runs commands scheduled by the at command at the time specified when\n"
+"at was run, and runs batch commands when the load average is low enough."
+msgstr "dan."
-#: ../../diskdrake/interactive.pm:1
+#: services.pm:25
+#, fuzzy, c-format
+msgid ""
+"cron is a standard UNIX program that runs user-specified programs\n"
+"at periodic scheduled times. vixie cron adds a number of features to the "
+"basic\n"
+"UNIX cron, including better security and more powerful configuration options."
+msgstr "pengguna asas dan."
+
+#: services.pm:28
#, c-format
-msgid "Which sector do you want to move it to?"
+msgid ""
+"FAM is a file monitoring daemon. It is used to get reports when files "
+"change.\n"
+"It is used by GNOME and KDE"
msgstr ""
-#: ../../lang.pm:1
+#: services.pm:30
#, fuzzy, c-format
-msgid "Bahamas"
-msgstr "Bahamas"
+msgid ""
+"GPM adds mouse support to text-based Linux applications such the\n"
+"Midnight Commander. It also allows mouse-based console cut-and-paste "
+"operations,\n"
+"and includes support for pop-up menus on the console."
+msgstr "dan on."
-#: ../../interactive/stdio.pm:1
+#: services.pm:33
#, fuzzy, c-format
-msgid "Do you want to click on this button?"
-msgstr "on?"
+msgid ""
+"HardDrake runs a hardware probe, and optionally configures\n"
+"new/changed hardware."
+msgstr "dan."
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Manual configuration"
-msgstr ""
+#: services.pm:35
+#, fuzzy, c-format
+msgid ""
+"Apache is a World Wide Web server. It is used to serve HTML files and CGI."
+msgstr "fail dan."
-#: ../../standalone/logdrake:1
+#: services.pm:36
+#, fuzzy, c-format
+msgid ""
+"The internet superserver daemon (commonly called inetd) starts a\n"
+"variety of other internet services as needed. It is responsible for "
+"starting\n"
+"many services, including telnet, ftp, rsh, and rlogin. Disabling inetd "
+"disables\n"
+"all of the services it is responsible for."
+msgstr "dan."
+
+#: services.pm:40
#, c-format
-msgid "search"
+msgid ""
+"Launch packet filtering for Linux kernel 2.2 series, to set\n"
+"up a firewall to protect your machine from network attacks."
msgstr ""
-#: ../../services.pm:1
+#: services.pm:42
#, fuzzy, c-format
msgid ""
"This package loads the selected keyboard map as set in\n"
@@ -11086,7417 +12472,8561 @@ msgid ""
"You should leave this enabled for most machines."
msgstr "dalam dihidupkan."
-#: ../../Xconfig/card.pm:1
-#, c-format
-msgid "Xpmac (installation display driver)"
-msgstr ""
+#: services.pm:45
+#, fuzzy, c-format
+msgid ""
+"Automatic regeneration of kernel header in /boot for\n"
+"/usr/include/linux/{autoconf,version}.h"
+msgstr "dalam"
-#: ../../network/ethernet.pm:1 ../../network/network.pm:1
+#: services.pm:47
+#, fuzzy, c-format
+msgid "Automatic detection and configuration of hardware at boot."
+msgstr "dan."
+
+#: services.pm:48
#, c-format
-msgid "Zeroconf host name must not contain a ."
+msgid ""
+"Linuxconf will sometimes arrange to perform various tasks\n"
+"at boot-time to maintain the system configuration."
msgstr ""
-#: ../../security/help.pm:1
+#: services.pm:50
#, fuzzy, c-format
-msgid " Accept/Refuse icmp echo."
-msgstr "Terima."
+msgid ""
+"lpd is the print daemon required for lpr to work properly. It is\n"
+"basically a server that arbitrates print jobs to printer(s)."
+msgstr "lpd."
-#: ../../services.pm:1
+#: services.pm:52
#, fuzzy, c-format
msgid ""
-"Syslog is the facility by which many daemons use to log messages\n"
-"to various system log files. It is a good idea to always run syslog."
-msgstr "fail."
+"Linux Virtual Server, used to build a high-performance and highly\n"
+"available server."
+msgstr "Pelayan dan."
-#: ../../harddrake/data.pm:1 ../../standalone/harddrake2:1
+#: services.pm:54
#, fuzzy, c-format
-msgid "Unknown/Others"
-msgstr "Entah"
+msgid ""
+"named (BIND) is a Domain Name Server (DNS) that is used to resolve host "
+"names to IP addresses."
+msgstr "Domain Nama Pelayan IP."
-#: ../../standalone/drakxtv:1
+#: services.pm:55
#, fuzzy, c-format
-msgid "No TV Card detected!"
-msgstr "Tidak!"
+msgid ""
+"Mounts and unmounts all Network File System (NFS), SMB (Lan\n"
+"Manager/Windows), and NCP (NetWare) mount points."
+msgstr "dan Rangkaian Fail Sistem SMB Tetingkap dan."
-#: ../../Xconfig/main.pm:1 ../../diskdrake/dav.pm:1
-#: ../../diskdrake/interactive.pm:1 ../../diskdrake/removable.pm:1
-#: ../../diskdrake/smbnfs_gtk.pm:1 ../../standalone/harddrake2:1
+#: services.pm:57
#, fuzzy, c-format
-msgid "Options"
-msgstr "Pilihan"
+msgid ""
+"Activates/Deactivates all network interfaces configured to start\n"
+"at boot time."
+msgstr "mula."
-#: ../../printer/printerdrake.pm:1
+#: services.pm:59
#, fuzzy, c-format
-msgid "The printer \"%s\" is set as the default printer now."
-msgstr "default."
+msgid ""
+"NFS is a popular protocol for file sharing across TCP/IP networks.\n"
+"This service provides NFS server functionality, which is configured via the\n"
+"/etc/exports file."
+msgstr "fail IP fail."
-#: ../../printer/printerdrake.pm:1
+#: services.pm:62
#, fuzzy, c-format
msgid ""
-"You are configuring an OKI laser winprinter. These printers\n"
-"use a very special communication protocol and therefore they work only when "
-"connected to the first parallel port. When your printer is connected to "
-"another port or to a print server box please connect the printer to the "
-"first parallel port before you print a test page. Otherwise the printer will "
-"not work. Your connection type setting will be ignored by the driver."
-msgstr "dan."
+"NFS is a popular protocol for file sharing across TCP/IP\n"
+"networks. This service provides NFS file locking functionality."
+msgstr "fail IP fail."
-#: ../../standalone/harddrake2:1
-#, c-format
-msgid "generation of the cpu (eg: 8 for PentiumIII, ...)"
-msgstr ""
+#: services.pm:64
+#, fuzzy, c-format
+msgid ""
+"Automatically switch on numlock key locker under console\n"
+"and XFree at boot."
+msgstr "on."
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Auto-detected"
-msgstr ""
+#: services.pm:66
+#, fuzzy, c-format
+msgid "Support the OKI 4w and compatible winprinters."
+msgstr "dan."
-#: ../../standalone/drakpxe:1
+#: services.pm:67
#, fuzzy, c-format
msgid ""
-"You are about to configure your computer to install a PXE server as a DHCP "
-"server\n"
-"and a TFTP server to build an installation server.\n"
-"With that feature, other computers on your local network will be installable "
-"using this computer as source.\n"
-"\n"
-"Make sure you have configured your Network/Internet access using drakconnect "
-"before going any further.\n"
-"\n"
-"Note: you need a dedicated Network Adapter to set up a Local Area Network "
-"(LAN)."
-msgstr "DHCP on lokal Rangkaian Internet Rangkaian Rangkaian."
+"PCMCIA support is usually to support things like ethernet and\n"
+"modems in laptops. It won't get started unless configured so it is safe to "
+"have\n"
+"it installed on machines that don't need it."
+msgstr "dan dalam on."
-#: ../../harddrake/sound.pm:1
+#: services.pm:70
#, fuzzy, c-format
msgid ""
-"OSS (Open Sound System) was the first sound API. It's an OS independent "
-"sound API (it's available on most UNIX(tm) systems) but it's a very basic "
-"and limited API.\n"
-"What's more, OSS drivers all reinvent the wheel.\n"
-"\n"
-"ALSA (Advanced Linux Sound Architecture) is a modularized architecture "
-"which\n"
-"supports quite a large range of ISA, USB and PCI cards.\n"
-"\n"
-"It also provides a much higher API than OSS.\n"
-"\n"
-"To use alsa, one can either use:\n"
-"- the old compatibility OSS api\n"
-"- the new ALSA api that provides many enhanced features but requires using "
-"the ALSA library.\n"
-msgstr "Buka Bunyi Sistem on asas dan Lanjutan Bunyi USB dan"
+"The portmapper manages RPC connections, which are used by\n"
+"protocols such as NFS and NIS. The portmap server must be running on "
+"machines\n"
+"which act as servers for protocols which make use of the RPC mechanism."
+msgstr "dan NIS on protokol."
-#: ../../install_steps_interactive.pm:1
+#: services.pm:73
#, fuzzy, c-format
msgid ""
-"No free space for 1MB bootstrap! Install will continue, but to boot your "
-"system, you'll need to create the bootstrap partition in DiskDrake"
-msgstr "Tidak Install dalam"
+"Postfix is a Mail Transport Agent, which is the program that moves mail from "
+"one machine to another."
+msgstr "Mel."
-#: ../../printer/printerdrake.pm:1
+#: services.pm:74
#, fuzzy, c-format
msgid ""
-"Please choose the printer you want to set up or enter a device name/file "
-"name in the input line"
-msgstr "fail dalam"
-
-#: ../../install_steps_gtk.pm:1 ../../install_steps_interactive.pm:1
-#, c-format
-msgid "Refuse"
-msgstr ""
-
-#: ../../standalone/draksec:1
-#, c-format
-msgid "LOCAL"
-msgstr ""
+"Saves and restores system entropy pool for higher quality random\n"
+"number generation."
+msgstr "dan."
-#: ../../diskdrake/hd_gtk.pm:1
+#: services.pm:76
#, c-format
-msgid "HFS"
+msgid ""
+"Assign raw devices to block devices (such as hard drive\n"
+"partitions), for the use of applications such as Oracle or DVD players"
msgstr ""
-#: ../../services.pm:1
+#: services.pm:78
#, fuzzy, c-format
msgid ""
-"HardDrake runs a hardware probe, and optionally configures\n"
-"new/changed hardware."
-msgstr "dan."
-
-#: ../../fs.pm:1
-#, fuzzy, c-format
-msgid "Creating and formatting file %s"
-msgstr "Mencipta dan fail"
+"The routed daemon allows for automatic IP router table updated via\n"
+"the RIP protocol. While RIP is widely used on small networks, more complex\n"
+"routing protocols are needed for complex networks."
+msgstr "IP on protokol."
-#: ../../security/help.pm:1
+#: services.pm:81
#, fuzzy, c-format
-msgid "if set to yes, check additions/removals of sgid files."
-msgstr "ya fail."
+msgid ""
+"The rstat protocol allows users on a network to retrieve\n"
+"performance metrics for any machine on that network."
+msgstr "on on."
-#: ../../printer/printerdrake.pm:1
+#: services.pm:83
#, fuzzy, c-format
msgid ""
-"The HP LaserJet 1000 needs its firmware to be uploaded after being turned "
-"on. Download the Windows driver package from the HP web site (the firmware "
-"on the printer's CD does not work) and extract the firmware file from it by "
-"uncompresing the self-extracting '.exe' file with the 'unzip' utility and "
-"searching for the 'sihp1000.img' file. Copy this file into the '/etc/"
-"printer' directory. There it will be found by the automatic uploader script "
-"and uploaded whenever the printer is connected and turned on.\n"
-msgstr "on Tetingkap on dan fail fail dan fail Salin fail direktori dan dan on"
+"The rusers protocol allows users on a network to identify who is\n"
+"logged in on other responding machines."
+msgstr "on dalam on."
-#: ../../diskdrake/interactive.pm:1
+#: services.pm:85
#, c-format
-msgid "Choose an existing LVM to add to"
+msgid ""
+"The rwho protocol lets remote users get a list of all of the users\n"
+"logged into a machine running the rwho daemon (similiar to finger)."
msgstr ""
-#: ../../standalone/drakfont:1
-#, c-format
-msgid "xfs restart"
-msgstr ""
+#: services.pm:87
+#, fuzzy, c-format
+msgid "Launch the sound system on your machine"
+msgstr "on"
-#: ../../printer/printerdrake.pm:1
-#, c-format
+#: services.pm:88
+#, fuzzy, c-format
msgid ""
-"The printer \"%s\" already exists,\n"
-"do you really want to overwrite its configuration?"
+"Syslog is the facility by which many daemons use to log messages\n"
+"to various system log files. It is a good idea to always run syslog."
+msgstr "fail."
+
+#: services.pm:90
+#, c-format
+msgid "Load the drivers for your usb devices."
msgstr ""
-#: ../../standalone/scannerdrake:1
+#: services.pm:91
#, fuzzy, c-format
-msgid "Use the scanners on hosts: "
-msgstr "on hos "
+msgid "Starts the X Font Server (this is mandatory for XFree to run)."
+msgstr "Font Pelayan."
-#: ../../standalone/drakfont:1
+#: services.pm:117 services.pm:159
#, c-format
-msgid "Unselected All"
+msgid "Choose which services should be automatically started at boot time"
msgstr ""
-#: ../../install_steps_interactive.pm:1 ../../network/tools.pm:1
+#: services.pm:129
#, fuzzy, c-format
-msgid "No partition available"
-msgstr "Tidak"
+msgid "Printing"
+msgstr "Cetakan"
-#: ../../standalone/printerdrake:1
+#: services.pm:130
#, fuzzy, c-format
-msgid "Printer Management \n"
-msgstr "Baru"
+msgid "Internet"
+msgstr "Internet"
-#: ../../standalone/logdrake:1
+#: services.pm:133
#, fuzzy, c-format
-msgid "Domain Name Resolver"
-msgstr "Domain Nama"
+msgid "File sharing"
+msgstr "Fail"
-#: ../../diskdrake/interactive.pm:1
+#: services.pm:140
#, c-format
-msgid "Encryption key (again)"
+msgid "Remote Administration"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: services.pm:148
#, c-format
-msgid "Samba share name missing!"
+msgid "Database Server"
msgstr ""
-#: ../../standalone/drakfont:1
-#, fuzzy, c-format
-msgid "True Type install done"
-msgstr "Jenis"
-
-#: ../../standalone/harddrake2:1
-#, fuzzy, c-format
-msgid "Detection in progress"
-msgstr "dalam"
-
-#: ../../standalone/drakTermServ:1
+#: services.pm:211
#, c-format
-msgid "Build Whole Kernel -->"
+msgid "running"
msgstr ""
-#: ../../network/netconnect.pm:1
+#: services.pm:211
#, c-format
-msgid "modem"
+msgid "stopped"
msgstr ""
-#: ../../lang.pm:1
+#: services.pm:215
#, fuzzy, c-format
-msgid "Welcome to %s"
-msgstr "Selamat datang ke %s"
+msgid "Services and deamons"
+msgstr "Perkhidmatan dan"
-#: ../../standalone/drakhelp:1
-#, c-format
+#: services.pm:221
+#, fuzzy, c-format
msgid ""
-" drakhelp 0.1\n"
-"Copyright (C) 2003 MandrakeSoft.\n"
-"This is free software and may be redistributed under the terms of the GNU "
-"GPL.\n"
-"\n"
-"Usage: \n"
-msgstr ""
+"No additional information\n"
+"about this service, sorry."
+msgstr "Tidak."
-#: ../../install_steps_interactive.pm:1
+#: services.pm:226 ugtk2.pm:1139
#, fuzzy, c-format
-msgid "Please insert the Update Modules floppy in drive %s"
-msgstr "Kemaskini saja dalam"
+msgid "Info"
+msgstr "Maklumat"
-#: ../../standalone/drakboot:1
-#, c-format
-msgid "Bootsplash"
-msgstr ""
+#: services.pm:229
+#, fuzzy, c-format
+msgid "Start when requested"
+msgstr "Mula"
-#: ../../printer/printerdrake.pm:1
+#: services.pm:229
#, c-format
-msgid ""
-"The following printer\n"
-"\n"
-"%s%s\n"
-"is directly connected to your system"
+msgid "On boot"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: services.pm:244
#, fuzzy, c-format
-msgid "Printer sharing on hosts/networks: "
-msgstr "on hos "
+msgid "Start"
+msgstr "Mula"
-#: ../../printer/printerdrake.pm:1
+#: services.pm:244
#, c-format
-msgid ""
-"\n"
-"The \"%s\" command also allows to modify the option settings for a "
-"particular printing job. Simply add the desired settings to the command "
-"line, e. g. \"%s <file>\". "
-msgstr ""
+msgid "Stop"
+msgstr "Henti"
-#: ../../standalone/drakclock:1
+#: share/advertising/dis-01.pl:13 share/advertising/dwd-01.pl:13
+#: share/advertising/ppp-01.pl:13 share/advertising/pwp-01.pl:13
#, c-format
-msgid "DrakClock"
+msgid "<b>Congratulations for choosing Mandrake Linux!</b>"
msgstr ""
-#: ../../modules/interactive.pm:1
+#: share/advertising/dis-01.pl:15 share/advertising/dwd-01.pl:15
+#: share/advertising/ppp-01.pl:15 share/advertising/pwp-01.pl:15
#, fuzzy, c-format
-msgid ""
-"In some cases, the %s driver needs to have extra information to work\n"
-"properly, although it normally works fine without them. Would you like to "
-"specify\n"
-"extra options for it or allow the driver to probe your machine for the\n"
-"information it needs? Occasionally, probing will hang a computer, but it "
-"should\n"
-"not cause any damage."
-msgstr "Masuk."
+msgid "Welcome to the Open Source world!"
+msgstr "Selamat Datang Buka."
-#: ../../standalone/drakbackup:1
+#: share/advertising/dis-01.pl:17
#, c-format
-msgid "Not the correct CD label. Disk is labelled %s."
+msgid ""
+"Your new Mandrake Linux operating system and its many applications is the "
+"result of collaborative efforts between MandrakeSoft developers and Mandrake "
+"Linux contributors throughout the world."
msgstr ""
-#: ../../standalone/drakbackup:1
+#: share/advertising/dis-01.pl:19 share/advertising/dwd-01.pl:19
+#: share/advertising/ppp-01.pl:19
#, c-format
msgid ""
-"\n"
-"- Daemon, %s via:\n"
+"We would like to thank everyone who participated in the development of this "
+"latest release."
msgstr ""
-#: ../../lang.pm:1
+#: share/advertising/dis-02.pl:13
#, fuzzy, c-format
-msgid "Cuba"
-msgstr "Cuba"
+msgid "<b>Discovery</b>"
+msgstr "Jurupacu"
-#: ../../standalone/drakbackup:1
+#: share/advertising/dis-02.pl:15
#, c-format
-msgid "October"
+msgid ""
+"Discovery is the easiest and most user-friendly Linux distribution. It "
+"includes a hand-picked selection of premium software for Office, Multimedia "
+"and Internet activities."
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Belize"
-msgstr "Belize"
-
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Searching for new printers..."
-msgstr "Mencari."
-
-#: ../../standalone/drakbackup:1
+#: share/advertising/dis-02.pl:17
#, c-format
-msgid " (multi-session)"
+msgid "The menu is task-oriented, with a single selected application per task."
msgstr ""
-#: ../../any.pm:1
+#: share/advertising/dis-03.pl:13
#, c-format
-msgid "Kernel Boot Timeout"
+msgid "<b>The KDE Choice</b>"
msgstr ""
-#: ../../Xconfig/card.pm:1
-#, fuzzy, c-format
+#: share/advertising/dis-03.pl:15
+#, c-format
msgid ""
-"Your card can have 3D hardware acceleration support but only with XFree %s.\n"
-"Your card is supported by XFree %s which may have a better support in 2D."
-msgstr "dalam."
+"The powerful Open Source graphical desktop environment KDE is the desktop of "
+"choice for the Discovery Pack."
+msgstr ""
-#: ../../security/help.pm:1
+#: share/advertising/dis-04.pl:13
#, c-format
-msgid " Activate/Disable daily security check."
+msgid "<b>OpenOffice.org</b>: The complete Linux office suite."
msgstr ""
-#: ../../standalone/drakbackup:1
+#: share/advertising/dis-04.pl:15
#, c-format
-msgid "\t-CD-R.\n"
+msgid ""
+"<b>WRITER</b> is a powerful word processor for creating all types of text "
+"documents. Documents may include images, diagrams and tables."
msgstr ""
-#: ../../security/l10n.pm:1
-#, fuzzy, c-format
-msgid "Enable libsafe if libsafe is found on the system"
-msgstr "on"
-
-#: ../../install_interactive.pm:1
-#, fuzzy, c-format
-msgid "The DrakX Partitioning wizard found the following solutions:"
-msgstr "Pempartisyenan:"
-
-#: ../../keyboard.pm:1
+#: share/advertising/dis-04.pl:16
#, c-format
-msgid "Hungarian"
+msgid ""
+"<b>CALC</b> is a feature-packed spreadsheet which enables you to compute, "
+"analyze and manage all of your data."
msgstr ""
-#: ../../network/isdn.pm:1
+#: share/advertising/dis-04.pl:17
#, c-format
msgid ""
-"Select your provider.\n"
-"If it isn't listed, choose Unlisted."
+"<b>IMPRESS</b> is the fastest, most powerful way to create effective "
+"multimedia presentations."
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: share/advertising/dis-04.pl:18
#, c-format
-msgid "Automatic time synchronization (using NTP)"
+msgid ""
+"<b>DRAW</b> will produce everything from simple diagrams to dynamic 3D "
+"illustrations."
msgstr ""
-#: ../../network/adsl.pm:1
+#: share/advertising/dis-05.pl:13 share/advertising/dis-06.pl:13
#, fuzzy, c-format
-msgid "Use my Windows partition"
-msgstr "Tetingkap"
+msgid "<b>Surf The Internet</b>"
+msgstr "Internet"
-#: ../../Xconfig/card.pm:1
+#: share/advertising/dis-05.pl:15
#, c-format
-msgid "8 MB"
+msgid "Discover the new integrated personal information suite KDE Kontact."
msgstr ""
-#: ../../any.pm:1
-#, fuzzy, c-format
-msgid "LDAP Server"
-msgstr "LDAP"
-
-#: ../../services.pm:1
-#, fuzzy, c-format
+#: share/advertising/dis-05.pl:17
+#, c-format
msgid ""
-"PCMCIA support is usually to support things like ethernet and\n"
-"modems in laptops. It won't get started unless configured so it is safe to "
-"have\n"
-"it installed on machines that don't need it."
-msgstr "dan dalam on."
+"More than just a full-featured email client, <b>Kontact</b> also includes an "
+"address book, a calendar and scheduling program, plus a tool for taking "
+"notes!"
+msgstr ""
-#: ../../network/tools.pm:1
+#: share/advertising/dis-06.pl:15
#, c-format
-msgid "Choose your country"
+msgid "You can also:"
msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid ""
-"\n"
-"- System Files:\n"
-msgstr "Sistem"
-
-#: ../../standalone/drakbug:1
+#: share/advertising/dis-06.pl:16
#, c-format
-msgid "Standalone Tools"
+msgid "\t- browse the Web"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: share/advertising/dis-06.pl:17
#, c-format
-msgid "Where"
+msgid "\t- chat"
msgstr ""
-#: ../../standalone/logdrake:1
+#: share/advertising/dis-06.pl:18
#, c-format
-msgid "but not matching"
+msgid "\t- organize a video-conference"
msgstr ""
-#: ../../harddrake/sound.pm:1
+#: share/advertising/dis-06.pl:19
#, c-format
-msgid ""
-"Here you can select an alternative driver (either OSS or ALSA) for your "
-"sound card (%s)."
+msgid "\t- create your own Web site"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: share/advertising/dis-06.pl:20
#, c-format
-msgid "Configuring PCMCIA cards..."
+msgid "\t- ..."
msgstr ""
-#: ../../common.pm:1
+#: share/advertising/dis-07.pl:13
#, c-format
-msgid "kdesu missing"
+msgid "<b>Multimedia</b>: Software for every need!"
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: share/advertising/dis-07.pl:15
#, c-format
-msgid "%s: %s requires a username...\n"
+msgid "Listen to audio CDs with <b>KsCD</b>."
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: share/advertising/dis-07.pl:17
#, c-format
-msgid "Encryption key"
+msgid "Listen to music files and watch videos with <b>Totem</b>."
msgstr ""
-#: ../../mouse.pm:1
+#: share/advertising/dis-07.pl:19
#, c-format
-msgid "Microsoft IntelliMouse"
+msgid "View and edit images and photos with <b>GQview</b> and <b>The Gimp!</b>"
msgstr ""
-#: ../../keyboard.pm:1
+#: share/advertising/dis-08.pl:13 share/advertising/ppp-08.pl:13
+#: share/advertising/pwp-07.pl:13
+#, fuzzy, c-format
+msgid "<b>Mandrake Control Center</b>"
+msgstr "Pusat Kawalan Mandrake"
+
+#: share/advertising/dis-08.pl:15 share/advertising/ppp-08.pl:15
+#: share/advertising/pwp-07.pl:15
#, c-format
msgid ""
-"This setting will be activated after the installation.\n"
-"During installation, you will need to use the Right Control\n"
-"key to switch between the different keyboard layouts."
+"The Mandrake Control Center is an essential collection of Mandrake-specific "
+"utilities for simplifying the configuration of your computer."
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Christmas Island"
-msgstr "Kepulauan Krismas"
-
-#: ../../mouse.pm:1
-#, fuzzy, c-format
-msgid "Automatic"
-msgstr "Antarctika"
+#: share/advertising/dis-08.pl:17 share/advertising/ppp-08.pl:17
+#: share/advertising/pwp-07.pl:17
+#, c-format
+msgid ""
+"You will immediately appreciate this collection of handy utilities for "
+"easily configuring hardware devices, defining mount points, setting up "
+"Network and Internet, adjusting the security level of your computer, and "
+"just about everything related to the system."
+msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: share/advertising/dis-09.pl:13 share/advertising/dwd-06.pl:13
+#: share/advertising/ppp-09.pl:13 share/advertising/pwp-08.pl:13
#, fuzzy, c-format
-msgid "Installation of bootloader failed. The following error occured:"
-msgstr "ralat:"
+msgid "<b>MandrakeStore</b>"
+msgstr "Pusat Kawalan Mandrake"
-#: ../../standalone/harddrake2:1
+#: share/advertising/dis-09.pl:15 share/advertising/ppp-09.pl:15
+#: share/advertising/pwp-08.pl:15
#, c-format
-msgid "EIDE/SCSI channel"
+msgid ""
+"Find all MandrakeSoft products and services at <b>MandrakeStore</b> -- our "
+"full service e-commerce platform."
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: share/advertising/dis-09.pl:17 share/advertising/dwd-06.pl:19
+#: share/advertising/ppp-09.pl:17 share/advertising/pwp-08.pl:17
#, c-format
-msgid "Set this printer as the default"
+msgid "Stop by today at <b>www.mandrakestore.com</b>"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: share/advertising/dis-10.pl:13 share/advertising/ppp-10.pl:13
+#: share/advertising/pwp-09.pl:13
#, c-format
-msgid "Verify that %s is the correct path"
+msgid "Become a <b>MandrakeClub</b> member!"
msgstr ""
-#: ../../install_interactive.pm:1
+#: share/advertising/dis-10.pl:15 share/advertising/ppp-10.pl:15
+#: share/advertising/pwp-09.pl:15
#, c-format
-msgid "partition %s"
+msgid ""
+"Take advantage of valuable benefits, products and services by joining "
+"MandrakeClub, such as:"
msgstr ""
-#: ../../security/level.pm:1
+#: share/advertising/dis-10.pl:16 share/advertising/dwd-07.pl:16
+#: share/advertising/ppp-10.pl:17 share/advertising/pwp-09.pl:16
#, c-format
-msgid "Paranoid"
+msgid "\t- Full access to commercial applications"
msgstr ""
-#: ../../any.pm:1
-#, fuzzy, c-format
-msgid "NIS"
-msgstr "NIS"
-
-#: ../../standalone/drakTermServ:1
+#: share/advertising/dis-10.pl:17 share/advertising/dwd-07.pl:17
+#: share/advertising/ppp-10.pl:18 share/advertising/pwp-09.pl:17
#, c-format
-msgid "<-- Del User"
+msgid "\t- Special download mirror list exclusively for MandrakeClub Members"
msgstr ""
-#: ../../standalone/harddrake2:1
-#, fuzzy, c-format
-msgid "Location on the bus"
-msgstr "Lokasi on"
-
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "No printer found!"
-msgstr "Tidak!"
-
-#: ../../standalone/harddrake2:1
+#: share/advertising/dis-10.pl:18 share/advertising/dwd-07.pl:18
+#: share/advertising/ppp-10.pl:19 share/advertising/pwp-09.pl:18
#, c-format
-msgid "the vendor name of the device"
+msgid "\t- Voting for software to put in Mandrake Linux"
msgstr ""
-#: ../../help.pm:1 ../../install_interactive.pm:1
+#: share/advertising/dis-10.pl:19 share/advertising/dwd-07.pl:19
+#: share/advertising/ppp-10.pl:20 share/advertising/pwp-09.pl:19
#, c-format
-msgid "Erase entire disk"
+msgid "\t- Special discounts for products and services at MandrakeStore"
msgstr ""
-#: ../../printer/cups.pm:1 ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid " (Default)"
-msgstr "Default"
-
-#: ../../standalone/drakgw:1
+#: share/advertising/dis-10.pl:20 share/advertising/dwd-07.pl:20
+#: share/advertising/ppp-04.pl:21 share/advertising/ppp-06.pl:19
+#: share/advertising/ppp-10.pl:21 share/advertising/pwp-04.pl:21
+#: share/advertising/pwp-09.pl:20
#, c-format
-msgid "Automatic reconfiguration"
+msgid "\t- Plus much more"
msgstr ""
-#: ../../standalone/net_monitor:1
+#: share/advertising/dis-10.pl:22 share/advertising/dwd-07.pl:22
+#: share/advertising/ppp-10.pl:23 share/advertising/pwp-09.pl:22
#, c-format
-msgid "Receiving Speed:"
+msgid "For more information, please visit <b>www.mandrakeclub.com</b>"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Turks and Caicos Islands"
-msgstr "Kepulauan Caicos dan Turks"
-
-#: ../../standalone/drakconnect:1
+#: share/advertising/dis-11.pl:13
#, c-format
-msgid "No Ip"
+msgid "Do you require assistance?"
msgstr ""
-#: ../../help.pm:1 ../../install_steps_gtk.pm:1 ../../interactive.pm:1
-#: ../../ugtk2.pm:1 ../../interactive/newt.pm:1
-#: ../../printer/printerdrake.pm:1 ../../standalone/drakbackup:1
+#: share/advertising/dis-11.pl:15 share/advertising/dwd-08.pl:16
+#: share/advertising/ppp-11.pl:15 share/advertising/pwp-10.pl:15
#, c-format
-msgid "<- Previous"
+msgid "<b>MandrakeExpert</b> is the primary source for technical support."
msgstr ""
-#: ../../standalone/drakbackup:1
+#: share/advertising/dis-11.pl:17 share/advertising/dwd-08.pl:18
+#: share/advertising/ppp-11.pl:17 share/advertising/pwp-10.pl:17
#, c-format
-msgid "Transfer Now"
+msgid ""
+"If you have Linux questions, subscribe to MandrakeExpert at <b>www."
+"mandrakeexpert.com</b>"
msgstr ""
-#: ../../install_steps_interactive.pm:1
-#, fuzzy, c-format
-msgid "Set root password and network authentication methods"
-msgstr "dan"
-
-#: ../../ugtk2.pm:1
-#, fuzzy, c-format
-msgid "Toggle between flat and group sorted"
-msgstr "dan"
-
-#: ../../standalone/drakboot:1
+#: share/advertising/dwd-01.pl:17
#, c-format
-msgid "Themes"
-msgstr "Tema"
+msgid ""
+"Mandrake Linux is committed to the Open Source Model and fully respects the "
+"General Public License. This new release is the result of collaboration "
+"between MandrakeSoft's team of developers and the worldwide community of "
+"Mandrake Linux contributors."
+msgstr ""
-#: ../../diskdrake/dav.pm:1 ../../diskdrake/interactive.pm:1
-#, fuzzy, c-format
-msgid "Options: %s"
-msgstr "Pilihan"
+#: share/advertising/dwd-02.pl:13
+#, c-format
+msgid "<b>Join the Mandrake Linux community!</b>"
+msgstr ""
-#: ../../standalone/drakboot:1
-#, fuzzy, c-format
+#: share/advertising/dwd-02.pl:15
+#, c-format
msgid ""
-"You are currently using %s as your boot manager.\n"
-"Click on Configure to launch the setup wizard."
-msgstr "on."
+"If you would like to get involved, please subscribe to the \"Cooker\" "
+"mailing list by visiting <b>mandrake-linux.com/cooker</b>"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: share/advertising/dwd-02.pl:17
#, c-format
-msgid "OKI winprinter configuration"
+msgid ""
+"To learn more about our dynamic community, please visit <b>www.mandrake-"
+"linux.com</b>!"
msgstr ""
-#: ../../lang.pm:1
+#: share/advertising/dwd-03.pl:13
#, c-format
-msgid "Saint Helena"
-msgstr "Santa Helena"
+msgid "<b>What is Mandrake Linux?</b>"
+msgstr ""
-#: ../../printer/main.pm:1
-#, fuzzy, c-format
-msgid "Parallel port #%s"
-msgstr "on"
+#: share/advertising/dwd-03.pl:15
+#, c-format
+msgid ""
+"Mandrake Linux is an Open Source distribution created with thousands of the "
+"choicest applications from the Free Software world. Mandrake Linux is one of "
+"the most widely used Linux distributions worldwide!"
+msgstr ""
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
-#, fuzzy, c-format
-msgid "Security Level"
-msgstr "Keselamatan"
+#: share/advertising/dwd-03.pl:17
+#, c-format
+msgid ""
+"Mandrake Linux includes the famous graphical desktops KDE and GNOME, plus "
+"the latest versions of the most popular Open Source applications."
+msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: share/advertising/dwd-04.pl:13
#, c-format
msgid ""
-"Some steps are not completed.\n"
-"\n"
-"Do you really want to quit now?"
+"Mandrake Linux is widely known as the most user-friendly and the easiest to "
+"install and easy to use Linux distribution."
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Sudan"
-msgstr "Sudan"
+#: share/advertising/dwd-04.pl:15
+#, c-format
+msgid "Find out about our <b>Personal Solutions</b>:"
+msgstr ""
-#: ../../keyboard.pm:1
+#: share/advertising/dwd-04.pl:16
#, c-format
-msgid "Polish (qwertz layout)"
+msgid "\t- Find out Mandrake Linux on a bootable CD with <b>MandrakeMove</b>"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Syria"
-msgstr "Syria"
+#: share/advertising/dwd-04.pl:17
+#, c-format
+msgid ""
+"\t- If you use Linux mostly for Office, Internet and Multimedia tasks, "
+"<b>Discovery</b> perfectly meets your needs"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: share/advertising/dwd-04.pl:18
#, c-format
msgid ""
-"Is your printer a multi-function device from HP or Sony (OfficeJet, PSC, "
-"LaserJet 1100/1200/1220/3200/3300 with scanner, DeskJet 450, Sony IJP-V100), "
-"an HP PhotoSmart or an HP LaserJet 2200?"
+"\t- If you appreciate the largest selection of software including powerful "
+"development tools, <b>PowerPack</b> is for you"
msgstr ""
-#. -PO: these messages will be displayed at boot time in the BIOS, use only ASCII (7bit)
-#: ../../bootloader.pm:1
-#, fuzzy, c-format
+#: share/advertising/dwd-04.pl:19
+#, c-format
msgid ""
-"Welcome to %s the operating system chooser!\n"
-"\n"
-"Choose an operating system from the list above or\n"
-"wait %d seconds for default boot.\n"
-"\n"
-msgstr "Selamat Datang saat default"
+"\t- If you require a full-featured Linux solution customized for small to "
+"medium-sized networks, choose <b>PowerPack+</b>"
+msgstr ""
-#: ../../keyboard.pm:1
-#, fuzzy, c-format
-msgid "Portuguese"
-msgstr "Portugis"
+#: share/advertising/dwd-05.pl:13
+#, c-format
+msgid "Find out also our <b>Business Solutions</b>!"
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
-#, fuzzy, c-format
-msgid "Loopback file name: "
-msgstr "fail "
+#: share/advertising/dwd-05.pl:15
+#, c-format
+msgid ""
+"<b>Corporate Server</b>: the ideal solution for entreprises. It is a "
+"complete \"all-in-one\" solution that includes everything needed to rapidly "
+"deploy world-class Linux server applications."
+msgstr ""
-#: ../../network/network.pm:1
-#, fuzzy, c-format
-msgid "DNS server address should be in format 1.2.3.4"
-msgstr "dalam"
+#: share/advertising/dwd-05.pl:17
+#, c-format
+msgid ""
+"<b>Multi Network Firewall</b>: based on Linux 2.4 \"kernel secure\" to "
+"provide multi-VPN as well as multi-DMZ functionalities. It is the perfect "
+"high performance security solution."
+msgstr ""
-#: ../../keyboard.pm:1
-#, fuzzy, c-format
-msgid "Left Control key"
-msgstr "Kiri"
+#: share/advertising/dwd-05.pl:19
+#, c-format
+msgid ""
+"<b>MandrakeClustering</b>: the power and speed of a Linux cluster combined "
+"with the stability and easy-of-use of the world-famous Mandrake Linux "
+"distribution. A unique blend for incomparable HPC performance."
+msgstr ""
-#: ../../lang.pm:1
+#: share/advertising/dwd-06.pl:15
#, c-format
-msgid "Serbia"
+msgid ""
+"Find all MandrakeSoft products at <b>MandrakeStore</b> -- our full service e-"
+"commerce platform."
msgstr ""
-#: ../../standalone/drakxtv:1
+#: share/advertising/dwd-06.pl:17
#, c-format
-msgid "Newzealand"
+msgid ""
+"Find out also support incidents if you have any problems, from standard to "
+"professional support, from 1 to 50 incidents, take the one which meets "
+"perfectly your needs!"
msgstr ""
-#: ../../fsedit.pm:1
-#, fuzzy, c-format
-msgid "This directory should remain within the root filesystem"
-msgstr "direktori"
+#: share/advertising/dwd-07.pl:13
+#, c-format
+msgid "<b>Become a MandrakeClub member!</b>"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: share/advertising/dwd-07.pl:15
#, c-format
-msgid "Across Network"
+msgid ""
+"Take advantage of valuable benefits, products and services by joining "
+"Mandrake Club, such as:"
msgstr ""
-#: ../../keyboard.pm:1
+#: share/advertising/dwd-08.pl:14 share/advertising/ppp-11.pl:13
+#: share/advertising/pwp-10.pl:13
#, c-format
-msgid "CapsLock key"
+msgid "<b>Do you require assistance?</b>"
msgstr ""
-#: ../../steps.pm:1
-#, fuzzy, c-format
-msgid "Install bootloader"
-msgstr "Install"
+#: share/advertising/dwd-09.pl:16
+#, c-format
+msgid "<b>Note</b>"
+msgstr ""
-#: ../../Xconfig/card.pm:1
+#: share/advertising/dwd-09.pl:18
#, c-format
-msgid "Select the memory size of your graphics card"
+msgid "This is the Mandrake Linux <b>Download version</b>."
msgstr ""
-#: ../../security/help.pm:1
-#, fuzzy, c-format
+#: share/advertising/dwd-09.pl:20
+#, c-format
msgid ""
-"Enable/Disable crontab and at for users.\n"
-"\n"
-"Put allowed users in /etc/cron.allow and /etc/at.allow (see man at(1)\n"
-"and crontab(1))."
-msgstr "dan dalam dan."
+"The free download version does not include commercial software, and "
+"therefore may not work with certain modems (such as some ADSL and RTC) and "
+"video cards (such as ATI® and NVIDIA®)."
+msgstr ""
-#: ../../standalone.pm:1
-#, fuzzy, c-format
+#: share/advertising/ppp-01.pl:17
+#, c-format
msgid ""
-"[OPTIONS]\n"
-"Network & Internet connection and monitoring application\n"
-"\n"
-"--defaultintf interface : show this interface by default\n"
-"--connect : connect to internet if not already connected\n"
-"--disconnect : disconnect to internet if already connected\n"
-"--force : used with (dis)connect : force (dis)connection.\n"
-"--status : returns 1 if connected 0 otherwise, then exit.\n"
-"--quiet : don't be interactive. To be used with (dis)connect."
-msgstr "Internet dan default Kepada."
-
-#: ../../standalone/drakTermServ:1
-#, fuzzy, c-format
-msgid "Dynamic IP Address Pool:"
-msgstr "IP Alamat:"
+"Your new Mandrake Linux distribution and its many applications are the "
+"result of collaborative efforts between MandrakeSoft developers and Mandrake "
+"Linux contributors throughout the world."
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: share/advertising/ppp-02.pl:13
#, c-format
-msgid "LVM name?"
+msgid "<b>PowerPack+</b>"
msgstr ""
-#: ../../standalone/service_harddrake:1
-#, fuzzy, c-format
-msgid "Some devices in the \"%s\" hardware class were removed:\n"
-msgstr "dalam"
+#: share/advertising/ppp-02.pl:15
+#, c-format
+msgid ""
+"PowerPack+ is a full-featured Linux solution for small to medium-sized "
+"networks. PowerPack+ increases the value of the standard PowerPack by adding "
+"a comprehensive selection of world-class server applications."
+msgstr ""
-#: ../../modules/interactive.pm:1
+#: share/advertising/ppp-02.pl:17
#, c-format
-msgid "Found %s %s interfaces"
+msgid ""
+"It is the only Mandrake Linux product that includes the groupware solution."
msgstr ""
-#: ../../standalone/drakfont:1
+#: share/advertising/ppp-03.pl:13 share/advertising/pwp-03.pl:13
#, fuzzy, c-format
-msgid "Post Install"
-msgstr "Pasca Pasang"
+msgid "<b>Choose your graphical Desktop environment!</b>"
+msgstr "Lain-lain Grafikal"
-#: ../../standalone/drakgw:1
+#: share/advertising/ppp-03.pl:15 share/advertising/pwp-03.pl:15
#, c-format
-msgid "The internal domain name"
+msgid ""
+"When you log into your Mandrake Linux system for the first time, you can "
+"choose between several popular graphical desktops environments, including: "
+"KDE, GNOME, WindowMaker, IceWM, and others."
msgstr ""
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: share/advertising/ppp-04.pl:13
#, c-format
-msgid "Card IRQ"
+msgid ""
+"In the Mandrake Linux menu you will find easy-to-use applications for all "
+"tasks:"
msgstr ""
-#: ../../standalone/logdrake:1
+#: share/advertising/ppp-04.pl:15 share/advertising/pwp-04.pl:15
#, c-format
-msgid "logdrake"
+msgid "\t- Create, edit and share office documents with <b>OpenOffice.org</b>"
msgstr ""
-#: ../../standalone.pm:1
-#, fuzzy, c-format
+#: share/advertising/ppp-04.pl:16
+#, c-format
msgid ""
-"Font Importation and monitoring "
-"application \n"
-"--windows_import : import from all available windows partitions.\n"
-"--xls_fonts : show all fonts that already exist from xls\n"
-"--strong : strong verification of font.\n"
-"--install : accept any font file and any directry.\n"
-"--uninstall : uninstall any font or any directory of font.\n"
-"--replace : replace all font if already exist\n"
-"--application : 0 none application.\n"
-" : 1 all application available supported.\n"
-" : name_of_application like so for staroffice \n"
-" : and gs for ghostscript for only this one."
+"\t- Take charge of your personal data with the integrated personal "
+"information suites: <b>Kontact</b> and <b>Evolution</b>"
msgstr ""
-"Font dan terima fail dan direktori tiada\n"
-"\n"
-"\n"
-" dan."
-
-#: ../../standalone.pm:1
-#, fuzzy, c-format
-msgid " [--skiptest] [--cups] [--lprng] [--lpd] [--pdq]"
-msgstr "lpd"
-#: ../../any.pm:1
+#: share/advertising/ppp-04.pl:17
#, c-format
-msgid "Choose the floppy drive you want to use to make the bootdisk"
+msgid "\t- Browse the Web with <b>Mozilla and Konqueror</b>"
msgstr ""
-#: ../../bootloader.pm:1 ../../help.pm:1
+#: share/advertising/ppp-04.pl:18 share/advertising/pwp-04.pl:18
#, c-format
-msgid "LILO with text menu"
+msgid "\t- Participate in online chat with <b>Kopete</b>"
msgstr ""
-#: ../../standalone/net_monitor:1
+#: share/advertising/ppp-04.pl:19
#, c-format
-msgid "instantaneous"
+msgid ""
+"\t- Listen to audio CDs and music files with <b>KsCD</b> and <b>Totem</b>"
msgstr ""
-#: ../../network/drakfirewall.pm:1
-#, fuzzy, c-format
-msgid "Everything (no firewall)"
-msgstr "Semuanya tidak"
-
-#: ../../any.pm:1
+#: share/advertising/ppp-04.pl:20 share/advertising/pwp-04.pl:20
#, c-format
-msgid "You must specify a kernel image"
+msgid "\t- Edit images and photos with <b>The Gimp</b>"
msgstr ""
-#: ../../printer/main.pm:1
-#, fuzzy, c-format
-msgid ", multi-function device on USB"
-msgstr "on"
-
-#: ../../interactive/newt.pm:1
+#: share/advertising/ppp-05.pl:13
#, c-format
-msgid "Do"
+msgid ""
+"PowerPack+ includes everything needed for developing and creating your own "
+"software, including:"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: share/advertising/ppp-05.pl:15 share/advertising/pwp-05.pl:16
#, c-format
-msgid "Contacting the mirror to get the list of available packages..."
+msgid ""
+"\t- <b>Kdevelop</b>: a full featured, easy to use Integrated Development "
+"Environment for C++ programming"
msgstr ""
-#: ../../keyboard.pm:1
+#: share/advertising/ppp-05.pl:16 share/advertising/pwp-05.pl:17
#, c-format
-msgid "Lithuanian AZERTY (old)"
+msgid "\t- <b>GCC</b>: the GNU Compiler Collection"
msgstr ""
-#: ../../keyboard.pm:1
+#: share/advertising/ppp-05.pl:17 share/advertising/pwp-05.pl:18
#, c-format
-msgid "Brazilian (ABNT-2)"
+msgid "\t- <b>GDB</b>: the GNU Project debugger"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "IP address of host/network:"
-msgstr "IP:"
+#: share/advertising/ppp-05.pl:18 share/advertising/pwp-06.pl:16
+#, c-format
+msgid "\t- <b>Emacs</b>: a customizable and real time display editor"
+msgstr ""
-#: ../../standalone/draksplash:1
+#: share/advertising/ppp-05.pl:19
#, c-format
msgid ""
-"the progress bar y coordinate\n"
-"of its upper left corner"
+"\t- <b>Xemacs</b>: open source text editor and application development system"
msgstr ""
-#: ../../install_gtk.pm:1
-#, fuzzy, c-format
-msgid "System installation"
-msgstr "Sistem"
-
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Saint Vincent and the Grenadines"
-msgstr "dan"
-
-#: ../../security/help.pm:1
-#, fuzzy, c-format
-msgid "Allow/Forbid reboot by the console user."
-msgstr "pengguna."
-
-#: ../../standalone/logdrake:1
-#, fuzzy, c-format
-msgid "/File/_Open"
-msgstr "Fail"
+#: share/advertising/ppp-05.pl:20
+#, c-format
+msgid ""
+"\t- <b>Vim</b>: advanced text editor with more features than standard Vi"
+msgstr ""
-#: ../../standalone/drakpxe:1
-#, fuzzy, c-format
-msgid "Location of auto_install.cfg file"
-msgstr "Lokasi"
+#: share/advertising/ppp-06.pl:13
+#, c-format
+msgid "<b>Discover the full-featured groupware solution!</b>"
+msgstr ""
-#: ../../any.pm:1
-#, fuzzy, c-format
-msgid "Open Firmware Delay"
-msgstr "Buka"
+#: share/advertising/ppp-06.pl:15
+#, c-format
+msgid "It includes both server and client features for:"
+msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Hungary"
-msgstr "Hungary"
+#: share/advertising/ppp-06.pl:16
+#, c-format
+msgid "\t- Sending and receiving emails"
+msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "New Zealand"
-msgstr "New Zealand"
+#: share/advertising/ppp-06.pl:17
+#, c-format
+msgid ""
+"\t- Calendar, Task List, Memos, Contacts, Meeting Request (sending and "
+"receiving), Task Requests (sending and receiving)"
+msgstr ""
-#: ../../standalone/net_monitor:1
+#: share/advertising/ppp-06.pl:18
#, c-format
-msgid "Color configuration"
+msgid "\t- Address Book (server and client)"
msgstr ""
-#: ../../security/level.pm:1
-#, fuzzy, c-format
+#: share/advertising/ppp-07.pl:13
+#, c-format
msgid ""
-"There are already some restrictions, and more automatic checks are run every "
-"night."
-msgstr "dan."
+"Empower your business network with <b>premier server solutions</b> including:"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: share/advertising/ppp-07.pl:15
#, c-format
-msgid "please choose the date to restore"
+msgid "\t- <b>Samba</b>: File and print services for MS-Windows clients"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Netherlands Antilles"
-msgstr "Netherlands Antilles"
-
-#: ../../diskdrake/interactive.pm:1
+#: share/advertising/ppp-07.pl:16
#, c-format
-msgid "Switching from ext2 to ext3"
+msgid "\t- <b>Apache</b>: The most widely used Web server"
msgstr ""
-#: ../../printer/data.pm:1
+#: share/advertising/ppp-07.pl:17
#, c-format
-msgid "LPRng"
+msgid "\t- <b>MySQL</b>: The world's most popular Open Source database"
msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Browse to new restore repository."
-msgstr "Lungsur."
+#: share/advertising/ppp-07.pl:18
+#, c-format
+msgid ""
+"\t- <b>CVS</b>: Concurrent Versions System, the dominant open-source network-"
+"transparent version control system"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
+#: share/advertising/ppp-07.pl:19
+#, c-format
msgid ""
-"\n"
-"Welcome to the Printer Setup Wizard\n"
-"\n"
-"This wizard allows you to install local or remote printers to be used from "
-"this machine and also from other machines in the network.\n"
-"\n"
-"It asks you for all necessary information to set up the printer and gives "
-"you access to all available printer drivers, driver options, and printer "
-"connection types."
-msgstr "lokal dan dalam dan dan."
+"\t- <b>ProFTPD</b>: the highly configurable GPL-licensed FTP server software"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "and %d unknown printers"
-msgstr "dan tidak diketahui"
+#: share/advertising/ppp-07.pl:20
+#, c-format
+msgid "\t- And others"
+msgstr ""
-#: ../../standalone/harddrake2:1
-#, fuzzy, c-format
+#: share/advertising/pwp-01.pl:17
+#, c-format
msgid ""
-"Early Intel Pentium chips manufactured have a bug in their floating point "
-"processor which did not achieve the required precision when performing a "
-"Floating point DIVision (FDIV)"
-msgstr "dalam"
+"Your new Mandrake Linux distribution is the result of collaborative efforts "
+"between MandrakeSoft developers and Mandrake Linux contributors throughout "
+"the world."
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: share/advertising/pwp-01.pl:19
#, c-format
msgid ""
-"Backup quota exceeded!\n"
-"%d MB used vs %d MB allocated."
+"We would like to thank everyone who participated in the development of our "
+"latest release."
msgstr ""
-#: ../../network/isdn.pm:1
-#, fuzzy, c-format
-msgid "No ISDN PCI card found. Please select one on the next screen."
-msgstr "Tidak on."
+#: share/advertising/pwp-02.pl:13
+#, c-format
+msgid "<b>PowerPack</b>"
+msgstr ""
-#: ../../common.pm:1
+#: share/advertising/pwp-02.pl:15
#, c-format
-msgid "GB"
+msgid ""
+"PowerPack is MandrakeSoft's premier Linux desktop product. In addition to "
+"being the easiest and the most user-friendly Linux distribution, PowerPack "
+"includes thousands of applications - everything from the most popular to the "
+"most technical."
msgstr ""
-#: ../../any.pm:1
-#, fuzzy, c-format
-msgid "Please give a user name"
-msgstr "pengguna"
+#: share/advertising/pwp-04.pl:13
+#, c-format
+msgid ""
+"In the Mandrake Linux menu you will find easy-to-use applications for all of "
+"your tasks:"
+msgstr ""
-#: ../../any.pm:1
+#: share/advertising/pwp-04.pl:16
#, c-format
-msgid "Enable CD Boot?"
+msgid ""
+"\t- Take charge of your personal data with the integrated personal "
+"information suites <b>Kontact</b> and <b>Evolution</b>"
msgstr ""
-#: ../../../move/move.pm:1
+#: share/advertising/pwp-04.pl:17
#, c-format
-msgid "Simply reboot"
+msgid "\t- Browse the Web with <b>Mozilla</b> and <b>Konqueror</b>"
msgstr ""
-#: ../../interactive/stdio.pm:1
+#: share/advertising/pwp-04.pl:19
#, c-format
-msgid " enter `void' for void entry"
+msgid "\t- Listen to audio CDs and music files with KsCD and <b>Totem</b>"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: share/advertising/pwp-05.pl:13 share/advertising/pwp-06.pl:13
+#, fuzzy, c-format
+msgid "<b>Development tools</b>"
+msgstr "Pembangunan"
+
+#: share/advertising/pwp-05.pl:15
#, c-format
-msgid "Backups on unmountable media - Use Catalog to restore"
+msgid ""
+"PowerPack includes everything needed for developing and creating your own "
+"software, including:"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: share/advertising/pwp-06.pl:15
#, c-format
-msgid "January"
+msgid "And of course the editors!"
msgstr ""
-#: ../../security/l10n.pm:1
-#, fuzzy, c-format
-msgid "Password history length"
-msgstr "Katalaluan"
+#: share/advertising/pwp-06.pl:17
+#, c-format
+msgid ""
+"\t- <b>Xemacs</b>: another open source text editor and application "
+"development system"
+msgstr ""
-#: ../../network/netconnect.pm:1
+#: share/advertising/pwp-06.pl:18
#, c-format
-msgid "Winmodem connection"
+msgid ""
+"\t- <b>Vim</b>: an advanced text editor with more features than standard Vi"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone.pm:21
#, fuzzy, c-format
msgid ""
+"This program is free software; you can redistribute it and/or modify\n"
+"it under the terms of the GNU General Public License as published by\n"
+"the Free Software Foundation; either version 2, or (at your option)\n"
+"any later version.\n"
"\n"
-"Congratulations, your printer is now installed and configured!\n"
-"\n"
-"You can print using the \"Print\" command of your application (usually in "
-"the \"File\" menu).\n"
+"This program is distributed in the hope that it will be useful,\n"
+"but WITHOUT ANY WARRANTY; without even the implied warranty of\n"
+"MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n"
+"GNU General Public License for more details.\n"
"\n"
-"If you want to add, remove, or rename a printer, or if you want to change "
-"the default option settings (paper input tray, printout quality, ...), "
-"select \"Printer\" in the \"Hardware\" section of the Mandrake Control "
-"Center."
-msgstr "dan dalam Fail default dalam Perkakasan."
+"You should have received a copy of the GNU General Public License\n"
+"along with this program; if not, write to the Free Software\n"
+"Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.\n"
+msgstr "dan Umum Bebas dalam A Umum Umum Bebas"
-#: ../../standalone/drakxtv:1
-#, c-format
-msgid "Now, you can run xawtv (under X Window!) !\n"
-msgstr ""
+#: standalone.pm:40
+#, fuzzy, c-format
+msgid ""
+"[--config-info] [--daemon] [--debug] [--default] [--show-conf]\n"
+"Backup and Restore application\n"
+"\n"
+"--default : save default directories.\n"
+"--debug : show all debug messages.\n"
+"--show-conf : list of files or directories to backup.\n"
+"--config-info : explain configuration file options (for non-X "
+"users).\n"
+"--daemon : use daemon configuration. \n"
+"--help : show this message.\n"
+"--version : show version number.\n"
+msgstr "default dan default default fail fail"
-#: ../../install_steps_interactive.pm:1
+#: standalone.pm:52
#, c-format
-msgid "Not enough swap space to fulfill installation, please add some"
+msgid ""
+"[--boot] [--splash]\n"
+"OPTIONS:\n"
+" --boot - enable to configure boot loader\n"
+" --splash - enable to configure boot theme\n"
+"default mode: offer to configure autologin feature"
msgstr ""
-#. -PO: example: lilo-graphic on /dev/hda1
-#: ../../install_steps_interactive.pm:1
+#: standalone.pm:57
#, fuzzy, c-format
-msgid "%s on %s"
-msgstr "%s pada %s"
+msgid ""
+"[OPTIONS] [PROGRAM_NAME]\n"
+"\n"
+"OPTIONS:\n"
+" --help - print this help message.\n"
+" --report - program should be one of mandrake tools\n"
+" --incident - program should be one of mandrake tools"
+msgstr ""
+"NAMA\n"
+"\n"
+"\n"
-#: ../../security/help.pm:1
+#: standalone.pm:63
#, c-format
-msgid "Allow/Forbid remote root login."
+msgid ""
+"[--add]\n"
+" --add - \"add a network interface\" wizard\n"
+" --del - \"delete a network interface\" wizard\n"
+" --skip-wizard - manage connections\n"
+" --internet - configure internet\n"
+" --wizard - like --add"
msgstr ""
-#: ../../help.pm:1
+#: standalone.pm:69
#, fuzzy, c-format
msgid ""
-"GNU/Linux manages time in GMT (Greenwich Mean Time) and translates it to\n"
-"local time according to the time zone you selected. If the clock on your\n"
-"motherboard is set to local time, you may deactivate this by unselecting\n"
-"\"%s\", which will let GNU/Linux know that the system clock and the\n"
-"hardware clock are in the same timezone. This is useful when the machine\n"
-"also hosts another operating system like Windows.\n"
"\n"
-"The \"%s\" option will automatically regulate the clock by connecting to a\n"
-"remote time server on the Internet. For this feature to work, you must have\n"
-"a working Internet connection. It is best to choose a time server located\n"
-"near you. This option actually installs a time server that can used by\n"
-"other machines on your local network as well."
+"Font Importation and monitoring application\n"
+"\n"
+"OPTIONS:\n"
+"--windows_import : import from all available windows partitions.\n"
+"--xls_fonts : show all fonts that already exist from xls\n"
+"--install : accept any font file and any directry.\n"
+"--uninstall : uninstall any font or any directory of font.\n"
+"--replace : replace all font if already exist\n"
+"--application : 0 none application.\n"
+" : 1 all application available supported.\n"
+" : name_of_application like so for staroffice \n"
+" : and gs for ghostscript for only this one."
msgstr ""
-"dalam Masa dan on lokal dan dalam hos Tetingkap on Internet Internet on "
-"lokal."
+"Font dan terima fail dan direktori tiada\n"
+"\n"
+"\n"
+" dan."
-#: ../../standalone/drakbackup:1
+#: standalone.pm:84
#, fuzzy, c-format
-msgid "Can't create log file!"
-msgstr "fail!"
-
-#: ../../install_steps_interactive.pm:1 ../../standalone/drakclock:1
-#, c-format
-msgid "Which is your timezone?"
-msgstr ""
+msgid ""
+"[OPTIONS]...\n"
+"Mandrake Terminal Server Configurator\n"
+"--enable : enable MTS\n"
+"--disable : disable MTS\n"
+"--start : start MTS\n"
+"--stop : stop MTS\n"
+"--adduser : add an existing system user to MTS (requires username)\n"
+"--deluser : delete an existing system user from MTS (requires "
+"username)\n"
+"--addclient : add a client machine to MTS (requires MAC address, IP, "
+"nbi image name)\n"
+"--delclient : delete a client machine from MTS (requires MAC address, "
+"IP, nbi image name)"
+msgstr "Pelayan mula mula pengguna pengguna IP IP"
-#: ../../standalone/drakbackup:1
+#: standalone.pm:96
#, c-format
-msgid "Use .backupignore files"
+msgid "[keyboard]"
msgstr ""
-#: ../../lang.pm:1
+#: standalone.pm:97
#, fuzzy, c-format
-msgid "Guinea"
-msgstr "Guinea"
-
-#: ../../network/tools.pm:1
-#, fuzzy, c-format
-msgid "The system is now connected to the Internet."
-msgstr "Internet."
+msgid "[--file=myfile] [--word=myword] [--explain=regexp] [--alert]"
+msgstr "fail"
-#: ../../lang.pm:1
+#: standalone.pm:98
#, fuzzy, c-format
-msgid "South Georgia and the South Sandwich Islands"
-msgstr "Selatan Georgia dan Selatan"
+msgid ""
+"[OPTIONS]\n"
+"Network & Internet connection and monitoring application\n"
+"\n"
+"--defaultintf interface : show this interface by default\n"
+"--connect : connect to internet if not already connected\n"
+"--disconnect : disconnect to internet if already connected\n"
+"--force : used with (dis)connect : force (dis)connection.\n"
+"--status : returns 1 if connected 0 otherwise, then exit.\n"
+"--quiet : don't be interactive. To be used with (dis)connect."
+msgstr "Internet dan default Kepada."
-#: ../../standalone/drakxtv:1
+#: standalone.pm:107
#, fuzzy, c-format
-msgid "Japan (broadcast)"
-msgstr "Jepun"
+msgid " [--skiptest] [--cups] [--lprng] [--lpd] [--pdq]"
+msgstr "lpd"
-#: ../../help.pm:1
+#: standalone.pm:108
#, fuzzy, c-format
msgid ""
-"Monitor\n"
+"[OPTION]...\n"
+" --no-confirmation don't ask first confirmation question in "
+"MandrakeUpdate mode\n"
+" --no-verify-rpm don't verify packages signatures\n"
+" --changelog-first display changelog before filelist in the "
+"description window\n"
+" --merge-all-rpmnew propose to merge all .rpmnew/.rpmsave files found"
+msgstr ""
"\n"
-" The installer will normally automatically detect and configure the\n"
-"monitor connected to your machine. If it is incorrect, you can choose from\n"
-"this list the monitor you actually have connected to your computer."
+" tidak dalam\n"
+" tidak\n"
+" dalam\n"
+" fail"
+
+#: standalone.pm:113
+#, c-format
+msgid ""
+"[--manual] [--device=dev] [--update-sane=sane_source_dir] [--update-"
+"usbtable] [--dynamic=dev]"
msgstr ""
-"Monitor\n"
-" dan."
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Mozambique"
-msgstr "Mozambique"
+#: standalone.pm:114
+#, c-format
+msgid ""
+" [everything]\n"
+" XFdrake [--noauto] monitor\n"
+" XFdrake resolution"
+msgstr ""
-#: ../../any.pm:1
+#: standalone.pm:128
#, c-format
-msgid "Icon"
+msgid ""
+"\n"
+"Usage: %s [--auto] [--beginner] [--expert] [-h|--help] [--noauto] [--"
+"testing] [-v|--version] "
msgstr ""
-#: ../../../move/tree/mdk_totem:1
+#: standalone/XFdrake:87
+#, fuzzy, c-format
+msgid "Please log out and then use Ctrl-Alt-BackSpace"
+msgstr "keluar dan Ctrl Alt"
+
+#: standalone/XFdrake:91
+#, fuzzy, c-format
+msgid "You need to log out and back in again for changes to take effect"
+msgstr "keluar dan dalam"
+
+#: standalone/drakTermServ:71
#, c-format
-msgid "Kill those programs"
+msgid "Useless without Terminal Server"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakTermServ:101 standalone/drakTermServ:108
#, c-format
-msgid "Please choose what you want to backup"
+msgid "%s: %s requires a username...\n"
msgstr ""
-#: ../../Xconfig/resolution_and_depth.pm:1
+#: standalone/drakTermServ:121
#, c-format
-msgid "256 colors (8 bits)"
+msgid ""
+"%s: %s requires hostname, MAC address, IP, nbi-image, 0/1 for THIN_CLIENT, "
+"0/1 for Local Config...\n"
msgstr ""
+"%s: %s memerlukan namahos, alamat MAC, IP, imej-nbi, 0/1 untuk THIN_CLIENT, "
+"0/1 untuk Local Config...\n"
-#: ../../any.pm:1
+#: standalone/drakTermServ:128
#, c-format
-msgid "Read-write"
+msgid "%s: %s requires hostname...\n"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakTermServ:140
#, fuzzy, c-format
-msgid "Size: %s\n"
-msgstr "Saiz"
+msgid "You must be root to read configuration file. \n"
+msgstr "fail"
-#: ../../standalone/drakconnect:1
+#: standalone/drakTermServ:219 standalone/drakTermServ:488
+#: standalone/drakfont:572
#, fuzzy, c-format
-msgid "Hostname: "
-msgstr "Namahos "
+msgid "OK"
+msgstr "OK"
-#: ../../standalone/drakperm:1
+#: standalone/drakTermServ:235
#, fuzzy, c-format
-msgid "Add a rule"
-msgstr "Tambah"
+msgid "Terminal Server Configuration"
+msgstr "Pelayan"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakTermServ:240
#, c-format
-msgid "Chunk size %s\n"
+msgid "DrakTermServ"
msgstr ""
-#: ../advertising/02-community.pl:1
+#: standalone/drakTermServ:264
#, c-format
-msgid "Build the future of Linux!"
+msgid "Enable Server"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakTermServ:270
#, c-format
-msgid "Local Printer"
+msgid "Disable Server"
msgstr ""
-#: ../../network/tools.pm:1
-#, c-format
-msgid "Floppy access error, unable to mount device %s"
-msgstr ""
+#: standalone/drakTermServ:278
+#, fuzzy, c-format
+msgid "Start Server"
+msgstr "Mula"
-#: ../../standalone.pm:1
+#: standalone/drakTermServ:284
#, fuzzy, c-format
-msgid "[--file=myfile] [--word=myword] [--explain=regexp] [--alert]"
-msgstr "fail"
+msgid "Stop Server"
+msgstr "Henti"
-#: ../../network/netconnect.pm:1
+#: standalone/drakTermServ:292
#, c-format
-msgid "ADSL connection"
+msgid "Etherboot Floppy/ISO"
+msgstr ""
+
+#: standalone/drakTermServ:296
+#, c-format
+msgid "Net Boot Images"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakTermServ:302
#, fuzzy, c-format
-msgid "No configuration, please click Wizard or Advanced.\n"
-msgstr "Tidak Lanjutan"
+msgid "Add/Del Users"
+msgstr "Tambah"
-#: ../../standalone/drakautoinst:1
+#: standalone/drakTermServ:306
#, fuzzy, c-format
-msgid "Error!"
-msgstr "Ralat!"
+msgid "Add/Del Clients"
+msgstr "Tambah"
+
+#: standalone/drakTermServ:317 standalone/drakbug:54
+#, fuzzy, c-format
+msgid "First Time Wizard"
+msgstr "Masa"
-#: ../../network/netconnect.pm:1
+#: standalone/drakTermServ:342
#, c-format
-msgid "cable connection detected"
+msgid ""
+"\n"
+" This wizard routine will:\n"
+" \t1) Ask you to select either 'thin' or 'fat' clients.\n"
+"\t2) Setup dhcp.\n"
+"\t\n"
+"After doing these steps, the wizard will:\n"
+"\t\n"
+" a) Make all "
+"nbis. \n"
+" b) Activate the "
+"server. \n"
+" c) Start the "
+"server. \n"
+" d) Synchronize the shadow files so that all users, including root, \n"
+" are added to the shadow$$CLIENT$$ "
+"file. \n"
+" e) Ask you to make a boot floppy.\n"
+" f) If it's thin clients, ask if you want to restart KDM.\n"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakTermServ:387
+#, fuzzy, c-format
+msgid "Cancel Wizard"
+msgstr "Batal"
+
+#: standalone/drakTermServ:399
#, c-format
-msgid "Permission denied transferring %s to %s"
+msgid "Please save dhcpd config!"
msgstr ""
-#: ../../standalone/harddrake2:1 ../../standalone/printerdrake:1
+#: standalone/drakTermServ:427
#, c-format
-msgid "/_Report Bug"
+msgid ""
+"Please select client type.\n"
+" 'Thin' clients run everything off the server's CPU/RAM, using the client "
+"display.\n"
+" 'Fat' clients use their own CPU/RAM but the server's filesystem."
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Dominica"
-msgstr "Dominica"
+#: standalone/drakTermServ:433
+#, c-format
+msgid "Allow thin clients."
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakTermServ:441
#, c-format
-msgid "Resize"
+msgid "Creating net boot images for all kernels"
msgstr ""
-#: ../../Xconfig/various.pm:1
+#: standalone/drakTermServ:442 standalone/drakTermServ:725
+#: standalone/drakTermServ:741
#, fuzzy, c-format
-msgid "Resolution: %s\n"
-msgstr "Resolusi"
+msgid "This will take a few minutes."
+msgstr "minit."
-#: ../../install2.pm:1
+#: standalone/drakTermServ:446 standalone/drakTermServ:466
#, fuzzy, c-format
-msgid ""
-"Can't access kernel modules corresponding to your kernel (file %s is "
-"missing), this generally means your boot floppy in not in sync with the "
-"Installation medium (please create a newer boot floppy)"
-msgstr "fail dalam dalam"
+msgid "Done!"
+msgstr "Selesai"
-#: ../../help.pm:1
+#: standalone/drakTermServ:452
#, c-format
-msgid ""
-"Please select the correct port. For example, the \"COM1\" port under\n"
-"Windows is named \"ttyS0\" under GNU/Linux."
+msgid "Syncing server user list with client list, including root."
msgstr ""
-#: ../../install_steps_gtk.pm:1
+#: standalone/drakTermServ:472
#, c-format
-msgid "The following packages are going to be removed"
+msgid ""
+"In order to enable changes made for thin clients, the display manager must "
+"be restarted. Restart now?"
msgstr ""
-#: ../../network/adsl.pm:1 ../../network/ethernet.pm:1
-#, fuzzy, c-format
-msgid "Connect to the Internet"
-msgstr "Sambung"
-
-#: ../../install_interactive.pm:1
+#: standalone/drakTermServ:507
#, c-format
-msgid "Use existing partitions"
+msgid "drakTermServ Overview"
msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/drakTermServ:508
#, c-format
-msgid "Canadian (Quebec)"
+msgid ""
+" - Create Etherboot Enabled Boot Images:\n"
+" \tTo boot a kernel via etherboot, a special kernel/initrd image must "
+"be created.\n"
+" \tmkinitrd-net does much of this work and drakTermServ is just a "
+"graphical \n"
+" \tinterface to help manage/customize these images. To create the "
+"file \n"
+" \t/etc/dhcpd.conf.etherboot-pcimap.include that is pulled in as an "
+"include in \n"
+" \tdhcpd.conf, you should create the etherboot images for at least "
+"one full kernel."
msgstr ""
-#: ../../Xconfig/various.pm:1
-#, fuzzy, c-format
-msgid "Mouse device: %s\n"
-msgstr "Tetikus"
+#: standalone/drakTermServ:514
+#, c-format
+msgid ""
+" - Maintain /etc/dhcpd.conf:\n"
+" \tTo net boot clients, each client needs a dhcpd.conf entry, "
+"assigning an IP \n"
+" \taddress and net boot images to the machine. drakTermServ helps "
+"create/remove \n"
+" \tthese entries.\n"
+"\t\t\t\n"
+" \t(PCI cards may omit the image - etherboot will request the correct "
+"image. \n"
+"\t\t\tYou should also consider that when etherboot looks for the images, it "
+"expects \n"
+"\t\t\tnames like boot-3c59x.nbi, rather than boot-3c59x.2.4.19-16mdk.nbi).\n"
+"\t\t\t \n"
+" \tA typical dhcpd.conf stanza to support a diskless client looks "
+"like:"
+msgstr ""
-#: ../../standalone/drakfont:1
+#: standalone/drakTermServ:532
#, c-format
-msgid "Reselect correct fonts"
+msgid ""
+" While you can use a pool of IP addresses, rather than setup a "
+"specific entry for\n"
+" a client machine, using a fixed address scheme facilitates using the "
+"functionality\n"
+" of client-specific configuration files that ClusterNFS provides.\n"
+"\t\t\t\n"
+" Note: The '#type' entry is only used by drakTermServ. Clients can "
+"either be 'thin'\n"
+" or 'fat'. Thin clients run most software on the server via xdmcp, "
+"while fat clients run \n"
+" most software on the client machine. A special inittab, %s is\n"
+" written for thin clients. System config files xdm-config, kdmrc, and "
+"gdm.conf are \n"
+" modified if thin clients are used, to enable xdmcp. Since there are "
+"security issues in \n"
+" using xdmcp, hosts.deny and hosts.allow are modified to limit access "
+"to the local\n"
+" subnet.\n"
+"\t\t\t\n"
+" Note: The '#hdw_config' entry is also only used by drakTermServ. "
+"Clients can either \n"
+" be 'true' or 'false'. 'true' enables root login at the client "
+"machine and allows local \n"
+" hardware configuration of sound, mouse, and X, using the 'drak' "
+"tools. This is enabled \n"
+" by creating separate config files associated with the client's IP "
+"address and creating \n"
+" read/write mount points to allow the client to alter the file. Once "
+"you are satisfied \n"
+" with the configuration, you can remove root login privileges from "
+"the client.\n"
+"\t\t\t\n"
+" Note: You must stop/start the server after adding or changing "
+"clients."
msgstr ""
-#: ../../help.pm:1
-#, fuzzy, c-format
+#: standalone/drakTermServ:552
+#, c-format
msgid ""
-"Options\n"
+" - Maintain /etc/exports:\n"
+" \tClusternfs allows export of the root filesystem to diskless "
+"clients. drakTermServ\n"
+" \tsets up the correct entry to allow anonymous access to the root "
+"filesystem from\n"
+" \tdiskless clients.\n"
"\n"
-" Here you can choose whether you want to have your machine automatically\n"
-"switch to a graphical interface at boot. Obviously, you want to check\n"
-"\"%s\" if your machine is to act as a server, or if you were not successful\n"
-"in getting the display configured."
+" \tA typical exports entry for clusternfs is:\n"
+" \t\t\n"
+" \t/\t\t\t\t\t(ro,all_squash)\n"
+" \t/home\t\t\t\tSUBNET/MASK(rw,root_squash)\n"
+"\t\t\t\n"
+" \tWith SUBNET/MASK being defined for your network."
msgstr ""
-"Pilihan\n"
-"."
-#: ../advertising/13-mdkexpert_corporate.pl:1
+#: standalone/drakTermServ:564
#, c-format
-msgid "MandrakeExpert Corporate"
+msgid ""
+" - Maintain %s:\n"
+" \tFor users to be able to log into the system from a diskless "
+"client, their entry in\n"
+" \t/etc/shadow needs to be duplicated in %s. drakTermServ\n"
+" \thelps in this respect by adding or removing system users from this "
+"file."
msgstr ""
-#: ../../standalone.pm:1
+#: standalone/drakTermServ:568
#, c-format
msgid ""
-" [everything]\n"
-" XFdrake [--noauto] monitor\n"
-" XFdrake resolution"
+" - Per client %s:\n"
+" \tThrough clusternfs, each diskless client can have its own unique "
+"configuration files\n"
+" \ton the root filesystem of the server. By allowing local client "
+"hardware configuration, \n"
+" \tdrakTermServ will help create these files."
msgstr ""
-#: ../../standalone/harddrake2:1
+#: standalone/drakTermServ:573
#, c-format
-msgid "Write protection"
+msgid ""
+" - Per client system configuration files:\n"
+" \tThrough clusternfs, each diskless client can have its own unique "
+"configuration files\n"
+" \ton the root filesystem of the server. By allowing local client "
+"hardware configuration, \n"
+" \tclients can customize files such as /etc/modules.conf, /etc/"
+"sysconfig/mouse, \n"
+" \t/etc/sysconfig/keyboard on a per-client basis.\n"
+"\n"
+" Note: Enabling local client hardware configuration does enable root "
+"login to the terminal \n"
+" server on each client machine that has this feature enabled. Local "
+"configuration can be\n"
+" turned back off, retaining the configuration files, once the client "
+"machine is configured."
msgstr ""
-#: ../../standalone/drakfont:1
+#: standalone/drakTermServ:582
#, c-format
-msgid "You've not selected any font"
+msgid ""
+" - /etc/xinetd.d/tftp:\n"
+" \tdrakTermServ will configure this file to work in conjunction with "
+"the images created\n"
+" \tby mkinitrd-net, and the entries in /etc/dhcpd.conf, to serve up "
+"the boot image to \n"
+" \teach diskless client.\n"
+"\n"
+" \tA typical tftp configuration file looks like:\n"
+" \t\t\n"
+" \tservice tftp\n"
+"\t\t\t{\n"
+" disable = no\n"
+" socket_type = dgram\n"
+" protocol = udp\n"
+" wait = yes\n"
+" user = root\n"
+" server = /usr/sbin/in.tftpd\n"
+" server_args = -s /var/lib/tftpboot\n"
+" \t}\n"
+" \t\t\n"
+" \tThe changes here from the default installation are changing the "
+"disable flag to\n"
+" \t'no' and changing the directory path to /var/lib/tftpboot, where "
+"mkinitrd-net\n"
+" \tputs its images."
msgstr ""
-#: ../../steps.pm:1
-#, fuzzy, c-format
-msgid "Language"
-msgstr "Bahasa"
+#: standalone/drakTermServ:603
+#, c-format
+msgid ""
+" - Create etherboot floppies/CDs:\n"
+" \tThe diskless client machines need either ROM images on the NIC, or "
+"a boot floppy\n"
+" \tor CD to initate the boot sequence. drakTermServ will help "
+"generate these\n"
+" \timages, based on the NIC in the client machine.\n"
+" \t\t\n"
+" \tA basic example of creating a boot floppy for a 3Com 3c509 "
+"manually:\n"
+" \t\t\n"
+" \tcat /usr/lib/etherboot/floppyload.bin \\\n"
+" \t\t/usr/share/etherboot/start16.bin \\\t\t\t\n"
+" \t\t/usr/lib/etherboot/zimg/3c509.zimg > /dev/fd0"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakTermServ:638
#, c-format
-msgid "Printer model selection"
+msgid "Boot Floppy"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakTermServ:640
+#, c-format
+msgid "Boot ISO"
+msgstr ""
+
+#: standalone/drakTermServ:642
#, fuzzy, c-format
-msgid ""
-"After changing type of partition %s, all data on this partition will be lost"
-msgstr "on"
+msgid "PXE Image"
+msgstr "Imej"
-#: ../../harddrake/data.pm:1
+#: standalone/drakTermServ:723
#, c-format
-msgid "ISDN adapters"
+msgid "Build Whole Kernel -->"
msgstr ""
-#: ../../common.pm:1
+#: standalone/drakTermServ:730
+#, fuzzy, c-format
+msgid "No kernel selected!"
+msgstr "Tidak!"
+
+#: standalone/drakTermServ:733
#, c-format
-msgid "%d seconds"
+msgid "Build Single NIC -->"
msgstr ""
-#: ../../install_steps_interactive.pm:1 ../../standalone/drakautoinst:1
+#: standalone/drakTermServ:737
#, fuzzy, c-format
-msgid "Insert a blank floppy in drive %s"
-msgstr "dalam"
+msgid "No NIC selected!"
+msgstr "Tidak!"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakTermServ:740
#, fuzzy, c-format
-msgid "A valid URI must be entered!"
-msgstr "A!"
+msgid "Build All Kernels -->"
+msgstr "Semua"
-#: ../../network/isdn.pm:1
+#: standalone/drakTermServ:747
#, c-format
-msgid "Found \"%s\" interface do you want to use it ?"
+msgid "<-- Delete"
msgstr ""
-#: ../../standalone/drakgw:1
+#: standalone/drakTermServ:754
#, fuzzy, c-format
-msgid "Re-configure interface and DHCP server"
-msgstr "dan DHCP"
+msgid "Delete All NBIs"
+msgstr "Padam Semua"
-#: ../../harddrake/sound.pm:1
+#: standalone/drakTermServ:841
#, fuzzy, c-format
-msgid "Sound configuration"
-msgstr "Bunyi"
+msgid ""
+"!!! Indicates the password in the system database is different than\n"
+" the one in the Terminal Server database.\n"
+"Delete/re-add the user to the Terminal Server to enable login."
+msgstr ""
+"dalam\n"
+" dalam Pelayan pengguna Pelayan."
+
+#: standalone/drakTermServ:846
+#, fuzzy, c-format
+msgid "Add User -->"
+msgstr "Tambah Pengguna"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakTermServ:852
#, c-format
-msgid "Photo test page"
+msgid "<-- Del User"
msgstr ""
-#: ../../help.pm:1 ../../install_interactive.pm:1
+#: standalone/drakTermServ:888
+#, c-format
+msgid "type: %s"
+msgstr ""
+
+#: standalone/drakTermServ:892
#, fuzzy, c-format
-msgid "Custom disk partitioning"
-msgstr "Tersendiri"
+msgid "local config: %s"
+msgstr "lokal"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakTermServ:922
#, fuzzy, c-format
-msgid "Enter Printer Name and Comments"
-msgstr "Enter Nama dan"
+msgid ""
+"Allow local hardware\n"
+"configuration."
+msgstr "lokal."
+
+#: standalone/drakTermServ:931
+#, fuzzy, c-format
+msgid "No net boot images created!"
+msgstr "Tidak!"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakTermServ:949
#, c-format
-msgid ""
-"The following printers\n"
-"\n"
-"%s%s\n"
-"are directly connected to your system"
+msgid "Thin Client"
msgstr ""
-#: ../../network/modem.pm:1
+#: standalone/drakTermServ:953
#, c-format
-msgid "You don't have any winmodem"
+msgid "Allow Thin Clients"
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: standalone/drakTermServ:954
+#, fuzzy, c-format
+msgid "Add Client -->"
+msgstr "Tambah"
+
+#: standalone/drakTermServ:968
#, c-format
-msgid "type: %s"
+msgid "type: fat"
msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/drakTermServ:969
#, c-format
-msgid "Slovakian (QWERTY)"
+msgid "type: thin"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakTermServ:976
#, fuzzy, c-format
-msgid ""
-"This should be a comma-separated list of local users or email addresses that "
-"you want the backup results sent to. You will need a functioning mail "
-"transfer agent setup on your system."
-msgstr "lokal on."
+msgid "local config: false"
+msgstr "lokal"
-#: ../../standalone/draksound:1
+#: standalone/drakTermServ:977
#, fuzzy, c-format
-msgid "No Sound Card detected!"
-msgstr "Tidak Bunyi!"
+msgid "local config: true"
+msgstr "lokal"
-#: ../../install_steps_interactive.pm:1 ../../standalone/mousedrake:1
+#: standalone/drakTermServ:985
#, fuzzy, c-format
-msgid "Mouse Port"
-msgstr "Liang Tetikus"
+msgid "<-- Edit Client"
+msgstr "Edit"
-#: ../../security/l10n.pm:1
+#: standalone/drakTermServ:1011
#, c-format
-msgid "Check for unsecured accounts"
+msgid "Disable Local Config"
+msgstr ""
+
+#: standalone/drakTermServ:1018
+#, fuzzy, c-format
+msgid "Delete Client"
+msgstr "Padam"
+
+#: standalone/drakTermServ:1027
+#, c-format
+msgid "dhcpd Config..."
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: standalone/drakTermServ:1040
#, fuzzy, c-format
msgid ""
"Need to restart the Display Manager for full changes to take effect. \n"
"(service dm restart - at the console)"
msgstr "ulanghidup Paparan penuh ulanghidup"
-#: ../../standalone/logdrake:1
+#: standalone/drakTermServ:1084
#, c-format
-msgid "Ftp Server"
+msgid "Subnet:"
msgstr ""
-#: ../../lang.pm:1
+#: standalone/drakTermServ:1091
#, fuzzy, c-format
-msgid "Uganda"
-msgstr "Uganda"
+msgid "Netmask:"
+msgstr "Netmask:"
-#: ../../standalone/drakfont:1
+#: standalone/drakTermServ:1098
#, c-format
-msgid "%s fonts conversion"
+msgid "Routers:"
msgstr ""
-#: ../../standalone/harddrake2:1
+#: standalone/drakTermServ:1105
#, fuzzy, c-format
-msgid "the type of bus on which the mouse is connected"
-msgstr "on"
+msgid "Subnet Mask:"
+msgstr "Topengan:"
+
+#: standalone/drakTermServ:1112
+#, fuzzy, c-format
+msgid "Broadcast Address:"
+msgstr "Alamat:"
+
+#: standalone/drakTermServ:1119
+#, fuzzy, c-format
+msgid "Domain Name:"
+msgstr "Domain Nama:"
+
+#: standalone/drakTermServ:1127
+#, fuzzy, c-format
+msgid "Name Servers:"
+msgstr "Nama Pelayan:"
+
+#: standalone/drakTermServ:1138
+#, fuzzy, c-format
+msgid "IP Range Start:"
+msgstr "IP Mula:"
-#: ../../help.pm:1
+#: standalone/drakTermServ:1139
#, fuzzy, c-format
+msgid "IP Range End:"
+msgstr "IP Akhir:"
+
+#: standalone/drakTermServ:1191
+#, fuzzy, c-format
+msgid "dhcpd Server Configuration"
+msgstr "Pelayan"
+
+#: standalone/drakTermServ:1192
+#, c-format
msgid ""
-"As a review, DrakX will present a summary of information it has about your\n"
-"system. Depending on your installed hardware, you may have some or all of\n"
-"the following entries. Each entry is made up of the configuration item to\n"
-"be configured, followed by a quick summary of the current configuration.\n"
-"Click on the corresponding \"%s\" button to change that.\n"
-"\n"
-" * \"%s\": check the current keyboard map configuration and change that if\n"
-"necessary.\n"
-"\n"
-" * \"%s\": check the current country selection. If you are not in this\n"
-"country, click on the \"%s\" button and choose another one. If your country\n"
-"is not in the first list shown, click the \"%s\" button to get the complete\n"
-"country list.\n"
-"\n"
-" * \"%s\": By default, DrakX deduces your time zone based on the country\n"
-"you have chosen. You can click on the \"%s\" button here if this is not\n"
-"correct.\n"
-"\n"
-" * \"%s\": check the current mouse configuration and click on the button to\n"
-"change it if necessary.\n"
-"\n"
-" * \"%s\": clicking on the \"%s\" button will open the printer\n"
-"configuration wizard. Consult the corresponding chapter of the ``Starter\n"
-"Guide'' for more information on how to setup a new printer. The interface\n"
-"presented there is similar to the one used during installation.\n"
-"\n"
-" * \"%s\": if a sound card is detected on your system, it is displayed\n"
-"here. If you notice the sound card displayed is not the one that is\n"
-"actually present on your system, you can click on the button and choose\n"
-"another driver.\n"
-"\n"
-" * \"%s\": by default, DrakX configures your graphical interface in\n"
-"\"800x600\" or \"1024x768\" resolution. If that does not suit you, click on\n"
-"\"%s\" to reconfigure your graphical interface.\n"
-"\n"
-" * \"%s\": if a TV card is detected on your system, it is displayed here.\n"
-"If you have a TV card and it is not detected, click on \"%s\" to try to\n"
-"configure it manually.\n"
-"\n"
-" * \"%s\": if an ISDN card is detected on your system, it will be displayed\n"
-"here. You can click on \"%s\" to change the parameters associated with the\n"
-"card.\n"
-"\n"
-" * \"%s\": If you want to configure your Internet or local network access\n"
-"now.\n"
-"\n"
-" * \"%s\": this entry allows you to redefine the security level as set in a\n"
-"previous step ().\n"
-"\n"
-" * \"%s\": if you plan to connect your machine to the Internet, it's a good\n"
-"idea to protect yourself from intrusions by setting up a firewall. Consult\n"
-"the corresponding section of the ``Starter Guide'' for details about\n"
-"firewall settings.\n"
-"\n"
-" * \"%s\": if you wish to change your bootloader configuration, click that\n"
-"button. This should be reserved to advanced users.\n"
-"\n"
-" * \"%s\": here you'll be able to fine control which services will be run\n"
-"on your machine. If you plan to use this machine as a server it's a good\n"
-"idea to review this setup."
+"Most of these values were extracted\n"
+"from your running system.\n"
+"You can modify as needed."
msgstr ""
-"on on\n"
-" dan\n"
-" dalam on dan dalam\n"
-" default on on\n"
-" dan on\n"
-" on on\n"
-" on on on dan\n"
-" default dalam on\n"
-" on dan on secara manual\n"
-" on on\n"
-" Internet lokal\n"
-" dalam\n"
-" Internet\n"
-"\n"
-"."
-#: ../../lang.pm:1
+#: standalone/drakTermServ:1195
#, fuzzy, c-format
-msgid "Comoros"
-msgstr "Comoros"
+msgid "Dynamic IP Address Pool:"
+msgstr "IP Alamat:"
-#: ../../standalone/drakbackup:1
+#: standalone/drakTermServ:1208
#, c-format
-msgid "May"
+msgid "Write Config"
msgstr ""
-#: ../../standalone/drakboot:1
+#: standalone/drakTermServ:1326
+#, c-format
+msgid "Please insert floppy disk:"
+msgstr "Sila masukkan cakera liut:"
+
+#: standalone/drakTermServ:1330
#, c-format
-msgid "Yaboot mode"
+msgid "Couldn't access the floppy!"
+msgstr ""
+
+#: standalone/drakTermServ:1332
+#, c-format
+msgid "Floppy can be removed now"
msgstr ""
-#: ../../mouse.pm:1
+#: standalone/drakTermServ:1335
#, fuzzy, c-format
-msgid "Generic 3 Button Mouse"
-msgstr "Generik"
+msgid "No floppy drive available!"
+msgstr "Tidak!"
-#: ../../standalone/drakxtv:1
+#: standalone/drakTermServ:1340
#, c-format
-msgid "USA (cable)"
+msgid "PXE image is %s/%s"
msgstr ""
-#: ../../standalone/drakboot:1
+#: standalone/drakTermServ:1342
#, fuzzy, c-format
-msgid ""
-"Can't relaunch LiLo!\n"
-"Launch \"lilo\" as root in command line to complete LiLo theme installation."
-msgstr "dalam."
+msgid "Error writing %s/%s"
+msgstr "Ralat menulis kepada fail %s"
-#: ../../standalone/drakbackup:1
+#: standalone/drakTermServ:1351
#, c-format
-msgid "Select another media to restore from"
+msgid "Etherboot ISO image is %s"
msgstr ""
-#: ../../standalone/drakbug:1
+#: standalone/drakTermServ:1353
#, c-format
-msgid "Software Manager"
+msgid "Something went wrong! - Is mkisofs installed?"
msgstr ""
-#: ../../interactive/stdio.pm:1
+#: standalone/drakTermServ:1372
#, c-format
-msgid "Re-submit"
+msgid "Need to create /etc/dhcpd.conf first!"
msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "CD in place - continue."
-msgstr "dalam."
+#: standalone/drakTermServ:1533
+#, c-format
+msgid "%s passwd bad in Terminal Server - rewriting...\n"
+msgstr ""
-#: ../../common.pm:1
+#: standalone/drakTermServ:1551
#, c-format
-msgid "KB"
+msgid "%s is not a user..\n"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakTermServ:1552
#, fuzzy, c-format
-msgid "Network & Internet"
-msgstr "Rangkaian"
+msgid "%s is already a Terminal Server user\n"
+msgstr "dalam"
-#: ../../keyboard.pm:1
+#: standalone/drakTermServ:1554
#, c-format
-msgid "Lithuanian \"phonetic\" QWERTY"
+msgid "Addition of %s to Terminal Server failed!\n"
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: standalone/drakTermServ:1556
#, c-format
-msgid "Net Boot Images"
+msgid "%s added to Terminal Server\n"
msgstr ""
-#: ../../standalone/scannerdrake:1
+#: standalone/drakTermServ:1608
#, fuzzy, c-format
-msgid "Sharing of local scanners"
-msgstr "lokal"
+msgid "Deleted %s...\n"
+msgstr "Padam"
-#: ../../Xconfig/monitor.pm:1
+#: standalone/drakTermServ:1610 standalone/drakTermServ:1687
#, c-format
-msgid "Plug'n Play probing failed. Please select the correct monitor"
+msgid "%s not found...\n"
msgstr ""
-#: ../../../move/move.pm:1
+#: standalone/drakTermServ:1632 standalone/drakTermServ:1633
+#: standalone/drakTermServ:1634
+#, fuzzy, c-format
+msgid "%s already in use\n"
+msgstr "dalam"
+
+#: standalone/drakTermServ:1658
#, c-format
-msgid "Detect again USB key"
+msgid "Can't open %s!"
msgstr ""
-#: ../../services.pm:1
+#: standalone/drakTermServ:1715
#, fuzzy, c-format
-msgid "Services and deamons"
-msgstr "Perkhidmatan dan"
+msgid "/etc/hosts.allow and /etc/hosts.deny already configured - not changed"
+msgstr "hos dan hos"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakTermServ:1872
#, c-format
-msgid "Remote host name missing!"
-msgstr ""
+msgid "Configuration changed - restart clusternfs/dhcpd?"
+msgstr "Konfigurasi berubah - mulakan semula clusternfs/dhcpd?"
-#: ../../fsedit.pm:1
-#, c-format
-msgid "with /usr"
-msgstr ""
+#: standalone/drakautoinst:37
+#, fuzzy, c-format
+msgid "Error!"
+msgstr "Ralat!"
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
-#: ../../standalone/drakbackup:1
+#: standalone/drakautoinst:38
#, fuzzy, c-format
-msgid "Network"
-msgstr "Rangkaian"
+msgid "I can't find needed image file `%s'."
+msgstr "fail."
+
+#: standalone/drakautoinst:40
+#, fuzzy, c-format
+msgid "Auto Install Configurator"
+msgstr "Install"
+
+#: standalone/drakautoinst:41
+#, fuzzy, c-format
+msgid ""
+"You are about to configure an Auto Install floppy. This feature is somewhat "
+"dangerous and must be used circumspectly.\n"
+"\n"
+"With that feature, you will be able to replay the installation you've "
+"performed on this computer, being interactively prompted for some steps, in "
+"order to change their values.\n"
+"\n"
+"For maximum safety, the partitioning and formatting will never be performed "
+"automatically, whatever you chose during the install of this computer.\n"
+"\n"
+"Press ok to continue."
+msgstr "Install dan on dalam dan?"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakautoinst:59
#, c-format
-msgid "Auto-detect printers connected to machines running Microsoft Windows"
+msgid "replay"
msgstr ""
-#: ../../any.pm:1
+#: standalone/drakautoinst:59 standalone/drakautoinst:68
#, c-format
-msgid "This password is too simple"
+msgid "manual"
msgstr ""
-#: ../../security/l10n.pm:1
+#: standalone/drakautoinst:63
#, c-format
-msgid "Chkconfig obey msec rules"
+msgid "Automatic Steps Configuration"
msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/drakautoinst:64
#, c-format
-msgid "Slovakian (QWERTZ)"
+msgid ""
+"Please choose for each step whether it will replay like your install, or it "
+"will be manual"
msgstr ""
-#: ../advertising/06-development.pl:1
+#: standalone/drakautoinst:76 standalone/drakautoinst:77
#, fuzzy, c-format
-msgid ""
-"To modify and to create in different languages such as Perl, Python, C and C+"
-"+ has never been so easy thanks to GNU gcc 3 and the best Open Source "
-"development environments."
-msgstr "Kepada dan dalam Python C dan C dan Buka."
+msgid "Creating auto install floppy"
+msgstr "Mencipta"
-#: ../../standalone/drakbackup:1
+#: standalone/drakautoinst:141
#, fuzzy, c-format
-msgid "No devices found"
-msgstr "Tidak"
+msgid ""
+"\n"
+"Welcome.\n"
+"\n"
+"The parameters of the auto-install are available in the sections on the left"
+msgstr "dalam on"
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakautoinst:235 standalone/drakgw:583 standalone/drakvpn:898
+#: standalone/scannerdrake:367
#, fuzzy, c-format
-msgid "Truly minimal install (especially no urpmi)"
-msgstr "tidak"
+msgid "Congratulations!"
+msgstr "Tahniah!"
-#: ../../standalone/drakbackup:1
+#: standalone/drakautoinst:236
#, c-format
-msgid "Use daemon"
+msgid ""
+"The floppy has been successfully generated.\n"
+"You may now replay your installation."
+msgstr ""
+
+#: standalone/drakautoinst:272
+#, c-format
+msgid "Auto Install"
msgstr ""
-#: ../../install_steps_interactive.pm:1 ../../network/modem.pm:1
-#: ../../standalone/drakauth:1 ../../standalone/drakconnect:1
-#: ../../standalone/logdrake:1
+#: standalone/drakautoinst:341
#, fuzzy, c-format
-msgid "Authentication"
-msgstr "Pengesahan"
+msgid "Add an item"
+msgstr "Tambah"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakautoinst:348
#, fuzzy, c-format
-msgid "Add this printer to Star Office/OpenOffice.org/GIMP"
-msgstr "Tambah Pejabat"
+msgid "Remove the last item"
+msgstr "Buang"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:87
+#, fuzzy, c-format
+msgid "hd"
+msgstr "Chad"
+
+#: standalone/drakbackup:87
#, c-format
-msgid "Additional CUPS servers: "
+msgid "tape"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:158
#, fuzzy, c-format
-msgid ""
-"Choose one of the auto-detected printers from the list or enter the hostname "
-"or IP and the optional port number (default is 9100) in the input fields."
-msgstr "IP dan default dalam."
+msgid "No devices found"
+msgstr "Tidak"
-#: ../../diskdrake/interactive.pm:1
-#, c-format
-msgid "Where do you want to mount %s?"
-msgstr ""
+#: standalone/drakbackup:196
+#, fuzzy, c-format
+msgid ""
+"Expect is an extension to the Tcl scripting language that allows interactive "
+"sessions without user intervention."
+msgstr "pengguna."
-#: ../../lang.pm:1
+#: standalone/drakbackup:197
#, fuzzy, c-format
-msgid "Algeria"
-msgstr "Algeria"
+msgid "Store the password for this system in drakbackup configuration."
+msgstr "dalam."
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:198
#, c-format
-msgid "Restore Via Network"
+msgid ""
+"For a multisession CD, only the first session will erase the cdrw. Otherwise "
+"the cdrw is erased before each backup."
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:199
#, c-format
-msgid "Use tar and bzip2 (rather than tar and gzip)"
+msgid ""
+"This uses the same syntax as the command line program 'cdrecord'. 'cdrecord -"
+"scanbus' would also show you the device number."
msgstr ""
-#: ../../any.pm:1
+#: standalone/drakbackup:200
+#, fuzzy, c-format
+msgid ""
+"This option will save files that have changed. Exact behavior depends on "
+"whether incremental or differential mode is used."
+msgstr "fail on."
+
+#: standalone/drakbackup:201
+#, fuzzy, c-format
+msgid ""
+"Incremental backups only save files that have changed or are new since the "
+"last backup."
+msgstr "fail."
+
+#: standalone/drakbackup:202
#, c-format
-msgid "Initrd-size"
+msgid ""
+"Differential backups only save files that have changed or are new since the "
+"original 'base' backup."
msgstr ""
+"Backup berkala hanya menyimpan fail yang telah berubah atau baru semenjak "
+"backup 'induk' asal"
-#: ../../help.pm:1
+#: standalone/drakbackup:203
#, fuzzy, c-format
msgid ""
-"In the case that different servers are available for your card, with or\n"
-"without 3D acceleration, you are then asked to choose the server that best\n"
-"suits your needs."
-msgstr "Masuk."
+"This should be a local user or email addresse that you want the backup "
+"results sent to. You will need to define a functioning mail server."
+msgstr "lokal on."
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:204
#, fuzzy, c-format
-msgid "\tBackups use tar and gzip\n"
-msgstr "dan"
+msgid ""
+"Files or wildcards listed in a .backupignore file at the top of a directory "
+"tree will not be backed up."
+msgstr "dalam fail direktori."
-#: ../../standalone/printerdrake:1
+#: standalone/drakbackup:205
#, fuzzy, c-format
-msgid "Set as default"
-msgstr "default"
+msgid ""
+"For backups to other media, files are still created on the hard drive, then "
+"moved to the other media. Enabling this option will remove the hard drive "
+"tar files after the backup."
+msgstr "fail on fail."
-#: ../../Xconfig/card.pm:1
-#, c-format
-msgid "2 MB"
-msgstr ""
+#: standalone/drakbackup:206
+#, fuzzy, c-format
+msgid ""
+"Some protocols, like rsync, may be configured at the server end. Rather "
+"than using a directory path, you would use the 'module' name for the service "
+"path."
+msgstr "protokol direktori."
-#: ../../printer/main.pm:1 ../../standalone/printerdrake:1
+#: standalone/drakbackup:207
#, fuzzy, c-format
-msgid "Configured on this machine"
-msgstr "on"
+msgid ""
+"Custom allows you to specify your own day and time. The other options use "
+"run-parts in /etc/crontab."
+msgstr "Tersendiri dan dalam."
-#: ../../keyboard.pm:1
+#: standalone/drakbackup:604
#, c-format
-msgid "Both Control keys simultaneously"
+msgid "Interval cron not available as non-root"
msgstr ""
-#: ../../standalone/drakhelp:1
+#: standalone/drakbackup:715 standalone/logdrake:415
#, c-format
-msgid " --help - display this help \n"
+msgid "\"%s\" neither is a valid email nor is an existing local user!"
msgstr ""
-#: ../../standalone.pm:1
-#, fuzzy, c-format
+#: standalone/drakbackup:719 standalone/logdrake:420
+#, c-format
msgid ""
-"[OPTION]...\n"
-" --no-confirmation don't ask first confirmation question in "
-"MandrakeUpdate mode\n"
-" --no-verify-rpm don't verify packages signatures\n"
-" --changelog-first display changelog before filelist in the "
-"description window\n"
-" --merge-all-rpmnew propose to merge all .rpmnew/.rpmsave files found"
+"\"%s\" is a local user, but you did not select a local smtp, so you must use "
+"a complete email address!"
msgstr ""
-"\n"
-" tidak dalam\n"
-" tidak\n"
-" dalam\n"
-" fail"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:728
#, fuzzy, c-format
-msgid "Setting Default Printer..."
-msgstr "Default."
+msgid "Valid user list changed, rewriting config file."
+msgstr "pengguna fail."
-#: ../../standalone/drakgw:1
+#: standalone/drakbackup:730
#, fuzzy, c-format
-msgid "Interface %s (using module %s)"
-msgstr "Antaramuka"
+msgid "Old user list:\n"
+msgstr "pengguna"
-#: ../../standalone/draksplash:1
-#, c-format
-msgid "Generating preview ..."
-msgstr ""
+#: standalone/drakbackup:732
+#, fuzzy, c-format
+msgid "New user list:\n"
+msgstr "Baru pengguna"
-#: ../../network/network.pm:1
+#: standalone/drakbackup:779
#, c-format
msgid ""
-"Freq should have the suffix k, M or G (for example, \"2.46G\" for 2.46 GHz "
-"frequency), or add enough '0' (zeroes)."
+"\n"
+" DrakBackup Report \n"
msgstr ""
-#: ../../standalone/draksec:1
+#: standalone/drakbackup:780
#, c-format
-msgid "ignore"
+msgid ""
+"\n"
+" DrakBackup Daemon Report\n"
msgstr ""
-#: ../../security/help.pm:1
+#: standalone/drakbackup:786
#, fuzzy, c-format
msgid ""
-"Allow/Forbid X connections:\n"
"\n"
-"- ALL (all connections are allowed),\n"
+" DrakBackup Report Details\n"
"\n"
-"- LOCAL (only connection from local machine),\n"
"\n"
-"- NONE (no connection)."
-msgstr "lokal tidak."
+msgstr ""
+"\n"
+" Perincian"
-#: ../../printer/main.pm:1
+#: standalone/drakbackup:810 standalone/drakbackup:883
+#: standalone/drakbackup:939
#, fuzzy, c-format
-msgid ", multi-function device on parallel port #%s"
-msgstr "on"
+msgid "Total progress"
+msgstr "Jumlah"
-#: ../../mouse.pm:1
+#: standalone/drakbackup:865
#, fuzzy, c-format
-msgid "serial"
-msgstr "bersiri"
+msgid ""
+"%s exists, delete?\n"
+"\n"
+"If you've already done this process you'll probably\n"
+" need to purge the entry from authorized_keys on the server."
+msgstr ""
+"siap\n"
+" on."
-#: ../../harddrake/data.pm:1
+#: standalone/drakbackup:874
#, c-format
-msgid "DVD-ROM"
+msgid "This may take a moment to generate the keys."
msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/drakbackup:881
+#, fuzzy, c-format
+msgid "Cannot spawn %s."
+msgstr "RALAT."
+
+#: standalone/drakbackup:898
+#, fuzzy, c-format
+msgid "No password prompt on %s at port %s"
+msgstr "Tidak on"
+
+#: standalone/drakbackup:899
+#, fuzzy, c-format
+msgid "Bad password on %s"
+msgstr "on"
+
+#: standalone/drakbackup:900
#, c-format
-msgid "Georgian (\"Latin\" layout)"
+msgid "Permission denied transferring %s to %s"
msgstr ""
-#: ../advertising/09-mdksecure.pl:1
+#: standalone/drakbackup:901
+#, fuzzy, c-format
+msgid "Can't find %s on %s"
+msgstr "on"
+
+#: standalone/drakbackup:904
#, c-format
-msgid "Get the best items with Mandrake Linux Strategic partners"
+msgid "%s not responding"
msgstr ""
-#: ../../modules/interactive.pm:1
+#: standalone/drakbackup:908
#, c-format
msgid ""
-"You may now provide options to module %s.\n"
-"Note that any address should be entered with the prefix 0x like '0x123'"
+"Transfer successful\n"
+"You may want to verify you can login to the server with:\n"
+"\n"
+"ssh -i %s %s@%s\n"
+"\n"
+"without being prompted for a password."
msgstr ""
-#: ../../lang.pm:1
+#: standalone/drakbackup:953
#, fuzzy, c-format
-msgid "Kenya"
-msgstr "Kenya"
+msgid "WebDAV remote site already in sync!"
+msgstr "dalam!"
-#: ../../diskdrake/hd_gtk.pm:1
+#: standalone/drakbackup:957
#, c-format
-msgid "Use ``Unmount'' first"
+msgid "WebDAV transfer failed!"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Installing mtools packages..."
-msgstr ""
+#: standalone/drakbackup:978
+#, fuzzy, c-format
+msgid "No CD-R/DVD-R in drive!"
+msgstr "Tidak dalam!"
-#: ../../any.pm:1
+#: standalone/drakbackup:982
#, c-format
-msgid "You must specify a root partition"
+msgid "Does not appear to be recordable media!"
msgstr ""
-#: ../../standalone/draksplash:1
+#: standalone/drakbackup:986
#, c-format
-msgid "first step creation"
+msgid "Not erasable media!"
msgstr ""
-#: ../../keyboard.pm:1
-#, fuzzy, c-format
-msgid "Both Shift keys simultaneously"
-msgstr "Shif"
-
-#: ../../standalone/drakhelp:1
+#: standalone/drakbackup:1027
#, c-format
-msgid ""
-" --id <id_label> - load the html help page which refers to id_label\n"
+msgid "This may take a moment to erase the media."
msgstr ""
-#: ../../standalone/scannerdrake:1
+#: standalone/drakbackup:1103
#, c-format
-msgid "Select a scanner model"
+msgid "Permission problem accessing CD."
msgstr ""
-#: ../../security/help.pm:1
-#, fuzzy, c-format
-msgid "Accept/Refuse bogus IPv4 error messages."
-msgstr "Terima ralat."
-
-#: ../../printer/data.pm:1
+#: standalone/drakbackup:1130
#, fuzzy, c-format
-msgid "LPRng - LPR New Generation"
-msgstr "Baru"
+msgid "No tape in %s!"
+msgstr "Tidak dalam!"
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:1232
#, c-format
-msgid "Drakbackup Configuration"
+msgid ""
+"Backup quota exceeded!\n"
+"%d MB used vs %d MB allocated."
msgstr ""
-#: ../../standalone/logdrake:1
+#: standalone/drakbackup:1251 standalone/drakbackup:1305
#, fuzzy, c-format
-msgid "Save as.."
-msgstr "Simpan."
+msgid "Backup system files..."
+msgstr "fail."
-#: ../../lang.pm:1
+#: standalone/drakbackup:1306 standalone/drakbackup:1368
#, fuzzy, c-format
-msgid "Korea (North)"
-msgstr "Utara"
+msgid "Hard Disk Backup files..."
+msgstr "fail."
-#: ../../standalone/drakconnect:1
+#: standalone/drakbackup:1367
#, fuzzy, c-format
-msgid ""
-"This interface has not been configured yet.\n"
-"Launch the configuration wizard in the main window"
-msgstr "dalam utama"
+msgid "Backup User files..."
+msgstr "Pengguna fail."
-#: ../../install_gtk.pm:1
+#: standalone/drakbackup:1421
#, fuzzy, c-format
-msgid "System configuration"
-msgstr "Sistem"
+msgid "Backup Other files..."
+msgstr "Lain-lain fail."
-#: ../../any.pm:1 ../../security/l10n.pm:1
+#: standalone/drakbackup:1422
#, c-format
-msgid "Autologin"
+msgid "Hard Disk Backup Progress..."
msgstr ""
-#: ../../any.pm:1
-#, fuzzy, c-format
-msgid "Domain Admin Password"
-msgstr "Domain"
-
-#: ../advertising/05-desktop.pl:1
+#: standalone/drakbackup:1427
#, fuzzy, c-format
-msgid ""
-"Perfectly adapt your computer to your needs thanks to the 11 available "
-"Mandrake Linux user interfaces which can be fully modified: KDE 3.1, GNOME "
-"2.2, Window Maker, ..."
-msgstr "pengguna KDE GNOME."
+msgid "No changes to backup!"
+msgstr "Tidak!"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:1445 standalone/drakbackup:1469
#, c-format
-msgid "Configuring printer ..."
+msgid ""
+"\n"
+"Drakbackup activities via %s:\n"
+"\n"
msgstr ""
-#: ../../install_interactive.pm:1 ../../diskdrake/interactive.pm:1
+#: standalone/drakbackup:1454
#, fuzzy, c-format
msgid ""
-"To ensure data integrity after resizing the partition(s), \n"
-"filesystem checks will be run on your next boot into Windows(TM)"
-msgstr "Kepada on Tetingkap"
-
-#: ../../common.pm:1
-#, c-format
-msgid "MB"
+"\n"
+" FTP connection problem: It was not possible to send your backup files by "
+"FTP.\n"
msgstr ""
+"\n"
+" FTP fail FTP"
-#: ../../security/help.pm:1
-#, fuzzy, c-format
-msgid "if set to yes, run some checks against the rpm database."
-msgstr "ya."
-
-#: ../../lang.pm:1
-#, c-format
-msgid "Virgin Islands (British)"
-msgstr "Kepulauan Virgin (Inggeris)"
-
-#: ../../lang.pm:1
+#: standalone/drakbackup:1455
#, fuzzy, c-format
-msgid "Bermuda"
-msgstr "Bermuda"
-
-#: ../../standalone/drakfont:1
-#, c-format
-msgid "click here if you are sure."
+msgid ""
+"Error during sending file via FTP. Please correct your FTP configuration."
msgstr ""
+"Ralat fail FTP\n"
+" FTP."
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:1457
#, fuzzy, c-format
-msgid ""
-"No configuration file found \n"
-"please click Wizard or Advanced."
-msgstr "Tidak fail Lanjutan."
+msgid "file list sent by FTP: %s\n"
+msgstr "fail FTP "
-#: ../../help.pm:1
-#, fuzzy, c-format
+#: standalone/drakbackup:1474
+#, c-format
msgid ""
-"Listed here are the existing Linux partitions detected on your hard drive.\n"
-"You can keep the choices made by the wizard, since they are good for most\n"
-"common installations. If you make any changes, you must at least define a\n"
-"root partition (\"/\"). Do not choose too small a partition or you will not\n"
-"be able to install enough software. If you want to store your data on a\n"
-"separate partition, you will also need to create a \"/home\" partition\n"
-"(only possible if you have more than one Linux partition available).\n"
-"\n"
-"Each partition is listed as follows: \"Name\", \"Capacity\".\n"
-"\n"
-"\"Name\" is structured: \"hard drive type\", \"hard drive number\",\n"
-"\"partition number\" (for example, \"hda1\").\n"
"\n"
-"\"Hard drive type\" is \"hd\" if your hard drive is an IDE hard drive and\n"
-"\"sd\" if it is a SCSI hard drive.\n"
-"\n"
-"\"Hard drive number\" is always a letter after \"hd\" or \"sd\". For IDE\n"
-"hard drives:\n"
-"\n"
-" * \"a\" means \"master hard drive on the primary IDE controller\";\n"
-"\n"
-" * \"b\" means \"slave hard drive on the primary IDE controller\";\n"
+"Drakbackup activities via CD:\n"
"\n"
-" * \"c\" means \"master hard drive on the secondary IDE controller\";\n"
+msgstr ""
+
+#: standalone/drakbackup:1479
+#, c-format
+msgid ""
"\n"
-" * \"d\" means \"slave hard drive on the secondary IDE controller\".\n"
+"Drakbackup activities via tape:\n"
"\n"
-"With SCSI hard drives, an \"a\" means \"lowest SCSI ID\", a \"b\" means\n"
-"\"second lowest SCSI ID\", etc."
msgstr ""
-"on on Nama Nama dan\n"
-" on\n"
-" on\n"
-" on\n"
-" on."
-#: ../../help.pm:1 ../../interactive.pm:1 ../../interactive/gtk.pm:1
+#: standalone/drakbackup:1488
#, fuzzy, c-format
-msgid "Remove"
-msgstr "Buang"
+msgid "Error sending mail. Your report mail was not sent."
+msgstr ""
+"Ralat\n"
+"\n"
-#: ../../lang.pm:1
+#: standalone/drakbackup:1489
#, fuzzy, c-format
-msgid "Lesotho"
-msgstr "Lesotho"
+msgid " Error while sending mail. \n"
+msgstr "Ralat"
-#: ../../ugtk2.pm:1
+#: standalone/drakbackup:1518
#, c-format
-msgid "utopia 25"
+msgid "Can't create catalog!"
msgstr ""
-#: ../../printer/main.pm:1
-#, c-format
-msgid "Pipe job into a command"
-msgstr ""
+#: standalone/drakbackup:1639
+#, fuzzy, c-format
+msgid "Can't create log file!"
+msgstr "fail!"
-#: ../../../move/move.pm:1
+#: standalone/drakbackup:1656 standalone/drakbackup:1667
+#: standalone/drakfont:584
#, fuzzy, c-format
-msgid "Remove system config files"
-msgstr "Buang fail?"
+msgid "File Selection"
+msgstr "Fail"
-#: ../../lang.pm:1
-#, c-format
-msgid "Cote d'Ivoire"
-msgstr "Pantai Gading"
+#: standalone/drakbackup:1695
+#, fuzzy, c-format
+msgid "Select the files or directories and click on 'OK'"
+msgstr "fail dan on OK"
-#: ../../standalone/harddrake2:1
+#: standalone/drakbackup:1723
#, c-format
-msgid "new dynamic device name generated by core kernel devfs"
+msgid ""
+"\n"
+"Please check all options that you need.\n"
msgstr ""
-#: ../../help.pm:1 ../../install_any.pm:1 ../../interactive.pm:1
-#: ../../ugtk2.pm:1 ../../modules/interactive.pm:1
-#: ../../standalone/drakclock:1 ../../standalone/drakgw:1
-#: ../../standalone/harddrake2:1
+#: standalone/drakbackup:1724
#, fuzzy, c-format
-msgid "Yes"
-msgstr "Ya"
+msgid ""
+"These options can backup and restore all files in your /etc directory.\n"
+msgstr "dan fail dalam direktori"
-#: ../../network/isdn.pm:1
+#: standalone/drakbackup:1725
+#, fuzzy, c-format
+msgid "Backup your System files. (/etc directory)"
+msgstr "Sistem fail direktori"
+
+#: standalone/drakbackup:1726 standalone/drakbackup:1790
+#: standalone/drakbackup:1856
#, c-format
-msgid "Which protocol do you want to use?"
+msgid "Use Incremental/Differential Backups (do not replace old backups)"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:1728 standalone/drakbackup:1792
+#: standalone/drakbackup:1858
#, c-format
-msgid "Restore Progress"
+msgid "Use Incremental Backups"
+msgstr ""
+
+#: standalone/drakbackup:1728 standalone/drakbackup:1792
+#: standalone/drakbackup:1858
+#, c-format
+msgid "Use Differential Backups"
msgstr ""
-#: ../../lang.pm:1
+#: standalone/drakbackup:1730
#, fuzzy, c-format
-msgid "Estonia"
-msgstr "Estonia"
+msgid "Do not include critical files (passwd, group, fstab)"
+msgstr "fail"
-#: ../../partition_table.pm:1
+#: standalone/drakbackup:1731
#, fuzzy, c-format
msgid ""
-"You have a hole in your partition table but I can't use it.\n"
-"The only solution is to move your primary partitions to have the hole next "
-"to the extended partitions."
-msgstr "dalam."
+"With this option you will be able to restore any version\n"
+" of your /etc directory."
+msgstr ""
+"\n"
+" direktori."
-#: ../../standalone/scannerdrake:1
+#: standalone/drakbackup:1762
#, fuzzy, c-format
-msgid "Choose the host on which the local scanners should be made available:"
-msgstr "on lokal:"
+msgid "Please check all users that you want to include in your backup."
+msgstr "dalam."
-#: ../../standalone/harddrake2:1
-#, fuzzy, c-format
-msgid "Channel"
-msgstr "Saluran"
+#: standalone/drakbackup:1789
+#, c-format
+msgid "Do not include the browser cache"
+msgstr ""
-#: ../../help.pm:1 ../../interactive.pm:1 ../../interactive/gtk.pm:1
-#: ../../standalone/drakbackup:1 ../../standalone/drakfont:1
+#: standalone/drakbackup:1844 standalone/drakfont:650
#, fuzzy, c-format
-msgid "Add"
-msgstr "Tambah"
+msgid "Remove Selected"
+msgstr "Buang"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid " Error while sending mail. \n"
-msgstr "Ralat"
+#: standalone/drakbackup:1891 standalone/drakbackup:1895
+#, c-format
+msgid "Under Devel ... please wait."
+msgstr ""
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
-#: ../../standalone/keyboarddrake:1
+#: standalone/drakbackup:1909
#, fuzzy, c-format
-msgid "Keyboard"
-msgstr "Papan Kekunci"
+msgid "Windows (FAT32)"
+msgstr "Tetingkap"
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:1942
#, fuzzy, c-format
-msgid ""
-"Insert the CD with volume label %s\n"
-" in the CD drive under mount point /mnt/cdrom"
-msgstr ""
-"\n"
-" dalam"
+msgid "Users"
+msgstr "Pengguna"
-#: ../../network/network.pm:1
+#: standalone/drakbackup:1961
#, c-format
-msgid ""
-"Rate should have the suffix k, M or G (for example, \"11M\" for 11M), or add "
-"enough '0' (zeroes)."
+msgid "Use network connection to backup"
msgstr ""
-#: ../../network/netconnect.pm:1
+#: standalone/drakbackup:1963
#, c-format
-msgid "Choose the connection you want to configure"
+msgid "Net Method:"
msgstr ""
-#: ../../standalone/draksec:1
+#: standalone/drakbackup:1967
#, c-format
-msgid "Please wait, setting security level..."
+msgid "Use Expect for SSH"
msgstr ""
-#: ../../network/network.pm:1
+#: standalone/drakbackup:1968
#, c-format
-msgid "Configuring network device %s"
+msgid "Create/Transfer backup keys for SSH"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakbackup:1970
#, c-format
-msgid "activated"
+msgid "Transfer Now"
msgstr ""
-#: ../../standalone/drakpxe:1
-#, c-format
-msgid "Please choose which network interface will be used for the dhcp server."
-msgstr ""
+#: standalone/drakbackup:1972
+#, fuzzy, c-format
+msgid "Other (not drakbackup) keys in place already"
+msgstr "Lain-lain dalam"
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakbackup:1975
#, fuzzy, c-format
-msgid "Finding packages to upgrade..."
-msgstr "Cari pakej untuk ditingkatupaya..."
+msgid "Host name or IP."
+msgstr "Hos IP."
-#: ../../diskdrake/dav.pm:1 ../../diskdrake/interactive.pm:1
-#, c-format
-msgid "Mount point: "
-msgstr ""
+#: standalone/drakbackup:1980
+#, fuzzy, c-format
+msgid "Directory (or module) to put the backup on this host."
+msgstr "Direktori on."
-#: ../../standalone/drakfont:1
+#: standalone/drakbackup:1985
#, c-format
-msgid "parse all fonts"
+msgid "Login name"
msgstr ""
-#: ../../security/help.pm:1
+#: standalone/drakbackup:1992
#, c-format
-msgid "Allow/Forbid direct root login."
+msgid "Remember this password"
msgstr ""
-#: ../../security/help.pm:1
+#: standalone/drakbackup:2004
#, fuzzy, c-format
-msgid " Accept/Refuse broadcasted icmp echo."
-msgstr "Terima."
+msgid "Need hostname, username and password!"
+msgstr "dan!"
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
+#: standalone/drakbackup:2106
#, c-format
-msgid "With X"
+msgid "Use CD-R/DVD-R to backup"
msgstr ""
-#: ../../Xconfig/card.pm:1
+#: standalone/drakbackup:2109
#, c-format
-msgid "Multi-head configuration"
+msgid "Choose your CD/DVD device"
msgstr ""
-#: ../../standalone/drakbug:1
-#, fuzzy, c-format
-msgid "No browser available! Please install one"
-msgstr "Tidak"
-
-#: ../../Xconfig/main.pm:1
+#: standalone/drakbackup:2114
#, c-format
-msgid ""
-"Keep the changes?\n"
-"The current configuration is:\n"
-"\n"
-"%s"
+msgid "Choose your CD/DVD media size"
msgstr ""
-#: ../../fsedit.pm:1
+#: standalone/drakbackup:2121
#, c-format
-msgid "You can't use ReiserFS for partitions smaller than 32MB"
+msgid "Multisession CD"
msgstr ""
-#: ../../services.pm:1
+#: standalone/drakbackup:2123
#, c-format
-msgid ""
-"The rwho protocol lets remote users get a list of all of the users\n"
-"logged into a machine running the rwho daemon (similiar to finger)."
+msgid "CDRW media"
msgstr ""
-#: ../../network/modem.pm:1 ../../standalone/drakconnect:1
-#, fuzzy, c-format
-msgid "Domain name"
-msgstr "Domain"
-
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Sharing of local printers"
-msgstr "lokal"
-
-#: ../../security/help.pm:1
-#, fuzzy, c-format
-msgid "Enable/Disable libsafe if libsafe is found on the system."
-msgstr "on."
-
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:2128
#, c-format
-msgid "Available printers"
+msgid "Erase your RW media (1st Session)"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:2129
#, c-format
-msgid "NO"
+msgid " Erase Now "
msgstr ""
-#: ../../diskdrake/hd_gtk.pm:1 ../../diskdrake/interactive.pm:1
+#: standalone/drakbackup:2136
#, c-format
-msgid "Empty"
+msgid "DVD+RW media"
msgstr ""
-#: ../../standalone/draksplash:1
+#: standalone/drakbackup:2138
#, c-format
-msgid "text width"
+msgid "DVD-R media"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakbackup:2140
#, c-format
-msgid "Where do you want to mount device %s?"
+msgid "DVDRAM device"
msgstr ""
-#: ../../standalone/drakgw:1
+#: standalone/drakbackup:2145
#, fuzzy, c-format
-msgid "The default lease (in seconds)"
-msgstr "default dalam saat"
-
-#: ../../network/netconnect.pm:1
-#, c-format
msgid ""
-"We are now going to configure the %s connection.\n"
-"\n"
-"\n"
-"Press \"%s\" to continue."
-msgstr ""
-
-#: ../../printer/main.pm:1 ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Interface \"%s\""
-msgstr "Antaramuka"
+"Enter your CD Writer device name\n"
+" ex: 0,1,0"
+msgstr "Enter\n"
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakbackup:2177
#, fuzzy, c-format
-msgid "With basic documentation (recommended!)"
-msgstr "asas"
+msgid "No CD device defined!"
+msgstr "Tidak!"
-#: ../../mouse.pm:1
+#: standalone/drakbackup:2227
#, c-format
-msgid "1 button"
+msgid "Use tape to backup"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:2230
#, fuzzy, c-format
-msgid ""
-"\n"
-"There are %d unknown printers directly connected to your system"
-msgstr "tidak diketahui"
+msgid "Device name to use for backup"
+msgstr "Peranti RAID"
-#: ../../Xconfig/main.pm:1
-#, fuzzy, c-format
-msgid "Test"
-msgstr "Ujian"
+#: standalone/drakbackup:2237
+#, c-format
+msgid "Don't rewind tape after backup"
+msgstr ""
-#: ../../lang.pm:1
+#: standalone/drakbackup:2243
#, c-format
-msgid "Korea"
+msgid "Erase tape before backup"
+msgstr ""
+
+#: standalone/drakbackup:2249
+#, c-format
+msgid "Eject tape after the backup"
msgstr ""
-#: ../../interactive/stdio.pm:1
+#: standalone/drakbackup:2317
#, fuzzy, c-format
-msgid "Your choice? (default `%s'%s) "
-msgstr "default "
+msgid "Enter the directory to save to:"
+msgstr "Enter direktori:"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:2326
#, c-format
-msgid "Raw printer"
+msgid ""
+"Maximum size\n"
+" allowed for Drakbackup (MB)"
msgstr ""
-#: ../../standalone/harddrake2:1
+#: standalone/drakbackup:2399
#, c-format
-msgid "official vendor name of the cpu"
+msgid "CD-R / DVD-R"
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: standalone/drakbackup:2404
#, c-format
-msgid "Useless without Terminal Server"
+msgid "HardDrive / NFS"
msgstr ""
-#: ../../Xconfig/monitor.pm:1 ../../standalone/harddrake2:1
+#: standalone/drakbackup:2420 standalone/drakbackup:2425
+#: standalone/drakbackup:2430
#, c-format
-msgid "Vendor"
+msgid "hourly"
msgstr ""
-#: ../../standalone/drakgw:1
-#, fuzzy, c-format
-msgid "Interface %s"
-msgstr "Antaramuka"
+#: standalone/drakbackup:2421 standalone/drakbackup:2426
+#: standalone/drakbackup:2430
+#, c-format
+msgid "daily"
+msgstr ""
-#: ../../steps.pm:1
+#: standalone/drakbackup:2422 standalone/drakbackup:2427
+#: standalone/drakbackup:2430
#, c-format
-msgid "Configure mouse"
+msgid "weekly"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakbackup:2423 standalone/drakbackup:2428
+#: standalone/drakbackup:2430
#, c-format
-msgid "Choose the mount points"
+msgid "monthly"
msgstr ""
-#: ../../help.pm:1 ../../standalone/drakTermServ:1 ../../standalone/drakfont:1
-#, fuzzy, c-format
-msgid "OK"
-msgstr "OK"
+#: standalone/drakbackup:2424 standalone/drakbackup:2429
+#: standalone/drakbackup:2430
+#, c-format
+msgid "custom"
+msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/drakbackup:2435
#, c-format
-msgid "Yugoslavian (latin)"
+msgid "January"
msgstr ""
-#: ../../install_steps_gtk.pm:1 ../../install_steps_interactive.pm:1
+#: standalone/drakbackup:2435
#, c-format
-msgid "Installing"
+msgid "February"
msgstr ""
-#: ../../mouse.pm:1
+#: standalone/drakbackup:2435
#, c-format
-msgid "Logitech MouseMan with Wheel emulation"
+msgid "March"
msgstr ""
-#: ../../any.pm:1
+#: standalone/drakbackup:2436
#, c-format
-msgid "Launch userdrake"
+msgid "April"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakbackup:2436
#, c-format
-msgid "Is this an install or an upgrade?"
+msgid "May"
msgstr ""
-#: ../../help.pm:1
+#: standalone/drakbackup:2436
#, c-format
-msgid "ISDN card"
+msgid "June"
msgstr ""
-#: ../advertising/02-community.pl:1
-#, fuzzy, c-format
-msgid ""
-"To share your own knowledge and help build Linux software, join our "
-"discussion forums on our \"Community\" webpages."
-msgstr "Kepada dan on."
+#: standalone/drakbackup:2436
+#, c-format
+msgid "July"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:2436
#, c-format
-msgid "\t-Hard drive.\n"
+msgid "August"
msgstr ""
-#: ../../help.pm:1
-#, fuzzy, c-format
-msgid ""
-"This step is activated only if an old GNU/Linux partition has been found on\n"
-"your machine.\n"
-"\n"
-"DrakX now needs to know if you want to perform a new install or an upgrade\n"
-"of an existing Mandrake Linux system:\n"
-"\n"
-" * \"%s\": For the most part, this completely wipes out the old system. If\n"
-"you wish to change how your hard drives are partitioned, or change the file\n"
-"system, you should use this option. However, depending on your partitioning\n"
-"scheme, you can prevent some of your existing data from being over-written.\n"
-"\n"
-" * \"%s\": this installation class allows you to update the packages\n"
-"currently installed on your Mandrake Linux system. Your current\n"
-"partitioning scheme and user data is not altered. Most of other\n"
-"configuration steps remain available, similar to a standard installation.\n"
-"\n"
-"Using the ``Upgrade'' option should work fine on Mandrake Linux systems\n"
-"running version \"8.1\" or later. Performing an Upgrade on versions prior\n"
-"to Mandrake Linux version \"8.1\" is not recommended."
+#: standalone/drakbackup:2436
+#, c-format
+msgid "September"
msgstr ""
-"on\n"
-" keluar fail on\n"
-" on dan pengguna Tingkatupaya on Tingkatupaya on."
-#: ../../standalone/drakfont:1
-#, fuzzy, c-format
-msgid ""
-"\n"
-" Copyright (C) 2001-2002 by MandrakeSoft \n"
-" DUPONT Sebastien (original version)\n"
-" CHAUMETTE Damien <dchaumette@mandrakesoft.com>\n"
-"\n"
-" This program is free software; you can redistribute it and/or modify\n"
-" it under the terms of the GNU General Public License as published by\n"
-" the Free Software Foundation; either version 2, or (at your option)\n"
-" any later version.\n"
-"\n"
-" This program is distributed in the hope that it will be useful,\n"
-" but WITHOUT ANY WARRANTY; without even the implied warranty of\n"
-" MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n"
-" GNU General Public License for more details.\n"
-"\n"
-" You should have received a copy of the GNU General Public License\n"
-" along with this program; if not, write to the Free Software\n"
-" Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.\n"
-"\n"
-" Thanks:\n"
-" - pfm2afm: \n"
-"\t by Ken Borgendale:\n"
-"\t Convert a Windows .pfm file to a .afm (Adobe Font Metrics)\n"
-" - type1inst:\n"
-"\t by James Macnicol: \n"
-"\t type1inst generates files fonts.dir fonts.scale & Fontmap.\n"
-" - ttf2pt1: \n"
-"\t by Andrew Weeks, Frank Siegert, Thomas Henlich, Sergey Babkin \n"
-" Convert ttf font files to afm and pfb fonts\n"
+#: standalone/drakbackup:2437
+#, c-format
+msgid "October"
msgstr ""
-"\n"
-" C\n"
-"\n"
-"<dchaumette@mandrakesoft.com>\n"
-" dan\n"
-" Umum\n"
-" Bebas\n"
-"\n"
-" dalam\n"
-"\n"
-" A\n"
-" Umum\n"
-" Umum\n"
-" Bebas\n"
-"\n"
-"\n"
-" Tetingkap fail Font\n"
-" fail\n"
-"\n"
-" fail dan"
-#: ../../printer/main.pm:1
-#, fuzzy, c-format
-msgid "Printer on remote CUPS server"
-msgstr "on"
+#: standalone/drakbackup:2437
+#, c-format
+msgid "November"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid ""
-"Failed to remove the printer \"%s\" from Star Office/OpenOffice.org/GIMP."
-msgstr "Gagal Pejabat."
+#: standalone/drakbackup:2437
+#, c-format
+msgid "December"
+msgstr ""
-#: ../../standalone/drakfont:1
-#, fuzzy, c-format
-msgid "here if no."
-msgstr "tidak."
+#: standalone/drakbackup:2442
+#, c-format
+msgid "Sunday"
+msgstr ""
-#: ../../network/network.pm:1
-#, fuzzy, c-format
-msgid "DHCP host name"
-msgstr "DHCP"
+#: standalone/drakbackup:2442
+#, c-format
+msgid "Monday"
+msgstr ""
-#: ../../standalone/drakgw:1
-#, fuzzy, c-format
-msgid "The maximum lease (in seconds)"
-msgstr "dalam saat"
+#: standalone/drakbackup:2442
+#, c-format
+msgid "Tuesday"
+msgstr ""
-#: ../../install_steps_interactive.pm:1 ../../standalone/mousedrake:1
-#, fuzzy, c-format
-msgid "Please choose which serial port your mouse is connected to."
-msgstr "bersiri."
+#: standalone/drakbackup:2443
+#, c-format
+msgid "Wednesday"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:2443
#, c-format
-msgid "Did it work properly?"
+msgid "Thursday"
msgstr ""
-#: ../../fs.pm:1
-#, fuzzy, c-format
-msgid "Mount the file system read-only."
-msgstr "fail."
+#: standalone/drakbackup:2443
+#, c-format
+msgid "Friday"
+msgstr ""
-#: ../../security/level.pm:1
+#: standalone/drakbackup:2443
#, c-format
-msgid "Poor"
+msgid "Saturday"
msgstr ""
-#: ../../security/l10n.pm:1
+#: standalone/drakbackup:2478
#, c-format
-msgid "Report check result by mail"
+msgid "Use daemon"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Grenada"
-msgstr "Grenada"
+#: standalone/drakbackup:2483
+#, c-format
+msgid "Please choose the time interval between each backup"
+msgstr ""
-#: ../../standalone/drakgw:1
+#: standalone/drakbackup:2489
#, fuzzy, c-format
-msgid "The DHCP start range"
-msgstr "DHCP mula"
+msgid "Custom setup/crontab entry:"
+msgstr "Tersendiri:"
-#: ../../any.pm:1
+#: standalone/drakbackup:2494
#, c-format
-msgid "Unsafe"
+msgid "Minute"
msgstr ""
-#: ../../network/drakfirewall.pm:1
-#, fuzzy, c-format
-msgid "SSH server"
-msgstr "SSH"
-
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakbackup:2498
#, c-format
-msgid ", %s sectors"
+msgid "Hour"
msgstr ""
-#: ../../help.pm:1 ../../install_any.pm:1 ../../interactive.pm:1
-#: ../../ugtk2.pm:1 ../../modules/interactive.pm:1
-#: ../../standalone/drakclock:1 ../../standalone/harddrake2:1
-#, fuzzy, c-format
-msgid "No"
-msgstr "Tidak"
+#: standalone/drakbackup:2502
+#, c-format
+msgid "Day"
+msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Guadeloupe"
-msgstr "Guadeloupe"
+#: standalone/drakbackup:2506
+#, c-format
+msgid "Month"
+msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/drakbackup:2510
#, c-format
-msgid "Kannada"
+msgid "Weekday"
msgstr ""
-#: ../../standalone/drakfont:1
+#: standalone/drakbackup:2516
#, c-format
-msgid "could not find any font.\n"
+msgid "Please choose the media for backup."
msgstr ""
-#: ../../standalone/keyboarddrake:1
+#: standalone/drakbackup:2523
#, fuzzy, c-format
-msgid "Do you want the BackSpace to return Delete in console?"
-msgstr "Padam dalam?"
+msgid "Please be sure that the cron daemon is included in your services."
+msgstr "dalam."
-#: ../../Xconfig/monitor.pm:1
+#: standalone/drakbackup:2524
#, c-format
-msgid "Vertical refresh rate"
+msgid "Note that currently all 'net' media also use the hard drive."
msgstr ""
-#: ../../install_steps_auto_install.pm:1 ../../install_steps_stdio.pm:1
+#: standalone/drakbackup:2571
#, c-format
-msgid "Entering step `%s'\n"
+msgid "Use tar and bzip2 (rather than tar and gzip)"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Niger"
-msgstr "Niger"
-
-#: ../../mouse.pm:1
+#: standalone/drakbackup:2572
#, c-format
-msgid "Logitech MouseMan"
+msgid "Use .backupignore files"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:2574
#, c-format
-msgid "Removing %s ..."
+msgid "Send mail report after each backup to:"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakbackup:2580
#, fuzzy, c-format
-msgid "No printer"
-msgstr "Tidak"
+msgid "SMTP server for mail:"
+msgstr "SMB"
+
+#: standalone/drakbackup:2585
+#, fuzzy, c-format
+msgid "Delete Hard Drive tar files after backup to other media."
+msgstr "Padam Pemacu fail."
-#: ../../standalone/logdrake:1
+#: standalone/drakbackup:2624
#, c-format
-msgid "alert configuration"
+msgid "What"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:2629
#, c-format
-msgid "NetWare Printer Options"
+msgid "Where"
msgstr ""
-#: ../../standalone/draksplash:1
+#: standalone/drakbackup:2634
#, c-format
-msgid "%s BootSplash (%s) preview"
+msgid "When"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:2639
#, c-format
-msgid "February"
+msgid "More Options"
msgstr ""
-#: ../../standalone/drakfloppy:1
+#: standalone/drakbackup:2651
#, fuzzy, c-format
-msgid "General"
-msgstr "Umum"
+msgid "Backup destination not configured..."
+msgstr "Rangkaian"
-#: ../../security/l10n.pm:1
+#: standalone/drakbackup:2667 standalone/drakbackup:4731
#, c-format
-msgid "/etc/issue* exist"
+msgid "Drakbackup Configuration"
msgstr ""
-#: ../../steps.pm:1
-#, fuzzy, c-format
-msgid "Add a user"
-msgstr "Tambah"
+#: standalone/drakbackup:2684
+#, c-format
+msgid "Please choose where you want to backup"
+msgstr ""
-#: ../../standalone/drakconnect:1
+#: standalone/drakbackup:2686
#, fuzzy, c-format
-msgid "Network configuration (%d adapters)"
-msgstr "Rangkaian"
+msgid "Hard Drive used to prepare backups for all media"
+msgstr "Padam Pemacu fail."
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:2694
#, c-format
-msgid "April"
+msgid "Across Network"
msgstr ""
-#: ../../standalone/drakconnect:1
+#: standalone/drakbackup:2702
#, c-format
-msgid "Deactivate now"
+msgid "On CD-R"
+msgstr "pada CDROM"
+
+#: standalone/drakbackup:2710
+#, fuzzy, c-format
+msgid "On Tape Device"
+msgstr "on"
+
+#: standalone/drakbackup:2738
+#, c-format
+msgid "Please select media for backup..."
msgstr ""
-#: ../../any.pm:1 ../../install_any.pm:1 ../../standalone.pm:1
+#: standalone/drakbackup:2760
#, c-format
-msgid "Mandatory package %s is missing"
+msgid "Backup Users"
msgstr ""
-#: ../../lang.pm:1
+#: standalone/drakbackup:2761
#, fuzzy, c-format
-msgid "Philippines"
-msgstr "Filipina"
+msgid " (Default is all users)"
+msgstr "Default"
-#: ../../interactive.pm:1 ../../ugtk2.pm:1
-#: ../../Xconfig/resolution_and_depth.pm:1 ../../interactive/gtk.pm:1
-#: ../../interactive/http.pm:1 ../../interactive/newt.pm:1
-#: ../../interactive/stdio.pm:1 ../../standalone/drakbackup:1
-#: ../../standalone/drakboot:1 ../../standalone/drakconnect:1
-#: ../../standalone/drakfloppy:1 ../../standalone/drakperm:1
-#: ../../standalone/draksec:1 ../../standalone/mousedrake:1
-#: ../../standalone/net_monitor:1
-#, fuzzy, c-format
-msgid "Ok"
-msgstr "Ok"
+#: standalone/drakbackup:2773
+#, c-format
+msgid "Please choose what you want to backup"
+msgstr ""
-#: ../../standalone/drakTermServ:1
+#: standalone/drakbackup:2774
#, c-format
-msgid "drakTermServ Overview"
+msgid "Backup System"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:2776
#, fuzzy, c-format
-msgid "Print Queue Name"
-msgstr "Giliran"
+msgid "Select user manually"
+msgstr "pengguna"
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakbackup:2805
#, c-format
-msgid "Do you want to use aboot?"
+msgid "Please select data to backup..."
msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/drakbackup:2879
#, c-format
-msgid "Belarusian"
+msgid ""
+"\n"
+"Backup Sources: \n"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:2880
#, fuzzy, c-format
msgid ""
-"PDQ only supports local printers, remote LPD printers, and Socket/TCP "
-"printers.\n"
-msgstr "lokal dan"
-
-#: ../../diskdrake/interactive.pm:1
-#, fuzzy, c-format
-msgid "Move files to the new partition"
-msgstr "fail"
+"\n"
+"- System Files:\n"
+msgstr "Sistem"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:2882
#, fuzzy, c-format
msgid ""
-"Add here the CUPS servers whose printers you want to use. You only need to "
-"do this if the servers do not broadcast their printer information into the "
-"local network."
-msgstr "Tambah lokal."
+"\n"
+"- User Files:\n"
+msgstr "Pengguna"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:2884
#, fuzzy, c-format
msgid ""
"\n"
-"Welcome to the Printer Setup Wizard\n"
-"\n"
-"This wizard will help you to install your printer(s) connected to this "
-"computer.\n"
-"\n"
-"Please plug in and turn on all printers connected to this machine so that it/"
-"they can be auto-detected.\n"
-"\n"
-" Click on \"Next\" when you are ready, and on \"Cancel\" if you do not want "
-"to set up your printer(s) now."
-msgstr ""
-"dalam dan on\n"
-" on Berikutnya dan on Batal."
-
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Pitcairn"
-msgstr "Pitcairn"
+"- Other Files:\n"
+msgstr "Lain-lain"
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:2886
#, fuzzy, c-format
-msgid "Restore From Catalog"
-msgstr "Daripada"
+msgid ""
+"\n"
+"- Save on Hard drive on path: %s\n"
+msgstr "Simpan on on"
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakbackup:2887
#, c-format
-msgid "IDE"
+msgid "\tLimit disk usage to %s MB\n"
msgstr ""
-#: ../../fs.pm:1
+#: standalone/drakbackup:2890
#, fuzzy, c-format
-msgid "mounting partition %s in directory %s failed"
-msgstr "dalam direktori"
+msgid ""
+"\n"
+"- Delete hard drive tar files after backup.\n"
+msgstr "Padam fail"
-#: ../../standalone/drakboot:1
+#: standalone/drakbackup:2894
#, c-format
-msgid "Lilo screen"
+msgid "NO"
msgstr ""
-#: ../../bootloader.pm:1 ../../help.pm:1
+#: standalone/drakbackup:2895
#, c-format
-msgid "LILO with graphical menu"
+msgid "YES"
msgstr ""
-#: ../../install_steps_gtk.pm:1
+#: standalone/drakbackup:2896
#, c-format
-msgid "Estimating"
+msgid ""
+"\n"
+"- Burn to CD"
msgstr ""
-#: ../../install_steps_gtk.pm:1
+#: standalone/drakbackup:2897
#, c-format
-msgid "You can't unselect this package. It is already installed"
+msgid "RW"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:2898
#, fuzzy, c-format
-msgid ", printer \"%s\" on SMB/Windows server \"%s\""
-msgstr "on SMB Tetingkap"
+msgid " on device: %s"
+msgstr "on"
-#: ../../install_steps_gtk.pm:1 ../../install_steps_interactive.pm:1
-#, fuzzy, c-format
-msgid "Go on anyway?"
-msgstr "Pergi ke on?"
+#: standalone/drakbackup:2899
+#, c-format
+msgid " (multi-session)"
+msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakbackup:2900
#, fuzzy, c-format
-msgid "Looking for available packages and rebuilding rpm database..."
-msgstr "dan."
-
-#: ../../standalone/drakbackup:1
-#, c-format
msgid ""
"\n"
-" DrakBackup Report \n"
-msgstr ""
-
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "Does not appear to be recordable media!"
-msgstr ""
+"- Save to Tape on device: %s"
+msgstr "Simpan on"
-#: ../../modules/interactive.pm:1
+#: standalone/drakbackup:2901
#, c-format
-msgid "Specify options"
-msgstr ""
-
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Vanuatu"
-msgstr "Vanuatu"
+msgid "\t\tErase=%s"
+msgstr "\t\tPadam=%s"
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:2904
#, fuzzy, c-format
-msgid "New user list:\n"
-msgstr "Baru pengguna"
+msgid ""
+"\n"
+"- Save via %s on host: %s\n"
+msgstr "Simpan on"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:2905
#, fuzzy, c-format
-msgid "Either the server name or the server's IP must be given!"
-msgstr "IP!"
+msgid ""
+"\t\t user name: %s\n"
+"\t\t on path: %s \n"
+msgstr "pengguna on"
-#: ../../any.pm:1
+#: standalone/drakbackup:2906
#, fuzzy, c-format
msgid ""
-"A custom bootdisk provides a way of booting into your Linux system without\n"
-"depending on the normal bootloader. This is useful if you don't want to "
-"install\n"
-"SILO on your system, or another operating system removes SILO, or SILO "
-"doesn't\n"
-"work with your hardware configuration. A custom bootdisk can also be used "
-"with\n"
-"the Mandrake rescue image, making it much easier to recover from severe "
-"system\n"
-"failures.\n"
"\n"
-"If you want to create a bootdisk for your system, insert a floppy in the "
-"first\n"
-"drive and press \"Ok\"."
-msgstr "A on normal on A dalam dan Ok."
+"- Options:\n"
+msgstr "Pilihan"
-#: ../../fsedit.pm:1
+#: standalone/drakbackup:2907
#, fuzzy, c-format
-msgid "You can't use an encrypted file system for mount point %s"
-msgstr "fail"
+msgid "\tDo not include System Files\n"
+msgstr "Sistem"
-#: ../../security/help.pm:1
-#, c-format
-msgid "Set the password history length to prevent password reuse."
-msgstr ""
+#: standalone/drakbackup:2910
+#, fuzzy, c-format
+msgid "\tBackups use tar and bzip2\n"
+msgstr "dan"
-#: ../../lang.pm:1
+#: standalone/drakbackup:2912
#, fuzzy, c-format
-msgid "Norfolk Island"
-msgstr "Kepulauan Norfolk"
+msgid "\tBackups use tar and gzip\n"
+msgstr "dan"
-#: ../../standalone/drakboot:1
+#: standalone/drakbackup:2915
#, fuzzy, c-format
-msgid "Theme installation failed!"
-msgstr "Tema!"
+msgid "\tUse .backupignore files\n"
+msgstr "fail"
-#: ../../fsedit.pm:1
+#: standalone/drakbackup:2916
#, c-format
-msgid "Nothing to do"
+msgid "\tSend mail to %s\n"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakbackup:2917
#, c-format
-msgid "Use for loopback"
+msgid "\tUsing SMTP server %s\n"
msgstr ""
-#: ../../standalone/drakbug:1
+#: standalone/drakbackup:2919
#, c-format
-msgid "Mandrake Bug Report Tool"
+msgid ""
+"\n"
+"- Daemon, %s via:\n"
msgstr ""
-#: ../../standalone/printerdrake:1
+#: standalone/drakbackup:2920
#, c-format
-msgid "Apply filter"
+msgid "\t-Hard drive.\n"
msgstr ""
-#: ../../network/adsl.pm:1
+#: standalone/drakbackup:2921
#, c-format
-msgid "use pppoe"
+msgid "\t-CD-R.\n"
+msgstr ""
+
+#: standalone/drakbackup:2922
+#, c-format
+msgid "\t-Tape \n"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakbackup:2923
#, fuzzy, c-format
-msgid "Moving files to the new partition"
-msgstr "fail"
+msgid "\t-Network by FTP.\n"
+msgstr "Rangkaian FTP"
+
+#: standalone/drakbackup:2924
+#, fuzzy, c-format
+msgid "\t-Network by SSH.\n"
+msgstr "Rangkaian SSH"
+
+#: standalone/drakbackup:2925
+#, fuzzy, c-format
+msgid "\t-Network by rsync.\n"
+msgstr "Rangkaian"
-#: ../../Xconfig/card.pm:1
+#: standalone/drakbackup:2926
+#, fuzzy, c-format
+msgid "\t-Network by webdav.\n"
+msgstr "Rangkaian"
+
+#: standalone/drakbackup:2928
+#, fuzzy, c-format
+msgid "No configuration, please click Wizard or Advanced.\n"
+msgstr "Tidak Lanjutan"
+
+#: standalone/drakbackup:2933
#, c-format
-msgid "XFree %s with EXPERIMENTAL 3D hardware acceleration"
+msgid ""
+"List of data to restore:\n"
+"\n"
msgstr ""
-#: ../../help.pm:1 ../../interactive.pm:1
+#: standalone/drakbackup:2935
#, fuzzy, c-format
-msgid "Advanced"
-msgstr "Lanjutan"
+msgid "- Restore System Files.\n"
+msgstr "Sistem"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:2937 standalone/drakbackup:2947
#, c-format
-msgid "Transfer"
+msgid " - from date: %s %s\n"
msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/drakbackup:2940
#, fuzzy, c-format
-msgid "Dvorak (Swedish)"
-msgstr "Swedish"
+msgid "- Restore User Files: \n"
+msgstr "Pengguna"
-#: ../../lang.pm:1
+#: standalone/drakbackup:2945
#, fuzzy, c-format
-msgid "Afghanistan"
-msgstr "Afghanistan"
+msgid "- Restore Other Files: \n"
+msgstr "Lain-lain"
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:3121
#, c-format
-msgid "More Options"
+msgid ""
+"List of data corrupted:\n"
+"\n"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:3123
#, fuzzy, c-format
-msgid "Delete Hard Drive tar files after backup to other media."
-msgstr "Padam Pemacu fail."
+msgid "Please uncheck or remove it on next time."
+msgstr "on."
-#: ../../lang.pm:1
+#: standalone/drakbackup:3133
#, fuzzy, c-format
-msgid "Burundi"
-msgstr "Burundi"
+msgid "Backup files are corrupted"
+msgstr "fail"
-#: ../../services.pm:1
+#: standalone/drakbackup:3154
#, fuzzy, c-format
-msgid ""
-"cron is a standard UNIX program that runs user-specified programs\n"
-"at periodic scheduled times. vixie cron adds a number of features to the "
-"basic\n"
-"UNIX cron, including better security and more powerful configuration options."
-msgstr "pengguna asas dan."
+msgid " All of your selected data have been "
+msgstr "Semua "
-#: ../../standalone/drakTermServ:1
+#: standalone/drakbackup:3155
#, fuzzy, c-format
-msgid "Add Client -->"
-msgstr "Tambah"
+msgid " Successfuly Restored on %s "
+msgstr "on "
-#: ../../diskdrake/hd_gtk.pm:1 ../../diskdrake/interactive.pm:1
+#: standalone/drakbackup:3270
#, c-format
-msgid "Read carefully!"
+msgid " Restore Configuration "
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:3298
+#, fuzzy, c-format
+msgid "OK to restore the other files."
+msgstr "OK fail."
+
+#: standalone/drakbackup:3316
+#, fuzzy, c-format
+msgid "User list to restore (only the most recent date per user is important)"
+msgstr "Pengguna pengguna"
+
+#: standalone/drakbackup:3382
#, c-format
-msgid "RW"
+msgid "Please choose the date to restore:"
msgstr ""
-#: ../../standalone/drakxtv:1
-#, fuzzy, c-format
-msgid ""
-"Please,\n"
-"type in your tv norm and country"
-msgstr "dalam dan"
+#: standalone/drakbackup:3420
+#, c-format
+msgid "Restore from Hard Disk."
+msgstr ""
-#: ../../printer/printerdrake.pm:1 ../../standalone/harddrake2:1
+#: standalone/drakbackup:3422
#, fuzzy, c-format
-msgid "Port"
-msgstr "Liang"
+msgid "Enter the directory where backups are stored"
+msgstr "Enter direktori"
-#: ../../standalone/drakgw:1
-#, fuzzy, c-format
-msgid "No (experts only)"
-msgstr "Tidak"
+#: standalone/drakbackup:3478
+#, c-format
+msgid "Select another media to restore from"
+msgstr ""
-#: ../../standalone/drakTermServ:1
+#: standalone/drakbackup:3480
#, fuzzy, c-format
-msgid "No kernel selected!"
-msgstr "Tidak!"
+msgid "Other Media"
+msgstr "Lain-lain"
-#. -PO: these messages will be displayed at boot time in the BIOS, use only ASCII (7bit)
-#. -PO: and keep them smaller than 79 chars long
-#: ../../bootloader.pm:1
+#: standalone/drakbackup:3485
#, c-format
-msgid "Press enter to boot the selected OS, 'e' to edit the"
+msgid "Restore system"
msgstr ""
-#: ../../standalone/drakperm:1
+#: standalone/drakbackup:3486
#, c-format
-msgid "Set-GID"
+msgid "Restore Users"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakbackup:3487
#, c-format
-msgid "The encryption keys do not match"
+msgid "Restore Other"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:3489
#, c-format
-msgid ""
-"For a multisession CD, only the first session will erase the cdrw. Otherwise "
-"the cdrw is erased before each backup."
+msgid "select path to restore (instead of /)"
msgstr ""
-#: ../../printer/main.pm:1
+#: standalone/drakbackup:3493
+#, c-format
+msgid "Do new backup before restore (only for incremental backups.)"
+msgstr ""
+
+#: standalone/drakbackup:3495
#, fuzzy, c-format
-msgid "USB printer"
-msgstr "USB"
+msgid "Remove user directories before restore."
+msgstr "Buang pengguna."
-#: ../../keyboard.pm:1
+#: standalone/drakbackup:3575
#, fuzzy, c-format
-msgid "Right \"Windows\" key"
-msgstr "Kanan Tetingkap"
+msgid "Filename text substring to search for (empty string matches all):"
+msgstr "Namafail:"
-#: ../../security/help.pm:1
+#: standalone/drakbackup:3578
#, fuzzy, c-format
-msgid "if set to yes, check empty password in /etc/shadow."
-msgstr "ya kosong dalam."
+msgid "Search Backups"
+msgstr "Cari"
-#: ../../help.pm:1
+#: standalone/drakbackup:3597
#, fuzzy, c-format
+msgid "No matches found..."
+msgstr "Tidak"
+
+#: standalone/drakbackup:3601
+#, c-format
+msgid "Restore Selected"
+msgstr ""
+
+#: standalone/drakbackup:3735
+#, c-format
msgid ""
-"Before continuing, you should carefully read the terms of the license. It\n"
-"covers the entire Mandrake Linux distribution. If you do agree with all the\n"
-"terms in it, check the \"%s\" box. If not, simply turn off your computer."
-msgstr "dalam off."
+"Click date/time to see backup files.\n"
+"Ctrl-Click files to select multiple files."
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:3741
#, c-format
msgid ""
-"Here is a list of the available printing options for the current printer:\n"
-"\n"
+"Restore Selected\n"
+"Catalog Entry"
msgstr ""
-#: ../../Xconfig/resolution_and_depth.pm:1
+#: standalone/drakbackup:3750
#, c-format
-msgid "Resolutions"
+msgid ""
+"Restore Selected\n"
+"Files"
msgstr ""
-#: ../../network/drakfirewall.pm:1
+#: standalone/drakbackup:3766
#, fuzzy, c-format
msgid ""
-"drakfirewall configurator\n"
-"\n"
-"This configures a personal firewall for this Mandrake Linux machine.\n"
-"For a powerful and dedicated firewall solution, please look to the\n"
-"specialized MandrakeSecurity Firewall distribution."
-msgstr "dan."
+"Change\n"
+"Restore Path"
+msgstr "Ubah"
-#: ../../diskdrake/smbnfs_gtk.pm:1
+#: standalone/drakbackup:3833
#, fuzzy, c-format
-msgid ""
-"Please enter your username, password and domain name to access this host."
-msgstr "dan."
+msgid "Backup files not found at %s."
+msgstr "fail."
-#: ../../standalone/scannerdrake:1
+#: standalone/drakbackup:3846
#, fuzzy, c-format
-msgid "Remove selected host"
-msgstr "Buang"
+msgid "Restore From CD"
+msgstr "Daripada"
-#: ../../network/netconnect.pm:1
+#: standalone/drakbackup:3846
#, fuzzy, c-format
-msgid "Network configuration"
-msgstr "Rangkaian"
+msgid ""
+"Insert the CD with volume label %s\n"
+" in the CD drive under mount point /mnt/cdrom"
+msgstr ""
+"\n"
+" dalam"
-#: ../../standalone/harddrake2:1
+#: standalone/drakbackup:3848
#, c-format
-msgid "/Autodetect _jaz drives"
+msgid "Not the correct CD label. Disk is labelled %s."
msgstr ""
-#: ../../any.pm:1
+#: standalone/drakbackup:3858
#, fuzzy, c-format
-msgid "No sharing"
-msgstr "Tidak"
+msgid "Restore From Tape"
+msgstr "Daripada"
-#: ../../standalone/drakperm:1
-#, c-format
-msgid "Move selected rule down one level"
+#: standalone/drakbackup:3858
+#, fuzzy, c-format
+msgid ""
+"Insert the tape with volume label %s\n"
+" in the tape drive device %s"
msgstr ""
+"\n"
+" dalam"
-#: ../../common.pm:1
+#: standalone/drakbackup:3860
#, c-format
-msgid "TB"
+msgid "Not the correct tape label. Tape is labelled %s."
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:3871
#, c-format
-msgid "FATAL"
-msgstr ""
-
-#: ../../standalone/printerdrake:1
-#, fuzzy, c-format
-msgid "Refresh the list"
-msgstr "Daftar user"
-
-#: ../../standalone/drakTermServ:1
-#, c-format
-msgid ""
-" - Per client %s:\n"
-" \tThrough clusternfs, each diskless client can have its own unique "
-"configuration files\n"
-" \ton the root filesystem of the server. By allowing local client "
-"hardware configuration, \n"
-" \tdrakTermServ will help create these files."
+msgid "Restore Via Network"
msgstr ""
-#: ../../standalone/drakpxe:1
-#, fuzzy, c-format
-msgid ""
-"The DHCP server will allow other computer to boot using PXE in the given "
-"range of address.\n"
-"\n"
-"The network address is %s using a netmask of %s.\n"
-"\n"
-msgstr "DHCP dalam"
-
-#: ../../diskdrake/hd_gtk.pm:1 ../../diskdrake/interactive.pm:1
-#: ../../standalone/drakperm:1 ../../standalone/printerdrake:1
+#: standalone/drakbackup:3871
#, fuzzy, c-format
-msgid "Delete"
-msgstr "Padam"
+msgid "Restore Via Network Protocol: %s"
+msgstr "Rangkaian Protokol"
-#: ../../Xconfig/various.pm:1
+#: standalone/drakbackup:3872
#, fuzzy, c-format
-msgid ""
-"I can setup your computer to automatically start the graphical interface "
-"(XFree) upon booting.\n"
-"Would you like XFree to start when you reboot?"
-msgstr "mula mula?"
-
-#: ../../standalone/drakfloppy:1
-#, c-format
-msgid "Build the disk"
-msgstr ""
+msgid "Host Name"
+msgstr "Hos"
-#: ../../standalone/net_monitor:1
+#: standalone/drakbackup:3873
#, fuzzy, c-format
-msgid "Disconnect %s"
-msgstr "Putus"
+msgid "Host Path or Module"
+msgstr "Hos"
-#: ../../standalone/drakconnect:1
+#: standalone/drakbackup:3880
#, fuzzy, c-format
-msgid "Status:"
-msgstr "Status:"
+msgid "Password required"
+msgstr "Katalaluan"
-#: ../../network/network.pm:1
+#: standalone/drakbackup:3886
#, fuzzy, c-format
-msgid "HTTP proxy"
-msgstr "HTTP"
+msgid "Username required"
+msgstr "Namapengguna"
-#: ../../standalone/logdrake:1
+#: standalone/drakbackup:3889
#, fuzzy, c-format
-msgid "SSH Server"
-msgstr "SSH"
+msgid "Hostname required"
+msgstr "Namahos"
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:3894
#, fuzzy, c-format
-msgid "\t-Network by rsync.\n"
-msgstr "Rangkaian"
+msgid "Path or Module required"
+msgstr "Modul"
-#: ../../network/isdn.pm:1
+#: standalone/drakbackup:3907
#, c-format
-msgid "European protocol"
+msgid "Files Restored..."
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:3910
#, fuzzy, c-format
-msgid ", printer \"%s\" on server \"%s\""
-msgstr "on"
+msgid "Restore Failed..."
+msgstr "Gagal."
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:4015 standalone/drakbackup:4031
#, c-format
-msgid "Note that currently all 'net' media also use the hard drive."
+msgid "%s not retrieved..."
msgstr ""
-#: ../../fsedit.pm:1 ../../install_steps_interactive.pm:1
-#: ../../install_steps.pm:1 ../../diskdrake/dav.pm:1
-#: ../../diskdrake/hd_gtk.pm:1 ../../diskdrake/interactive.pm:1
-#: ../../diskdrake/smbnfs_gtk.pm:1 ../../interactive/http.pm:1
-#: ../../standalone/drakauth:1 ../../standalone/drakboot:1
-#: ../../standalone/drakbug:1 ../../standalone/drakconnect:1
-#: ../../standalone/drakfloppy:1 ../../standalone/drakfont:1
-#: ../../standalone/draksplash:1 ../../../move/move.pm:1
+#: standalone/drakbackup:4155 standalone/drakbackup:4228
#, fuzzy, c-format
-msgid "Error"
-msgstr "Ralat"
+msgid "Search for files to restore"
+msgstr "Cari fail"
-#: ../../any.pm:1
+#: standalone/drakbackup:4160
#, c-format
-msgid "allow \"su\""
+msgid "Restore all backups"
msgstr ""
-#: ../../lang.pm:1 ../../standalone/drakxtv:1
+#: standalone/drakbackup:4169
#, fuzzy, c-format
-msgid "Australia"
-msgstr "Australia"
+msgid "Custom Restore"
+msgstr "Tersendiri"
-#: ../../standalone/drakfont:1
-#, c-format
-msgid "please wait during ttmkfdir..."
-msgstr ""
+#: standalone/drakbackup:4174 standalone/drakbackup:4224
+#, fuzzy, c-format
+msgid "Restore From Catalog"
+msgstr "Daripada"
-#: ../../Xconfig/card.pm:1
+#: standalone/drakbackup:4196
#, c-format
-msgid "Configure only card \"%s\"%s"
+msgid "Unable to find backups to restore...\n"
msgstr ""
-#: ../../standalone/harddrake2:1
+#: standalone/drakbackup:4197
#, c-format
-msgid "Level"
+msgid "Verify that %s is the correct path"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Change the printing system"
-msgstr "Ubah"
-
-#: ../../Xconfig/card.pm:1
+#: standalone/drakbackup:4198
#, c-format
-msgid ""
-"Your system supports multiple head configuration.\n"
-"What do you want to do?"
+msgid " and the CD is in the drive"
msgstr ""
-#: ../../partition_table.pm:1
+#: standalone/drakbackup:4200
#, c-format
-msgid "mount failed: "
+msgid "Backups on unmountable media - Use Catalog to restore"
msgstr ""
-#: ../../steps.pm:1
-#, c-format
-msgid "Configure services"
-msgstr ""
+#: standalone/drakbackup:4216
+#, fuzzy, c-format
+msgid "CD in place - continue."
+msgstr "dalam."
-#: ../../standalone/drakTermServ:1
+#: standalone/drakbackup:4221
#, fuzzy, c-format
-msgid "Broadcast Address:"
-msgstr "Alamat:"
+msgid "Browse to new restore repository."
+msgstr "Lungsur."
-#: ../../standalone/harddrake2:1
+#: standalone/drakbackup:4258
#, c-format
-msgid ""
-"the GNU/Linux kernel needs to run a calculation loop at boot time to "
-"initialize a timer counter. Its result is stored as bogomips as a way to "
-"\"benchmark\" the cpu."
+msgid "Restore Progress"
msgstr ""
-#: ../../any.pm:1
+#: standalone/drakbackup:4292 standalone/drakbackup:4404
+#: standalone/logdrake:175
#, fuzzy, c-format
-msgid "Image"
-msgstr "Imej"
+msgid "Save"
+msgstr "Simpan"
-#: ../../services.pm:1
+#: standalone/drakbackup:4378
#, c-format
-msgid "Remote Administration"
+msgid "Build Backup"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Failed to add the printer \"%s\" to Star Office/OpenOffice.org/GIMP."
-msgstr "Gagal Pejabat."
-
-#: ../../modules.pm:1
-#, fuzzy, c-format
-msgid ""
-"PCMCIA support no longer exists for 2.2 kernels. Please use a 2.4 kernel."
-msgstr "tidak."
+#: standalone/drakbackup:4430 standalone/drakbackup:4829
+#, c-format
+msgid "Restore"
+msgstr ""
-#: ../../standalone/drakfont:1
+#: standalone/drakbackup:4600
#, c-format
-msgid "Selected All"
+msgid "The following packages need to be installed:\n"
msgstr ""
-#: ../../printer/data.pm:1
-#, fuzzy, c-format
-msgid "CUPS - Common Unix Printing System"
-msgstr "Cetakan"
+#: standalone/drakbackup:4622
+#, c-format
+msgid "Please select data to restore..."
+msgstr ""
-#: ../../standalone/logdrake:1
+#: standalone/drakbackup:4662
#, c-format
-msgid "Webmin Service"
+msgid "Backup system files"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakbackup:4665
+#, fuzzy, c-format
+msgid "Backup user files"
+msgstr "pengguna"
+
+#: standalone/drakbackup:4668
#, c-format
-msgid "device"
+msgid "Backup other files"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:4671 standalone/drakbackup:4707
#, fuzzy, c-format
-msgid "Enter the directory to save to:"
-msgstr "Enter direktori:"
+msgid "Total Progress"
+msgstr "Jumlah"
-#: ../../crypto.pm:1 ../../lang.pm:1
+#: standalone/drakbackup:4699
#, fuzzy, c-format
-msgid "Greece"
-msgstr "Greek"
+msgid "Sending files by FTP"
+msgstr "fail"
-#: ../../install_steps_interactive.pm:1 ../../standalone/drakxtv:1
+#: standalone/drakbackup:4702
#, fuzzy, c-format
-msgid "All"
-msgstr "Semua"
+msgid "Sending files..."
+msgstr "fail."
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbackup:4772
#, c-format
-msgid "Which printing system (spooler) do you want to use?"
+msgid "Backup Now from configuration file"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakbackup:4777
+#, fuzzy, c-format
+msgid "View Backup Configuration."
+msgstr "Konfigurasikan."
+
+#: standalone/drakbackup:4803
#, c-format
-msgid "July"
+msgid "Wizard Configuration"
msgstr ""
-#: ../../printer/main.pm:1
+#: standalone/drakbackup:4808
#, fuzzy, c-format
-msgid "Prints into %s"
-msgstr "Cetakan"
-
-#: ../../install_steps_interactive.pm:1 ../../../move/move.pm:1
-#, fuzzy, c-format
-msgid "An error occurred"
-msgstr "ralat"
+msgid "Advanced Configuration"
+msgstr "Lanjutan"
-#: ../../install_steps_gtk.pm:1
+#: standalone/drakbackup:4813
#, c-format
-msgid ""
-"This package must be upgraded.\n"
-"Are you sure you want to deselect it?"
+msgid "View Configuration"
msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/drakbackup:4817
#, c-format
-msgid "Tamil (Typewriter-layout)"
+msgid "View Last Log"
msgstr ""
-#: ../../security/help.pm:1
+#: standalone/drakbackup:4822
#, c-format
-msgid "Use password to authenticate users."
+msgid "Backup Now"
msgstr ""
-#: ../../security/help.pm:1
+#: standalone/drakbackup:4826
#, fuzzy, c-format
msgid ""
-"Allow/Forbid the list of users on the system on display managers (kdm and "
-"gdm)."
-msgstr "on on dan."
+"No configuration file found \n"
+"please click Wizard or Advanced."
+msgstr "Tidak fail Lanjutan."
-#: ../../standalone/drakautoinst:1
+#: standalone/drakbackup:4858 standalone/drakbackup:4865
#, c-format
-msgid "manual"
+msgid "Drakbackup"
msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Filename text to search for:"
-msgstr "Namafail:"
-
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakboot:56
#, c-format
-msgid "Printer manufacturer, model, driver"
+msgid "Graphical boot theme selection"
msgstr ""
-#: ../../standalone/drakfloppy:1
-#, fuzzy, c-format
-msgid ""
-"There is no medium or it is write-protected for device %s.\n"
-"Please insert one."
-msgstr "tidak."
-
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakboot:56
#, fuzzy, c-format
-msgid ""
-"Directory %s already contains data\n"
-"(%s)"
-msgstr "Direktori"
+msgid "System mode"
+msgstr "Sistem"
-#: ../../printer/main.pm:1
+#: standalone/drakboot:66 standalone/drakfloppy:46 standalone/harddrake2:97
+#: standalone/harddrake2:98 standalone/logdrake:70 standalone/printerdrake:150
+#: standalone/printerdrake:151 standalone/printerdrake:152
#, fuzzy, c-format
-msgid "Printer on NetWare server"
-msgstr "on"
+msgid "/_File"
+msgstr "/_Fail"
-#: ../../any.pm:1
+#: standalone/drakboot:67 standalone/drakfloppy:47 standalone/logdrake:76
#, fuzzy, c-format
-msgid "Give the ram size in MB"
-msgstr "dalam"
+msgid "/File/_Quit"
+msgstr "Fail"
-#: ../../standalone/drakbackup:1
+#: standalone/drakboot:67 standalone/drakfloppy:47 standalone/harddrake2:98
+#: standalone/logdrake:76 standalone/printerdrake:152
#, c-format
-msgid "Friday"
+msgid "<control>Q"
msgstr ""
-#: ../../standalone/net_monitor:1
+#: standalone/drakboot:118
#, fuzzy, c-format
-msgid "Disconnection from Internet complete."
-msgstr "Internet."
+msgid "Install themes"
+msgstr "Install"
-#: ../../any.pm:1
+#: standalone/drakboot:119
#, c-format
-msgid "Real name"
+msgid "Create new theme"
msgstr ""
-#: ../../standalone/drakfont:1
-#, fuzzy, c-format
-msgid "done"
-msgstr "siap"
-
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Please uncheck or remove it on next time."
-msgstr "on."
-
-#: ../../security/level.pm:1
+#: standalone/drakboot:133
#, c-format
-msgid "Higher"
+msgid "Use graphical boot"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakboot:138
#, c-format
-msgid "Choose the partitions you want to format"
-msgstr ""
-
-#: ../../standalone/drakxtv:1
-#, fuzzy, c-format
msgid ""
-"No TV Card has been detected on your machine. Please verify that a Linux-"
-"supported Video/TV Card is correctly plugged in.\n"
-"\n"
-"\n"
-"You can visit our hardware database at:\n"
-"\n"
-"\n"
-"http://www.linux-mandrake.com/en/hardware.php3"
+"Your system bootloader is not in framebuffer mode. To activate graphical "
+"boot, select a graphic video mode from the bootloader configuration tool."
msgstr ""
-"Tidak on Video dalam\n"
-"http://www.linux-mandrake.com/en/hardware.php3"
-#: ../../standalone/drakbackup:1
+#: standalone/drakboot:145
#, fuzzy, c-format
-msgid "Can't find %s on %s"
-msgstr "on"
+msgid "Theme"
+msgstr "Tema"
-#: ../../keyboard.pm:1
+#: standalone/drakboot:147
#, fuzzy, c-format
-msgid "Japanese 106 keys"
-msgstr "Jepun"
+msgid ""
+"Display theme\n"
+"under console"
+msgstr "Paparan"
-#: ../../standalone/scannerdrake:1
+#: standalone/drakboot:156
#, c-format
-msgid "Could not install the packages needed to share your scanner(s)."
+msgid "Launch the graphical environment when your system starts"
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: standalone/drakboot:164
#, fuzzy, c-format
-msgid "This will take a few minutes."
-msgstr "minit."
+msgid "Yes, I want autologin with this (user, desktop)"
+msgstr "Ya pengguna"
-#: ../../lang.pm:1
+#: standalone/drakboot:165
#, fuzzy, c-format
-msgid "Burkina Faso"
-msgstr "Burkina Faso"
-
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "June"
-msgstr ""
+msgid "No, I don't want autologin"
+msgstr "Tidak"
-#: ../../standalone/scannerdrake:1
+#: standalone/drakboot:171
#, fuzzy, c-format
-msgid "Use scanners on remote computers"
-msgstr "on"
+msgid "Default user"
+msgstr "Default"
-#: ../../standalone/drakperm:1
+#: standalone/drakboot:172
#, fuzzy, c-format
-msgid "Delete selected rule"
-msgstr "Padam"
+msgid "Default desktop"
+msgstr "Default"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakboot:236
#, fuzzy, c-format
-msgid "Accessing printers on remote CUPS servers"
-msgstr "on"
+msgid "Installation of %s failed. The following error occured:"
+msgstr "ralat:"
-#: ../../any.pm:1
-#, fuzzy, c-format
-msgid "Insert a floppy in %s"
-msgstr "dalam"
+#: standalone/drakbug:40
+#, c-format
+msgid ""
+"To submit a bug report, click on the button report.\n"
+"This will open a web browser window on %s\n"
+" where you'll find a form to fill in. The information displayed above will "
+"be \n"
+"transferred to that server."
+msgstr ""
-#: ../../lang.pm:1
+#: standalone/drakbug:48
+#, c-format
+msgid "Mandrake Bug Report Tool"
+msgstr ""
+
+#: standalone/drakbug:53
#, fuzzy, c-format
-msgid "Maldives"
-msgstr "Maldives"
+msgid "Mandrake Control Center"
+msgstr "Pusat Kawalan Mandrake"
-#: ../../any.pm:1
+#: standalone/drakbug:55
#, c-format
-msgid "compact"
+msgid "Synchronization tool"
msgstr ""
-#: ../../common.pm:1
+#: standalone/drakbug:56 standalone/drakbug:70 standalone/drakbug:204
+#: standalone/drakbug:206 standalone/drakbug:210
#, c-format
-msgid "1 minute"
+msgid "Standalone Tools"
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: standalone/drakbug:57
#, c-format
-msgid "type: fat"
+msgid "HardDrake"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
-#, fuzzy, c-format
-msgid "on channel %d id %d\n"
-msgstr "on"
-
-#: ../../printer/main.pm:1
+#: standalone/drakbug:58
#, c-format
-msgid ", multi-function device"
+msgid "Mandrake Online"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Laos"
-msgstr "Laos"
-
-#: ../advertising/04-configuration.pl:1
-#, fuzzy, c-format
-msgid ""
-"Mandrake Linux 9.2 provides you with the Mandrake Control Center, a powerful "
-"tool to fully adapt your computer to the use you make of it. Configure and "
-"customize elements such as the security level, the peripherals (screen, "
-"mouse, keyboard...), the Internet connection and much more!"
-msgstr "dan Internet dan!"
-
-#: ../../security/help.pm:1
+#: standalone/drakbug:59
#, c-format
-msgid "Activate/Disable ethernet cards promiscuity check."
+msgid "Menudrake"
msgstr ""
-#: ../../install_interactive.pm:1
-#, fuzzy, c-format
-msgid "There is no FAT partition to resize (or not enough space left)"
-msgstr "tidak"
-
-#: ../../standalone/drakperm:1
-#, fuzzy, c-format
-msgid "Up"
-msgstr "Naik"
-
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
+#: standalone/drakbug:60
#, c-format
-msgid "Firewall"
+msgid "Msec"
msgstr ""
-#: ../../standalone/drakxtv:1
+#: standalone/drakbug:61
#, c-format
-msgid "Area:"
+msgid "Remote Control"
msgstr ""
-#: ../../harddrake/data.pm:1
+#: standalone/drakbug:62
#, c-format
-msgid "(E)IDE/ATA controllers"
+msgid "Software Manager"
msgstr ""
-#: ../../fs.pm:1
-#, fuzzy, c-format
-msgid "All I/O to the file system should be done synchronously."
-msgstr "Semua fail siap."
-
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbug:63
#, c-format
-msgid "Printer Server"
+msgid "Urpmi"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakbug:64
#, fuzzy, c-format
-msgid "Custom configuration"
-msgstr "Tersendiri"
+msgid "Windows Migration tool"
+msgstr "Tetingkap"
-#: ../../standalone/drakpxe:1
+#: standalone/drakbug:65
#, fuzzy, c-format
-msgid ""
-"Please indicate where the installation image will be available.\n"
-"\n"
-"If you do not have an existing directory, please copy the CD or DVD "
-"contents.\n"
-"\n"
-msgstr "direktori"
+msgid "Userdrake"
+msgstr "Userdrake"
-#: ../../lang.pm:1
+#: standalone/drakbug:66
#, fuzzy, c-format
-msgid "Saint Pierre and Miquelon"
-msgstr "dan"
+msgid "Configuration Wizards"
+msgstr "Konfigurasikan"
-#: ../../standalone/drakbackup:1
+#: standalone/drakbug:84
#, c-format
-msgid "September"
+msgid ""
+"To submit a bug report, click the report button, which will open your "
+"default browser\n"
+"to Anthill where you will be able to upload the above information as a bug "
+"report."
msgstr ""
-#: ../../standalone/draksplash:1
+#: standalone/drakbug:102
#, c-format
-msgid "saving Bootsplash theme..."
+msgid "Application:"
msgstr ""
-#: ../../lang.pm:1
+#: standalone/drakbug:103 standalone/drakbug:115
#, fuzzy, c-format
-msgid "Portugal"
-msgstr "Portugal"
+msgid "Package: "
+msgstr "Pakej "
-#: ../../modules/interactive.pm:1
+#: standalone/drakbug:104
#, c-format
-msgid "Do you have another one?"
+msgid "Kernel:"
msgstr ""
-#: ../../printer/main.pm:1
+#: standalone/drakbug:105 standalone/drakbug:116
#, c-format
-msgid ", printing to %s"
+msgid "Release: "
msgstr ""
-#: ../../network/network.pm:1
-#, fuzzy, c-format
-msgid "Assign host name from DHCP address"
-msgstr "DHCP"
+#: standalone/drakbug:110
+#, c-format
+msgid ""
+"Application Name\n"
+"or Full Path:"
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakbug:113
#, fuzzy, c-format
-msgid "Toggle to normal mode"
-msgstr "normal"
+msgid "Find Package"
+msgstr "Pakej "
-#: ../../mouse.pm:1 ../../Xconfig/monitor.pm:1
+#: standalone/drakbug:117
#, fuzzy, c-format
-msgid "Generic"
-msgstr "Generik"
+msgid "Summary: "
+msgstr "Ringkasan"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakbug:129
#, c-format
-msgid "Cylinder %d to %d\n"
+msgid "YOUR TEXT HERE"
msgstr ""
-#: ../../standalone/drakbug:1
+#: standalone/drakbug:132
#, c-format
-msgid "YOUR TEXT HERE"
+msgid "Bug Description/System Information"
msgstr ""
-#: ../../standalone/drakconnect:1
-#, fuzzy, c-format
-msgid "New profile..."
-msgstr "Baru."
-
-#: ../../modules/interactive.pm:1 ../../standalone/draksec:1
+#: standalone/drakbug:136
#, c-format
-msgid "NONE"
+msgid "Submit kernel version"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakbug:137
#, c-format
-msgid "Which disk do you want to move it to?"
+msgid "Submit cpuinfo"
msgstr ""
-#: ../../standalone/draksplash:1
-#, fuzzy, c-format
-msgid "Display logo on Console"
-msgstr "Paparan on"
+#: standalone/drakbug:138
+#, c-format
+msgid "Submit lspci"
+msgstr ""
-#: ../../any.pm:1
-#, fuzzy, c-format
-msgid "Windows Domain"
-msgstr "Tetingkap"
+#: standalone/drakbug:159
+#, c-format
+msgid "Report"
+msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/drakbug:219
#, c-format
-msgid "Saami (norwegian)"
+msgid "Not installed"
msgstr ""
-#: ../../standalone/drakpxe:1
+#: standalone/drakbug:231
#, fuzzy, c-format
-msgid "Interface %s (on network %s)"
-msgstr "Antaramuka on"
+msgid "Package not installed"
+msgstr "Pakej"
-#: ../../standalone/drakbackup:1
+#: standalone/drakbug:248
#, c-format
-msgid "INFO"
+msgid "NOT FOUND"
msgstr ""
-#: ../../lang.pm:1
+#: standalone/drakbug:259
#, fuzzy, c-format
-msgid "Wallis and Futuna"
-msgstr "dan"
+msgid "connecting to %s ..."
+msgstr "Putus."
+
+#: standalone/drakbug:267
+#, fuzzy, c-format
+msgid "No browser available! Please install one"
+msgstr "Tidak"
+
+#: standalone/drakbug:286
+#, fuzzy, c-format
+msgid "Please enter a package name."
+msgstr "pengguna"
-#: ../../standalone/drakTermServ:1
+#: standalone/drakbug:292
#, c-format
-msgid "Need to create /etc/dhcpd.conf first!"
+msgid "Please enter summary text."
msgstr ""
-#: ../../standalone/harddrake2:1
+#: standalone/drakclock:29
#, c-format
-msgid "Is FPU present"
+msgid "DrakClock"
msgstr ""
-#: ../../services.pm:1
-#, fuzzy, c-format
-msgid ""
-"No additional information\n"
-"about this service, sorry."
-msgstr "Tidak."
-
-#: ../../standalone/scannerdrake:1
+#: standalone/drakclock:36
#, fuzzy, c-format
-msgid "There are no scanners found which are available on your system.\n"
-msgstr "tidak on"
+msgid "Change Time Zone"
+msgstr "Tema"
-#: ../../standalone/drakTermServ:1
+#: standalone/drakclock:42
#, c-format
-msgid "Build Single NIC -->"
+msgid "Timezone - DrakClock"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Marshall Islands"
-msgstr "Kepulauan Marshall"
-
-#: ../../ugtk2.pm:1
+#: standalone/drakclock:44
#, c-format
-msgid "Is this correct?"
+msgid "GMT - DrakClock"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakclock:44
#, fuzzy, c-format
-msgid "Windows (FAT32)"
-msgstr "Tetingkap"
+msgid "Is your hardware clock set to GMT?"
+msgstr "Perkakasan"
-#: ../../steps.pm:1
+#: standalone/drakclock:71
+#, fuzzy, c-format
+msgid "Network Time Protocol"
+msgstr "Rangkaian"
+
+#: standalone/drakclock:73
#, c-format
-msgid "Root password"
+msgid ""
+"Your computer can synchronize its clock\n"
+" with a remote time server using NTP"
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: standalone/drakclock:74
#, fuzzy, c-format
-msgid "Build All Kernels -->"
-msgstr "Semua"
+msgid "Enable Network Time Protocol"
+msgstr "Rangkaian Protokol"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "DVDRAM device"
-msgstr ""
+#: standalone/drakclock:82
+#, fuzzy, c-format
+msgid "Server:"
+msgstr "Pelayan "
-#: ../../security/help.pm:1
+#: standalone/drakclock:125 standalone/drakclock:137
#, fuzzy, c-format
-msgid "if set to yes, report unowned files."
-msgstr "ya fail."
+msgid "Reset"
+msgstr "Ujian"
-#: ../../install_interactive.pm:1
+#: standalone/drakclock:200
#, c-format
msgid ""
-"You don't have a swap partition.\n"
+"We need to install ntp package\n"
+" to enable Network Time Protocol\n"
"\n"
-"Continue anyway?"
+"Do you want to install ntp ?"
msgstr ""
-#: ../../install_steps_gtk.pm:1
+#: standalone/drakconnect:78
#, fuzzy, c-format
-msgid "Version: "
-msgstr "Versi: "
+msgid "Network configuration (%d adapters)"
+msgstr "Rangkaian"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakconnect:89 standalone/drakconnect:686
#, fuzzy, c-format
-msgid "Server IP missing!"
-msgstr "Pelayan IP!"
+msgid "Gateway:"
+msgstr "Gateway:"
+
+#: standalone/drakconnect:89 standalone/drakconnect:686
+#, c-format
+msgid "Interface:"
+msgstr "Antaramuka:"
-#: ../../lang.pm:1
+#: standalone/drakconnect:93 standalone/net_monitor:105
+#, c-format
+msgid "Wait please"
+msgstr ""
+
+#: standalone/drakconnect:113
#, fuzzy, c-format
-msgid "Suriname"
-msgstr "Surinam"
+msgid "Interface"
+msgstr "Antaramuka"
-#: ../../network/adsl.pm:1
+#: standalone/drakconnect:113 standalone/drakconnect:502
+#: standalone/drakvpn:1136
#, fuzzy, c-format
-msgid "Use a floppy"
-msgstr "Simpan on"
+msgid "Protocol"
+msgstr "Protokol"
-#: ../../any.pm:1
-#, c-format
-msgid "Enable ACPI"
-msgstr ""
+#: standalone/drakconnect:113
+#, fuzzy, c-format
+msgid "Driver"
+msgstr "Jurupacu"
-#: ../../fs.pm:1
+#: standalone/drakconnect:113
#, c-format
-msgid "Give write access to ordinary users"
+msgid "State"
msgstr ""
-#: ../../help.pm:1
+#: standalone/drakconnect:130
#, fuzzy, c-format
-msgid "Graphical Environment"
-msgstr "Grafikal"
+msgid "Hostname: "
+msgstr "Namahos "
-#: ../../lang.pm:1
+#: standalone/drakconnect:132
#, fuzzy, c-format
-msgid "Gibraltar"
-msgstr "Gibraltar"
+msgid "Configure hostname..."
+msgstr "Internet."
-#: ../../network/modem.pm:1
+#: standalone/drakconnect:146 standalone/drakconnect:727
#, c-format
-msgid "Do nothing"
+msgid "LAN configuration"
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: standalone/drakconnect:151
#, fuzzy, c-format
-msgid "Delete Client"
-msgstr "Padam"
+msgid "Configure Local Area Network..."
+msgstr "Rangkaian."
+
+#: standalone/drakconnect:159 standalone/drakconnect:228
+#: standalone/drakconnect:232
+#, fuzzy, c-format
+msgid "Apply"
+msgstr "Terap"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakconnect:254 standalone/drakconnect:263
+#: standalone/drakconnect:277 standalone/drakconnect:283
+#: standalone/drakconnect:293 standalone/drakconnect:294
+#: standalone/drakconnect:540
#, c-format
-msgid "Filesystem type: "
+msgid "TCP/IP"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakconnect:254 standalone/drakconnect:263
+#: standalone/drakconnect:277 standalone/drakconnect:421
+#: standalone/drakconnect:425 standalone/drakconnect:540
+#, fuzzy, c-format
+msgid "Account"
+msgstr "Perihal"
+
+#: standalone/drakconnect:283 standalone/drakconnect:347
+#: standalone/drakconnect:348 standalone/drakconnect:540
#, c-format
-msgid "Starting network..."
+msgid "Wireless"
msgstr ""
-#: ../../lang.pm:1
+#: standalone/drakconnect:325
#, fuzzy, c-format
-msgid "Vietnam"
-msgstr "Vietnam"
+msgid "DNS servers"
+msgstr "SSH"
+
+#: standalone/drakconnect:332
+#, fuzzy, c-format
+msgid "Search Domain"
+msgstr "NIS"
+
+#: standalone/drakconnect:338
+#, fuzzy, c-format
+msgid "static"
+msgstr "Antarctika"
-#: ../../standalone/harddrake2:1
+#: standalone/drakconnect:338
#, c-format
-msgid "/_Fields description"
+msgid "dhcp"
msgstr ""
-#: ../advertising/10-security.pl:1
+#: standalone/drakconnect:457
#, c-format
-msgid "Optimize your security by using Mandrake Linux"
+msgid "Flow control"
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: standalone/drakconnect:458
+#, fuzzy, c-format
+msgid "Line termination"
+msgstr "Internet"
+
+#: standalone/drakconnect:463
#, c-format
-msgid ""
-"\n"
-"\n"
-" Thanks:\n"
-"\t- LTSP Project http://www.ltsp.org\n"
-"\t- Michael Brown <mbrown@fensystems.co.uk>\n"
-"\n"
+msgid "Tone dialing"
+msgstr ""
+
+#: standalone/drakconnect:463
+#, c-format
+msgid "Pulse dialing"
msgstr ""
-#: ../../install_steps_gtk.pm:1 ../../interactive.pm:1 ../../ugtk2.pm:1
-#: ../../Xconfig/resolution_and_depth.pm:1 ../../diskdrake/hd_gtk.pm:1
-#: ../../interactive/gtk.pm:1 ../../standalone/drakTermServ:1
-#: ../../standalone/drakbackup:1 ../../standalone/drakbug:1
-#: ../../standalone/drakconnect:1 ../../standalone/drakfont:1
-#: ../../standalone/drakperm:1 ../../standalone/draksec:1
-#: ../../standalone/harddrake2:1
+#: standalone/drakconnect:468
#, fuzzy, c-format
-msgid "Help"
-msgstr "Bantuan"
+msgid "Use lock file"
+msgstr "Setempat"
-#: ../../security/l10n.pm:1
+#: standalone/drakconnect:471
#, fuzzy, c-format
-msgid "Check if the network devices are in promiscuous mode"
-msgstr "dalam"
+msgid "Modem timeout"
+msgstr "Internet"
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: standalone/drakconnect:475
#, c-format
-msgid "Your personal phone number"
+msgid "Wait for dialup tone before dialing"
msgstr ""
-#: ../../install_interactive.pm:1
+#: standalone/drakconnect:478
#, fuzzy, c-format
-msgid "Which size do you want to keep for Windows on"
-msgstr "Tetingkap"
+msgid "Busy wait"
+msgstr "Kuwait"
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid ""
-"Test page(s) have been sent to the printer.\n"
-"It may take some time before the printer starts.\n"
-msgstr "Ujian"
+#: standalone/drakconnect:482
+#, c-format
+msgid "Modem sound"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakconnect:483
#, fuzzy, c-format
-msgid "Username required"
-msgstr "Namapengguna"
+msgid "Enable"
+msgstr "dimatikan"
-#: ../../standalone/drakfloppy:1
+#: standalone/drakconnect:483
#, fuzzy, c-format
-msgid "Device"
-msgstr "Peranti RAID"
+msgid "Disable"
+msgstr "dimatikan"
+
+#: standalone/drakconnect:522 standalone/harddrake2:58
+#, c-format
+msgid "Media class"
+msgstr ""
-#: ../../help.pm:1
+#: standalone/drakconnect:523 standalone/drakfloppy:140
#, fuzzy, c-format
-msgid ""
-"Depending on the default language you chose in Section , DrakX will\n"
-"automatically select a particular type of keyboard configuration. However,\n"
-"you may not have a keyboard that corresponds exactly to your language: for\n"
-"example, if you are an English speaking Swiss person, you may have a Swiss\n"
-"keyboard. Or if you speak English but are located in Quebec, you may find\n"
-"yourself in the same situation where your native language and keyboard do\n"
-"not match. In either case, this installation step will allow you to select\n"
-"an appropriate keyboard from a list.\n"
-"\n"
-"Click on the \"%s\" button to be presented with the complete list of\n"
-"supported keyboards.\n"
-"\n"
-"If you choose a keyboard layout based on a non-Latin alphabet, the next\n"
-"dialog will allow you to choose the key binding that will switch the\n"
-"keyboard between the Latin and non-Latin layouts."
-msgstr "on default dalam English English dalam dalam dan Masuk on on dan."
+msgid "Module name"
+msgstr "Modul"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakconnect:524
#, fuzzy, c-format
-msgid "SMB (Windows 9x/NT) Printer Options"
-msgstr "SMB Tetingkap"
+msgid "Mac Address"
+msgstr "Alamat:"
-#: ../../printer/main.pm:1
+#: standalone/drakconnect:525 standalone/harddrake2:21
#, c-format
-msgid "URI: %s"
+msgid "Bus"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakconnect:526 standalone/harddrake2:29
#, fuzzy, c-format
-msgid "Valid user list changed, rewriting config file."
-msgstr "pengguna fail."
+msgid "Location on the bus"
+msgstr "Lokasi on"
-#: ../../standalone/drakfloppy:1
+#: standalone/drakconnect:587
#, c-format
-msgid "mkinitrd optional arguments"
+msgid ""
+"An unexpected error has happened:\n"
+"%s"
msgstr ""
-#: ../advertising/03-software.pl:1
+#: standalone/drakconnect:597
+#, fuzzy, c-format
+msgid "Remove a network interface"
+msgstr "Rangkaian"
+
+#: standalone/drakconnect:601
#, c-format
-msgid ""
-"Surf the Web with Mozilla or Konqueror, read your mail with Evolution or "
-"Kmail, create your documents with OpenOffice.org."
+msgid "Select the network interface to remove:"
msgstr ""
-#: ../../network/isdn.pm:1
+#: standalone/drakconnect:617
#, fuzzy, c-format
-msgid "Protocol for the rest of the world"
-msgstr "Protokol"
+msgid ""
+"An error occured while deleting the \"%s\" network interface:\n"
+"\n"
+"%s"
+msgstr "A"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakconnect:619
#, c-format
-msgid "Print test pages"
+msgid ""
+"Congratulations, the \"%s\" network interface has been succesfully deleted"
msgstr ""
-#: ../../standalone/drakconnect:1
+#: standalone/drakconnect:636
#, c-format
-msgid "Activate now"
+msgid "No Ip"
msgstr ""
-#: ../../Xconfig/card.pm:1
+#: standalone/drakconnect:637
#, c-format
-msgid "64 MB or more"
+msgid "No Mask"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid ""
-"Please select the test pages you want to print.\n"
-"Note: the photo test page can take a rather long time to get printed and on "
-"laser printers with too low memory it can even not come out. In most cases "
-"it is enough to print the standard test page."
-msgstr "dan on keluar Masuk."
-
-#: ../../standalone/scannerdrake:1
+#: standalone/drakconnect:638 standalone/drakconnect:798
#, c-format
-msgid "Please select the device where your %s is attached"
+msgid "up"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakconnect:638 standalone/drakconnect:798
+#, fuzzy, c-format
+msgid "down"
+msgstr "siap"
+
+#: standalone/drakconnect:677 standalone/net_monitor:415
#, c-format
-msgid "Not formatted\n"
+msgid "Connected"
msgstr ""
-#: ../../standalone/draksec:1
+#: standalone/drakconnect:677 standalone/net_monitor:415
#, c-format
-msgid "Periodic Checks"
+msgid "Not connected"
msgstr ""
-#: ../../standalone/drakpxe:1
+#: standalone/drakconnect:678
#, fuzzy, c-format
-msgid "PXE Server Configuration"
-msgstr "Pelayan"
+msgid "Disconnect..."
+msgstr "Putus."
-#: ../../standalone/drakbackup:1
+#: standalone/drakconnect:678
#, fuzzy, c-format
-msgid "Backup the system files before:"
-msgstr "fail:"
+msgid "Connect..."
+msgstr "Sambung."
-#: ../../security/level.pm:1
+#: standalone/drakconnect:707
#, fuzzy, c-format
msgid ""
-"This is the standard security recommended for a computer that will be used "
-"to connect to the Internet as a client."
-msgstr "Internet."
+"Warning, another Internet connection has been detected, maybe using your "
+"network"
+msgstr "Amaran Internet"
-#: ../../any.pm:1
+#: standalone/drakconnect:723
#, c-format
-msgid "First floppy drive"
+msgid "Deactivate now"
msgstr ""
-#: ../../standalone/drakboot:1 ../../standalone/drakfloppy:1
-#: ../../standalone/logdrake:1
+#: standalone/drakconnect:723
+#, c-format
+msgid "Activate now"
+msgstr ""
+
+#: standalone/drakconnect:731
#, fuzzy, c-format
-msgid "/File/_Quit"
-msgstr "Fail"
+msgid ""
+"You don't have any configured interface.\n"
+"Configure them first by clicking on 'Configure'"
+msgstr "on"
-#: ../../keyboard.pm:1
+#: standalone/drakconnect:745
#, c-format
-msgid "Dvorak"
+msgid "LAN Configuration"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakconnect:757
#, c-format
-msgid "Choose the new size"
+msgid "Adapter %s: %s"
msgstr ""
-#: ../../standalone/harddrake2:1
+#: standalone/drakconnect:766
#, c-format
-msgid "Media class"
+msgid "Boot Protocol"
msgstr ""
-#: ../../standalone/XFdrake:1
+#: standalone/drakconnect:767
#, fuzzy, c-format
-msgid "You need to log out and back in again for changes to take effect"
-msgstr "keluar dan dalam"
-
-#: ../../standalone/scannerdrake:1
-#, c-format
-msgid "The %s is not known by this version of Scannerdrake."
-msgstr ""
+msgid "Started on boot"
+msgstr "on"
-#: ../../lang.pm:1
+#: standalone/drakconnect:803
#, fuzzy, c-format
-msgid "Faroe Islands"
-msgstr "Kepulauan Faroe"
+msgid ""
+"This interface has not been configured yet.\n"
+"Run the \"Add an interface\" assistant from the Mandrake Control Center"
+msgstr "dalam utama"
-#: ../../standalone/drakfont:1
+#: standalone/drakconnect:858
#, fuzzy, c-format
-msgid "Restart XFS"
-msgstr "Ulanghidup"
+msgid ""
+"You don't have any configured Internet connection.\n"
+"Please run \"Internet access\" in control center."
+msgstr "Internet on"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakconnect:866
#, fuzzy, c-format
-msgid "Add host/network"
-msgstr "Tambah"
+msgid "Internet connection configuration"
+msgstr "Internet"
-#: ../../standalone/scannerdrake:1
+#: standalone/drakconnect:907
#, c-format
-msgid "Scannerdrake will not be started now."
+msgid "Provider dns 1 (optional)"
+msgstr ""
+
+#: standalone/drakconnect:908
+#, c-format
+msgid "Provider dns 2 (optional)"
msgstr ""
-#: ../../standalone/harddrake2:1
+#: standalone/drakconnect:921
+#, c-format
+msgid "Ethernet Card"
+msgstr ""
+
+#: standalone/drakconnect:922
#, fuzzy, c-format
-msgid "Model name"
-msgstr "Model"
+msgid "DHCP Client"
+msgstr "DHCP"
-#: ../../lang.pm:1
+#: standalone/drakconnect:951
#, fuzzy, c-format
-msgid "Albania"
-msgstr "Albania"
+msgid "Internet Connection Configuration"
+msgstr "Internet"
-#: ../../lang.pm:1
-#, c-format
-msgid "British Indian Ocean Territory"
-msgstr "Kawasan Ocean India British"
+#: standalone/drakconnect:952
+#, fuzzy, c-format
+msgid "Internet access"
+msgstr "Internet"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakconnect:954 standalone/net_monitor:87
#, c-format
-msgid "Normal Mode"
+msgid "Connection type: "
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakconnect:957
#, fuzzy, c-format
-msgid "No CD-R/DVD-R in drive!"
-msgstr "Tidak dalam!"
+msgid "Status:"
+msgstr "Status:"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakedm:53
#, c-format
-msgid "Printer connection type"
+msgid "Choosing a display manager"
msgstr ""
-#: ../../standalone/drakgw:1 ../../standalone/drakpxe:1
+#: standalone/drakedm:54
#, fuzzy, c-format
-msgid "No network adapter on your system!"
-msgstr "Tidak on!"
+msgid ""
+"X11 Display Manager allows you to graphically log\n"
+"into your system with the X Window System running and supports running\n"
+"several different X sessions on your local machine at the same time."
+msgstr "Paparan Sistem dan on lokal."
-#: ../../printer/main.pm:1
+#: standalone/drakedm:77
#, fuzzy, c-format
-msgid "Network %s"
-msgstr "Rangkaian"
+msgid "The change is done, do you want to restart the dm service ?"
+msgstr "siap ulanghidup?"
-#: ../../keyboard.pm:1
+#: standalone/drakfloppy:40
#, c-format
-msgid "Malayalam"
+msgid "drakfloppy"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakfloppy:82
+#, c-format
+msgid "Boot disk creation"
+msgstr ""
+
+#: standalone/drakfloppy:83
#, fuzzy, c-format
-msgid "Option %s out of range!"
-msgstr "keluar!"
+msgid "General"
+msgstr "Umum"
-#: ../../standalone/net_monitor:1
+#: standalone/drakfloppy:86
#, fuzzy, c-format
-msgid "Connect %s"
-msgstr "Sambung"
+msgid "Device"
+msgstr "Peranti RAID"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakfloppy:92
#, c-format
-msgid "Restarting CUPS..."
+msgid "Kernel version"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakfloppy:107
#, fuzzy, c-format
-msgid "Printing/Scanning/Photo Cards on \"%s\""
-msgstr "Cetakan Kad on"
+msgid "Preferences"
+msgstr "Keutamaan"
-#: ../../../move/move.pm:1
+#: standalone/drakfloppy:121
#, c-format
-msgid "Continue without USB key"
+msgid "Advanced preferences"
+msgstr "Keutamaan lanjutan"
+
+#: standalone/drakfloppy:140
+#, fuzzy, c-format
+msgid "Size"
+msgstr "Saiz"
+
+#: standalone/drakfloppy:143
+#, c-format
+msgid "Mkinitrd optional arguments"
msgstr ""
-#: ../../install_steps.pm:1
+#: standalone/drakfloppy:145
#, c-format
-msgid "Duplicate mount point %s"
+msgid "force"
msgstr ""
-#: ../../security/help.pm:1
-#, fuzzy, c-format
-msgid "if set to yes, run chkrootkit checks."
-msgstr "ya."
+#: standalone/drakfloppy:146
+#, c-format
+msgid "omit raid modules"
+msgstr ""
-#: ../../network/tools.pm:1
+#: standalone/drakfloppy:147
#, c-format
-msgid "Connection Configuration"
+msgid "if needed"
msgstr ""
-#: ../../harddrake/v4l.pm:1
-#, fuzzy, c-format
-msgid "Unknown|Generic"
-msgstr "Entah"
+#: standalone/drakfloppy:148
+#, c-format
+msgid "omit scsi modules"
+msgstr ""
-#: ../../help.pm:1
+#: standalone/drakfloppy:151
#, fuzzy, c-format
-msgid ""
-"At the time you are installing Mandrake Linux, it is likely that some\n"
-"packages have been updated since the initial release. Bugs may have been\n"
-"fixed, security issues resolved. To allow you to benefit from these\n"
-"updates, you are now able to download them from the Internet. Check \"%s\"\n"
-"if you have a working Internet connection, or \"%s\" if you prefer to\n"
-"install updated packages later.\n"
-"\n"
-"Choosing \"%s\" will display a list of places from which updates can be\n"
-"retrieved. You should choose one nearer to you. A package-selection tree\n"
-"will appear: review the selection, and press \"%s\" to retrieve and install\n"
-"the selected package(s), or \"%s\" to abort."
-msgstr "Kepada Internet Internet A dan dan."
+msgid "Add a module"
+msgstr "Tambah"
-#: ../../lang.pm:1
+#: standalone/drakfloppy:160
#, fuzzy, c-format
-msgid "Myanmar"
-msgstr "Myanmar"
+msgid "Remove a module"
+msgstr "Buang"
-#: ../../install_steps_interactive.pm:1 ../../Xconfig/main.pm:1
-#: ../../diskdrake/dav.pm:1 ../../printer/printerdrake.pm:1
-#: ../../standalone/draksplash:1 ../../standalone/harddrake2:1
-#: ../../standalone/logdrake:1 ../../standalone/scannerdrake:1
+#: standalone/drakfloppy:295
+#, c-format
+msgid "Be sure a media is present for the device %s"
+msgstr ""
+
+#: standalone/drakfloppy:301
#, fuzzy, c-format
-msgid "Quit"
-msgstr "Keluar"
+msgid ""
+"There is no medium or it is write-protected for device %s.\n"
+"Please insert one."
+msgstr "tidak."
-#: ../../help.pm:1 ../../diskdrake/interactive.pm:1
+#: standalone/drakfloppy:305
#, c-format
-msgid "Auto allocate"
+msgid "Unable to fork: %s"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakfloppy:308
#, c-format
-msgid "Check bad blocks?"
+msgid "Floppy creation completed"
msgstr ""
-#: ../../harddrake/data.pm:1
-#, fuzzy, c-format
-msgid "Other MultiMedia devices"
-msgstr "Lain-lain"
-
-#: ../../standalone/harddrake2:1
+#: standalone/drakfloppy:308
#, c-format
-msgid "burner"
+msgid "The creation of the boot floppy has been successfully completed \n"
msgstr ""
-#: ../../standalone/drakbug:1
+#: standalone/drakfloppy:311
#, c-format
-msgid "Bug Description/System Information"
+msgid ""
+"Unable to properly close mkbootdisk:\n"
+"\n"
+"<span foreground=\"Red\"><tt>%s</tt></span>"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakfont:181
#, fuzzy, c-format
-msgid " (Default is all users)"
-msgstr "Default"
-
-#: ../../printer/printerdrake.pm:1 ../../standalone/scannerdrake:1
-#, fuzzy, c-format
-msgid "No remote machines"
-msgstr "Tidak"
+msgid "Search installed fonts"
+msgstr "Cari"
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid ""
-"\n"
-"Welcome to the Printer Setup Wizard\n"
-"\n"
-"This wizard will help you to install your printer(s) connected to this "
-"computer.\n"
-"\n"
-"If you have printer(s) connected to this machine, Please plug it/them in on "
-"this computer and turn it/them on so that it/they can be auto-detected.\n"
-"\n"
-" Click on \"Next\" when you are ready, and on \"Cancel\" if you do not want "
-"to set up your printer(s) now."
+#: standalone/drakfont:183
+#, c-format
+msgid "Unselect fonts installed"
msgstr ""
-"dalam on dan on\n"
-" on Berikutnya dan on Batal."
-#: ../../any.pm:1
-#, fuzzy, c-format
-msgid "Authentication NIS"
-msgstr "Pengesahan"
+#: standalone/drakfont:206
+#, c-format
+msgid "parse all fonts"
+msgstr ""
-#: ../../any.pm:1
+#: standalone/drakfont:208
#, fuzzy, c-format
-msgid ""
-"Option ``Restrict command line options'' is of no use without a password"
+msgid "No fonts found"
msgstr "tidak"
-#: ../../standalone/drakgw:1
+#: standalone/drakfont:216 standalone/drakfont:256 standalone/drakfont:323
+#: standalone/drakfont:356 standalone/drakfont:364 standalone/drakfont:390
+#: standalone/drakfont:408 standalone/drakfont:422
#, fuzzy, c-format
-msgid "Internet Connection Sharing currently enabled"
-msgstr "Internet"
+msgid "done"
+msgstr "siap"
-#: ../../lang.pm:1
+#: standalone/drakfont:221
#, fuzzy, c-format
-msgid "United Arab Emirates"
-msgstr "Emiriah Arab Bersatu"
+msgid "Could not find any font in your mounted partitions"
+msgstr "dalam terpasang"
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: standalone/drakfont:254
#, c-format
-msgid "Card IO_0"
+msgid "Reselect correct fonts"
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: standalone/drakfont:257
#, c-format
-msgid "Disable Local Config"
+msgid "Could not find any font.\n"
msgstr ""
-#: ../../lang.pm:1
+#: standalone/drakfont:267
#, fuzzy, c-format
-msgid "Thailand"
-msgstr "Thailand"
+msgid "Search for fonts in installed list"
+msgstr "Cari dalam"
-#: ../../network/tools.pm:1 ../../standalone/drakconnect:1
+#: standalone/drakfont:292
#, c-format
-msgid "Card IO_1"
+msgid "%s fonts conversion"
msgstr ""
-#: ../../standalone/printerdrake:1
-#, c-format
-msgid "Search:"
-msgstr "Cari:"
+#: standalone/drakfont:321
+#, fuzzy, c-format
+msgid "Fonts copy"
+msgstr "Font"
-#: ../../lang.pm:1
+#: standalone/drakfont:324
#, fuzzy, c-format
-msgid "Kazakhstan"
-msgstr "Kazakhstan"
+msgid "True Type fonts installation"
+msgstr "Jenis"
-#: ../../standalone/drakTermServ:1
+#: standalone/drakfont:331
#, c-format
-msgid "Routers:"
+msgid "please wait during ttmkfdir..."
msgstr ""
-#: ../../standalone/drakperm:1
+#: standalone/drakfont:332
+#, fuzzy, c-format
+msgid "True Type install done"
+msgstr "Jenis"
+
+#: standalone/drakfont:338 standalone/drakfont:353
#, c-format
-msgid "Write"
+msgid "type1inst building"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Display all available remote CUPS printers"
-msgstr "Paparan"
+#: standalone/drakfont:347
+#, c-format
+msgid "Ghostscript referencing"
+msgstr ""
-#: ../../install_steps_newt.pm:1
+#: standalone/drakfont:357
#, c-format
-msgid "Mandrake Linux Installation %s"
+msgid "Suppress Temporary Files"
msgstr ""
-#: ../../harddrake/sound.pm:1
+#: standalone/drakfont:360
#, fuzzy, c-format
-msgid "Unknown driver"
-msgstr "Entah"
+msgid "Restart XFS"
+msgstr "Ulanghidup"
+
+#: standalone/drakfont:406 standalone/drakfont:416
+#, fuzzy, c-format
+msgid "Suppress Fonts Files"
+msgstr "Font"
-#: ../../keyboard.pm:1
+#: standalone/drakfont:418
#, c-format
-msgid "Thai keyboard"
+msgid "xfs restart"
msgstr ""
-#: ../../lang.pm:1
+#: standalone/drakfont:426
#, fuzzy, c-format
-msgid "Bouvet Island"
-msgstr "Bouvet Island"
+msgid ""
+"Before installing any fonts, be sure that you have the right to use and "
+"install them on your system.\n"
+"\n"
+"-You can install the fonts the normal way. In rare cases, bogus fonts may "
+"hang up your X Server."
+msgstr "dan on normal Masuk Pelayan."
-#: ../../network/modem.pm:1
+#: standalone/drakfont:474 standalone/drakfont:483
#, c-format
-msgid "Dialup options"
+msgid "DrakFont"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakfont:484
#, fuzzy, c-format
-msgid "If no port is given, 631 will be taken as default."
-msgstr "tidak default."
+msgid "Font List"
+msgstr "Font"
+
+#: standalone/drakfont:490
+#, fuzzy, c-format
+msgid "About"
+msgstr "Perihal"
-#: ../../standalone/drakTermServ:1
+#: standalone/drakfont:492 standalone/drakfont:681 standalone/drakfont:719
+#, fuzzy, c-format
+msgid "Uninstall"
+msgstr "Install"
+
+#: standalone/drakfont:493
+#, fuzzy, c-format
+msgid "Import"
+msgstr "Liang"
+
+#: standalone/drakfont:509
#, c-format
msgid ""
-" - Per client system configuration files:\n"
-" \tThrough clusternfs, each diskless client can have its own unique "
-"configuration files\n"
-" \ton the root filesystem of the server. By allowing local client "
-"hardware configuration, \n"
-" \tclients can customize files such as /etc/modules.conf, /etc/"
-"sysconfig/mouse, \n"
-" \t/etc/sysconfig/keyboard on a per-client basis.\n"
+"Copyright (C) 2001-2002 by MandrakeSoft \n"
"\n"
-" Note: Enabling local client hardware configuration does enable root "
-"login to the terminal \n"
-" server on each client machine that has this feature enabled. Local "
-"configuration can be\n"
-" turned back off, retaining the configuration files, once the client "
-"machine is configured."
+"\n"
+" DUPONT Sebastien (original version)\n"
+"\n"
+" CHAUMETTE Damien <dchaumette@mandrakesoft.com>\n"
+"\n"
+" VIGNAUD Thierry <tvignaud@mandrakesoft.com>"
msgstr ""
-#: ../../install_steps_gtk.pm:1 ../../install_steps_interactive.pm:1
+#: standalone/drakfont:518
#, fuzzy, c-format
msgid ""
-"Change your Cd-Rom!\n"
+"This program is free software; you can redistribute it and/or modify\n"
+" it under the terms of the GNU General Public License as published by\n"
+" the Free Software Foundation; either version 2, or (at your option)\n"
+" any later version.\n"
"\n"
-"Please insert the Cd-Rom labelled \"%s\" in your drive and press Ok when "
-"done.\n"
-"If you don't have it, press Cancel to avoid installation from this Cd-Rom."
-msgstr "Ubah dalam dan Ok siap Batal."
+"\n"
+" This program is distributed in the hope that it will be useful,\n"
+" but WITHOUT ANY WARRANTY; without even the implied warranty of\n"
+" MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n"
+" GNU General Public License for more details.\n"
+"\n"
+"\n"
+" You should have received a copy of the GNU General Public License\n"
+" along with this program; if not, write to the Free Software\n"
+" Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA."
+msgstr "dan Umum Bebas dalam A Umum Umum Bebas"
-#: ../../keyboard.pm:1
+#: standalone/drakfont:534
#, c-format
-msgid "Polish"
+msgid ""
+"Thanks:\n"
+"\n"
+" - pfm2afm: \n"
+"\t by Ken Borgendale:\n"
+"\t Convert a Windows .pfm file to a .afm (Adobe Font Metrics)\n"
+"\n"
+" - type1inst:\n"
+"\t by James Macnicol: \n"
+"\t type1inst generates files fonts.dir fonts.scale & Fontmap.\n"
+"\n"
+" - ttf2pt1: \n"
+"\t by Andrew Weeks, Frank Siegert, Thomas Henlich, Sergey Babkin \n"
+" Convert ttf font files to afm and pfb fonts\n"
msgstr ""
-#: ../../standalone/drakbug:1
+#: standalone/drakfont:553
#, c-format
-msgid "Mandrake Online"
+msgid "Choose the applications that will support the fonts:"
msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "\t-Network by webdav.\n"
-msgstr "Rangkaian"
-
-#: ../../printer/main.pm:1
-#, fuzzy, c-format
-msgid ", multi-function device on a parallel port"
-msgstr "on"
-
-#: ../../standalone/drakgw:1 ../../standalone/drakpxe:1
+#: standalone/drakfont:554
#, fuzzy, c-format
msgid ""
-"No ethernet network adapter has been detected on your system. Please run the "
-"hardware configuration tool."
-msgstr "Tidak on."
-
-#: ../../network/network.pm:1 ../../standalone/drakconnect:1
-#: ../../standalone/drakgw:1
-#, fuzzy, c-format
-msgid "Netmask"
-msgstr "Netmask"
-
-#: ../../diskdrake/hd_gtk.pm:1
-#, fuzzy, c-format
-msgid "No hard drives found"
-msgstr "Tidak"
+"Before installing any fonts, be sure that you have the right to use and "
+"install them on your system.\n"
+"\n"
+"You can install the fonts the normal way. In rare cases, bogus fonts may "
+"hang up your X Server."
+msgstr "dan on normal Masuk Pelayan."
-#: ../../mouse.pm:1
+#: standalone/drakfont:564
#, c-format
-msgid "2 buttons"
+msgid "Ghostscript"
msgstr ""
-#: ../../mouse.pm:1
+#: standalone/drakfont:565
#, c-format
-msgid "Logitech CC Series"
+msgid "StarOffice"
msgstr ""
-#: ../../network/isdn.pm:1
+#: standalone/drakfont:566
#, c-format
-msgid "What kind is your ISDN connection?"
+msgid "Abiword"
msgstr ""
-#: ../../any.pm:1
+#: standalone/drakfont:567
#, fuzzy, c-format
-msgid "Label"
-msgstr "Label"
+msgid "Generic Printers"
+msgstr "Generik"
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakfont:583
#, fuzzy, c-format
-msgid "Save on floppy"
-msgstr "Simpan on"
+msgid "Select the font file or directory and click on 'Add'"
+msgstr "fail direktori dan on Tambah"
-#: ../../security/l10n.pm:1
+#: standalone/drakfont:597
#, c-format
-msgid "Check open ports"
+msgid "You've not selected any font"
msgstr ""
-#: ../../standalone/printerdrake:1
-#, fuzzy, c-format
-msgid "Edit selected printer"
-msgstr "Edit"
-
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakfont:646
#, c-format
-msgid "Printer auto-detection"
+msgid "Import fonts"
msgstr ""
-#: ../../network/isdn.pm:1
+#: standalone/drakfont:651
+#, fuzzy, c-format
+msgid "Install fonts"
+msgstr "Install"
+
+#: standalone/drakfont:686
#, c-format
-msgid "Which of the following is your ISDN card?"
+msgid "click here if you are sure."
msgstr ""
-#: ../../services.pm:1
+#: standalone/drakfont:688
#, fuzzy, c-format
-msgid ""
-"NFS is a popular protocol for file sharing across TCP/IP networks.\n"
-"This service provides NFS server functionality, which is configured via the\n"
-"/etc/exports file."
-msgstr "fail IP fail."
+msgid "here if no."
+msgstr "tidak."
-#: ../../standalone/drakbug:1
+#: standalone/drakfont:727
#, c-format
-msgid "Msec"
+msgid "Unselected All"
+msgstr ""
+
+#: standalone/drakfont:730
+#, c-format
+msgid "Selected All"
msgstr ""
-#: ../../interactive/stdio.pm:1
+#: standalone/drakfont:733
#, fuzzy, c-format
-msgid ""
-"=> Notice, a label changed:\n"
-"%s"
-msgstr "Notis"
+msgid "Remove List"
+msgstr "Buang"
-#: ../../harddrake/v4l.pm:1
+#: standalone/drakfont:744 standalone/drakfont:763
#, c-format
-msgid "Number of capture buffers:"
+msgid "Importing fonts"
msgstr ""
-#: ../../interactive/stdio.pm:1
+#: standalone/drakfont:748 standalone/drakfont:768
+#, c-format
+msgid "Initial tests"
+msgstr ""
+
+#: standalone/drakfont:749
#, fuzzy, c-format
-msgid "Your choice? (0/1, default `%s') "
-msgstr "default "
+msgid "Copy fonts on your system"
+msgstr "Salin on"
-#: ../../help.pm:1
+#: standalone/drakfont:750
#, fuzzy, c-format
-msgid ""
-"Any partitions that have been newly defined must be formatted for use\n"
-"(formatting means creating a file system).\n"
-"\n"
-"At this time, you may wish to reformat some already existing partitions to\n"
-"erase any data they contain. If you wish to do that, please select those\n"
-"partitions as well.\n"
-"\n"
-"Please note that it is not necessary to reformat all pre-existing\n"
-"partitions. You must reformat the partitions containing the operating\n"
-"system (such as \"/\", \"/usr\" or \"/var\") but you do not have to\n"
-"reformat partitions containing data that you wish to keep (typically\n"
-"\"/home\").\n"
-"\n"
-"Please be careful when selecting partitions. After formatting, all data on\n"
-"the selected partitions will be deleted and you will not be able to recover\n"
-"it.\n"
-"\n"
-"Click on \"%s\" when you are ready to format partitions.\n"
-"\n"
-"Click on \"%s\" if you want to choose another partition for your new\n"
-"Mandrake Linux operating system installation.\n"
-"\n"
-"Click on \"%s\" if you wish to select partitions that will be checked for\n"
-"bad blocks on the disk."
-msgstr "fail on dan on on on on."
+msgid "Install & convert Fonts"
+msgstr "Install"
-#: ../../keyboard.pm:1
+#: standalone/drakfont:751
#, fuzzy, c-format
-msgid "French"
-msgstr "Perancis"
+msgid "Post Install"
+msgstr "Pasca Pasang"
-#: ../../keyboard.pm:1
+#: standalone/drakfont:769
#, fuzzy, c-format
-msgid "Czech (QWERTY)"
-msgstr "Czech"
+msgid "Remove fonts on your system"
+msgstr "Buang on"
-#: ../../security/l10n.pm:1
+#: standalone/drakfont:770
#, c-format
-msgid "Allow X Window connections"
+msgid "Post Uninstall"
msgstr ""
-#: ../../standalone/service_harddrake:1
+#: standalone/drakgw:59 standalone/drakgw:190
#, fuzzy, c-format
-msgid "Hardware probing in progress"
-msgstr "Perkakasan dalam"
+msgid "Internet Connection Sharing"
+msgstr "Internet"
-#: ../../network/shorewall.pm:1 ../../standalone/drakgw:1
+#: standalone/drakgw:117 standalone/drakvpn:49
#, c-format
-msgid "Net Device"
+msgid "Sorry, we support only 2.4 and above kernels."
msgstr ""
-#: ../../install_steps_interactive.pm:1 ../../steps.pm:1
+#: standalone/drakgw:128
#, fuzzy, c-format
-msgid "Summary"
-msgstr "Ringkasan"
+msgid "Internet Connection Sharing currently enabled"
+msgstr "Internet"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakgw:129
#, fuzzy, c-format
msgid ""
-" (Parallel Ports: /dev/lp0, /dev/lp1, ..., equivalent to LPT1:, LPT2:, ..., "
-"1st USB printer: /dev/usb/lp0, 2nd USB printer: /dev/usb/lp1, ...)."
-msgstr "USB USB."
-
-#: ../../network/netconnect.pm:1 ../../network/tools.pm:1
-#, fuzzy, c-format
-msgid "Next"
-msgstr "Berikutnya"
+"The setup of Internet Connection Sharing has already been done.\n"
+"It's currently enabled.\n"
+"\n"
+"What would you like to do?"
+msgstr "Internet siap dihidupkan?"
-#: ../../bootloader.pm:1
-#, fuzzy, c-format
-msgid "You can't install the bootloader on a %s partition\n"
-msgstr "on"
+#: standalone/drakgw:133 standalone/drakvpn:99
+#, c-format
+msgid "disable"
+msgstr ""
-#: ../../network/modem.pm:1 ../../standalone/drakconnect:1
+#: standalone/drakgw:133 standalone/drakgw:162 standalone/drakvpn:99
+#: standalone/drakvpn:125
#, c-format
-msgid "CHAP"
+msgid "reconfigure"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Puerto Rico"
-msgstr "Puerto Rico"
+#: standalone/drakgw:133 standalone/drakgw:162 standalone/drakvpn:99
+#: standalone/drakvpn:125 standalone/drakvpn:372 standalone/drakvpn:731
+#, c-format
+msgid "dismiss"
+msgstr ""
-#: ../../network/network.pm:1
+#: standalone/drakgw:136
#, c-format
-msgid "(bootp/dhcp/zeroconf)"
+msgid "Disabling servers..."
msgstr ""
-#: ../../standalone/drakautoinst:1
+#: standalone/drakgw:150
#, fuzzy, c-format
-msgid ""
-"\n"
-"Welcome.\n"
-"\n"
-"The parameters of the auto-install are available in the sections on the left"
-msgstr "dalam on"
+msgid "Internet Connection Sharing is now disabled."
+msgstr "Internet dimatikan."
-#: ../../standalone/draksplash:1
+#: standalone/drakgw:157
#, fuzzy, c-format
-msgid ""
-"package 'ImageMagick' is required to be able to complete configuration.\n"
-"Click \"Ok\" to install 'ImageMagick' or \"Cancel\" to quit"
-msgstr "Ok Batal"
+msgid "Internet Connection Sharing currently disabled"
+msgstr "Internet"
-#: ../../network/drakfirewall.pm:1
+#: standalone/drakgw:158
#, fuzzy, c-format
-msgid "Telnet server"
-msgstr "Edit"
+msgid ""
+"The setup of Internet connection sharing has already been done.\n"
+"It's currently disabled.\n"
+"\n"
+"What would you like to do?"
+msgstr "Internet siap dimatikan?"
-#: ../../keyboard.pm:1
+#: standalone/drakgw:162 standalone/drakvpn:125
#, c-format
-msgid "Lithuanian \"number row\" QWERTY"
+msgid "enable"
msgstr ""
-#: ../../install_any.pm:1
+#: standalone/drakgw:169
#, c-format
+msgid "Enabling servers..."
+msgstr ""
+
+#: standalone/drakgw:175
+#, fuzzy, c-format
+msgid "Internet Connection Sharing is now enabled."
+msgstr "Internet dihidupkan."
+
+#: standalone/drakgw:191
+#, fuzzy, c-format
msgid ""
-"The following packages will be removed to allow upgrading your system: %s\n"
+"You are about to configure your computer to share its Internet connection.\n"
+"With that feature, other computers on your local network will be able to use "
+"this computer's Internet connection.\n"
"\n"
+"Make sure you have configured your Network/Internet access using drakconnect "
+"before going any further.\n"
"\n"
-"Do you really want to remove these packages?\n"
+"Note: you need a dedicated Network Adapter to set up a Local Area Network "
+"(LAN)."
+msgstr "Internet on lokal Internet Rangkaian Internet Rangkaian Rangkaian."
+
+#: standalone/drakgw:211 standalone/drakvpn:210
+#, c-format
+msgid ""
+"Please enter the name of the interface connected to the internet.\n"
+"\n"
+"Examples:\n"
+"\t\tppp+ for modem or DSL connections, \n"
+"\t\teth0, or eth1 for cable connection, \n"
+"\t\tippp+ for a isdn connection.\n"
msgstr ""
-#: ../../lang.pm:1
+#: standalone/drakgw:230
#, fuzzy, c-format
-msgid "Anguilla"
-msgstr "Anguilla"
+msgid "Interface %s (using module %s)"
+msgstr "Antaramuka"
-#: ../../any.pm:1
+#: standalone/drakgw:231
#, fuzzy, c-format
-msgid "NIS Domain"
-msgstr "NIS"
+msgid "Interface %s"
+msgstr "Antaramuka"
-#: ../../lang.pm:1
+#: standalone/drakgw:241 standalone/drakpxe:138
#, fuzzy, c-format
-msgid "Antarctica"
-msgstr "Antarctika"
+msgid ""
+"No ethernet network adapter has been detected on your system. Please run the "
+"hardware configuration tool."
+msgstr "Tidak on."
+
+#: standalone/drakgw:247
+#, fuzzy, c-format
+msgid "Network interface"
+msgstr "Rangkaian"
-#: ../../standalone/drakbackup:1
+#: standalone/drakgw:248
#, fuzzy, c-format
msgid ""
+"There is only one configured network adapter on your system:\n"
"\n"
-"- User Files:\n"
-msgstr "Pengguna"
+"%s\n"
+"\n"
+"I am about to setup your Local Area Network with that adapter."
+msgstr "on am Rangkaian."
-#: ../../diskdrake/interactive.pm:1
-#, c-format
-msgid "Mount options"
-msgstr ""
+#: standalone/drakgw:255
+#, fuzzy, c-format
+msgid ""
+"Please choose what network adapter will be connected to your Local Area "
+"Network."
+msgstr "Rangkaian."
-#: ../../lang.pm:1
+#: standalone/drakgw:283
#, fuzzy, c-format
-msgid "Jamaica"
-msgstr "Jamaica"
+msgid "Network interface already configured"
+msgstr "Rangkaian"
-#: ../../services.pm:1
-#, c-format
+#: standalone/drakgw:284
+#, fuzzy, c-format
msgid ""
-"Assign raw devices to block devices (such as hard drive\n"
-"partitions), for the use of applications such as Oracle or DVD players"
-msgstr ""
+"Warning, the network adapter (%s) is already configured.\n"
+"\n"
+"Do you want an automatic re-configuration?\n"
+"\n"
+"You can do it manually but you need to know what you're doing."
+msgstr "Amaran secara manual."
-#: ../../install_steps_gtk.pm:1
+#: standalone/drakgw:289
#, c-format
-msgid "Please wait, preparing installation..."
+msgid "Automatic reconfiguration"
msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/drakgw:289
#, fuzzy, c-format
-msgid "Czech (QWERTZ)"
-msgstr "Czech"
+msgid "No (experts only)"
+msgstr "Tidak"
-#: ../../network/network.pm:1
+#: standalone/drakgw:290
#, c-format
-msgid "Track network card id (useful for laptops)"
+msgid "Show current interface configuration"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakgw:291
#, c-format
-msgid "The port number should be an integer!"
+msgid "Current interface configuration"
msgstr ""
-#: ../../standalone/draksplash:1
-#, fuzzy, c-format
-msgid "You must choose an image file first!"
-msgstr "fail!"
-
-#: ../../standalone/drakbackup:1
+#: standalone/drakgw:292
#, c-format
-msgid "Restore from Hard Disk."
+msgid ""
+"Current configuration of `%s':\n"
+"\n"
+"Network: %s\n"
+"IP address: %s\n"
+"IP attribution: %s\n"
+"Driver: %s"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakgw:305
#, fuzzy, c-format
-msgid "Add to LVM"
-msgstr "Tambah"
-
-#: ../../network/network.pm:1
-#, c-format
-msgid "DNS server"
+msgid ""
+"I can keep your current configuration and assume you already set up a DHCP "
+"server; in that case please verify I correctly read the Network that you use "
+"for your local network; I will not reconfigure it and I will not touch your "
+"DHCP server configuration.\n"
+"\n"
+"The default DNS entry is the Caching Nameserver configured on the firewall. "
+"You can replace that with your ISP DNS IP, for example.\n"
+"\t\t \n"
+"Otherwise, I can reconfigure your interface and (re)configure a DHCP server "
+"for you.\n"
+"\n"
msgstr ""
+"dan DHCP dalam Rangkaian lokal dan DHCP default Pelayan Nama on IP dan DHCP"
-#: ../../lang.pm:1
+#: standalone/drakgw:312
#, fuzzy, c-format
-msgid "Trinidad and Tobago"
-msgstr "Trinidad dan Tobago"
+msgid "Local Network adress"
+msgstr "Rangkaian"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakgw:316
#, fuzzy, c-format
-msgid "LPD and LPRng do not support IPP printers.\n"
-msgstr "dan"
+msgid ""
+"DHCP Server Configuration.\n"
+"\n"
+"Here you can select different options for the DHCP server configuration.\n"
+"If you don't know the meaning of an option, simply leave it as it is."
+msgstr "DHCP Pelayan Konfigurasikan DHCP"
-#: ../../standalone/drakbackup:1
+#: standalone/drakgw:320
#, fuzzy, c-format
-msgid "Host name or IP."
-msgstr "Hos IP."
+msgid "(This) DHCP Server IP"
+msgstr "DHCP Pelayan"
-#: ../../standalone/printerdrake:1
+#: standalone/drakgw:321
#, fuzzy, c-format
-msgid "/_Edit"
-msgstr "Edit"
+msgid "The DNS Server IP"
+msgstr "Pelayan"
-#: ../../fsedit.pm:1
+#: standalone/drakgw:322
#, c-format
-msgid "simple"
+msgid "The internal domain name"
msgstr ""
-#: ../../help.pm:1 ../../diskdrake/interactive.pm:1
+#: standalone/drakgw:323
#, fuzzy, c-format
-msgid "Clear all"
-msgstr "Kosongkan"
+msgid "The DHCP start range"
+msgstr "DHCP mula"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakgw:324
#, fuzzy, c-format
-msgid "No test pages"
-msgstr "Tidak"
+msgid "The DHCP end range"
+msgstr "DHCP"
-#: ../../lang.pm:1
-#, c-format
-msgid "Falkland Islands (Malvinas)"
-msgstr "Kepulauan Falkland"
+#: standalone/drakgw:325
+#, fuzzy, c-format
+msgid "The default lease (in seconds)"
+msgstr "default dalam saat"
+
+#: standalone/drakgw:326
+#, fuzzy, c-format
+msgid "The maximum lease (in seconds)"
+msgstr "dalam saat"
+
+#: standalone/drakgw:327
+#, fuzzy, c-format
+msgid "Re-configure interface and DHCP server"
+msgstr "dan DHCP"
+
+#: standalone/drakgw:334
+#, fuzzy, c-format
+msgid "The Local Network did not finish with `.0', bailing out."
+msgstr "Rangkaian keluar."
-#: ../../standalone/drakconnect:1
+#: standalone/drakgw:344
+#, fuzzy, c-format
+msgid "Potential LAN address conflict found in current config of %s!\n"
+msgstr "dalam"
+
+#: standalone/drakgw:354
#, c-format
-msgid "Adapter %s: %s"
+msgid "Configuring..."
msgstr ""
-#: ../../standalone/drakfloppy:1
+#: standalone/drakgw:355
#, c-format
-msgid "Boot disk creation"
+msgid "Configuring scripts, installing software, starting servers..."
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakgw:391 standalone/drakpxe:231 standalone/drakvpn:274
#, c-format
-msgid "Monday"
+msgid "Problems installing package %s"
msgstr ""
-#: ../../printer/main.pm:1 ../../printer/printerdrake.pm:1
+#: standalone/drakgw:584
#, fuzzy, c-format
-msgid "Unknown model"
-msgstr "Entah"
+msgid ""
+"Everything has been configured.\n"
+"You may now share Internet connection with other computers on your Local "
+"Area Network, using automatic network configuration (DHCP) and\n"
+" a Transparent Proxy Cache server (SQUID)."
+msgstr "Semuanya Internet on Rangkaian DHCP."
-#: ../../security/help.pm:1
-#, fuzzy, c-format
-msgid "if set to yes, check files/directories writable by everybody."
-msgstr "ya fail."
+#: standalone/drakhelp:17
+#, c-format
+msgid ""
+" drakhelp 0.1\n"
+"Copyright (C) 2003-2004 MandrakeSoft.\n"
+"This is free software and may be redistributed under the terms of the GNU "
+"GPL.\n"
+"\n"
+"Usage: \n"
+msgstr ""
-#: ../../help.pm:1
+#: standalone/drakhelp:22
#, c-format
-msgid "authentication"
+msgid " --help - display this help \n"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakhelp:23
#, c-format
-msgid "Backup Now"
+msgid ""
+" --id <id_label> - load the html help page which refers to id_label\n"
msgstr ""
-#: ../../standalone/drakboot:1 ../../standalone/drakfloppy:1
-#: ../../standalone/harddrake2:1 ../../standalone/logdrake:1
-#: ../../standalone/printerdrake:1
-#, fuzzy, c-format
-msgid "/_File"
-msgstr "/_Fail"
+#: standalone/drakhelp:24
+#, c-format
+msgid ""
+" --doc <link> - link to another web page ( for WM welcome "
+"frontend)\n"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakhelp:35
#, fuzzy, c-format
-msgid "Removing printer from Star Office/OpenOffice.org/GIMP"
-msgstr "Pejabat"
+msgid ""
+"%s cannot be displayed \n"
+". No Help entry of this type\n"
+msgstr "Tidak Bantuan"
-#: ../../services.pm:1
-#, c-format
+#: standalone/drakhelp:41
+#, fuzzy, c-format
msgid ""
-"Launch packet filtering for Linux kernel 2.2 series, to set\n"
-"up a firewall to protect your machine from network attacks."
-msgstr ""
+"No browser is installed on your system, Please install one if you want to "
+"browse the help system"
+msgstr "Tidak on"
-#: ../../standalone/drakperm:1
+#: standalone/drakperm:21
#, fuzzy, c-format
-msgid "Editable"
-msgstr "dimatikan"
+msgid "System settings"
+msgstr "Tersendiri"
-#: ../../network/ethernet.pm:1
+#: standalone/drakperm:22
#, fuzzy, c-format
-msgid "Which dhcp client do you want to use ? (default is dhcp-client)"
-msgstr "default"
+msgid "Custom settings"
+msgstr "Tersendiri"
-#: ../../keyboard.pm:1
-#, c-format
-msgid "Tamil (ISCII-layout)"
-msgstr ""
+#: standalone/drakperm:23
+#, fuzzy, c-format
+msgid "Custom & system settings"
+msgstr "Tersendiri"
+
+#: standalone/drakperm:43
+#, fuzzy, c-format
+msgid "Editable"
+msgstr "dimatikan"
-#: ../../lang.pm:1
+#: standalone/drakperm:48 standalone/drakperm:315
#, c-format
-msgid "Mayotte"
-msgstr "Mayotte"
+msgid "Path"
+msgstr ""
-#: ../../security/help.pm:1
+#: standalone/drakperm:48 standalone/drakperm:250
#, fuzzy, c-format
-msgid "Set shell commands history size. A value of -1 means unlimited."
-msgstr "A."
+msgid "User"
+msgstr "Pengguna"
-#: ../../install_steps_gtk.pm:1
+#: standalone/drakperm:48 standalone/drakperm:250
#, c-format
-msgid "%d KB\n"
+msgid "Group"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakperm:48 standalone/drakperm:327
#, fuzzy, c-format
-msgid "Creating auto install floppy..."
-msgstr "Mencipta."
+msgid "Permissions"
+msgstr "Keizinan"
-#: ../../standalone/scannerdrake:1
+#: standalone/drakperm:107
#, fuzzy, c-format
-msgid "Searching for scanners ..."
-msgstr "Mencari."
+msgid ""
+"Here you can see files to use in order to fix permissions, owners, and "
+"groups via msec.\n"
+"You can also edit your own rules which will owerwrite the default rules."
+msgstr "fail dalam dan default."
-#: ../../lang.pm:1
+#: standalone/drakperm:110
#, c-format
-msgid "Russia"
+msgid ""
+"The current security level is %s.\n"
+"Select permissions to see/edit"
msgstr ""
-#: ../../steps.pm:1
+#: standalone/drakperm:121
#, fuzzy, c-format
-msgid "Partitioning"
-msgstr "Pempartisyenan"
+msgid "Up"
+msgstr "Naik"
-#: ../../network/netconnect.pm:1
+#: standalone/drakperm:121
#, c-format
-msgid "ethernet card(s) detected"
+msgid "Move selected rule up one level"
msgstr ""
-#: ../../standalone/logdrake:1
-#, c-format
-msgid "Syslog"
-msgstr ""
+#: standalone/drakperm:122
+#, fuzzy, c-format
+msgid "Down"
+msgstr "Turun"
-#: ../../standalone/drakbackup:1
+#: standalone/drakperm:122
#, c-format
-msgid "Can't create catalog!"
+msgid "Move selected rule down one level"
msgstr ""
-#: ../advertising/11-mnf.pl:1
+#: standalone/drakperm:123
#, fuzzy, c-format
-msgid ""
-"Complete your security setup with this very easy-to-use software which "
-"combines high performance components such as a firewall, a virtual private "
-"network (VPN) server and client, an intrusion detection system and a traffic "
-"manager."
-msgstr "Selesai dan dan."
+msgid "Add a rule"
+msgstr "Tambah"
-#: ../../fsedit.pm:1
-#, c-format
-msgid "Not enough free space for auto-allocating"
-msgstr ""
+#: standalone/drakperm:123
+#, fuzzy, c-format
+msgid "Add a new rule at the end"
+msgstr "Tambah"
-#: ../../install_steps_interactive.pm:1
-#, c-format
-msgid "Set root password"
-msgstr ""
+#: standalone/drakperm:124
+#, fuzzy, c-format
+msgid "Delete selected rule"
+msgstr "Padam"
-#: ../../security/l10n.pm:1
+#: standalone/drakperm:125 standalone/drakvpn:329 standalone/drakvpn:690
+#: standalone/printerdrake:229
#, fuzzy, c-format
-msgid "Enable IP spoofing protection"
-msgstr "IP"
+msgid "Edit"
+msgstr "Edit"
-#: ../../harddrake/sound.pm:1
+#: standalone/drakperm:125
#, fuzzy, c-format
-msgid ""
-"There's no free driver for your sound card (%s), but there's a proprietary "
-"driver at \"%s\"."
-msgstr "tidak."
+msgid "Edit current rule"
+msgstr "Edit"
-#: ../../standalone/drakperm:1
+#: standalone/drakperm:242
#, c-format
-msgid "Group :"
+msgid "browse"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
-#, fuzzy, c-format
-msgid "After resizing partition %s, all data on this partition will be lost"
-msgstr "on"
+#: standalone/drakperm:252
+#, c-format
+msgid "Read"
+msgstr ""
-#: ../../standalone/drakconnect:1
-#, fuzzy, c-format
-msgid "Internet connection configuration"
-msgstr "Internet"
+#: standalone/drakperm:253
+#, c-format
+msgid "Enable \"%s\" to read the file"
+msgstr ""
-#: ../../security/help.pm:1
-#, fuzzy, c-format
-msgid "Add the name as an exception to the handling of password aging by msec."
-msgstr "Tambah."
+#: standalone/drakperm:256
+#, c-format
+msgid "Write"
+msgstr ""
-#: ../../network/isdn.pm:1
+#: standalone/drakperm:257
#, c-format
-msgid "USB"
+msgid "Enable \"%s\" to write the file"
msgstr ""
-#: ../../standalone/drakxtv:1
+#: standalone/drakperm:260
#, c-format
-msgid "Scanning for TV channels"
+msgid "Execute"
msgstr ""
-#: ../../standalone/drakbug:1
+#: standalone/drakperm:261
#, c-format
-msgid "Kernel:"
+msgid "Enable \"%s\" to execute the file"
+msgstr ""
+
+#: standalone/drakperm:263
+#, c-format
+msgid "Sticky-bit"
msgstr ""
-#: ../../standalone/harddrake2:1 ../../standalone/printerdrake:1
+#: standalone/drakperm:263
#, fuzzy, c-format
-msgid "/_About..."
-msgstr "Perihal."
+msgid ""
+"Used for directory:\n"
+" only owner of directory or file in this directory can delete it"
+msgstr ""
+"direktori\n"
+" direktori fail dalam direktori"
-#: ../../keyboard.pm:1
+#: standalone/drakperm:264
#, c-format
-msgid "Bengali"
+msgid "Set-UID"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakperm:264
#, c-format
-msgid "Preference: "
+msgid "Use owner id for execution"
msgstr ""
-#: ../../install_steps_interactive.pm:1 ../../services.pm:1
-#, fuzzy, c-format
-msgid "Services: %d activated for %d registered"
-msgstr "Perkhidmatan"
+#: standalone/drakperm:265
+#, c-format
+msgid "Set-GID"
+msgstr ""
-#: ../../any.pm:1
+#: standalone/drakperm:265
#, c-format
-msgid "Create a bootdisk"
+msgid "Use group id for execution"
msgstr ""
-#: ../../lang.pm:1
+#: standalone/drakperm:283
#, fuzzy, c-format
-msgid "Solomon Islands"
-msgstr "Kepulauan Solomon"
+msgid "User :"
+msgstr "Pengguna:"
-#: ../../standalone/mousedrake:1
+#: standalone/drakperm:285
#, c-format
-msgid "Please test your mouse:"
+msgid "Group :"
msgstr ""
-#: ../../modules/interactive.pm:1
+#: standalone/drakperm:289
#, c-format
-msgid "(module %s)"
+msgid "Current user"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakperm:290
#, fuzzy, c-format
-msgid "Workgroup"
-msgstr "Kumpulankerja"
+msgid "When checked, owner and group won't be changed"
+msgstr "dan"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakperm:301
#, c-format
-msgid "Printer host name or IP"
+msgid "Path selection"
msgstr ""
-#: ../../standalone/drakconnect:1
+#: standalone/drakperm:321
+#, c-format
+msgid "Property"
+msgstr ""
+
+#: standalone/drakpxe:55
#, fuzzy, c-format
-msgid "down"
-msgstr "siap"
+msgid "PXE Server Configuration"
+msgstr "Pelayan"
-#: ../../standalone/drakbackup:1
+#: standalone/drakpxe:111
#, fuzzy, c-format
-msgid "Host Path or Module"
-msgstr "Hos"
+msgid "Installation Server Configuration"
+msgstr "Pelayan"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakpxe:112
#, fuzzy, c-format
-msgid "Name of printer should contain only letters, numbers and the underscore"
-msgstr "Nama dan"
+msgid ""
+"You are about to configure your computer to install a PXE server as a DHCP "
+"server\n"
+"and a TFTP server to build an installation server.\n"
+"With that feature, other computers on your local network will be installable "
+"using this computer as source.\n"
+"\n"
+"Make sure you have configured your Network/Internet access using drakconnect "
+"before going any further.\n"
+"\n"
+"Note: you need a dedicated Network Adapter to set up a Local Area Network "
+"(LAN)."
+msgstr "DHCP on lokal Rangkaian Internet Rangkaian Rangkaian."
-#: ../../standalone/drakgw:1
+#: standalone/drakpxe:143
#, c-format
-msgid "Show current interface configuration"
+msgid "Please choose which network interface will be used for the dhcp server."
msgstr ""
-#: ../../standalone/printerdrake:1
+#: standalone/drakpxe:144
#, fuzzy, c-format
-msgid "Add Printer"
-msgstr "Tambah"
+msgid "Interface %s (on network %s)"
+msgstr "Antaramuka on"
-#: ../../security/help.pm:1
+#: standalone/drakpxe:169
#, fuzzy, c-format
msgid ""
-"The argument specifies if clients are authorized to connect\n"
-"to the X server from the network on the tcp port 6000 or not."
-msgstr "on."
+"The DHCP server will allow other computer to boot using PXE in the given "
+"range of address.\n"
+"\n"
+"The network address is %s using a netmask of %s.\n"
+"\n"
+msgstr "DHCP dalam"
-#: ../../help.pm:1
+#: standalone/drakpxe:173
#, fuzzy, c-format
-msgid "Development"
-msgstr "Pembangunan"
+msgid "The DHCP start ip"
+msgstr "DHCP mula"
-#: ../../any.pm:1 ../../help.pm:1 ../../diskdrake/dav.pm:1
-#: ../../diskdrake/hd_gtk.pm:1 ../../diskdrake/removable.pm:1
-#: ../../diskdrake/smbnfs_gtk.pm:1 ../../interactive/http.pm:1
-#: ../../printer/printerdrake.pm:1 ../../standalone/drakbackup:1
-#: ../../standalone/scannerdrake:1
+#: standalone/drakpxe:174
#, fuzzy, c-format
-msgid "Done"
-msgstr "Selesai"
+msgid "The DHCP end ip"
+msgstr "DHCP"
-#: ../../network/drakfirewall.pm:1
+#: standalone/drakpxe:187
#, fuzzy, c-format
-msgid "Web Server"
-msgstr "Pelayan Web"
+msgid ""
+"Please indicate where the installation image will be available.\n"
+"\n"
+"If you do not have an existing directory, please copy the CD or DVD "
+"contents.\n"
+"\n"
+msgstr "direktori"
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Chile"
-msgstr "Chile"
+#: standalone/drakpxe:192
+#, c-format
+msgid "Installation image directory"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakpxe:196
#, fuzzy, c-format
-msgid "\tDo not include System Files\n"
-msgstr "Sistem"
+msgid "No image found"
+msgstr "Tidak"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakpxe:197
#, fuzzy, c-format
msgid ""
-"The inkjet printer drivers provided by Lexmark only support local printers, "
-"no printers on remote machines or print server boxes. Please connect your "
-"printer to a local port or configure it on the machine where it is connected "
-"to."
-msgstr "lokal tidak on lokal on."
+"No CD or DVD image found, please copy the installation program and rpm files."
+msgstr "Tidak dan fail."
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakpxe:210
#, fuzzy, c-format
msgid ""
-"Your multi-function device was configured automatically to be able to scan. "
-"Now you can scan with \"scanimage\" (\"scanimage -d hp:%s\" to specify the "
-"scanner when you have more than one) from the command line or with the "
-"graphical interfaces \"xscanimage\" or \"xsane\". If you are using the GIMP, "
-"you can also scan by choosing the appropriate point in the \"File\"/\"Acquire"
-"\" menu. Call also \"man scanimage\" on the command line to get more "
-"information.\n"
+"Please indicate where the auto_install.cfg file is located.\n"
"\n"
-"Do not use \"scannerdrake\" for this device!"
-msgstr "dalam Fail on!"
+"Leave it blank if you do not want to set up automatic installation mode.\n"
+"\n"
+msgstr "fail"
+
+#: standalone/drakpxe:215
+#, fuzzy, c-format
+msgid "Location of auto_install.cfg file"
+msgstr "Lokasi"
-#: ../../any.pm:1
+#: standalone/draksec:44
#, c-format
-msgid "(already added %s)"
+msgid "ALL"
+msgstr ""
+
+#: standalone/draksec:44
+#, c-format
+msgid "LOCAL"
msgstr ""
-#: ../../any.pm:1
+#: standalone/draksec:44
#, fuzzy, c-format
-msgid "Bootloader installation in progress"
-msgstr "PemuatBoot dalam"
+msgid "default"
+msgstr "default"
-#: ../../printer/main.pm:1
+#: standalone/draksec:44
#, c-format
-msgid ", using command %s"
+msgid "ignore"
msgstr ""
-#: ../../keyboard.pm:1
-#, fuzzy, c-format
-msgid "Alt and Shift keys simultaneously"
-msgstr "Alt dan Shif"
+#: standalone/draksec:44
+#, c-format
+msgid "no"
+msgstr "tidak"
-#: ../../standalone/harddrake2:1
+#: standalone/draksec:44
#, c-format
-msgid "Flags"
+msgid "yes"
+msgstr "ya"
+
+#: standalone/draksec:70
+#, fuzzy, c-format
+msgid ""
+"Here, you can setup the security level and administrator of your machine.\n"
+"\n"
+"\n"
+"The Security Administrator is the one who will receive security alerts if "
+"the\n"
+"'Security Alerts' option is set. It can be a username or an email.\n"
+"\n"
+"\n"
+"The Security Level menu allows you to select one of the six preconfigured "
+"security levels\n"
+"provided with msec. These levels range from poor security and ease of use, "
+"to\n"
+"paranoid config, suitable for very sensitive server applications:\n"
+"\n"
+"\n"
+"<span foreground=\"royalblue3\">Poor</span>: This is a totally unsafe but "
+"very\n"
+"easy to use security level. It should only be used for machines not "
+"connected to\n"
+"any network and that are not accessible to everybody.\n"
+"\n"
+"\n"
+"<span foreground=\"royalblue3\">Standard</span>: This is the standard "
+"security\n"
+"recommended for a computer that will be used to connect to the Internet as "
+"a\n"
+"client.\n"
+"\n"
+"\n"
+"<span foreground=\"royalblue3\">High</span>: There are already some\n"
+"restrictions, and more automatic checks are run every night.\n"
+"\n"
+"\n"
+"<span foreground=\"royalblue3\">Higher</span>: The security is now high "
+"enough\n"
+"to use the system as a server which can accept connections from many "
+"clients. If\n"
+"your machine is only a client on the Internet, you should choose a lower "
+"level.\n"
+"\n"
+"\n"
+"<span foreground=\"royalblue3\">Paranoid</span>: This is similar to the "
+"previous\n"
+"level, but the system is entirely closed and security features are at their\n"
+"maximum"
msgstr ""
+"dan Keselamatan Keselamatan Keselamatan dan\n"
+"<span foreground=\"royalblue3\"></span> dan\n"
+"<span foreground=\"royalblue3\"></span> Internet\n"
+"<span foreground=\"royalblue3\"> Tinggi</span> dan\n"
+"<span foreground=\"royalblue3\"></span> terima on Internet\n"
+"<span foreground=\"royalblue3\"></span> dan"
-#: ../../standalone/drakTermServ:1
+#: standalone/draksec:118
#, fuzzy, c-format
-msgid "Add/Del Users"
-msgstr "Tambah"
+msgid "(default value: %s)"
+msgstr "default"
-#: ../../printer/printerdrake.pm:1
+#: standalone/draksec:159
#, fuzzy, c-format
-msgid "Host/network IP address missing."
-msgstr "Hos IP."
+msgid "Security Level:"
+msgstr "Tahap keselamatan:"
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "weekly"
-msgstr ""
+#: standalone/draksec:162
+#, fuzzy, c-format
+msgid "Security Alerts:"
+msgstr "Keselamatan:"
-#: ../../standalone/logdrake:1 ../../standalone/net_monitor:1
+#: standalone/draksec:166
#, fuzzy, c-format
-msgid "Settings"
-msgstr "Setting"
+msgid "Security Administrator:"
+msgstr "Keselamatan:"
-#: ../../printer/printerdrake.pm:1
+#: standalone/draksec:168
#, fuzzy, c-format
-msgid "The entered host/network IP is not correct.\n"
-msgstr "IP"
+msgid "Basic options"
+msgstr "Asas"
-#: ../../standalone/drakbackup:1
+#: standalone/draksec:181
#, c-format
-msgid "Create/Transfer backup keys for SSH"
+msgid ""
+"The following options can be set to customize your\n"
+"system security. If you need an explanation, look at the help tooltip.\n"
msgstr ""
-#: ../../any.pm:1
-#, fuzzy, c-format
-msgid "Here is the full list of available countries"
-msgstr "penuh"
-
-#: ../../printer/printerdrake.pm:1
+#: standalone/draksec:183
#, fuzzy, c-format
-msgid "Alternative test page (A4)"
-msgstr "A4"
+msgid "Network Options"
+msgstr "Rangkaian"
-#: ../../install_steps_interactive.pm:1
+#: standalone/draksec:183
#, fuzzy, c-format
-msgid ""
-"If you have all the CDs in the list below, click Ok.\n"
-"If you have none of those CDs, click Cancel.\n"
-"If only some CDs are missing, unselect them, then click Ok."
-msgstr "dalam Ok tiada Batal Ok."
+msgid "System Options"
+msgstr "Sistem"
-#: ../../standalone/drakconnect:1 ../../standalone/net_monitor:1
+#: standalone/draksec:229
#, c-format
-msgid "Wait please"
+msgid "Periodic Checks"
msgstr ""
-#: ../../network/modem.pm:1 ../../standalone/drakconnect:1
+#: standalone/draksec:247
#, c-format
-msgid "PAP"
+msgid "Please wait, setting security level..."
msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Backup user files"
-msgstr "pengguna"
+#: standalone/draksec:253
+#, c-format
+msgid "Please wait, setting security options..."
+msgstr ""
-#: ../../diskdrake/dav.pm:1
+#: standalone/draksound:47
#, fuzzy, c-format
-msgid "New"
-msgstr "Baru"
+msgid "No Sound Card detected!"
+msgstr "Tidak Bunyi!"
-#: ../../help.pm:1
+#: standalone/draksound:48
#, fuzzy, c-format
msgid ""
-"This is the most crucial decision point for the security of your GNU/Linux\n"
-"system: you have to enter the \"root\" password. \"Root\" is the system\n"
-"administrator and is the only user authorized to make updates, add users,\n"
-"change the overall system configuration, and so on. In short, \"root\" can\n"
-"do everything! That is why you must choose a password that is difficult to\n"
-"guess - DrakX will tell you if the password that you chose too easy. As you\n"
-"can see, you are not forced to enter a password, but we strongly advise you\n"
-"against this. GNU/Linux is just as prone to operator error as any other\n"
-"operating system. Since \"root\" can overcome all limitations and\n"
-"unintentionally erase all data on partitions by carelessly accessing the\n"
-"partitions themselves, it is important that it be difficult to become\n"
-"\"root\".\n"
-"\n"
-"The password should be a mixture of alphanumeric characters and at least 8\n"
-"characters long. Never write down the \"root\" password -- it makes it far\n"
-"too easy to compromise a system.\n"
-"\n"
-"One caveat -- do not make the password too long or complicated because you\n"
-"must be able to remember it!\n"
+"No Sound Card has been detected on your machine. Please verify that a Linux-"
+"supported Sound Card is correctly plugged in.\n"
"\n"
-"The password will not be displayed on screen as you type it in. To reduce\n"
-"the chance of a blind typing error you will need to enter the password\n"
-"twice. If you do happen to make the same typing error twice, this\n"
-"``incorrect'' password will be the one you will have use the first time you\n"
-"connect.\n"
"\n"
-"If you wish access to this computer to be controlled by an authentication\n"
-"server, click the \"%s\" button.\n"
+"You can visit our hardware database at:\n"
"\n"
-"If your network uses either LDAP, NIS, or PDC Windows Domain authentication\n"
-"services, select the appropriate one for \"%s\". If you do not know which\n"
-"one to use, you should ask your network administrator.\n"
"\n"
-"If you happen to have problems with remembering passwords, if your computer\n"
-"will never be connected to the internet or that you absolutely trust\n"
-"everybody who uses your computer, you can choose to have \"%s\"."
+"http://www.linux-mandrake.com/en/hardware.php3"
msgstr ""
-"dan pengguna dan on Masuk ralat dan on dan Tidak sekali on dalam Kepada "
-"ralat ralat LDAP NIS Tetingkap Domain tiada."
+"Tidak Bunyi on Bunyi dalam\n"
+"http://www.linux-mandrake.com/en/hardware.php3"
-#: ../../security/l10n.pm:1
+#: standalone/draksound:55
#, fuzzy, c-format
-msgid "Name resolution spoofing protection"
-msgstr "Nama"
+msgid ""
+"\n"
+"\n"
+"\n"
+"Note: if you've an ISA PnP sound card, you'll have to use the alsaconf or "
+"the sndconfig program. Just type \"alsaconf\" or \"sndconfig\" in a console."
+msgstr "dalam."
-#: ../../help.pm:1
+#: standalone/draksplash:21
#, fuzzy, c-format
msgid ""
-"At this point, DrakX will allow you to choose the security level desired\n"
-"for the machine. As a rule of thumb, the security level should be set\n"
-"higher if the machine will contain crucial data, or if it will be a machine\n"
-"directly exposed to the Internet. The trade-off of a higher security level\n"
-"is generally obtained at the expense of ease of use.\n"
-"\n"
-"If you do not know what to choose, stay with the default option."
-msgstr "Internet off default."
+"package 'ImageMagick' is required to be able to complete configuration.\n"
+"Click \"Ok\" to install 'ImageMagick' or \"Cancel\" to quit"
+msgstr "Ok Batal"
-#: ../../install_steps_interactive.pm:1
+#: standalone/draksplash:67
#, c-format
-msgid "Load from floppy"
+msgid "first step creation"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/draksplash:70
#, c-format
-msgid "The following printer was auto-detected. "
+msgid "final resolution"
msgstr ""
-#: ../../printer/main.pm:1
-#, fuzzy, c-format
-msgid "Uses command %s"
-msgstr "%s pada %s"
-
-#: ../../standalone/drakTermServ:1
+#: standalone/draksplash:71 standalone/draksplash:165
#, c-format
-msgid "Boot Floppy"
+msgid "choose image file"
msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/draksplash:72
#, fuzzy, c-format
-msgid "Norwegian"
-msgstr "Norwegian"
+msgid "Theme name"
+msgstr "Tema"
-#: ../../standalone/scannerdrake:1
+#: standalone/draksplash:77
#, fuzzy, c-format
-msgid "Searching for new scanners ..."
-msgstr "Mencari."
+msgid "Browse"
+msgstr "Lungsur"
-#: ../../standalone/logdrake:1
+#: standalone/draksplash:87 standalone/draksplash:153
#, c-format
-msgid "Apache World Wide Web Server"
+msgid "Configure bootsplash picture"
msgstr ""
-#: ../../standalone/harddrake2:1
+#: standalone/draksplash:90
#, c-format
-msgid "stepping of the cpu (sub model (generation) number)"
+msgid ""
+"x coordinate of text box\n"
+"in number of characters"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/draksplash:91
#, c-format
-msgid "select path to restore (instead of /)"
+msgid ""
+"y coordinate of text box\n"
+"in number of characters"
msgstr ""
-#: ../../standalone/draksplash:1
+#: standalone/draksplash:92
#, c-format
-msgid "Configure bootsplash picture"
+msgid "text width"
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Georgia"
-msgstr "Georgia"
+#: standalone/draksplash:93
+#, c-format
+msgid "text box height"
+msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "China"
-msgstr "China"
+#: standalone/draksplash:94
+#, c-format
+msgid ""
+"the progress bar x coordinate\n"
+"of its upper left corner"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid " (Make sure that all your printers are connected and turned on).\n"
-msgstr "dan on"
+#: standalone/draksplash:95
+#, c-format
+msgid ""
+"the progress bar y coordinate\n"
+"of its upper left corner"
+msgstr ""
-#: ../../standalone/printerdrake:1
-#, fuzzy, c-format
-msgid "Reading data of installed printers..."
-msgstr "Membaca."
+#: standalone/draksplash:96
+#, c-format
+msgid "the width of the progress bar"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/draksplash:97
#, c-format
-msgid " Erase Now "
+msgid "the height of the progress bar"
msgstr ""
-#: ../../fsedit.pm:1
+#: standalone/draksplash:98
#, c-format
-msgid "server"
+msgid "the color of the progress bar"
msgstr ""
-#: ../../install_any.pm:1
-#, fuzzy, c-format
-msgid "Insert a FAT formatted floppy in drive %s"
-msgstr "dalam"
+#: standalone/draksplash:113
+#, c-format
+msgid "Preview"
+msgstr ""
-#: ../../standalone/harddrake2:1
+#: standalone/draksplash:115
#, fuzzy, c-format
-msgid "yes means the processor has an arithmetic coprocessor"
-msgstr "ya"
+msgid "Save theme"
+msgstr "Simpan"
-#: ../../harddrake/sound.pm:1 ../../standalone/drakconnect:1
+#: standalone/draksplash:116
#, c-format
-msgid "Please Wait... Applying the configuration"
+msgid "Choose color"
msgstr ""
-#. -PO: these messages will be displayed at boot time in the BIOS, use only ASCII (7bit)
-#. -PO: and keep them smaller than 79 chars long
-#: ../../bootloader.pm:1
+#: standalone/draksplash:119
#, fuzzy, c-format
-msgid "Welcome to GRUB the operating system chooser!"
-msgstr "Selamat Datang!"
+msgid "Display logo on Console"
+msgstr "Paparan on"
-#: ../../bootloader.pm:1
+#: standalone/draksplash:120
#, c-format
-msgid "Grub"
+msgid "Make kernel message quiet by default"
msgstr ""
-#: ../../harddrake/data.pm:1
-#, c-format
-msgid "SCSI controllers"
-msgstr ""
+#: standalone/draksplash:156 standalone/draksplash:320
+#: standalone/draksplash:448
+#, fuzzy, c-format
+msgid "Notice"
+msgstr "Notis"
-#: ../../printer/main.pm:1
+#: standalone/draksplash:156 standalone/draksplash:320
#, fuzzy, c-format
-msgid " on LPD server \"%s\", printer \"%s\""
-msgstr "on"
+msgid "This theme does not yet have a bootsplash in %s !"
+msgstr "dalam!"
-#: ../../standalone/drakedm:1
+#: standalone/draksplash:162
#, c-format
-msgid "Choosing a display manager"
+msgid "choose image"
msgstr ""
-#: ../../network/ethernet.pm:1 ../../network/network.pm:1
-#, fuzzy, c-format
-msgid "Zeroconf Host name"
-msgstr "Hos"
+#: standalone/draksplash:204
+#, c-format
+msgid "saving Bootsplash theme..."
+msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
-msgid "Custom setup/crontab entry:"
-msgstr "Tersendiri:"
+#: standalone/draksplash:428
+#, c-format
+msgid "ProgressBar color selection"
+msgstr ""
-#: ../../network/network.pm:1 ../../printer/printerdrake.pm:1
+#: standalone/draksplash:448
#, fuzzy, c-format
-msgid "IP address should be in format 1.2.3.4"
-msgstr "IP dalam"
+msgid "You must choose an image file first!"
+msgstr "fail!"
-#: ../../standalone/printerdrake:1
-#, fuzzy, c-format
-msgid "Configure CUPS printing system"
-msgstr "Ubah"
+#: standalone/draksplash:453
+#, c-format
+msgid "Generating preview ..."
+msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Ecuador"
-msgstr "Ecuador"
+#: standalone/draksplash:499
+#, c-format
+msgid "%s BootSplash (%s) preview"
+msgstr ""
-#: ../../standalone/drakautoinst:1
-#, fuzzy, c-format
-msgid "Add an item"
-msgstr "Tambah"
+#: standalone/drakvpn:71
+#, c-format
+msgid "DrakVPN"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:93
#, fuzzy, c-format
-msgid "The printers on this machine are available to other computers"
-msgstr "on"
+msgid "The VPN connection is enabled."
+msgstr "Internet dihidupkan."
-#: ../../lang.pm:1
+#: standalone/drakvpn:94
#, fuzzy, c-format
-msgid "China (Hong Kong)"
-msgstr "Hong Kong"
+msgid ""
+"The setup of a VPN connection has already been done.\n"
+"\n"
+"It's currently enabled.\n"
+"\n"
+"What would you like to do ?"
+msgstr "Internet siap dihidupkan?"
+
+#: standalone/drakvpn:103
+#, c-format
+msgid "Disabling VPN..."
+msgstr ""
-#: ../../standalone/drakautoinst:1
+#: standalone/drakvpn:112
#, fuzzy, c-format
-msgid "I can't find needed image file `%s'."
-msgstr "fail."
+msgid "The VPN connection is now disabled."
+msgstr "Internet dimatikan."
-#: ../../install_steps_interactive.pm:1
+#: standalone/drakvpn:119
#, fuzzy, c-format
-msgid "No sound card detected. Try \"harddrake\" after installation"
-msgstr "Tidak"
+msgid "VPN connection currently disabled"
+msgstr "Internet"
-#: ../../network/drakfirewall.pm:1
+#: standalone/drakvpn:120
#, fuzzy, c-format
msgid ""
-"Invalid port given: %s.\n"
-"The proper format is \"port/tcp\" or \"port/udp\", \n"
-"where port is between 1 and 65535."
-msgstr "dan."
+"The setup of a VPN connection has already been done.\n"
+"\n"
+"It's currently disabled.\n"
+"\n"
+"What would you like to do ?"
+msgstr "Internet siap dimatikan?"
-#: ../../any.pm:1
+#: standalone/drakvpn:133
#, c-format
-msgid "Shell"
-msgstr "Shell"
+msgid "Enabling VPN..."
+msgstr ""
-#: ../../lang.pm:1
+#: standalone/drakvpn:139
#, fuzzy, c-format
-msgid "Sao Tome and Principe"
-msgstr "Sao Tome and Principe"
+msgid "The VPN connection is now enabled."
+msgstr "Internet dihidupkan."
-#: ../../network/isdn.pm:1
+#: standalone/drakvpn:153 standalone/drakvpn:179
#, c-format
-msgid "PCI"
+msgid "Simple VPN setup."
msgstr ""
-#: ../../diskdrake/smbnfs_gtk.pm:1
+#: standalone/drakvpn:154
#, c-format
-msgid "Can't login using username %s (bad password?)"
+msgid ""
+"You are about to configure your computer to use a VPN connection.\n"
+"\n"
+"With this feature, computers on your local private network and computers\n"
+"on some other remote private networks, can share resources, through\n"
+"their respective firewalls, over the Internet, in a secure manner. \n"
+"\n"
+"The communication over the Internet is encrypted. The local and remote\n"
+"computers look as if they were on the same network.\n"
+"\n"
+"Make sure you have configured your Network/Internet access using\n"
+"drakconnect before going any further."
msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/drakvpn:180
#, c-format
-msgid "Azerbaidjani (latin)"
+msgid ""
+"VPN connection.\n"
+"\n"
+"This program is based on the following projects:\n"
+" - FreeSwan: \t\t\thttp://www.freeswan.org/\n"
+" - Super-FreeSwan: \t\thttp://www.freeswan.ca/\n"
+" - ipsec-tools: \t\t\thttp://ipsec-tools.sourceforge.net/\n"
+" - ipsec-howto: \t\thttp://www.ipsec-howto.org\n"
+" - the docs and man pages coming with the %s package\n"
+"\n"
+"Please read AT LEAST the ipsec-howto docs\n"
+"before going any further."
msgstr ""
-#: ../../standalone/drakbug:1
+#: standalone/drakvpn:192
#, fuzzy, c-format
-msgid "Package not installed"
-msgstr "Pakej"
-
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "American Samoa"
-msgstr "Samoa Amerika"
+msgid "Kernel module."
+msgstr "Buang"
-#: ../advertising/12-mdkexpert.pl:1
+#: standalone/drakvpn:193
#, c-format
-msgid "Become a MandrakeExpert"
+msgid ""
+"The kernel need to have ipsec support.\n"
+"\n"
+"You're running a %s kernel version.\n"
+"\n"
+"This kernel has '%s' support."
msgstr ""
-#: ../../standalone/drakconnect:1
+#: standalone/drakvpn:288
#, fuzzy, c-format
-msgid "Protocol"
-msgstr "Protokol"
+msgid "Security Policies"
+msgstr "Keselamatan:"
-#: ../../standalone/drakfont:1
+#: standalone/drakvpn:288
+#, c-format
+msgid "IKE daemon racoon"
+msgstr ""
+
+#: standalone/drakvpn:291 standalone/drakvpn:302
#, fuzzy, c-format
-msgid "Copy fonts on your system"
-msgstr "Salin on"
+msgid "Configuration file"
+msgstr "Konfigurasikan"
-#: ../../standalone/harddrake2:1
+#: standalone/drakvpn:292
#, c-format
-msgid "Harddrake help"
+msgid ""
+"Configuration step !\n"
+"\n"
+"You need to define the Security Policies and then to \n"
+"configure the automatic key exchange (IKE) daemon. \n"
+"The KAME IKE daemon we're using is called 'racoon'.\n"
+"\n"
+"What would you like to configure ?\n"
msgstr ""
-#: ../../standalone/harddrake2:1
+#: standalone/drakvpn:303
#, c-format
-msgid "Bogomips"
+msgid ""
+"Next, we will configure the %s file.\n"
+"\n"
+"\n"
+"Simply click on Next.\n"
msgstr ""
-#: ../../standalone/drakTermServ:1
-#, fuzzy, c-format
-msgid "Mandrake Terminal Server Configuration"
-msgstr "Pelayan"
+#: standalone/drakvpn:321 standalone/drakvpn:681
+#, c-format
+msgid "%s entries"
+msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
+#: standalone/drakvpn:322
+#, c-format
msgid ""
+"The %s file contents\n"
+"is divided into sections.\n"
"\n"
-" DrakBackup Report Details\n"
+"You can now :\n"
"\n"
+" - display, add, edit, or remove sections, then\n"
+" - commit the changes\n"
"\n"
+"What would you like to do ?\n"
msgstr ""
+
+#: standalone/drakvpn:329 standalone/drakvpn:690
+#, c-format
+msgid "Display"
+msgstr ""
+
+#: standalone/drakvpn:329 standalone/drakvpn:690
+#, c-format
+msgid "Commit"
+msgstr ""
+
+#: standalone/drakvpn:343 standalone/drakvpn:347 standalone/drakvpn:705
+#: standalone/drakvpn:709
+#, fuzzy, c-format
+msgid "Display configuration"
+msgstr "Tersendiri"
+
+#: standalone/drakvpn:348
+#, c-format
+msgid ""
+"The %s file does not exist.\n"
"\n"
-" Perincian"
+"This must be a new configuration.\n"
+"\n"
+"You'll have to go back and choose 'add'.\n"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakvpn:364
#, c-format
-msgid "Restore all backups"
+msgid "ipsec.conf entries"
msgstr ""
-#: ../../printer/main.pm:1 ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:365
+#, c-format
+msgid ""
+"The %s file contains different sections.\n"
+"\n"
+"Here is its skeleton :\t'config setup' \n"
+"\t\t\t\t\t'conn default' \n"
+"\t\t\t\t\t'normal1'\n"
+"\t\t\t\t\t'normal2' \n"
+"\n"
+"You can now add one of these sections.\n"
+"\n"
+"Choose the section you would like to add.\n"
+msgstr ""
+
+#: standalone/drakvpn:372
#, fuzzy, c-format
-msgid " on parallel port #%s"
-msgstr "on"
+msgid "config setup"
+msgstr "DHCP"
-#: ../../security/help.pm:1
+#: standalone/drakvpn:372
#, fuzzy, c-format
-msgid ""
-"Set the password minimum length and minimum number of digit and minimum "
-"number of capitalized letters."
-msgstr "dan dan."
+msgid "conn %default"
+msgstr "default"
-#: ../../security/help.pm:1
+#: standalone/drakvpn:372
#, fuzzy, c-format
-msgid "if set to yes, check open ports."
-msgstr "ya port."
+msgid "normal conn"
+msgstr "Maklumat"
-#: ../../standalone/drakbackup:1
+#: standalone/drakvpn:378 standalone/drakvpn:419 standalone/drakvpn:506
+#, fuzzy, c-format
+msgid "Exists !"
+msgstr "Keluar"
+
+#: standalone/drakvpn:379 standalone/drakvpn:420
#, c-format
-msgid "This may take a moment to erase the media."
+msgid ""
+"A section with this name already exists.\n"
+"The section names have to be unique.\n"
+"\n"
+"You'll have to go back and add another section\n"
+"or change its name.\n"
msgstr ""
-#: ../../install_steps_gtk.pm:1
+#: standalone/drakvpn:396
#, c-format
-msgid "You can't select/unselect this package"
+msgid ""
+"This section has to be on top of your\n"
+"%s file.\n"
+"\n"
+"Make sure all other sections follow this config\n"
+"setup section.\n"
+"\n"
+"Choose continue or previous when you are done.\n"
msgstr ""
-#: ../../keyboard.pm:1 ../../diskdrake/interactive.pm:1
-#: ../../harddrake/sound.pm:1 ../../network/modem.pm:1
-#: ../../standalone/drakfloppy:1
+#: standalone/drakvpn:401
#, fuzzy, c-format
-msgid "Warning"
-msgstr "Amaran"
+msgid "interfaces"
+msgstr "Antaramuka"
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
+#: standalone/drakvpn:402
+#, c-format
+msgid "klipsdebug"
+msgstr ""
+
+#: standalone/drakvpn:403
+#, c-format
+msgid "plutodebug"
+msgstr ""
+
+#: standalone/drakvpn:404
+#, c-format
+msgid "plutoload"
+msgstr ""
+
+#: standalone/drakvpn:405
+#, c-format
+msgid "plutostart"
+msgstr ""
+
+#: standalone/drakvpn:406
+#, c-format
+msgid "uniqueids"
+msgstr ""
+
+#: standalone/drakvpn:440
+#, c-format
msgid ""
+"This is the first section after the config\n"
+"setup one.\n"
"\n"
-"- Other Files:\n"
-msgstr "Lain-lain"
+"Here you define the default settings. \n"
+"All the other sections will follow this one.\n"
+"The left settings are optional. If don't define\n"
+"them here, globally, you can define them in each\n"
+"section.\n"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:447
#, c-format
-msgid "Remote host name"
+msgid "pfs"
msgstr ""
-#: ../../any.pm:1
+#: standalone/drakvpn:448
#, c-format
-msgid "access to X programs"
+msgid "keyingtries"
msgstr ""
-#: ../../install_interactive.pm:1
-#, fuzzy, c-format
-msgid "Computing the size of the Windows partition"
-msgstr "Tetingkap"
+#: standalone/drakvpn:449
+#, c-format
+msgid "compress"
+msgstr ""
-#: ../../standalone/printerdrake:1
+#: standalone/drakvpn:450
#, c-format
-msgid "/_Refresh"
+msgid "disablearrivalcheck"
msgstr ""
-#: ../../crypto.pm:1 ../../lang.pm:1 ../../network/tools.pm:1
-#: ../../standalone/drakxtv:1
+#: standalone/drakvpn:451 standalone/drakvpn:490
#, fuzzy, c-format
-msgid "Italy"
-msgstr "Itali"
+msgid "left"
+msgstr "Padam"
+
+#: standalone/drakvpn:452 standalone/drakvpn:491
+#, c-format
+msgid "leftcert"
+msgstr ""
+
+#: standalone/drakvpn:453 standalone/drakvpn:492
+#, c-format
+msgid "leftrsasigkey"
+msgstr ""
+
+#: standalone/drakvpn:454 standalone/drakvpn:493
+#, c-format
+msgid "leftsubnet"
+msgstr ""
+
+#: standalone/drakvpn:455 standalone/drakvpn:494
+#, c-format
+msgid "leftnexthop"
+msgstr ""
+
+#: standalone/drakvpn:484
+#, c-format
+msgid ""
+"Your %s file has several sections, or connections.\n"
+"\n"
+"You can now add a new section.\n"
+"Choose continue when you are done to write the data.\n"
+msgstr ""
-#: ../../lang.pm:1
+#: standalone/drakvpn:487
#, fuzzy, c-format
-msgid "Cayman Islands"
-msgstr "Kepulauan Cayman"
+msgid "section name"
+msgstr "Hos"
-#: ../../fs.pm:1 ../../partition_table.pm:1
+#: standalone/drakvpn:488
+#, c-format
+msgid "authby"
+msgstr ""
+
+#: standalone/drakvpn:489
#, fuzzy, c-format
-msgid "error unmounting %s: %s"
-msgstr "ralat"
+msgid "auto"
+msgstr "Perihal"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:495
#, fuzzy, c-format
-msgid "Name of printer"
-msgstr "Nama"
+msgid "right"
+msgstr "Tinggi"
-#: ../../standalone/drakgw:1
+#: standalone/drakvpn:496
#, c-format
-msgid "disable"
+msgid "rightcert"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:497
#, c-format
-msgid "Do it!"
+msgid "rightrsasigkey"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakvpn:498
#, c-format
-msgid "%s not responding"
+msgid "rightsubnet"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:499
#, c-format
-msgid "Select model manually"
+msgid "rightnexthop"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
-#, fuzzy, c-format
-msgid "Format"
-msgstr "Format"
-
-#: ../../network/adsl.pm:1
+#: standalone/drakvpn:507
#, c-format
msgid ""
-"The most common way to connect with adsl is pppoe.\n"
-"Some connections use pptp, a few use dhcp.\n"
-"If you don't know, choose 'use pppoe'"
+"A section with this name already exists.\n"
+"The section names have to be unique.\n"
+"\n"
+"You'll have to go back and add another section\n"
+"or change the name of the section.\n"
msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/drakvpn:539
#, c-format
-msgid "Various"
+msgid ""
+"Add a Security Policy.\n"
+"\n"
+"You can now add a Security Policy.\n"
+"\n"
+"Choose continue when you are done to write the data.\n"
msgstr ""
-#: ../../harddrake/data.pm:1
+#: standalone/drakvpn:572 standalone/drakvpn:822
+#, fuzzy, c-format
+msgid "Edit section"
+msgstr "Edit hos dipilih"
+
+#: standalone/drakvpn:573
#, c-format
-msgid "Zip"
+msgid ""
+"Your %s file has several sections or connections.\n"
+"\n"
+"You can choose here below the one you want to edit \n"
+"and then click on next.\n"
msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/drakvpn:576 standalone/drakvpn:656 standalone/drakvpn:827
+#: standalone/drakvpn:873
#, fuzzy, c-format
-msgid "Left Alt key"
-msgstr "Kiri Alt"
+msgid "Section names"
+msgstr "Kongsi"
-#: ../../standalone/logdrake:1
-#, fuzzy, c-format
-msgid "Load setting"
-msgstr "Tersendiri"
+#: standalone/drakvpn:586
+#, c-format
+msgid "Can't edit !"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:587
#, c-format
msgid ""
+"You cannot edit this section.\n"
"\n"
+"This section is mandatory for Freswan 2.X.\n"
+"One has to specify version 2.0 on the top\n"
+"of the %s file, and eventually, disable or\n"
+"enable the oportunistic encryption.\n"
+msgstr ""
+
+#: standalone/drakvpn:596
+#, c-format
+msgid ""
+"Your %s file has several sections.\n"
"\n"
-"Printerdrake could not determine which model your printer %s is. Please "
-"choose the correct model from the list."
+"You can now edit the config setup section entries.\n"
+"Choose continue when you are done to write the data.\n"
msgstr ""
-#: ../../standalone/printerdrake:1
-#, fuzzy, c-format
-msgid "Set selected printer as the default printer"
-msgstr "default?"
+#: standalone/drakvpn:607
+#, c-format
+msgid ""
+"Your %s file has several sections or connections.\n"
+"\n"
+"You can now edit the default section entries.\n"
+"Choose continue when you are done to write the data.\n"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
+#: standalone/drakvpn:620
+#, c-format
msgid ""
+"Your %s file has several sections or connections.\n"
"\n"
-"Mark the printers which you want to transfer and click \n"
-"\"Transfer\"."
-msgstr "dan."
+"You can now edit the normal section entries.\n"
+"\n"
+"Choose continue when you are done to write the data.\n"
+msgstr ""
-#: ../../printer/data.pm:1
+#: standalone/drakvpn:641
#, c-format
-msgid "PDQ"
+msgid ""
+"Edit a Security Policy.\n"
+"\n"
+"You can now add a Security Policy.\n"
+"\n"
+"Choose continue when you are done to write the data.\n"
msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/drakvpn:652 standalone/drakvpn:869
#, fuzzy, c-format
-msgid "Albanian"
-msgstr "Albania"
+msgid "Remove section"
+msgstr "Buang"
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Lithuania"
-msgstr "Lithuania"
+#: standalone/drakvpn:653 standalone/drakvpn:870
+#, c-format
+msgid ""
+"Your %s file has several sections or connections.\n"
+"\n"
+"You can choose here below the one you want to remove\n"
+"and then click on next.\n"
+msgstr ""
-#: ../../any.pm:1
+#: standalone/drakvpn:682
#, c-format
-msgid "Compact"
+msgid ""
+"The racoon.conf file configuration.\n"
+"\n"
+"The contents of this file is divided into sections.\n"
+"You can now :\n"
+" - display \t\t (display the file contents)\n"
+" - add\t\t\t (add one section)\n"
+" - edit \t\t\t (modify parameters of an existing section)\n"
+" - remove \t\t (remove an existing section)\n"
+" - commit \t\t (writes the changes to the real file)"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:710
#, c-format
-msgid "Detected model: %s %s"
+msgid ""
+"The %s file does not exist\n"
+"\n"
+"This must be a new configuration.\n"
+"\n"
+"You'll have to go back and choose configure.\n"
msgstr ""
-#: ../advertising/03-software.pl:1
+#: standalone/drakvpn:724
#, c-format
-msgid "MandrakeSoft has selected the best software for you"
+msgid "racoonf.conf entries"
msgstr ""
-#: ../../any.pm:1
-#, fuzzy, c-format
-msgid "Local files"
-msgstr "Setempat"
+#: standalone/drakvpn:725
+#, c-format
+msgid ""
+"The 'add' sections step.\n"
+"\n"
+"Here below is the racoon.conf file skeleton :\n"
+"\t'path'\n"
+"\t'remote'\n"
+"\t'sainfo' \n"
+"\n"
+"Choose the section you would like to add.\n"
+msgstr ""
-#: ../../pkgs.pm:1
+#: standalone/drakvpn:731
#, c-format
-msgid "maybe"
+msgid "path"
msgstr ""
-#: ../../lang.pm:1
+#: standalone/drakvpn:731
#, fuzzy, c-format
-msgid "Panama"
-msgstr "Panama"
+msgid "remote"
+msgstr "Buang"
+
+#: standalone/drakvpn:731
+#, fuzzy, c-format
+msgid "sainfo"
+msgstr "Maklumat"
-#: ../../standalone/drakTermServ:1
+#: standalone/drakvpn:739
#, c-format
-msgid "Can't open %s!"
+msgid ""
+"The 'add path' section step.\n"
+"\n"
+"The path sections have to be on top of your racoon.conf file.\n"
+"\n"
+"Put your mouse over the certificate entry to obtain online help."
msgstr ""
-#: ../../Xconfig/various.pm:1
+#: standalone/drakvpn:742
#, fuzzy, c-format
+msgid "path type"
+msgstr "Ubah"
+
+#: standalone/drakvpn:746
+#, c-format
msgid ""
-"Your graphic card seems to have a TV-OUT connector.\n"
-"It can be configured to work using frame-buffer.\n"
+"path include path : specifies a path to include\n"
+"a file. See File Inclusion.\n"
+"\tExample: path include '/etc/racoon'\n"
"\n"
-"For this you have to plug your graphic card to your TV before booting your "
-"computer.\n"
-"Then choose the \"TVout\" entry in the bootloader\n"
+"path pre_shared_key file : specifies a file containing\n"
+"pre-shared key(s) for various ID(s). See Pre-shared key File.\n"
+"\tExample: path pre_shared_key '/etc/racoon/psk.txt' ;\n"
"\n"
-"Do you have this feature?"
-msgstr "dalam?"
+"path certificate path : racoon(8) will search this directory\n"
+"if a certificate or certificate request is received.\n"
+"\tExample: path certificate '/etc/cert' ;\n"
+"\n"
+"File Inclusion : include file \n"
+"other configuration files can be included.\n"
+"\tExample: include \"remote.conf\" ;\n"
+"\n"
+"Pre-shared key File : Pre-shared key file defines a pair\n"
+"of the identifier and the shared secret key which are used at\n"
+"Pre-shared key authentication method in phase 1."
+msgstr ""
-#: ../../Xconfig/main.pm:1 ../../Xconfig/monitor.pm:1
+#: standalone/drakvpn:766
#, fuzzy, c-format
-msgid "Monitor"
-msgstr "Monitor"
+msgid "real file"
+msgstr "Setempat"
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
+#: standalone/drakvpn:789
+#, c-format
msgid ""
-"You are about to set up printing to a Windows account with password. Due to "
-"a fault in the architecture of the Samba client software the password is put "
-"in clear text into the command line of the Samba client used to transmit the "
-"print job to the Windows server. So it is possible for every user on this "
-"machine to display the password on the screen by issuing commands as \"ps "
-"auxwww\".\n"
+"Make sure you already have the path sections\n"
+"on the top of your racoon.conf file.\n"
"\n"
-"We recommend to make use of one of the following alternatives (in all cases "
-"you have to make sure that only machines from your local network have access "
-"to your Windows server, for example by means of a firewall):\n"
+"You can now choose the remote settings.\n"
+"Choose continue or previous when you are done.\n"
+msgstr ""
+
+#: standalone/drakvpn:806
+#, c-format
+msgid ""
+"Make sure you already have the path sections\n"
+"on the top of your %s file.\n"
"\n"
-"Use a password-less account on your Windows server, as the \"GUEST\" account "
-"or a special account dedicated for printing. Do not remove the password "
-"protection from a personal account or the administrator account.\n"
+"You can now choose the sainfo settings.\n"
+"Choose continue or previous when you are done.\n"
+msgstr ""
+
+#: standalone/drakvpn:823
+#, c-format
+msgid ""
+"Your %s file has several sections or connections.\n"
"\n"
-"Set up your Windows server to make the printer available under the LPD "
-"protocol. Then set up printing from this machine with the \"%s\" connection "
-"type in Printerdrake.\n"
+"You can choose here in the list below the one you want\n"
+"to edit and then click on next.\n"
+msgstr ""
+
+#: standalone/drakvpn:834
+#, c-format
+msgid ""
+"Your %s file has several sections.\n"
+"\n"
+"\n"
+"You can now edit the remote section entries.\n"
"\n"
+"Choose continue when you are done to write the data.\n"
msgstr ""
-"Tetingkap dalam dalam Tetingkap pengguna on on dalam lokal Tetingkap on "
-"Tetingkap Tetingkap dalam"
-#: ../../Xconfig/resolution_and_depth.pm:1
+#: standalone/drakvpn:843
#, c-format
-msgid "65 thousand colors (16 bits)"
+msgid ""
+"Your %s file has several sections.\n"
+"\n"
+"You can now edit the sainfo section entries.\n"
+"\n"
+"Choose continue when you are done to write the data."
msgstr ""
-#: ../../standalone/drakbackup:1
-#, fuzzy, c-format
+#: standalone/drakvpn:851
+#, c-format
msgid ""
+"This section has to be on top of your\n"
+"%s file.\n"
"\n"
-"- Save on Hard drive on path: %s\n"
-msgstr "Simpan on on"
+"Make sure all other sections follow these path\n"
+"sections.\n"
+"\n"
+"You can now edit the path entries.\n"
+"\n"
+"Choose continue or previous when you are done.\n"
+msgstr ""
-#: ../../standalone/drakfont:1
-#, fuzzy, c-format
-msgid "Remove fonts on your system"
-msgstr "Buang on"
+#: standalone/drakvpn:858
+#, c-format
+msgid "path_type"
+msgstr ""
-#: ../../standalone/drakgw:1
+#: standalone/drakvpn:859
#, fuzzy, c-format
+msgid "real_file"
+msgstr "Setempat"
+
+#: standalone/drakvpn:899
+#, c-format
msgid ""
-"Warning, the network adapter (%s) is already configured.\n"
+"Everything has been configured.\n"
"\n"
-"Do you want an automatic re-configuration?\n"
+"You may now share resources through the Internet,\n"
+"in a secure way, using a VPN connection.\n"
"\n"
-"You can do it manually but you need to know what you're doing."
-msgstr "Amaran secara manual."
+"You should make sure that that the tunnels shorewall\n"
+"section is configured."
+msgstr ""
-#: ../../Xconfig/various.pm:1
-#, fuzzy, c-format
-msgid "Graphical interface at startup"
-msgstr "Grafikal"
+#: standalone/drakvpn:919
+#, c-format
+msgid "Sainfo source address"
+msgstr ""
-#: ../../network/netconnect.pm:1
+#: standalone/drakvpn:920
#, c-format
-msgid " adsl"
+msgid ""
+"sainfo (source_id destination_id | anonymous) { statements }\n"
+"defines the parameters of the IKE phase 2\n"
+"(IPsec-SA establishment).\n"
+"\n"
+"source_id and destination_id are constructed like:\n"
+"\n"
+"\taddress address [/ prefix] [[port]] ul_proto\n"
+"\n"
+"Examples : \n"
+"\n"
+"sainfo anonymous (accepts connections from anywhere)\n"
+"\tleave blank this entry if you want anonymous\n"
+"\n"
+"sainfo address 203.178.141.209 any address 203.178.141.218 any\n"
+"\t203.178.141.209 is the source address\n"
+"\n"
+"sainfo address 172.16.1.0/24 any address 172.16.2.0/24 any\n"
+"\t172.16.1.0/24 is the source address"
msgstr ""
-#: ../../raid.pm:1
-#, fuzzy, c-format
-msgid "Not enough partitions for RAID level %d\n"
-msgstr "RAD"
+#: standalone/drakvpn:937
+#, c-format
+msgid "Sainfo source protocol"
+msgstr ""
-#: ../../standalone/harddrake2:1
+#: standalone/drakvpn:938
#, c-format
-msgid "format of floppies supported by the drive"
+msgid ""
+"sainfo (source_id destination_id | anonymous) { statements }\n"
+"defines the parameters of the IKE phase 2\n"
+"(IPsec-SA establishment).\n"
+"\n"
+"source_id and destination_id are constructed like:\n"
+"\n"
+"\taddress address [/ prefix] [[port]] ul_proto\n"
+"\n"
+"Examples : \n"
+"\n"
+"sainfo anonymous (accepts connections from anywhere)\n"
+"\tleave blank this entry if you want anonymous\n"
+"\n"
+"sainfo address 203.178.141.209 any address 203.178.141.218 any\n"
+"\tthe first 'any' allows any protocol for the source"
msgstr ""
-#: ../../network/tools.pm:1
+#: standalone/drakvpn:952
#, c-format
-msgid "Firmware copy failed, file %s not found"
+msgid "Sainfo destination address"
msgstr ""
-#: ../../standalone/drakTermServ:1
-#, fuzzy, c-format
-msgid "local config: true"
-msgstr "lokal"
+#: standalone/drakvpn:953
+#, c-format
+msgid ""
+"sainfo (source_id destination_id | anonymous) { statements }\n"
+"defines the parameters of the IKE phase 2\n"
+"(IPsec-SA establishment).\n"
+"\n"
+"source_id and destination_id are constructed like:\n"
+"\n"
+"\taddress address [/ prefix] [[port]] ul_proto\n"
+"\n"
+"Examples : \n"
+"\n"
+"sainfo anonymous (accepts connections from anywhere)\n"
+"\tleave blank this entry if you want anonymous\n"
+"\n"
+"sainfo address 203.178.141.209 any address 203.178.141.218 any\n"
+"\t203.178.141.218 is the destination address\n"
+"\n"
+"sainfo address 172.16.1.0/24 any address 172.16.2.0/24 any\n"
+"\t172.16.2.0/24 is the destination address"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:970
#, fuzzy, c-format
+msgid "Sainfo destination protocol"
+msgstr "Tetingkap"
+
+#: standalone/drakvpn:971
+#, c-format
msgid ""
-"The following printers are configured. Double-click on a printer to change "
-"its settings; to make it the default printer; or to view information about "
-"it."
-msgstr "on default."
+"sainfo (source_id destination_id | anonymous) { statements }\n"
+"defines the parameters of the IKE phase 2\n"
+"(IPsec-SA establishment).\n"
+"\n"
+"source_id and destination_id are constructed like:\n"
+"\n"
+"\taddress address [/ prefix] [[port]] ul_proto\n"
+"\n"
+"Examples : \n"
+"\n"
+"sainfo anonymous (accepts connections from anywhere)\n"
+"\tleave blank this entry if you want anonymous\n"
+"\n"
+"sainfo address 203.178.141.209 any address 203.178.141.218 any\n"
+"\tthe last 'any' allows any protocol for the destination"
+msgstr ""
-#: ../../standalone/drakconnect:1 ../../standalone/net_monitor:1
+#: standalone/drakvpn:985
#, c-format
-msgid "Connected"
+msgid "PFS group"
msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/drakvpn:987
#, c-format
-msgid "Macedonian"
+msgid ""
+"define the group of Diffie-Hellman exponentiations.\n"
+"If you do not require PFS then you can omit this directive.\n"
+"Any proposal will be accepted if you do not specify one.\n"
+"group is one of following: modp768, modp1024, modp1536.\n"
+"Or you can define 1, 2, or 5 as the DH group number."
msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Mali"
-msgstr "Mali"
+#: standalone/drakvpn:992
+#, c-format
+msgid "Lifetime number"
+msgstr ""
+
+#: standalone/drakvpn:993
+#, c-format
+msgid ""
+"define a lifetime of a certain time which will be pro-\n"
+"posed in the phase 1 negotiations. Any proposal will be\n"
+"accepted, and the attribute(s) will be not proposed to\n"
+"the peer if you do not specify it(them). They can be\n"
+"individually specified in each proposal.\n"
+"\n"
+"Examples : \n"
+"\n"
+" lifetime time 1 min; # sec,min,hour\n"
+" lifetime time 1 min; # sec,min,hour\n"
+" lifetime time 30 sec;\n"
+" lifetime time 30 sec;\n"
+" lifetime time 60 sec;\n"
+"\tlifetime time 12 hour;\n"
+"\n"
+"So, here, the lifetime numbers are 1, 1, 30, 30, 60 and 12.\n"
+msgstr ""
+
+#: standalone/drakvpn:1009
+#, c-format
+msgid "Lifetime unit"
+msgstr ""
-#: ../../harddrake/data.pm:1
+#: standalone/drakvpn:1011
+#, c-format
+msgid ""
+"define a lifetime of a certain time which will be pro-\n"
+"posed in the phase 1 negotiations. Any proposal will be\n"
+"accepted, and the attribute(s) will be not proposed to\n"
+"the peer if you do not specify it(them). They can be\n"
+"individually specified in each proposal.\n"
+"\n"
+"Examples : \n"
+"\n"
+" lifetime time 1 min; # sec,min,hour\n"
+" lifetime time 1 min; # sec,min,hour\n"
+" lifetime time 30 sec;\n"
+" lifetime time 30 sec;\n"
+" lifetime time 60 sec;\n"
+"\tlifetime time 12 hour ;\n"
+"\n"
+"So, here, the lifetime units are 'min', 'min', 'sec', 'sec', 'sec' and "
+"'hour'.\n"
+msgstr ""
+
+#: standalone/drakvpn:1027 standalone/drakvpn:1112
#, fuzzy, c-format
-msgid "Bridges and system controllers"
-msgstr "dan"
+msgid "Encryption algorithm"
+msgstr "Pengesahan"
-#: ../../standalone/logdrake:1
+#: standalone/drakvpn:1029
#, fuzzy, c-format
-msgid "/File/_Save"
-msgstr "Fail"
+msgid "Authentication algorithm"
+msgstr "Pengesahan"
-#: ../../install_steps_gtk.pm:1
+#: standalone/drakvpn:1031
+#, c-format
+msgid "Compression algorithm"
+msgstr ""
+
+#: standalone/drakvpn:1039
#, fuzzy, c-format
-msgid "No details"
-msgstr "Tidak"
+msgid "Remote"
+msgstr "Buang"
-#: ../../pkgs.pm:1
+#: standalone/drakvpn:1040
#, c-format
-msgid "very nice"
+msgid ""
+"remote (address | anonymous) [[port]] { statements }\n"
+"specifies the parameters for IKE phase 1 for each remote node.\n"
+"The default port is 500. If anonymous is specified, the state-\n"
+"ments apply to all peers which do not match any other remote\n"
+"directive.\n"
+"\n"
+"Examples : \n"
+"\n"
+"remote anonymous\n"
+"remote ::1 [8000]"
msgstr ""
-#: ../../standalone/draksplash:1
+#: standalone/drakvpn:1048
+#, fuzzy, c-format
+msgid "Exchange mode"
+msgstr "Tema"
+
+#: standalone/drakvpn:1050
#, c-format
-msgid "Preview"
+msgid ""
+"defines the exchange mode for phase 1 when racoon is the\n"
+"initiator. Also it means the acceptable exchange mode\n"
+"when racoon is responder. More than one mode can be\n"
+"specified by separating them with a comma. All of the\n"
+"modes are acceptable. The first exchange mode is what\n"
+"racoon uses when it is the initiator.\n"
msgstr ""
-#: ../../standalone/drakbug:1
+#: standalone/drakvpn:1056
+#, fuzzy, c-format
+msgid "Generate policy"
+msgstr "Keselamatan"
+
+#: standalone/drakvpn:1058
#, c-format
-msgid "Remote Control"
+msgid ""
+"This directive is for the responder. Therefore you\n"
+"should set passive on in order that racoon(8) only\n"
+"becomes a responder. If the responder does not have any\n"
+"policy in SPD during phase 2 negotiation, and the direc-\n"
+"tive is set on, then racoon(8) will choice the first pro-\n"
+"posal in the SA payload from the initiator, and generate\n"
+"policy entries from the proposal. It is useful to nego-\n"
+"tiate with the client which is allocated IP address\n"
+"dynamically. Note that inappropriate policy might be\n"
+"installed into the responder's SPD by the initiator. So\n"
+"that other communication might fail if such policies\n"
+"installed due to some policy mismatches between the ini-\n"
+"tiator and the responder. This directive is ignored in\n"
+"the initiator case. The default value is off."
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakvpn:1072
#, c-format
-msgid "Please select media for backup..."
+msgid "Passive"
msgstr ""
-#: ../../standalone/logdrake:1
+#: standalone/drakvpn:1074
#, c-format
-msgid "Wrong email"
+msgid ""
+"If you do not want to initiate the negotiation, set this\n"
+"to on. The default value is off. It is useful for a\n"
+"server."
msgstr ""
-#: ../../Xconfig/various.pm:1
+#: standalone/drakvpn:1077
#, c-format
-msgid "XFree86 server: %s\n"
+msgid "Certificate type"
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: standalone/drakvpn:1079
#, c-format
-msgid "Allow Thin Clients"
+msgid "My certfile"
msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/drakvpn:1080
#, fuzzy, c-format
-msgid "Georgian (\"Russian\" layout)"
-msgstr "Russia"
+msgid "Name of the certificate"
+msgstr "Nama"
+
+#: standalone/drakvpn:1081
+#, c-format
+msgid "My private key"
+msgstr ""
-#: ../../standalone/harddrake2:1 ../../standalone/logdrake:1
-#: ../../standalone/printerdrake:1
+#: standalone/drakvpn:1082
#, fuzzy, c-format
-msgid "/_Options"
-msgstr "Aksi"
+msgid "Name of the private key"
+msgstr "Nama"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:1083
#, c-format
-msgid "Your printer model"
+msgid "Peers certfile"
msgstr ""
-#: ../../any.pm:1
-#, fuzzy, c-format
+#: standalone/drakvpn:1084
+#, c-format
+msgid "Name of the peers certificate"
+msgstr ""
+
+#: standalone/drakvpn:1085
+#, c-format
+msgid "Verify cert"
+msgstr ""
+
+#: standalone/drakvpn:1087
+#, c-format
msgid ""
+"If you do not want to verify the peer's certificate for\n"
+"some reason, set this to off. The default is on."
+msgstr ""
+
+#: standalone/drakvpn:1089
+#, c-format
+msgid "My identifier"
+msgstr ""
+
+#: standalone/drakvpn:1090
+#, c-format
+msgid ""
+"specifies the identifier sent to the remote host and the\n"
+"type to use in the phase 1 negotiation. address, fqdn,\n"
+"user_fqdn, keyid and asn1dn can be used as an idtype.\n"
+"they are used like:\n"
+"\tmy_identifier address [address];\n"
+"\t\tthe type is the IP address. This is the default\n"
+"\t\ttype if you do not specify an identifier to use.\n"
+"\tmy_identifier user_fqdn string;\n"
+"\t\tthe type is a USER_FQDN (user fully-qualified\n"
+"\t\tdomain name).\n"
+"\tmy_identifier fqdn string;\n"
+"\t\tthe type is a FQDN (fully-qualified domain name).\n"
+"\tmy_identifier keyid file;\n"
+"\t\tthe type is a KEY_ID.\n"
+"\tmy_identifier asn1dn [string];\n"
+"\t\tthe type is an ASN.1 distinguished name. If\n"
+"\t\tstring is omitted, racoon(8) will get DN from\n"
+"\t\tSubject field in the certificate.\n"
"\n"
+"Examples : \n"
"\n"
-"(WARNING! You're using XFS for your root partition,\n"
-"creating a bootdisk on a 1.44 Mb floppy will probably fail,\n"
-"because XFS needs a very large driver)."
-msgstr "AMARAN on."
+"my_identifier user_fqdn \"myemail@mydomain.com\""
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/drakvpn:1110
+#, c-format
+msgid "Peers identifier"
+msgstr ""
+
+#: standalone/drakvpn:1111
#, fuzzy, c-format
+msgid "Proposal"
+msgstr "Protokol"
+
+#: standalone/drakvpn:1113
+#, c-format
msgid ""
+"specify the encryption algorithm used for the\n"
+"phase 1 negotiation. This directive must be defined. \n"
+"algorithm is one of following: \n"
"\n"
-"- Delete hard drive tar files after backup.\n"
-msgstr "Padam fail"
+"des, 3des, blowfish, cast128 for oakley.\n"
+"\n"
+"For other transforms, this statement should not be used."
+msgstr ""
+
+#: standalone/drakvpn:1120
+#, c-format
+msgid "Hash algorithm"
+msgstr ""
-#: ../../standalone/drakpxe:1
+#: standalone/drakvpn:1121
#, fuzzy, c-format
-msgid ""
-"No CD or DVD image found, please copy the installation program and rpm files."
-msgstr "Tidak dan fail."
+msgid "Authentication method"
+msgstr "Pengesahan"
-#: ../advertising/04-configuration.pl:1
+#: standalone/drakvpn:1122
#, c-format
-msgid "Mandrake's multipurpose configuration tool"
+msgid "DH group"
msgstr ""
-#: ../../standalone/drakbackup:1 ../../standalone/logdrake:1
+#: standalone/drakvpn:1129
#, fuzzy, c-format
-msgid "Save"
-msgstr "Simpan"
+msgid "Command"
+msgstr "Arahan"
-#: ../../standalone/scannerdrake:1
+#: standalone/drakvpn:1130
#, c-format
-msgid "The %s is unsupported"
+msgid "Source IP range"
msgstr ""
-#: ../../services.pm:1
+#: standalone/drakvpn:1131
#, c-format
-msgid "Load the drivers for your usb devices."
+msgid "Destination IP range"
msgstr ""
-#: ../../harddrake/data.pm:1
+#: standalone/drakvpn:1132
#, c-format
-msgid "Disk"
+msgid "Upper-layer protocol"
+msgstr ""
+
+#: standalone/drakvpn:1133
+#, c-format
+msgid "Flag"
msgstr ""
-#: ../../printer/main.pm:1 ../../printer/printerdrake.pm:1
+#: standalone/drakvpn:1134
#, fuzzy, c-format
-msgid "Enter a printer device URI"
-msgstr "Enter"
+msgid "Direction"
+msgstr "Huraian"
+
+#: standalone/drakvpn:1135
+#, c-format
+msgid "IPsec policy"
+msgstr ""
-#: ../advertising/01-thanks.pl:1
+#: standalone/drakvpn:1137
#, fuzzy, c-format
-msgid ""
-"The success of MandrakeSoft is based upon the principle of Free Software. "
-"Your new operating system is the result of collaborative work of the "
-"worldwide Linux Community."
-msgstr "Bebas."
+msgid "Mode"
+msgstr "Model"
+
+#: standalone/drakvpn:1138
+#, c-format
+msgid "Source/destination"
+msgstr ""
+
+#: standalone/drakvpn:1139 standalone/harddrake2:57
+#, c-format
+msgid "Level"
+msgstr ""
+
+#: standalone/drakxtv:46
+#, c-format
+msgid "USA (broadcast)"
+msgstr ""
+
+#: standalone/drakxtv:46
+#, c-format
+msgid "USA (cable)"
+msgstr ""
+
+#: standalone/drakxtv:46
+#, c-format
+msgid "USA (cable-hrc)"
+msgstr ""
-#: ../../lang.pm:1
+#: standalone/drakxtv:46
#, fuzzy, c-format
-msgid "Israel"
-msgstr "Israel"
+msgid "Canada (cable)"
+msgstr "Kanada"
-#: ../../lang.pm:1
+#: standalone/drakxtv:47
#, fuzzy, c-format
-msgid "French Guiana"
-msgstr "French Guiana"
+msgid "Japan (broadcast)"
+msgstr "Jepun"
-#: ../../lang.pm:1
+#: standalone/drakxtv:47
#, fuzzy, c-format
-msgid "default:LTR"
-msgstr "default"
+msgid "Japan (cable)"
+msgstr "Jepun"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakxtv:47
#, fuzzy, c-format
-msgid "A command line must be entered!"
-msgstr "A!"
+msgid "China (broadcast)"
+msgstr "China"
-#: ../../standalone/drakbackup:1
+#: standalone/drakxtv:48
#, fuzzy, c-format
-msgid "Select user manually"
-msgstr "pengguna"
+msgid "West Europe"
+msgstr "Barat"
+
+#: standalone/drakxtv:48
+#, fuzzy, c-format
+msgid "East Europe"
+msgstr "Timur"
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakxtv:48
+#, fuzzy, c-format
+msgid "France [SECAM]"
+msgstr "Perancis"
+
+#: standalone/drakxtv:49
#, c-format
-msgid "Transfer printer configuration"
+msgid "Newzealand"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/drakxtv:52
+#, c-format
+msgid "Australian Optus cable TV"
+msgstr ""
+
+#: standalone/drakxtv:84
#, fuzzy, c-format
-msgid "Do you want to enable printing on the printers mentioned above?\n"
-msgstr "on"
+msgid ""
+"Please,\n"
+"type in your tv norm and country"
+msgstr "dalam dan"
-#: ../../security/l10n.pm:1
+#: standalone/drakxtv:86
#, c-format
-msgid "Check additions/removals of suid root files"
+msgid "TV norm:"
+msgstr ""
+
+#: standalone/drakxtv:87
+#, c-format
+msgid "Area:"
msgstr ""
-#: ../../any.pm:1
+#: standalone/drakxtv:91
#, fuzzy, c-format
-msgid ""
-"For this to work for a W2K PDC, you will probably need to have the admin "
-"run: C:\\>net localgroup \"Pre-Windows 2000 Compatible Access\" everyone /"
-"add and reboot the server.\n"
-"You will also need the username/password of a Domain Admin to join the "
-"machine to the Windows(TM) domain.\n"
-"If networking is not yet enabled, Drakx will attempt to join the domain "
-"after the network setup step.\n"
-"Should this setup fail for some reason and domain authentication is not "
-"working, run 'smbpasswd -j DOMAIN -U USER%%PASSWORD' using your Windows(tm) "
-"Domain, and Admin Username/Password, after system boot.\n"
-"The command 'wbinfo -t' will test whether your authentication secrets are "
-"good."
+msgid "Scanning for TV channels in progress ..."
+msgstr "dalam."
+
+#: standalone/drakxtv:101
+#, c-format
+msgid "Scanning for TV channels"
msgstr ""
-"C Tetingkap dan Domain Tetingkap dihidupkan dan Tetingkap Domain dan "
-"Namapengguna Katalaluan."
-#: ../../printer/main.pm:1
+#: standalone/drakxtv:105
#, fuzzy, c-format
-msgid "%s (Port %s)"
-msgstr "Liang"
+msgid "There was an error while scanning for TV channels"
+msgstr "ralat"
-#: ../../standalone/drakbackup:1
+#: standalone/drakxtv:106
#, c-format
-msgid "Use network connection to backup"
+msgid "XawTV isn't installed!"
msgstr ""
-#: ../../standalone/drakfloppy:1
+#: standalone/drakxtv:109
#, c-format
-msgid "Kernel version"
+msgid "Have a nice day!"
msgstr ""
-#: ../../help.pm:1
+#: standalone/drakxtv:110
+#, c-format
+msgid "Now, you can run xawtv (under X Window!) !\n"
+msgstr ""
+
+#: standalone/drakxtv:131
+#, fuzzy, c-format
+msgid "No TV Card detected!"
+msgstr "Tidak!"
+
+#: standalone/drakxtv:132
#, fuzzy, c-format
msgid ""
-"It is now time to specify which programs you wish to install on your\n"
-"system. There are thousands of packages available for Mandrake Linux, and\n"
-"to make it simpler to manage the packages have been placed into groups of\n"
-"similar applications.\n"
-"\n"
-"Packages are sorted into groups corresponding to a particular use of your\n"
-"machine. Mandrake Linux has four predefined installations available. You\n"
-"can think of these installation classes as containers for various packages.\n"
-"You can mix and match applications from the various groups, so a\n"
-"``Workstation'' installation can still have applications from the\n"
-"``Development'' group installed.\n"
-"\n"
-" * \"%s\": if you plan to use your machine as a workstation, select one or\n"
-"more of the applications that are in the workstation group.\n"
-"\n"
-" * \"%s\": if plan on using your machine for programming, choose the\n"
-"appropriate packages from that group.\n"
-"\n"
-" * \"%s\": if your machine is intended to be a server, select which of the\n"
-"more common services you wish to install on your machine.\n"
-"\n"
-" * \"%s\": this is where you will choose your preferred graphical\n"
-"environment. At least one must be selected if you want to have a graphical\n"
-"interface available.\n"
-"\n"
-"Moving the mouse cursor over a group name will display a short explanatory\n"
-"text about that group. If you unselect all groups when performing a regular\n"
-"installation (as opposed to an upgrade), a dialog will pop up proposing\n"
-"different options for a minimal installation:\n"
+"No TV Card has been detected on your machine. Please verify that a Linux-"
+"supported Video/TV Card is correctly plugged in.\n"
"\n"
-" * \"%s\": install the minimum number of packages possible to have a\n"
-"working graphical desktop.\n"
"\n"
-" * \"%s\": installs the base system plus basic utilities and their\n"
-"documentation. This installation is suitable for setting up a server.\n"
-"\n"
-" * \"%s\": will install the absolute minimum number of packages necessary\n"
-"to get a working Linux system. With this installation you will only have a\n"
-"command line interface. The total size of this installation is about 65\n"
-"megabytes.\n"
+"You can visit our hardware database at:\n"
"\n"
-"You can check the \"%s\" box, which is useful if you are familiar with the\n"
-"packages being offered or if you want to have total control over what will\n"
-"be installed.\n"
"\n"
-"If you started the installation in \"%s\" mode, you can unselect all groups\n"
-"to avoid installing any new package. This is useful for repairing or\n"
-"updating an existing system."
+"http://www.linux-mandrake.com/en/hardware.php3"
+msgstr ""
+"Tidak on Video dalam\n"
+"http://www.linux-mandrake.com/en/hardware.php3"
+
+#: standalone/harddrake2:18
+#, c-format
+msgid "Alternative drivers"
msgstr ""
-"on dan dan Pembangunan\n"
-" dalam\n"
-" on\n"
-" on\n"
-"\n"
-"\n"
-" asas dan\n"
-" jumlah jumlah dalam."
-#: ../../any.pm:1 ../../help.pm:1
+#: standalone/harddrake2:19
+#, c-format
+msgid "the list of alternative drivers for this sound card"
+msgstr ""
+
+#: standalone/harddrake2:22
#, fuzzy, c-format
-msgid "Accept user"
-msgstr "Terima"
+msgid ""
+"this is the physical bus on which the device is plugged (eg: PCI, USB, ...)"
+msgstr "on USB"
-#: ../../help.pm:1 ../../diskdrake/dav.pm:1
+#: standalone/harddrake2:23
#, fuzzy, c-format
-msgid "Server"
-msgstr "Pelayan"
+msgid "Channel"
+msgstr "Saluran"
+
+#: standalone/harddrake2:23
+#, c-format
+msgid "EIDE/SCSI channel"
+msgstr ""
+
+#: standalone/harddrake2:24
+#, c-format
+msgid "Bogomips"
+msgstr ""
+
+#: standalone/harddrake2:24
+#, c-format
+msgid ""
+"the GNU/Linux kernel needs to run a calculation loop at boot time to "
+"initialize a timer counter. Its result is stored as bogomips as a way to "
+"\"benchmark\" the cpu."
+msgstr ""
+
+#: standalone/harddrake2:26
+#, c-format
+msgid "Bus identification"
+msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/harddrake2:27
#, fuzzy, c-format
-msgid "Left Shift key"
-msgstr "Kiri Shif"
+msgid ""
+"- PCI and USB devices: this lists the vendor, device, subvendor and "
+"subdevice PCI/USB ids"
+msgstr "dan USB dan USB"
-#: ../../network/netconnect.pm:1
+#: standalone/harddrake2:30
#, fuzzy, c-format
-msgid " local network"
-msgstr "lokal"
+msgid ""
+"- pci devices: this gives the PCI slot, device and function of this card\n"
+"- eide devices: the device is either a slave or a master device\n"
+"- scsi devices: the scsi bus and the scsi device ids"
+msgstr "dan dan"
-#: ../../interactive/stdio.pm:1
+#: standalone/harddrake2:33
#, c-format
-msgid "Bad choice, try again\n"
+msgid "Cache size"
msgstr ""
-#: ../../security/l10n.pm:1
+#: standalone/harddrake2:33
#, c-format
-msgid "Syslog reports to console 12"
+msgid "size of the (second level) cpu cache"
msgstr ""
-#: ../../diskdrake/smbnfs_gtk.pm:1
+#: standalone/harddrake2:34
#, fuzzy, c-format
-msgid "Search new servers"
-msgstr "Cari"
+msgid "Drive capacity"
+msgstr "Pemacu"
-#: ../../lang.pm:1
+#: standalone/harddrake2:34
#, fuzzy, c-format
-msgid "Heard and McDonald Islands"
+msgid "special capacities of the driver (burning ability and or DVD support)"
msgstr "dan"
-#: ../../harddrake/sound.pm:1
-#, fuzzy, c-format
-msgid "No alternative driver"
-msgstr "Tidak"
+#: standalone/harddrake2:36
+#, c-format
+msgid "Coma bug"
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/harddrake2:36
#, c-format
-msgid "Toggle to expert mode"
+msgid "whether this cpu has the Cyrix 6x86 Coma bug"
msgstr ""
-#: ../../printer/cups.pm:1
-#, fuzzy, c-format
-msgid "(on this machine)"
-msgstr "on"
+#: standalone/harddrake2:37
+#, c-format
+msgid "Cpuid family"
+msgstr ""
-#: ../../network/network.pm:1
-#, fuzzy, c-format
-msgid "Gateway address should be in format 1.2.3.4"
-msgstr "Gateway dalam"
+#: standalone/harddrake2:37
+#, c-format
+msgid "family of the cpu (eg: 6 for i686 class)"
+msgstr ""
-#: ../../network/modem.pm:1
+#: standalone/harddrake2:38
#, c-format
-msgid ""
-"\"%s\" based winmodem detected, do you want to install needed software ?"
+msgid "Cpuid level"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: standalone/harddrake2:38
#, c-format
-msgid "Looking at packages already installed..."
+msgid "information level that can be obtained through the cpuid instruction"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/harddrake2:39
#, c-format
-msgid "Use Differential Backups"
+msgid "Frequency (MHz)"
msgstr ""
-#: ../../standalone/drakconnect:1
+#: standalone/harddrake2:39
#, fuzzy, c-format
-msgid "Driver"
-msgstr "Jurupacu"
+msgid ""
+"the CPU frequency in MHz (Megahertz which in first approximation may be "
+"coarsely assimilated to number of instructions the cpu is able to execute "
+"per second)"
+msgstr "dalam dalam"
-#: ../../services.pm:1
+#: standalone/harddrake2:40
#, c-format
-msgid ""
-"Linuxconf will sometimes arrange to perform various tasks\n"
-"at boot-time to maintain the system configuration."
+msgid "this field describes the device"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/harddrake2:41
#, c-format
-msgid "DVD-R device"
+msgid "Old device file"
msgstr ""
-#: ../../printer/main.pm:1 ../../printer/printerdrake.pm:1
+#: standalone/harddrake2:42
#, fuzzy, c-format
-msgid "Printer on remote lpd server"
-msgstr "on lpd"
+msgid "old static device name used in dev package"
+msgstr "dalam"
-#: ../../standalone/drakfont:1
+#: standalone/harddrake2:43
#, fuzzy, c-format
-msgid ""
-"Before installing any fonts, be sure that you have the right to use and "
-"install them on your system.\n"
-"\n"
-"-You can install the fonts the normal way. In rare cases, bogus fonts may "
-"hang up your X Server."
-msgstr "dan on normal Masuk Pelayan."
+msgid "New devfs device"
+msgstr "Baru"
-#: ../../help.pm:1
+#: standalone/harddrake2:44
+#, c-format
+msgid "new dynamic device name generated by core kernel devfs"
+msgstr ""
+
+#: standalone/harddrake2:46
#, fuzzy, c-format
-msgid ""
-"Yaboot is a bootloader for NewWorld Macintosh hardware and can be used to\n"
-"boot GNU/Linux, MacOS or MacOSX. Normally, MacOS and MacOSX are correctly\n"
-"detected and installed in the bootloader menu. If this is not the case, you\n"
-"can add an entry by hand in this screen. Be careful to choose the correct\n"
-"parameters.\n"
-"\n"
-"Yaboot's main options are:\n"
-"\n"
-" * Init Message: a simple text message displayed before the boot prompt.\n"
-"\n"
-" * Boot Device: indicates where you want to place the information required\n"
-"to boot to GNU/Linux. Generally, you set up a bootstrap partition earlier\n"
-"to hold this information.\n"
-"\n"
-" * Open Firmware Delay: unlike LILO, there are two delays available with\n"
-"yaboot. The first delay is measured in seconds and at this point, you can\n"
-"choose between CD, OF boot, MacOS or Linux;\n"
-"\n"
-" * Kernel Boot Timeout: this timeout is similar to the LILO boot delay.\n"
-"After selecting Linux, you will have this delay in 0.1 second increments\n"
-"before your default kernel description is selected;\n"
-"\n"
-" * Enable CD Boot?: checking this option allows you to choose ``C'' for CD\n"
-"at the first boot prompt.\n"
-"\n"
-" * Enable OF Boot?: checking this option allows you to choose ``N'' for\n"
-"Open Firmware at the first boot prompt.\n"
-"\n"
-" * Default OS: you can select which OS will boot by default when the Open\n"
-"Firmware Delay expires."
+msgid "Module"
+msgstr "Modul"
+
+#: standalone/harddrake2:46
+#, c-format
+msgid "the module of the GNU/Linux kernel that handles the device"
msgstr ""
-"dan dan dan dalam dalam utama\n"
-" Mesej\n"
-" Peranti RAID\n"
-" Buka dalam saat dan\n"
-" dalam default\n"
-" C\n"
-"\n"
-" Default default Buka."
-#: ../../standalone/drakbackup:1
+#: standalone/harddrake2:47
#, c-format
-msgid "Wednesday"
+msgid "Flags"
msgstr ""
-#: ../../crypto.pm:1 ../../lang.pm:1
+#: standalone/harddrake2:47
+#, c-format
+msgid "CPU flags reported by the kernel"
+msgstr ""
+
+#: standalone/harddrake2:48
+#, c-format
+msgid "Fdiv bug"
+msgstr ""
+
+#: standalone/harddrake2:49
#, fuzzy, c-format
-msgid "Germany"
-msgstr "Jerman"
+msgid ""
+"Early Intel Pentium chips manufactured have a bug in their floating point "
+"processor which did not achieve the required precision when performing a "
+"Floating point DIVision (FDIV)"
+msgstr "dalam"
-#: ../../crypto.pm:1 ../../lang.pm:1
+#: standalone/harddrake2:50
+#, c-format
+msgid "Is FPU present"
+msgstr ""
+
+#: standalone/harddrake2:50
#, fuzzy, c-format
-msgid "Austria"
-msgstr "Austria"
+msgid "yes means the processor has an arithmetic coprocessor"
+msgstr "ya"
+
+#: standalone/harddrake2:51
+#, c-format
+msgid "Whether the FPU has an irq vector"
+msgstr ""
-#: ../../mouse.pm:1
+#: standalone/harddrake2:51
#, fuzzy, c-format
-msgid "No mouse"
-msgstr "Tidak"
+msgid "yes means the arithmetic coprocessor has an exception vector attached"
+msgstr "ya"
-#: ../../standalone/drakbackup:1
+#: standalone/harddrake2:52
#, c-format
-msgid "Choose your CD/DVD media size (MB)"
+msgid "F00f bug"
msgstr ""
-#: ../../security/l10n.pm:1
+#: standalone/harddrake2:52
#, fuzzy, c-format
-msgid "Check permissions of files in the users' home"
-msgstr "fail dalam"
+msgid "early pentiums were buggy and freezed when decoding the F00F bytecode"
+msgstr "dan"
-#: ../../install_steps_interactive.pm:1
+#: standalone/harddrake2:53
#, c-format
-msgid "Run \"sndconfig\" after installation to configure your sound card"
+msgid "Halt bug"
msgstr ""
-#: ../../ugtk2.pm:1
+#: standalone/harddrake2:54
#, c-format
-msgid "Collapse Tree"
+msgid ""
+"Some of the early i486DX-100 chips cannot reliably return to operating mode "
+"after the \"halt\" instruction is used"
+msgstr ""
+
+#: standalone/harddrake2:56
+#, c-format
+msgid "Floppy format"
msgstr ""
-#: ../../standalone/drakautoinst:1
+#: standalone/harddrake2:56
+#, c-format
+msgid "format of floppies supported by the drive"
+msgstr ""
+
+#: standalone/harddrake2:57
+#, c-format
+msgid "sub generation of the cpu"
+msgstr ""
+
+#: standalone/harddrake2:58
+#, c-format
+msgid "class of hardware device"
+msgstr ""
+
+#: standalone/harddrake2:59 standalone/harddrake2:60
+#: standalone/printerdrake:212
#, fuzzy, c-format
-msgid "Auto Install Configurator"
-msgstr "Install"
+msgid "Model"
+msgstr "Model"
-#: ../../steps.pm:1
+#: standalone/harddrake2:59
#, c-format
-msgid "Configure networking"
+msgid "hard disk model"
+msgstr ""
+
+#: standalone/harddrake2:60
+#, c-format
+msgid "generation of the cpu (eg: 8 for PentiumIII, ...)"
msgstr ""
-#: ../../any.pm:1
+#: standalone/harddrake2:61
#, fuzzy, c-format
-msgid "Where do you want to install the bootloader?"
-msgstr "Dimana anda ingin pemuatbut ini dipasang?"
+msgid "Model name"
+msgstr "Model"
-#: ../../help.pm:1
+#: standalone/harddrake2:61
+#, c-format
+msgid "official vendor name of the cpu"
+msgstr ""
+
+#: standalone/harddrake2:62
+#, c-format
+msgid "Number of buttons"
+msgstr ""
+
+#: standalone/harddrake2:62
+#, c-format
+msgid "the number of buttons the mouse has"
+msgstr ""
+
+#: standalone/harddrake2:63
#, fuzzy, c-format
-msgid ""
-"Your choice of preferred language will affect the language of the\n"
-"documentation, the installer and the system in general. Select first the\n"
-"region you are located in, and then the language you speak.\n"
-"\n"
-"Clicking on the \"%s\" button will allow you to select other languages to\n"
-"be installed on your workstation, thereby installing the language-specific\n"
-"files for system documentation and applications. For example, if you will\n"
-"host users from Spain on your machine, select English as the default\n"
-"language in the tree view and \"%s\" in the Advanced section.\n"
-"\n"
-"Note that you're not limited to choosing a single additional language. You\n"
-"may choose several ones, or even install them all by selecting the \"%s\"\n"
-"box. Selecting support for a language means translations, fonts, spell\n"
-"checkers, etc. for that language will be installed. Additionally, the\n"
-"\"%s\" checkbox allows you to force the system to use unicode (UTF-8). Note\n"
-"however that this is an experimental feature. If you select different\n"
-"languages requiring different encoding the unicode support will be\n"
-"installed anyway.\n"
-"\n"
-"To switch between the various languages installed on the system, you can\n"
-"launch the \"/usr/sbin/localedrake\" command as \"root\" to change the\n"
-"language used by the entire system. Running the command as a regular user\n"
-"will only change the language settings for that particular user."
+msgid "Name"
+msgstr "Nama"
+
+#: standalone/harddrake2:63
+#, c-format
+msgid "the name of the CPU"
msgstr ""
-"dan dalam dalam dan on on dan Sepanyol on English default dalam dan dalam "
-"Lanjutan tunggal on pengguna pengguna."
-#: ../../standalone/scannerdrake:1
+#: standalone/harddrake2:64
+#, c-format
+msgid "network printer port"
+msgstr "port pencetak rangkaian"
+
+#: standalone/harddrake2:65
+#, fuzzy, c-format
+msgid "Processor ID"
+msgstr "Pemproses"
+
+#: standalone/harddrake2:65
#, c-format
-msgid "The %s is not supported by this version of Mandrake Linux."
+msgid "the number of the processor"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/harddrake2:66
+#, fuzzy, c-format
+msgid "Model stepping"
+msgstr "Model"
+
+#: standalone/harddrake2:66
#, c-format
-msgid "tape"
+msgid "stepping of the cpu (sub model (generation) number)"
msgstr ""
-#: ../../standalone/drakconnect:1
+#: standalone/harddrake2:67
#, fuzzy, c-format
-msgid "DHCP client"
-msgstr "DHCP"
+msgid "the type of bus on which the mouse is connected"
+msgstr "on"
+
+#: standalone/harddrake2:68
+#, c-format
+msgid "the vendor name of the device"
+msgstr ""
-#: ../../security/l10n.pm:1
+#: standalone/harddrake2:69
+#, c-format
+msgid "the vendor name of the processor"
+msgstr ""
+
+#: standalone/harddrake2:70
+#, c-format
+msgid "Write protection"
+msgstr ""
+
+#: standalone/harddrake2:70
#, fuzzy, c-format
-msgid "List users on display managers (kdm and gdm)"
-msgstr "on dan"
+msgid ""
+"the WP flag in the CR0 register of the cpu enforce write proctection at the "
+"memory page level, thus enabling the processor to prevent unchecked kernel "
+"accesses to user memory (aka this is a bug guard)"
+msgstr "dalam pengguna"
-#: ../../mouse.pm:1
+#: standalone/harddrake2:84 standalone/logdrake:77 standalone/printerdrake:146
+#: standalone/printerdrake:159
#, fuzzy, c-format
-msgid "Logitech Mouse (serial, old C7 type)"
-msgstr "Logitech Mouse (bersiri, jenis C7 lama)"
+msgid "/_Options"
+msgstr "Aksi"
-#: ../../partition_table.pm:1
+#: standalone/harddrake2:85 standalone/harddrake2:106 standalone/logdrake:79
+#: standalone/printerdrake:171 standalone/printerdrake:172
+#: standalone/printerdrake:173 standalone/printerdrake:174
#, fuzzy, c-format
-msgid "Restoring from file %s failed: %s"
-msgstr "fail"
+msgid "/_Help"
+msgstr "/_Bantuan"
+
+#: standalone/harddrake2:89
+#, c-format
+msgid "/Autodetect _printers"
+msgstr ""
+
+#: standalone/harddrake2:90
+#, c-format
+msgid "/Autodetect _modems"
+msgstr ""
+
+#: standalone/harddrake2:91
+#, c-format
+msgid "/Autodetect _jaz drives"
+msgstr ""
+
+#: standalone/harddrake2:98 standalone/printerdrake:152
+#, c-format
+msgid "/_Quit"
+msgstr ""
+
+#: standalone/harddrake2:107
+#, c-format
+msgid "/_Fields description"
+msgstr ""
-#: ../../fsedit.pm:1
+#: standalone/harddrake2:109
+#, c-format
+msgid "Harddrake help"
+msgstr ""
+
+#: standalone/harddrake2:110
#, fuzzy, c-format
msgid ""
-"I can't read the partition table of device %s, it's too corrupted for me :(\n"
-"I can try to go on, erasing over bad partitions (ALL DATA will be lost!).\n"
-"The other solution is to not allow DrakX to modify the partition table.\n"
-"(the error is %s)\n"
+"Description of the fields:\n"
"\n"
-"Do you agree to lose all the partitions?\n"
-msgstr "on ralat"
+msgstr "Huraian"
-#: ../../standalone/drakbug:1
+#: standalone/harddrake2:115
+#, c-format
+msgid "Select a device !"
+msgstr ""
+
+#: standalone/harddrake2:115
#, fuzzy, c-format
-msgid "Find Package"
-msgstr "Pakej "
+msgid ""
+"Once you've selected a device, you'll be able to see the device information "
+"in fields displayed on the right frame (\"Information\")"
+msgstr "dalam on Maklumat"
+
+#: standalone/harddrake2:120 standalone/printerdrake:173
+#, c-format
+msgid "/_Report Bug"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/harddrake2:121 standalone/printerdrake:174
#, fuzzy, c-format
-msgid "Are you sure that you want to set up printing on this machine?\n"
-msgstr "on"
+msgid "/_About..."
+msgstr "Perihal."
-#: ../../standalone/harddrake2:1
+#: standalone/harddrake2:122
#, fuzzy, c-format
-msgid "New devfs device"
-msgstr "Baru"
+msgid "About Harddrake"
+msgstr "Perihal"
-#: ../../standalone/drakbackup:1
+#: standalone/harddrake2:124
#, fuzzy, c-format
-msgid "ERROR: Cannot spawn %s."
-msgstr "RALAT."
+msgid ""
+"This is HardDrake, a Mandrake hardware configuration tool.\n"
+"<span foreground=\"royalblue3\">Version:</span> %s\n"
+"<span foreground=\"royalblue3\">Author:</span> Thierry Vignaud &lt;"
+"tvignaud@mandrakesoft.com&gt;\n"
+"\n"
+msgstr ""
+"\n"
+"<span foreground=\"royalblue3\"> Versi</span>\n"
+"<span foreground=\"royalblue3\"></span>&lt;&gt;"
-#: ../../standalone/drakboot:1
+#: standalone/harddrake2:133
#, fuzzy, c-format
-msgid "Boot Style Configuration"
-msgstr "Gaya:"
+msgid "Detection in progress"
+msgstr "dalam"
-#: ../../help.pm:1
+#: standalone/harddrake2:140
#, c-format
-msgid "Automatic time synchronization"
+msgid "Harddrake2 version %s"
+msgstr ""
+
+#: standalone/harddrake2:156
+#, c-format
+msgid "Detected hardware"
+msgstr ""
+
+#: standalone/harddrake2:161
+#, c-format
+msgid "Configure module"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/harddrake2:168
+#, c-format
+msgid "Run config tool"
+msgstr ""
+
+#: standalone/harddrake2:215
#, fuzzy, c-format
-msgid "Backup files not found at %s."
-msgstr "fail."
+msgid "unknown"
+msgstr "tidak diketahui"
+
+#: standalone/harddrake2:216
+#, fuzzy, c-format
+msgid "Unknown"
+msgstr "Entah"
+
+#: standalone/harddrake2:234
+#, fuzzy, c-format
+msgid ""
+"Click on a device in the left tree in order to display its information here."
+msgstr "on dalam dalam."
-#: ../../keyboard.pm:1
+#: standalone/harddrake2:282
#, c-format
-msgid "Armenian (phonetic)"
+msgid "secondary"
msgstr ""
-#: ../../harddrake/v4l.pm:1
+#: standalone/harddrake2:282
#, c-format
-msgid "Card model:"
+msgid "primary"
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: standalone/harddrake2:290
#, c-format
-msgid "Thin Client"
+msgid "burner"
msgstr ""
-#: ../advertising/01-thanks.pl:1
+#: standalone/harddrake2:290
#, c-format
-msgid "Thank you for choosing Mandrake Linux 9.2"
+msgid "DVD"
msgstr ""
-#: ../../standalone/drakTermServ:1
-#, fuzzy, c-format
-msgid "Start Server"
-msgstr "Mula"
+#: standalone/keyboarddrake:24
+#, c-format
+msgid "Please, choose your keyboard layout."
+msgstr ""
-#: ../../lang.pm:1
+#: standalone/keyboarddrake:33
#, fuzzy, c-format
-msgid "Turkmenistan"
-msgstr "Turkmenistan"
+msgid "Do you want the BackSpace to return Delete in console?"
+msgstr "Padam dalam?"
-#: ../../standalone/scannerdrake:1
+#: standalone/localedrake:60
#, fuzzy, c-format
-msgid "All remote machines"
-msgstr "Semua"
+msgid "The change is done, but to be effective you must logout"
+msgstr "siap"
-#: ../../standalone/drakboot:1
+#: standalone/logdrake:50
+#, c-format
+msgid "Mandrake Tools Explanation"
+msgstr ""
+
+#: standalone/logdrake:51
+#, c-format
+msgid "Logdrake"
+msgstr ""
+
+#: standalone/logdrake:64
+#, c-format
+msgid "Show only for the selected day"
+msgstr ""
+
+#: standalone/logdrake:71
#, fuzzy, c-format
-msgid "Install themes"
-msgstr "Install"
+msgid "/File/_New"
+msgstr "Fail"
-#: ../../help.pm:1
+#: standalone/logdrake:71
#, c-format
-msgid "Espanol"
+msgid "<control>N"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: standalone/logdrake:72
+#, fuzzy, c-format
+msgid "/File/_Open"
+msgstr "Fail"
+
+#: standalone/logdrake:72
#, c-format
-msgid "Preparing installation"
+msgid "<control>O"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/logdrake:73
#, fuzzy, c-format
-msgid "Edit selected host/network"
-msgstr "Edit"
+msgid "/File/_Save"
+msgstr "Fail"
+
+#: standalone/logdrake:73
+#, c-format
+msgid "<control>S"
+msgstr ""
-#: ../../standalone/drakTermServ:1
+#: standalone/logdrake:74
#, fuzzy, c-format
-msgid "Add User -->"
-msgstr "Tambah Pengguna"
+msgid "/File/Save _As"
+msgstr "Fail Simpan"
-#: ../../lang.pm:1
+#: standalone/logdrake:75
#, fuzzy, c-format
-msgid "Nauru"
-msgstr "Nauru"
+msgid "/File/-"
+msgstr "Fail"
-#: ../../standalone/drakfont:1
+#: standalone/logdrake:78
#, fuzzy, c-format
-msgid "True Type fonts installation"
-msgstr "Jenis"
+msgid "/Options/Test"
+msgstr "Pilihan"
-#: ../../printer/printerdrake.pm:1
+#: standalone/logdrake:80
#, fuzzy, c-format
-msgid "Auto-detect printers connected directly to the local network"
-msgstr "lokal"
+msgid "/Help/_About..."
+msgstr "Bantuan Perihal."
-#: ../../standalone/drakconnect:1
+#: standalone/logdrake:111
#, c-format
-msgid "LAN configuration"
+msgid ""
+"_:this is the auth.log log file\n"
+"Authentication"
msgstr ""
-#: ../../standalone/harddrake2:1
+#: standalone/logdrake:112
#, c-format
-msgid "hard disk model"
+msgid ""
+"_:this is the user.log log file\n"
+"User"
msgstr ""
-#: ../../standalone/drakTermServ:1
+#: standalone/logdrake:113
#, c-format
msgid ""
-" - Maintain /etc/exports:\n"
-" \tClusternfs allows export of the root filesystem to diskless "
-"clients. drakTermServ\n"
-" \tsets up the correct entry to allow anonymous access to the root "
-"filesystem from\n"
-" \tdiskless clients.\n"
-"\n"
-" \tA typical exports entry for clusternfs is:\n"
-" \t\t\n"
-" \t/\t\t\t\t\t(ro,all_squash)\n"
-" \t/home\t\t\t\tSUBNET/MASK(rw,root_squash)\n"
-"\t\t\t\n"
-" \tWith SUBNET/MASK being defined for your network."
+"_:this is the /var/log/messages log file\n"
+"Messages"
msgstr ""
-#: ../../fsedit.pm:1
+#: standalone/logdrake:114
#, c-format
-msgid "You can't use a LVM Logical Volume for mount point %s"
+msgid ""
+"_:this is the /var/log/syslog log file\n"
+"Syslog"
msgstr ""
-#: ../../standalone/drakfont:1
+#: standalone/logdrake:118
+#, c-format
+msgid "search"
+msgstr ""
+
+#: standalone/logdrake:130
#, fuzzy, c-format
-msgid "Get Windows Fonts"
-msgstr "Tetingkap"
+msgid "A tool to monitor your logs"
+msgstr "A"
-#: ../../mouse.pm:1
+#: standalone/logdrake:131 standalone/net_monitor:85
#, fuzzy, c-format
-msgid "Mouse Systems"
-msgstr "Tetikus"
+msgid "Settings"
+msgstr "Setting"
-#: ../../standalone/drakclock:1
+#: standalone/logdrake:136
#, c-format
-msgid ""
-"Your computer can synchronize its clock\n"
-" with a remote time server using NTP"
+msgid "Matching"
msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/logdrake:137
#, c-format
-msgid "Iranian"
+msgid "but not matching"
msgstr ""
-#: ../../lang.pm:1
+#: standalone/logdrake:141
+#, c-format
+msgid "Choose file"
+msgstr ""
+
+#: standalone/logdrake:150
+#, c-format
+msgid "Calendar"
+msgstr ""
+
+#: standalone/logdrake:160
+#, c-format
+msgid "Content of the file"
+msgstr ""
+
+#: standalone/logdrake:164 standalone/logdrake:377
#, fuzzy, c-format
-msgid "Croatia"
-msgstr "Croatia"
+msgid "Mail alert"
+msgstr "Mel"
-#: ../../standalone/drakconnect:1
+#: standalone/logdrake:171
+#, c-format
+msgid "The alert wizard had unexpectly failled:"
+msgstr ""
+
+#: standalone/logdrake:219
#, fuzzy, c-format
-msgid "Gateway:"
-msgstr "Gateway:"
+msgid "please wait, parsing file: %s"
+msgstr "fail"
-#: ../../printer/printerdrake.pm:1
+#: standalone/logdrake:355
+#, c-format
+msgid "Apache World Wide Web Server"
+msgstr ""
+
+#: standalone/logdrake:356
#, fuzzy, c-format
-msgid "Add server"
-msgstr "Tambah"
+msgid "Domain Name Resolver"
+msgstr "Domain Nama"
-#: ../../printer/printerdrake.pm:1
+#: standalone/logdrake:357
#, c-format
-msgid "Remote printer name"
+msgid "Ftp Server"
msgstr ""
-#: ../advertising/10-security.pl:1
+#: standalone/logdrake:358
#, fuzzy, c-format
-msgid ""
-"MandrakeSoft has designed exclusive tools to create the most secured Linux "
-"version ever: Draksec, a system security management tool, and a strong "
-"firewall are teamed up together in order to highly reduce hacking risks."
-msgstr "dan dalam."
+msgid "Postfix Mail Server"
+msgstr "Mel"
-#: ../../diskdrake/interactive.pm:1
+#: standalone/logdrake:359
#, fuzzy, c-format
-msgid "Device: "
-msgstr "Peranti RAID "
+msgid "Samba Server"
+msgstr "Pengguna Samba"
-#: ../../printer/printerdrake.pm:1 ../../standalone/printerdrake:1
+#: standalone/logdrake:360
+#, fuzzy, c-format
+msgid "SSH Server"
+msgstr "SSH"
+
+#: standalone/logdrake:361
#, c-format
-msgid "Printerdrake"
+msgid "Webmin Service"
msgstr ""
-#: ../../install_steps_interactive.pm:1
+#: standalone/logdrake:362
#, c-format
-msgid "License agreement"
+msgid "Xinetd Service"
msgstr ""
-#: ../../standalone/draksec:1
+#: standalone/logdrake:372
#, fuzzy, c-format
-msgid "System Options"
-msgstr "Sistem"
+msgid "Configure the mail alert system"
+msgstr "Ubah"
-#: ../../security/level.pm:1
+#: standalone/logdrake:373
#, c-format
-msgid "Please choose the desired security level"
+msgid "Stop the mail alert system"
msgstr ""
-#: ../../standalone/scannerdrake:1
+#: standalone/logdrake:380
#, fuzzy, c-format
-msgid "This host is already in the list, it cannot be added again.\n"
-msgstr "dalam"
+msgid "Mail alert configuration"
+msgstr "Mel"
-#: ../../printer/main.pm:1
+#: standalone/logdrake:381
#, fuzzy, c-format
-msgid ", USB printer"
-msgstr "USB"
-
-#: ../../standalone/drakfloppy:1
-#, c-format
msgid ""
-"Unable to properly close mkbootdisk:\n"
+"Welcome to the mail configuration utility.\n"
"\n"
-"<span foreground=\"Red\"><tt>%s</tt></span>"
+"Here, you'll be able to set up the alert system.\n"
+msgstr "Selamat Datang"
+
+#: standalone/logdrake:384
+#, c-format
+msgid "What do you want to do?"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/logdrake:391
+#, fuzzy, c-format
+msgid "Services settings"
+msgstr "Tersendiri"
+
+#: standalone/logdrake:392
#, fuzzy, c-format
msgid ""
-"Incremental backups only save files that have changed or are new since the "
-"last backup."
-msgstr "fail."
+"You will receive an alert if one of the selected services is no longer "
+"running"
+msgstr "tidak"
+
+#: standalone/logdrake:399
+#, fuzzy, c-format
+msgid "Load setting"
+msgstr "Tersendiri"
-#: ../../standalone/drakfont:1
+#: standalone/logdrake:400
#, c-format
-msgid "Choose the applications that will support the fonts:"
+msgid "You will receive an alert if the load is higher than this value"
msgstr ""
-#: ../../steps.pm:1
+#: standalone/logdrake:401
#, c-format
-msgid "Configure X"
+msgid ""
+"_: load here is a noun, the load of the system\n"
+"Load"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/logdrake:406
#, fuzzy, c-format
-msgid "hd"
-msgstr "Chad"
+msgid "Alert configuration"
+msgstr "Tersendiri"
-#: ../../keyboard.pm:1
+#: standalone/logdrake:407
+#, c-format
+msgid "Please enter your email address below "
+msgstr ""
+
+#: standalone/logdrake:408
#, fuzzy, c-format
-msgid "Turkish (traditional \"F\" model)"
-msgstr "Turki"
+msgid "and enter the name (or the IP) of the SMTP server you whish to use"
+msgstr "Enter IP dan."
-#: ../../standalone/drakautoinst:1 ../../standalone/drakgw:1
-#: ../../standalone/scannerdrake:1
+#: standalone/logdrake:427 standalone/logdrake:433
#, fuzzy, c-format
-msgid "Congratulations!"
+msgid "Congratulations"
msgstr "Tahniah!"
-#: ../../standalone/drakperm:1
+#: standalone/logdrake:427
#, c-format
-msgid "Use owner id for execution"
+msgid "The wizard successfully configured the mail alert."
msgstr ""
-#: ../../security/l10n.pm:1
+#: standalone/logdrake:433
#, c-format
-msgid "Allow remote root login"
+msgid "The wizard successfully disabled the mail alert."
msgstr ""
-#: ../../standalone/drakperm:1
+#: standalone/logdrake:492
#, fuzzy, c-format
-msgid "Down"
-msgstr "Turun"
+msgid "Save as.."
+msgstr "Simpan."
-#: ../../printer/main.pm:1 ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Raw printer (No driver)"
-msgstr "Tidak"
+#: standalone/mousedrake:31
+#, c-format
+msgid "Please choose your mouse type."
+msgstr ""
-#: ../../network/modem.pm:1
-#, fuzzy, c-format
-msgid "Install rpm"
-msgstr "Install"
+#: standalone/mousedrake:44
+#, c-format
+msgid "Emulate third button?"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/mousedrake:61
#, fuzzy, c-format
-msgid ""
-"To print a file from the command line (terminal window) you can either use "
-"the command \"%s <file>\" or a graphical printing tool: \"xpp <file>\" or "
-"\"kprinter <file>\". The graphical tools allow you to choose the printer and "
-"to modify the option settings easily.\n"
-msgstr "Kepada fail<file><file><file> dan"
+msgid "Mouse test"
+msgstr "Tetikus"
+
+#: standalone/mousedrake:64
+#, c-format
+msgid "Please test your mouse:"
+msgstr ""
-#: ../../install_steps_gtk.pm:1
+#: standalone/net_monitor:51 standalone/net_monitor:56
#, fuzzy, c-format
-msgid "Time remaining "
-msgstr "Masa "
+msgid "Network Monitoring"
+msgstr "Rangkaian"
-#: ../../keyboard.pm:1
+#: standalone/net_monitor:91
#, c-format
-msgid "UK keyboard"
+msgid "Global statistics"
msgstr ""
-#: ../../diskdrake/dav.pm:1 ../../diskdrake/interactive.pm:1
-#: ../../diskdrake/smbnfs_gtk.pm:1
+#: standalone/net_monitor:94
#, c-format
-msgid "Unmount"
+msgid "Instantaneous"
msgstr ""
-#: ../../mouse.pm:1
+#: standalone/net_monitor:94
#, c-format
-msgid "Microsoft Explorer"
+msgid "Average"
msgstr ""
-#: ../../standalone/drakfont:1
+#: standalone/net_monitor:95
#, c-format
-msgid "Uninstall Fonts"
+msgid ""
+"Sending\n"
+"speed:"
msgstr ""
-#: ../../../move/move.pm:1
+#: standalone/net_monitor:96
#, c-format
-msgid "Please wait, detecting and configuring devices..."
+msgid ""
+"Receiving\n"
+"speed:"
msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/net_monitor:99
#, fuzzy, c-format
-msgid "German (no dead keys)"
-msgstr "Jerman tidak"
-
-#: ../../standalone/drakbackup:1
-#, c-format
-msgid "\tSend mail to %s\n"
-msgstr ""
+msgid ""
+"Connection\n"
+"time: "
+msgstr "Masa "
-#: ../../printer/printerdrake.pm:1
+#: standalone/net_monitor:121
#, c-format
-msgid "Transferring %s..."
+msgid "Wait please, testing your connection..."
msgstr ""
-#: ../../Xconfig/resolution_and_depth.pm:1
+#: standalone/net_monitor:149 standalone/net_monitor:162
#, c-format
-msgid "32 thousand colors (15 bits)"
+msgid "Disconnecting from Internet "
msgstr ""
-#: ../../any.pm:1
+#: standalone/net_monitor:149 standalone/net_monitor:162
#, c-format
-msgid ""
-"You can export using NFS or Samba. Please select which you'd like to use."
+msgid "Connecting to Internet "
msgstr ""
-#: ../../lang.pm:1
+#: standalone/net_monitor:193
#, fuzzy, c-format
-msgid "Gambia"
-msgstr "Gambia"
+msgid "Disconnection from Internet failed."
+msgstr "Internet."
-#: ../../standalone/drakbug:1
+#: standalone/net_monitor:194
#, fuzzy, c-format
-msgid "Mandrake Control Center"
-msgstr "Pusat Kawalan Mandrake"
+msgid "Disconnection from Internet complete."
+msgstr "Internet."
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1
-#: ../../../move/move.pm:1
+#: standalone/net_monitor:196
#, c-format
-msgid "Reboot"
+msgid "Connection complete."
msgstr ""
-#: ../../printer/main.pm:1
-#, fuzzy, c-format
-msgid "Multi-function device"
-msgstr "on"
-
-#: ../../network/drakfirewall.pm:1
+#: standalone/net_monitor:197
#, fuzzy, c-format
msgid ""
-"You can enter miscellaneous ports. \n"
-"Valid examples are: 139/tcp 139/udp.\n"
-"Have a look at /etc/services for information."
-msgstr "port."
+"Connection failed.\n"
+"Verify your configuration in the Mandrake Control Center."
+msgstr "dalam."
-#: ../../standalone/drakbackup:1
+#: standalone/net_monitor:295
#, c-format
-msgid "\t-Tape \n"
+msgid "Color configuration"
msgstr ""
-#: ../../standalone/drakhelp:1
-#, fuzzy, c-format
-msgid ""
-"No browser is installed on your system, Please install one if you want to "
-"browse the help system"
-msgstr "Tidak on"
+#: standalone/net_monitor:343 standalone/net_monitor:363
+#, c-format
+msgid "sent: "
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/net_monitor:350 standalone/net_monitor:367
#, c-format
-msgid "Remember this password"
+msgid "received: "
msgstr ""
-#: ../../install_steps_gtk.pm:1
+#: standalone/net_monitor:357
#, c-format
-msgid "due to unsatisfied %s"
+msgid "average"
msgstr ""
-#: ../../standalone/drakgw:1
+#: standalone/net_monitor:360
+#, c-format
+msgid "Local measure"
+msgstr ""
+
+#: standalone/net_monitor:392
+#, c-format
+msgid "transmitted"
+msgstr ""
+
+#: standalone/net_monitor:393
+#, c-format
+msgid "received"
+msgstr ""
+
+#: standalone/net_monitor:411
#, fuzzy, c-format
-msgid "Internet Connection Sharing is now enabled."
-msgstr "Internet dihidupkan."
+msgid ""
+"Warning, another internet connection has been detected, maybe using your "
+"network"
+msgstr "Amaran"
-#: ../../standalone/drakbackup:1
+#: standalone/net_monitor:417
#, fuzzy, c-format
-msgid "\t-Network by SSH.\n"
-msgstr "Rangkaian SSH"
+msgid "Disconnect %s"
+msgstr "Putus"
-#: ../../printer/printerdrake.pm:1
+#: standalone/net_monitor:417
#, fuzzy, c-format
-msgid ""
-" If the desired printer was auto-detected, simply choose it from the list "
-"and then add user name, password, and/or workgroup if needed."
-msgstr "dan pengguna dan."
+msgid "Connect %s"
+msgstr "Sambung"
-#: ../../network/netconnect.pm:1
+#: standalone/net_monitor:422
+#, fuzzy, c-format
+msgid "No internet connection configured"
+msgstr "Internet"
+
+#: standalone/printerdrake:70
#, c-format
-msgid " cable"
+msgid "Loading printer configuration... Please wait"
msgstr ""
-#: ../../help.pm:1 ../../install_interactive.pm:1
+#: standalone/printerdrake:86
#, fuzzy, c-format
-msgid "Use the free space on the Windows partition"
-msgstr "on Tetingkap"
+msgid "Reading data of installed printers..."
+msgstr "Membaca."
-#: ../../standalone/scannerdrake:1
+#: standalone/printerdrake:129
#, fuzzy, c-format
-msgid "%s found on %s, configure it automatically?"
-msgstr "on?"
+msgid "%s Printer Management Tool"
+msgstr "Baru"
-#: ../../Xconfig/various.pm:1
+#: standalone/printerdrake:143 standalone/printerdrake:144
+#: standalone/printerdrake:145 standalone/printerdrake:153
+#: standalone/printerdrake:154 standalone/printerdrake:158
+#, fuzzy, c-format
+msgid "/_Actions"
+msgstr "Aksi"
+
+#: standalone/printerdrake:143
+#, fuzzy, c-format
+msgid "/Set as _Default"
+msgstr "Default"
+
+#: standalone/printerdrake:144
+#, fuzzy, c-format
+msgid "/_Edit"
+msgstr "Edit"
+
+#: standalone/printerdrake:145
+#, fuzzy, c-format
+msgid "/_Delete"
+msgstr "Hapus"
+
+#: standalone/printerdrake:146
#, c-format
-msgid "XFree86 driver: %s\n"
+msgid "/_Expert mode"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/printerdrake:151
+#, c-format
+msgid "/_Refresh"
+msgstr ""
+
+#: standalone/printerdrake:154
#, fuzzy, c-format
-msgid "This host/network is already in the list, it cannot be added again.\n"
-msgstr "dalam"
+msgid "/_Add Printer"
+msgstr "Tambah user"
+
+#: standalone/printerdrake:158
+#, fuzzy, c-format
+msgid "/_Configure CUPS"
+msgstr "DHCP"
-#: ../../install_steps_gtk.pm:1 ../../install_steps_interactive.pm:1
+#: standalone/printerdrake:191
#, c-format
-msgid "Choose the packages you want to install"
+msgid "Search:"
+msgstr "Cari:"
+
+#: standalone/printerdrake:194
+#, c-format
+msgid "Apply filter"
msgstr ""
-#: ../../lang.pm:1
+#: standalone/printerdrake:212 standalone/printerdrake:219
+#, c-format
+msgid "Def."
+msgstr ""
+
+#: standalone/printerdrake:212 standalone/printerdrake:219
#, fuzzy, c-format
-msgid "Papua New Guinea"
-msgstr "Papua New Guinea"
+msgid "Printer Name"
+msgstr "Giliran"
-#: ../../printer/main.pm:1
+#: standalone/printerdrake:212
#, fuzzy, c-format
-msgid "Multi-function device on a parallel port"
-msgstr "on"
+msgid "Connection Type"
+msgstr "Jenis Perhubungan:"
-#: ../../../move/tree/mdk_totem:1
+#: standalone/printerdrake:219
#, fuzzy, c-format
-msgid "Busy files"
-msgstr "pengguna"
+msgid "Server Name"
+msgstr "Pelayan Nama:"
-#: ../../keyboard.pm:1
+#: standalone/printerdrake:225
#, fuzzy, c-format
-msgid "Serbian (cyrillic)"
-msgstr "Serbian"
+msgid "Add Printer"
+msgstr "Tambah"
-#: ../../standalone/drakbackup:1
+#: standalone/printerdrake:225
#, fuzzy, c-format
-msgid "Enter the directory where backups are stored"
-msgstr "Enter direktori"
+msgid "Add a new printer to the system"
+msgstr "Tambah Kumpulan"
+
+#: standalone/printerdrake:227
+#, fuzzy, c-format
+msgid "Set as default"
+msgstr "default"
-#: ../../standalone/draksplash:1
+#: standalone/printerdrake:227
+#, fuzzy, c-format
+msgid "Set selected printer as the default printer"
+msgstr "default?"
+
+#: standalone/printerdrake:229
+#, fuzzy, c-format
+msgid "Edit selected printer"
+msgstr "Edit"
+
+#: standalone/printerdrake:231
+#, fuzzy, c-format
+msgid "Delete selected printer"
+msgstr "Padam"
+
+#: standalone/printerdrake:233
#, c-format
-msgid "Make kernel message quiet by default"
+msgid "Refresh"
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/printerdrake:233
#, fuzzy, c-format
-msgid ""
-"Do you want to set this printer (\"%s\")\n"
-"as the default printer?"
-msgstr "default?"
+msgid "Refresh the list"
+msgstr "Daftar user"
-#: ../../standalone/drakgw:1
+#: standalone/printerdrake:235
#, fuzzy, c-format
-msgid "The DHCP end range"
+msgid "Configure CUPS"
msgstr "DHCP"
-#: ../../any.pm:1
+#: standalone/printerdrake:235
#, fuzzy, c-format
-msgid "Creating bootdisk..."
-msgstr "Mencipta."
+msgid "Configure CUPS printing system"
+msgstr "Ubah"
-#: ../../standalone/net_monitor:1
+#: standalone/printerdrake:521
#, c-format
-msgid "Wait please, testing your connection..."
+msgid "Authors: "
msgstr ""
-#: ../../install_interactive.pm:1
+#: standalone/printerdrake:527
+#, fuzzy, c-format
+msgid "Printer Management \n"
+msgstr "Baru"
+
+#: standalone/scannerdrake:53
#, c-format
-msgid "Bringing down the network"
+msgid ""
+"Could not install the packages needed to set up a scanner with Scannerdrake."
msgstr ""
-#: ../../network/modem.pm:1 ../../standalone/drakconnect:1
+#: standalone/scannerdrake:54
#, c-format
-msgid "Login ID"
+msgid "Scannerdrake will not be started now."
msgstr ""
-#: ../../services.pm:1
+#: standalone/scannerdrake:60 standalone/scannerdrake:452
#, fuzzy, c-format
-msgid ""
-"NFS is a popular protocol for file sharing across TCP/IP\n"
-"networks. This service provides NFS file locking functionality."
-msgstr "fail IP fail."
+msgid "Searching for configured scanners ..."
+msgstr "Mencari."
-#: ../../standalone/drakconnect:1
+#: standalone/scannerdrake:64 standalone/scannerdrake:456
#, fuzzy, c-format
-msgid "DHCP Client"
-msgstr "DHCP"
+msgid "Searching for new scanners ..."
+msgstr "Mencari."
-#: ../../standalone/harddrake2:1
-#, fuzzy, c-format
-msgid ""
-"This is HardDrake, a Mandrake hardware configuration tool.\n"
-"<span foreground=\"royalblue3\">Version:</span> %s\n"
-"<span foreground=\"royalblue3\">Author:</span> Thierry Vignaud &lt;"
-"tvignaud@mandrakesoft.com&gt;\n"
-"\n"
+#: standalone/scannerdrake:72 standalone/scannerdrake:478
+#, c-format
+msgid "Re-generating list of configured scanners ..."
msgstr ""
-"\n"
-"<span foreground=\"royalblue3\"> Versi</span>\n"
-"<span foreground=\"royalblue3\"></span>&lt;&gt;"
-#: ../../standalone/drakgw:1
+#: standalone/scannerdrake:94 standalone/scannerdrake:135
+#: standalone/scannerdrake:149
#, c-format
-msgid "dismiss"
+msgid "The %s is not supported by this version of %s."
msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/scannerdrake:97
#, fuzzy, c-format
-msgid "Printing/Scanning on \"%s\""
-msgstr "Cetakan on"
+msgid "%s found on %s, configure it automatically?"
+msgstr "on?"
+
+#: standalone/scannerdrake:109
+#, fuzzy, c-format
+msgid "%s is not in the scanner database, configure it manually?"
+msgstr "dalam secara manual?"
-#: ../../standalone/drakfloppy:1
+#: standalone/scannerdrake:124
#, c-format
-msgid "omit raid modules"
+msgid "Select a scanner model"
msgstr ""
-#: ../../services.pm:1
-#, fuzzy, c-format
-msgid ""
-"lpd is the print daemon required for lpr to work properly. It is\n"
-"basically a server that arbitrates print jobs to printer(s)."
-msgstr "lpd."
+#: standalone/scannerdrake:125
+#, c-format
+msgid " ("
+msgstr ""
-#: ../../keyboard.pm:1
+#: standalone/scannerdrake:126
#, c-format
-msgid "Irish"
+msgid "Detected model: %s"
msgstr ""
-#: ../../standalone/drakbackup:1
+#: standalone/scannerdrake:128
#, c-format
-msgid "Sunday"
+msgid ", "
msgstr ""
-#: ../../standalone/drakconnect:1
+#: standalone/scannerdrake:129
#, fuzzy, c-format
-msgid "Internet Connection Configuration"
-msgstr "Internet"
+msgid "Port: %s"
+msgstr "Liang"
-#: ../../modules/parameters.pm:1
+#: standalone/scannerdrake:155
#, c-format
-msgid "comma separated numbers"
+msgid "The %s is not known by this version of Scannerdrake."
msgstr ""
-#: ../../standalone/harddrake2:1
-#, fuzzy, c-format
+#: standalone/scannerdrake:163 standalone/scannerdrake:177
+#, c-format
+msgid "Do not install firmware file"
+msgstr ""
+
+#: standalone/scannerdrake:167 standalone/scannerdrake:219
+#, c-format
msgid ""
-"Once you've selected a device, you'll be able to see the device information "
-"in fields displayed on the right frame (\"Information\")"
-msgstr "dalam on Maklumat"
+"It is possible that your %s needs its firmware to be uploaded everytime when "
+"it is turned on."
+msgstr ""
-#: ../../standalone/drakperm:1
+#: standalone/scannerdrake:168 standalone/scannerdrake:220
#, c-format
-msgid "Move selected rule up one level"
+msgid "If this is the case, you can make this be done automatically."
msgstr ""
-#: ../../standalone/scannerdrake:1
-#, fuzzy, c-format
+#: standalone/scannerdrake:169 standalone/scannerdrake:223
+#, c-format
msgid ""
-"The following scanner\n"
-"\n"
-"%s\n"
-"is available on your system.\n"
-msgstr "on"
+"To do so, you need to supply the firmware file for your scanner so that it "
+"can be installed."
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: standalone/scannerdrake:170 standalone/scannerdrake:224
#, c-format
-msgid "Do you really want to remove the printer \"%s\"?"
+msgid ""
+"You find the file on the CD or floppy coming with the scanner, on the "
+"manufacturer's home page, or on your Windows partition."
msgstr ""
-#: ../../install_interactive.pm:1
+#: standalone/scannerdrake:172 standalone/scannerdrake:231
#, c-format
-msgid "I can't find any room for installing"
+msgid "Install firmware file from"
msgstr ""
-#: ../../printer/printerdrake.pm:1
-#, fuzzy, c-format
-msgid "Default printer"
-msgstr "Default"
+#: standalone/scannerdrake:192
+#, c-format
+msgid "Select firmware file"
+msgstr ""
-#: ../../network/netconnect.pm:1
-#, fuzzy, c-format
-msgid ""
-"You have configured multiple ways to connect to the Internet.\n"
-"Choose the one you want to use.\n"
-"\n"
-msgstr "Internet"
+#: standalone/scannerdrake:195 standalone/scannerdrake:254
+#, c-format
+msgid "The firmware file %s does not exist or is unreadable!"
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
+#: standalone/scannerdrake:218
#, c-format
-msgid "Modify RAID"
+msgid ""
+"It is possible that your scanners need their firmware to be uploaded "
+"everytime when they are turned on."
msgstr ""
-#: ../../network/isdn.pm:1
-#, fuzzy, c-format
+#: standalone/scannerdrake:222
+#, c-format
msgid ""
-"I have detected an ISDN PCI card, but I don't know its type. Please select a "
-"PCI card on the next screen."
-msgstr "on."
+"To do so, you need to supply the firmware files for your scanners so that it "
+"can be installed."
+msgstr ""
-#: ../../any.pm:1
-#, fuzzy, c-format
-msgid "Add user"
-msgstr "Tambah"
+#: standalone/scannerdrake:225
+#, c-format
+msgid ""
+"If you have already installed your scanner's firmware you can update the "
+"firmware here by supplying the new firmware file."
+msgstr ""
-#: ../../diskdrake/interactive.pm:1
-#, fuzzy, c-format
-msgid "RAID-disks %s\n"
-msgstr "RAD"
+#: standalone/scannerdrake:227
+#, c-format
+msgid "Install firmware for the"
+msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Liberia"
-msgstr "Liberia"
+#: standalone/scannerdrake:250
+#, c-format
+msgid "Select firmware file for the %s"
+msgstr ""
-#: ../../standalone/scannerdrake:1
+#: standalone/scannerdrake:276
#, c-format
-msgid ""
-"Could not install the packages needed to set up a scanner with Scannerdrake."
+msgid "The firmware file for your %s was successfully installed."
msgstr ""
-#: ../../standalone/drakgw:1
+#: standalone/scannerdrake:286
#, c-format
+msgid "The %s is unsupported"
+msgstr ""
+
+#: standalone/scannerdrake:291
+#, fuzzy, c-format
msgid ""
-"Please enter the name of the interface connected to the internet.\n"
-"\n"
-"Examples:\n"
-"\t\tppp+ for modem or DSL connections, \n"
-"\t\teth0, or eth1 for cable connection, \n"
-"\t\tippp+ for a isdn connection.\n"
+"The %s must be configured by printerdrake.\n"
+"You can launch printerdrake from the %s Control Center in Hardware section."
+msgstr "dalam Perkakasan."
+
+#: standalone/scannerdrake:295 standalone/scannerdrake:302
+#: standalone/scannerdrake:332
+#, c-format
+msgid "Auto-detect available ports"
msgstr ""
-#: ../../steps.pm:1
+#: standalone/scannerdrake:297 standalone/scannerdrake:343
#, c-format
-msgid "Choose your keyboard"
+msgid "Please select the device where your %s is attached"
msgstr ""
-#: ../../steps.pm:1
+#: standalone/scannerdrake:298
#, fuzzy, c-format
-msgid "Format partitions"
-msgstr "Format"
+msgid "(Note: Parallel ports cannot be auto-detected)"
+msgstr "port"
-#: ../../printer/printerdrake.pm:1
+#: standalone/scannerdrake:300 standalone/scannerdrake:345
#, c-format
-msgid "Automatic correction of CUPS configuration"
+msgid "choose device"
msgstr ""
-#: ../../standalone/harddrake2:1
+#: standalone/scannerdrake:334
+#, fuzzy, c-format
+msgid "Searching for scanners ..."
+msgstr "Mencari."
+
+#: standalone/scannerdrake:368
+#, fuzzy, c-format
+msgid ""
+"Your %s has been configured.\n"
+"You may now scan documents using \"XSane\" from Multimedia/Graphics in the "
+"applications menu."
+msgstr "Multimedia Grafik dalam."
+
+#: standalone/scannerdrake:392
+#, fuzzy, c-format
+msgid ""
+"The following scanners\n"
+"\n"
+"%s\n"
+"are available on your system.\n"
+msgstr "on"
+
+#: standalone/scannerdrake:393
+#, fuzzy, c-format
+msgid ""
+"The following scanner\n"
+"\n"
+"%s\n"
+"is available on your system.\n"
+msgstr "on"
+
+#: standalone/scannerdrake:396 standalone/scannerdrake:399
+#, fuzzy, c-format
+msgid "There are no scanners found which are available on your system.\n"
+msgstr "tidak on"
+
+#: standalone/scannerdrake:413
+#, fuzzy, c-format
+msgid "Search for new scanners"
+msgstr "Cari"
+
+#: standalone/scannerdrake:419
+#, fuzzy, c-format
+msgid "Add a scanner manually"
+msgstr "pengguna"
+
+#: standalone/scannerdrake:426
+#, fuzzy, c-format
+msgid "Install/Update firmware files"
+msgstr "Tema!"
+
+#: standalone/scannerdrake:432
#, c-format
-msgid "Running \"%s\" ..."
+msgid "Scanner sharing"
msgstr ""
-#: ../../harddrake/v4l.pm:1
+#: standalone/scannerdrake:491 standalone/scannerdrake:656
+#, fuzzy, c-format
+msgid "All remote machines"
+msgstr "Semua"
+
+#: standalone/scannerdrake:503 standalone/scannerdrake:806
#, c-format
-msgid "enable radio support"
+msgid "This machine"
msgstr ""
-#: ../../standalone/scannerdrake:1
+#: standalone/scannerdrake:543
+#, fuzzy, c-format
+msgid ""
+"Here you can choose whether the scanners connected to this machine should be "
+"accessable by remote machines and by which remote machines."
+msgstr "dan."
+
+#: standalone/scannerdrake:544
+#, fuzzy, c-format
+msgid ""
+"You can also decide here whether scanners on remote machines should be made "
+"available on this machine."
+msgstr "on on."
+
+#: standalone/scannerdrake:547
+#, fuzzy, c-format
+msgid "The scanners on this machine are available to other computers"
+msgstr "on"
+
+#: standalone/scannerdrake:549
#, fuzzy, c-format
msgid "Scanner sharing to hosts: "
msgstr "hos "
-#: ../../diskdrake/interactive.pm:1
+#: standalone/scannerdrake:563
#, fuzzy, c-format
-msgid "Loopback file name: %s"
-msgstr "fail"
+msgid "Use scanners on remote computers"
+msgstr "on"
-#: ../../printer/printerdrake.pm:1
-#, c-format
-msgid "Please choose the printer to which the print jobs should go."
-msgstr ""
+#: standalone/scannerdrake:566
+#, fuzzy, c-format
+msgid "Use the scanners on hosts: "
+msgstr "on hos "
+
+#: standalone/scannerdrake:593 standalone/scannerdrake:665
+#: standalone/scannerdrake:815
+#, fuzzy, c-format
+msgid "Sharing of local scanners"
+msgstr "lokal"
+
+#: standalone/scannerdrake:594
+#, fuzzy, c-format
+msgid ""
+"These are the machines on which the locally connected scanner(s) should be "
+"available:"
+msgstr "on:"
-#: ../../printer/printerdrake.pm:1
+#: standalone/scannerdrake:605 standalone/scannerdrake:755
+#, fuzzy, c-format
+msgid "Add host"
+msgstr "Tambah"
+
+#: standalone/scannerdrake:611 standalone/scannerdrake:761
#, c-format
-msgid "Do not transfer printers"
-msgstr ""
+msgid "Edit selected host"
+msgstr "Edit hos dipilih"
-#: ../../help.pm:1
+#: standalone/scannerdrake:620 standalone/scannerdrake:770
#, fuzzy, c-format
-msgid "Delay before booting the default image"
-msgstr "default"
+msgid "Remove selected host"
+msgstr "Buang"
+
+#: standalone/scannerdrake:644 standalone/scannerdrake:652
+#: standalone/scannerdrake:657 standalone/scannerdrake:703
+#: standalone/scannerdrake:794 standalone/scannerdrake:802
+#: standalone/scannerdrake:807 standalone/scannerdrake:853
+#, fuzzy, c-format
+msgid "Name/IP address of host:"
+msgstr "Nama IP:"
+
+#: standalone/scannerdrake:666 standalone/scannerdrake:816
+#, fuzzy, c-format
+msgid "Choose the host on which the local scanners should be made available:"
+msgstr "on lokal:"
+
+#: standalone/scannerdrake:677 standalone/scannerdrake:827
+#, fuzzy, c-format
+msgid "You must enter a host name or an IP address.\n"
+msgstr "IP"
-#: ../../standalone/drakbackup:1
+#: standalone/scannerdrake:688 standalone/scannerdrake:838
+#, fuzzy, c-format
+msgid "This host is already in the list, it cannot be added again.\n"
+msgstr "dalam"
+
+#: standalone/scannerdrake:743
#, c-format
-msgid "Use Hard Disk to backup"
+msgid "Usage of remote scanners"
msgstr ""
-#: ../../help.pm:1 ../../install_steps_gtk.pm:1 ../../standalone/drakbackup:1
-#: ../../standalone/drakboot:1
+#: standalone/scannerdrake:744
#, c-format
-msgid "Configure"
+msgid "These are the machines from which the scanners should be used:"
msgstr ""
-#: ../../standalone/scannerdrake:1
+#: standalone/scannerdrake:904
#, c-format
-msgid "Scannerdrake"
+msgid "Your scanner(s) will not be available on the network."
msgstr ""
-#: ../../standalone/drakconnect:1
+#: standalone/service_harddrake:49
#, fuzzy, c-format
-msgid ""
-"Warning, another Internet connection has been detected, maybe using your "
-"network"
-msgstr "Amaran Internet"
+msgid "Some devices in the \"%s\" hardware class were removed:\n"
+msgstr "dalam"
+
+#: standalone/service_harddrake:53
+#, fuzzy, c-format
+msgid "Some devices were added: %s\n"
+msgstr "Tetikus"
+
+#: standalone/service_harddrake:94
+#, fuzzy, c-format
+msgid "Hardware probing in progress"
+msgstr "Perkakasan dalam"
+
+#: steps.pm:14
+#, fuzzy, c-format
+msgid "Language"
+msgstr "Bahasa"
-#: ../../standalone/drakbackup:1
+#: steps.pm:15
#, c-format
-msgid "Backup Users"
+msgid "License"
msgstr ""
-#: ../../network/network.pm:1
-#, fuzzy, c-format
-msgid ""
-"Please enter your host name.\n"
-"Your host name should be a fully-qualified host name,\n"
-"such as ``mybox.mylab.myco.com''.\n"
-"You may also enter the IP address of the gateway if you have one."
-msgstr "IP."
+#: steps.pm:16
+#, c-format
+msgid "Configure mouse"
+msgstr ""
-#: ../../printer/printerdrake.pm:1
+#: steps.pm:17
#, c-format
-msgid "Select Printer Spooler"
+msgid "Hard drive detection"
msgstr ""
-#: ../../standalone/drakboot:1
+#: steps.pm:18
#, c-format
-msgid "Create new theme"
+msgid "Select installation class"
msgstr ""
-#: ../../standalone/logdrake:1
+#: steps.pm:19
#, c-format
-msgid "Mandrake Tools Explanation"
+msgid "Choose your keyboard"
msgstr ""
-#: ../../standalone/drakpxe:1
+#: steps.pm:21
#, fuzzy, c-format
-msgid "No image found"
-msgstr "Tidak"
+msgid "Partitioning"
+msgstr "Pempartisyenan"
-#: ../../install_steps.pm:1
+#: steps.pm:22
#, fuzzy, c-format
-msgid ""
-"Some important packages didn't get installed properly.\n"
-"Either your cdrom drive or your cdrom is defective.\n"
-"Check the cdrom on an installed computer using \"rpm -qpl Mandrake/RPMS/*.rpm"
-"\"\n"
-msgstr "on"
+msgid "Format partitions"
+msgstr "Format"
-#: ../advertising/06-development.pl:1
+#: steps.pm:23
#, c-format
-msgid "Mandrake Linux 9.2: the ultimate development platform"
+msgid "Choose packages to install"
msgstr ""
-#: ../../standalone/scannerdrake:1
+#: steps.pm:24
+#, fuzzy, c-format
+msgid "Install system"
+msgstr "Install"
+
+#: steps.pm:25
#, c-format
-msgid "Detected model: %s"
+msgid "Root password"
msgstr ""
-#: ../../standalone/logdrake:1
+#: steps.pm:26
+#, fuzzy, c-format
+msgid "Add a user"
+msgstr "Tambah"
+
+#: steps.pm:27
#, c-format
-msgid "\"%s\" is not a valid email!"
+msgid "Configure networking"
msgstr ""
-#: ../../standalone/drakedm:1
+#: steps.pm:28
#, fuzzy, c-format
-msgid ""
-"X11 Display Manager allows you to graphically log\n"
-"into your system with the X Window System running and supports running\n"
-"several different X sessions on your local machine at the same time."
-msgstr "Paparan Sistem dan on lokal."
+msgid "Install bootloader"
+msgstr "Install"
-#: ../../security/help.pm:1
-#, fuzzy, c-format
-msgid "if set to yes, run the daily security checks."
-msgstr "ya."
+#: steps.pm:29
+#, c-format
+msgid "Configure X"
+msgstr ""
-#: ../../lang.pm:1
-#, fuzzy, c-format
-msgid "Azerbaijan"
-msgstr "Azerbaijan"
+#: steps.pm:31
+#, c-format
+msgid "Configure services"
+msgstr ""
-#: ../../standalone/drakbackup:1
+#: steps.pm:32
#, fuzzy, c-format
-msgid "Device name to use for backup"
-msgstr "Peranti RAID"
+msgid "Install updates"
+msgstr "Install"
-#: ../../standalone/drakbackup:1
+#: steps.pm:33
#, fuzzy, c-format
-msgid "No tape in %s!"
-msgstr "Tidak dalam!"
+msgid "Exit install"
+msgstr "Keluar"
-#: ../../standalone/drakhelp:1
+#: ugtk2.pm:1047
#, c-format
-msgid ""
-" --doc <link> - link to another web page ( for WM welcome "
-"frontend)\n"
+msgid "Is this correct?"
msgstr ""
-#: ../../keyboard.pm:1
+#: ugtk2.pm:1175
#, c-format
-msgid "Dvorak (US)"
+msgid "Expand Tree"
msgstr ""
-#: ../../standalone/harddrake2:1
-#, fuzzy, c-format
-msgid ""
-"this is the physical bus on which the device is plugged (eg: PCI, USB, ...)"
-msgstr "on USB"
-
-#: ../../printer/printerdrake.pm:1
+#: ugtk2.pm:1176
#, c-format
-msgid "How is the printer connected?"
+msgid "Collapse Tree"
msgstr ""
-#: ../../security/level.pm:1
+#: ugtk2.pm:1177
#, fuzzy, c-format
-msgid "Security level"
-msgstr "Keselamatan"
+msgid "Toggle between flat and group sorted"
+msgstr "dan"
-#: ../../standalone/draksplash:1
+#: wizards.pm:95
#, c-format
-msgid "final resolution"
+msgid ""
+"%s is not installed\n"
+"Click \"Next\" to install or \"Cancel\" to quit"
msgstr ""
-#: ../../help.pm:1 ../../install_steps_interactive.pm:1 ../../services.pm:1
+#: wizards.pm:99
#, fuzzy, c-format
-msgid "Services"
-msgstr "Perkhidmatan"
+msgid "Installation failed"
+msgstr "Tema!"
-#: ../../../move/move.pm:1
-#, fuzzy, c-format
-msgid "Auto configuration"
-msgstr "Tersendiri"
+#, fuzzy
+#~ msgid "Configuration of a remote printer"
+#~ msgstr "Konfigurasikan"
-#: ../../Xconfig/card.pm:1
-#, c-format
-msgid "4 MB"
-msgstr ""
+#, fuzzy
+#~ msgid "configure %s"
+#~ msgstr "DHCP"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Office Workstation"
-msgstr "Pejabat"
+#~ msgid "protocol = "
+#~ msgstr "Protokol"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid ""
-"Office programs: wordprocessors (kword, abiword), spreadsheets (kspread, "
-"gnumeric), pdf viewers, etc"
-msgstr "Pejabat"
+#~ msgid "Office Workstation"
+#~ msgstr "Pejabat"
-#: ../../share/compssUsers:999
-msgid "Game station"
-msgstr ""
+#, fuzzy
+#~ msgid ""
+#~ "Office programs: wordprocessors (kword, abiword), spreadsheets (kspread, "
+#~ "gnumeric), pdf viewers, etc"
+#~ msgstr "Pejabat"
-#: ../../share/compssUsers:999
-msgid "Amusement programs: arcade, boards, strategy, etc"
-msgstr ""
+#, fuzzy
+#~ msgid "Multimedia station"
+#~ msgstr "Multimedia"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Multimedia station"
-msgstr "Multimedia"
+#~ msgid "Sound and video playing/editing programs"
+#~ msgstr "Bunyi dan"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Sound and video playing/editing programs"
-msgstr "Bunyi dan"
+#~ msgid "Internet station"
+#~ msgstr "Internet"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Internet station"
-msgstr "Internet"
+#~ msgid ""
+#~ "Set of tools to read and send mail and news (mutt, tin..) and to browse "
+#~ "the Web"
+#~ msgstr "dan dan dan"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid ""
-"Set of tools to read and send mail and news (mutt, tin..) and to browse the "
-"Web"
-msgstr "dan dan dan"
+#~ msgid "Network Computer (client)"
+#~ msgstr "Rangkaian"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Network Computer (client)"
-msgstr "Rangkaian"
+#~ msgid "Clients for different protocols including ssh"
+#~ msgstr "protokol"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Clients for different protocols including ssh"
-msgstr "protokol"
+#~ msgid "Configuration"
+#~ msgstr "Konfigurasikan"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Configuration"
-msgstr "Konfigurasikan"
+#~ msgid "Editors, shells, file tools, terminals"
+#~ msgstr "Penyunting fail"
-#: ../../share/compssUsers:999
-msgid "Tools to ease the configuration of your computer"
-msgstr ""
+#, fuzzy
+#~ msgid "KDE Workstation"
+#~ msgstr "KDE"
-#: ../../share/compssUsers:999
-msgid "Scientific Workstation"
-msgstr ""
+#, fuzzy
+#~ msgid ""
+#~ "The K Desktop Environment, the basic graphical environment with a "
+#~ "collection of accompanying tools"
+#~ msgstr "Desktop Persekitaran asas"
-#: ../../share/compssUsers:999
-msgid "Scientific applications such as gnuplot"
-msgstr ""
+#, fuzzy
+#~ msgid "Gnome Workstation"
+#~ msgstr "Gnome"
-#: ../../share/compssUsers:999
-msgid "Console Tools"
-msgstr ""
+#, fuzzy
+#~ msgid ""
+#~ "A graphical environment with user-friendly set of applications and "
+#~ "desktop tools"
+#~ msgstr "A pengguna dan"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Editors, shells, file tools, terminals"
-msgstr "Penyunting fail"
+#~ msgid "Other Graphical Desktops"
+#~ msgstr "Lain-lain Grafikal"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "KDE Workstation"
-msgstr "KDE"
+#~ msgid "C and C++ development libraries, programs and include files"
+#~ msgstr "C dan C dan"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid ""
-"The K Desktop Environment, the basic graphical environment with a collection "
-"of accompanying tools"
-msgstr "Desktop Persekitaran asas"
+#~ msgid "Documentation"
+#~ msgstr "Dokumentasi"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Gnome Workstation"
-msgstr "Gnome"
+#~ msgid "Books and Howto's on Linux and Free Software"
+#~ msgstr "dan on dan Bebas"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid ""
-"A graphical environment with user-friendly set of applications and desktop "
-"tools"
-msgstr "A pengguna dan"
+#~ msgid "Linux Standard Base. Third party applications support"
+#~ msgstr "Asas"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Other Graphical Desktops"
-msgstr "Lain-lain Grafikal"
+#~ msgid "Mail"
+#~ msgstr "Mel"
-#: ../../share/compssUsers:999
-msgid "Icewm, Window Maker, Enlightenment, Fvwm, etc"
-msgstr ""
+#, fuzzy
+#~ msgid "Internet gateway"
+#~ msgstr "Internet"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "C and C++ development libraries, programs and include files"
-msgstr "C dan C dan"
+#~ msgid "Domain Name and Network Information Server"
+#~ msgstr "Domain Nama dan Rangkaian Maklumat"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Documentation"
-msgstr "Dokumentasi"
+#~ msgid "Network Computer server"
+#~ msgstr "Rangkaian"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Books and Howto's on Linux and Free Software"
-msgstr "dan on dan Bebas"
+#~ msgid "Set of tools to read and send mail and news and to browse the Web"
+#~ msgstr "dan dan dan"
-#: ../../share/compssUsers:999
-msgid "LSB"
-msgstr ""
+#, fuzzy
+#~ msgid "add"
+#~ msgstr "Tambah"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Linux Standard Base. Third party applications support"
-msgstr "Asas"
+#~ msgid "edit"
+#~ msgstr "Edit"
-#: ../../share/compssUsers:999
-msgid "Web/FTP"
-msgstr ""
+#, fuzzy
+#~ msgid "remove"
+#~ msgstr "Buang"
-#: ../../share/compssUsers:999
-msgid "Apache, Pro-ftpd"
-msgstr ""
+#, fuzzy
+#~ msgid "Add an UPS device"
+#~ msgstr "Tambah"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Mail"
-msgstr "Mel"
+#~ msgid ""
+#~ "Welcome to the UPS configuration utility.\n"
+#~ "\n"
+#~ "Here, you'll be add a new UPS to your system.\n"
+#~ msgstr "Selamat Datang"
-#: ../../share/compssUsers:999
-msgid "Postfix mail server"
-msgstr ""
+#, fuzzy
+#~ msgid "Autodetection"
+#~ msgstr "Pengesahan"
-#: ../../share/compssUsers:999
-msgid "Database"
-msgstr ""
+#, fuzzy
+#~ msgid "No new UPS devices was found"
+#~ msgstr "Tidak"
-#: ../../share/compssUsers:999
-msgid "PostgreSQL or MySQL database server"
-msgstr ""
+#, fuzzy
+#~ msgid "UPS driver configuration"
+#~ msgstr "Pelayan"
-#: ../../share/compssUsers:999
-msgid "Firewall/Router"
-msgstr ""
+#, fuzzy
+#~ msgid "Name:"
+#~ msgstr "Nama: "
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Internet gateway"
-msgstr "Internet"
+#~ msgid "Port:"
+#~ msgstr "Liang"
-#: ../../share/compssUsers:999
-msgid "DNS/NIS "
-msgstr ""
+#, fuzzy
+#~ msgid "The port on which is connected your ups"
+#~ msgstr "on"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Domain Name and Network Information Server"
-msgstr "Domain Nama dan Rangkaian Maklumat"
+#~ msgid "UPS devices"
+#~ msgstr "Perkhidmatan"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Network Computer server"
-msgstr "Rangkaian"
+#~ msgid "UPS users"
+#~ msgstr "Pengguna"
-#: ../../share/compssUsers:999
-msgid "NFS server, SMB server, Proxy server, ssh server"
-msgstr ""
+#, fuzzy
+#~ msgid "Action"
+#~ msgstr "Aksi"
+
+#, fuzzy
+#~ msgid "Welcome to the UPS configuration tools"
+#~ msgstr "Ujian"
+
+#, fuzzy
+#~ msgid "On Hard Drive"
+#~ msgstr "on"
+
+#, fuzzy
+#~ msgid "Next ->"
+#~ msgstr "Berikutnya"
-#: ../../share/compssUsers:999
#, fuzzy
-msgid "Set of tools to read and send mail and news and to browse the Web"
-msgstr "dan dan dan"
+#~ msgid "Next->"
+#~ msgstr "Berikutnya"
diff --git a/perl-install/share/po/mt.po b/perl-install/share/po/mt.po
index d5e89bacf..c9a31c41a 100644
--- a/perl-install/share/po/mt.po
+++ b/perl-install/share/po/mt.po