##// END OF EJS Templates
Adds spent time to the activity view (#3809)....
Jean-Philippe Lang -
r2763:8faa66f68fb2
parent child
Show More

The requested changes are too big and content was truncated. Show full diff

@@ -1,79 +1,83
1 1 # redMine - project management software
2 2 # Copyright (C) 2006-2008 Jean-Philippe Lang
3 3 #
4 4 # This program is free software; you can redistribute it and/or
5 5 # modify it under the terms of the GNU General Public License
6 6 # as published by the Free Software Foundation; either version 2
7 7 # of the License, or (at your option) any later version.
8 8 #
9 9 # This program is distributed in the hope that it will be useful,
10 10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
11 11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
12 12 # GNU General Public License for more details.
13 13 #
14 14 # You should have received a copy of the GNU General Public License
15 15 # along with this program; if not, write to the Free Software
16 16 # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
17 17
18 18 class TimeEntry < ActiveRecord::Base
19 19 # could have used polymorphic association
20 20 # project association here allows easy loading of time entries at project level with one database trip
21 21 belongs_to :project
22 22 belongs_to :issue
23 23 belongs_to :user
24 24 belongs_to :activity, :class_name => 'TimeEntryActivity', :foreign_key => 'activity_id'
25 25
26 26 attr_protected :project_id, :user_id, :tyear, :tmonth, :tweek
27 27
28 28 acts_as_customizable
29 acts_as_event :title => Proc.new {|o| "#{o.user}: #{l_hours(o.hours)} (#{(o.issue || o.project).event_title})"},
30 :url => Proc.new {|o| {:controller => 'timelog', :action => 'details', :project_id => o.project}},
29 acts_as_event :title => Proc.new {|o| "#{l_hours(o.hours)} (#{(o.issue || o.project).event_title})"},
30 :url => Proc.new {|o| {:controller => 'timelog', :action => 'details', :project_id => o.project, :issue_id => o.issue}},
31 31 :author => :user,
32 32 :description => :comments
33
33
34 acts_as_activity_provider :timestamp => "#{table_name}.created_on",
35 :author_key => :user_id,
36 :find_options => {:include => :project}
37
34 38 validates_presence_of :user_id, :activity_id, :project_id, :hours, :spent_on
35 39 validates_numericality_of :hours, :allow_nil => true, :message => :invalid
36 40 validates_length_of :comments, :maximum => 255, :allow_nil => true
37 41
38 42 def after_initialize
39 43 if new_record? && self.activity.nil?
40 44 if default_activity = TimeEntryActivity.default
41 45 self.activity_id = default_activity.id
42 46 end
43 47 end
44 48 end
45 49
46 50 def before_validation
47 51 self.project = issue.project if issue && project.nil?
48 52 end
49 53
50 54 def validate
51 55 errors.add :hours, :invalid if hours && (hours < 0 || hours >= 1000)
52 56 errors.add :project_id, :invalid if project.nil?
53 57 errors.add :issue_id, :invalid if (issue_id && !issue) || (issue && project!=issue.project)
54 58 end
55 59
56 60 def hours=(h)
57 61 write_attribute :hours, (h.is_a?(String) ? (h.to_hours || h) : h)
58 62 end
59 63
60 64 # tyear, tmonth, tweek assigned where setting spent_on attributes
61 65 # these attributes make time aggregations easier
62 66 def spent_on=(date)
63 67 super
64 68 self.tyear = spent_on ? spent_on.year : nil
65 69 self.tmonth = spent_on ? spent_on.month : nil
66 70 self.tweek = spent_on ? Date.civil(spent_on.year, spent_on.month, spent_on.day).cweek : nil
67 71 end
68 72
69 73 # Returns true if the time entry can be edited by usr, otherwise false
70 74 def editable_by?(usr)
71 75 (usr == user && usr.allowed_to?(:edit_own_time_entries, project)) || usr.allowed_to?(:edit_time_entries, project)
72 76 end
73 77
74 78 def self.visible_by(usr)
75 79 with_scope(:find => { :conditions => Project.allowed_to_condition(usr, :view_time_entries) }) do
76 80 yield
77 81 end
78 82 end
79 83 end
@@ -1,808 +1,809
1 1 bg:
2 2 date:
3 3 formats:
4 4 # Use the strftime parameters for formats.
5 5 # When no format has been given, it uses default.
6 6 # You can provide other formats here if you like!
7 7 default: "%Y-%m-%d"
8 8 short: "%b %d"
9 9 long: "%B %d, %Y"
10 10
11 11 day_names: [Sunday, Monday, Tuesday, Wednesday, Thursday, Friday, Saturday]
12 12 abbr_day_names: [Sun, Mon, Tue, Wed, Thu, Fri, Sat]
13 13
14 14 # Don't forget the nil at the beginning; there's no such thing as a 0th month
15 15 month_names: [~, January, February, March, April, May, June, July, August, September, October, November, December]
16 16 abbr_month_names: [~, Jan, Feb, Mar, Apr, May, Jun, Jul, Aug, Sep, Oct, Nov, Dec]
17 17 # Used in date_select and datime_select.
18 18 order: [ :year, :month, :day ]
19 19
20 20 time:
21 21 formats:
22 22 default: "%a, %d %b %Y %H:%M:%S %z"
23 23 time: "%H:%M"
24 24 short: "%d %b %H:%M"
25 25 long: "%B %d, %Y %H:%M"
26 26 am: "am"
27 27 pm: "pm"
28 28
29 29 datetime:
30 30 distance_in_words:
31 31 half_a_minute: "half a minute"
32 32 less_than_x_seconds:
33 33 one: "less than 1 second"
34 34 other: "less than {{count}} seconds"
35 35 x_seconds:
36 36 one: "1 second"
37 37 other: "{{count}} seconds"
38 38 less_than_x_minutes:
39 39 one: "less than a minute"
40 40 other: "less than {{count}} minutes"
41 41 x_minutes:
42 42 one: "1 minute"
43 43 other: "{{count}} minutes"
44 44 about_x_hours:
45 45 one: "about 1 hour"
46 46 other: "about {{count}} hours"
47 47 x_days:
48 48 one: "1 day"
49 49 other: "{{count}} days"
50 50 about_x_months:
51 51 one: "about 1 month"
52 52 other: "about {{count}} months"
53 53 x_months:
54 54 one: "1 month"
55 55 other: "{{count}} months"
56 56 about_x_years:
57 57 one: "about 1 year"
58 58 other: "about {{count}} years"
59 59 over_x_years:
60 60 one: "over 1 year"
61 61 other: "over {{count}} years"
62 62
63 63 # Used in array.to_sentence.
64 64 support:
65 65 array:
66 66 sentence_connector: "and"
67 67 skip_last_comma: false
68 68
69 69 activerecord:
70 70 errors:
71 71 messages:
72 72 inclusion: "не съществува в списъка"
73 73 exclusion: запазено"
74 74 invalid: невалидно"
75 75 confirmation: "липсва одобрение"
76 76 accepted: "трябва да се приеме"
77 77 empty: "не може да е празно"
78 78 blank: "не може да е празно"
79 79 too_long: прекалено дълго"
80 80 too_short: прекалено късо"
81 81 wrong_length: с грешна дължина"
82 82 taken: "вече съществува"
83 83 not_a_number: "не е число"
84 84 not_a_date: невалидна дата"
85 85 greater_than: "must be greater than {{count}}"
86 86 greater_than_or_equal_to: "must be greater than or equal to {{count}}"
87 87 equal_to: "must be equal to {{count}}"
88 88 less_than: "must be less than {{count}}"
89 89 less_than_or_equal_to: "must be less than or equal to {{count}}"
90 90 odd: "must be odd"
91 91 even: "must be even"
92 92 greater_than_start_date: "трябва да е след началната дата"
93 93 not_same_project: "не е от същия проект"
94 94 circular_dependency: "Тази релация ще доведе до безкрайна зависимост"
95 95
96 96 actionview_instancetag_blank_option: Изберете
97 97
98 98 general_text_No: 'Не'
99 99 general_text_Yes: 'Да'
100 100 general_text_no: 'не'
101 101 general_text_yes: 'да'
102 102 general_lang_name: 'Bulgarian'
103 103 general_csv_separator: ','
104 104 general_csv_decimal_separator: '.'
105 105 general_csv_encoding: UTF-8
106 106 general_pdf_encoding: UTF-8
107 107 general_first_day_of_week: '1'
108 108
109 109 notice_account_updated: Профилът е обновен успешно.
110 110 notice_account_invalid_creditentials: Невалиден потребител или парола.
111 111 notice_account_password_updated: Паролата е успешно променена.
112 112 notice_account_wrong_password: Грешна парола
113 113 notice_account_register_done: Профилът е създаден успешно.
114 114 notice_account_unknown_email: Непознат e-mail.
115 115 notice_can_t_change_password: Този профил е с външен метод за оторизация. Невъзможна смяна на паролата.
116 116 notice_account_lost_email_sent: Изпратен ви е e-mail с инструкции за избор на нова парола.
117 117 notice_account_activated: Профилът ви е активиран. Вече може да влезете в системата.
118 118 notice_successful_create: Успешно създаване.
119 119 notice_successful_update: Успешно обновяване.
120 120 notice_successful_delete: Успешно изтриване.
121 121 notice_successful_connection: Успешно свързване.
122 122 notice_file_not_found: Несъществуваща или преместена страница.
123 123 notice_locking_conflict: Друг потребител променя тези данни в момента.
124 124 notice_not_authorized: Нямате право на достъп до тази страница.
125 125 notice_email_sent: "Изпратен e-mail на {{value}}"
126 126 notice_email_error: "Грешка при изпращане на e-mail ({{value}})"
127 127 notice_feeds_access_key_reseted: Вашия ключ за RSS достъп беше променен.
128 128
129 129 error_scm_not_found: Несъществуващ обект в хранилището.
130 130 error_scm_command_failed: "Грешка при опит за комуникация с хранилище: {{value}}"
131 131
132 132 mail_subject_lost_password: "Вашата парола ({{value}})"
133 133 mail_body_lost_password: 'За да смените паролата си, използвайте следния линк:'
134 134 mail_subject_register: "Активация на профил ({{value}})"
135 135 mail_body_register: 'За да активирате профила си използвайте следния линк:'
136 136
137 137 gui_validation_error: 1 грешка
138 138 gui_validation_error_plural: "{{count}} грешки"
139 139
140 140 field_name: Име
141 141 field_description: Описание
142 142 field_summary: Групиран изглед
143 143 field_is_required: Задължително
144 144 field_firstname: Име
145 145 field_lastname: Фамилия
146 146 field_mail: Email
147 147 field_filename: Файл
148 148 field_filesize: Големина
149 149 field_downloads: Downloads
150 150 field_author: Автор
151 151 field_created_on: От дата
152 152 field_updated_on: Обновена
153 153 field_field_format: Тип
154 154 field_is_for_all: За всички проекти
155 155 field_possible_values: Възможни стойности
156 156 field_regexp: Регулярен израз
157 157 field_min_length: Мин. дължина
158 158 field_max_length: Макс. дължина
159 159 field_value: Стойност
160 160 field_category: Категория
161 161 field_title: Заглавие
162 162 field_project: Проект
163 163 field_issue: Задача
164 164 field_status: Статус
165 165 field_notes: Бележка
166 166 field_is_closed: Затворена задача
167 167 field_is_default: Статус по подразбиране
168 168 field_tracker: Тракер
169 169 field_subject: Относно
170 170 field_due_date: Крайна дата
171 171 field_assigned_to: Възложена на
172 172 field_priority: Приоритет
173 173 field_fixed_version: Планувана версия
174 174 field_user: Потребител
175 175 field_role: Роля
176 176 field_homepage: Начална страница
177 177 field_is_public: Публичен
178 178 field_parent: Подпроект на
179 179 field_is_in_chlog: Да се вижда ли в Изменения
180 180 field_is_in_roadmap: Да се вижда ли в Пътна карта
181 181 field_login: Потребител
182 182 field_mail_notification: Известия по пощата
183 183 field_admin: Администратор
184 184 field_last_login_on: Последно свързване
185 185 field_language: Език
186 186 field_effective_date: Дата
187 187 field_password: Парола
188 188 field_new_password: Нова парола
189 189 field_password_confirmation: Потвърждение
190 190 field_version: Версия
191 191 field_type: Тип
192 192 field_host: Хост
193 193 field_port: Порт
194 194 field_account: Профил
195 195 field_base_dn: Base DN
196 196 field_attr_login: Login attribute
197 197 field_attr_firstname: Firstname attribute
198 198 field_attr_lastname: Lastname attribute
199 199 field_attr_mail: Email attribute
200 200 field_onthefly: Динамично създаване на потребител
201 201 field_start_date: Начална дата
202 202 field_done_ratio: % Прогрес
203 203 field_auth_source: Начин на оторизация
204 204 field_hide_mail: Скрий e-mail адреса ми
205 205 field_comments: Коментар
206 206 field_url: Адрес
207 207 field_start_page: Начална страница
208 208 field_subproject: Подпроект
209 209 field_hours: Часове
210 210 field_activity: Дейност
211 211 field_spent_on: Дата
212 212 field_identifier: Идентификатор
213 213 field_is_filter: Използва се за филтър
214 214 field_issue_to: Свързана задача
215 215 field_delay: Отместване
216 216 field_assignable: Възможно е възлагане на задачи за тази роля
217 217 field_redirect_existing_links: Пренасочване на съществуващи линкове
218 218 field_estimated_hours: Изчислено време
219 219 field_default_value: Стойност по подразбиране
220 220
221 221 setting_app_title: Заглавие
222 222 setting_app_subtitle: Описание
223 223 setting_welcome_text: Допълнителен текст
224 224 setting_default_language: Език по подразбиране
225 225 setting_login_required: Изискване за вход в системата
226 226 setting_self_registration: Регистрация от потребители
227 227 setting_attachment_max_size: Максимална големина на прикачен файл
228 228 setting_issues_export_limit: Лимит за експорт на задачи
229 229 setting_mail_from: E-mail адрес за емисии
230 230 setting_host_name: Хост
231 231 setting_text_formatting: Форматиране на текста
232 232 setting_wiki_compression: Wiki компресиране на историята
233 233 setting_feeds_limit: Лимит на Feeds
234 234 setting_autofetch_changesets: Автоматично обработване на ревизиите
235 235 setting_sys_api_enabled: Разрешаване на WS за управление
236 236 setting_commit_ref_keywords: Отбелязващи ключови думи
237 237 setting_commit_fix_keywords: Приключващи ключови думи
238 238 setting_autologin: Автоматичен вход
239 239 setting_date_format: Формат на датата
240 240 setting_cross_project_issue_relations: Релации на задачи между проекти
241 241
242 242 label_user: Потребител
243 243 label_user_plural: Потребители
244 244 label_user_new: Нов потребител
245 245 label_project: Проект
246 246 label_project_new: Нов проект
247 247 label_project_plural: Проекти
248 248 label_x_projects:
249 249 zero: no projects
250 250 one: 1 project
251 251 other: "{{count}} projects"
252 252 label_project_all: Всички проекти
253 253 label_project_latest: Последни проекти
254 254 label_issue: Задача
255 255 label_issue_new: Нова задача
256 256 label_issue_plural: Задачи
257 257 label_issue_view_all: Всички задачи
258 258 label_document: Документ
259 259 label_document_new: Нов документ
260 260 label_document_plural: Документи
261 261 label_role: Роля
262 262 label_role_plural: Роли
263 263 label_role_new: Нова роля
264 264 label_role_and_permissions: Роли и права
265 265 label_member: Член
266 266 label_member_new: Нов член
267 267 label_member_plural: Членове
268 268 label_tracker: Тракер
269 269 label_tracker_plural: Тракери
270 270 label_tracker_new: Нов тракер
271 271 label_workflow: Работен процес
272 272 label_issue_status: Статус на задача
273 273 label_issue_status_plural: Статуси на задачи
274 274 label_issue_status_new: Нов статус
275 275 label_issue_category: Категория задача
276 276 label_issue_category_plural: Категории задачи
277 277 label_issue_category_new: Нова категория
278 278 label_custom_field: Потребителско поле
279 279 label_custom_field_plural: Потребителски полета
280 280 label_custom_field_new: Ново потребителско поле
281 281 label_enumerations: Списъци
282 282 label_enumeration_new: Нова стойност
283 283 label_information: Информация
284 284 label_information_plural: Информация
285 285 label_please_login: Вход
286 286 label_register: Регистрация
287 287 label_password_lost: Забравена парола
288 288 label_home: Начало
289 289 label_my_page: Лична страница
290 290 label_my_account: Профил
291 291 label_my_projects: Проекти, в които участвам
292 292 label_administration: Администрация
293 293 label_login: Вход
294 294 label_logout: Изход
295 295 label_help: Помощ
296 296 label_reported_issues: Публикувани задачи
297 297 label_assigned_to_me_issues: Възложени на мен
298 298 label_last_login: Последно свързване
299 299 label_registered_on: Регистрация
300 300 label_activity: Дейност
301 301 label_new: Нов
302 302 label_logged_as: Логнат като
303 303 label_environment: Среда
304 304 label_authentication: Оторизация
305 305 label_auth_source: Начин на оторозация
306 306 label_auth_source_new: Нов начин на оторизация
307 307 label_auth_source_plural: Начини на оторизация
308 308 label_subproject_plural: Подпроекти
309 309 label_min_max_length: Мин. - Макс. дължина
310 310 label_list: Списък
311 311 label_date: Дата
312 312 label_integer: Целочислен
313 313 label_boolean: Чекбокс
314 314 label_string: Текст
315 315 label_text: Дълъг текст
316 316 label_attribute: Атрибут
317 317 label_attribute_plural: Атрибути
318 318 label_download: "{{count}} Download"
319 319 label_download_plural: "{{count}} Downloads"
320 320 label_no_data: Няма изходни данни
321 321 label_change_status: Промяна на статуса
322 322 label_history: История
323 323 label_attachment: Файл
324 324 label_attachment_new: Нов файл
325 325 label_attachment_delete: Изтриване
326 326 label_attachment_plural: Файлове
327 327 label_report: Справка
328 328 label_report_plural: Справки
329 329 label_news: Новини
330 330 label_news_new: Добави
331 331 label_news_plural: Новини
332 332 label_news_latest: Последни новини
333 333 label_news_view_all: Виж всички
334 334 label_change_log: Изменения
335 335 label_settings: Настройки
336 336 label_overview: Общ изглед
337 337 label_version: Версия
338 338 label_version_new: Нова версия
339 339 label_version_plural: Версии
340 340 label_confirmation: Одобрение
341 341 label_export_to: Експорт към
342 342 label_read: Read...
343 343 label_public_projects: Публични проекти
344 344 label_open_issues: отворена
345 345 label_open_issues_plural: отворени
346 346 label_closed_issues: затворена
347 347 label_closed_issues_plural: затворени
348 348 label_x_open_issues_abbr_on_total:
349 349 zero: 0 open / {{total}}
350 350 one: 1 open / {{total}}
351 351 other: "{{count}} open / {{total}}"
352 352 label_x_open_issues_abbr:
353 353 zero: 0 open
354 354 one: 1 open
355 355 other: "{{count}} open"
356 356 label_x_closed_issues_abbr:
357 357 zero: 0 closed
358 358 one: 1 closed
359 359 other: "{{count}} closed"
360 360 label_total: Общо
361 361 label_permissions: Права
362 362 label_current_status: Текущ статус
363 363 label_new_statuses_allowed: Позволени статуси
364 364 label_all: всички
365 365 label_none: никакви
366 366 label_next: Следващ
367 367 label_previous: Предишен
368 368 label_used_by: Използва се от
369 369 label_details: Детайли
370 370 label_add_note: Добавяне на бележка
371 371 label_per_page: На страница
372 372 label_calendar: Календар
373 373 label_months_from: месеца от
374 374 label_gantt: Gantt
375 375 label_internal: Вътрешен
376 376 label_last_changes: "последни {{count}} промени"
377 377 label_change_view_all: Виж всички промени
378 378 label_personalize_page: Персонализиране
379 379 label_comment: Коментар
380 380 label_comment_plural: Коментари
381 381 label_x_comments:
382 382 zero: no comments
383 383 one: 1 comment
384 384 other: "{{count}} comments"
385 385 label_comment_add: Добавяне на коментар
386 386 label_comment_added: Добавен коментар
387 387 label_comment_delete: Изтриване на коментари
388 388 label_query: Потребителска справка
389 389 label_query_plural: Потребителски справки
390 390 label_query_new: Нова заявка
391 391 label_filter_add: Добави филтър
392 392 label_filter_plural: Филтри
393 393 label_equals: е
394 394 label_not_equals: не е
395 395 label_in_less_than: след по-малко от
396 396 label_in_more_than: след повече от
397 397 label_in: в следващите
398 398 label_today: днес
399 399 label_this_week: тази седмица
400 400 label_less_than_ago: преди по-малко от
401 401 label_more_than_ago: преди повече от
402 402 label_ago: преди
403 403 label_contains: съдържа
404 404 label_not_contains: не съдържа
405 405 label_day_plural: дни
406 406 label_repository: Хранилище
407 407 label_browse: Разглеждане
408 408 label_modification: "{{count}} промяна"
409 409 label_modification_plural: "{{count}} промени"
410 410 label_revision: Ревизия
411 411 label_revision_plural: Ревизии
412 412 label_added: добавено
413 413 label_modified: променено
414 414 label_deleted: изтрито
415 415 label_latest_revision: Последна ревизия
416 416 label_latest_revision_plural: Последни ревизии
417 417 label_view_revisions: Виж ревизиите
418 418 label_max_size: Максимална големина
419 419 label_sort_highest: Премести най-горе
420 420 label_sort_higher: Премести по-горе
421 421 label_sort_lower: Премести по-долу
422 422 label_sort_lowest: Премести най-долу
423 423 label_roadmap: Пътна карта
424 424 label_roadmap_due_in: "Излиза след {{value}}"
425 425 label_roadmap_overdue: "{{value}} закъснение"
426 426 label_roadmap_no_issues: Няма задачи за тази версия
427 427 label_search: Търсене
428 428 label_result_plural: Pезултати
429 429 label_all_words: Всички думи
430 430 label_wiki: Wiki
431 431 label_wiki_edit: Wiki редакция
432 432 label_wiki_edit_plural: Wiki редакции
433 433 label_wiki_page: Wiki page
434 434 label_wiki_page_plural: Wiki pages
435 435 label_index_by_title: Индекс
436 436 label_index_by_date: Индекс по дата
437 437 label_current_version: Текуща версия
438 438 label_preview: Преглед
439 439 label_feed_plural: Feeds
440 440 label_changes_details: Подробни промени
441 441 label_issue_tracking: Тракинг
442 442 label_spent_time: Отделено време
443 443 label_f_hour: "{{value}} час"
444 444 label_f_hour_plural: "{{value}} часа"
445 445 label_time_tracking: Отделяне на време
446 446 label_change_plural: Промени
447 447 label_statistics: Статистики
448 448 label_commits_per_month: Ревизии по месеци
449 449 label_commits_per_author: Ревизии по автор
450 450 label_view_diff: Виж разликите
451 451 label_diff_inline: хоризонтално
452 452 label_diff_side_by_side: вертикално
453 453 label_options: Опции
454 454 label_copy_workflow_from: Копирай работния процес от
455 455 label_permissions_report: Справка за права
456 456 label_watched_issues: Наблюдавани задачи
457 457 label_related_issues: Свързани задачи
458 458 label_applied_status: Промени статуса на
459 459 label_loading: Зареждане...
460 460 label_relation_new: Нова релация
461 461 label_relation_delete: Изтриване на релация
462 462 label_relates_to: свързана със
463 463 label_duplicates: дублира
464 464 label_blocks: блокира
465 465 label_blocked_by: блокирана от
466 466 label_precedes: предшества
467 467 label_follows: изпълнява се след
468 468 label_end_to_start: end to start
469 469 label_end_to_end: end to end
470 470 label_start_to_start: start to start
471 471 label_start_to_end: start to end
472 472 label_stay_logged_in: Запомни ме
473 473 label_disabled: забранено
474 474 label_show_completed_versions: Показване на реализирани версии
475 475 label_me: аз
476 476 label_board: Форум
477 477 label_board_new: Нов форум
478 478 label_board_plural: Форуми
479 479 label_topic_plural: Теми
480 480 label_message_plural: Съобщения
481 481 label_message_last: Последно съобщение
482 482 label_message_new: Нова тема
483 483 label_reply_plural: Отговори
484 484 label_send_information: Изпращане на информацията до потребителя
485 485 label_year: Година
486 486 label_month: Месец
487 487 label_week: Седмица
488 488 label_date_from: От
489 489 label_date_to: До
490 490 label_language_based: В зависимост от езика
491 491 label_sort_by: "Сортиране по {{value}}"
492 492 label_send_test_email: Изпращане на тестов e-mail
493 493 label_feeds_access_key_created_on: "{{value}} от създаването на RSS ключа"
494 494 label_module_plural: Модули
495 495 label_added_time_by: "Публикувана от {{author}} преди {{age}}"
496 496 label_updated_time: "Обновена преди {{value}}"
497 497 label_jump_to_a_project: Проект...
498 498
499 499 button_login: Вход
500 500 button_submit: Прикачване
501 501 button_save: Запис
502 502 button_check_all: Избор на всички
503 503 button_uncheck_all: Изчистване на всички
504 504 button_delete: Изтриване
505 505 button_create: Създаване
506 506 button_test: Тест
507 507 button_edit: Редакция
508 508 button_add: Добавяне
509 509 button_change: Промяна
510 510 button_apply: Приложи
511 511 button_clear: Изчисти
512 512 button_lock: Заключване
513 513 button_unlock: Отключване
514 514 button_download: Download
515 515 button_list: Списък
516 516 button_view: Преглед
517 517 button_move: Преместване
518 518 button_back: Назад
519 519 button_cancel: Отказ
520 520 button_activate: Активация
521 521 button_sort: Сортиране
522 522 button_log_time: Отделяне на време
523 523 button_rollback: Върни се към тази ревизия
524 524 button_watch: Наблюдавай
525 525 button_unwatch: Спри наблюдението
526 526 button_reply: Отговор
527 527 button_archive: Архивиране
528 528 button_unarchive: Разархивиране
529 529 button_reset: Генериране наново
530 530 button_rename: Преименуване
531 531
532 532 status_active: активен
533 533 status_registered: регистриран
534 534 status_locked: заключен
535 535
536 536 text_select_mail_notifications: Изберете събития за изпращане на e-mail.
537 537 text_regexp_info: пр. ^[A-Z0-9]+$
538 538 text_min_max_length_info: 0 - без ограничения
539 539 text_project_destroy_confirmation: Сигурни ли сте, че искате да изтриете проекта и данните в него?
540 540 text_workflow_edit: Изберете роля и тракер за да редактирате работния процес
541 541 text_are_you_sure: Сигурни ли сте?
542 542 text_tip_task_begin_day: задача започваща този ден
543 543 text_tip_task_end_day: задача завършваща този ден
544 544 text_tip_task_begin_end_day: задача започваща и завършваща този ден
545 545 text_project_identifier_info: 'Позволени са малки букви (a-z), цифри и тирета.<br />Невъзможна промяна след запис.'
546 546 text_caracters_maximum: "До {{count}} символа."
547 547 text_length_between: "От {{min}} до {{max}} символа."
548 548 text_tracker_no_workflow: Няма дефиниран работен процес за този тракер
549 549 text_unallowed_characters: Непозволени символи
550 550 text_comma_separated: Позволено е изброяване (с разделител запетая).
551 551 text_issues_ref_in_commit_messages: Отбелязване и приключване на задачи от ревизии
552 552 text_issue_added: "Публикувана е нова задача с номер {{id}} (от {{author}})."
553 553 text_issue_updated: "Задача {{id}} е обновена (от {{author}})."
554 554 text_wiki_destroy_confirmation: Сигурни ли сте, че искате да изтриете това Wiki и цялото му съдържание?
555 555 text_issue_category_destroy_question: "Има задачи ({{count}}) обвързани с тази категория. Какво ще изберете?"
556 556 text_issue_category_destroy_assignments: Премахване на връзките с категорията
557 557 text_issue_category_reassign_to: Преобвързване с категория
558 558
559 559 default_role_manager: Мениджър
560 560 default_role_developper: Разработчик
561 561 default_role_reporter: Публикуващ
562 562 default_tracker_bug: Бъг
563 563 default_tracker_feature: Функционалност
564 564 default_tracker_support: Поддръжка
565 565 default_issue_status_new: Нова
566 566 default_issue_status_assigned: Възложена
567 567 default_issue_status_resolved: Приключена
568 568 default_issue_status_feedback: Обратна връзка
569 569 default_issue_status_closed: Затворена
570 570 default_issue_status_rejected: Отхвърлена
571 571 default_doc_category_user: Документация за потребителя
572 572 default_doc_category_tech: Техническа документация
573 573 default_priority_low: Нисък
574 574 default_priority_normal: Нормален
575 575 default_priority_high: Висок
576 576 default_priority_urgent: Спешен
577 577 default_priority_immediate: Веднага
578 578 default_activity_design: Дизайн
579 579 default_activity_development: Разработка
580 580
581 581 enumeration_issue_priorities: Приоритети на задачи
582 582 enumeration_doc_categories: Категории документи
583 583 enumeration_activities: Дейности (time tracking)
584 584 label_file_plural: Файлове
585 585 label_changeset_plural: Ревизии
586 586 field_column_names: Колони
587 587 label_default_columns: По подразбиране
588 588 setting_issue_list_default_columns: Показвани колони по подразбиране
589 589 setting_repositories_encodings: Кодови таблици
590 590 notice_no_issue_selected: "Няма избрани задачи."
591 591 label_bulk_edit_selected_issues: Редактиране на задачи
592 592 label_no_change_option: (Без промяна)
593 593 notice_failed_to_save_issues: "Неуспешен запис на {{count}} задачи от {{total}} избрани: {{ids}}."
594 594 label_theme: Тема
595 595 label_default: По подразбиране
596 596 label_search_titles_only: Само в заглавията
597 597 label_nobody: никой
598 598 button_change_password: Промяна на парола
599 599 text_user_mail_option: "За неизбраните проекти, ще получавате известия само за наблюдавани дейности или в които участвате (т.е. автор или назначени на мен)."
600 600 label_user_mail_option_selected: "За всички събития само в избраните проекти..."
601 601 label_user_mail_option_all: "За всяко събитие в проектите, в които участвам"
602 602 label_user_mail_option_none: "Само за наблюдавани или в които участвам (автор или назначени на мен)"
603 603 setting_emails_footer: Подтекст за e-mail
604 604 label_float: Дробно
605 605 button_copy: Копиране
606 606 mail_body_account_information_external: "Можете да използвате вашия {{value}} профил за вход."
607 607 mail_body_account_information: Информацията за профила ви
608 608 setting_protocol: Протокол
609 609 label_user_mail_no_self_notified: "Не искам известия за извършени от мен промени"
610 610 setting_time_format: Формат на часа
611 611 label_registration_activation_by_email: активиране на профила по email
612 612 mail_subject_account_activation_request: "Заявка за активиране на профил в {{value}}"
613 613 mail_body_account_activation_request: "Има новорегистриран потребител ({{value}}), очакващ вашето одобрение:"
614 614 label_registration_automatic_activation: автоматично активиране
615 615 label_registration_manual_activation: ръчно активиране
616 616 notice_account_pending: "Профилът Ви е създаден и очаква одобрение от администратор."
617 617 field_time_zone: Часова зона
618 618 text_caracters_minimum: "Минимум {{count}} символа."
619 619 setting_bcc_recipients: Получатели на скрито копие (bcc)
620 620 button_annotate: Анотация
621 621 label_issues_by: "Задачи по {{value}}"
622 622 field_searchable: С възможност за търсене
623 623 label_display_per_page: "На страница по: {{value}}"
624 624 setting_per_page_options: Опции за страниране
625 625 label_age: Възраст
626 626 notice_default_data_loaded: Примерната информацията е успешно заредена.
627 627 text_load_default_configuration: Зареждане на примерна информация
628 628 text_no_configuration_data: "Все още не са конфигурирани Роли, тракери, статуси на задачи и работен процес.\nСтрого се препоръчва зареждането на примерната информация. Веднъж заредена ще имате възможност да я редактирате."
629 629 error_can_t_load_default_data: "Грешка при зареждане на примерната информация: {{value}}"
630 630 button_update: Обновяване
631 631 label_change_properties: Промяна на настройки
632 632 label_general: Основни
633 633 label_repository_plural: Хранилища
634 634 label_associated_revisions: Асоциирани ревизии
635 635 setting_user_format: Потребителски формат
636 636 text_status_changed_by_changeset: "Приложено с ревизия {{value}}."
637 637 label_more: Още
638 638 text_issues_destroy_confirmation: 'Сигурни ли сте, че искате да изтриете избраните задачи?'
639 639 label_scm: SCM (Система за контрол на кода)
640 640 text_select_project_modules: 'Изберете активните модули за този проект:'
641 641 label_issue_added: Добавена задача
642 642 label_issue_updated: Обновена задача
643 643 label_document_added: Добавен документ
644 644 label_message_posted: Добавено съобщение
645 645 label_file_added: Добавен файл
646 646 label_news_added: Добавена новина
647 647 project_module_boards: Форуми
648 648 project_module_issue_tracking: Тракинг
649 649 project_module_wiki: Wiki
650 650 project_module_files: Файлове
651 651 project_module_documents: Документи
652 652 project_module_repository: Хранилище
653 653 project_module_news: Новини
654 654 project_module_time_tracking: Отделяне на време
655 655 text_file_repository_writable: Възможност за писане в хранилището с файлове
656 656 text_default_administrator_account_changed: Сменен фабричния администраторски профил
657 657 text_rmagick_available: Наличен RMagick (по избор)
658 658 button_configure: Конфигуриране
659 659 label_plugins: Плъгини
660 660 label_ldap_authentication: LDAP оторизация
661 661 label_downloads_abbr: D/L
662 662 label_this_month: текущия месец
663 663 label_last_n_days: "последните {{count}} дни"
664 664 label_all_time: всички
665 665 label_this_year: текущата година
666 666 label_date_range: Период
667 667 label_last_week: последната седмица
668 668 label_yesterday: вчера
669 669 label_last_month: последния месец
670 670 label_add_another_file: Добавяне на друг файл
671 671 label_optional_description: Незадължително описание
672 672 text_destroy_time_entries_question: "{{hours}} часа са отделени на задачите, които искате да изтриете. Какво избирате?"
673 673 error_issue_not_found_in_project: 'Задачата не е намерена или не принадлежи на този проект'
674 674 text_assign_time_entries_to_project: Прехвърляне на отделеното време към проект
675 675 text_destroy_time_entries: Изтриване на отделеното време
676 676 text_reassign_time_entries: 'Прехвърляне на отделеното време към задача:'
677 677 setting_activity_days_default: Брой дни показвани на таб Дейност
678 678 label_chronological_order: Хронологичен ред
679 679 field_comments_sorting: Сортиране на коментарите
680 680 label_reverse_chronological_order: Обратен хронологичен ред
681 681 label_preferences: Предпочитания
682 682 setting_display_subprojects_issues: Показване на подпроектите в проектите по подразбиране
683 683 label_overall_activity: Цялостна дейност
684 684 setting_default_projects_public: Новите проекти са публични по подразбиране
685 685 error_scm_annotate: "Обектът не съществува или не може да бъде анотиран."
686 686 label_planning: Планиране
687 687 text_subprojects_destroy_warning: "Its subproject(s): {{value}} will be also deleted."
688 688 label_and_its_subprojects: "{{value}} and its subprojects"
689 689 mail_body_reminder: "{{count}} issue(s) that are assigned to you are due in the next {{days}} days:"
690 690 mail_subject_reminder: "{{count}} issue(s) due in the next days"
691 691 text_user_wrote: "{{value}} wrote:"
692 692 label_duplicated_by: duplicated by
693 693 setting_enabled_scm: Enabled SCM
694 694 text_enumeration_category_reassign_to: 'Reassign them to this value:'
695 695 text_enumeration_destroy_question: "{{count}} objects are assigned to this value."
696 696 label_incoming_emails: Incoming emails
697 697 label_generate_key: Generate a key
698 698 setting_mail_handler_api_enabled: Enable WS for incoming emails
699 699 setting_mail_handler_api_key: API key
700 700 text_email_delivery_not_configured: "Email delivery is not configured, and notifications are disabled.\nConfigure your SMTP server in config/email.yml and restart the application to enable them."
701 701 field_parent_title: Parent page
702 702 label_issue_watchers: Watchers
703 703 setting_commit_logs_encoding: Commit messages encoding
704 704 button_quote: Quote
705 705 setting_sequential_project_identifiers: Generate sequential project identifiers
706 706 notice_unable_delete_version: Unable to delete version
707 707 label_renamed: renamed
708 708 label_copied: copied
709 709 setting_plain_text_mail: plain text only (no HTML)
710 710 permission_view_files: View files
711 711 permission_edit_issues: Edit issues
712 712 permission_edit_own_time_entries: Edit own time logs
713 713 permission_manage_public_queries: Manage public queries
714 714 permission_add_issues: Add issues
715 715 permission_log_time: Log spent time
716 716 permission_view_changesets: View changesets
717 717 permission_view_time_entries: View spent time
718 718 permission_manage_versions: Manage versions
719 719 permission_manage_wiki: Manage wiki
720 720 permission_manage_categories: Manage issue categories
721 721 permission_protect_wiki_pages: Protect wiki pages
722 722 permission_comment_news: Comment news
723 723 permission_delete_messages: Delete messages
724 724 permission_select_project_modules: Select project modules
725 725 permission_manage_documents: Manage documents
726 726 permission_edit_wiki_pages: Edit wiki pages
727 727 permission_add_issue_watchers: Add watchers
728 728 permission_view_gantt: View gantt chart
729 729 permission_move_issues: Move issues
730 730 permission_manage_issue_relations: Manage issue relations
731 731 permission_delete_wiki_pages: Delete wiki pages
732 732 permission_manage_boards: Manage boards
733 733 permission_delete_wiki_pages_attachments: Delete attachments
734 734 permission_view_wiki_edits: View wiki history
735 735 permission_add_messages: Post messages
736 736 permission_view_messages: View messages
737 737 permission_manage_files: Manage files
738 738 permission_edit_issue_notes: Edit notes
739 739 permission_manage_news: Manage news
740 740 permission_view_calendar: View calendrier
741 741 permission_manage_members: Manage members
742 742 permission_edit_messages: Edit messages
743 743 permission_delete_issues: Delete issues
744 744 permission_view_issue_watchers: View watchers list
745 745 permission_manage_repository: Manage repository
746 746 permission_commit_access: Commit access
747 747 permission_browse_repository: Browse repository
748 748 permission_view_documents: View documents
749 749 permission_edit_project: Edit project
750 750 permission_add_issue_notes: Add notes
751 751 permission_save_queries: Save queries
752 752 permission_view_wiki_pages: View wiki
753 753 permission_rename_wiki_pages: Rename wiki pages
754 754 permission_edit_time_entries: Edit time logs
755 755 permission_edit_own_issue_notes: Edit own notes
756 756 setting_gravatar_enabled: Use Gravatar user icons
757 757 label_example: Example
758 758 text_repository_usernames_mapping: "Select ou update the Redmine user mapped to each username found in the repository log.\nUsers with the same Redmine and repository username or email are automatically mapped."
759 759 permission_edit_own_messages: Edit own messages
760 760 permission_delete_own_messages: Delete own messages
761 761 label_user_activity: "{{value}}'s activity"
762 762 label_updated_time_by: "Updated by {{author}} {{age}} ago"
763 763 text_diff_truncated: '... This diff was truncated because it exceeds the maximum size that can be displayed.'
764 764 setting_diff_max_lines_displayed: Max number of diff lines displayed
765 765 text_plugin_assets_writable: Plugin assets directory writable
766 766 warning_attachments_not_saved: "{{count}} file(s) could not be saved."
767 767 button_create_and_continue: Create and continue
768 768 text_custom_field_possible_values_info: 'One line for each value'
769 769 label_display: Display
770 770 field_editable: Editable
771 771 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
772 772 setting_file_max_size_displayed: Max size of text files displayed inline
773 773 field_watcher: Watcher
774 774 setting_openid: Allow OpenID login and registration
775 775 field_identity_url: OpenID URL
776 776 label_login_with_open_id_option: or login with OpenID
777 777 field_content: Content
778 778 label_descending: Descending
779 779 label_sort: Sort
780 780 label_ascending: Ascending
781 781 label_date_from_to: From {{start}} to {{end}}
782 782 label_greater_or_equal: ">="
783 783 label_less_or_equal: <=
784 784 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
785 785 text_wiki_page_reassign_children: Reassign child pages to this parent page
786 786 text_wiki_page_nullify_children: Keep child pages as root pages
787 787 text_wiki_page_destroy_children: Delete child pages and all their descendants
788 788 setting_password_min_length: Minimum password length
789 789 field_group_by: Group results by
790 790 mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated"
791 791 label_wiki_content_added: Wiki page added
792 792 mail_subject_wiki_content_added: "'{{page}}' wiki page has been added"
793 793 mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}.
794 794 label_wiki_content_updated: Wiki page updated
795 795 mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}.
796 796 permission_add_project: Create project
797 797 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
798 798 label_view_all_revisions: View all revisions
799 799 label_tag: Tag
800 800 label_branch: Branch
801 801 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
802 802 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
803 803 text_journal_changed: "{{label}} changed from {{old}} to {{new}}"
804 804 text_journal_set_to: "{{label}} set to {{value}}"
805 805 text_journal_deleted: "{{label}} deleted"
806 806 label_group_plural: Groups
807 807 label_group: Group
808 808 label_group_new: New group
809 label_time_entry_plural: Spent time
@@ -1,841 +1,842
1 1 #Ernad Husremovic hernad@bring.out.ba
2 2
3 3 bs:
4 4 date:
5 5 formats:
6 6 default: "%d.%m.%Y"
7 7 short: "%e. %b"
8 8 long: "%e. %B %Y"
9 9 only_day: "%e"
10 10
11 11
12 12 day_names: [Nedjelja, Ponedjeljak, Utorak, Srijeda, Četvrtak, Petak, Subota]
13 13 abbr_day_names: [Ned, Pon, Uto, Sri, Čet, Pet, Sub]
14 14
15 15 month_names: [~, Januar, Februar, Mart, April, Maj, Jun, Jul, Avgust, Septembar, Oktobar, Novembar, Decembar]
16 16 abbr_month_names: [~, Jan, Feb, Mar, Apr, Maj, Jun, Jul, Avg, Sep, Okt, Nov, Dec]
17 17 order: [ :day, :month, :year ]
18 18
19 19 time:
20 20 formats:
21 21 default: "%A, %e. %B %Y, %H:%M"
22 22 short: "%e. %B, %H:%M Uhr"
23 23 long: "%A, %e. %B %Y, %H:%M"
24 24 time: "%H:%M"
25 25
26 26 am: "prijepodne"
27 27 pm: "poslijepodne"
28 28
29 29 datetime:
30 30 distance_in_words:
31 31 half_a_minute: "pola minute"
32 32 less_than_x_seconds:
33 33 one: "manje od 1 sekunde"
34 34 other: "manje od {{count}} sekudni"
35 35 x_seconds:
36 36 one: "1 sekunda"
37 37 other: "{{count}} sekundi"
38 38 less_than_x_minutes:
39 39 one: "manje od 1 minute"
40 40 other: "manje od {{count}} minuta"
41 41 x_minutes:
42 42 one: "1 minuta"
43 43 other: "{{count}} minuta"
44 44 about_x_hours:
45 45 one: "oko 1 sahat"
46 46 other: "oko {{count}} sahata"
47 47 x_days:
48 48 one: "1 dan"
49 49 other: "{{count}} dana"
50 50 about_x_months:
51 51 one: "oko 1 mjesec"
52 52 other: "oko {{count}} mjeseci"
53 53 x_months:
54 54 one: "1 mjesec"
55 55 other: "{{count}} mjeseci"
56 56 about_x_years:
57 57 one: "oko 1 godine"
58 58 other: "oko {{count}} godina"
59 59 over_x_years:
60 60 one: "preko 1 godine"
61 61 other: "preko {{count}} godina"
62 62
63 63
64 64 number:
65 65 format:
66 66 precision: 2
67 67 separator: ','
68 68 delimiter: '.'
69 69 currency:
70 70 format:
71 71 unit: 'KM'
72 72 format: '%u %n'
73 73 separator:
74 74 delimiter:
75 75 precision:
76 76 percentage:
77 77 format:
78 78 delimiter: ""
79 79 precision:
80 80 format:
81 81 delimiter: ""
82 82 human:
83 83 format:
84 84 delimiter: ""
85 85 precision: 1
86 86
87 87
88 88
89 89
90 90 # Used in array.to_sentence.
91 91 support:
92 92 array:
93 93 sentence_connector: "i"
94 94 skip_last_comma: false
95 95
96 96 activerecord:
97 97 errors:
98 98 messages:
99 99 inclusion: "nije uključeno u listu"
100 100 exclusion: "je rezervisano"
101 101 invalid: "nije ispravno"
102 102 confirmation: "ne odgovara potvrdi"
103 103 accepted: "mora se prihvatiti"
104 104 empty: "ne može biti prazno"
105 105 blank: "ne može biti znak razmaka"
106 106 too_long: "je predugačko"
107 107 too_short: "je prekratko"
108 108 wrong_length: "je pogrešne dužine"
109 109 taken: "već je zauzeto"
110 110 not_a_number: "nije broj"
111 111 not_a_date: "nije ispravan datum"
112 112 greater_than: "mora bit veći od {{count}}"
113 113 greater_than_or_equal_to: "mora bit veći ili jednak {{count}}"
114 114 equal_to: "mora biti jednak {{count}}"
115 115 less_than: "mora biti manji od {{count}}"
116 116 less_than_or_equal_to: "mora bit manji ili jednak {{count}}"
117 117 odd: "mora biti neparan"
118 118 even: "mora biti paran"
119 119 greater_than_start_date: "mora biti veći nego početni datum"
120 120 not_same_project: "ne pripada istom projektu"
121 121 circular_dependency: "Ova relacija stvar cirkularnu zavisnost"
122 122
123 123 actionview_instancetag_blank_option: Molimo odaberite
124 124
125 125 general_text_No: 'Da'
126 126 general_text_Yes: 'Ne'
127 127 general_text_no: 'ne'
128 128 general_text_yes: 'da'
129 129 general_lang_name: 'Bosanski'
130 130 general_csv_separator: ','
131 131 general_csv_decimal_separator: '.'
132 132 general_csv_encoding: utf8
133 133 general_pdf_encoding: utf8
134 134 general_first_day_of_week: '7'
135 135
136 136 notice_account_activated: Vaš nalog je aktiviran. Možete se prijaviti.
137 137 notice_account_invalid_creditentials: Pogrešan korisnik ili lozinka
138 138 notice_account_lost_email_sent: Email sa uputstvima o izboru nove šifre je poslat na vašu adresu.
139 139 notice_account_password_updated: Lozinka je uspješno promjenjena.
140 140 notice_account_pending: "Vaš nalog je kreiran i čeka odobrenje administratora."
141 141 notice_account_register_done: Nalog je uspješno kreiran. Da bi ste aktivirali vaš nalog kliknite na link koji vam je poslat.
142 142 notice_account_unknown_email: Nepoznati korisnik.
143 143 notice_account_updated: Nalog je uspješno promjenen.
144 144 notice_account_wrong_password: Pogrešna lozinka
145 145 notice_can_t_change_password: Ovaj nalog koristi eksterni izvor prijavljivanja. Ne mogu da promjenim šifru.
146 146 notice_default_data_loaded: Podrazumjevana konfiguracija uspječno učitana.
147 147 notice_email_error: Došlo je do greške pri slanju emaila ({{value}})
148 148 notice_email_sent: "Email je poslan {{value}}"
149 149 notice_failed_to_save_issues: "Neuspješno snimanje {{count}} aktivnosti na {{total}} izabrano: {{ids}}."
150 150 notice_feeds_access_key_reseted: Vaš RSS pristup je resetovan.
151 151 notice_file_not_found: Stranica kojoj pokušavate da pristupite ne postoji ili je uklonjena.
152 152 notice_locking_conflict: "Konflikt: podaci su izmjenjeni od strane drugog korisnika."
153 153 notice_no_issue_selected: "Nijedna aktivnost nije izabrana! Molim, izaberite aktivnosti koje želite za ispravljate."
154 154 notice_not_authorized: Niste ovlašćeni da pristupite ovoj stranici.
155 155 notice_successful_connection: Uspješna konekcija.
156 156 notice_successful_create: Uspješno kreiranje.
157 157 notice_successful_delete: Brisanje izvršeno.
158 158 notice_successful_update: Promjene uspješno izvršene.
159 159
160 160 error_can_t_load_default_data: "Podrazumjevane postavke se ne mogu učitati {{value}}"
161 161 error_scm_command_failed: "Desila se greška pri pristupu repozitoriju: {{value}}"
162 162 error_scm_not_found: "Unos i/ili revizija ne postoji u repozitoriju."
163 163
164 164 error_scm_annotate: "Ova stavka ne postoji ili nije označena."
165 165 error_issue_not_found_in_project: 'Aktivnost nije nađena ili ne pripada ovom projektu'
166 166
167 167 warning_attachments_not_saved: "{{count}} fajl(ovi) ne mogu biti snimljen(i)."
168 168
169 169 mail_subject_lost_password: "Vaša {{value}} lozinka"
170 170 mail_body_lost_password: 'Za promjenu lozinke, kliknite na sljedeći link:'
171 171 mail_subject_register: "Aktivirajte {{value}} vaš korisnički račun"
172 172 mail_body_register: 'Za aktivaciju vašeg korisničkog računa, kliknite na sljedeći link:'
173 173 mail_body_account_information_external: "Možete koristiti vaš {{value}} korisnički račun za prijavu na sistem."
174 174 mail_body_account_information: Informacija o vašem korisničkom računu
175 175 mail_subject_account_activation_request: "{{value}} zahtjev za aktivaciju korisničkog računa"
176 176 mail_body_account_activation_request: "Novi korisnik ({{value}}) se registrovao. Korisnički račun čeka vaše odobrenje za aktivaciju:"
177 177 mail_subject_reminder: "{{count}} aktivnost(i) u kašnjenju u narednim danima"
178 178 mail_body_reminder: "{{count}} aktivnost(i) koje su dodjeljenje vama u narednim {{days}} danima:"
179 179
180 180 gui_validation_error: 1 greška
181 181 gui_validation_error_plural: "{{count}} grešaka"
182 182
183 183 field_name: Ime
184 184 field_description: Opis
185 185 field_summary: Pojašnjenje
186 186 field_is_required: Neophodno popuniti
187 187 field_firstname: Ime
188 188 field_lastname: Prezime
189 189 field_mail: Email
190 190 field_filename: Fajl
191 191 field_filesize: Veličina
192 192 field_downloads: Downloadi
193 193 field_author: Autor
194 194 field_created_on: Kreirano
195 195 field_updated_on: Izmjenjeno
196 196 field_field_format: Format
197 197 field_is_for_all: Za sve projekte
198 198 field_possible_values: Moguće vrijednosti
199 199 field_regexp: '"Regularni izraz"'
200 200 field_min_length: Minimalna veličina
201 201 field_max_length: Maksimalna veličina
202 202 field_value: Vrijednost
203 203 field_category: Kategorija
204 204 field_title: Naslov
205 205 field_project: Projekat
206 206 field_issue: Aktivnost
207 207 field_status: Status
208 208 field_notes: Bilješke
209 209 field_is_closed: Aktivnost zatvorena
210 210 field_is_default: Podrazumjevana vrijednost
211 211 field_tracker: Područje aktivnosti
212 212 field_subject: Subjekat
213 213 field_due_date: Završiti do
214 214 field_assigned_to: Dodijeljeno
215 215 field_priority: Prioritet
216 216 field_fixed_version: Ciljna verzija
217 217 field_user: Korisnik
218 218 field_role: Uloga
219 219 field_homepage: Naslovna strana
220 220 field_is_public: Javni
221 221 field_parent: Podprojekt od
222 222 field_is_in_chlog: Aktivnosti prikazane u logu promjena
223 223 field_is_in_roadmap: Aktivnosti prikazane u planu realizacije
224 224 field_login: Prijava
225 225 field_mail_notification: Email notifikacije
226 226 field_admin: Administrator
227 227 field_last_login_on: Posljednja konekcija
228 228 field_language: Jezik
229 229 field_effective_date: Datum
230 230 field_password: Lozinka
231 231 field_new_password: Nova lozinka
232 232 field_password_confirmation: Potvrda
233 233 field_version: Verzija
234 234 field_type: Tip
235 235 field_host: Host
236 236 field_port: Port
237 237 field_account: Korisnički račun
238 238 field_base_dn: Base DN
239 239 field_attr_login: Attribut za prijavu
240 240 field_attr_firstname: Attribut za ime
241 241 field_attr_lastname: Atribut za prezime
242 242 field_attr_mail: Atribut za email
243 243 field_onthefly: 'Kreiranje korisnika "On-the-fly"'
244 244 field_start_date: Početak
245 245 field_done_ratio: % Realizovano
246 246 field_auth_source: Mod za authentifikaciju
247 247 field_hide_mail: Sakrij moju email adresu
248 248 field_comments: Komentar
249 249 field_url: URL
250 250 field_start_page: Početna stranica
251 251 field_subproject: Podprojekat
252 252 field_hours: Sahata
253 253 field_activity: Operacija
254 254 field_spent_on: Datum
255 255 field_identifier: Identifikator
256 256 field_is_filter: Korišteno kao filter
257 257 field_issue_to: Povezana aktivnost
258 258 field_delay: Odgađanje
259 259 field_assignable: Aktivnosti dodijeljene ovoj ulozi
260 260 field_redirect_existing_links: Izvrši redirekciju postojećih linkova
261 261 field_estimated_hours: Procjena vremena
262 262 field_column_names: Kolone
263 263 field_time_zone: Vremenska zona
264 264 field_searchable: Pretraživo
265 265 field_default_value: Podrazumjevana vrijednost
266 266 field_comments_sorting: Prikaži komentare
267 267 field_parent_title: 'Stranica "roditelj"'
268 268 field_editable: Može se mijenjati
269 269 field_watcher: Posmatrač
270 270 field_identity_url: OpenID URL
271 271 field_content: Sadržaj
272 272
273 273 setting_app_title: Naslov aplikacije
274 274 setting_app_subtitle: Podnaslov aplikacije
275 275 setting_welcome_text: Tekst dobrodošlice
276 276 setting_default_language: Podrazumjevani jezik
277 277 setting_login_required: Authentifikacija neophodna
278 278 setting_self_registration: Samo-registracija
279 279 setting_attachment_max_size: Maksimalna veličina prikačenog fajla
280 280 setting_issues_export_limit: Limit za eksport aktivnosti
281 281 setting_mail_from: Mail adresa - pošaljilac
282 282 setting_bcc_recipients: '"BCC" (blind carbon copy) primaoci '
283 283 setting_plain_text_mail: Email sa običnim tekstom (bez HTML-a)
284 284 setting_host_name: Ime hosta i putanja
285 285 setting_text_formatting: Formatiranje teksta
286 286 setting_wiki_compression: Kompresija Wiki istorije
287 287
288 288 setting_feeds_limit: 'Limit za "RSS" feed-ove'
289 289 setting_default_projects_public: Podrazumjeva se da je novi projekat javni
290 290 setting_autofetch_changesets: 'Automatski kupi "commit"-e'
291 291 setting_sys_api_enabled: 'Omogući "WS" za upravljanje repozitorijom'
292 292 setting_commit_ref_keywords: Ključne riječi za reference
293 293 setting_commit_fix_keywords: 'Ključne riječi za status "zatvoreno"'
294 294 setting_autologin: Automatski login
295 295 setting_date_format: Format datuma
296 296 setting_time_format: Format vremena
297 297 setting_cross_project_issue_relations: Omogući relacije između aktivnosti na različitim projektima
298 298 setting_issue_list_default_columns: Podrazumjevane koleone za prikaz na listi aktivnosti
299 299 setting_repositories_encodings: Enkodiranje repozitorija
300 300 setting_commit_logs_encoding: 'Enkodiranje "commit" poruka'
301 301 setting_emails_footer: Potpis na email-ovima
302 302 setting_protocol: Protokol
303 303 setting_per_page_options: Broj objekata po stranici
304 304 setting_user_format: Format korisničkog prikaza
305 305 setting_activity_days_default: Prikaz promjena na projektu - opseg dana
306 306 setting_display_subprojects_issues: Prikaz podprojekata na glavnom projektima (podrazumjeva se)
307 307 setting_enabled_scm: Omogući SCM (source code management)
308 308 setting_mail_handler_api_enabled: Omogući automatsku obradu ulaznih emailova
309 309 setting_mail_handler_api_key: API ključ (obrada ulaznih mailova)
310 310 setting_sequential_project_identifiers: Generiši identifikatore projekta sekvencijalno
311 311 setting_gravatar_enabled: 'Koristi "gravatar" korisničke ikone'
312 312 setting_diff_max_lines_displayed: Maksimalan broj linija za prikaz razlika između dva fajla
313 313 setting_file_max_size_displayed: Maksimalna veličina fajla kod prikaza razlika unutar fajla (inline)
314 314 setting_repository_log_display_limit: Maksimalna veličina revizija prikazanih na log fajlu
315 315 setting_openid: Omogući OpenID prijavu i registraciju
316 316
317 317 permission_edit_project: Ispravke projekta
318 318 permission_select_project_modules: Odaberi module projekta
319 319 permission_manage_members: Upravljanje članovima
320 320 permission_manage_versions: Upravljanje verzijama
321 321 permission_manage_categories: Upravljanje kategorijama aktivnosti
322 322 permission_add_issues: Dodaj aktivnosti
323 323 permission_edit_issues: Ispravka aktivnosti
324 324 permission_manage_issue_relations: Upravljaj relacijama među aktivnostima
325 325 permission_add_issue_notes: Dodaj bilješke
326 326 permission_edit_issue_notes: Ispravi bilješke
327 327 permission_edit_own_issue_notes: Ispravi sopstvene bilješke
328 328 permission_move_issues: Pomjeri aktivnosti
329 329 permission_delete_issues: Izbriši aktivnosti
330 330 permission_manage_public_queries: Upravljaj javnim upitima
331 331 permission_save_queries: Snimi upite
332 332 permission_view_gantt: Pregled gantograma
333 333 permission_view_calendar: Pregled kalendara
334 334 permission_view_issue_watchers: Pregled liste korisnika koji prate aktivnost
335 335 permission_add_issue_watchers: Dodaj onoga koji prati aktivnost
336 336 permission_log_time: Evidentiraj utrošak vremena
337 337 permission_view_time_entries: Pregled utroška vremena
338 338 permission_edit_time_entries: Ispravka utroška vremena
339 339 permission_edit_own_time_entries: Ispravka svog utroška vremena
340 340 permission_manage_news: Upravljaj novostima
341 341 permission_comment_news: Komentiraj novosti
342 342 permission_manage_documents: Upravljaj dokumentima
343 343 permission_view_documents: Pregled dokumenata
344 344 permission_manage_files: Upravljaj fajlovima
345 345 permission_view_files: Pregled fajlova
346 346 permission_manage_wiki: Upravljaj wiki stranicama
347 347 permission_rename_wiki_pages: Ispravi wiki stranicu
348 348 permission_delete_wiki_pages: Izbriši wiki stranicu
349 349 permission_view_wiki_pages: Pregled wiki sadržaja
350 350 permission_view_wiki_edits: Pregled wiki istorije
351 351 permission_edit_wiki_pages: Ispravka wiki stranica
352 352 permission_delete_wiki_pages_attachments: Brisanje fajlova prikačenih wiki-ju
353 353 permission_protect_wiki_pages: Zaštiti wiki stranicu
354 354 permission_manage_repository: Upravljaj repozitorijem
355 355 permission_browse_repository: Pregled repozitorija
356 356 permission_view_changesets: Pregled setova promjena
357 357 permission_commit_access: 'Pristup "commit"-u'
358 358 permission_manage_boards: Upravljaj forumima
359 359 permission_view_messages: Pregled poruka
360 360 permission_add_messages: Šalji poruke
361 361 permission_edit_messages: Ispravi poruke
362 362 permission_edit_own_messages: Ispravka sopstvenih poruka
363 363 permission_delete_messages: Prisanje poruka
364 364 permission_delete_own_messages: Brisanje sopstvenih poruka
365 365
366 366 project_module_issue_tracking: Praćenje aktivnosti
367 367 project_module_time_tracking: Praćenje vremena
368 368 project_module_news: Novosti
369 369 project_module_documents: Dokumenti
370 370 project_module_files: Fajlovi
371 371 project_module_wiki: Wiki stranice
372 372 project_module_repository: Repozitorij
373 373 project_module_boards: Forumi
374 374
375 375 label_user: Korisnik
376 376 label_user_plural: Korisnici
377 377 label_user_new: Novi korisnik
378 378 label_project: Projekat
379 379 label_project_new: Novi projekat
380 380 label_project_plural: Projekti
381 381 label_x_projects:
382 382 zero: 0 projekata
383 383 one: 1 projekat
384 384 other: "{{count}} projekata"
385 385 label_project_all: Svi projekti
386 386 label_project_latest: Posljednji projekti
387 387 label_issue: Aktivnost
388 388 label_issue_new: Nova aktivnost
389 389 label_issue_plural: Aktivnosti
390 390 label_issue_view_all: Vidi sve aktivnosti
391 391 label_issues_by: "Aktivnosti po {{value}}"
392 392 label_issue_added: Aktivnost je dodana
393 393 label_issue_updated: Aktivnost je izmjenjena
394 394 label_document: Dokument
395 395 label_document_new: Novi dokument
396 396 label_document_plural: Dokumenti
397 397 label_document_added: Dokument je dodan
398 398 label_role: Uloga
399 399 label_role_plural: Uloge
400 400 label_role_new: Nove uloge
401 401 label_role_and_permissions: Uloge i dozvole
402 402 label_member: Izvršilac
403 403 label_member_new: Novi izvršilac
404 404 label_member_plural: Izvršioci
405 405 label_tracker: Područje aktivnosti
406 406 label_tracker_plural: Područja aktivnosti
407 407 label_tracker_new: Novo područje aktivnosti
408 408 label_workflow: Tok promjena na aktivnosti
409 409 label_issue_status: Status aktivnosti
410 410 label_issue_status_plural: Statusi aktivnosti
411 411 label_issue_status_new: Novi status
412 412 label_issue_category: Kategorija aktivnosti
413 413 label_issue_category_plural: Kategorije aktivnosti
414 414 label_issue_category_new: Nova kategorija
415 415 label_custom_field: Proizvoljno polje
416 416 label_custom_field_plural: Proizvoljna polja
417 417 label_custom_field_new: Novo proizvoljno polje
418 418 label_enumerations: Enumeracije
419 419 label_enumeration_new: Nova vrijednost
420 420 label_information: Informacija
421 421 label_information_plural: Informacije
422 422 label_please_login: Molimo prijavite se
423 423 label_register: Registracija
424 424 label_login_with_open_id_option: ili prijava sa OpenID-om
425 425 label_password_lost: Izgubljena lozinka
426 426 label_home: Početna stranica
427 427 label_my_page: Moja stranica
428 428 label_my_account: Moj korisnički račun
429 429 label_my_projects: Moji projekti
430 430 label_administration: Administracija
431 431 label_login: Prijavi se
432 432 label_logout: Odjavi se
433 433 label_help: Pomoć
434 434 label_reported_issues: Prijavljene aktivnosti
435 435 label_assigned_to_me_issues: Aktivnosti dodjeljene meni
436 436 label_last_login: Posljednja konekcija
437 437 label_registered_on: Registrovan na
438 438 label_activity_plural: Promjene
439 439 label_activity: Operacija
440 440 label_overall_activity: Pregled svih promjena
441 441 label_user_activity: "Promjene izvršene od: {{value}}"
442 442 label_new: Novi
443 443 label_logged_as: Prijavljen kao
444 444 label_environment: Sistemsko okruženje
445 445 label_authentication: Authentifikacija
446 446 label_auth_source: Mod authentifikacije
447 447 label_auth_source_new: Novi mod authentifikacije
448 448 label_auth_source_plural: Modovi authentifikacije
449 449 label_subproject_plural: Podprojekti
450 450 label_and_its_subprojects: "{{value}} i njegovi podprojekti"
451 451 label_min_max_length: Min - Maks dužina
452 452 label_list: Lista
453 453 label_date: Datum
454 454 label_integer: Cijeli broj
455 455 label_float: Float
456 456 label_boolean: Logička varijabla
457 457 label_string: Tekst
458 458 label_text: Dugi tekst
459 459 label_attribute: Atribut
460 460 label_attribute_plural: Atributi
461 461 label_download: "{{count}} download"
462 462 label_download_plural: "{{count}} download-i"
463 463 label_no_data: Nema podataka za prikaz
464 464 label_change_status: Promjeni status
465 465 label_history: Istorija
466 466 label_attachment: Fajl
467 467 label_attachment_new: Novi fajl
468 468 label_attachment_delete: Izbriši fajl
469 469 label_attachment_plural: Fajlovi
470 470 label_file_added: Fajl je dodan
471 471 label_report: Izvještaj
472 472 label_report_plural: Izvještaji
473 473 label_news: Novosti
474 474 label_news_new: Dodaj novosti
475 475 label_news_plural: Novosti
476 476 label_news_latest: Posljednje novosti
477 477 label_news_view_all: Pogledaj sve novosti
478 478 label_news_added: Novosti su dodane
479 479 label_change_log: Log promjena
480 480 label_settings: Postavke
481 481 label_overview: Pregled
482 482 label_version: Verzija
483 483 label_version_new: Nova verzija
484 484 label_version_plural: Verzije
485 485 label_confirmation: Potvrda
486 486 label_export_to: 'Takođe dostupno u:'
487 487 label_read: Čitaj...
488 488 label_public_projects: Javni projekti
489 489 label_open_issues: otvoren
490 490 label_open_issues_plural: otvoreni
491 491 label_closed_issues: zatvoren
492 492 label_closed_issues_plural: zatvoreni
493 493 label_x_open_issues_abbr_on_total:
494 494 zero: 0 otvoreno / {{total}}
495 495 one: 1 otvorena / {{total}}
496 496 other: "{{count}} otvorene / {{total}}"
497 497 label_x_open_issues_abbr:
498 498 zero: 0 otvoreno
499 499 one: 1 otvorena
500 500 other: "{{count}} otvorene"
501 501 label_x_closed_issues_abbr:
502 502 zero: 0 zatvoreno
503 503 one: 1 zatvorena
504 504 other: "{{count}} zatvorene"
505 505 label_total: Ukupno
506 506 label_permissions: Dozvole
507 507 label_current_status: Tekući status
508 508 label_new_statuses_allowed: Novi statusi dozvoljeni
509 509 label_all: sve
510 510 label_none: ništa
511 511 label_nobody: niko
512 512 label_next: Sljedeće
513 513 label_previous: Predhodno
514 514 label_used_by: Korišteno od
515 515 label_details: Detalji
516 516 label_add_note: Dodaj bilješku
517 517 label_per_page: Po stranici
518 518 label_calendar: Kalendar
519 519 label_months_from: mjeseci od
520 520 label_gantt: Gantt
521 521 label_internal: Interno
522 522 label_last_changes: "posljednjih {{count}} promjena"
523 523 label_change_view_all: Vidi sve promjene
524 524 label_personalize_page: Personaliziraj ovu stranicu
525 525 label_comment: Komentar
526 526 label_comment_plural: Komentari
527 527 label_x_comments:
528 528 zero: bez komentara
529 529 one: 1 komentar
530 530 other: "{{count}} komentari"
531 531 label_comment_add: Dodaj komentar
532 532 label_comment_added: Komentar je dodan
533 533 label_comment_delete: Izbriši komentar
534 534 label_query: Proizvoljan upit
535 535 label_query_plural: Proizvoljni upiti
536 536 label_query_new: Novi upit
537 537 label_filter_add: Dodaj filter
538 538 label_filter_plural: Filteri
539 539 label_equals: je
540 540 label_not_equals: nije
541 541 label_in_less_than: je manji nego
542 542 label_in_more_than: je više nego
543 543 label_in: u
544 544 label_today: danas
545 545 label_all_time: sve vrijeme
546 546 label_yesterday: juče
547 547 label_this_week: ova hefta
548 548 label_last_week: zadnja hefta
549 549 label_last_n_days: "posljednjih {{count}} dana"
550 550 label_this_month: ovaj mjesec
551 551 label_last_month: posljednji mjesec
552 552 label_this_year: ova godina
553 553 label_date_range: Datumski opseg
554 554 label_less_than_ago: ranije nego (dana)
555 555 label_more_than_ago: starije nego (dana)
556 556 label_ago: prije (dana)
557 557 label_contains: sadrži
558 558 label_not_contains: ne sadrži
559 559 label_day_plural: dani
560 560 label_repository: Repozitorij
561 561 label_repository_plural: Repozitoriji
562 562 label_browse: Listaj
563 563 label_modification: "{{count}} promjena"
564 564 label_modification_plural: "{{count}} promjene"
565 565 label_revision: Revizija
566 566 label_revision_plural: Revizije
567 567 label_associated_revisions: Doddjeljene revizije
568 568 label_added: dodano
569 569 label_modified: izmjenjeno
570 570 label_copied: kopirano
571 571 label_renamed: preimenovano
572 572 label_deleted: izbrisano
573 573 label_latest_revision: Posljednja revizija
574 574 label_latest_revision_plural: Posljednje revizije
575 575 label_view_revisions: Vidi revizije
576 576 label_max_size: Maksimalna veličina
577 577 label_sort_highest: Pomjeri na vrh
578 578 label_sort_higher: Pomjeri gore
579 579 label_sort_lower: Pomjeri dole
580 580 label_sort_lowest: Pomjeri na dno
581 581 label_roadmap: Plan realizacije
582 582 label_roadmap_due_in: "Obavezan do {{value}}"
583 583 label_roadmap_overdue: "{{value}} kasni"
584 584 label_roadmap_no_issues: Nema aktivnosti za ovu verziju
585 585 label_search: Traži
586 586 label_result_plural: Rezultati
587 587 label_all_words: Sve riječi
588 588 label_wiki: Wiki stranice
589 589 label_wiki_edit: ispravka wiki-ja
590 590 label_wiki_edit_plural: ispravke wiki-ja
591 591 label_wiki_page: Wiki stranica
592 592 label_wiki_page_plural: Wiki stranice
593 593 label_index_by_title: Indeks prema naslovima
594 594 label_index_by_date: Indeks po datumima
595 595 label_current_version: Tekuća verzija
596 596 label_preview: Pregled
597 597 label_feed_plural: Feeds
598 598 label_changes_details: Detalji svih promjena
599 599 label_issue_tracking: Evidencija aktivnosti
600 600 label_spent_time: Utrošak vremena
601 601 label_f_hour: "{{value}} sahat"
602 602 label_f_hour_plural: "{{value}} sahata"
603 603 label_time_tracking: Evidencija vremena
604 604 label_change_plural: Promjene
605 605 label_statistics: Statistika
606 606 label_commits_per_month: '"Commit"-a po mjesecu'
607 607 label_commits_per_author: '"Commit"-a po autoru'
608 608 label_view_diff: Pregled razlika
609 609 label_diff_inline: zajedno
610 610 label_diff_side_by_side: jedna pored druge
611 611 label_options: Opcije
612 612 label_copy_workflow_from: Kopiraj tok promjena statusa iz
613 613 label_permissions_report: Izvještaj
614 614 label_watched_issues: Aktivnosti koje pratim
615 615 label_related_issues: Korelirane aktivnosti
616 616 label_applied_status: Status je primjenjen
617 617 label_loading: Učitavam...
618 618 label_relation_new: Nova relacija
619 619 label_relation_delete: Izbriši relaciju
620 620 label_relates_to: korelira sa
621 621 label_duplicates: duplikat
622 622 label_duplicated_by: duplicirano od
623 623 label_blocks: blokira
624 624 label_blocked_by: blokirano on
625 625 label_precedes: predhodi
626 626 label_follows: slijedi
627 627 label_end_to_start: 'kraj -> početak'
628 628 label_end_to_end: 'kraja -> kraj'
629 629 label_start_to_start: 'početak -> početak'
630 630 label_start_to_end: 'početak -> kraj'
631 631 label_stay_logged_in: Ostani prijavljen
632 632 label_disabled: onemogućen
633 633 label_show_completed_versions: Prikaži završene verzije
634 634 label_me: ja
635 635 label_board: Forum
636 636 label_board_new: Novi forum
637 637 label_board_plural: Forumi
638 638 label_topic_plural: Teme
639 639 label_message_plural: Poruke
640 640 label_message_last: Posljednja poruka
641 641 label_message_new: Nova poruka
642 642 label_message_posted: Poruka je dodana
643 643 label_reply_plural: Odgovori
644 644 label_send_information: Pošalji informaciju o korisničkom računu
645 645 label_year: Godina
646 646 label_month: Mjesec
647 647 label_week: Hefta
648 648 label_date_from: Od
649 649 label_date_to: Do
650 650 label_language_based: Bazirano na korisnikovom jeziku
651 651 label_sort_by: "Sortiraj po {{value}}"
652 652 label_send_test_email: Pošalji testni email
653 653 label_feeds_access_key_created_on: "RSS pristupni ključ kreiran prije {{value}} dana"
654 654 label_module_plural: Moduli
655 655 label_added_time_by: "Dodano od {{author}} prije {{age}}"
656 656 label_updated_time_by: "Izmjenjeno od {{author}} prije {{age}}"
657 657 label_updated_time: "Izmjenjeno prije {{value}}"
658 658 label_jump_to_a_project: Skoči na projekat...
659 659 label_file_plural: Fajlovi
660 660 label_changeset_plural: Setovi promjena
661 661 label_default_columns: Podrazumjevane kolone
662 662 label_no_change_option: (Bez promjene)
663 663 label_bulk_edit_selected_issues: Ispravi odjednom odabrane aktivnosti
664 664 label_theme: Tema
665 665 label_default: Podrazumjevano
666 666 label_search_titles_only: Pretraži samo naslove
667 667 label_user_mail_option_all: "Za bilo koji događaj na svim mojim projektima"
668 668 label_user_mail_option_selected: "Za bilo koji događaj na odabranim projektima..."
669 669 label_user_mail_option_none: "Samo za stvari koje ja gledam ili sam u njih uključen"
670 670 label_user_mail_no_self_notified: "Ne želim notifikaciju za promjene koje sam ja napravio"
671 671 label_registration_activation_by_email: aktivacija korisničkog računa email-om
672 672 label_registration_manual_activation: ručna aktivacija korisničkog računa
673 673 label_registration_automatic_activation: automatska kreacija korisničkog računa
674 674 label_display_per_page: "Po stranici: {{value}}"
675 675 label_age: Starost
676 676 label_change_properties: Promjena osobina
677 677 label_general: Generalno
678 678 label_more: Više
679 679 label_scm: SCM
680 680 label_plugins: Plugin-ovi
681 681 label_ldap_authentication: LDAP authentifikacija
682 682 label_downloads_abbr: D/L
683 683 label_optional_description: Opis (opciono)
684 684 label_add_another_file: Dodaj još jedan fajl
685 685 label_preferences: Postavke
686 686 label_chronological_order: Hronološki poredak
687 687 label_reverse_chronological_order: Reverzni hronološki poredak
688 688 label_planning: Planiranje
689 689 label_incoming_emails: Dolazni email-ovi
690 690 label_generate_key: Generiši ključ
691 691 label_issue_watchers: Praćeno od
692 692 label_example: Primjer
693 693 label_display: Prikaz
694 694
695 695 button_apply: Primjeni
696 696 button_add: Dodaj
697 697 button_archive: Arhiviranje
698 698 button_back: Nazad
699 699 button_cancel: Odustani
700 700 button_change: Izmjeni
701 701 button_change_password: Izmjena lozinke
702 702 button_check_all: Označi sve
703 703 button_clear: Briši
704 704 button_copy: Kopiraj
705 705 button_create: Novi
706 706 button_delete: Briši
707 707 button_download: Download
708 708 button_edit: Ispravka
709 709 button_list: Lista
710 710 button_lock: Zaključaj
711 711 button_log_time: Utrošak vremena
712 712 button_login: Prijava
713 713 button_move: Pomjeri
714 714 button_rename: Promjena imena
715 715 button_reply: Odgovor
716 716 button_reset: Resetuj
717 717 button_rollback: Vrati predhodno stanje
718 718 button_save: Snimi
719 719 button_sort: Sortiranje
720 720 button_submit: Pošalji
721 721 button_test: Testiraj
722 722 button_unarchive: Otpakuj arhivu
723 723 button_uncheck_all: Isključi sve
724 724 button_unlock: Otključaj
725 725 button_unwatch: Prekini notifikaciju
726 726 button_update: Promjena na aktivnosti
727 727 button_view: Pregled
728 728 button_watch: Notifikacija
729 729 button_configure: Konfiguracija
730 730 button_quote: Citat
731 731
732 732 status_active: aktivan
733 733 status_registered: registrovan
734 734 status_locked: zaključan
735 735
736 736 text_select_mail_notifications: Odaberi događaje za koje će se slati email notifikacija.
737 737 text_regexp_info: npr. ^[A-Z0-9]+$
738 738 text_min_max_length_info: 0 znači bez restrikcije
739 739 text_project_destroy_confirmation: Sigurno želite izbrisati ovaj projekat i njegove podatke ?
740 740 text_subprojects_destroy_warning: "Podprojekt(i): {{value}} će takođe biti izbrisani."
741 741 text_workflow_edit: Odaberite ulogu i područje aktivnosti za ispravku toka promjena na aktivnosti
742 742 text_are_you_sure: Da li ste sigurni ?
743 743 text_tip_task_begin_day: zadatak počinje danas
744 744 text_tip_task_end_day: zadatak završava danas
745 745 text_tip_task_begin_end_day: zadatak započinje i završava danas
746 746 text_project_identifier_info: 'Samo mala slova (a-z), brojevi i crtice su dozvoljeni.<br />Nakon snimanja, identifikator se ne može mijenjati.'
747 747 text_caracters_maximum: "maksimum {{count}} karaktera."
748 748 text_caracters_minimum: "Dužina mora biti najmanje {{count}} znakova."
749 749 text_length_between: "Broj znakova između {{min}} i {{max}}."
750 750 text_tracker_no_workflow: Tok statusa nije definisan za ovo područje aktivnosti
751 751 text_unallowed_characters: Nedozvoljeni znakovi
752 752 text_comma_separated: Višestruke vrijednosti dozvoljene (odvojiti zarezom).
753 753 text_issues_ref_in_commit_messages: 'Referenciranje i zatvaranje aktivnosti putem "commit" poruka'
754 754 text_issue_added: "Aktivnost {{id}} je prijavljena od {{author}}."
755 755 text_issue_updated: "Aktivnost {{id}} je izmjenjena od {{author}}."
756 756 text_wiki_destroy_confirmation: Sigurno želite izbrisati ovaj wiki i čitav njegov sadržaj ?
757 757 text_issue_category_destroy_question: "Neke aktivnosti ({{count}}) pripadaju ovoj kategoriji. Sigurno to želite uraditi ?"
758 758 text_issue_category_destroy_assignments: Ukloni kategoriju
759 759 text_issue_category_reassign_to: Ponovo dodijeli ovu kategoriju
760 760 text_user_mail_option: "Za projekte koje niste odabrali, primićete samo notifikacije o stavkama koje pratite ili ste u njih uključeni (npr. vi ste autor ili su vama dodjeljenje)."
761 761 text_no_configuration_data: "Uloge, područja aktivnosti, statusi aktivnosti i tok promjena statusa nisu konfigurisane.\nKrajnje je preporučeno da učitate tekuđe postavke. Kasnije ćete ih moći mjenjati po svojim potrebama."
762 762 text_load_default_configuration: Učitaj tekuću konfiguraciju
763 763 text_status_changed_by_changeset: "Primjenjeno u setu promjena {{value}}."
764 764 text_issues_destroy_confirmation: 'Sigurno želite izbrisati odabranu/e aktivnost/i ?'
765 765 text_select_project_modules: 'Odaberi module koje želite u ovom projektu:'
766 766 text_default_administrator_account_changed: Tekući administratorski račun je promjenjen
767 767 text_file_repository_writable: U direktorij sa fajlovima koji su prilozi se može pisati
768 768 text_plugin_assets_writable: U direktorij plugin-ova se može pisati
769 769 text_rmagick_available: RMagick je dostupan (opciono)
770 770 text_destroy_time_entries_question: "{{hours}} sahata je prijavljeno na aktivnostima koje želite brisati. Želite li to učiniti ?"
771 771 text_destroy_time_entries: Izbriši prijavljeno vrijeme
772 772 text_assign_time_entries_to_project: Dodaj prijavljenoo vrijeme projektu
773 773 text_reassign_time_entries: 'Preraspodjeli prijavljeno vrijeme na ovu aktivnost:'
774 774 text_user_wrote: "{{value}} je napisao/la:"
775 775 text_enumeration_destroy_question: "Za {{count}} objekata je dodjeljenja ova vrijednost."
776 776 text_enumeration_category_reassign_to: 'Ponovo im dodjeli ovu vrijednost:'
777 777 text_email_delivery_not_configured: "Email dostava nije konfiguraisana, notifikacija je onemogućena.\nKonfiguriši SMTP server u config/email.yml i restartuj aplikaciju nakon toga."
778 778 text_repository_usernames_mapping: "Odaberi ili ispravi redmine korisnika mapiranog za svako korisničko ima nađeno u logu repozitorija.\nKorisnici sa istim imenom u redmineu i u repozitoruju se automatski mapiraju."
779 779 text_diff_truncated: '... Ovaj prikaz razlike je odsječen pošto premašuje maksimalnu veličinu za prikaz'
780 780 text_custom_field_possible_values_info: 'Jedna linija za svaku vrijednost'
781 781
782 782 default_role_manager: Menadžer
783 783 default_role_developper: Programer
784 784 default_role_reporter: Reporter
785 785 default_tracker_bug: Greška
786 786 default_tracker_feature: Nova funkcija
787 787 default_tracker_support: Podrška
788 788 default_issue_status_new: Novi
789 789 default_issue_status_assigned: Dodjeljen
790 790 default_issue_status_resolved: Riješen
791 791 default_issue_status_feedback: Čeka se povratna informacija
792 792 default_issue_status_closed: Zatvoren
793 793 default_issue_status_rejected: Odbijen
794 794 default_doc_category_user: Korisnička dokumentacija
795 795 default_doc_category_tech: Tehnička dokumentacija
796 796 default_priority_low: Nizak
797 797 default_priority_normal: Normalan
798 798 default_priority_high: Visok
799 799 default_priority_urgent: Urgentno
800 800 default_priority_immediate: Odmah
801 801 default_activity_design: Dizajn
802 802 default_activity_development: Programiranje
803 803
804 804 enumeration_issue_priorities: Prioritet aktivnosti
805 805 enumeration_doc_categories: Kategorije dokumenata
806 806 enumeration_activities: Operacije (utrošak vremena)
807 807 notice_unable_delete_version: Ne mogu izbrisati verziju.
808 808 button_create_and_continue: Kreiraj i nastavi
809 809 button_annotate: Zabilježi
810 810 button_activate: Aktiviraj
811 811 label_sort: Sortiranje
812 812 label_date_from_to: Od {{start}} do {{end}}
813 813 label_ascending: Rastuće
814 814 label_descending: Opadajuće
815 815 label_greater_or_equal: ">="
816 816 label_less_or_equal: <=
817 817 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
818 818 text_wiki_page_reassign_children: Reassign child pages to this parent page
819 819 text_wiki_page_nullify_children: Keep child pages as root pages
820 820 text_wiki_page_destroy_children: Delete child pages and all their descendants
821 821 setting_password_min_length: Minimum password length
822 822 field_group_by: Group results by
823 823 mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated"
824 824 label_wiki_content_added: Wiki page added
825 825 mail_subject_wiki_content_added: "'{{page}}' wiki page has been added"
826 826 mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}.
827 827 label_wiki_content_updated: Wiki page updated
828 828 mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}.
829 829 permission_add_project: Create project
830 830 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
831 831 label_view_all_revisions: View all revisions
832 832 label_tag: Tag
833 833 label_branch: Branch
834 834 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
835 835 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
836 836 text_journal_changed: "{{label}} changed from {{old}} to {{new}}"
837 837 text_journal_set_to: "{{label}} set to {{value}}"
838 838 text_journal_deleted: "{{label}} deleted"
839 839 label_group_plural: Groups
840 840 label_group: Group
841 841 label_group_new: New group
842 label_time_entry_plural: Spent time
@@ -1,811 +1,812
1 1 ca:
2 2 date:
3 3 formats:
4 4 # Use the strftime parameters for formats.
5 5 # When no format has been given, it uses default.
6 6 # You can provide other formats here if you like!
7 7 default: "%d-%m-%Y"
8 8 short: "%e de %b"
9 9 long: "%a, %e de %b de %Y"
10 10
11 11 day_names: [Diumenge, Dilluns, Dimarts, Dimecres, Dijous, Divendres, Dissabte]
12 12 abbr_day_names: [dg, dl, dt, dc, dj, dv, ds]
13 13
14 14 # Don't forget the nil at the beginning; there's no such thing as a 0th month
15 15 month_names: [~, Gener, Febrer, Març, Abril, Maig, Juny, Juliol, Agost, Setembre, Octubre, Novembre, Desembre]
16 16 abbr_month_names: [~, Gen, Feb, Mar, Abr, Mai, Jun, Jul, Ago, Set, Oct, Nov, Des]
17 17 # Used in date_select and datime_select.
18 18 order: [ :year, :month, :day ]
19 19
20 20 time:
21 21 formats:
22 22 default: "%d-%m-%Y %H:%M"
23 23 time: "%H:%M"
24 24 short: "%e de %b, %H:%M"
25 25 long: "%a, %e de %b de %Y, %H:%M"
26 26 am: "am"
27 27 pm: "pm"
28 28
29 29 datetime:
30 30 distance_in_words:
31 31 half_a_minute: "mig minut"
32 32 less_than_x_seconds:
33 33 one: "menys d'un segon"
34 34 other: "menys de {{count}} segons"
35 35 x_seconds:
36 36 one: "1 segons"
37 37 other: "{{count}} segons"
38 38 less_than_x_minutes:
39 39 one: "menys d'un minut"
40 40 other: "menys de {{count}} minuts"
41 41 x_minutes:
42 42 one: "1 minut"
43 43 other: "{{count}} minuts"
44 44 about_x_hours:
45 45 one: "aproximadament 1 hora"
46 46 other: "aproximadament {{count}} hores"
47 47 x_days:
48 48 one: "1 dia"
49 49 other: "{{count}} dies"
50 50 about_x_months:
51 51 one: "aproximadament 1 mes"
52 52 other: "aproximadament {{count}} mesos"
53 53 x_months:
54 54 one: "1 mes"
55 55 other: "{{count}} mesos"
56 56 about_x_years:
57 57 one: "aproximadament 1 any"
58 58 other: "aproximadament {{count}} anys"
59 59 over_x_years:
60 60 one: "més d'un any"
61 61 other: "més de {{count}} anys"
62 62
63 63 # Used in array.to_sentence.
64 64 support:
65 65 array:
66 66 sentence_connector: "i"
67 67 skip_last_comma: false
68 68
69 69 activerecord:
70 70 errors:
71 71 messages:
72 72 inclusion: "no està inclòs a la llista"
73 73 exclusion: "està reservat"
74 74 invalid: "no és vàlid"
75 75 confirmation: "la confirmació no coincideix"
76 76 accepted: "s'ha d'acceptar"
77 77 empty: "no pot estar buit"
78 78 blank: "no pot estar en blanc"
79 79 too_long: "és massa llarg"
80 80 too_short: "és massa curt"
81 81 wrong_length: "la longitud és incorrecta"
82 82 taken: "ja s'està utilitzant"
83 83 not_a_number: "no és un número"
84 84 not_a_date: "no és una data vàlida"
85 85 greater_than: "ha de ser més gran que {{count}}"
86 86 greater_than_or_equal_to: "ha de ser més gran o igual a {{count}}"
87 87 equal_to: "ha de ser igual a {{count}}"
88 88 less_than: "ha de ser menys que {{count}}"
89 89 less_than_or_equal_to: "ha de ser menys o igual a {{count}}"
90 90 odd: "ha de ser senar"
91 91 even: "ha de ser parell"
92 92 greater_than_start_date: "ha de ser superior que la data inicial"
93 93 not_same_project: "no pertany al mateix projecte"
94 94 circular_dependency: "Aquesta relació crearia una dependència circular"
95 95
96 96 actionview_instancetag_blank_option: Seleccioneu
97 97
98 98 general_text_No: 'No'
99 99 general_text_Yes: 'Si'
100 100 general_text_no: 'no'
101 101 general_text_yes: 'si'
102 102 general_lang_name: 'Català'
103 103 general_csv_separator: ';'
104 104 general_csv_decimal_separator: ','
105 105 general_csv_encoding: ISO-8859-15
106 106 general_pdf_encoding: ISO-8859-15
107 107 general_first_day_of_week: '1'
108 108
109 109 notice_account_updated: "El compte s'ha actualitzat correctament."
110 110 notice_account_invalid_creditentials: Usuari o contrasenya invàlid
111 111 notice_account_password_updated: "La contrasenya s'ha modificat correctament."
112 112 notice_account_wrong_password: Contrasenya incorrecta
113 113 notice_account_register_done: "El compte s'ha creat correctament. Per a activar el compte, feu clic en l'enllaç que us han enviat per correu electrònic."
114 114 notice_account_unknown_email: Usuari desconegut.
115 115 notice_can_t_change_password: "Aquest compte utilitza una font d'autenticació externa. No és possible canviar la contrasenya."
116 116 notice_account_lost_email_sent: "S'ha enviat un correu electrònic amb instruccions per a seleccionar una contrasenya nova."
117 117 notice_account_activated: "El compte s'ha activat. Ara podeu entrar."
118 118 notice_successful_create: "S'ha creat correctament."
119 119 notice_successful_update: "S'ha modificat correctament."
120 120 notice_successful_delete: "S'ha suprimit correctament."
121 121 notice_successful_connection: "S'ha connectat correctament."
122 122 notice_file_not_found: "La pàgina a la que intenteu accedir no existeix o s'ha suprimit."
123 123 notice_locking_conflict: Un altre usuari ha actualitzat les dades.
124 124 notice_not_authorized: No teniu permís per a accedir a aquesta pàgina.
125 125 notice_email_sent: "S'ha enviat un correu electrònic a {{value}}"
126 126 notice_email_error: "S'ha produït un error en enviar el correu ({{value}})"
127 127 notice_feeds_access_key_reseted: "S'ha reiniciat la clau d'accés del RSS."
128 128 notice_failed_to_save_issues: "No s'han pogut desar %s assumptes de {{count}} seleccionats: {{ids}}."
129 129 notice_no_issue_selected: "No s'ha seleccionat cap assumpte. Activeu els assumptes que voleu editar."
130 130 notice_account_pending: "S'ha creat el compte i ara està pendent de l'aprovació de l'administrador."
131 131 notice_default_data_loaded: "S'ha carregat correctament la configuració predeterminada."
132 132 notice_unable_delete_version: "No s'ha pogut suprimir la versió."
133 133
134 134 error_can_t_load_default_data: "No s'ha pogut carregar la configuració predeterminada: {{value}} "
135 135 error_scm_not_found: "No s'ha trobat l'entrada o la revisió en el dipòsit."
136 136 error_scm_command_failed: "S'ha produït un error en intentar accedir al dipòsit: {{value}}"
137 137 error_scm_annotate: "L'entrada no existeix o no s'ha pogut anotar."
138 138 error_issue_not_found_in_project: "No s'ha trobat l'assumpte o no pertany a aquest projecte"
139 139
140 140 warning_attachments_not_saved: "No s'han pogut desar {{count}} fitxers."
141 141
142 142 mail_subject_lost_password: "Contrasenya de {{value}}"
143 143 mail_body_lost_password: "Per a canviar la contrasenya, feu clic en l'enllaç següent:"
144 144 mail_subject_register: "Activació del compte de {{value}}"
145 145 mail_body_register: "Per a activar el compte, feu clic en l'enllaç següent:"
146 146 mail_body_account_information_external: "Podeu utilitzar el compte «{{value}}» per a entrar."
147 147 mail_body_account_information: Informació del compte
148 148 mail_subject_account_activation_request: "Sol·licitud d'activació del compte de {{value}}"
149 149 mail_body_account_activation_request: "S'ha registrat un usuari nou ({{value}}). El seu compte està pendent d'aprovació:"
150 150 mail_subject_reminder: "%d assumptes venceran els següents {{count}} dies"
151 151 mail_body_reminder: "{{count}} assumptes que teniu assignades venceran els següents {{days}} dies:"
152 152
153 153 gui_validation_error: 1 error
154 154 gui_validation_error_plural: "{{count}} errors"
155 155
156 156 field_name: Nom
157 157 field_description: Descripció
158 158 field_summary: Resum
159 159 field_is_required: Necessari
160 160 field_firstname: Nom
161 161 field_lastname: Cognom
162 162 field_mail: Correu electrònic
163 163 field_filename: Fitxer
164 164 field_filesize: Mida
165 165 field_downloads: Baixades
166 166 field_author: Autor
167 167 field_created_on: Creat
168 168 field_updated_on: Actualitzat
169 169 field_field_format: Format
170 170 field_is_for_all: Per a tots els projectes
171 171 field_possible_values: Valores possibles
172 172 field_regexp: Expressió regular
173 173 field_min_length: Longitud mínima
174 174 field_max_length: Longitud màxima
175 175 field_value: Valor
176 176 field_category: Categoria
177 177 field_title: Títol
178 178 field_project: Projecte
179 179 field_issue: Assumpte
180 180 field_status: Estat
181 181 field_notes: Notes
182 182 field_is_closed: Assumpte tancat
183 183 field_is_default: Estat predeterminat
184 184 field_tracker: Seguidor
185 185 field_subject: Tema
186 186 field_due_date: Data de venciment
187 187 field_assigned_to: Assignat a
188 188 field_priority: Prioritat
189 189 field_fixed_version: Versió objectiu
190 190 field_user: Usuari
191 191 field_role: Rol
192 192 field_homepage: Pàgina web
193 193 field_is_public: Públic
194 194 field_parent: Subprojecte de
195 195 field_is_in_chlog: Assumptes mostrats en el registre de canvis
196 196 field_is_in_roadmap: Assumptes mostrats en la planificació
197 197 field_login: Entrada
198 198 field_mail_notification: Notificacions per correu electrònic
199 199 field_admin: Administrador
200 200 field_last_login_on: Última connexió
201 201 field_language: Idioma
202 202 field_effective_date: Data
203 203 field_password: Contrasenya
204 204 field_new_password: Contrasenya nova
205 205 field_password_confirmation: Confirmació
206 206 field_version: Versió
207 207 field_type: Tipus
208 208 field_host: Ordinador
209 209 field_port: Port
210 210 field_account: Compte
211 211 field_base_dn: Base DN
212 212 field_attr_login: "Atribut d'entrada"
213 213 field_attr_firstname: Atribut del nom
214 214 field_attr_lastname: Atribut del cognom
215 215 field_attr_mail: Atribut del correu electrònic
216 216 field_onthefly: "Creació de l'usuari «al vol»"
217 217 field_start_date: Inici
218 218 field_done_ratio: % realitzat
219 219 field_auth_source: "Mode d'autenticació"
220 220 field_hide_mail: "Oculta l'adreça de correu electrònic"
221 221 field_comments: Comentari
222 222 field_url: URL
223 223 field_start_page: Pàgina inicial
224 224 field_subproject: Subprojecte
225 225 field_hours: Hores
226 226 field_activity: Activitat
227 227 field_spent_on: Data
228 228 field_identifier: Identificador
229 229 field_is_filter: "S'ha utilitzat com a filtre"
230 230 field_issue_to: Assumpte relacionat
231 231 field_delay: Retard
232 232 field_assignable: Es poden assignar assumptes a aquest rol
233 233 field_redirect_existing_links: Redirigeix els enllaços existents
234 234 field_estimated_hours: Temps previst
235 235 field_column_names: Columnes
236 236 field_time_zone: Zona horària
237 237 field_searchable: Es pot cercar
238 238 field_default_value: Valor predeterminat
239 239 field_comments_sorting: Mostra els comentaris
240 240 field_parent_title: Pàgina pare
241 241 field_editable: Es pot editar
242 242 field_watcher: Vigilància
243 243 field_identity_url: URL OpenID
244 244 field_content: Contingut
245 245
246 246 setting_app_title: "Títol de l'aplicació"
247 247 setting_app_subtitle: "Subtítol de l'aplicació"
248 248 setting_welcome_text: Text de benvinguda
249 249 setting_default_language: Idioma predeterminat
250 250 setting_login_required: Es necessita autenticació
251 251 setting_self_registration: Registre automàtic
252 252 setting_attachment_max_size: Mida màxima dels adjunts
253 253 setting_issues_export_limit: "Límit d'exportació d'assumptes"
254 254 setting_mail_from: "Adreça de correu electrònic d'emissió"
255 255 setting_bcc_recipients: Vincula els destinataris de les còpies amb carbó (bcc)
256 256 setting_plain_text_mail: només text pla (no HTML)
257 257 setting_host_name: "Nom de l'ordinador"
258 258 setting_text_formatting: Format del text
259 259 setting_wiki_compression: "Comprimeix l'historial del wiki"
260 260 setting_feeds_limit: Límit de contingut del canal
261 261 setting_default_projects_public: Els projectes nous són públics per defecte
262 262 setting_autofetch_changesets: Omple automàticament les publicacions
263 263 setting_sys_api_enabled: Habilita el WS per a la gestió del dipòsit
264 264 setting_commit_ref_keywords: Paraules claus per a la referència
265 265 setting_commit_fix_keywords: Paraules claus per a la correcció
266 266 setting_autologin: Entrada automàtica
267 267 setting_date_format: Format de la data
268 268 setting_time_format: Format de hora
269 269 setting_cross_project_issue_relations: "Permet les relacions d'assumptes entre projectes"
270 270 setting_issue_list_default_columns: "Columnes mostrades per defecte en la llista d'assumptes"
271 271 setting_repositories_encodings: Codificacions del dipòsit
272 272 setting_commit_logs_encoding: Codificació dels missatges publicats
273 273 setting_emails_footer: Peu dels correus electrònics
274 274 setting_protocol: Protocol
275 275 setting_per_page_options: Opcions dels objectes per pàgina
276 276 setting_user_format: "Format de com mostrar l'usuari"
277 277 setting_activity_days_default: "Dies a mostrar l'activitat del projecte"
278 278 setting_display_subprojects_issues: "Mostra els assumptes d'un subprojecte en el projecte pare per defecte"
279 279 setting_enabled_scm: "Habilita l'SCM"
280 280 setting_mail_handler_api_enabled: "Habilita el WS per correus electrònics d'entrada"
281 281 setting_mail_handler_api_key: Clau API
282 282 setting_sequential_project_identifiers: Genera identificadors de projecte seqüencials
283 283 setting_gravatar_enabled: "Utilitza les icones d'usuari Gravatar"
284 284 setting_diff_max_lines_displayed: Número màxim de línies amb diferències mostrades
285 285 setting_file_max_size_displayed: Mida màxima dels fitxers de text mostrats en línia
286 286 setting_repository_log_display_limit: Número màxim de revisions que es mostren al registre de fitxers
287 287 setting_openid: "Permet entrar i registrar-se amb l'OpenID"
288 288
289 289 permission_edit_project: Edita el projecte
290 290 permission_select_project_modules: Selecciona els mòduls del projecte
291 291 permission_manage_members: Gestiona els membres
292 292 permission_manage_versions: Gestiona les versions
293 293 permission_manage_categories: Gestiona les categories dels assumptes
294 294 permission_add_issues: Afegeix assumptes
295 295 permission_edit_issues: Edita els assumptes
296 296 permission_manage_issue_relations: Gestiona les relacions dels assumptes
297 297 permission_add_issue_notes: Afegeix notes
298 298 permission_edit_issue_notes: Edita les notes
299 299 permission_edit_own_issue_notes: Edita les notes pròpies
300 300 permission_move_issues: Mou els assumptes
301 301 permission_delete_issues: Suprimeix els assumptes
302 302 permission_manage_public_queries: Gestiona les consultes públiques
303 303 permission_save_queries: Desa les consultes
304 304 permission_view_gantt: Visualitza la gràfica de Gantt
305 305 permission_view_calendar: Visualitza el calendari
306 306 permission_view_issue_watchers: Visualitza la llista de vigilàncies
307 307 permission_add_issue_watchers: Afegeix vigilàncies
308 308 permission_log_time: Registra el temps invertit
309 309 permission_view_time_entries: Visualitza el temps invertit
310 310 permission_edit_time_entries: Edita els registres de temps
311 311 permission_edit_own_time_entries: Edita els registres de temps propis
312 312 permission_manage_news: Gestiona les noticies
313 313 permission_comment_news: Comenta les noticies
314 314 permission_manage_documents: Gestiona els documents
315 315 permission_view_documents: Visualitza els documents
316 316 permission_manage_files: Gestiona els fitxers
317 317 permission_view_files: Visualitza els fitxers
318 318 permission_manage_wiki: Gestiona el wiki
319 319 permission_rename_wiki_pages: Canvia el nom de les pàgines wiki
320 320 permission_delete_wiki_pages: Suprimeix les pàgines wiki
321 321 permission_view_wiki_pages: Visualitza el wiki
322 322 permission_view_wiki_edits: "Visualitza l'historial del wiki"
323 323 permission_edit_wiki_pages: Edita les pàgines wiki
324 324 permission_delete_wiki_pages_attachments: Suprimeix adjunts
325 325 permission_protect_wiki_pages: Protegeix les pàgines wiki
326 326 permission_manage_repository: Gestiona el dipòsit
327 327 permission_browse_repository: Navega pel dipòsit
328 328 permission_view_changesets: Visualitza els canvis realitzats
329 329 permission_commit_access: Accés a les publicacions
330 330 permission_manage_boards: Gestiona els taulers
331 331 permission_view_messages: Visualitza els missatges
332 332 permission_add_messages: Envia missatges
333 333 permission_edit_messages: Edita els missatges
334 334 permission_edit_own_messages: Edita els missatges propis
335 335 permission_delete_messages: Suprimeix els missatges
336 336 permission_delete_own_messages: Suprimeix els missatges propis
337 337
338 338 project_module_issue_tracking: "Seguidor d'assumptes"
339 339 project_module_time_tracking: Seguidor de temps
340 340 project_module_news: Noticies
341 341 project_module_documents: Documents
342 342 project_module_files: Fitxers
343 343 project_module_wiki: Wiki
344 344 project_module_repository: Dipòsit
345 345 project_module_boards: Taulers
346 346
347 347 label_user: Usuari
348 348 label_user_plural: Usuaris
349 349 label_user_new: Usuari nou
350 350 label_project: Projecte
351 351 label_project_new: Projecte nou
352 352 label_project_plural: Projectes
353 353 label_x_projects:
354 354 zero: cap projecte
355 355 one: 1 projecte
356 356 other: "{{count}} projectes"
357 357 label_project_all: Tots els projectes
358 358 label_project_latest: Els últims projectes
359 359 label_issue: Assumpte
360 360 label_issue_new: Assumpte nou
361 361 label_issue_plural: Assumptes
362 362 label_issue_view_all: Visualitza tots els assumptes
363 363 label_issues_by: "Assumptes per {{value}}"
364 364 label_issue_added: Assumpte afegit
365 365 label_issue_updated: Assumpte actualitzat
366 366 label_document: Document
367 367 label_document_new: Document nou
368 368 label_document_plural: Documents
369 369 label_document_added: Document afegit
370 370 label_role: Rol
371 371 label_role_plural: Rols
372 372 label_role_new: Rol nou
373 373 label_role_and_permissions: Rols i permisos
374 374 label_member: Membre
375 375 label_member_new: Membre nou
376 376 label_member_plural: Membres
377 377 label_tracker: Seguidor
378 378 label_tracker_plural: Seguidors
379 379 label_tracker_new: Seguidor nou
380 380 label_workflow: Flux de treball
381 381 label_issue_status: "Estat de l'assumpte"
382 382 label_issue_status_plural: "Estats de l'assumpte"
383 383 label_issue_status_new: Estat nou
384 384 label_issue_category: "Categoria de l'assumpte"
385 385 label_issue_category_plural: "Categories de l'assumpte"
386 386 label_issue_category_new: Categoria nova
387 387 label_custom_field: Camp personalitzat
388 388 label_custom_field_plural: Camps personalitzats
389 389 label_custom_field_new: Camp personalitzat nou
390 390 label_enumerations: Enumeracions
391 391 label_enumeration_new: Valor nou
392 392 label_information: Informació
393 393 label_information_plural: Informació
394 394 label_please_login: Entreu
395 395 label_register: Registre
396 396 label_login_with_open_id_option: o entra amb l'OpenID
397 397 label_password_lost: Contrasenya perduda
398 398 label_home: Inici
399 399 label_my_page: La meva pàgina
400 400 label_my_account: El meu compte
401 401 label_my_projects: Els meus projectes
402 402 label_administration: Administració
403 403 label_login: Entra
404 404 label_logout: Surt
405 405 label_help: Ajuda
406 406 label_reported_issues: Assumptes informats
407 407 label_assigned_to_me_issues: Assumptes assignats a mi
408 408 label_last_login: Última connexió
409 409 label_registered_on: Informat el
410 410 label_activity: Activitat
411 411 label_overall_activity: Activitat global
412 412 label_user_activity: "Activitat de {{value}}"
413 413 label_new: Nou
414 414 label_logged_as: Heu entrat com a
415 415 label_environment: Entorn
416 416 label_authentication: Autenticació
417 417 label_auth_source: "Mode d'autenticació"
418 418 label_auth_source_new: "Mode d'autenticació nou"
419 419 label_auth_source_plural: "Modes d'autenticació"
420 420 label_subproject_plural: Subprojectes
421 421 label_and_its_subprojects: "{{value}} i els seus subprojectes"
422 422 label_min_max_length: Longitud mín - max
423 423 label_list: Llist
424 424 label_date: Data
425 425 label_integer: Enter
426 426 label_float: Flotant
427 427 label_boolean: Booleà
428 428 label_string: Text
429 429 label_text: Text llarg
430 430 label_attribute: Atribut
431 431 label_attribute_plural: Atributs
432 432 label_download: "{{count}} baixada"
433 433 label_download_plural: "{{count}} baixades"
434 434 label_no_data: Sense dades a mostrar
435 435 label_change_status: "Canvia l'estat"
436 436 label_history: Historial
437 437 label_attachment: Fitxer
438 438 label_attachment_new: Fitxer nou
439 439 label_attachment_delete: Suprimeix el fitxer
440 440 label_attachment_plural: Fitxers
441 441 label_file_added: Fitxer afegit
442 442 label_report: Informe
443 443 label_report_plural: Informes
444 444 label_news: Noticies
445 445 label_news_new: Afegeix noticies
446 446 label_news_plural: Noticies
447 447 label_news_latest: Últimes noticies
448 448 label_news_view_all: Visualitza totes les noticies
449 449 label_news_added: Noticies afegides
450 450 label_change_log: Registre de canvis
451 451 label_settings: Paràmetres
452 452 label_overview: Resum
453 453 label_version: Versió
454 454 label_version_new: Versió nova
455 455 label_version_plural: Versions
456 456 label_confirmation: Confirmació
457 457 label_export_to: 'També disponible a:'
458 458 label_read: Llegeix...
459 459 label_public_projects: Projectes públics
460 460 label_open_issues: obert
461 461 label_open_issues_plural: oberts
462 462 label_closed_issues: tancat
463 463 label_closed_issues_plural: tancats
464 464 label_x_open_issues_abbr_on_total:
465 465 zero: 0 oberts / {{total}}
466 466 one: 1 obert / {{total}}
467 467 other: "{{count}} oberts / {{total}}"
468 468 label_x_open_issues_abbr:
469 469 zero: 0 oberts
470 470 one: 1 obert
471 471 other: "{{count}} oberts"
472 472 label_x_closed_issues_abbr:
473 473 zero: 0 tancats
474 474 one: 1 tancat
475 475 other: "{{count}} tancats"
476 476 label_total: Total
477 477 label_permissions: Permisos
478 478 label_current_status: Estat actual
479 479 label_new_statuses_allowed: Nous estats autoritzats
480 480 label_all: tots
481 481 label_none: cap
482 482 label_nobody: ningú
483 483 label_next: Següent
484 484 label_previous: Anterior
485 485 label_used_by: Utilitzat per
486 486 label_details: Detalls
487 487 label_add_note: Afegeix una nota
488 488 label_per_page: Per pàgina
489 489 label_calendar: Calendari
490 490 label_months_from: mesos des de
491 491 label_gantt: Gantt
492 492 label_internal: Intern
493 493 label_last_changes: "últims {{count}} canvis"
494 494 label_change_view_all: Visualitza tots els canvis
495 495 label_personalize_page: Personalitza aquesta pàgina
496 496 label_comment: Comentari
497 497 label_comment_plural: Comentaris
498 498 label_x_comments:
499 499 zero: sense comentaris
500 500 one: 1 comentari
501 501 other: "{{count}} comentaris"
502 502 label_comment_add: Afegeix un comentari
503 503 label_comment_added: Comentari afegit
504 504 label_comment_delete: Suprimeix comentaris
505 505 label_query: Consulta personalitzada
506 506 label_query_plural: Consultes personalitzades
507 507 label_query_new: Consulta nova
508 508 label_filter_add: Afegeix un filtre
509 509 label_filter_plural: Filtres
510 510 label_equals: és
511 511 label_not_equals: no és
512 512 label_in_less_than: en menys de
513 513 label_in_more_than: en més de
514 514 label_in: en
515 515 label_today: avui
516 516 label_all_time: tot el temps
517 517 label_yesterday: ahir
518 518 label_this_week: aquesta setmana
519 519 label_last_week: "l'última setmana"
520 520 label_last_n_days: "els últims {{count}} dies"
521 521 label_this_month: aquest més
522 522 label_last_month: "l'últim més"
523 523 label_this_year: aquest any
524 524 label_date_range: Abast de les dates
525 525 label_less_than_ago: fa menys de
526 526 label_more_than_ago: fa més de
527 527 label_ago: fa
528 528 label_contains: conté
529 529 label_not_contains: no conté
530 530 label_day_plural: dies
531 531 label_repository: Dipòsit
532 532 label_repository_plural: Dipòsits
533 533 label_browse: Navega
534 534 label_modification: "{{count}} canvi"
535 535 label_modification_plural: "{{count}} canvis"
536 536 label_revision: Revisió
537 537 label_revision_plural: Revisions
538 538 label_associated_revisions: Revisions associades
539 539 label_added: afegit
540 540 label_modified: modificat
541 541 label_renamed: reanomenat
542 542 label_copied: copiat
543 543 label_deleted: suprimit
544 544 label_latest_revision: Última revisió
545 545 label_latest_revision_plural: Últimes revisions
546 546 label_view_revisions: Visualitza les revisions
547 547 label_max_size: Mida màxima
548 548 label_sort_highest: Mou a la part superior
549 549 label_sort_higher: Mou cap amunt
550 550 label_sort_lower: Mou cap avall
551 551 label_sort_lowest: Mou a la part inferior
552 552 label_roadmap: Planificació
553 553 label_roadmap_due_in: "Venç en {{value}}"
554 554 label_roadmap_overdue: "{{value}} tard"
555 555 label_roadmap_no_issues: No hi ha assumptes per a aquesta versió
556 556 label_search: Cerca
557 557 label_result_plural: Resultats
558 558 label_all_words: Totes les paraules
559 559 label_wiki: Wiki
560 560 label_wiki_edit: Edició wiki
561 561 label_wiki_edit_plural: Edicions wiki
562 562 label_wiki_page: Pàgina wiki
563 563 label_wiki_page_plural: Pàgines wiki
564 564 label_index_by_title: Índex per títol
565 565 label_index_by_date: Índex per data
566 566 label_current_version: Versió actual
567 567 label_preview: Previsualització
568 568 label_feed_plural: Canals
569 569 label_changes_details: Detalls de tots els canvis
570 570 label_issue_tracking: "Seguiment d'assumptes"
571 571 label_spent_time: Temps invertit
572 572 label_f_hour: "{{value}} hora"
573 573 label_f_hour_plural: "{{value}} hores"
574 574 label_time_tracking: Temps de seguiment
575 575 label_change_plural: Canvis
576 576 label_statistics: Estadístiques
577 577 label_commits_per_month: Publicacions per mes
578 578 label_commits_per_author: Publicacions per autor
579 579 label_view_diff: Visualitza les diferències
580 580 label_diff_inline: en línia
581 581 label_diff_side_by_side: costat per costat
582 582 label_options: Opcions
583 583 label_copy_workflow_from: Copia el flux de treball des de
584 584 label_permissions_report: Informe de permisos
585 585 label_watched_issues: Assumptes vigilats
586 586 label_related_issues: Assumptes relacionats
587 587 label_applied_status: Estat aplicat
588 588 label_loading: "S'està carregant..."
589 589 label_relation_new: Relació nova
590 590 label_relation_delete: Suprimeix la relació
591 591 label_relates_to: relacionat amb
592 592 label_duplicates: duplicats
593 593 label_duplicated_by: duplicat per
594 594 label_blocks: bloqueja
595 595 label_blocked_by: bloquejats per
596 596 label_precedes: anterior a
597 597 label_follows: posterior a
598 598 label_end_to_start: final al començament
599 599 label_end_to_end: final al final
600 600 label_start_to_start: començament al començament
601 601 label_start_to_end: començament al final
602 602 label_stay_logged_in: "Manté l'entrada"
603 603 label_disabled: inhabilitat
604 604 label_show_completed_versions: Mostra les versions completes
605 605 label_me: jo mateix
606 606 label_board: Fòrum
607 607 label_board_new: Fòrum nou
608 608 label_board_plural: Fòrums
609 609 label_topic_plural: Temes
610 610 label_message_plural: Missatges
611 611 label_message_last: Últim missatge
612 612 label_message_new: Missatge nou
613 613 label_message_posted: Missatge afegit
614 614 label_reply_plural: Respostes
615 615 label_send_information: "Envia la informació del compte a l'usuari"
616 616 label_year: Any
617 617 label_month: Mes
618 618 label_week: Setmana
619 619 label_date_from: Des de
620 620 label_date_to: A
621 621 label_language_based: "Basat en l'idioma de l'usuari"
622 622 label_sort_by: "Ordena per {{value}}"
623 623 label_send_test_email: Envia un correu electrònic de prova
624 624 label_feeds_access_key_created_on: "Clau d'accés del RSS creada fa {{value}}"
625 625 label_module_plural: Mòduls
626 626 label_added_time_by: "Afegit per {{author}} fa {{age}}"
627 627 label_updated_time_by: "Actualitzat per {{author}} fa {{age}}"
628 628 label_updated_time: "Actualitzat fa {{value}}"
629 629 label_jump_to_a_project: Salta al projecte...
630 630 label_file_plural: Fitxers
631 631 label_changeset_plural: Conjunt de canvis
632 632 label_default_columns: Columnes predeterminades
633 633 label_no_change_option: (sense canvis)
634 634 label_bulk_edit_selected_issues: Edita en bloc els assumptes seleccionats
635 635 label_theme: Tema
636 636 label_default: Predeterminat
637 637 label_search_titles_only: Cerca només en els títols
638 638 label_user_mail_option_all: "Per qualsevol esdeveniment en tots els meus projectes"
639 639 label_user_mail_option_selected: "Per qualsevol esdeveniment en els projectes seleccionats..."
640 640 label_user_mail_option_none: "Només per les coses que vigilo o hi estic implicat"
641 641 label_user_mail_no_self_notified: "No vull ser notificat pels canvis que faig jo mateix"
642 642 label_registration_activation_by_email: activació del compte per correu electrònic
643 643 label_registration_manual_activation: activació del compte manual
644 644 label_registration_automatic_activation: activació del compte automàtica
645 645 label_display_per_page: "Per pàgina: {{value}}"
646 646 label_age: Edat
647 647 label_change_properties: Canvia les propietats
648 648 label_general: General
649 649 label_more: Més
650 650 label_scm: SCM
651 651 label_plugins: Connectors
652 652 label_ldap_authentication: Autenticació LDAP
653 653 label_downloads_abbr: Baixades
654 654 label_optional_description: Descripció opcional
655 655 label_add_another_file: Afegeix un altre fitxer
656 656 label_preferences: Preferències
657 657 label_chronological_order: En ordre cronològic
658 658 label_reverse_chronological_order: En ordre cronològic invers
659 659 label_planning: Planificació
660 660 label_incoming_emails: "Correu electrònics d'entrada"
661 661 label_generate_key: Genera una clau
662 662 label_issue_watchers: Vigilàncies
663 663 label_example: Exemple
664 664 label_display: Mostra
665 665 label_sort: Ordena
666 666 label_ascending: Ascendent
667 667 label_descending: Descendent
668 668 label_date_from_to: Des de {{start}} a {{end}}
669 669
670 670 button_login: Entra
671 671 button_submit: Tramet
672 672 button_save: Desa
673 673 button_check_all: Activa-ho tot
674 674 button_uncheck_all: Desactiva-ho tot
675 675 button_delete: Suprimeix
676 676 button_create: Crea
677 677 button_create_and_continue: Crea i continua
678 678 button_test: Test
679 679 button_edit: Edit
680 680 button_add: Afegeix
681 681 button_change: Canvia
682 682 button_apply: Aplica
683 683 button_clear: Neteja
684 684 button_lock: Bloca
685 685 button_unlock: Desbloca
686 686 button_download: Baixa
687 687 button_list: Llista
688 688 button_view: Visualitza
689 689 button_move: Mou
690 690 button_back: Enrere
691 691 button_cancel: Cancel·la
692 692 button_activate: Activa
693 693 button_sort: Ordena
694 694 button_log_time: "Hora d'entrada"
695 695 button_rollback: Torna a aquesta versió
696 696 button_watch: Vigila
697 697 button_unwatch: No vigilis
698 698 button_reply: Resposta
699 699 button_archive: Arxiva
700 700 button_unarchive: Desarxiva
701 701 button_reset: Reinicia
702 702 button_rename: Reanomena
703 703 button_change_password: Canvia la contrasenya
704 704 button_copy: Copia
705 705 button_annotate: Anota
706 706 button_update: Actualitza
707 707 button_configure: Configura
708 708 button_quote: Cita
709 709
710 710 status_active: actiu
711 711 status_registered: informat
712 712 status_locked: bloquejat
713 713
714 714 text_select_mail_notifications: "Seleccioneu les accions per les quals s'hauria d'enviar una notificació per correu electrònic."
715 715 text_regexp_info: ex. ^[A-Z0-9]+$
716 716 text_min_max_length_info: 0 significa sense restricció
717 717 text_project_destroy_confirmation: Segur que voleu suprimir aquest projecte i les dades relacionades?
718 718 text_subprojects_destroy_warning: "També seran suprimits els seus subprojectes: {{value}}."
719 719 text_workflow_edit: Seleccioneu un rol i un seguidor per a editar el flux de treball
720 720 text_are_you_sure: Segur?
721 721 text_tip_task_begin_day: "tasca que s'inicia aquest dia"
722 722 text_tip_task_end_day: tasca que finalitza aquest dia
723 723 text_tip_task_begin_end_day: "tasca que s'inicia i finalitza aquest dia"
724 724 text_project_identifier_info: "Es permeten lletres en minúscules (a-z), números i guions.<br />Un cop desat, l'identificador no es pot modificar."
725 725 text_caracters_maximum: "{{count}} caràcters com a màxim."
726 726 text_caracters_minimum: "Com a mínim ha de tenir {{count}} caràcters."
727 727 text_length_between: "Longitud entre {{min}} i {{max}} caràcters."
728 728 text_tracker_no_workflow: "No s'ha definit cap flux de treball per a aquest seguidor"
729 729 text_unallowed_characters: Caràcters no permesos
730 730 text_comma_separated: Es permeten valors múltiples (separats per una coma).
731 731 text_issues_ref_in_commit_messages: Referència i soluciona els assumptes en els missatges publicats
732 732 text_issue_added: "L'assumpte {{id}} ha sigut informat per {{author}}."
733 733 text_issue_updated: "L'assumpte {{id}} ha sigut actualitzat per {{author}}."
734 734 text_wiki_destroy_confirmation: Segur que voleu suprimir aquest wiki i tots els seus continguts?
735 735 text_issue_category_destroy_question: "Alguns assumptes ({{count}}) estan assignats a aquesta categoria. Què voleu fer?"
736 736 text_issue_category_destroy_assignments: Suprimeix les assignacions de la categoria
737 737 text_issue_category_reassign_to: Torna a assignar els assumptes a aquesta categoria
738 738 text_user_mail_option: "Per als projectes no seleccionats, només rebreu notificacions sobre les coses que vigileu o que hi esteu implicat (ex. assumptes que en sou l'autor o hi esteu assignat)."
739 739 text_no_configuration_data: "Encara no s'han configurat els rols, seguidors, estats de l'assumpte i flux de treball.\nÉs altament recomanable que carregueu la configuració predeterminada. Podreu modificar-la un cop carregada."
740 740 text_load_default_configuration: Carrega la configuració predeterminada
741 741 text_status_changed_by_changeset: "Aplicat en el conjunt de canvis {{value}}."
742 742 text_issues_destroy_confirmation: "Segur que voleu suprimir els assumptes seleccionats?"
743 743 text_select_project_modules: "Seleccioneu els mòduls a habilitar per a aquest projecte:"
744 744 text_default_administrator_account_changed: "S'ha canviat el compte d'administrador predeterminat"
745 745 text_file_repository_writable: Es pot escriure en el dipòsit de fitxers
746 746 text_plugin_assets_writable: Es pot escriure als connectors actius
747 747 text_rmagick_available: RMagick disponible (opcional)
748 748 text_destroy_time_entries_question: "S'han informat {{hours}} hores en els assumptes que aneu a suprimir. Què voleu fer?"
749 749 text_destroy_time_entries: Suprimeix les hores informades
750 750 text_assign_time_entries_to_project: Assigna les hores informades al projecte
751 751 text_reassign_time_entries: 'Torna a assignar les hores informades a aquest assumpte:'
752 752 text_user_wrote: "{{value}} va escriure:"
753 753 text_enumeration_destroy_question: "{{count}} objectes estan assignats a aquest valor."
754 754 text_enumeration_category_reassign_to: 'Torna a assignar-los a aquest valor:'
755 755 text_email_delivery_not_configured: "El lliurament per correu electrònic no està configurat i les notificacions estan inhabilitades.\nConfigureu el servidor SMTP a config/email.yml i reinicieu l'aplicació per habilitar-lo."
756 756 text_repository_usernames_mapping: "Seleccioneu l'assignació entre els usuaris del Redmine i cada nom d'usuari trobat al dipòsit.\nEls usuaris amb el mateix nom d'usuari o correu del Redmine i del dipòsit s'assignaran automàticament."
757 757 text_diff_truncated: "... Aquestes diferències s'han trucat perquè excedeixen la mida màxima que es pot mostrar."
758 758 text_custom_field_possible_values_info: 'Una línia per a cada valor'
759 759
760 760 default_role_manager: Gestor
761 761 default_role_developper: Desenvolupador
762 762 default_role_reporter: Informador
763 763 default_tracker_bug: Error
764 764 default_tracker_feature: Característica
765 765 default_tracker_support: Suport
766 766 default_issue_status_new: Nou
767 767 default_issue_status_assigned: Assignat
768 768 default_issue_status_resolved: Resolt
769 769 default_issue_status_feedback: Comentaris
770 770 default_issue_status_closed: Tancat
771 771 default_issue_status_rejected: Rebutjat
772 772 default_doc_category_user: "Documentació d'usuari"
773 773 default_doc_category_tech: Documentació tècnica
774 774 default_priority_low: Baixa
775 775 default_priority_normal: Normal
776 776 default_priority_high: Alta
777 777 default_priority_urgent: Urgent
778 778 default_priority_immediate: Immediata
779 779 default_activity_design: Disseny
780 780 default_activity_development: Desenvolupament
781 781
782 782 enumeration_issue_priorities: Prioritat dels assumptes
783 783 enumeration_doc_categories: Categories del document
784 784 enumeration_activities: Activitats (seguidor de temps)
785 785 label_greater_or_equal: ">="
786 786 label_less_or_equal: <=
787 787 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
788 788 text_wiki_page_reassign_children: Reassign child pages to this parent page
789 789 text_wiki_page_nullify_children: Keep child pages as root pages
790 790 text_wiki_page_destroy_children: Delete child pages and all their descendants
791 791 setting_password_min_length: Minimum password length
792 792 field_group_by: Group results by
793 793 mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated"
794 794 label_wiki_content_added: Wiki page added
795 795 mail_subject_wiki_content_added: "'{{page}}' wiki page has been added"
796 796 mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}.
797 797 label_wiki_content_updated: Wiki page updated
798 798 mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}.
799 799 permission_add_project: Create project
800 800 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
801 801 label_view_all_revisions: View all revisions
802 802 label_tag: Tag
803 803 label_branch: Branch
804 804 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
805 805 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
806 806 text_journal_changed: "{{label}} changed from {{old}} to {{new}}"
807 807 text_journal_set_to: "{{label}} set to {{value}}"
808 808 text_journal_deleted: "{{label}} deleted"
809 809 label_group_plural: Groups
810 810 label_group: Group
811 811 label_group_new: New group
812 label_time_entry_plural: Spent time
@@ -1,814 +1,815
1 1 cs:
2 2 date:
3 3 formats:
4 4 # Use the strftime parameters for formats.
5 5 # When no format has been given, it uses default.
6 6 # You can provide other formats here if you like!
7 7 default: "%Y-%m-%d"
8 8 short: "%b %d"
9 9 long: "%B %d, %Y"
10 10
11 11 day_names: [Neděle, Pondělí, Úterý, Středa, Čtvrtek, Pátek, Sobota]
12 12 abbr_day_names: [Ne, Po, Út, St, Čt, , So]
13 13
14 14 # Don't forget the nil at the beginning; there's no such thing as a 0th month
15 15 month_names: [~, Leden, Únor, Březen, Duben, Květen, Červen, Červenec, Srpen, Září, Říjen, Listopad, Prosinec]
16 16 abbr_month_names: [~, Led, Úno, Bře, Dub, Kvě, Čer, Čec, Srp, Zář, Říj, Lis, Pro]
17 17 # Used in date_select and datime_select.
18 18 order: [ :year, :month, :day ]
19 19
20 20 time:
21 21 formats:
22 22 default: "%a, %d %b %Y %H:%M:%S %z"
23 23 time: "%H:%M"
24 24 short: "%d %b %H:%M"
25 25 long: "%B %d, %Y %H:%M"
26 26 am: "am"
27 27 pm: "pm"
28 28
29 29 datetime:
30 30 distance_in_words:
31 31 half_a_minute: "půl minuty"
32 32 less_than_x_seconds:
33 33 one: "méně než sekunda"
34 34 other: "méně než {{count}} sekund"
35 35 x_seconds:
36 36 one: "1 sekunda"
37 37 other: "{{count}} sekund"
38 38 less_than_x_minutes:
39 39 one: "méně než minuta"
40 40 other: "méně než {{count}} minut"
41 41 x_minutes:
42 42 one: "1 minuta"
43 43 other: "{{count}} minut"
44 44 about_x_hours:
45 45 one: "asi 1 hodina"
46 46 other: "asi {{count}} hodin"
47 47 x_days:
48 48 one: "1 den"
49 49 other: "{{count}} dnů"
50 50 about_x_months:
51 51 one: "asi 1 měsíc"
52 52 other: "asi {{count}} měsíců"
53 53 x_months:
54 54 one: "1 měsíc"
55 55 other: "{{count}} měsíců"
56 56 about_x_years:
57 57 one: "asi 1 rok"
58 58 other: "asi {{count}} let"
59 59 over_x_years:
60 60 one: "více než 1 rok"
61 61 other: "více než {{count}} roky"
62 62
63 63 # Used in array.to_sentence.
64 64 support:
65 65 array:
66 66 sentence_connector: "a"
67 67 skip_last_comma: false
68 68
69 69 activerecord:
70 70 errors:
71 71 messages:
72 72 inclusion: "není zahrnuto v seznamu"
73 73 exclusion: "je rezervováno"
74 74 invalid: "je neplatné"
75 75 confirmation: "se neshoduje s potvrzením"
76 76 accepted: "musí být akceptováno"
77 77 empty: "nemůže být prázdný"
78 78 blank: "nemůže být prázdný"
79 79 too_long: "je příliš dlouhý"
80 80 too_short: "je příliš krátký"
81 81 wrong_length: "má chybnou délku"
82 82 taken: "je již použito"
83 83 not_a_number: "není číslo"
84 84 not_a_date: "není platné datum"
85 85 greater_than: "musí být větší než {{count}}"
86 86 greater_than_or_equal_to: "musí být větší nebo rovno {{count}}"
87 87 equal_to: "musí být přesně {{count}}"
88 88 less_than: "musí být méně než {{count}}"
89 89 less_than_or_equal_to: "musí být méně nebo rovno {{count}}"
90 90 odd: "musí být liché"
91 91 even: "musí být sudé"
92 92 greater_than_start_date: "musí být větší než počáteční datum"
93 93 not_same_project: "nepatří stejnému projektu"
94 94 circular_dependency: "Tento vztah by vytvořil cyklickou závislost"
95 95
96 96 # Updated by Josef Liška <jl@chl.cz>
97 97 # CZ translation by Maxim Krušina | Massimo Filippi, s.r.o. | maxim@mxm.cz
98 98 # Based on original CZ translation by Jan Kadleček
99 99
100 100 actionview_instancetag_blank_option: Prosím vyberte
101 101
102 102 general_text_No: 'Ne'
103 103 general_text_Yes: 'Ano'
104 104 general_text_no: 'ne'
105 105 general_text_yes: 'ano'
106 106 general_lang_name: 'Čeština'
107 107 general_csv_separator: ','
108 108 general_csv_decimal_separator: '.'
109 109 general_csv_encoding: UTF-8
110 110 general_pdf_encoding: UTF-8
111 111 general_first_day_of_week: '1'
112 112
113 113 notice_account_updated: Účet byl úspěšně změněn.
114 114 notice_account_invalid_creditentials: Chybné jméno nebo heslo
115 115 notice_account_password_updated: Heslo bylo úspěšně změněno.
116 116 notice_account_wrong_password: Chybné heslo
117 117 notice_account_register_done: Účet byl úspěšně vytvořen. Pro aktivaci účtu klikněte na odkaz v emailu, který vám byl zaslán.
118 118 notice_account_unknown_email: Neznámý uživatel.
119 119 notice_can_t_change_password: Tento účet používá externí autentifikaci. Zde heslo změnit nemůžete.
120 120 notice_account_lost_email_sent: Byl vám zaslán email s intrukcemi jak si nastavíte nové heslo.
121 121 notice_account_activated: Váš účet byl aktivován. Nyní se můžete přihlásit.
122 122 notice_successful_create: Úspěšně vytvořeno.
123 123 notice_successful_update: Úspěšně aktualizováno.
124 124 notice_successful_delete: Úspěšně odstraněno.
125 125 notice_successful_connection: Úspěšné připojení.
126 126 notice_file_not_found: Stránka na kterou se snažíte zobrazit neexistuje nebo byla smazána.
127 127 notice_locking_conflict: Údaje byly změněny jiným uživatelem.
128 128 notice_scm_error: Entry and/or revision doesn't exist in the repository.
129 129 notice_not_authorized: Nemáte dostatečná práva pro zobrazení této stránky.
130 130 notice_email_sent: "Na adresu {{value}} byl odeslán email"
131 131 notice_email_error: "Při odesílání emailu nastala chyba ({{value}})"
132 132 notice_feeds_access_key_reseted: Váš klíč pro přístup k RSS byl resetován.
133 133 notice_failed_to_save_issues: "Failed to save {{count}} issue(s) on {{total}} selected: {{ids}}."
134 134 notice_no_issue_selected: "Nebyl zvolen žádný úkol. Prosím, zvolte úkoly, které chcete editovat"
135 135 notice_account_pending: "Váš účet byl vytvořen, nyní čeká na schválení administrátorem."
136 136 notice_default_data_loaded: Výchozí konfigurace úspěšně nahrána.
137 137
138 138 error_can_t_load_default_data: "Výchozí konfigurace nebyla nahrána: {{value}}"
139 139 error_scm_not_found: "Položka a/nebo revize neexistují v repository."
140 140 error_scm_command_failed: "Při pokusu o přístup k repository došlo k chybě: {{value}}"
141 141 error_issue_not_found_in_project: 'Úkol nebyl nalezen nebo nepatří k tomuto projektu'
142 142
143 143 mail_subject_lost_password: "Vaše heslo ({{value}})"
144 144 mail_body_lost_password: 'Pro změnu vašeho hesla klikněte na následující odkaz:'
145 145 mail_subject_register: "Aktivace účtu ({{value}})"
146 146 mail_body_register: 'Pro aktivaci vašeho účtu klikněte na následující odkaz:'
147 147 mail_body_account_information_external: "Pomocí vašeho účtu {{value}} se můžete přihlásit."
148 148 mail_body_account_information: Informace o vašem účtu
149 149 mail_subject_account_activation_request: "Aktivace {{value}} účtu"
150 150 mail_body_account_activation_request: "Byl zaregistrován nový uživatel {{value}}. Aktivace jeho účtu závisí na vašem potvrzení."
151 151
152 152 gui_validation_error: 1 chyba
153 153 gui_validation_error_plural: "{{count}} chyb(y)"
154 154
155 155 field_name: Název
156 156 field_description: Popis
157 157 field_summary: Přehled
158 158 field_is_required: Povinné pole
159 159 field_firstname: Jméno
160 160 field_lastname: Příjmení
161 161 field_mail: Email
162 162 field_filename: Soubor
163 163 field_filesize: Velikost
164 164 field_downloads: Staženo
165 165 field_author: Autor
166 166 field_created_on: Vytvořeno
167 167 field_updated_on: Aktualizováno
168 168 field_field_format: Formát
169 169 field_is_for_all: Pro všechny projekty
170 170 field_possible_values: Možné hodnoty
171 171 field_regexp: Regulární výraz
172 172 field_min_length: Minimální délka
173 173 field_max_length: Maximální délka
174 174 field_value: Hodnota
175 175 field_category: Kategorie
176 176 field_title: Název
177 177 field_project: Projekt
178 178 field_issue: Úkol
179 179 field_status: Stav
180 180 field_notes: Poznámka
181 181 field_is_closed: Úkol uzavřen
182 182 field_is_default: Výchozí stav
183 183 field_tracker: Fronta
184 184 field_subject: Předmět
185 185 field_due_date: Uzavřít do
186 186 field_assigned_to: Přiřazeno
187 187 field_priority: Priorita
188 188 field_fixed_version: Přiřazeno k verzi
189 189 field_user: Uživatel
190 190 field_role: Role
191 191 field_homepage: Homepage
192 192 field_is_public: Veřejný
193 193 field_parent: Nadřazený projekt
194 194 field_is_in_chlog: Úkoly zobrazené v změnovém logu
195 195 field_is_in_roadmap: Úkoly zobrazené v plánu
196 196 field_login: Přihlášení
197 197 field_mail_notification: Emailová oznámení
198 198 field_admin: Administrátor
199 199 field_last_login_on: Poslední přihlášení
200 200 field_language: Jazyk
201 201 field_effective_date: Datum
202 202 field_password: Heslo
203 203 field_new_password: Nové heslo
204 204 field_password_confirmation: Potvrzení
205 205 field_version: Verze
206 206 field_type: Typ
207 207 field_host: Host
208 208 field_port: Port
209 209 field_account: Účet
210 210 field_base_dn: Base DN
211 211 field_attr_login: Přihlášení (atribut)
212 212 field_attr_firstname: Jméno (atribut)
213 213 field_attr_lastname: Příjemní (atribut)
214 214 field_attr_mail: Email (atribut)
215 215 field_onthefly: Automatické vytváření uživatelů
216 216 field_start_date: Začátek
217 217 field_done_ratio: % Hotovo
218 218 field_auth_source: Autentifikační mód
219 219 field_hide_mail: Nezobrazovat můj email
220 220 field_comments: Komentář
221 221 field_url: URL
222 222 field_start_page: Výchozí stránka
223 223 field_subproject: Podprojekt
224 224 field_hours: Hodiny
225 225 field_activity: Aktivita
226 226 field_spent_on: Datum
227 227 field_identifier: Identifikátor
228 228 field_is_filter: Použít jako filtr
229 229 field_issue_to: Související úkol
230 230 field_delay: Zpoždění
231 231 field_assignable: Úkoly mohou být přiřazeny této roli
232 232 field_redirect_existing_links: Přesměrovat stvávající odkazy
233 233 field_estimated_hours: Odhadovaná doba
234 234 field_column_names: Sloupce
235 235 field_time_zone: Časové pásmo
236 236 field_searchable: Umožnit vyhledávání
237 237 field_default_value: Výchozí hodnota
238 238 field_comments_sorting: Zobrazit komentáře
239 239
240 240 setting_app_title: Název aplikace
241 241 setting_app_subtitle: Podtitulek aplikace
242 242 setting_welcome_text: Uvítací text
243 243 setting_default_language: Výchozí jazyk
244 244 setting_login_required: Auten. vyžadována
245 245 setting_self_registration: Povolena automatická registrace
246 246 setting_attachment_max_size: Maximální velikost přílohy
247 247 setting_issues_export_limit: Limit pro export úkolů
248 248 setting_mail_from: Odesílat emaily z adresy
249 249 setting_bcc_recipients: Příjemci skryté kopie (bcc)
250 250 setting_host_name: Host name
251 251 setting_text_formatting: Formátování textu
252 252 setting_wiki_compression: Komperese historie Wiki
253 253 setting_feeds_limit: Feed content limit
254 254 setting_default_projects_public: Nové projekty nastavovat jako veřejné
255 255 setting_autofetch_changesets: Autofetch commits
256 256 setting_sys_api_enabled: Povolit WS pro správu repozitory
257 257 setting_commit_ref_keywords: Klíčová slova pro odkazy
258 258 setting_commit_fix_keywords: Klíčová slova pro uzavření
259 259 setting_autologin: Automatické přihlašování
260 260 setting_date_format: Formát data
261 261 setting_time_format: Formát času
262 262 setting_cross_project_issue_relations: Povolit vazby úkolů napříč projekty
263 263 setting_issue_list_default_columns: Výchozí sloupce zobrazené v seznamu úkolů
264 264 setting_repositories_encodings: Kódování
265 265 setting_emails_footer: Patička emailů
266 266 setting_protocol: Protokol
267 267 setting_per_page_options: Povolené počty řádků na stránce
268 268 setting_user_format: Formát zobrazení uživatele
269 269 setting_activity_days_default: Days displayed on project activity
270 270 setting_display_subprojects_issues: Display subprojects issues on main projects by default
271 271
272 272 project_module_issue_tracking: Sledování úkolů
273 273 project_module_time_tracking: Sledování času
274 274 project_module_news: Novinky
275 275 project_module_documents: Dokumenty
276 276 project_module_files: Soubory
277 277 project_module_wiki: Wiki
278 278 project_module_repository: Repository
279 279 project_module_boards: Diskuse
280 280
281 281 label_user: Uživatel
282 282 label_user_plural: Uživatelé
283 283 label_user_new: Nový uživatel
284 284 label_project: Projekt
285 285 label_project_new: Nový projekt
286 286 label_project_plural: Projekty
287 287 label_x_projects:
288 288 zero: no projects
289 289 one: 1 project
290 290 other: "{{count}} projects"
291 291 label_project_all: Všechny projekty
292 292 label_project_latest: Poslední projekty
293 293 label_issue: Úkol
294 294 label_issue_new: Nový úkol
295 295 label_issue_plural: Úkoly
296 296 label_issue_view_all: Všechny úkoly
297 297 label_issues_by: "Úkoly od uživatele {{value}}"
298 298 label_issue_added: Úkol přidán
299 299 label_issue_updated: Úkol aktualizován
300 300 label_document: Dokument
301 301 label_document_new: Nový dokument
302 302 label_document_plural: Dokumenty
303 303 label_document_added: Dokument přidán
304 304 label_role: Role
305 305 label_role_plural: Role
306 306 label_role_new: Nová role
307 307 label_role_and_permissions: Role a práva
308 308 label_member: Člen
309 309 label_member_new: Nový člen
310 310 label_member_plural: Členové
311 311 label_tracker: Fronta
312 312 label_tracker_plural: Fronty
313 313 label_tracker_new: Nová fronta
314 314 label_workflow: Workflow
315 315 label_issue_status: Stav úkolu
316 316 label_issue_status_plural: Stavy úkolů
317 317 label_issue_status_new: Nový stav
318 318 label_issue_category: Kategorie úkolu
319 319 label_issue_category_plural: Kategorie úkolů
320 320 label_issue_category_new: Nová kategorie
321 321 label_custom_field: Uživatelské pole
322 322 label_custom_field_plural: Uživatelská pole
323 323 label_custom_field_new: Nové uživatelské pole
324 324 label_enumerations: Seznamy
325 325 label_enumeration_new: Nová hodnota
326 326 label_information: Informace
327 327 label_information_plural: Informace
328 328 label_please_login: Prosím přihlašte se
329 329 label_register: Registrovat
330 330 label_password_lost: Zapomenuté heslo
331 331 label_home: Úvodní
332 332 label_my_page: Moje stránka
333 333 label_my_account: Můj účet
334 334 label_my_projects: Moje projekty
335 335 label_administration: Administrace
336 336 label_login: Přihlášení
337 337 label_logout: Odhlášení
338 338 label_help: Nápověda
339 339 label_reported_issues: Nahlášené úkoly
340 340 label_assigned_to_me_issues: Mé úkoly
341 341 label_last_login: Poslední přihlášení
342 342 label_registered_on: Registrován
343 343 label_activity: Aktivita
344 344 label_overall_activity: Celková aktivita
345 345 label_new: Nový
346 346 label_logged_as: Přihlášen jako
347 347 label_environment: Prostředí
348 348 label_authentication: Autentifikace
349 349 label_auth_source: Mód autentifikace
350 350 label_auth_source_new: Nový mód autentifikace
351 351 label_auth_source_plural: Módy autentifikace
352 352 label_subproject_plural: Podprojekty
353 353 label_min_max_length: Min - Max délka
354 354 label_list: Seznam
355 355 label_date: Datum
356 356 label_integer: Celé číslo
357 357 label_float: Desetiné číslo
358 358 label_boolean: Ano/Ne
359 359 label_string: Text
360 360 label_text: Dlouhý text
361 361 label_attribute: Atribut
362 362 label_attribute_plural: Atributy
363 363 label_download: "{{count}} Download"
364 364 label_download_plural: "{{count}} Downloads"
365 365 label_no_data: Žádné položky
366 366 label_change_status: Změnit stav
367 367 label_history: Historie
368 368 label_attachment: Soubor
369 369 label_attachment_new: Nový soubor
370 370 label_attachment_delete: Odstranit soubor
371 371 label_attachment_plural: Soubory
372 372 label_file_added: Soubor přidán
373 373 label_report: Přeheled
374 374 label_report_plural: Přehledy
375 375 label_news: Novinky
376 376 label_news_new: Přidat novinku
377 377 label_news_plural: Novinky
378 378 label_news_latest: Poslední novinky
379 379 label_news_view_all: Zobrazit všechny novinky
380 380 label_news_added: Novinka přidána
381 381 label_change_log: Protokol změn
382 382 label_settings: Nastavení
383 383 label_overview: Přehled
384 384 label_version: Verze
385 385 label_version_new: Nová verze
386 386 label_version_plural: Verze
387 387 label_confirmation: Potvrzení
388 388 label_export_to: 'Také k dispozici:'
389 389 label_read: Načítá se...
390 390 label_public_projects: Veřejné projekty
391 391 label_open_issues: otevřený
392 392 label_open_issues_plural: otevřené
393 393 label_closed_issues: uzavřený
394 394 label_closed_issues_plural: uzavřené
395 395 label_x_open_issues_abbr_on_total:
396 396 zero: 0 open / {{total}}
397 397 one: 1 open / {{total}}
398 398 other: "{{count}} open / {{total}}"
399 399 label_x_open_issues_abbr:
400 400 zero: 0 open
401 401 one: 1 open
402 402 other: "{{count}} open"
403 403 label_x_closed_issues_abbr:
404 404 zero: 0 closed
405 405 one: 1 closed
406 406 other: "{{count}} closed"
407 407 label_total: Celkem
408 408 label_permissions: Práva
409 409 label_current_status: Aktuální stav
410 410 label_new_statuses_allowed: Nové povolené stavy
411 411 label_all: vše
412 412 label_none: nic
413 413 label_nobody: nikdo
414 414 label_next: Další
415 415 label_previous: Předchozí
416 416 label_used_by: Použito
417 417 label_details: Detaily
418 418 label_add_note: Přidat poznámku
419 419 label_per_page: Na stránku
420 420 label_calendar: Kalendář
421 421 label_months_from: měsíců od
422 422 label_gantt: Ganttův graf
423 423 label_internal: Interní
424 424 label_last_changes: "posledních {{count}} změn"
425 425 label_change_view_all: Zobrazit všechny změny
426 426 label_personalize_page: Přizpůsobit tuto stránku
427 427 label_comment: Komentář
428 428 label_comment_plural: Komentáře
429 429 label_x_comments:
430 430 zero: no comments
431 431 one: 1 comment
432 432 other: "{{count}} comments"
433 433 label_comment_add: Přidat komentáře
434 434 label_comment_added: Komentář přidán
435 435 label_comment_delete: Odstranit komentář
436 436 label_query: Uživatelský dotaz
437 437 label_query_plural: Uživatelské dotazy
438 438 label_query_new: Nový dotaz
439 439 label_filter_add: Přidat filtr
440 440 label_filter_plural: Filtry
441 441 label_equals: je
442 442 label_not_equals: není
443 443 label_in_less_than: je měší než
444 444 label_in_more_than: je větší než
445 445 label_in: v
446 446 label_today: dnes
447 447 label_all_time: vše
448 448 label_yesterday: včera
449 449 label_this_week: tento týden
450 450 label_last_week: minulý týden
451 451 label_last_n_days: "posledních {{count}} dnů"
452 452 label_this_month: tento měsíc
453 453 label_last_month: minulý měsíc
454 454 label_this_year: tento rok
455 455 label_date_range: Časový rozsah
456 456 label_less_than_ago: před méně jak (dny)
457 457 label_more_than_ago: před více jak (dny)
458 458 label_ago: před (dny)
459 459 label_contains: obsahuje
460 460 label_not_contains: neobsahuje
461 461 label_day_plural: dny
462 462 label_repository: Repository
463 463 label_repository_plural: Repository
464 464 label_browse: Procházet
465 465 label_modification: "{{count}} změna"
466 466 label_modification_plural: "{{count}} změn"
467 467 label_revision: Revize
468 468 label_revision_plural: Revizí
469 469 label_associated_revisions: Související verze
470 470 label_added: přidáno
471 471 label_modified: změněno
472 472 label_deleted: odstraněno
473 473 label_latest_revision: Poslední revize
474 474 label_latest_revision_plural: Poslední revize
475 475 label_view_revisions: Zobrazit revize
476 476 label_max_size: Maximální velikost
477 477 label_sort_highest: Přesunout na začátek
478 478 label_sort_higher: Přesunout nahoru
479 479 label_sort_lower: Přesunout dolů
480 480 label_sort_lowest: Přesunout na konec
481 481 label_roadmap: Plán
482 482 label_roadmap_due_in: "Zbývá {{value}}"
483 483 label_roadmap_overdue: "{{value}} pozdě"
484 484 label_roadmap_no_issues: Pro tuto verzi nejsou žádné úkoly
485 485 label_search: Hledat
486 486 label_result_plural: Výsledky
487 487 label_all_words: Všechna slova
488 488 label_wiki: Wiki
489 489 label_wiki_edit: Wiki úprava
490 490 label_wiki_edit_plural: Wiki úpravy
491 491 label_wiki_page: Wiki stránka
492 492 label_wiki_page_plural: Wiki stránky
493 493 label_index_by_title: Index dle názvu
494 494 label_index_by_date: Index dle data
495 495 label_current_version: Aktuální verze
496 496 label_preview: Náhled
497 497 label_feed_plural: Příspěvky
498 498 label_changes_details: Detail všech změn
499 499 label_issue_tracking: Sledování úkolů
500 500 label_spent_time: Strávený čas
501 501 label_f_hour: "{{value}} hodina"
502 502 label_f_hour_plural: "{{value}} hodin"
503 503 label_time_tracking: Sledování času
504 504 label_change_plural: Změny
505 505 label_statistics: Statistiky
506 506 label_commits_per_month: Commitů za měsíc
507 507 label_commits_per_author: Commitů za autora
508 508 label_view_diff: Zobrazit rozdíly
509 509 label_diff_inline: uvnitř
510 510 label_diff_side_by_side: vedle sebe
511 511 label_options: Nastavení
512 512 label_copy_workflow_from: Kopírovat workflow z
513 513 label_permissions_report: Přehled práv
514 514 label_watched_issues: Sledované úkoly
515 515 label_related_issues: Související úkoly
516 516 label_applied_status: Použitý stav
517 517 label_loading: Nahrávám...
518 518 label_relation_new: Nová souvislost
519 519 label_relation_delete: Odstranit souvislost
520 520 label_relates_to: související s
521 521 label_duplicates: duplicity
522 522 label_blocks: bloků
523 523 label_blocked_by: zablokován
524 524 label_precedes: předchází
525 525 label_follows: následuje
526 526 label_end_to_start: od konce do začátku
527 527 label_end_to_end: od konce do konce
528 528 label_start_to_start: od začátku do začátku
529 529 label_start_to_end: od začátku do konce
530 530 label_stay_logged_in: Zůstat přihlášený
531 531 label_disabled: zakázán
532 532 label_show_completed_versions: Ukázat dokončené verze
533 533 label_me:
534 534 label_board: Fórum
535 535 label_board_new: Nové fórum
536 536 label_board_plural: Fóra
537 537 label_topic_plural: Témata
538 538 label_message_plural: Zprávy
539 539 label_message_last: Poslední zpráva
540 540 label_message_new: Nová zpráva
541 541 label_message_posted: Zpráva přidána
542 542 label_reply_plural: Odpovědi
543 543 label_send_information: Zaslat informace o účtu uživateli
544 544 label_year: Rok
545 545 label_month: Měsíc
546 546 label_week: Týden
547 547 label_date_from: Od
548 548 label_date_to: Do
549 549 label_language_based: Podle výchozího jazyku
550 550 label_sort_by: "Seřadit podle {{value}}"
551 551 label_send_test_email: Poslat testovací email
552 552 label_feeds_access_key_created_on: "Přístupový klíč pro RSS byl vytvořen před {{value}}"
553 553 label_module_plural: Moduly
554 554 label_added_time_by: "Přidáno uživatelem {{author}} před {{age}}"
555 555 label_updated_time: "Aktualizováno před {{value}}"
556 556 label_jump_to_a_project: Zvolit projekt...
557 557 label_file_plural: Soubory
558 558 label_changeset_plural: Changesety
559 559 label_default_columns: Výchozí sloupce
560 560 label_no_change_option: (beze změny)
561 561 label_bulk_edit_selected_issues: Bulk edit selected issues
562 562 label_theme: Téma
563 563 label_default: Výchozí
564 564 label_search_titles_only: Vyhledávat pouze v názvech
565 565 label_user_mail_option_all: "Pro všechny události všech mých projektů"
566 566 label_user_mail_option_selected: "Pro všechny události vybraných projektů..."
567 567 label_user_mail_option_none: "Pouze pro události které sleduji nebo které se mne týkají"
568 568 label_user_mail_no_self_notified: "Nezasílat informace o mnou vytvořených změnách"
569 569 label_registration_activation_by_email: aktivace účtu emailem
570 570 label_registration_manual_activation: manuální aktivace účtu
571 571 label_registration_automatic_activation: automatická aktivace účtu
572 572 label_display_per_page: "{{value}} na stránku"
573 573 label_age: Věk
574 574 label_change_properties: Změnit vlastnosti
575 575 label_general: Obecné
576 576 label_more: Více
577 577 label_scm: SCM
578 578 label_plugins: Doplňky
579 579 label_ldap_authentication: Autentifikace LDAP
580 580 label_downloads_abbr: D/L
581 581 label_optional_description: Volitelný popis
582 582 label_add_another_file: Přidat další soubor
583 583 label_preferences: Nastavení
584 584 label_chronological_order: V chronologickém pořadí
585 585 label_reverse_chronological_order: V obrácaném chronologickém pořadí
586 586
587 587 button_login: Přihlásit
588 588 button_submit: Potvrdit
589 589 button_save: Uložit
590 590 button_check_all: Zašrtnout vše
591 591 button_uncheck_all: Odšrtnout vše
592 592 button_delete: Odstranit
593 593 button_create: Vytvořit
594 594 button_test: Test
595 595 button_edit: Upravit
596 596 button_add: Přidat
597 597 button_change: Změnit
598 598 button_apply: Použít
599 599 button_clear: Smazat
600 600 button_lock: Zamknout
601 601 button_unlock: Odemknout
602 602 button_download: Stáhnout
603 603 button_list: Vypsat
604 604 button_view: Zobrazit
605 605 button_move: Přesunout
606 606 button_back: Zpět
607 607 button_cancel: Storno
608 608 button_activate: Aktivovat
609 609 button_sort: Seřadit
610 610 button_log_time: Přidat čas
611 611 button_rollback: Zpět k této verzi
612 612 button_watch: Sledovat
613 613 button_unwatch: Nesledovat
614 614 button_reply: Odpovědět
615 615 button_archive: Archivovat
616 616 button_unarchive: Odarchivovat
617 617 button_reset: Reset
618 618 button_rename: Přejmenovat
619 619 button_change_password: Změnit heslo
620 620 button_copy: Kopírovat
621 621 button_annotate: Komentovat
622 622 button_update: Aktualizovat
623 623 button_configure: Konfigurovat
624 624
625 625 status_active: aktivní
626 626 status_registered: registrovaný
627 627 status_locked: uzamčený
628 628
629 629 text_select_mail_notifications: Vyberte akci při které bude zasláno upozornění emailem.
630 630 text_regexp_info: např. ^[A-Z0-9]+$
631 631 text_min_max_length_info: 0 znamená bez limitu
632 632 text_project_destroy_confirmation: Jste si jisti, že chcete odstranit tento projekt a všechna související data ?
633 633 text_workflow_edit: Vyberte roli a frontu k editaci workflow
634 634 text_are_you_sure: Jste si jisti?
635 635 text_tip_task_begin_day: úkol začíná v tento den
636 636 text_tip_task_end_day: úkol končí v tento den
637 637 text_tip_task_begin_end_day: úkol začíná a končí v tento den
638 638 text_project_identifier_info: 'Jsou povolena malá písmena (a-z), čísla a pomlčky.<br />Po uložení již není možné identifikátor změnit.'
639 639 text_caracters_maximum: "{{count}} znaků maximálně."
640 640 text_caracters_minimum: "Musí být alespoň {{count}} znaků dlouhé."
641 641 text_length_between: "Délka mezi {{min}} a {{max}} znaky."
642 642 text_tracker_no_workflow: Pro tuto frontu není definován žádný workflow
643 643 text_unallowed_characters: Nepovolené znaky
644 644 text_comma_separated: Povoleno více hodnot (oddělěné čárkou).
645 645 text_issues_ref_in_commit_messages: Referencing and fixing issues in commit messages
646 646 text_issue_added: "Úkol {{id}} byl vytvořen uživatelem {{author}}."
647 647 text_issue_updated: "Úkol {{id}} byl aktualizován uživatelem {{author}}."
648 648 text_wiki_destroy_confirmation: Opravdu si přejete odstranit tuto WIKI a celý její obsah?
649 649 text_issue_category_destroy_question: "Některé úkoly ({{count}}) jsou přiřazeny k této kategorii. Co s nimi chtete udělat?"
650 650 text_issue_category_destroy_assignments: Zrušit přiřazení ke kategorii
651 651 text_issue_category_reassign_to: Přiřadit úkoly do této kategorie
652 652 text_user_mail_option: "U projektů, které nebyly vybrány, budete dostávat oznámení pouze o vašich či o sledovaných položkách (např. o položkách jejichž jste autor nebo ke kterým jste přiřazen(a))."
653 653 text_no_configuration_data: "Role, fronty, stavy úkolů ani workflow nebyly zatím nakonfigurovány.\nVelice doporučujeme nahrát výchozí konfiguraci.Po si můžete vše upravit"
654 654 text_load_default_configuration: Nahrát výchozí konfiguraci
655 655 text_status_changed_by_changeset: "Použito v changesetu {{value}}."
656 656 text_issues_destroy_confirmation: 'Opravdu si přejete odstranit všechny zvolené úkoly?'
657 657 text_select_project_modules: 'Aktivní moduly v tomto projektu:'
658 658 text_default_administrator_account_changed: Výchozí nastavení administrátorského účtu změněno
659 659 text_file_repository_writable: Povolen zápis do repository
660 660 text_rmagick_available: RMagick k dispozici (volitelné)
661 661 text_destroy_time_entries_question: "U úkolů, které chcete odstranit je evidováno {{hours}} práce. Co chete udělat?"
662 662 text_destroy_time_entries: Odstranit evidované hodiny.
663 663 text_assign_time_entries_to_project: Přiřadit evidované hodiny projektu
664 664 text_reassign_time_entries: 'Přeřadit evidované hodiny k tomuto úkolu:'
665 665
666 666 default_role_manager: Manažer
667 667 default_role_developper: Vývojář
668 668 default_role_reporter: Reportér
669 669 default_tracker_bug: Chyba
670 670 default_tracker_feature: Požadavek
671 671 default_tracker_support: Podpora
672 672 default_issue_status_new: Nový
673 673 default_issue_status_assigned: Přiřazený
674 674 default_issue_status_resolved: Vyřešený
675 675 default_issue_status_feedback: Čeká se
676 676 default_issue_status_closed: Uzavřený
677 677 default_issue_status_rejected: Odmítnutý
678 678 default_doc_category_user: Uživatelská dokumentace
679 679 default_doc_category_tech: Technická dokumentace
680 680 default_priority_low: Nízká
681 681 default_priority_normal: Normální
682 682 default_priority_high: Vysoká
683 683 default_priority_urgent: Urgentní
684 684 default_priority_immediate: Okamžitá
685 685 default_activity_design: Design
686 686 default_activity_development: Vývoj
687 687
688 688 enumeration_issue_priorities: Priority úkolů
689 689 enumeration_doc_categories: Kategorie dokumentů
690 690 enumeration_activities: Aktivity (sledování času)
691 691 error_scm_annotate: "Položka neexistuje nebo nemůže být komentována."
692 692 label_planning: Plánování
693 693 text_subprojects_destroy_warning: "Jeho podprojek(y): {{value}} budou také smazány."
694 694 label_and_its_subprojects: "{{value}} a jeho podprojekty"
695 695 mail_body_reminder: "{{count}} úkol(ů), které máte přiřazeny termín během několik dní ({{days}}):"
696 696 mail_subject_reminder: "{{count}} úkol(ů) termín během několik dní"
697 697 text_user_wrote: "{{value}} napsal:"
698 698 label_duplicated_by: duplicated by
699 699 setting_enabled_scm: Povoleno SCM
700 700 text_enumeration_category_reassign_to: 'Přeřadit je do této:'
701 701 text_enumeration_destroy_question: "Několik ({{count}}) objektů je přiřazeno k této hodnotě."
702 702 label_incoming_emails: Příchozí e-maily
703 703 label_generate_key: Generovat klíč
704 704 setting_mail_handler_api_enabled: Povolit WS pro příchozí e-maily
705 705 setting_mail_handler_api_key: API klíč
706 706 text_email_delivery_not_configured: "Doručování e-mailů není nastaveno a odesílání notifikací je zakázáno.\nNastavte Váš SMTP server v souboru config/email.yml a restartujte aplikaci."
707 707 field_parent_title: Rodičovská stránka
708 708 label_issue_watchers: Sledování
709 709 setting_commit_logs_encoding: Kódování zpráv při commitu
710 710 button_quote: Citovat
711 711 setting_sequential_project_identifiers: Generovat sekvenční identifikátory projektů
712 712 notice_unable_delete_version: Nemohu odstanit verzi
713 713 label_renamed: přejmenováno
714 714 label_copied: zkopírováno
715 715 setting_plain_text_mail: pouze prostý text (ne HTML)
716 716 permission_view_files: Prohlížení souborů
717 717 permission_edit_issues: Upravování úkolů
718 718 permission_edit_own_time_entries: Upravování vlastních zázamů o stráveném čase
719 719 permission_manage_public_queries: Správa veřejných dotazů
720 720 permission_add_issues: Přidávání úkolů
721 721 permission_log_time: Zaznamenávání stráveného času
722 722 permission_view_changesets: Zobrazování sady změn
723 723 permission_view_time_entries: Zobrazení stráveného času
724 724 permission_manage_versions: Spravování verzí
725 725 permission_manage_wiki: Spravování wiki
726 726 permission_manage_categories: Spravování kategorií úkolů
727 727 permission_protect_wiki_pages: Zabezpečení wiki stránek
728 728 permission_comment_news: Komentování novinek
729 729 permission_delete_messages: Mazání zpráv
730 730 permission_select_project_modules: Výběr modulů projektu
731 731 permission_manage_documents: Správa dokumentů
732 732 permission_edit_wiki_pages: Upravování stránek wiki
733 733 permission_add_issue_watchers: Přidání sledujících uživatelů
734 734 permission_view_gantt: Zobrazené Ganttova diagramu
735 735 permission_move_issues: Přesouvání úkolů
736 736 permission_manage_issue_relations: Spravování vztahů mezi úkoly
737 737 permission_delete_wiki_pages: Mazání stránek na wiki
738 738 permission_manage_boards: Správa diskusních fór
739 739 permission_delete_wiki_pages_attachments: Mazání příloh
740 740 permission_view_wiki_edits: Prohlížení historie wiki
741 741 permission_add_messages: Posílání zpráv
742 742 permission_view_messages: Prohlížení zpráv
743 743 permission_manage_files: Spravování souborů
744 744 permission_edit_issue_notes: Upravování poznámek
745 745 permission_manage_news: Spravování novinek
746 746 permission_view_calendar: Prohlížení kalendáře
747 747 permission_manage_members: Spravování členství
748 748 permission_edit_messages: Upravování zpráv
749 749 permission_delete_issues: Mazání úkolů
750 750 permission_view_issue_watchers: Zobrazení seznamu sledujícíh uživatelů
751 751 permission_manage_repository: Spravování repozitáře
752 752 permission_commit_access: Commit access
753 753 permission_browse_repository: Procházení repozitáře
754 754 permission_view_documents: Prohlížení dokumentů
755 755 permission_edit_project: Úprava projektů
756 756 permission_add_issue_notes: Přidávání poznámek
757 757 permission_save_queries: Ukládání dotazů
758 758 permission_view_wiki_pages: Prohlížení wiki
759 759 permission_rename_wiki_pages: Přejmenovávání wiki stránek
760 760 permission_edit_time_entries: Upravování záznamů o stráveném času
761 761 permission_edit_own_issue_notes: Upravování vlastních poznámek
762 762 setting_gravatar_enabled: Použít uživatelské ikony Gravatar
763 763 label_example: Příklad
764 764 text_repository_usernames_mapping: "Vybrat nebo upravit mapování mezi Redmine uživateli a uživatelskými jmény nalezenými v logu repozitáře.\nUživatelé se shodným Redmine uživateslkým jménem a uživatelským jménem v repozitáři jsou mapovaní automaticky."
765 765 permission_edit_own_messages: Upravit vlastní zprávy
766 766 permission_delete_own_messages: Smazat vlastní zprávy
767 767 label_user_activity: "Aktivita uživatele: {{value}}"
768 768 label_updated_time_by: "Akutualizováno: {{author}} před: {{age}}"
769 769 text_diff_truncated: '... Rozdílový soubor je zkrácen, protože jeho délka přesahuje max. limit.'
770 770 setting_diff_max_lines_displayed: Maximální počet zobrazenách řádků rozdílů
771 771 text_plugin_assets_writable: Plugin assets directory writable
772 772 warning_attachments_not_saved: "{{count}} soubor(ů) nebylo možné uložit."
773 773 button_create_and_continue: Vytvořit a pokračovat
774 774 text_custom_field_possible_values_info: 'Každá hodnota na novém řádku'
775 775 label_display: Zobrazit
776 776 field_editable: Editovatelný
777 777 setting_repository_log_display_limit: Maximální počet revizí zobrazených v logu souboru
778 778 setting_file_max_size_displayed: Maximální velikost textových souborů zobrazených přímo na stránce
779 779 field_watcher: Sleduje
780 780 setting_openid: Umožnit přihlašování a registrace s OpenID
781 781 field_identity_url: OpenID URL
782 782 label_login_with_open_id_option: nebo se přihlašte s OpenID
783 783 field_content: Obsah
784 784 label_descending: Sestupně
785 785 label_sort: Řazení
786 786 label_ascending: Vzestupně
787 787 label_date_from_to: Od {{start}} do {{end}}
788 788 label_greater_or_equal: ">="
789 789 label_less_or_equal: <=
790 790 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
791 791 text_wiki_page_reassign_children: Reassign child pages to this parent page
792 792 text_wiki_page_nullify_children: Keep child pages as root pages
793 793 text_wiki_page_destroy_children: Delete child pages and all their descendants
794 794 setting_password_min_length: Minimum password length
795 795 field_group_by: Group results by
796 796 mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated"
797 797 label_wiki_content_added: Wiki page added
798 798 mail_subject_wiki_content_added: "'{{page}}' wiki page has been added"
799 799 mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}.
800 800 label_wiki_content_updated: Wiki page updated
801 801 mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}.
802 802 permission_add_project: Create project
803 803 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
804 804 label_view_all_revisions: View all revisions
805 805 label_tag: Tag
806 806 label_branch: Branch
807 807 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
808 808 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
809 809 text_journal_changed: "{{label}} changed from {{old}} to {{new}}"
810 810 text_journal_set_to: "{{label}} set to {{value}}"
811 811 text_journal_deleted: "{{label}} deleted"
812 812 label_group_plural: Groups
813 813 label_group: Group
814 814 label_group_new: New group
815 label_time_entry_plural: Spent time
@@ -1,841 +1,842
1 1 # Danish translation file for standard Ruby on Rails internationalization
2 2 # by Lars Hoeg (http://www.lenio.dk/)
3 3 # updated and upgraded to 0.9 by Morten Krogh Andersen (http://www.krogh.net)
4 4
5 5 da:
6 6 date:
7 7 formats:
8 8 default: "%d.%m.%Y"
9 9 short: "%e. %b %Y"
10 10 long: "%e. %B %Y"
11 11
12 12 day_names: [søndag, mandag, tirsdag, onsdag, torsdag, fredag, lørdag]
13 13 abbr_day_names: [, ma, ti, 'on', to, fr, ]
14 14 month_names: [~, januar, februar, marts, april, maj, juni, juli, august, september, oktober, november, december]
15 15 abbr_month_names: [~, jan, feb, mar, apr, maj, jun, jul, aug, sep, okt, nov, dec]
16 16 order: [ :day, :month, :year ]
17 17
18 18 time:
19 19 formats:
20 20 default: "%e. %B %Y, %H:%M"
21 21 time: "%H:%M"
22 22 short: "%e. %b %Y, %H:%M"
23 23 long: "%A, %e. %B %Y, %H:%M"
24 24 am: ""
25 25 pm: ""
26 26
27 27 support:
28 28 array:
29 29 sentence_connector: "og"
30 30 skip_last_comma: true
31 31
32 32 datetime:
33 33 distance_in_words:
34 34 half_a_minute: "et halvt minut"
35 35 less_than_x_seconds:
36 36 one: "mindre end et sekund"
37 37 other: "mindre end {{count}} sekunder"
38 38 x_seconds:
39 39 one: "et sekund"
40 40 other: "{{count}} sekunder"
41 41 less_than_x_minutes:
42 42 one: "mindre end et minut"
43 43 other: "mindre end {{count}} minutter"
44 44 x_minutes:
45 45 one: "et minut"
46 46 other: "{{count}} minutter"
47 47 about_x_hours:
48 48 one: "cirka en time"
49 49 other: "cirka {{count}} timer"
50 50 x_days:
51 51 one: "en dag"
52 52 other: "{{count}} dage"
53 53 about_x_months:
54 54 one: "cirka en måned"
55 55 other: "cirka {{count}} måneder"
56 56 x_months:
57 57 one: "en måned"
58 58 other: "{{count}} måneder"
59 59 about_x_years:
60 60 one: "cirka et år"
61 61 other: "cirka {{count}} år"
62 62 over_x_years:
63 63 one: "mere end et år"
64 64 other: "mere end {{count}} år"
65 65
66 66 number:
67 67 format:
68 68 separator: ","
69 69 delimiter: "."
70 70 precision: 3
71 71 currency:
72 72 format:
73 73 format: "%u %n"
74 74 unit: "DKK"
75 75 separator: ","
76 76 delimiter: "."
77 77 precision: 2
78 78 precision:
79 79 format:
80 80 # separator:
81 81 delimiter: ""
82 82 # precision:
83 83 human:
84 84 format:
85 85 # separator:
86 86 delimiter: ""
87 87 precision: 1
88 88 storage_units: [Bytes, KB, MB, GB, TB]
89 89 percentage:
90 90 format:
91 91 # separator:
92 92 delimiter: ""
93 93 # precision:
94 94
95 95 activerecord:
96 96 errors:
97 97 messages:
98 98 inclusion: "er ikke i listen"
99 99 exclusion: "er reserveret"
100 100 invalid: "er ikke gyldig"
101 101 confirmation: "stemmer ikke overens"
102 102 accepted: "skal accepteres"
103 103 empty: "må ikke udelades"
104 104 blank: "skal udfyldes"
105 105 too_long: "er for lang (maksimum {{count}} tegn)"
106 106 too_short: "er for kort (minimum {{count}} tegn)"
107 107 wrong_length: "har forkert længde (skulle være {{count}} tegn)"
108 108 taken: "er allerede anvendt"
109 109 not_a_number: "er ikke et tal"
110 110 greater_than: "skal være større end {{count}}"
111 111 greater_than_or_equal_to: "skal være større end eller lig med {{count}}"
112 112 equal_to: "skal være lig med {{count}}"
113 113 less_than: "skal være mindre end {{count}}"
114 114 less_than_or_equal_to: "skal være mindre end eller lig med {{count}}"
115 115 odd: "skal være ulige"
116 116 even: "skal være lige"
117 117 greater_than_start_date: "skal være senere end startdatoen"
118 118 not_same_project: "hører ikke til samme projekt"
119 119 circular_dependency: "Denne relation vil skabe et afhængighedsforhold"
120 120
121 121 template:
122 122 header:
123 123 one: "En fejl forhindrede {{model}} i at blive gemt"
124 124 other: "{{count}} fejl forhindrede denne {{model}} i at blive gemt"
125 125 body: "Der var problemer med følgende felter:"
126 126
127 127 actionview_instancetag_blank_option: Vælg venligst
128 128
129 129 general_text_No: 'Nej'
130 130 general_text_Yes: 'Ja'
131 131 general_text_no: 'nej'
132 132 general_text_yes: 'ja'
133 133 general_lang_name: 'Danish (Dansk)'
134 134 general_csv_separator: ','
135 135 general_csv_encoding: ISO-8859-1
136 136 general_pdf_encoding: ISO-8859-1
137 137 general_first_day_of_week: '1'
138 138
139 139 notice_account_updated: Kontoen er opdateret.
140 140 notice_account_invalid_creditentials: Ugyldig bruger og/eller kodeord
141 141 notice_account_password_updated: Kodeordet er opdateret.
142 142 notice_account_wrong_password: Forkert kodeord
143 143 notice_account_register_done: Kontoen er oprettet. For at aktivere kontoen skal du klikke på linket i den tilsendte email.
144 144 notice_account_unknown_email: Ukendt bruger.
145 145 notice_can_t_change_password: Denne konto benytter en ekstern sikkerhedsgodkendelse. Det er ikke muligt at skifte kodeord.
146 146 notice_account_lost_email_sent: En email med instruktioner til at vælge et nyt kodeord er afsendt til dig.
147 147 notice_account_activated: Din konto er aktiveret. Du kan nu logge ind.
148 148 notice_successful_create: Succesfuld oprettelse.
149 149 notice_successful_update: Succesfuld opdatering.
150 150 notice_successful_delete: Succesfuld sletning.
151 151 notice_successful_connection: Succesfuld forbindelse.
152 152 notice_file_not_found: Siden du forsøger at tilgå eksisterer ikke eller er blevet fjernet.
153 153 notice_locking_conflict: Data er opdateret af en anden bruger.
154 154 notice_not_authorized: Du har ikke adgang til denne side.
155 155 notice_email_sent: "En email er sendt til {{value}}"
156 156 notice_email_error: "En fejl opstod under afsendelse af email ({{value}})"
157 157 notice_feeds_access_key_reseted: Din adgangsnøgle til RSS er nulstillet.
158 158 notice_failed_to_save_issues: "Det mislykkedes at gemme {{count}} sage(r) {{total}} valgt: {{ids}}."
159 159 notice_no_issue_selected: "Ingen sag er valgt! Vælg venligst hvilke emner du vil rette."
160 160 notice_account_pending: "Din konto er oprettet, og afventer administrators godkendelse."
161 161 notice_default_data_loaded: Standardopsætningen er indlæst.
162 162
163 163 error_can_t_load_default_data: "Standardopsætning kunne ikke indlæses: {{value}}"
164 164 error_scm_not_found: "Adgang nægtet og/eller revision blev ikke fundet i det valgte repository."
165 165 error_scm_command_failed: "En fejl opstod under forbindelsen til det valgte repository: {{value}}"
166 166
167 167 mail_subject_lost_password: "Dit {{value}} kodeord"
168 168 mail_body_lost_password: 'For at ændre dit kodeord, klik dette link:'
169 169 mail_subject_register: "{{value}} kontoaktivering"
170 170 mail_body_register: 'Klik dette link for at aktivere din konto:'
171 171 mail_body_account_information_external: "Du kan bruge din {{value}} konto til at logge ind."
172 172 mail_body_account_information: Din kontoinformation
173 173 mail_subject_account_activation_request: "{{value}} kontoaktivering"
174 174 mail_body_account_activation_request: "En ny bruger ({{value}}) er registreret. Godkend venligst kontoen:"
175 175
176 176 gui_validation_error: 1 fejl
177 177 gui_validation_error_plural: "{{count}} fejl"
178 178
179 179 field_name: Navn
180 180 field_description: Beskrivelse
181 181 field_summary: Sammenfatning
182 182 field_is_required: Skal udfyldes
183 183 field_firstname: Fornavn
184 184 field_lastname: Efternavn
185 185 field_mail: Email
186 186 field_filename: Fil
187 187 field_filesize: Størrelse
188 188 field_downloads: Downloads
189 189 field_author: Forfatter
190 190 field_created_on: Oprettet
191 191 field_updated_on: Opdateret
192 192 field_field_format: Format
193 193 field_is_for_all: For alle projekter
194 194 field_possible_values: Mulige værdier
195 195 field_regexp: Regulære udtryk
196 196 field_min_length: Mindste længde
197 197 field_max_length: Største længde
198 198 field_value: Værdi
199 199 field_category: Kategori
200 200 field_title: Titel
201 201 field_project: Projekt
202 202 field_issue: Sag
203 203 field_status: Status
204 204 field_notes: Noter
205 205 field_is_closed: Sagen er lukket
206 206 field_is_default: Standardværdi
207 207 field_tracker: Type
208 208 field_subject: Emne
209 209 field_due_date: Deadline
210 210 field_assigned_to: Tildelt til
211 211 field_priority: Prioritet
212 212 field_fixed_version: Target version
213 213 field_user: Bruger
214 214 field_role: Rolle
215 215 field_homepage: Hjemmeside
216 216 field_is_public: Offentlig
217 217 field_parent: Underprojekt af
218 218 field_is_in_chlog: Sager vist i ændringer
219 219 field_is_in_roadmap: Sager vist i roadmap
220 220 field_login: Login
221 221 field_mail_notification: Email-påmindelser
222 222 field_admin: Administrator
223 223 field_last_login_on: Sidste forbindelse
224 224 field_language: Sprog
225 225 field_effective_date: Dato
226 226 field_password: Kodeord
227 227 field_new_password: Nyt kodeord
228 228 field_password_confirmation: Bekræft
229 229 field_version: Version
230 230 field_type: Type
231 231 field_host: Vært
232 232 field_port: Port
233 233 field_account: Kode
234 234 field_base_dn: Base DN
235 235 field_attr_login: Login attribut
236 236 field_attr_firstname: Fornavn attribut
237 237 field_attr_lastname: Efternavn attribut
238 238 field_attr_mail: Email attribut
239 239 field_onthefly: løbende brugeroprettelse
240 240 field_start_date: Start
241 241 field_done_ratio: % Færdig
242 242 field_auth_source: Sikkerhedsmetode
243 243 field_hide_mail: Skjul min email
244 244 field_comments: Kommentar
245 245 field_url: URL
246 246 field_start_page: Startside
247 247 field_subproject: Underprojekt
248 248 field_hours: Timer
249 249 field_activity: Aktivitet
250 250 field_spent_on: Dato
251 251 field_identifier: Identifikator
252 252 field_is_filter: Brugt som et filter
253 253 field_issue_to: Beslægtede sag
254 254 field_delay: Udsættelse
255 255 field_assignable: Sager kan tildeles denne rolle
256 256 field_redirect_existing_links: Videresend eksisterende links
257 257 field_estimated_hours: Anslået tid
258 258 field_column_names: Kolonner
259 259 field_time_zone: Tidszone
260 260 field_searchable: Søgbar
261 261 field_default_value: Standardværdi
262 262
263 263 setting_app_title: Applikationstitel
264 264 setting_app_subtitle: Applikationsundertekst
265 265 setting_welcome_text: Velkomsttekst
266 266 setting_default_language: Standardsporg
267 267 setting_login_required: Sikkerhed påkrævet
268 268 setting_self_registration: Brugeroprettelse
269 269 setting_attachment_max_size: Vedhæftede filers max størrelse
270 270 setting_issues_export_limit: Sagseksporteringsbegrænsning
271 271 setting_mail_from: Afsender-email
272 272 setting_bcc_recipients: Skjult modtager (bcc)
273 273 setting_host_name: Værts navn
274 274 setting_text_formatting: Tekstformatering
275 275 setting_wiki_compression: Komprimering af wiki-historik
276 276 setting_feeds_limit: Feed indholdsbegrænsning
277 277 setting_autofetch_changesets: Hent automatisk commits
278 278 setting_sys_api_enabled: Aktiver webservice for automatisk administration af repository
279 279 setting_commit_ref_keywords: Referencenøgleord
280 280 setting_commit_fix_keywords: Afslutningsnøgleord
281 281 setting_autologin: Autologin
282 282 setting_date_format: Datoformat
283 283 setting_time_format: Tidsformat
284 284 setting_cross_project_issue_relations: Tillad sagsrelationer på tværs af projekter
285 285 setting_issue_list_default_columns: Standardkolonner på sagslisten
286 286 setting_repositories_encodings: Repository-tegnsæt
287 287 setting_emails_footer: Email-fodnote
288 288 setting_protocol: Protokol
289 289 setting_user_format: Brugervisningsformat
290 290
291 291 project_module_issue_tracking: Sagssøgning
292 292 project_module_time_tracking: Tidsstyring
293 293 project_module_news: Nyheder
294 294 project_module_documents: Dokumenter
295 295 project_module_files: Filer
296 296 project_module_wiki: Wiki
297 297 project_module_repository: Repository
298 298 project_module_boards: Fora
299 299
300 300 label_user: Bruger
301 301 label_user_plural: Brugere
302 302 label_user_new: Ny bruger
303 303 label_project: Projekt
304 304 label_project_new: Nyt projekt
305 305 label_project_plural: Projekter
306 306 label_x_projects:
307 307 zero: no projects
308 308 one: 1 project
309 309 other: "{{count}} projects"
310 310 label_project_all: Alle projekter
311 311 label_project_latest: Seneste projekter
312 312 label_issue: Sag
313 313 label_issue_new: Opret sag
314 314 label_issue_plural: Sager
315 315 label_issue_view_all: Vis alle sager
316 316 label_issues_by: "Sager fra {{value}}"
317 317 label_issue_added: Sagen er oprettet
318 318 label_issue_updated: Sagen er opdateret
319 319 label_document: Dokument
320 320 label_document_new: Nyt dokument
321 321 label_document_plural: Dokumenter
322 322 label_document_added: Dokument tilføjet
323 323 label_role: Rolle
324 324 label_role_plural: Roller
325 325 label_role_new: Ny rolle
326 326 label_role_and_permissions: Roller og rettigheder
327 327 label_member: Medlem
328 328 label_member_new: Nyt medlem
329 329 label_member_plural: Medlemmer
330 330 label_tracker: Type
331 331 label_tracker_plural: Typer
332 332 label_tracker_new: Ny type
333 333 label_workflow: Arbejdsgang
334 334 label_issue_status: Sagsstatus
335 335 label_issue_status_plural: Sagsstatuser
336 336 label_issue_status_new: Ny status
337 337 label_issue_category: Sagskategori
338 338 label_issue_category_plural: Sagskategorier
339 339 label_issue_category_new: Ny kategori
340 340 label_custom_field: Brugerdefineret felt
341 341 label_custom_field_plural: Brugerdefineret felt
342 342 label_custom_field_new: Nyt brugerdefineret felt
343 343 label_enumerations: Værdier
344 344 label_enumeration_new: Ny værdi
345 345 label_information: Information
346 346 label_information_plural: Information
347 347 label_please_login: Login
348 348 label_register: Registrér
349 349 label_password_lost: Glemt kodeord
350 350 label_home: Forside
351 351 label_my_page: Min side
352 352 label_my_account: Min konto
353 353 label_my_projects: Mine projekter
354 354 label_administration: Administration
355 355 label_login: Log ind
356 356 label_logout: Log ud
357 357 label_help: Hjælp
358 358 label_reported_issues: Rapporterede sager
359 359 label_assigned_to_me_issues: Sager tildelt mig
360 360 label_last_login: Sidste login tidspunkt
361 361 label_registered_on: Registeret den
362 362 label_activity: Aktivitet
363 363 label_new: Ny
364 364 label_logged_as: Registreret som
365 365 label_environment: Miljø
366 366 label_authentication: Sikkerhed
367 367 label_auth_source: Sikkerhedsmetode
368 368 label_auth_source_new: Ny sikkerhedsmetode
369 369 label_auth_source_plural: Sikkerhedsmetoder
370 370 label_subproject_plural: Underprojekter
371 371 label_min_max_length: Min - Max længde
372 372 label_list: Liste
373 373 label_date: Dato
374 374 label_integer: Heltal
375 375 label_float: Kommatal
376 376 label_boolean: Sand/falsk
377 377 label_string: Tekst
378 378 label_text: Lang tekst
379 379 label_attribute: Attribut
380 380 label_attribute_plural: Attributter
381 381 label_download: "{{count}} Download"
382 382 label_download_plural: "{{count}} Downloads"
383 383 label_no_data: Ingen data at vise
384 384 label_change_status: Ændringsstatus
385 385 label_history: Historik
386 386 label_attachment: Fil
387 387 label_attachment_new: Ny fil
388 388 label_attachment_delete: Slet fil
389 389 label_attachment_plural: Filer
390 390 label_file_added: Fil tilføjet
391 391 label_report: Rapport
392 392 label_report_plural: Rapporter
393 393 label_news: Nyheder
394 394 label_news_new: Tilføj nyheder
395 395 label_news_plural: Nyheder
396 396 label_news_latest: Seneste nyheder
397 397 label_news_view_all: Vis alle nyheder
398 398 label_news_added: Nyhed tilføjet
399 399 label_change_log: Ændringer
400 400 label_settings: Indstillinger
401 401 label_overview: Oversigt
402 402 label_version: Version
403 403 label_version_new: Ny version
404 404 label_version_plural: Versioner
405 405 label_confirmation: Bekræftelser
406 406 label_export_to: Eksporter til
407 407 label_read: Læs...
408 408 label_public_projects: Offentlige projekter
409 409 label_open_issues: åben
410 410 label_open_issues_plural: åbne
411 411 label_closed_issues: lukket
412 412 label_closed_issues_plural: lukkede
413 413 label_x_open_issues_abbr_on_total:
414 414 zero: 0 åbne / {{total}}
415 415 one: 1 åben / {{total}}
416 416 other: "{{count}} åbne / {{total}}"
417 417 label_x_open_issues_abbr:
418 418 zero: 0 åbne
419 419 one: 1 åben
420 420 other: "{{count}} åbne"
421 421 label_x_closed_issues_abbr:
422 422 zero: 0 lukkede
423 423 one: 1 lukket
424 424 other: "{{count}} lukkede"
425 425 label_total: Total
426 426 label_permissions: Rettigheder
427 427 label_current_status: Nuværende status
428 428 label_new_statuses_allowed: Ny status tilladt
429 429 label_all: alle
430 430 label_none: intet
431 431 label_nobody: ingen
432 432 label_next: Næste
433 433 label_previous: Forrig
434 434 label_used_by: Brugt af
435 435 label_details: Detaljer
436 436 label_add_note: Tilføj note
437 437 label_per_page: Pr. side
438 438 label_calendar: Kalender
439 439 label_months_from: måneder frem
440 440 label_gantt: Gantt
441 441 label_internal: Intern
442 442 label_last_changes: "sidste {{count}} ændringer"
443 443 label_change_view_all: Vis alle ændringer
444 444 label_personalize_page: Tilret denne side
445 445 label_comment: Kommentar
446 446 label_comment_plural: Kommentarer
447 447 label_x_comments:
448 448 zero: ingen kommentarer
449 449 one: 1 kommentar
450 450 other: "{{count}} kommentarer"
451 451 label_comment_add: Tilføj en kommentar
452 452 label_comment_added: Kommentaren er tilføjet
453 453 label_comment_delete: Slet kommentar
454 454 label_query: Brugerdefineret forespørgsel
455 455 label_query_plural: Brugerdefinerede forespørgsler
456 456 label_query_new: Ny forespørgsel
457 457 label_filter_add: Tilføj filter
458 458 label_filter_plural: Filtre
459 459 label_equals: er
460 460 label_not_equals: er ikke
461 461 label_in_less_than: er mindre end
462 462 label_in_more_than: er større end
463 463 label_in: indeholdt i
464 464 label_today: i dag
465 465 label_all_time: altid
466 466 label_yesterday: i går
467 467 label_this_week: denne uge
468 468 label_last_week: sidste uge
469 469 label_last_n_days: "sidste {{count}} dage"
470 470 label_this_month: denne måned
471 471 label_last_month: sidste måned
472 472 label_this_year: dette år
473 473 label_date_range: Dato interval
474 474 label_less_than_ago: mindre end dage siden
475 475 label_more_than_ago: mere end dage siden
476 476 label_ago: days siden
477 477 label_contains: indeholder
478 478 label_not_contains: ikke indeholder
479 479 label_day_plural: dage
480 480 label_repository: Repository
481 481 label_repository_plural: Repositories
482 482 label_browse: Gennemse
483 483 label_modification: "{{count}} ændring"
484 484 label_modification_plural: "{{count}} ændringer"
485 485 label_revision: Revision
486 486 label_revision_plural: Revisioner
487 487 label_associated_revisions: Tilnyttede revisioner
488 488 label_added: tilføjet
489 489 label_modified: ændret
490 490 label_deleted: slettet
491 491 label_latest_revision: Seneste revision
492 492 label_latest_revision_plural: Seneste revisioner
493 493 label_view_revisions: Se revisioner
494 494 label_max_size: Maximal størrelse
495 495 label_sort_highest: Flyt til toppen
496 496 label_sort_higher: Flyt op
497 497 label_sort_lower: Flyt ned
498 498 label_sort_lowest: Flyt til bunden
499 499 label_roadmap: Roadmap
500 500 label_roadmap_due_in: Deadline
501 501 label_roadmap_overdue: "{{value}} forsinket"
502 502 label_roadmap_no_issues: Ingen sager i denne version
503 503 label_search: Søg
504 504 label_result_plural: Resultater
505 505 label_all_words: Alle ord
506 506 label_wiki: Wiki
507 507 label_wiki_edit: Wiki ændring
508 508 label_wiki_edit_plural: Wiki ændringer
509 509 label_wiki_page: Wiki side
510 510 label_wiki_page_plural: Wiki sider
511 511 label_index_by_title: Indhold efter titel
512 512 label_index_by_date: Indhold efter dato
513 513 label_current_version: Nuværende version
514 514 label_preview: Forhåndsvisning
515 515 label_feed_plural: Feeds
516 516 label_changes_details: Detaljer for alle ændringer
517 517 label_issue_tracking: Sags søgning
518 518 label_spent_time: Anvendt tid
519 519 label_f_hour: "{{value}} time"
520 520 label_f_hour_plural: "{{value}} timer"
521 521 label_time_tracking: Tidsstyring
522 522 label_change_plural: Ændringer
523 523 label_statistics: Statistik
524 524 label_commits_per_month: Commits pr. måned
525 525 label_commits_per_author: Commits pr. bruger
526 526 label_view_diff: Vis forskelle
527 527 label_diff_inline: inline
528 528 label_diff_side_by_side: side om side
529 529 label_options: Optioner
530 530 label_copy_workflow_from: Kopier arbejdsgang fra
531 531 label_permissions_report: Godkendelsesrapport
532 532 label_watched_issues: Overvågede sager
533 533 label_related_issues: Relaterede sager
534 534 label_applied_status: Anvendte statuser
535 535 label_loading: Indlæser...
536 536 label_relation_new: Ny relation
537 537 label_relation_delete: Slet relation
538 538 label_relates_to: relaterer til
539 539 label_duplicates: kopierer
540 540 label_blocks: blokerer
541 541 label_blocked_by: blokeret af
542 542 label_precedes: kommer før
543 543 label_follows: følger
544 544 label_end_to_start: slut til start
545 545 label_end_to_end: slut til slut
546 546 label_start_to_start: start til start
547 547 label_start_to_end: start til slut
548 548 label_stay_logged_in: Forbliv indlogget
549 549 label_disabled: deaktiveret
550 550 label_show_completed_versions: Vis færdige versioner
551 551 label_me: mig
552 552 label_board: Forum
553 553 label_board_new: Nyt forum
554 554 label_board_plural: Fora
555 555 label_topic_plural: Emner
556 556 label_message_plural: Beskeder
557 557 label_message_last: Sidste besked
558 558 label_message_new: Ny besked
559 559 label_message_posted: Besked tilføjet
560 560 label_reply_plural: Besvarer
561 561 label_send_information: Send konto information til bruger
562 562 label_year: År
563 563 label_month: Måned
564 564 label_week: Uge
565 565 label_date_from: Fra
566 566 label_date_to: Til
567 567 label_language_based: Baseret på brugerens sprog
568 568 label_sort_by: "Sortér efter {{value}}"
569 569 label_send_test_email: Send en test email
570 570 label_feeds_access_key_created_on: "RSS adgangsnøgle dannet for {{value}} siden"
571 571 label_module_plural: Moduler
572 572 label_added_time_by: "Tilføjet af {{author}} for {{age}} siden"
573 573 label_updated_time: "Opdateret for {{value}} siden"
574 574 label_jump_to_a_project: Skift til projekt...
575 575 label_file_plural: Filer
576 576 label_changeset_plural: Ændringer
577 577 label_default_columns: Standard kolonner
578 578 label_no_change_option: (Ingen ændringer)
579 579 label_bulk_edit_selected_issues: Masse-ret de valgte sager
580 580 label_theme: Tema
581 581 label_default: standard
582 582 label_search_titles_only: Søg kun i titler
583 583 label_user_mail_option_all: "For alle hændelser mine projekter"
584 584 label_user_mail_option_selected: "For alle hændelser de valgte projekter..."
585 585 label_user_mail_option_none: "Kun for ting jeg overvåger eller jeg er involveret i"
586 586 label_user_mail_no_self_notified: "Jeg ønsker ikke besked om ændring foretaget af mig selv"
587 587 label_registration_activation_by_email: kontoaktivering på email
588 588 label_registration_manual_activation: manuel kontoaktivering
589 589 label_registration_automatic_activation: automatisk kontoaktivering
590 590 label_display_per_page: "Per side: {{value}}"
591 591 label_age: Alder
592 592 label_change_properties: Ændre indstillinger
593 593 label_general: Generalt
594 594 label_more: Mere
595 595 label_scm: SCM
596 596 label_plugins: Plugins
597 597 label_ldap_authentication: LDAP-godkendelse
598 598 label_downloads_abbr: D/L
599 599
600 600 button_login: Login
601 601 button_submit: Send
602 602 button_save: Gem
603 603 button_check_all: Vælg alt
604 604 button_uncheck_all: Fravælg alt
605 605 button_delete: Slet
606 606 button_create: Opret
607 607 button_test: Test
608 608 button_edit: Ret
609 609 button_add: Tilføj
610 610 button_change: Ændre
611 611 button_apply: Anvend
612 612 button_clear: Nulstil
613 613 button_lock: Lås
614 614 button_unlock: Lås op
615 615 button_download: Download
616 616 button_list: List
617 617 button_view: Vis
618 618 button_move: Flyt
619 619 button_back: Tilbage
620 620 button_cancel: Annullér
621 621 button_activate: Aktivér
622 622 button_sort: Sortér
623 623 button_log_time: Log tid
624 624 button_rollback: Tilbagefør til denne version
625 625 button_watch: Overvåg
626 626 button_unwatch: Stop overvågning
627 627 button_reply: Besvar
628 628 button_archive: Arkivér
629 629 button_unarchive: Fjern fra arkiv
630 630 button_reset: Nulstil
631 631 button_rename: Omdøb
632 632 button_change_password: Skift kodeord
633 633 button_copy: Kopiér
634 634 button_annotate: Annotér
635 635 button_update: Opdatér
636 636 button_configure: Konfigurér
637 637
638 638 status_active: aktiv
639 639 status_registered: registreret
640 640 status_locked: låst
641 641
642 642 text_select_mail_notifications: Vælg handlinger der skal sendes email besked for.
643 643 text_regexp_info: f.eks. ^[A-ZÆØÅ0-9]+$
644 644 text_min_max_length_info: 0 betyder ingen begrænsninger
645 645 text_project_destroy_confirmation: Er du sikker på at du vil slette dette projekt og alle relaterede data?
646 646 text_workflow_edit: Vælg en rolle samt en type, for at redigere arbejdsgangen
647 647 text_are_you_sure: Er du sikker?
648 648 text_tip_task_begin_day: opgaven begynder denne dag
649 649 text_tip_task_end_day: opaven slutter denne dag
650 650 text_tip_task_begin_end_day: opgaven begynder og slutter denne dag
651 651 text_project_identifier_info: 'Små bogstaver (a-z), numre og bindestreg er tilladt.<br />Denne er en unik identifikation for projektet, og kan defor ikke rettes senere.'
652 652 text_caracters_maximum: "max {{count}} karakterer."
653 653 text_caracters_minimum: "Skal være mindst {{count}} karakterer lang."
654 654 text_length_between: "Længde skal være mellem {{min}} og {{max}} karakterer."
655 655 text_tracker_no_workflow: Ingen arbejdsgang defineret for denne type
656 656 text_unallowed_characters: Ikke-tilladte karakterer
657 657 text_comma_separated: Adskillige værdier tilladt (adskilt med komma).
658 658 text_issues_ref_in_commit_messages: Referer og løser sager i commit-beskeder
659 659 text_issue_added: "Sag {{id}} er rapporteret af {{author}}."
660 660 text_issue_updated: "Sag {{id}} er blevet opdateret af {{author}}."
661 661 text_wiki_destroy_confirmation: Er du sikker på at du vil slette denne wiki og dens indhold?
662 662 text_issue_category_destroy_question: "Nogle sager ({{count}}) er tildelt denne kategori. Hvad ønsker du at gøre?"
663 663 text_issue_category_destroy_assignments: Slet tildelinger af kategori
664 664 text_issue_category_reassign_to: Tildel sager til denne kategori
665 665 text_user_mail_option: "For ikke-valgte projekter vil du kun modtage beskeder omhandlende ting du er involveret i eller overvåger (f.eks. sager du har indberettet eller ejer)."
666 666 text_no_configuration_data: "Roller, typer, sagsstatuser og arbejdsgange er endnu ikke konfigureret.\nDet er anbefalet at indlæse standardopsætningen. Du vil kunne ændre denne når den er indlæst."
667 667 text_load_default_configuration: Indlæs standardopsætningen
668 668 text_status_changed_by_changeset: "Anvendt i ændring {{value}}."
669 669 text_issues_destroy_confirmation: 'Er du sikker du ønsker at slette den/de valgte sag(er)?'
670 670 text_select_project_modules: 'Vælg moduler er skal være aktiveret for dette projekt:'
671 671 text_default_administrator_account_changed: Standard administratorkonto ændret
672 672 text_file_repository_writable: Filarkiv er skrivbar
673 673 text_rmagick_available: RMagick tilgængelig (valgfri)
674 674
675 675 default_role_manager: Leder
676 676 default_role_developper: Udvikler
677 677 default_role_reporter: Rapportør
678 678 default_tracker_bug: Bug
679 679 default_tracker_feature: Feature
680 680 default_tracker_support: Support
681 681 default_issue_status_new: Ny
682 682 default_issue_status_assigned: Tildelt
683 683 default_issue_status_resolved: Løst
684 684 default_issue_status_feedback: Feedback
685 685 default_issue_status_closed: Lukket
686 686 default_issue_status_rejected: Afvist
687 687 default_doc_category_user: Brugerdokumentation
688 688 default_doc_category_tech: Teknisk dokumentation
689 689 default_priority_low: Lav
690 690 default_priority_normal: Normal
691 691 default_priority_high: Høj
692 692 default_priority_urgent: Akut
693 693 default_priority_immediate: Omgående
694 694 default_activity_design: Design
695 695 default_activity_development: Udvikling
696 696
697 697 enumeration_issue_priorities: Sagsprioriteter
698 698 enumeration_doc_categories: Dokumentkategorier
699 699 enumeration_activities: Aktiviteter (tidsstyring)
700 700
701 701 label_add_another_file: Tilføj endnu en fil
702 702 label_chronological_order: I kronologisk rækkefølge
703 703 setting_activity_days_default: Antal dage der vises under projektaktivitet
704 704 text_destroy_time_entries_question: "{{hours}} timer er registreret denne sag som du er ved at slette. Hvad vil du gøre?"
705 705 error_issue_not_found_in_project: 'Sagen blev ikke fundet eller tilhører ikke dette projekt'
706 706 text_assign_time_entries_to_project: Tildel raporterede timer til projektet
707 707 setting_display_subprojects_issues: Vis sager for underprojekter på hovedprojektet som standard
708 708 label_optional_description: Optionel beskrivelse
709 709 text_destroy_time_entries: Slet registrerede timer
710 710 field_comments_sorting: Vis kommentar
711 711 text_reassign_time_entries: 'Tildel registrerede timer til denne sag igen'
712 712 label_reverse_chronological_order: I omvendt kronologisk rækkefølge
713 713 label_preferences: Preferences
714 714 label_overall_activity: Overordnet aktivitet
715 715 setting_default_projects_public: Nye projekter er offentlige som standard
716 716 error_scm_annotate: "The entry does not exist or can not be annotated."
717 717 label_planning: Planlægning
718 718 text_subprojects_destroy_warning: "Dets underprojekter(er): {{value}} vil også blive slettet."
719 719 permission_edit_issues: Redigér sager
720 720 setting_diff_max_lines_displayed: Maksimalt antal forskelle der vises
721 721 permission_edit_own_issue_notes: Redigér egne noter
722 722 setting_enabled_scm: Aktiveret SCM
723 723 button_quote: Citér
724 724 permission_view_files: Se filer
725 725 permission_add_issues: Tilføj sager
726 726 permission_edit_own_messages: Redigér egne beskeder
727 727 permission_delete_own_messages: Slet egne beskeder
728 728 permission_manage_public_queries: Administrér offentlig forespørgsler
729 729 permission_log_time: Registrér anvendt tid
730 730 label_renamed: omdømt
731 731 label_incoming_emails: Indkommende emails
732 732 permission_view_changesets: Se ændringer
733 733 permission_manage_versions: Administrér versioner
734 734 permission_view_time_entries: Se anvendt tid
735 735 label_generate_key: Generér en nøglefil
736 736 permission_manage_categories: Administrér sagskategorier
737 737 permission_manage_wiki: Administrér wiki
738 738 setting_sequential_project_identifiers: Generér sekventielle projekt-identifikatorer
739 739 setting_plain_text_mail: Emails som almindelig tekst (ingen HTML)
740 740 field_parent_title: Siden over
741 741 text_email_delivery_not_configured: "Email-afsendelse er ikke indstillet og notifikationer er defor slået fra.\nKonfigurér din SMTP server i config/email.yml og genstart applikationen for at aktivere email-afsendelse."
742 742 permission_protect_wiki_pages: Beskyt wiki sider
743 743 permission_manage_documents: Administrér dokumenter
744 744 permission_add_issue_watchers: Tilføj overvågere
745 745 warning_attachments_not_saved: "der var {{count}} fil(er), som ikke kunne gemmes."
746 746 permission_comment_news: Kommentér nyheder
747 747 text_enumeration_category_reassign_to: 'Reassign them to this value:'
748 748 permission_select_project_modules: Vælg projekt moduler
749 749 permission_view_gantt: Se gantt diagram
750 750 permission_delete_messages: Slet beskeder
751 751 permission_move_issues: Flyt sager
752 752 permission_edit_wiki_pages: Redigér wiki sider
753 753 label_user_activity: "{{value}}'s aktivitet"
754 754 permission_manage_issue_relations: Administrér sags-relationer
755 755 label_issue_watchers: Overvågere
756 756 permission_delete_wiki_pages: Slet wiki sider
757 757 notice_unable_delete_version: Kan ikke slette versionen.
758 758 permission_view_wiki_edits: Se wiki historik
759 759 field_editable: Redigérbar
760 760 label_duplicated_by: duplikeret af
761 761 permission_manage_boards: Administrér fora
762 762 permission_delete_wiki_pages_attachments: Slet filer vedhæftet wiki sider
763 763 permission_view_messages: Se beskeder
764 764 text_enumeration_destroy_question: "{{count}} objekter er tildelt denne værdi."
765 765 permission_manage_files: Administrér filer
766 766 permission_add_messages: Opret beskeder
767 767 permission_edit_issue_notes: Redigér noter
768 768 permission_manage_news: Administrér nyheder
769 769 text_plugin_assets_writable: Der er skriverettigheder til plugin assets folderen
770 770 label_display: Vis
771 771 label_and_its_subprojects: "{{value}} og dets underprojekter"
772 772 permission_view_calendar: Se kalender
773 773 button_create_and_continue: Opret og fortsæt
774 774 setting_gravatar_enabled: Anvend Gravatar bruger ikoner
775 775 label_updated_time_by: "Opdateret af {{author}} for {{age}} siden"
776 776 text_diff_truncated: '... Listen over forskelle er bleve afkortet fordi den overstiger den maksimale størrelse der kan vises.'
777 777 text_user_wrote: "{{value}} skrev:"
778 778 setting_mail_handler_api_enabled: Aktiver webservice for indkomne emails
779 779 permission_delete_issues: Slet sager
780 780 permission_view_documents: Se dokumenter
781 781 permission_browse_repository: Gennemse repository
782 782 permission_manage_repository: Administrér repository
783 783 permission_manage_members: Administrér medlemmer
784 784 mail_subject_reminder: "{{count}} sag(er) har deadline i de kommende dage"
785 785 permission_add_issue_notes: Tilføj noter
786 786 permission_edit_messages: Redigér beskeder
787 787 permission_view_issue_watchers: Se liste over overvågere
788 788 permission_commit_access: Commit adgang
789 789 setting_mail_handler_api_key: API nøgle
790 790 label_example: Eksempel
791 791 permission_rename_wiki_pages: Omdøb wiki sider
792 792 text_custom_field_possible_values_info: 'En linje for hver værdi'
793 793 permission_view_wiki_pages: Se wiki
794 794 permission_edit_project: Redigér projekt
795 795 permission_save_queries: Gem forespørgsler
796 796 label_copied: kopieret
797 797 setting_commit_logs_encoding: Kodning af Commit beskeder
798 798 text_repository_usernames_mapping: "Vælg eller opdatér de Redmine brugere der svarer til de enkelte brugere fundet i repository loggen.\nBrugere med samme brugernavn eller email adresse i både Redmine og det valgte repository bliver automatisk koblet sammen."
799 799 permission_edit_time_entries: Redigér tidsregistreringer
800 800 general_csv_decimal_separator: ','
801 801 permission_edit_own_time_entries: Redigér egne tidsregistreringer
802 802 setting_repository_log_display_limit: Maksimalt antal revisioner vist i fil-log
803 803 setting_file_max_size_displayed: Maksimal størrelse på tekstfiler vist inline
804 804 field_watcher: Overvåger
805 805 setting_openid: Tillad OpenID login og registrering
806 806 field_identity_url: OpenID URL
807 807 label_login_with_open_id_option: eller login med OpenID
808 808 setting_per_page_options: Objects per page options
809 809 mail_body_reminder: "{{count}} issue(s) that are assigned to you are due in the next {{days}} days:"
810 810 field_content: Content
811 811 label_descending: Descending
812 812 label_sort: Sort
813 813 label_ascending: Ascending
814 814 label_date_from_to: From {{start}} to {{end}}
815 815 label_greater_or_equal: ">="
816 816 label_less_or_equal: <=
817 817 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
818 818 text_wiki_page_reassign_children: Reassign child pages to this parent page
819 819 text_wiki_page_nullify_children: Keep child pages as root pages
820 820 text_wiki_page_destroy_children: Delete child pages and all their descendants
821 821 setting_password_min_length: Minimum password length
822 822 field_group_by: Group results by
823 823 mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated"
824 824 label_wiki_content_added: Wiki page added
825 825 mail_subject_wiki_content_added: "'{{page}}' wiki page has been added"
826 826 mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}.
827 827 label_wiki_content_updated: Wiki page updated
828 828 mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}.
829 829 permission_add_project: Create project
830 830 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
831 831 label_view_all_revisions: View all revisions
832 832 label_tag: Tag
833 833 label_branch: Branch
834 834 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
835 835 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
836 836 text_journal_changed: "{{label}} changed from {{old}} to {{new}}"
837 837 text_journal_set_to: "{{label}} set to {{value}}"
838 838 text_journal_deleted: "{{label}} deleted"
839 839 label_group_plural: Groups
840 840 label_group: Group
841 841 label_group_new: New group
842 label_time_entry_plural: Spent time
@@ -1,840 +1,841
1 1 # German translations for Ruby on Rails
2 2 # by Clemens Kofler (clemens@railway.at)
3 3
4 4 de:
5 5 date:
6 6 formats:
7 7 default: "%d.%m.%Y"
8 8 short: "%e. %b"
9 9 long: "%e. %B %Y"
10 10 only_day: "%e"
11 11
12 12 day_names: [Sonntag, Montag, Dienstag, Mittwoch, Donnerstag, Freitag, Samstag]
13 13 abbr_day_names: [So, Mo, Di, Mi, Do, Fr, Sa]
14 14 month_names: [~, Januar, Februar, März, April, Mai, Juni, Juli, August, September, Oktober, November, Dezember]
15 15 abbr_month_names: [~, Jan, Feb, Mär, Apr, Mai, Jun, Jul, Aug, Sep, Okt, Nov, Dez]
16 16 order: [ :day, :month, :year ]
17 17
18 18 time:
19 19 formats:
20 20 default: "%A, %e. %B %Y, %H:%M Uhr"
21 21 short: "%e. %B, %H:%M Uhr"
22 22 long: "%A, %e. %B %Y, %H:%M Uhr"
23 23 time: "%H:%M"
24 24
25 25 am: "vormittags"
26 26 pm: "nachmittags"
27 27
28 28 datetime:
29 29 distance_in_words:
30 30 half_a_minute: 'eine halbe Minute'
31 31 less_than_x_seconds:
32 32 zero: 'weniger als 1 Sekunde'
33 33 one: 'weniger als 1 Sekunde'
34 34 other: 'weniger als {{count}} Sekunden'
35 35 x_seconds:
36 36 one: '1 Sekunde'
37 37 other: '{{count}} Sekunden'
38 38 less_than_x_minutes:
39 39 zero: 'weniger als 1 Minute'
40 40 one: 'weniger als eine Minute'
41 41 other: 'weniger als {{count}} Minuten'
42 42 x_minutes:
43 43 one: '1 Minute'
44 44 other: '{{count}} Minuten'
45 45 about_x_hours:
46 46 one: 'etwa 1 Stunde'
47 47 other: 'etwa {{count}} Stunden'
48 48 x_days:
49 49 one: '1 Tag'
50 50 other: '{{count}} Tage'
51 51 about_x_months:
52 52 one: 'etwa 1 Monat'
53 53 other: 'etwa {{count}} Monate'
54 54 x_months:
55 55 one: '1 Monat'
56 56 other: '{{count}} Monate'
57 57 about_x_years:
58 58 one: 'etwa 1 Jahr'
59 59 other: 'etwa {{count}} Jahre'
60 60 over_x_years:
61 61 one: 'mehr als 1 Jahr'
62 62 other: 'mehr als {{count}} Jahre'
63 63
64 64 number:
65 65 format:
66 66 precision: 2
67 67 separator: ','
68 68 delimiter: '.'
69 69 currency:
70 70 format:
71 71 unit: '€'
72 72 format: '%n%u'
73 73 separator:
74 74 delimiter:
75 75 precision:
76 76 percentage:
77 77 format:
78 78 delimiter: ""
79 79 precision:
80 80 format:
81 81 delimiter: ""
82 82 human:
83 83 format:
84 84 delimiter: ""
85 85 precision: 1
86 86
87 87 support:
88 88 array:
89 89 sentence_connector: "und"
90 90 skip_last_comma: true
91 91
92 92 activerecord:
93 93 errors:
94 94 template:
95 95 header:
96 96 one: "Konnte dieses {{model}} Objekt nicht speichern: 1 Fehler."
97 97 other: "Konnte dieses {{model}} Objekt nicht speichern: {{count}} Fehler."
98 98 body: "Bitte überprüfen Sie die folgenden Felder:"
99 99
100 100 messages:
101 101 inclusion: "ist kein gültiger Wert"
102 102 exclusion: "ist nicht verfügbar"
103 103 invalid: "ist nicht gültig"
104 104 confirmation: "stimmt nicht mit der Bestätigung überein"
105 105 accepted: "muss akzeptiert werden"
106 106 empty: "muss ausgefüllt werden"
107 107 blank: "muss ausgefüllt werden"
108 108 too_long: "ist zu lang (nicht mehr als {{count}} Zeichen)"
109 109 too_short: "ist zu kurz (nicht weniger als {{count}} Zeichen)"
110 110 wrong_length: "hat die falsche Länge (muss genau {{count}} Zeichen haben)"
111 111 taken: "ist bereits vergeben"
112 112 not_a_number: "ist keine Zahl"
113 113 greater_than: "muss größer als {{count}} sein"
114 114 greater_than_or_equal_to: "muss größer oder gleich {{count}} sein"
115 115 equal_to: "muss genau {{count}} sein"
116 116 less_than: "muss kleiner als {{count}} sein"
117 117 less_than_or_equal_to: "muss kleiner oder gleich {{count}} sein"
118 118 odd: "muss ungerade sein"
119 119 even: "muss gerade sein"
120 120 greater_than_start_date: "muss größer als Anfangsdatum sein"
121 121 not_same_project: "gehört nicht zum selben Projekt"
122 122 circular_dependency: "Diese Beziehung würde eine zyklische Abhängigkeit erzeugen"
123 123 models:
124 124
125 125 actionview_instancetag_blank_option: Bitte auswählen
126 126
127 127 general_text_No: 'Nein'
128 128 general_text_Yes: 'Ja'
129 129 general_text_no: 'nein'
130 130 general_text_yes: 'ja'
131 131 general_lang_name: 'Deutsch'
132 132 general_csv_separator: ';'
133 133 general_csv_decimal_separator: ','
134 134 general_csv_encoding: ISO-8859-1
135 135 general_pdf_encoding: ISO-8859-1
136 136 general_first_day_of_week: '1'
137 137
138 138 notice_account_updated: Konto wurde erfolgreich aktualisiert.
139 139 notice_account_invalid_creditentials: Benutzer oder Kennwort unzulässig
140 140 notice_account_password_updated: Kennwort wurde erfolgreich aktualisiert.
141 141 notice_account_wrong_password: Falsches Kennwort
142 142 notice_account_register_done: Konto wurde erfolgreich angelegt.
143 143 notice_account_unknown_email: Unbekannter Benutzer.
144 144 notice_can_t_change_password: Dieses Konto verwendet eine externe Authentifizierungs-Quelle. Unmöglich, das Kennwort zu ändern.
145 145 notice_account_lost_email_sent: Eine E-Mail mit Anweisungen, ein neues Kennwort zu wählen, wurde Ihnen geschickt.
146 146 notice_account_activated: Ihr Konto ist aktiviert. Sie können sich jetzt anmelden.
147 147 notice_successful_create: Erfolgreich angelegt
148 148 notice_successful_update: Erfolgreich aktualisiert.
149 149 notice_successful_delete: Erfolgreich gelöscht.
150 150 notice_successful_connection: Verbindung erfolgreich.
151 151 notice_file_not_found: Anhang existiert nicht oder ist gelöscht worden.
152 152 notice_locking_conflict: Datum wurde von einem anderen Benutzer geändert.
153 153 notice_not_authorized: Sie sind nicht berechtigt, auf diese Seite zuzugreifen.
154 154 notice_email_sent: "Eine E-Mail wurde an {{value}} gesendet."
155 155 notice_email_error: "Beim Senden einer E-Mail ist ein Fehler aufgetreten ({{value}})."
156 156 notice_feeds_access_key_reseted: Ihr Atom-Zugriffsschlüssel wurde zurückgesetzt.
157 157 notice_failed_to_save_issues: "{{count}} von {{total}} ausgewählten Tickets konnte(n) nicht gespeichert werden: {{ids}}."
158 158 notice_no_issue_selected: "Kein Ticket ausgewählt! Bitte wählen Sie die Tickets, die Sie bearbeiten möchten."
159 159 notice_account_pending: "Ihr Konto wurde erstellt und wartet jetzt auf die Genehmigung des Administrators."
160 160 notice_default_data_loaded: Die Standard-Konfiguration wurde erfolgreich geladen.
161 161 notice_unable_delete_version: Die Version konnte nicht gelöscht werden
162 162
163 163 error_can_t_load_default_data: "Die Standard-Konfiguration konnte nicht geladen werden: {{value}}"
164 164 error_scm_not_found: Eintrag und/oder Revision existiert nicht im Projektarchiv.
165 165 error_scm_command_failed: "Beim Zugriff auf das Projektarchiv ist ein Fehler aufgetreten: {{value}}"
166 166 error_scm_annotate: "Der Eintrag existiert nicht oder kann nicht annotiert werden."
167 167 error_issue_not_found_in_project: 'Das Ticket wurde nicht gefunden oder gehört nicht zu diesem Projekt.'
168 168
169 169 warning_attachments_not_saved: "{{count}} Datei(en) konnten nicht gespeichert werden."
170 170
171 171 mail_subject_lost_password: "Ihr {{value}} Kennwort"
172 172 mail_body_lost_password: 'Benutzen Sie den folgenden Link, um Ihr Kennwort zu ändern:'
173 173 mail_subject_register: "{{value}} Kontoaktivierung"
174 174 mail_body_register: 'Um Ihr Konto zu aktivieren, benutzen Sie folgenden Link:'
175 175 mail_body_account_information_external: "Sie können sich mit Ihrem Konto {{value}} an anmelden."
176 176 mail_body_account_information: Ihre Konto-Informationen
177 177 mail_subject_account_activation_request: "Antrag auf {{value}} Kontoaktivierung"
178 178 mail_body_account_activation_request: "Ein neuer Benutzer ({{value}}) hat sich registriert. Sein Konto wartet auf Ihre Genehmigung:"
179 179 mail_subject_reminder: "{{count}} Tickets müssen in den nächsten Tagen abgegeben werden"
180 180 mail_body_reminder: "{{count}} Tickets, die Ihnen zugewiesen sind, müssen in den nächsten {{days}} Tagen abgegeben werden:"
181 181
182 182 gui_validation_error: 1 Fehler
183 183 gui_validation_error_plural: "{{count}} Fehler"
184 184
185 185 field_name: Name
186 186 field_description: Beschreibung
187 187 field_summary: Zusammenfassung
188 188 field_is_required: Erforderlich
189 189 field_firstname: Vorname
190 190 field_lastname: Nachname
191 191 field_mail: E-Mail
192 192 field_filename: Datei
193 193 field_filesize: Größe
194 194 field_downloads: Downloads
195 195 field_author: Autor
196 196 field_created_on: Angelegt
197 197 field_updated_on: Aktualisiert
198 198 field_field_format: Format
199 199 field_is_for_all: Für alle Projekte
200 200 field_possible_values: Mögliche Werte
201 201 field_regexp: Regulärer Ausdruck
202 202 field_min_length: Minimale Länge
203 203 field_max_length: Maximale Länge
204 204 field_value: Wert
205 205 field_category: Kategorie
206 206 field_title: Titel
207 207 field_project: Projekt
208 208 field_issue: Ticket
209 209 field_status: Status
210 210 field_notes: Kommentare
211 211 field_is_closed: Ticket geschlossen
212 212 field_is_default: Standardeinstellung
213 213 field_tracker: Tracker
214 214 field_subject: Thema
215 215 field_due_date: Abgabedatum
216 216 field_assigned_to: Zugewiesen an
217 217 field_priority: Priorität
218 218 field_fixed_version: Zielversion
219 219 field_user: Benutzer
220 220 field_role: Rolle
221 221 field_homepage: Projekt-Homepage
222 222 field_is_public: Öffentlich
223 223 field_parent: Unterprojekt von
224 224 field_is_in_chlog: Im Change-Log anzeigen
225 225 field_is_in_roadmap: In der Roadmap anzeigen
226 226 field_login: Mitgliedsname
227 227 field_mail_notification: Mailbenachrichtigung
228 228 field_admin: Administrator
229 229 field_last_login_on: Letzte Anmeldung
230 230 field_language: Sprache
231 231 field_effective_date: Datum
232 232 field_password: Kennwort
233 233 field_new_password: Neues Kennwort
234 234 field_password_confirmation: Bestätigung
235 235 field_version: Version
236 236 field_type: Typ
237 237 field_host: Host
238 238 field_port: Port
239 239 field_account: Konto
240 240 field_base_dn: Base DN
241 241 field_attr_login: Mitgliedsname-Attribut
242 242 field_attr_firstname: Vorname-Attribut
243 243 field_attr_lastname: Name-Attribut
244 244 field_attr_mail: E-Mail-Attribut
245 245 field_onthefly: On-the-fly-Benutzererstellung
246 246 field_start_date: Beginn
247 247 field_done_ratio: % erledigt
248 248 field_auth_source: Authentifizierungs-Modus
249 249 field_hide_mail: E-Mail-Adresse nicht anzeigen
250 250 field_comments: Kommentar
251 251 field_url: URL
252 252 field_start_page: Hauptseite
253 253 field_subproject: Subprojekt von
254 254 field_hours: Stunden
255 255 field_activity: Aktivität
256 256 field_spent_on: Datum
257 257 field_identifier: Kennung
258 258 field_is_filter: Als Filter benutzen
259 259 field_issue_to: Zugehöriges Ticket
260 260 field_delay: Pufferzeit
261 261 field_assignable: Tickets können dieser Rolle zugewiesen werden
262 262 field_redirect_existing_links: Existierende Links umleiten
263 263 field_estimated_hours: Geschätzter Aufwand
264 264 field_column_names: Spalten
265 265 field_time_zone: Zeitzone
266 266 field_searchable: Durchsuchbar
267 267 field_default_value: Standardwert
268 268 field_comments_sorting: Kommentare anzeigen
269 269 field_parent_title: Übergeordnete Seite
270 270
271 271 setting_app_title: Applikations-Titel
272 272 setting_app_subtitle: Applikations-Untertitel
273 273 setting_welcome_text: Willkommenstext
274 274 setting_default_language: Default-Sprache
275 275 setting_login_required: Authentisierung erforderlich
276 276 setting_self_registration: Anmeldung ermöglicht
277 277 setting_attachment_max_size: Max. Dateigröße
278 278 setting_issues_export_limit: Max. Anzahl Tickets bei CSV/PDF-Export
279 279 setting_mail_from: E-Mail-Absender
280 280 setting_bcc_recipients: E-Mails als Blindkopie (BCC) senden
281 281 setting_plain_text_mail: Nur reinen Text (kein HTML) senden
282 282 setting_host_name: Hostname
283 283 setting_text_formatting: Textformatierung
284 284 setting_wiki_compression: Wiki-Historie komprimieren
285 285 setting_feeds_limit: Max. Anzahl Einträge pro Atom-Feed
286 286 setting_default_projects_public: Neue Projekte sind standardmäßig öffentlich
287 287 setting_autofetch_changesets: Changesets automatisch abrufen
288 288 setting_sys_api_enabled: Webservice zur Verwaltung der Projektarchive benutzen
289 289 setting_commit_ref_keywords: Schlüsselwörter (Beziehungen)
290 290 setting_commit_fix_keywords: Schlüsselwörter (Status)
291 291 setting_autologin: Automatische Anmeldung
292 292 setting_date_format: Datumsformat
293 293 setting_time_format: Zeitformat
294 294 setting_cross_project_issue_relations: Ticket-Beziehungen zwischen Projekten erlauben
295 295 setting_issue_list_default_columns: Default-Spalten in der Ticket-Auflistung
296 296 setting_repositories_encodings: Kodierungen der Projektarchive
297 297 setting_commit_logs_encoding: Kodierung der Commit-Log-Meldungen
298 298 setting_emails_footer: E-Mail-Fußzeile
299 299 setting_protocol: Protokoll
300 300 setting_per_page_options: Objekte pro Seite
301 301 setting_user_format: Benutzer-Anzeigeformat
302 302 setting_activity_days_default: Anzahl Tage pro Seite der Projekt-Aktivität
303 303 setting_display_subprojects_issues: Tickets von Unterprojekten im Hauptprojekt anzeigen
304 304 setting_enabled_scm: Aktivierte Versionskontrollsysteme
305 305 setting_mail_handler_api_enabled: Abruf eingehender E-Mails aktivieren
306 306 setting_mail_handler_api_key: API-Schlüssel
307 307 setting_sequential_project_identifiers: Fortlaufende Projektkennungen generieren
308 308 setting_gravatar_enabled: Gravatar Benutzerbilder benutzen
309 309 setting_diff_max_lines_displayed: Maximale Anzahl anzuzeigender Diff-Zeilen
310 310
311 311 permission_edit_project: Projekt bearbeiten
312 312 permission_select_project_modules: Projektmodule auswählen
313 313 permission_manage_members: Mitglieder verwalten
314 314 permission_manage_versions: Versionen verwalten
315 315 permission_manage_categories: Ticket-Kategorien verwalten
316 316 permission_add_issues: Tickets hinzufügen
317 317 permission_edit_issues: Tickets bearbeiten
318 318 permission_manage_issue_relations: Ticket-Beziehungen verwalten
319 319 permission_add_issue_notes: Kommentare hinzufügen
320 320 permission_edit_issue_notes: Kommentare bearbeiten
321 321 permission_edit_own_issue_notes: Eigene Kommentare bearbeiten
322 322 permission_move_issues: Tickets verschieben
323 323 permission_delete_issues: Tickets löschen
324 324 permission_manage_public_queries: Öffentliche Filter verwalten
325 325 permission_save_queries: Filter speichern
326 326 permission_view_gantt: Gantt-Diagramm ansehen
327 327 permission_view_calendar: Kalender ansehen
328 328 permission_view_issue_watchers: Liste der Beobachter ansehen
329 329 permission_add_issue_watchers: Beobachter hinzufügen
330 330 permission_log_time: Aufwände buchen
331 331 permission_view_time_entries: Gebuchte Aufwände ansehen
332 332 permission_edit_time_entries: Gebuchte Aufwände bearbeiten
333 333 permission_edit_own_time_entries: Selbst gebuchte Aufwände bearbeiten
334 334 permission_manage_news: News verwalten
335 335 permission_comment_news: News kommentieren
336 336 permission_manage_documents: Dokumente verwalten
337 337 permission_view_documents: Dokumente ansehen
338 338 permission_manage_files: Dateien verwalten
339 339 permission_view_files: Dateien ansehen
340 340 permission_manage_wiki: Wiki verwalten
341 341 permission_rename_wiki_pages: Wiki-Seiten umbenennen
342 342 permission_delete_wiki_pages: Wiki-Seiten löschen
343 343 permission_view_wiki_pages: Wiki ansehen
344 344 permission_view_wiki_edits: Wiki-Versionsgeschichte ansehen
345 345 permission_edit_wiki_pages: Wiki-Seiten bearbeiten
346 346 permission_delete_wiki_pages_attachments: Anhänge löschen
347 347 permission_protect_wiki_pages: Wiki-Seiten schützen
348 348 permission_manage_repository: Projektarchiv verwalten
349 349 permission_browse_repository: Projektarchiv ansehen
350 350 permission_view_changesets: Changesets ansehen
351 351 permission_commit_access: Commit-Zugriff (über WebDAV)
352 352 permission_manage_boards: Foren verwalten
353 353 permission_view_messages: Forenbeiträge ansehen
354 354 permission_add_messages: Forenbeiträge hinzufügen
355 355 permission_edit_messages: Forenbeiträge bearbeiten
356 356 permission_edit_own_messages: Eigene Forenbeiträge bearbeiten
357 357 permission_delete_messages: Forenbeiträge löschen
358 358 permission_delete_own_messages: Eigene Forenbeiträge löschen
359 359
360 360 project_module_issue_tracking: Ticket-Verfolgung
361 361 project_module_time_tracking: Zeiterfassung
362 362 project_module_news: News
363 363 project_module_documents: Dokumente
364 364 project_module_files: Dateien
365 365 project_module_wiki: Wiki
366 366 project_module_repository: Projektarchiv
367 367 project_module_boards: Foren
368 368
369 369 label_user: Benutzer
370 370 label_user_plural: Benutzer
371 371 label_user_new: Neuer Benutzer
372 372 label_project: Projekt
373 373 label_project_new: Neues Projekt
374 374 label_project_plural: Projekte
375 375 label_x_projects:
376 376 zero: no projects
377 377 one: 1 project
378 378 other: "{{count}} projects"
379 379 label_project_all: Alle Projekte
380 380 label_project_latest: Neueste Projekte
381 381 label_issue: Ticket
382 382 label_issue_new: Neues Ticket
383 383 label_issue_plural: Tickets
384 384 label_issue_view_all: Alle Tickets anzeigen
385 385 label_issues_by: "Tickets von {{value}}"
386 386 label_issue_added: Ticket hinzugefügt
387 387 label_issue_updated: Ticket aktualisiert
388 388 label_document: Dokument
389 389 label_document_new: Neues Dokument
390 390 label_document_plural: Dokumente
391 391 label_document_added: Dokument hinzugefügt
392 392 label_role: Rolle
393 393 label_role_plural: Rollen
394 394 label_role_new: Neue Rolle
395 395 label_role_and_permissions: Rollen und Rechte
396 396 label_member: Mitglied
397 397 label_member_new: Neues Mitglied
398 398 label_member_plural: Mitglieder
399 399 label_tracker: Tracker
400 400 label_tracker_plural: Tracker
401 401 label_tracker_new: Neuer Tracker
402 402 label_workflow: Workflow
403 403 label_issue_status: Ticket-Status
404 404 label_issue_status_plural: Ticket-Status
405 405 label_issue_status_new: Neuer Status
406 406 label_issue_category: Ticket-Kategorie
407 407 label_issue_category_plural: Ticket-Kategorien
408 408 label_issue_category_new: Neue Kategorie
409 409 label_custom_field: Benutzerdefiniertes Feld
410 410 label_custom_field_plural: Benutzerdefinierte Felder
411 411 label_custom_field_new: Neues Feld
412 412 label_enumerations: Aufzählungen
413 413 label_enumeration_new: Neuer Wert
414 414 label_information: Information
415 415 label_information_plural: Informationen
416 416 label_please_login: Anmelden
417 417 label_register: Registrieren
418 418 label_password_lost: Kennwort vergessen
419 419 label_home: Hauptseite
420 420 label_my_page: Meine Seite
421 421 label_my_account: Mein Konto
422 422 label_my_projects: Meine Projekte
423 423 label_administration: Administration
424 424 label_login: Anmelden
425 425 label_logout: Abmelden
426 426 label_help: Hilfe
427 427 label_reported_issues: Gemeldete Tickets
428 428 label_assigned_to_me_issues: Mir zugewiesen
429 429 label_last_login: Letzte Anmeldung
430 430 label_registered_on: Angemeldet am
431 431 label_activity: Aktivität
432 432 label_overall_activity: Aktivität aller Projekte anzeigen
433 433 label_user_activity: "Aktivität von {{value}}"
434 434 label_new: Neu
435 435 label_logged_as: Angemeldet als
436 436 label_environment: Environment
437 437 label_authentication: Authentifizierung
438 438 label_auth_source: Authentifizierungs-Modus
439 439 label_auth_source_new: Neuer Authentifizierungs-Modus
440 440 label_auth_source_plural: Authentifizierungs-Arten
441 441 label_subproject_plural: Unterprojekte
442 442 label_and_its_subprojects: "{{value}} und dessen Unterprojekte"
443 443 label_min_max_length: Länge (Min. - Max.)
444 444 label_list: Liste
445 445 label_date: Datum
446 446 label_integer: Zahl
447 447 label_float: Fließkommazahl
448 448 label_boolean: Boolean
449 449 label_string: Text
450 450 label_text: Langer Text
451 451 label_attribute: Attribut
452 452 label_attribute_plural: Attribute
453 453 label_download: "{{count}} Download"
454 454 label_download_plural: "{{count}} Downloads"
455 455 label_no_data: Nichts anzuzeigen
456 456 label_change_status: Statuswechsel
457 457 label_history: Historie
458 458 label_attachment: Datei
459 459 label_attachment_new: Neue Datei
460 460 label_attachment_delete: Anhang löschen
461 461 label_attachment_plural: Dateien
462 462 label_file_added: Datei hinzugefügt
463 463 label_report: Bericht
464 464 label_report_plural: Berichte
465 465 label_news: News
466 466 label_news_new: News hinzufügen
467 467 label_news_plural: News
468 468 label_news_latest: Letzte News
469 469 label_news_view_all: Alle News anzeigen
470 470 label_news_added: News hinzugefügt
471 471 label_change_log: Change-Log
472 472 label_settings: Konfiguration
473 473 label_overview: Übersicht
474 474 label_version: Version
475 475 label_version_new: Neue Version
476 476 label_version_plural: Versionen
477 477 label_confirmation: Bestätigung
478 478 label_export_to: "Auch abrufbar als:"
479 479 label_read: Lesen...
480 480 label_public_projects: Öffentliche Projekte
481 481 label_open_issues: offen
482 482 label_open_issues_plural: offen
483 483 label_closed_issues: geschlossen
484 484 label_closed_issues_plural: geschlossen
485 485 label_x_open_issues_abbr_on_total:
486 486 zero: 0 open / {{total}}
487 487 one: 1 open / {{total}}
488 488 other: "{{count}} open / {{total}}"
489 489 label_x_open_issues_abbr:
490 490 zero: 0 open
491 491 one: 1 open
492 492 other: "{{count}} open"
493 493 label_x_closed_issues_abbr:
494 494 zero: 0 closed
495 495 one: 1 closed
496 496 other: "{{count}} closed"
497 497 label_total: Gesamtzahl
498 498 label_permissions: Berechtigungen
499 499 label_current_status: Gegenwärtiger Status
500 500 label_new_statuses_allowed: Neue Berechtigungen
501 501 label_all: alle
502 502 label_none: kein
503 503 label_nobody: Niemand
504 504 label_next: Weiter
505 505 label_previous: Zurück
506 506 label_used_by: Benutzt von
507 507 label_details: Details
508 508 label_add_note: Kommentar hinzufügen
509 509 label_per_page: Pro Seite
510 510 label_calendar: Kalender
511 511 label_months_from: Monate ab
512 512 label_gantt: Gantt-Diagramm
513 513 label_internal: Intern
514 514 label_last_changes: "{{count}} letzte Änderungen"
515 515 label_change_view_all: Alle Änderungen anzeigen
516 516 label_personalize_page: Diese Seite anpassen
517 517 label_comment: Kommentar
518 518 label_comment_plural: Kommentare
519 519 label_x_comments:
520 520 zero: no comments
521 521 one: 1 comment
522 522 other: "{{count}} comments"
523 523 label_comment_add: Kommentar hinzufügen
524 524 label_comment_added: Kommentar hinzugefügt
525 525 label_comment_delete: Kommentar löschen
526 526 label_query: Benutzerdefinierte Abfrage
527 527 label_query_plural: Benutzerdefinierte Berichte
528 528 label_query_new: Neuer Bericht
529 529 label_filter_add: Filter hinzufügen
530 530 label_filter_plural: Filter
531 531 label_equals: ist
532 532 label_not_equals: ist nicht
533 533 label_in_less_than: in weniger als
534 534 label_in_more_than: in mehr als
535 535 label_in: an
536 536 label_today: heute
537 537 label_all_time: gesamter Zeitraum
538 538 label_yesterday: gestern
539 539 label_this_week: aktuelle Woche
540 540 label_last_week: vorige Woche
541 541 label_last_n_days: "die letzten {{count}} Tage"
542 542 label_this_month: aktueller Monat
543 543 label_last_month: voriger Monat
544 544 label_this_year: aktuelles Jahr
545 545 label_date_range: Zeitraum
546 546 label_less_than_ago: vor weniger als
547 547 label_more_than_ago: vor mehr als
548 548 label_ago: vor
549 549 label_contains: enthält
550 550 label_not_contains: enthält nicht
551 551 label_day_plural: Tage
552 552 label_repository: Projektarchiv
553 553 label_repository_plural: Projektarchive
554 554 label_browse: Codebrowser
555 555 label_modification: "{{count}} Änderung"
556 556 label_modification_plural: "{{count}} Änderungen"
557 557 label_revision: Revision
558 558 label_revision_plural: Revisionen
559 559 label_associated_revisions: Zugehörige Revisionen
560 560 label_added: hinzugefügt
561 561 label_modified: geändert
562 562 label_copied: kopiert
563 563 label_renamed: umbenannt
564 564 label_deleted: gelöscht
565 565 label_latest_revision: Aktuellste Revision
566 566 label_latest_revision_plural: Aktuellste Revisionen
567 567 label_view_revisions: Revisionen anzeigen
568 568 label_max_size: Maximale Größe
569 569 label_sort_highest: An den Anfang
570 570 label_sort_higher: Eins höher
571 571 label_sort_lower: Eins tiefer
572 572 label_sort_lowest: Ans Ende
573 573 label_roadmap: Roadmap
574 574 label_roadmap_due_in: "Fällig in {{value}}"
575 575 label_roadmap_overdue: "{{value}} verspätet"
576 576 label_roadmap_no_issues: Keine Tickets für diese Version
577 577 label_search: Suche
578 578 label_result_plural: Resultate
579 579 label_all_words: Alle Wörter
580 580 label_wiki: Wiki
581 581 label_wiki_edit: Wiki-Bearbeitung
582 582 label_wiki_edit_plural: Wiki-Bearbeitungen
583 583 label_wiki_page: Wiki-Seite
584 584 label_wiki_page_plural: Wiki-Seiten
585 585 label_index_by_title: Seiten nach Titel sortiert
586 586 label_index_by_date: Seiten nach Datum sortiert
587 587 label_current_version: Gegenwärtige Version
588 588 label_preview: Vorschau
589 589 label_feed_plural: Feeds
590 590 label_changes_details: Details aller Änderungen
591 591 label_issue_tracking: Tickets
592 592 label_spent_time: Aufgewendete Zeit
593 593 label_f_hour: "{{value}} Stunde"
594 594 label_f_hour_plural: "{{value}} Stunden"
595 595 label_time_tracking: Zeiterfassung
596 596 label_change_plural: Änderungen
597 597 label_statistics: Statistiken
598 598 label_commits_per_month: Übertragungen pro Monat
599 599 label_commits_per_author: Übertragungen pro Autor
600 600 label_view_diff: Unterschiede anzeigen
601 601 label_diff_inline: inline
602 602 label_diff_side_by_side: nebeneinander
603 603 label_options: Optionen
604 604 label_copy_workflow_from: Workflow kopieren von
605 605 label_permissions_report: Berechtigungsübersicht
606 606 label_watched_issues: Beobachtete Tickets
607 607 label_related_issues: Zugehörige Tickets
608 608 label_applied_status: Zugewiesener Status
609 609 label_loading: Lade...
610 610 label_relation_new: Neue Beziehung
611 611 label_relation_delete: Beziehung löschen
612 612 label_relates_to: Beziehung mit
613 613 label_duplicates: Duplikat von
614 614 label_duplicated_by: Dupliziert durch
615 615 label_blocks: Blockiert
616 616 label_blocked_by: Blockiert durch
617 617 label_precedes: Vorgänger von
618 618 label_follows: folgt
619 619 label_end_to_start: Ende - Anfang
620 620 label_end_to_end: Ende - Ende
621 621 label_start_to_start: Anfang - Anfang
622 622 label_start_to_end: Anfang - Ende
623 623 label_stay_logged_in: Angemeldet bleiben
624 624 label_disabled: gesperrt
625 625 label_show_completed_versions: Abgeschlossene Versionen anzeigen
626 626 label_me: ich
627 627 label_board: Forum
628 628 label_board_new: Neues Forum
629 629 label_board_plural: Foren
630 630 label_topic_plural: Themen
631 631 label_message_plural: Forenbeiträge
632 632 label_message_last: Letzter Forenbeitrag
633 633 label_message_new: Neues Thema
634 634 label_message_posted: Forenbeitrag hinzugefügt
635 635 label_reply_plural: Antworten
636 636 label_send_information: Sende Kontoinformationen zum Benutzer
637 637 label_year: Jahr
638 638 label_month: Monat
639 639 label_week: Woche
640 640 label_date_from: Von
641 641 label_date_to: Bis
642 642 label_language_based: Sprachabhängig
643 643 label_sort_by: "Sortiert nach {{value}}"
644 644 label_send_test_email: Test-E-Mail senden
645 645 label_feeds_access_key_created_on: "Atom-Zugriffsschlüssel vor {{value}} erstellt"
646 646 label_module_plural: Module
647 647 label_added_time_by: "Von {{author}} vor {{age}} hinzugefügt"
648 648 label_updated_time_by: "Von {{author}} vor {{age}} aktualisiert"
649 649 label_updated_time: "Vor {{value}} aktualisiert"
650 650 label_jump_to_a_project: Zu einem Projekt springen...
651 651 label_file_plural: Dateien
652 652 label_changeset_plural: Changesets
653 653 label_default_columns: Default-Spalten
654 654 label_no_change_option: (Keine Änderung)
655 655 label_bulk_edit_selected_issues: Alle ausgewählten Tickets bearbeiten
656 656 label_theme: Stil
657 657 label_default: Default
658 658 label_search_titles_only: Nur Titel durchsuchen
659 659 label_user_mail_option_all: "Für alle Ereignisse in all meinen Projekten"
660 660 label_user_mail_option_selected: "Für alle Ereignisse in den ausgewählten Projekten..."
661 661 label_user_mail_option_none: "Nur für Dinge, die ich beobachte oder an denen ich beteiligt bin"
662 662 label_user_mail_no_self_notified: "Ich möchte nicht über Änderungen benachrichtigt werden, die ich selbst durchführe."
663 663 label_registration_activation_by_email: Kontoaktivierung durch E-Mail
664 664 label_registration_manual_activation: Manuelle Kontoaktivierung
665 665 label_registration_automatic_activation: Automatische Kontoaktivierung
666 666 label_display_per_page: "Pro Seite: {{value}}"
667 667 label_age: Geändert vor
668 668 label_change_properties: Eigenschaften ändern
669 669 label_general: Allgemein
670 670 label_more: Mehr
671 671 label_scm: Versionskontrollsystem
672 672 label_plugins: Plugins
673 673 label_ldap_authentication: LDAP-Authentifizierung
674 674 label_downloads_abbr: D/L
675 675 label_optional_description: Beschreibung (optional)
676 676 label_add_another_file: Eine weitere Datei hinzufügen
677 677 label_preferences: Präferenzen
678 678 label_chronological_order: in zeitlicher Reihenfolge
679 679 label_reverse_chronological_order: in umgekehrter zeitlicher Reihenfolge
680 680 label_planning: Terminplanung
681 681 label_incoming_emails: Eingehende E-Mails
682 682 label_generate_key: Generieren
683 683 label_issue_watchers: Beobachter
684 684 label_example: Beispiel
685 685
686 686 button_login: Anmelden
687 687 button_submit: OK
688 688 button_save: Speichern
689 689 button_check_all: Alles auswählen
690 690 button_uncheck_all: Alles abwählen
691 691 button_delete: Löschen
692 692 button_create: Anlegen
693 693 button_test: Testen
694 694 button_edit: Bearbeiten
695 695 button_add: Hinzufügen
696 696 button_change: Wechseln
697 697 button_apply: Anwenden
698 698 button_clear: Zurücksetzen
699 699 button_lock: Sperren
700 700 button_unlock: Entsperren
701 701 button_download: Download
702 702 button_list: Liste
703 703 button_view: Anzeigen
704 704 button_move: Verschieben
705 705 button_back: Zurück
706 706 button_cancel: Abbrechen
707 707 button_activate: Aktivieren
708 708 button_sort: Sortieren
709 709 button_log_time: Aufwand buchen
710 710 button_rollback: Auf diese Version zurücksetzen
711 711 button_watch: Beobachten
712 712 button_unwatch: Nicht beobachten
713 713 button_reply: Antworten
714 714 button_archive: Archivieren
715 715 button_unarchive: Entarchivieren
716 716 button_reset: Zurücksetzen
717 717 button_rename: Umbenennen
718 718 button_change_password: Kennwort ändern
719 719 button_copy: Kopieren
720 720 button_annotate: Annotieren
721 721 button_update: Aktualisieren
722 722 button_configure: Konfigurieren
723 723 button_quote: Zitieren
724 724
725 725 status_active: aktiv
726 726 status_registered: angemeldet
727 727 status_locked: gesperrt
728 728
729 729 text_select_mail_notifications: Bitte wählen Sie die Aktionen aus, für die eine Mailbenachrichtigung gesendet werden soll
730 730 text_regexp_info: z. B. ^[A-Z0-9]+$
731 731 text_min_max_length_info: 0 heißt keine Beschränkung
732 732 text_project_destroy_confirmation: Sind Sie sicher, dass sie das Projekt löschen wollen?
733 733 text_subprojects_destroy_warning: "Dessen Unterprojekte ({{value}}) werden ebenfalls gelöscht."
734 734 text_workflow_edit: Workflow zum Bearbeiten auswählen
735 735 text_are_you_sure: Sind Sie sicher?
736 736 text_tip_task_begin_day: Aufgabe, die an diesem Tag beginnt
737 737 text_tip_task_end_day: Aufgabe, die an diesem Tag endet
738 738 text_tip_task_begin_end_day: Aufgabe, die an diesem Tag beginnt und endet
739 739 text_project_identifier_info: 'Kleinbuchstaben (a-z), Ziffern und Bindestriche erlaubt.<br />Einmal gespeichert, kann die Kennung nicht mehr geändert werden.'
740 740 text_caracters_maximum: "Max. {{count}} Zeichen."
741 741 text_caracters_minimum: "Muss mindestens {{count}} Zeichen lang sein."
742 742 text_length_between: "Länge zwischen {{min}} und {{max}} Zeichen."
743 743 text_tracker_no_workflow: Kein Workflow für diesen Tracker definiert.
744 744 text_unallowed_characters: Nicht erlaubte Zeichen
745 745 text_comma_separated: Mehrere Werte erlaubt (durch Komma getrennt).
746 746 text_issues_ref_in_commit_messages: Ticket-Beziehungen und -Status in Commit-Log-Meldungen
747 747 text_issue_added: "Ticket {{id}} wurde erstellt by {{author}}."
748 748 text_issue_updated: "Ticket {{id}} wurde aktualisiert by {{author}}."
749 749 text_wiki_destroy_confirmation: Sind Sie sicher, dass Sie dieses Wiki mit sämtlichem Inhalt löschen möchten?
750 750 text_issue_category_destroy_question: "Einige Tickets ({{count}}) sind dieser Kategorie zugeodnet. Was möchten Sie tun?"
751 751 text_issue_category_destroy_assignments: Kategorie-Zuordnung entfernen
752 752 text_issue_category_reassign_to: Tickets dieser Kategorie zuordnen
753 753 text_user_mail_option: "Für nicht ausgewählte Projekte werden Sie nur Benachrichtigungen für Dinge erhalten, die Sie beobachten oder an denen Sie beteiligt sind (z. B. Tickets, deren Autor Sie sind oder die Ihnen zugewiesen sind)."
754 754 text_no_configuration_data: "Rollen, Tracker, Ticket-Status und Workflows wurden noch nicht konfiguriert.\nEs ist sehr zu empfehlen, die Standard-Konfiguration zu laden. Sobald sie geladen ist, können Sie sie abändern."
755 755 text_load_default_configuration: Standard-Konfiguration laden
756 756 text_status_changed_by_changeset: "Status geändert durch Changeset {{value}}."
757 757 text_issues_destroy_confirmation: 'Sind Sie sicher, dass Sie die ausgewählten Tickets löschen möchten?'
758 758 text_select_project_modules: 'Bitte wählen Sie die Module aus, die in diesem Projekt aktiviert sein sollen:'
759 759 text_default_administrator_account_changed: Administrator-Kennwort geändert
760 760 text_file_repository_writable: Verzeichnis für Dateien beschreibbar
761 761 text_plugin_assets_writable: Verzeichnis für Plugin-Assets beschreibbar
762 762 text_rmagick_available: RMagick verfügbar (optional)
763 763 text_destroy_time_entries_question: Es wurden bereits {{hours}} Stunden auf dieses Ticket gebucht. Was soll mit den Aufwänden geschehen?
764 764 text_destroy_time_entries: Gebuchte Aufwände löschen
765 765 text_assign_time_entries_to_project: Gebuchte Aufwände dem Projekt zuweisen
766 766 text_reassign_time_entries: 'Gebuchte Aufwände diesem Ticket zuweisen:'
767 767 text_user_wrote: "{{value}} schrieb:"
768 768 text_enumeration_destroy_question: "{{count}} Objekte sind diesem Wert zugeordnet."
769 769 text_enumeration_category_reassign_to: 'Die Objekte stattdessen diesem Wert zuordnen:'
770 770 text_email_delivery_not_configured: "Der SMTP-Server ist nicht konfiguriert und Mailbenachrichtigungen sind ausgeschaltet.\nNehmen Sie die Einstellungen für Ihren SMTP-Server in config/email.yml vor und starten Sie die Applikation neu."
771 771 text_repository_usernames_mapping: "Bitte legen Sie die Zuordnung der Redmine-Benutzer zu den Benutzernamen der Commit-Log-Meldungen des Projektarchivs fest.\nBenutzer mit identischen Redmine- und Projektarchiv-Benutzernamen oder -E-Mail-Adressen werden automatisch zugeordnet."
772 772 text_diff_truncated: '... Dieser Diff wurde abgeschnitten, weil er die maximale Anzahl anzuzeigender Zeilen überschreitet.'
773 773
774 774 default_role_manager: Manager
775 775 default_role_developper: Entwickler
776 776 default_role_reporter: Reporter
777 777 default_tracker_bug: Fehler
778 778 default_tracker_feature: Feature
779 779 default_tracker_support: Unterstützung
780 780 default_issue_status_new: Neu
781 781 default_issue_status_assigned: Zugewiesen
782 782 default_issue_status_resolved: Gelöst
783 783 default_issue_status_feedback: Feedback
784 784 default_issue_status_closed: Erledigt
785 785 default_issue_status_rejected: Abgewiesen
786 786 default_doc_category_user: Benutzerdokumentation
787 787 default_doc_category_tech: Technische Dokumentation
788 788 default_priority_low: Niedrig
789 789 default_priority_normal: Normal
790 790 default_priority_high: Hoch
791 791 default_priority_urgent: Dringend
792 792 default_priority_immediate: Sofort
793 793 default_activity_design: Design
794 794 default_activity_development: Entwicklung
795 795
796 796 enumeration_issue_priorities: Ticket-Prioritäten
797 797 enumeration_doc_categories: Dokumentenkategorien
798 798 enumeration_activities: Aktivitäten (Zeiterfassung)
799 799 field_editable: Editable
800 800 label_display: Display
801 801 button_create_and_continue: Anlegen und weiter
802 802 text_custom_field_possible_values_info: 'Eine Zeile pro Wert'
803 803 setting_repository_log_display_limit: Maximale Anzahl angezeigter Revisionen des Datei Logs
804 804 setting_file_max_size_displayed: Maximale Größe der abgezeigten Textdatei
805 805 field_watcher: Beobachter
806 806 setting_openid: Erlaube OpenID Anmeldung und Registrierung
807 807 field_identity_url: OpenID URL
808 808 label_login_with_open_id_option: oder anmeldung mit OpenID
809 809 field_content: Inhalt
810 810 label_descending: Absteigend
811 811 label_sort: Sortierung
812 812 label_ascending: Aufsteigend
813 813 label_date_from_to: Von {{start}} bis {{end}}
814 814 label_greater_or_equal: ">="
815 815 label_less_or_equal: "<="
816 816 text_wiki_page_destroy_question: Diese Seite hat {{descendants}} Unterseite(n). Sind Sie sicher?
817 817 text_wiki_page_reassign_children: Ordne Unterseite dieser Seite zu
818 818 text_wiki_page_nullify_children: Behalte Unterseite als Hauptseite
819 819 text_wiki_page_destroy_children: Lösche alle Unterseiten
820 820 setting_password_min_length: Mindestlänge des Passworts
821 821 field_group_by: Gruppiere Ergebnisse nach
822 822 mail_subject_wiki_content_updated: "Wiki-Seite '{{page}}' aktualisiert"
823 823 label_wiki_content_added: Wiki-Seite hinzugefügt
824 824 mail_subject_wiki_content_added: "Wiki-Seite '{{page}}' hinzugefügt"
825 825 mail_body_wiki_content_added: "Die Wiki-Seite '{{page}}' wurde von {{author}} hinzugefügt."
826 826 label_wiki_content_updated: Wiki-Seite aktualisiert.
827 827 mail_body_wiki_content_updated: "Die Wiki-Seite '{{page}}' wurde von {{author}} aktualisiert."
828 828 permission_add_project: Erstelle Projekt
829 829 setting_new_project_user_role_id: Rolle einem Nicht-Administrator zugeordnet, welcher ein Projekt erstellt
830 830 label_view_all_revisions: View all revisions
831 831 label_tag: Tag
832 832 label_branch: Branch
833 833 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
834 834 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
835 835 text_journal_changed: "{{label}} changed from {{old}} to {{new}}"
836 836 text_journal_set_to: "{{label}} set to {{value}}"
837 837 text_journal_deleted: "{{label}} deleted"
838 838 label_group_plural: Groups
839 839 label_group: Group
840 840 label_group_new: New group
841 label_time_entry_plural: Spent time
@@ -1,814 +1,815
1 1 # Greek translations for Ruby on Rails
2 2 # by Vaggelis Typaldos (vtypal@gmail.com), Spyros Raptis (spirosrap@gmail.com)
3 3
4 4 el:
5 5 date:
6 6 formats:
7 7 # Use the strftime parameters for formats.
8 8 # When no format has been given, it uses default.
9 9 # You can provide other formats here if you like!
10 10 default: "%m/%d/%Y"
11 11 short: "%b %d"
12 12 long: "%B %d, %Y"
13 13
14 14 day_names: [Κυριακή, Δευτέρα, Τρίτη, Τετάρτη, Πέμπτη, Παρασκευή, Σάββατο]
15 15 abbr_day_names: [Κυρ, Δευ, Τρι, Τετ, Πεμ, Παρ, Σαβ]
16 16
17 17 # Don't forget the nil at the beginning; there's no such thing as a 0th month
18 18 month_names: [~, Ιανουάριος, Φεβρουάριος, Μάρτιος, Απρίλιος, Μάϊος, Ιούνιος, Ιούλιος, Αύγουστος, Σεπτέμβριος, Οκτώβριος, Νοέμβριος, Δεκέμβριος]
19 19 abbr_month_names: [~, Ιαν, Φεβ, Μαρ, Απρ, Μαϊ, Ιον, Ιολ, Αυγ, Σεπ, Οκτ, Νοε, Δεκ]
20 20 # Used in date_select and datime_select.
21 21 order: [ :year, :month, :day ]
22 22
23 23 time:
24 24 formats:
25 25 default: "%m/%d/%Y %I:%M %p"
26 26 time: "%I:%M %p"
27 27 short: "%d %b %H:%M"
28 28 long: "%B %d, %Y %H:%M"
29 29 am: "πμ"
30 30 pm: "μμ"
31 31
32 32 datetime:
33 33 distance_in_words:
34 34 half_a_minute: "μισό λεπτό"
35 35 less_than_x_seconds:
36 36 one: "λιγότερο από 1 δευτερόλεπτο"
37 37 other: "λιγότερο από {{count}} δευτερόλεπτα"
38 38 x_seconds:
39 39 one: "1 δευτερόλεπτο"
40 40 other: "{{count}} δευτερόλεπτα"
41 41 less_than_x_minutes:
42 42 one: "λιγότερο από ένα λεπτό"
43 43 other: "λιγότερο από {{count}} λεπτά"
44 44 x_minutes:
45 45 one: "1 λεπτό"
46 46 other: "{{count}} λεπτά"
47 47 about_x_hours:
48 48 one: "περίπου 1 ώρα"
49 49 other: "περίπου {{count}} ώρες"
50 50 x_days:
51 51 one: "1 ημέρα"
52 52 other: "{{count}} ημέρες"
53 53 about_x_months:
54 54 one: "περίπου 1 μήνα"
55 55 other: "περίπου {{count}} μήνες"
56 56 x_months:
57 57 one: "1 μήνα"
58 58 other: "{{count}} μήνες"
59 59 about_x_years:
60 60 one: "περίπου 1 χρόνο"
61 61 other: "περίπου {{count}} χρόνια"
62 62 over_x_years:
63 63 one: "πάνω από 1 χρόνο"
64 64 other: "πάνω από {{count}} χρόνια"
65 65
66 66 # Used in array.to_sentence.
67 67 support:
68 68 array:
69 69 sentence_connector: "and"
70 70 skip_last_comma: false
71 71
72 72 activerecord:
73 73 errors:
74 74 messages:
75 75 inclusion: "δεν περιέχεται στη λίστα"
76 76 exclusion: "έχει κατοχυρωθεί"
77 77 invalid: "είναι άκυρο"
78 78 confirmation: "δεν αντιστοιχεί με την επιβεβαίωση"
79 79 accepted: "πρέπει να γίνει αποδοχή"
80 80 empty: "δε μπορεί να είναι κενό"
81 81 blank: "δε μπορεί να είναι κενό"
82 82 too_long: "έχει πολλούς (μέγ.επιτρ. {{count}} χαρακτήρες)"
83 83 too_short: "έχει λίγους (ελάχ.επιτρ. {{count}} χαρακτήρες)"
84 84 wrong_length: "δεν είναι σωστός ο αριθμός χαρακτήρων (πρέπει να έχει {{count}} χαρακτήρες)"
85 85 taken: "έχει ήδη κατοχυρωθεί"
86 86 not_a_number: "δεν είναι αριθμός"
87 87 not_a_date: "δεν είναι σωστή ημερομηνία"
88 88 greater_than: "πρέπει να είναι μεγαλύτερο από {{count}}"
89 89 greater_than_or_equal_to: "πρέπει να είναι μεγαλύτερο από ή ίσο με {{count}}"
90 90 equal_to: "πρέπει να είναι ίσον με {{count}}"
91 91 less_than: "πρέπει να είναι μικρότερη από {{count}}"
92 92 less_than_or_equal_to: "πρέπει να είναι μικρότερο από ή ίσο με {{count}}"
93 93 odd: "πρέπει να είναι μονός"
94 94 even: "πρέπει να είναι ζυγός"
95 95 greater_than_start_date: "πρέπει να είναι αργότερα από την ημερομηνία έναρξης"
96 96 not_same_project: "δεν ανήκει στο ίδιο έργο"
97 97 circular_dependency: "Αυτή η σχέση θα δημιουργήσει κυκλικές εξαρτήσεις"
98 98
99 99 actionview_instancetag_blank_option: Παρακαλώ επιλέξτε
100 100
101 101 general_text_No: 'Όχι'
102 102 general_text_Yes: 'Ναι'
103 103 general_text_no: 'όχι'
104 104 general_text_yes: 'ναι'
105 105 general_lang_name: 'Ελληνικά'
106 106 general_csv_separator: ','
107 107 general_csv_decimal_separator: '.'
108 108 general_csv_encoding: ISO-8859-7
109 109 general_pdf_encoding: ISO-8859-7
110 110 general_first_day_of_week: '7'
111 111
112 112 notice_account_updated: Ο λογαριασμός ενημερώθηκε επιτυχώς.
113 113 notice_account_invalid_creditentials: Άκυρο όνομα χρήστη ή κωδικού πρόσβασης
114 114 notice_account_password_updated: Ο κωδικός πρόσβασης ενημερώθηκε επιτυχώς.
115 115 notice_account_wrong_password: Λάθος κωδικός πρόσβασης
116 116 notice_account_register_done: Ο λογαριασμός δημιουργήθηκε επιτυχώς. Για να ενεργοποιήσετε το λογαριασμό σας, πατήστε το σύνδεσμο που σας έχει αποσταλεί με email.
117 117 notice_account_unknown_email: Άγνωστος χρήστης.
118 118 notice_can_t_change_password: Αυτός ο λογαριασμός χρησιμοποιεί εξωτερική πηγή πιστοποίησης. Δεν είναι δυνατόν να αλλάξετε τον κωδικό πρόσβασης.
119 119 notice_account_lost_email_sent: Σας έχει αποσταλεί email με οδηγίες για την επιλογή νέου κωδικού πρόσβασης.
120 120 notice_account_activated: Ο λογαριασμός σας έχει ενεργοποιηθεί. Τώρα μπορείτε να συνδεθείτε.
121 121 notice_successful_create: Επιτυχής δημιουργία.
122 122 notice_successful_update: Επιτυχής ενημέρωση.
123 123 notice_successful_delete: Επιτυχής διαγραφή.
124 124 notice_successful_connection: Επιτυχής σύνδεση.
125 125 notice_file_not_found: Η σελίδα που ζητήσατε δεν υπάρχει ή έχει αφαιρεθεί.
126 126 notice_locking_conflict: Τα δεδομένα έχουν ενημερωθεί από άλλο χρήστη.
127 127 notice_not_authorized: Δεν έχετε δικαίωμα πρόσβασης σε αυτή τη σελίδα.
128 128 notice_email_sent: "Ένα μήνυμα ηλεκτρονικού ταχυδρομείου εστάλη στο {{value}}"
129 129 notice_email_error: "Σφάλμα κατά την αποστολή του μηνύματος στο ({{value}})"
130 130 notice_feeds_access_key_reseted: Έγινε επαναφορά στο κλειδί πρόσβασης RSS.
131 131 notice_failed_to_save_issues: "Αποτυχία αποθήκευσης {{count}} θεμα(των) από τα {{total}} επιλεγμένα: {{ids}}."
132 132 notice_no_issue_selected: "Κανένα θέμα δεν είναι επιλεγμένο! Παρακαλούμε, ελέγξτε τα θέματα που θέλετε να επεξεργαστείτε."
133 133 notice_account_pending: λογαριασμός σας έχει δημιουργηθεί και είναι σε στάδιο έγκρισης από τον διαχειριστή."
134 134 notice_default_data_loaded: Οι προεπιλεγμένες ρυθμίσεις φορτώθηκαν επιτυχώς.
135 135 notice_unable_delete_version: Αδύνατον να διαγραφεί η έκδοση.
136 136
137 137 error_can_t_load_default_data: "Οι προεπιλεγμένες ρυθμίσεις δεν μπόρεσαν να φορτωθούν:: {{value}}"
138 138 error_scm_not_found: εγγραφή ή η αναθεώρηση δεν βρέθηκε στο αποθετήριο."
139 139 error_scm_command_failed: "Παρουσιάστηκε σφάλμα κατά την προσπάθεια πρόσβασης στο αποθετήριο: {{value}}"
140 140 error_scm_annotate: καταχώριση δεν υπάρχει ή δεν μπορεί να σχολιαστεί."
141 141 error_issue_not_found_in_project: 'Το θέμα δεν βρέθηκε ή δεν ανήκει σε αυτό το έργο'
142 142 error_no_tracker_in_project: 'Δεν υπάρχει ανιχνευτής για αυτό το έργο. Παρακαλώ ελέγξτε τις ρυθμίσεις του έργου.'
143 143 error_no_default_issue_status: 'Δεν έχει οριστεί η προεπιλογή κατάστασης θεμάτων. Παρακαλώ ελέγξτε τις ρυθμίσεις σας (Μεταβείτε στην "Διαχείριση -> Κατάσταση θεμάτων").'
144 144
145 145 warning_attachments_not_saved: "{{count}} αρχείο(α) δε μπορούν να αποθηκευτούν."
146 146
147 147 mail_subject_lost_password: κωδικός σας {{value}}"
148 148 mail_body_lost_password: 'Για να αλλάξετε τον κωδικό πρόσβασης, πατήστε τον ακόλουθο σύνδεσμο:'
149 149 mail_subject_register: "Ενεργοποίηση του λογαριασμού χρήστη {{value}} "
150 150 mail_body_register: 'Για να ενεργοποιήσετε το λογαριασμό σας, επιλέξτε τον ακόλουθο σύνδεσμο:'
151 151 mail_body_account_information_external: "Μπορείτε να χρησιμοποιήσετε τον λογαριασμό {{value}} για να συνδεθείτε."
152 152 mail_body_account_information: Πληροφορίες του λογαριασμού σας
153 153 mail_subject_account_activation_request: "αίτημα ενεργοποίησης λογαριασμού {{value}}"
154 154 mail_body_account_activation_request: "'Ένας νέος χρήστης ({{value}}) έχει εγγραφεί. Ο λογαριασμός είναι σε στάδιο αναμονής της έγκρισης σας:"
155 155 mail_subject_reminder: "{{count}} θέμα(τα) με προθεσμία στις επόμενες ημέρες"
156 156 mail_body_reminder: "{{count}}θέμα(τα) που έχουν ανατεθεί σε σας, με προθεσμία στις επόμενες {{days}} ημέρες:"
157 157 mail_subject_wiki_content_added: "'προστέθηκε η σελίδα wiki {{page}}' "
158 158 mail_body_wiki_content_added: σελίδα wiki '{{page}}' προστέθηκε από τον {{author}}."
159 159 mail_subject_wiki_content_updated: "'ενημερώθηκε η σελίδα wiki {{page}}' "
160 160 mail_body_wiki_content_updated: σελίδα wiki '{{page}}' ενημερώθηκε από τον {{author}}."
161 161
162 162 gui_validation_error: 1 σφάλμα
163 163 gui_validation_error_plural: "{{count}} σφάλματα"
164 164
165 165 field_name: Όνομα
166 166 field_description: Περιγραφή
167 167 field_summary: Συνοπτικά
168 168 field_is_required: Απαιτείται
169 169 field_firstname: Όνομα
170 170 field_lastname: Επώνυμο
171 171 field_mail: Email
172 172 field_filename: Αρχείο
173 173 field_filesize: Μέγεθος
174 174 field_downloads: Μεταφορτώσεις
175 175 field_author: Συγγραφέας
176 176 field_created_on: Δημιουργήθηκε
177 177 field_updated_on: Ενημερώθηκε
178 178 field_field_format: Μορφοποίηση
179 179 field_is_for_all: Για όλα τα έργα
180 180 field_possible_values: Πιθανές τιμές
181 181 field_regexp: Κανονική παράσταση
182 182 field_min_length: Ελάχιστο μήκος
183 183 field_max_length: Μέγιστο μήκος
184 184 field_value: Τιμή
185 185 field_category: Κατηγορία
186 186 field_title: Τίτλος
187 187 field_project: Έργο
188 188 field_issue: Θέμα
189 189 field_status: Κατάσταση
190 190 field_notes: Σημειώσεις
191 191 field_is_closed: Κλειστά θέματα
192 192 field_is_default: Προεπιλεγμένη τιμή
193 193 field_tracker: Ανιχνευτής
194 194 field_subject: Θέμα
195 195 field_due_date: Προθεσμία
196 196 field_assigned_to: Ανάθεση σε
197 197 field_priority: Προτεραιότητα
198 198 field_fixed_version: Στόχος έκδοσης
199 199 field_user: Χρήστης
200 200 field_role: Ρόλος
201 201 field_homepage: Αρχική σελίδα
202 202 field_is_public: Δημόσιο
203 203 field_parent: Επιμέρους έργο του
204 204 field_is_in_chlog: Προβολή θεμάτων στο ιστορικό αλλαγών
205 205 field_is_in_roadmap: Προβολή θεμάτων στο χάρτη πορείας
206 206 field_login: Όνομα χρήστη
207 207 field_mail_notification: Ειδοποιήσεις email
208 208 field_admin: Διαχειριστής
209 209 field_last_login_on: Τελευταία σύνδεση
210 210 field_language: Γλώσσα
211 211 field_effective_date: Ημερομηνία
212 212 field_password: Κωδικός πρόσβασης
213 213 field_new_password: Νέος κωδικός πρόσβασης
214 214 field_password_confirmation: Επιβεβαίωση
215 215 field_version: Έκδοση
216 216 field_type: Τύπος
217 217 field_host: Κόμβος
218 218 field_port: Θύρα
219 219 field_account: Λογαριασμός
220 220 field_base_dn: Βάση DN
221 221 field_attr_login: Ιδιότητα εισόδου
222 222 field_attr_firstname: Ιδιότητα ονόματος
223 223 field_attr_lastname: Ιδιότητα επωνύμου
224 224 field_attr_mail: Ιδιότητα email
225 225 field_onthefly: Άμεση δημιουργία χρήστη
226 226 field_start_date: Εκκίνηση
227 227 field_done_ratio: % επιτεύχθη
228 228 field_auth_source: Τρόπος πιστοποίησης
229 229 field_hide_mail: Απόκρυψη διεύθυνσης email
230 230 field_comments: Σχόλιο
231 231 field_url: URL
232 232 field_start_page: Πρώτη σελίδα
233 233 field_subproject: Επιμέρους έργο
234 234 field_hours: Ώρες
235 235 field_activity: Δραστηριότητα
236 236 field_spent_on: Ημερομηνία
237 237 field_identifier: Στοιχείο αναγνώρισης
238 238 field_is_filter: Χρήση ως φίλτρο
239 239 field_issue_to: Σχετικά θέματα
240 240 field_delay: Καθυστέρηση
241 241 field_assignable: Θέματα που μπορούν να ανατεθούν σε αυτό το ρόλο
242 242 field_redirect_existing_links: Ανακατεύθυνση των τρεχόντων συνδέσμων
243 243 field_estimated_hours: Εκτιμώμενος χρόνος
244 244 field_column_names: Στήλες
245 245 field_time_zone: Ωριαία ζώνη
246 246 field_searchable: Ερευνήσιμο
247 247 field_default_value: Προκαθορισμένη τιμή
248 248 field_comments_sorting: Προβολή σχολίων
249 249 field_parent_title: Γονική σελίδα
250 250 field_editable: Επεξεργάσιμο
251 251 field_watcher: Παρατηρητής
252 252 field_identity_url: OpenID URL
253 253 field_content: Περιεχόμενο
254 254 field_group_by: Ομαδικά αποτελέσματα από
255 255
256 256 setting_app_title: Τίτλος εφαρμογής
257 257 setting_app_subtitle: Υπότιτλος εφαρμογής
258 258 setting_welcome_text: Κείμενο υποδοχής
259 259 setting_default_language: Προεπιλεγμένη γλώσσα
260 260 setting_login_required: Απαιτείται πιστοποίηση
261 261 setting_self_registration: Αυτο-εγγραφή
262 262 setting_attachment_max_size: Μέγ. μέγεθος συνημμένου
263 263 setting_issues_export_limit: Θέματα περιορισμού εξαγωγής
264 264 setting_mail_from: Μετάδοση διεύθυνσης email
265 265 setting_bcc_recipients: Αποδέκτες κρυφής κοινοποίησης (bcc)
266 266 setting_plain_text_mail: Email απλού κειμένου (όχι HTML)
267 267 setting_host_name: Όνομα κόμβου και διαδρομή
268 268 setting_text_formatting: Μορφοποίηση κειμένου
269 269 setting_wiki_compression: Συμπίεση ιστορικού wiki
270 270 setting_feeds_limit: Feed περιορισμού περιεχομένου
271 271 setting_default_projects_public: Τα νέα έργα έχουν προεπιλεγεί ως δημόσια
272 272 setting_autofetch_changesets: Αυτόματη λήψη commits
273 273 setting_sys_api_enabled: Ενεργοποίηση WS για διαχείριση αποθετηρίου
274 274 setting_commit_ref_keywords: Αναφορά σε λέξεις-κλειδιά
275 275 setting_commit_fix_keywords: Καθορισμός σε λέξεις-κλειδιά
276 276 setting_autologin: Αυτόματη σύνδεση
277 277 setting_date_format: Μορφή ημερομηνίας
278 278 setting_time_format: Μορφή ώρας
279 279 setting_cross_project_issue_relations: Επιτρέψτε συσχετισμό θεμάτων σε διασταύρωση-έργων
280 280 setting_issue_list_default_columns: Προκαθορισμένες εμφανιζόμενες στήλες στη λίστα θεμάτων
281 281 setting_repositories_encodings: Κωδικοποίηση χαρακτήρων αποθετηρίου
282 282 setting_commit_logs_encoding: Κωδικοποίηση μηνυμάτων commit
283 283 setting_emails_footer: Υποσέλιδο στα email
284 284 setting_protocol: Πρωτόκολο
285 285 setting_per_page_options: Αντικείμενα ανά σελίδα επιλογών
286 286 setting_user_format: Μορφή εμφάνισης χρηστών
287 287 setting_activity_days_default: Ημέρες που εμφανίζεται στη δραστηριότητα έργου
288 288 setting_display_subprojects_issues: Εμφάνιση από προεπιλογή θεμάτων επιμέρους έργων στα κύρια έργα
289 289 setting_enabled_scm: Ενεργοποίηση SCM
290 290 setting_mail_handler_api_enabled: Ενεργοποίηση WS για εισερχόμενα email
291 291 setting_mail_handler_api_key: κλειδί API
292 292 setting_sequential_project_identifiers: Δημιουργία διαδοχικών αναγνωριστικών έργου
293 293 setting_gravatar_enabled: Χρήση Gravatar εικονιδίων χρηστών
294 294 setting_diff_max_lines_displayed: Μεγ.αριθμός εμφάνισης γραμμών diff
295 295 setting_file_max_size_displayed: Μεγ.μέγεθος των αρχείων απλού κειμένου που εμφανίζονται σε σειρά
296 296 setting_repository_log_display_limit: Μέγιστος αριθμός αναθεωρήσεων που εμφανίζονται στο ιστορικό αρχείου
297 297 setting_openid: Επιτρέψτε συνδέσεις OpenID και εγγραφή
298 298 setting_password_min_length: Ελάχιστο μήκος κωδικού πρόσβασης
299 299 setting_new_project_user_role_id: Απόδοση ρόλου σε χρήστη μη-διαχειριστή όταν δημιουργεί ένα έργο
300 300
301 301 permission_add_project: Δημιουργία έργου
302 302 permission_edit_project: Επεξεργασία έργου
303 303 permission_select_project_modules: Επιλογή μονάδων έργου
304 304 permission_manage_members: Διαχείριση μελών
305 305 permission_manage_versions: Διαχείριση εκδόσεων
306 306 permission_manage_categories: Διαχείριση κατηγοριών θεμάτων
307 307 permission_add_issues: Προσθήκη θεμάτων
308 308 permission_edit_issues: Επεξεργασία θεμάτων
309 309 permission_manage_issue_relations: Διαχείριση συσχετισμών θεμάτων
310 310 permission_add_issue_notes: Προσθήκη σημειώσεων
311 311 permission_edit_issue_notes: Επεξεργασία σημειώσεων
312 312 permission_edit_own_issue_notes: Επεξεργασία δικών μου σημειώσεων
313 313 permission_move_issues: Μεταφορά θεμάτων
314 314 permission_delete_issues: Διαγραφή θεμάτων
315 315 permission_manage_public_queries: Διαχείριση δημόσιων αναζητήσεων
316 316 permission_save_queries: Αποθήκευση αναζητήσεων
317 317 permission_view_gantt: Προβολή διαγράμματος gantt
318 318 permission_view_calendar: Προβολή ημερολογίου
319 319 permission_view_issue_watchers: Προβολή λίστας παρατηρητών
320 320 permission_add_issue_watchers: Προσθήκη παρατηρητών
321 321 permission_log_time: Ιστορικό δαπανημένου χρόνου
322 322 permission_view_time_entries: Προβολή δαπανημένου χρόνου
323 323 permission_edit_time_entries: Επεξεργασία ιστορικού χρόνου
324 324 permission_edit_own_time_entries: Επεξεργασία δικού μου ιστορικού χρόνου
325 325 permission_manage_news: Διαχείριση νέων
326 326 permission_comment_news: Σχολιασμός νέων
327 327 permission_manage_documents: Διαχείριση εγγράφων
328 328 permission_view_documents: Προβολή εγγράφων
329 329 permission_manage_files: Διαχείριση αρχείων
330 330 permission_view_files: Προβολή αρχείων
331 331 permission_manage_wiki: Διαχείριση wiki
332 332 permission_rename_wiki_pages: Μετονομασία σελίδων wiki
333 333 permission_delete_wiki_pages: Διαγραφή σελίδων wiki
334 334 permission_view_wiki_pages: Προβολή wiki
335 335 permission_view_wiki_edits: Προβολή ιστορικού wiki
336 336 permission_edit_wiki_pages: Επεξεργασία σελίδων wiki
337 337 permission_delete_wiki_pages_attachments: Διαγραφή συνημμένων
338 338 permission_protect_wiki_pages: Προστασία σελίδων wiki
339 339 permission_manage_repository: Διαχείριση αποθετηρίου
340 340 permission_browse_repository: Διαχείριση εγγράφων
341 341 permission_view_changesets: Προβολή changesets
342 342 permission_commit_access: Πρόσβαση commit
343 343 permission_manage_boards: Διαχείριση πινάκων συζητήσεων
344 344 permission_view_messages: Προβολή μηνυμάτων
345 345 permission_add_messages: Αποστολή μηνυμάτων
346 346 permission_edit_messages: Επεξεργασία μηνυμάτων
347 347 permission_edit_own_messages: Επεξεργασία δικών μου μηνυμάτων
348 348 permission_delete_messages: Delete messages
349 349 permission_delete_own_messages: Διαγραφή μηνυμάτων
350 350
351 351 project_module_issue_tracking: Ανίχνευση θεμάτων
352 352 project_module_time_tracking: Ανίχνευση χρόνου
353 353 project_module_news: Νέα
354 354 project_module_documents: Έγγραφα
355 355 project_module_files: Αρχεία
356 356 project_module_wiki: Wiki
357 357 project_module_repository: Αποθετήριο
358 358 project_module_boards: Πίνακες συζητήσεων
359 359
360 360 label_user: Χρήστης
361 361 label_user_plural: Χρήστες
362 362 label_user_new: Νέος Χρήστης
363 363 label_project: Έργο
364 364 label_project_new: Νέο έργο
365 365 label_project_plural: Έργα
366 366 label_x_projects:
367 367 zero: κανένα έργο
368 368 one: 1 έργο
369 369 other: "{{count}} έργα"
370 370 label_project_all: Όλα τα έργα
371 371 label_project_latest: Τελευταία έργα
372 372 label_issue: Θέμα
373 373 label_issue_new: Νέο θέμα
374 374 label_issue_plural: Θέματα
375 375 label_issue_view_all: Προβολή όλων των θεμάτων
376 376 label_issues_by: "Θέματα του {{value}}"
377 377 label_issue_added: Το θέμα προστέθηκε
378 378 label_issue_updated: Το θέμα ενημερώθηκε
379 379 label_document: Έγγραφο
380 380 label_document_new: Νέο έγγραφο
381 381 label_document_plural: Έγγραφα
382 382 label_document_added: Έγγραφο προστέθηκε
383 383 label_role: Ρόλος
384 384 label_role_plural: Ρόλοι
385 385 label_role_new: Νέος ρόλος
386 386 label_role_and_permissions: Ρόλοι και άδειες
387 387 label_member: Μέλος
388 388 label_member_new: Νέο μέλος
389 389 label_member_plural: Μέλη
390 390 label_tracker: Ανιχνευτής
391 391 label_tracker_plural: Ανιχνευτές
392 392 label_tracker_new: Νέος Ανιχνευτής
393 393 label_workflow: Ροή εργασίας
394 394 label_issue_status: Κατάσταση θέματος
395 395 label_issue_status_plural: Κατάσταση θέματος
396 396 label_issue_status_new: Νέα κατάσταση
397 397 label_issue_category: Κατηγορία θέματος
398 398 label_issue_category_plural: Κατηγορίες θεμάτων
399 399 label_issue_category_new: Νέα κατηγορία
400 400 label_custom_field: Προσαρμοσμένο πεδίο
401 401 label_custom_field_plural: Προσαρμοσμένα πεδία
402 402 label_custom_field_new: Νέο προσαρμοσμένο πεδίο
403 403 label_enumerations: Απαριθμήσεις
404 404 label_enumeration_new: Νέα τιμή
405 405 label_information: Πληροφορία
406 406 label_information_plural: Πληροφορίες
407 407 label_please_login: Παρακαλώ συνδεθείτε
408 408 label_register: Εγγραφή
409 409 label_login_with_open_id_option: ή συνδεθείτε με OpenID
410 410 label_password_lost: Ανάκτηση κωδικού πρόσβασης
411 411 label_home: Αρχική σελίδα
412 412 label_my_page: Η σελίδα μου
413 413 label_my_account: Ο λογαριασμός μου
414 414 label_my_projects: Τα έργα μου
415 415 label_administration: Διαχείριση
416 416 label_login: Σύνδεση
417 417 label_logout: Αποσύνδεση
418 418 label_help: Βοήθεια
419 419 label_reported_issues: Εισηγμένα θέματα
420 420 label_assigned_to_me_issues: Θέματα που έχουν ανατεθεί σε μένα
421 421 label_last_login: Τελευταία σύνδεση
422 422 label_registered_on: Εγγράφηκε την
423 423 label_activity: Δραστηριότητα
424 424 label_overall_activity: Συνολική δραστηριότητα
425 425 label_user_activity: "δραστηριότητα του {{value}}"
426 426 label_new: Νέο
427 427 label_logged_as: Σύνδεδεμένος ως
428 428 label_environment: Περιβάλλον
429 429 label_authentication: Πιστοποίηση
430 430 label_auth_source: Τρόπος πιστοποίησης
431 431 label_auth_source_new: Νέος τρόπος πιστοποίησης
432 432 label_auth_source_plural: Τρόποι πιστοποίησης
433 433 label_subproject_plural: Επιμέρους έργα
434 434 label_and_its_subprojects: "{{value}} και τα επιμέρους έργα του"
435 435 label_min_max_length: Ελάχ. - Μέγ. μήκος
436 436 label_list: Λίστα
437 437 label_date: Ημερομηνία
438 438 label_integer: Ακέραιος
439 439 label_float: Αριθμός κινητής υποδιαστολής
440 440 label_boolean: Λογικός
441 441 label_string: Κείμενο
442 442 label_text: Μακροσκελές κείμενο
443 443 label_attribute: Ιδιότητα
444 444 label_attribute_plural: Ιδιότητες
445 445 label_download: "{{count}} Μεταφόρτωση"
446 446 label_download_plural: "{{count}} Μεταφορτώσεις"
447 447 label_no_data: Δεν υπάρχουν δεδομένα
448 448 label_change_status: Αλλαγή κατάστασης
449 449 label_history: Ιστορικό
450 450 label_attachment: Αρχείο
451 451 label_attachment_new: Νέο αρχείο
452 452 label_attachment_delete: Διαγραφή αρχείου
453 453 label_attachment_plural: Αρχεία
454 454 label_file_added: Το αρχείο προστέθηκε
455 455 label_report: Αναφορά
456 456 label_report_plural: Αναφορές
457 457 label_news: Νέα
458 458 label_news_new: Προσθήκη νέων
459 459 label_news_plural: Νέα
460 460 label_news_latest: Τελευταία νέα
461 461 label_news_view_all: Προβολή όλων των νέων
462 462 label_news_added: Τα νέα προστέθηκαν
463 463 label_change_log: Αλλαγή ιστορικού
464 464 label_settings: Ρυθμίσεις
465 465 label_overview: Επισκόπηση
466 466 label_version: Έκδοση
467 467 label_version_new: Νέα έκδοση
468 468 label_version_plural: Εκδόσεις
469 469 label_confirmation: Επιβεβαίωση
470 470 label_export_to: 'Επίσης διαθέσιμο σε:'
471 471 label_read: Διάβασε...
472 472 label_public_projects: Δημόσια έργα
473 473 label_open_issues: Ανοικτό
474 474 label_open_issues_plural: Ανοικτά
475 475 label_closed_issues: Κλειστό
476 476 label_closed_issues_plural: Κλειστά
477 477 label_x_open_issues_abbr_on_total:
478 478 zero: 0 ανοικτά / {{total}}
479 479 one: 1 ανοικτό / {{total}}
480 480 other: "{{count}} ανοικτά / {{total}}"
481 481 label_x_open_issues_abbr:
482 482 zero: 0 ανοικτά
483 483 one: 1 ανοικτό
484 484 other: "{{count}} ανοικτά"
485 485 label_x_closed_issues_abbr:
486 486 zero: 0 κλειστά
487 487 one: 1 κλειστό
488 488 other: "{{count}} κλειστά"
489 489 label_total: Σύνολο
490 490 label_permissions: Άδειες
491 491 label_current_status: Current status
492 492 label_new_statuses_allowed: Νέες καταστάσεις επιτρέπονται
493 493 label_all: όλα
494 494 label_none: κανένα
495 495 label_nobody: κανείς
496 496 label_next: Επόμενο
497 497 label_previous: Προηγούμενο
498 498 label_used_by: Χρησιμοποιήθηκε από
499 499 label_details: Λεπτομέρειες
500 500 label_add_note: Προσθήκη σημείωσης
501 501 label_per_page: Ανά σελίδα
502 502 label_calendar: Ημερολόγιο
503 503 label_months_from: μηνών από
504 504 label_gantt: Gantt
505 505 label_internal: Εσωτερικό
506 506 label_last_changes: "Τελευταίες {{count}} αλλαγές"
507 507 label_change_view_all: Προβολή όλων των αλλαγών
508 508 label_personalize_page: Προσαρμογή σελίδας
509 509 label_comment: Σχόλιο
510 510 label_comment_plural: Σχόλια
511 511 label_x_comments:
512 512 zero: δεν υπάρχουν σχόλια
513 513 one: 1 σχόλιο
514 514 other: "{{count}} σχόλια"
515 515 label_comment_add: Προσθήκη σχολίου
516 516 label_comment_added: Τα σχόλια προστέθηκαν
517 517 label_comment_delete: Διαγραφή σχολίων
518 518 label_query: Προσαρμοσμένη αναζήτηση
519 519 label_query_plural: Προσαρμοσμένες αναζητήσεις
520 520 label_query_new: Νέα αναζήτηση
521 521 label_filter_add: Προσθήκη φίλτρου
522 522 label_filter_plural: Φίλτρα
523 523 label_equals: είναι
524 524 label_not_equals: δεν είναι
525 525 label_in_less_than: μικρότερο από
526 526 label_in_more_than: περισσότερο από
527 527 label_greater_or_equal: '>='
528 528 label_less_or_equal: '<='
529 529 label_in: σε
530 530 label_today: σήμερα
531 531 label_all_time: συνέχεια
532 532 label_yesterday: χθες
533 533 label_this_week: αυτή την εβδομάδα
534 534 label_last_week: την προηγούμενη εβδομάδα
535 535 label_last_n_days: "τελευταίες {{count}} μέρες"
536 536 label_this_month: αυτό το μήνα
537 537 label_last_month: τον προηγούμενο μήνα
538 538 label_this_year: αυτό το χρόνο
539 539 label_date_range: Χρονικό διάστημα
540 540 label_less_than_ago: σε λιγότερο από ημέρες πριν
541 541 label_more_than_ago: σε περισσότερο από ημέρες πριν
542 542 label_ago: ημέρες πριν
543 543 label_contains: περιέχει
544 544 label_not_contains: δεν περιέχει
545 545 label_day_plural: μέρες
546 546 label_repository: Αποθετήριο
547 547 label_repository_plural: Αποθετήρια
548 548 label_browse: Πλοήγηση
549 549 label_modification: "{{count}} τροποποίηση"
550 550 label_modification_plural: "{{count}} τροποποιήσεις"
551 551 label_branch: Branch
552 552 label_tag: Tag
553 553 label_revision: Αναθεώρηση
554 554 label_revision_plural: Αναθεωρήσεις
555 555 label_associated_revisions: Συνεταιρικές αναθεωρήσεις
556 556 label_added: προστέθηκε
557 557 label_modified: τροποποιήθηκε
558 558 label_copied: αντιγράφηκε
559 559 label_renamed: μετονομάστηκε
560 560 label_deleted: διαγράφηκε
561 561 label_latest_revision: Τελευταία αναθεώριση
562 562 label_latest_revision_plural: Τελευταίες αναθεωρήσεις
563 563 label_view_revisions: Προβολή αναθεωρήσεων
564 564 label_view_all_revisions: Προβολή όλων των αναθεωρήσεων
565 565 label_max_size: Μέγιστο μέγεθος
566 566 label_sort_highest: Μετακίνηση στην κορυφή
567 567 label_sort_higher: Μετακίνηση προς τα πάνω
568 568 label_sort_lower: Μετακίνηση προς τα κάτω
569 569 label_sort_lowest: Μετακίνηση στο κατώτατο μέρος
570 570 label_roadmap: Χάρτης πορείας
571 571 label_roadmap_due_in: "Προθεσμία σε {{value}}"
572 572 label_roadmap_overdue: "{{value}} καθυστερημένο"
573 573 label_roadmap_no_issues: Δεν υπάρχουν θέματα για αυτή την έκδοση
574 574 label_search: Αναζήτηση
575 575 label_result_plural: Αποτελέσματα
576 576 label_all_words: Όλες οι λέξεις
577 577 label_wiki: Wiki
578 578 label_wiki_edit: Επεξεργασία wiki
579 579 label_wiki_edit_plural: Επεξεργασία wiki
580 580 label_wiki_page: Σελίδα Wiki
581 581 label_wiki_page_plural: Σελίδες Wiki
582 582 label_index_by_title: Δείκτης ανά τίτλο
583 583 label_index_by_date: Δείκτης ανά ημερομηνία
584 584 label_current_version: Τρέχουσα έκδοση
585 585 label_preview: Προεπισκόπηση
586 586 label_feed_plural: Feeds
587 587 label_changes_details: Λεπτομέρειες όλων των αλλαγών
588 588 label_issue_tracking: Ανίχνευση θεμάτων
589 589 label_spent_time: Δαπανημένος χρόνος
590 590 label_f_hour: "{{value}} ώρα"
591 591 label_f_hour_plural: "{{value}} ώρες"
592 592 label_time_tracking: Ανίχνευση χρόνου
593 593 label_change_plural: Αλλαγές
594 594 label_statistics: Στατιστικά
595 595 label_commits_per_month: Commits ανά μήνα
596 596 label_commits_per_author: Commits ανά συγγραφέα
597 597 label_view_diff: Προβολή διαφορών
598 598 label_diff_inline: σε σειρά
599 599 label_diff_side_by_side: αντικρυστά
600 600 label_options: Επιλογές
601 601 label_copy_workflow_from: Αντιγραφή ροής εργασίας από
602 602 label_permissions_report: Συνοπτικός πίνακας αδειών
603 603 label_watched_issues: Θέματα υπό παρακολούθηση
604 604 label_related_issues: Σχετικά θέματα
605 605 label_applied_status: Εφαρμογή κατάστασης
606 606 label_loading: Φορτώνεται...
607 607 label_relation_new: Νέα συσχέτιση
608 608 label_relation_delete: Διαγραφή συσχέτισης
609 609 label_relates_to: σχετικό με
610 610 label_duplicates: αντίγραφα
611 611 label_duplicated_by: αντιγράφηκε από
612 612 label_blocks: φραγές
613 613 label_blocked_by: φραγή από τον
614 614 label_precedes: προηγείται
615 615 label_follows: ακολουθεί
616 616 label_end_to_start: από το τέλος στην αρχή
617 617 label_end_to_end: από το τέλος στο τέλος
618 618 label_start_to_start: από την αρχή στην αρχή
619 619 label_start_to_end: από την αρχή στο τέλος
620 620 label_stay_logged_in: Παραμονή σύνδεσης
621 621 label_disabled: απενεργοποιημένη
622 622 label_show_completed_versions: Προβολή ολοκληρωμένων εκδόσεων
623 623 label_me: εγώ
624 624 label_board: Φόρουμ
625 625 label_board_new: Νέο φόρουμ
626 626 label_board_plural: Φόρουμ
627 627 label_topic_plural: Θέματα
628 628 label_message_plural: Μηνύματα
629 629 label_message_last: Τελευταίο μήνυμα
630 630 label_message_new: Νέο μήνυμα
631 631 label_message_posted: Το μήνυμα προστέθηκε
632 632 label_reply_plural: Απαντήσεις
633 633 label_send_information: Αποστολή πληροφοριών λογαριασμού στο χρήστη
634 634 label_year: Έτος
635 635 label_month: Μήνας
636 636 label_week: Εβδομάδα
637 637 label_date_from: Από
638 638 label_date_to: Έως
639 639 label_language_based: Με βάση τη γλώσσα του χρήστη
640 640 label_sort_by: "Ταξινόμηση ανά {{value}}"
641 641 label_send_test_email: Αποστολή δοκιμαστικού email
642 642 label_feeds_access_key_created_on: "το κλειδί πρόσβασης RSS δημιουργήθηκε πριν από {{value}}"
643 643 label_module_plural: Μονάδες
644 644 label_added_time_by: "Προστέθηκε από τον {{author}} πριν από {{age}}"
645 645 label_updated_time_by: "Ενημερώθηκε από τον {{author}} πριν από {{age}}"
646 646 label_updated_time: "Ενημερώθηκε πριν από {{value}}"
647 647 label_jump_to_a_project: Μεταβείτε σε ένα έργο...
648 648 label_file_plural: Αρχεία
649 649 label_changeset_plural: Changesets
650 650 label_default_columns: Προεπιλεγμένες στήλες
651 651 label_no_change_option: (Δεν υπάρχουν αλλαγές)
652 652 label_bulk_edit_selected_issues: Μαζική επεξεργασία επιλεγμένων θεμάτων
653 653 label_theme: Θέμα
654 654 label_default: Προεπιλογή
655 655 label_search_titles_only: Αναζήτηση τίτλων μόνο
656 656 label_user_mail_option_all: "Για όλες τις εξελίξεις σε όλα τα έργα μου"
657 657 label_user_mail_option_selected: "Για όλες τις εξελίξεις μόνο στα επιλεγμένα έργα..."
658 658 label_user_mail_option_none: "Μόνο για πράγματα που παρακολουθώ ή συμμετέχω ενεργά"
659 659 label_user_mail_no_self_notified: "Δεν θέλω να ειδοποιούμαι για τις δικές μου αλλαγές"
660 660 label_registration_activation_by_email: ενεργοποίηση λογαριασμού με email
661 661 label_registration_manual_activation: χειροκίνητη ενεργοποίηση λογαριασμού
662 662 label_registration_automatic_activation: αυτόματη ενεργοποίηση λογαριασμού
663 663 label_display_per_page: "Ανά σελίδα: {{value}}"
664 664 label_age: Ηλικία
665 665 label_change_properties: Αλλαγή ιδιοτήτων
666 666 label_general: Γενικά
667 667 label_more: Περισσότερα
668 668 label_scm: SCM
669 669 label_plugins: Plugins
670 670 label_ldap_authentication: Πιστοποίηση LDAP
671 671 label_downloads_abbr: Μ/Φ
672 672 label_optional_description: Προαιρετική περιγραφή
673 673 label_add_another_file: Προσθήκη άλλου αρχείου
674 674 label_preferences: Προτιμήσεις
675 675 label_chronological_order: Κατά χρονολογική σειρά
676 676 label_reverse_chronological_order: Κατά αντίστροφη χρονολογική σειρά
677 677 label_planning: Σχεδιασμός
678 678 label_incoming_emails: Εισερχόμενα email
679 679 label_generate_key: Δημιουργία κλειδιού
680 680 label_issue_watchers: Παρατηρητές
681 681 label_example: Παράδειγμα
682 682 label_display: Προβολή
683 683 label_sort: Ταξινόμηση
684 684 label_ascending: Αύξουσα
685 685 label_descending: Φθίνουσα
686 686 label_date_from_to: Από {{start}} έως {{end}}
687 687 label_wiki_content_added: Η σελίδα Wiki προστέθηκε
688 688 label_wiki_content_updated: Η σελίδα Wiki ενημερώθηκε
689 689
690 690 button_login: Σύνδεση
691 691 button_submit: Αποστολή
692 692 button_save: Αποθήκευση
693 693 button_check_all: Επιλογή όλων
694 694 button_uncheck_all: Αποεπιλογή όλων
695 695 button_delete: Διαγραφή
696 696 button_create: Δημιουργία
697 697 button_create_and_continue: Δημιουργία και συνέχεια
698 698 button_test: Τεστ
699 699 button_edit: Επεξεργασία
700 700 button_add: Προσθήκη
701 701 button_change: Αλλαγή
702 702 button_apply: Εφαρμογή
703 703 button_clear: Καθαρισμός
704 704 button_lock: Κλείδωμα
705 705 button_unlock: Ξεκλείδωμα
706 706 button_download: Μεταφόρτωση
707 707 button_list: Λίστα
708 708 button_view: Προβολή
709 709 button_move: Μετακίνηση
710 710 button_back: Πίσω
711 711 button_cancel: Ακύρωση
712 712 button_activate: Ενεργοποίηση
713 713 button_sort: Ταξινόμηση
714 714 button_log_time: Ιστορικό χρόνου
715 715 button_rollback: Επαναφορά σε αυτή την έκδοση
716 716 button_watch: Παρακολούθηση
717 717 button_unwatch: Αναίρεση παρακολούθησης
718 718 button_reply: Απάντηση
719 719 button_archive: Αρχειοθέτηση
720 720 button_unarchive: Αναίρεση αρχειοθέτησης
721 721 button_reset: Επαναφορά
722 722 button_rename: Μετονομασία
723 723 button_change_password: Αλλαγή κωδικού πρόσβασης
724 724 button_copy: Αντιγραφή
725 725 button_annotate: Σχολιασμός
726 726 button_update: Ενημέρωση
727 727 button_configure: Ρύθμιση
728 728 button_quote: Παράθεση
729 729
730 730 status_active: ενεργό(ς)/ή
731 731 status_registered: εγεγγραμμένο(ς)/η
732 732 status_locked: κλειδωμένο(ς)/η
733 733
734 734 text_select_mail_notifications: Επιλογή ενεργειών για τις οποίες θα πρέπει να αποσταλεί ειδοποίηση με email.
735 735 text_regexp_info: eg. ^[A-Z0-9]+$
736 736 text_min_max_length_info: 0 σημαίνει ότι δεν υπάρχουν περιορισμοί
737 737 text_project_destroy_confirmation: Είστε σίγουροι ότι θέλετε να διαγράψετε αυτό το έργο και τα σχετικά δεδομένα του;
738 738 text_subprojects_destroy_warning: "Επίσης το(α) επιμέρους έργο(α): {{value}} θα διαγραφούν."
739 739 text_workflow_edit: Επιλέξτε ένα ρόλο και έναν ανιχνευτή για να επεξεργαστείτε τη ροή εργασίας
740 740 text_are_you_sure: Είστε σίγουρος ;
741 741 text_tip_task_begin_day: καθήκοντα που ξεκινάνε σήμερα
742 742 text_tip_task_end_day: καθήκοντα που τελειώνουν σήμερα
743 743 text_tip_task_begin_end_day: καθήκοντα που ξεκινάνε και τελειώνουν σήμερα
744 744 text_project_identifier_info: 'Επιτρέπονται μόνο μικρά πεζά γράμματα (a-z), αριθμοί και παύλες. <br /> Μετά την αποθήκευση, το αναγνωριστικό δεν μπορεί να αλλάξει.'
745 745 text_caracters_maximum: "μέγιστος αριθμός {{count}} χαρακτήρες."
746 746 text_caracters_minimum: "Πρέπει να περιέχει τουλάχιστον {{count}} χαρακτήρες."
747 747 text_length_between: "Μήκος μεταξύ {{min}} και {{max}} χαρακτήρες."
748 748 text_tracker_no_workflow: Δεν έχει οριστεί ροή εργασίας για αυτό τον ανιχνευτή
749 749 text_unallowed_characters: Μη επιτρεπόμενοι χαρακτήρες
750 750 text_comma_separated: Επιτρέπονται πολλαπλές τιμές (χωρισμένες με κόμμα).
751 751 text_issues_ref_in_commit_messages: Αναφορά και καθορισμός θεμάτων σε μηνύματα commit
752 752 text_issue_added: "Το θέμα {{id}} παρουσιάστηκε από τον {{author}}."
753 753 text_issue_updated: "Το θέμα {{id}} ενημερώθηκε από τον {{author}}."
754 754 text_wiki_destroy_confirmation: Είστε σίγουροι ότι θέλετε να διαγράψετε αυτό το wiki και όλο το περιεχόμενο του ;
755 755 text_issue_category_destroy_question: "Κάποια θέματα ({{count}}) έχουν εκχωρηθεί σε αυτή την κατηγορία. Τι θέλετε να κάνετε ;"
756 756 text_issue_category_destroy_assignments: Αφαίρεση εκχωρήσεων κατηγορίας
757 757 text_issue_category_reassign_to: Επανεκχώρηση θεμάτων σε αυτή την κατηγορία
758 758 text_user_mail_option: "Για μη επιλεγμένα έργα, θα λάβετε ειδοποιήσεις μόνο για πράγματα που παρακολουθείτε ή στα οποία συμμετέχω ενεργά (π.χ. θέματα των οποίων είστε συγγραφέας ή σας έχουν ανατεθεί)."
759 759 text_no_configuration_data: "Οι ρόλοι, οι ανιχνευτές, η κατάσταση των θεμάτων και η ροή εργασίας δεν έχουν ρυθμιστεί ακόμα.\nΣυνιστάται ιδιαίτερα να φορτώσετε τις προεπιλεγμένες ρυθμίσεις. Θα είστε σε θέση να τις τροποποιήσετε μετά τη φόρτωση τους."
760 760 text_load_default_configuration: Φόρτωση προεπιλεγμένων ρυθμίσεων
761 761 text_status_changed_by_changeset: "Εφαρμόστηκε στο changeset {{value}}."
762 762 text_issues_destroy_confirmation: 'Είστε σίγουρος ότι θέλετε να διαγράψετε το επιλεγμένο θέμα(τα);'
763 763 text_select_project_modules: 'Επιλέξτε ποιες μονάδες θα ενεργοποιήσετε για αυτό το έργο:'
764 764 text_default_administrator_account_changed: Ο προκαθορισμένος λογαριασμός του διαχειριστή άλλαξε
765 765 text_file_repository_writable: Εγγράψιμος κατάλογος συνημμένων
766 766 text_plugin_assets_writable: Εγγράψιμος κατάλογος plugin assets
767 767 text_rmagick_available: Διαθέσιμο RMagick (προαιρετικό)
768 768 text_destroy_time_entries_question: "{{hours}} δαπανήθηκαν σχετικά με τα θέματα που πρόκειται να διαγράψετε. Τι θέλετε να κάνετε ;"
769 769 text_destroy_time_entries: Διαγραφή αναφερόμενων ωρών
770 770 text_assign_time_entries_to_project: Ανάθεση αναφερόμενων ωρών στο έργο
771 771 text_reassign_time_entries: 'Ανάθεση εκ νέου των αναφερόμενων ωρών στο θέμα:'
772 772 text_user_wrote: "{{value}} έγραψε:"
773 773 text_enumeration_destroy_question: "{{count}} αντικείμενα έχουν τεθεί σε αυτή την τιμή."
774 774 text_enumeration_category_reassign_to: 'Επανεκχώρηση τους στην παρούσα αξία:'
775 775 text_email_delivery_not_configured: "Δεν έχουν γίνει ρυθμίσεις παράδοσης email, και οι ειδοποιήσεις είναι απενεργοποιημένες.\nΔηλώστε τον εξυπηρετητή SMTP στο config/email.yml και κάντε επανακκίνηση την εφαρμογή για να τις ρυθμίσεις."
776 776 text_repository_usernames_mapping: "Επιλέξτε ή ενημερώστε τον χρήστη Redmine που αντιστοιχεί σε κάθε όνομα χρήστη στο ιστορικό του αποθετηρίου.\nΧρήστες με το ίδιο όνομα χρήστη ή email στο Redmine και στο αποθετηρίο αντιστοιχίζονται αυτόματα."
777 777 text_diff_truncated: '... Αυτό το diff εχεί κοπεί επειδή υπερβαίνει το μέγιστο μέγεθος που μπορεί να προβληθεί.'
778 778 text_custom_field_possible_values_info: 'Μία γραμμή για κάθε τιμή'
779 779 text_wiki_page_destroy_question: "Αυτή η σελίδα έχει {{descendants}} σελίδες τέκνων και απογόνων. Τι θέλετε να κάνετε ;"
780 780 text_wiki_page_nullify_children: "Διατηρήστε τις σελίδες τέκνων ως σελίδες root"
781 781 text_wiki_page_destroy_children: "Διαγράψτε όλες τις σελίδες τέκνων και των απογόνων τους"
782 782 text_wiki_page_reassign_children: "Επανεκχώριση των σελίδων τέκνων στη γονική σελίδα"
783 783
784 784 default_role_manager: Manager
785 785 default_role_developper: Developer
786 786 default_role_reporter: Reporter
787 787 default_tracker_bug: Σφάλματα
788 788 default_tracker_feature: Λειτουργίες
789 789 default_tracker_support: Υποστήριξη
790 790 default_issue_status_new: Νέα
791 791 default_issue_status_assigned: Ανατεθειμένο
792 792 default_issue_status_resolved: Επιλυμένο
793 793 default_issue_status_feedback: Σχόλια
794 794 default_issue_status_closed: Κλειστό
795 795 default_issue_status_rejected: Απορριπτέο
796 796 default_doc_category_user: Τεκμηρίωση χρήστη
797 797 default_doc_category_tech: Τεχνική τεκμηρίωση
798 798 default_priority_low: Χαμηλή
799 799 default_priority_normal: Κανονική
800 800 default_priority_high: Υψηλή
801 801 default_priority_urgent: Επείγον
802 802 default_priority_immediate: Άμεση
803 803 default_activity_design: Σχεδιασμός
804 804 default_activity_development: Ανάπτυξη
805 805
806 806 enumeration_issue_priorities: Προτεραιότητα θέματος
807 807 enumeration_doc_categories: Κατηγορία εγγράφων
808 808 enumeration_activities: Δραστηριότητες (κατακερματισμός χρόνου)
809 809 text_journal_changed: "{{label}} changed from {{old}} to {{new}}"
810 810 text_journal_set_to: "{{label}} set to {{value}}"
811 811 text_journal_deleted: "{{label}} deleted"
812 812 label_group_plural: Groups
813 813 label_group: Group
814 814 label_group_new: New group
815 label_time_entry_plural: Spent time
@@ -1,811 +1,812
1 1 en:
2 2 date:
3 3 formats:
4 4 # Use the strftime parameters for formats.
5 5 # When no format has been given, it uses default.
6 6 # You can provide other formats here if you like!
7 7 default: "%m/%d/%Y"
8 8 short: "%b %d"
9 9 long: "%B %d, %Y"
10 10
11 11 day_names: [Sunday, Monday, Tuesday, Wednesday, Thursday, Friday, Saturday]
12 12 abbr_day_names: [Sun, Mon, Tue, Wed, Thu, Fri, Sat]
13 13
14 14 # Don't forget the nil at the beginning; there's no such thing as a 0th month
15 15 month_names: [~, January, February, March, April, May, June, July, August, September, October, November, December]
16 16 abbr_month_names: [~, Jan, Feb, Mar, Apr, May, Jun, Jul, Aug, Sep, Oct, Nov, Dec]
17 17 # Used in date_select and datime_select.
18 18 order: [ :year, :month, :day ]
19 19
20 20 time:
21 21 formats:
22 22 default: "%m/%d/%Y %I:%M %p"
23 23 time: "%I:%M %p"
24 24 short: "%d %b %H:%M"
25 25 long: "%B %d, %Y %H:%M"
26 26 am: "am"
27 27 pm: "pm"
28 28
29 29 datetime:
30 30 distance_in_words:
31 31 half_a_minute: "half a minute"
32 32 less_than_x_seconds:
33 33 one: "less than 1 second"
34 34 other: "less than {{count}} seconds"
35 35 x_seconds:
36 36 one: "1 second"
37 37 other: "{{count}} seconds"
38 38 less_than_x_minutes:
39 39 one: "less than a minute"
40 40 other: "less than {{count}} minutes"
41 41 x_minutes:
42 42 one: "1 minute"
43 43 other: "{{count}} minutes"
44 44 about_x_hours:
45 45 one: "about 1 hour"
46 46 other: "about {{count}} hours"
47 47 x_days:
48 48 one: "1 day"
49 49 other: "{{count}} days"
50 50 about_x_months:
51 51 one: "about 1 month"
52 52 other: "about {{count}} months"
53 53 x_months:
54 54 one: "1 month"
55 55 other: "{{count}} months"
56 56 about_x_years:
57 57 one: "about 1 year"
58 58 other: "about {{count}} years"
59 59 over_x_years:
60 60 one: "over 1 year"
61 61 other: "over {{count}} years"
62 62
63 63 # Used in array.to_sentence.
64 64 support:
65 65 array:
66 66 sentence_connector: "and"
67 67 skip_last_comma: false
68 68
69 69 activerecord:
70 70 errors:
71 71 messages:
72 72 inclusion: "is not included in the list"
73 73 exclusion: "is reserved"
74 74 invalid: "is invalid"
75 75 confirmation: "doesn't match confirmation"
76 76 accepted: "must be accepted"
77 77 empty: "can't be empty"
78 78 blank: "can't be blank"
79 79 too_long: "is too long (maximum is {{count}} characters)"
80 80 too_short: "is too short (minimum is {{count}} characters)"
81 81 wrong_length: "is the wrong length (should be {{count}} characters)"
82 82 taken: "has already been taken"
83 83 not_a_number: "is not a number"
84 84 not_a_date: "is not a valid date"
85 85 greater_than: "must be greater than {{count}}"
86 86 greater_than_or_equal_to: "must be greater than or equal to {{count}}"
87 87 equal_to: "must be equal to {{count}}"
88 88 less_than: "must be less than {{count}}"
89 89 less_than_or_equal_to: "must be less than or equal to {{count}}"
90 90 odd: "must be odd"
91 91 even: "must be even"
92 92 greater_than_start_date: "must be greater than start date"
93 93 not_same_project: "doesn't belong to the same project"
94 94 circular_dependency: "This relation would create a circular dependency"
95 95
96 96 actionview_instancetag_blank_option: Please select
97 97
98 98 general_text_No: 'No'
99 99 general_text_Yes: 'Yes'
100 100 general_text_no: 'no'
101 101 general_text_yes: 'yes'
102 102 general_lang_name: 'English'
103 103 general_csv_separator: ','
104 104 general_csv_decimal_separator: '.'
105 105 general_csv_encoding: ISO-8859-1
106 106 general_pdf_encoding: ISO-8859-1
107 107 general_first_day_of_week: '7'
108 108
109 109 notice_account_updated: Account was successfully updated.
110 110 notice_account_invalid_creditentials: Invalid user or password
111 111 notice_account_password_updated: Password was successfully updated.
112 112 notice_account_wrong_password: Wrong password
113 113 notice_account_register_done: Account was successfully created. To activate your account, click on the link that was emailed to you.
114 114 notice_account_unknown_email: Unknown user.
115 115 notice_can_t_change_password: This account uses an external authentication source. Impossible to change the password.
116 116 notice_account_lost_email_sent: An email with instructions to choose a new password has been sent to you.
117 117 notice_account_activated: Your account has been activated. You can now log in.
118 118 notice_successful_create: Successful creation.
119 119 notice_successful_update: Successful update.
120 120 notice_successful_delete: Successful deletion.
121 121 notice_successful_connection: Successful connection.
122 122 notice_file_not_found: The page you were trying to access doesn't exist or has been removed.
123 123 notice_locking_conflict: Data has been updated by another user.
124 124 notice_not_authorized: You are not authorized to access this page.
125 125 notice_email_sent: "An email was sent to {{value}}"
126 126 notice_email_error: "An error occurred while sending mail ({{value}})"
127 127 notice_feeds_access_key_reseted: Your RSS access key was reset.
128 128 notice_failed_to_save_issues: "Failed to save {{count}} issue(s) on {{total}} selected: {{ids}}."
129 129 notice_no_issue_selected: "No issue is selected! Please, check the issues you want to edit."
130 130 notice_account_pending: "Your account was created and is now pending administrator approval."
131 131 notice_default_data_loaded: Default configuration successfully loaded.
132 132 notice_unable_delete_version: Unable to delete version.
133 133
134 134 error_can_t_load_default_data: "Default configuration could not be loaded: {{value}}"
135 135 error_scm_not_found: "The entry or revision was not found in the repository."
136 136 error_scm_command_failed: "An error occurred when trying to access the repository: {{value}}"
137 137 error_scm_annotate: "The entry does not exist or can not be annotated."
138 138 error_issue_not_found_in_project: 'The issue was not found or does not belong to this project'
139 139 error_no_tracker_in_project: 'No tracker is associated to this project. Please check the Project settings.'
140 140 error_no_default_issue_status: 'No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").'
141 141
142 142 warning_attachments_not_saved: "{{count}} file(s) could not be saved."
143 143
144 144 mail_subject_lost_password: "Your {{value}} password"
145 145 mail_body_lost_password: 'To change your password, click on the following link:'
146 146 mail_subject_register: "Your {{value}} account activation"
147 147 mail_body_register: 'To activate your account, click on the following link:'
148 148 mail_body_account_information_external: "You can use your {{value}} account to log in."
149 149 mail_body_account_information: Your account information
150 150 mail_subject_account_activation_request: "{{value}} account activation request"
151 151 mail_body_account_activation_request: "A new user ({{value}}) has registered. The account is pending your approval:"
152 152 mail_subject_reminder: "{{count}} issue(s) due in the next days"
153 153 mail_body_reminder: "{{count}} issue(s) that are assigned to you are due in the next {{days}} days:"
154 154 mail_subject_wiki_content_added: "'{{page}}' wiki page has been added"
155 155 mail_body_wiki_content_added: "The '{{page}}' wiki page has been added by {{author}}."
156 156 mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated"
157 157 mail_body_wiki_content_updated: "The '{{page}}' wiki page has been updated by {{author}}."
158 158
159 159 gui_validation_error: 1 error
160 160 gui_validation_error_plural: "{{count}} errors"
161 161
162 162 field_name: Name
163 163 field_description: Description
164 164 field_summary: Summary
165 165 field_is_required: Required
166 166 field_firstname: Firstname
167 167 field_lastname: Lastname
168 168 field_mail: Email
169 169 field_filename: File
170 170 field_filesize: Size
171 171 field_downloads: Downloads
172 172 field_author: Author
173 173 field_created_on: Created
174 174 field_updated_on: Updated
175 175 field_field_format: Format
176 176 field_is_for_all: For all projects
177 177 field_possible_values: Possible values
178 178 field_regexp: Regular expression
179 179 field_min_length: Minimum length
180 180 field_max_length: Maximum length
181 181 field_value: Value
182 182 field_category: Category
183 183 field_title: Title
184 184 field_project: Project
185 185 field_issue: Issue
186 186 field_status: Status
187 187 field_notes: Notes
188 188 field_is_closed: Issue closed
189 189 field_is_default: Default value
190 190 field_tracker: Tracker
191 191 field_subject: Subject
192 192 field_due_date: Due date
193 193 field_assigned_to: Assigned to
194 194 field_priority: Priority
195 195 field_fixed_version: Target version
196 196 field_user: User
197 197 field_role: Role
198 198 field_homepage: Homepage
199 199 field_is_public: Public
200 200 field_parent: Subproject of
201 201 field_is_in_chlog: Issues displayed in changelog
202 202 field_is_in_roadmap: Issues displayed in roadmap
203 203 field_login: Login
204 204 field_mail_notification: Email notifications
205 205 field_admin: Administrator
206 206 field_last_login_on: Last connection
207 207 field_language: Language
208 208 field_effective_date: Date
209 209 field_password: Password
210 210 field_new_password: New password
211 211 field_password_confirmation: Confirmation
212 212 field_version: Version
213 213 field_type: Type
214 214 field_host: Host
215 215 field_port: Port
216 216 field_account: Account
217 217 field_base_dn: Base DN
218 218 field_attr_login: Login attribute
219 219 field_attr_firstname: Firstname attribute
220 220 field_attr_lastname: Lastname attribute
221 221 field_attr_mail: Email attribute
222 222 field_onthefly: On-the-fly user creation
223 223 field_start_date: Start
224 224 field_done_ratio: % Done
225 225 field_auth_source: Authentication mode
226 226 field_hide_mail: Hide my email address
227 227 field_comments: Comment
228 228 field_url: URL
229 229 field_start_page: Start page
230 230 field_subproject: Subproject
231 231 field_hours: Hours
232 232 field_activity: Activity
233 233 field_spent_on: Date
234 234 field_identifier: Identifier
235 235 field_is_filter: Used as a filter
236 236 field_issue_to: Related issue
237 237 field_delay: Delay
238 238 field_assignable: Issues can be assigned to this role
239 239 field_redirect_existing_links: Redirect existing links
240 240 field_estimated_hours: Estimated time
241 241 field_column_names: Columns
242 242 field_time_zone: Time zone
243 243 field_searchable: Searchable
244 244 field_default_value: Default value
245 245 field_comments_sorting: Display comments
246 246 field_parent_title: Parent page
247 247 field_editable: Editable
248 248 field_watcher: Watcher
249 249 field_identity_url: OpenID URL
250 250 field_content: Content
251 251 field_group_by: Group results by
252 252
253 253 setting_app_title: Application title
254 254 setting_app_subtitle: Application subtitle
255 255 setting_welcome_text: Welcome text
256 256 setting_default_language: Default language
257 257 setting_login_required: Authentication required
258 258 setting_self_registration: Self-registration
259 259 setting_attachment_max_size: Attachment max. size
260 260 setting_issues_export_limit: Issues export limit
261 261 setting_mail_from: Emission email address
262 262 setting_bcc_recipients: Blind carbon copy recipients (bcc)
263 263 setting_plain_text_mail: Plain text mail (no HTML)
264 264 setting_host_name: Host name and path
265 265 setting_text_formatting: Text formatting
266 266 setting_wiki_compression: Wiki history compression
267 267 setting_feeds_limit: Feed content limit
268 268 setting_default_projects_public: New projects are public by default
269 269 setting_autofetch_changesets: Autofetch commits
270 270 setting_sys_api_enabled: Enable WS for repository management
271 271 setting_commit_ref_keywords: Referencing keywords
272 272 setting_commit_fix_keywords: Fixing keywords
273 273 setting_autologin: Autologin
274 274 setting_date_format: Date format
275 275 setting_time_format: Time format
276 276 setting_cross_project_issue_relations: Allow cross-project issue relations
277 277 setting_issue_list_default_columns: Default columns displayed on the issue list
278 278 setting_repositories_encodings: Repositories encodings
279 279 setting_commit_logs_encoding: Commit messages encoding
280 280 setting_emails_footer: Emails footer
281 281 setting_protocol: Protocol
282 282 setting_per_page_options: Objects per page options
283 283 setting_user_format: Users display format
284 284 setting_activity_days_default: Days displayed on project activity
285 285 setting_display_subprojects_issues: Display subprojects issues on main projects by default
286 286 setting_enabled_scm: Enabled SCM
287 287 setting_mail_handler_api_enabled: Enable WS for incoming emails
288 288 setting_mail_handler_api_key: API key
289 289 setting_sequential_project_identifiers: Generate sequential project identifiers
290 290 setting_gravatar_enabled: Use Gravatar user icons
291 291 setting_diff_max_lines_displayed: Max number of diff lines displayed
292 292 setting_file_max_size_displayed: Max size of text files displayed inline
293 293 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
294 294 setting_openid: Allow OpenID login and registration
295 295 setting_password_min_length: Minimum password length
296 296 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
297 297
298 298 permission_add_project: Create project
299 299 permission_edit_project: Edit project
300 300 permission_select_project_modules: Select project modules
301 301 permission_manage_members: Manage members
302 302 permission_manage_versions: Manage versions
303 303 permission_manage_categories: Manage issue categories
304 304 permission_add_issues: Add issues
305 305 permission_edit_issues: Edit issues
306 306 permission_manage_issue_relations: Manage issue relations
307 307 permission_add_issue_notes: Add notes
308 308 permission_edit_issue_notes: Edit notes
309 309 permission_edit_own_issue_notes: Edit own notes
310 310 permission_move_issues: Move issues
311 311 permission_delete_issues: Delete issues
312 312 permission_manage_public_queries: Manage public queries
313 313 permission_save_queries: Save queries
314 314 permission_view_gantt: View gantt chart
315 315 permission_view_calendar: View calender
316 316 permission_view_issue_watchers: View watchers list
317 317 permission_add_issue_watchers: Add watchers
318 318 permission_log_time: Log spent time
319 319 permission_view_time_entries: View spent time
320 320 permission_edit_time_entries: Edit time logs
321 321 permission_edit_own_time_entries: Edit own time logs
322 322 permission_manage_news: Manage news
323 323 permission_comment_news: Comment news
324 324 permission_manage_documents: Manage documents
325 325 permission_view_documents: View documents
326 326 permission_manage_files: Manage files
327 327 permission_view_files: View files
328 328 permission_manage_wiki: Manage wiki
329 329 permission_rename_wiki_pages: Rename wiki pages
330 330 permission_delete_wiki_pages: Delete wiki pages
331 331 permission_view_wiki_pages: View wiki
332 332 permission_view_wiki_edits: View wiki history
333 333 permission_edit_wiki_pages: Edit wiki pages
334 334 permission_delete_wiki_pages_attachments: Delete attachments
335 335 permission_protect_wiki_pages: Protect wiki pages
336 336 permission_manage_repository: Manage repository
337 337 permission_browse_repository: Browse repository
338 338 permission_view_changesets: View changesets
339 339 permission_commit_access: Commit access
340 340 permission_manage_boards: Manage boards
341 341 permission_view_messages: View messages
342 342 permission_add_messages: Post messages
343 343 permission_edit_messages: Edit messages
344 344 permission_edit_own_messages: Edit own messages
345 345 permission_delete_messages: Delete messages
346 346 permission_delete_own_messages: Delete own messages
347 347
348 348 project_module_issue_tracking: Issue tracking
349 349 project_module_time_tracking: Time tracking
350 350 project_module_news: News
351 351 project_module_documents: Documents
352 352 project_module_files: Files
353 353 project_module_wiki: Wiki
354 354 project_module_repository: Repository
355 355 project_module_boards: Boards
356 356
357 357 label_user: User
358 358 label_user_plural: Users
359 359 label_user_new: New user
360 360 label_project: Project
361 361 label_project_new: New project
362 362 label_project_plural: Projects
363 363 label_x_projects:
364 364 zero: no projects
365 365 one: 1 project
366 366 other: "{{count}} projects"
367 367 label_project_all: All Projects
368 368 label_project_latest: Latest projects
369 369 label_issue: Issue
370 370 label_issue_new: New issue
371 371 label_issue_plural: Issues
372 372 label_issue_view_all: View all issues
373 373 label_issues_by: "Issues by {{value}}"
374 374 label_issue_added: Issue added
375 375 label_issue_updated: Issue updated
376 376 label_document: Document
377 377 label_document_new: New document
378 378 label_document_plural: Documents
379 379 label_document_added: Document added
380 380 label_role: Role
381 381 label_role_plural: Roles
382 382 label_role_new: New role
383 383 label_role_and_permissions: Roles and permissions
384 384 label_member: Member
385 385 label_member_new: New member
386 386 label_member_plural: Members
387 387 label_tracker: Tracker
388 388 label_tracker_plural: Trackers
389 389 label_tracker_new: New tracker
390 390 label_workflow: Workflow
391 391 label_issue_status: Issue status
392 392 label_issue_status_plural: Issue statuses
393 393 label_issue_status_new: New status
394 394 label_issue_category: Issue category
395 395 label_issue_category_plural: Issue categories
396 396 label_issue_category_new: New category
397 397 label_custom_field: Custom field
398 398 label_custom_field_plural: Custom fields
399 399 label_custom_field_new: New custom field
400 400 label_enumerations: Enumerations
401 401 label_enumeration_new: New value
402 402 label_information: Information
403 403 label_information_plural: Information
404 404 label_please_login: Please log in
405 405 label_register: Register
406 406 label_login_with_open_id_option: or login with OpenID
407 407 label_password_lost: Lost password
408 408 label_home: Home
409 409 label_my_page: My page
410 410 label_my_account: My account
411 411 label_my_projects: My projects
412 412 label_administration: Administration
413 413 label_login: Sign in
414 414 label_logout: Sign out
415 415 label_help: Help
416 416 label_reported_issues: Reported issues
417 417 label_assigned_to_me_issues: Issues assigned to me
418 418 label_last_login: Last connection
419 419 label_registered_on: Registered on
420 420 label_activity: Activity
421 421 label_overall_activity: Overall activity
422 422 label_user_activity: "{{value}}'s activity"
423 423 label_new: New
424 424 label_logged_as: Logged in as
425 425 label_environment: Environment
426 426 label_authentication: Authentication
427 427 label_auth_source: Authentication mode
428 428 label_auth_source_new: New authentication mode
429 429 label_auth_source_plural: Authentication modes
430 430 label_subproject_plural: Subprojects
431 431 label_and_its_subprojects: "{{value}} and its subprojects"
432 432 label_min_max_length: Min - Max length
433 433 label_list: List
434 434 label_date: Date
435 435 label_integer: Integer
436 436 label_float: Float
437 437 label_boolean: Boolean
438 438 label_string: Text
439 439 label_text: Long text
440 440 label_attribute: Attribute
441 441 label_attribute_plural: Attributes
442 442 label_download: "{{count}} Download"
443 443 label_download_plural: "{{count}} Downloads"
444 444 label_no_data: No data to display
445 445 label_change_status: Change status
446 446 label_history: History
447 447 label_attachment: File
448 448 label_attachment_new: New file
449 449 label_attachment_delete: Delete file
450 450 label_attachment_plural: Files
451 451 label_file_added: File added
452 452 label_report: Report
453 453 label_report_plural: Reports
454 454 label_news: News
455 455 label_news_new: Add news
456 456 label_news_plural: News
457 457 label_news_latest: Latest news
458 458 label_news_view_all: View all news
459 459 label_news_added: News added
460 460 label_change_log: Change log
461 461 label_settings: Settings
462 462 label_overview: Overview
463 463 label_version: Version
464 464 label_version_new: New version
465 465 label_version_plural: Versions
466 466 label_confirmation: Confirmation
467 467 label_export_to: 'Also available in:'
468 468 label_read: Read...
469 469 label_public_projects: Public projects
470 470 label_open_issues: open
471 471 label_open_issues_plural: open
472 472 label_closed_issues: closed
473 473 label_closed_issues_plural: closed
474 474 label_x_open_issues_abbr_on_total:
475 475 zero: 0 open / {{total}}
476 476 one: 1 open / {{total}}
477 477 other: "{{count}} open / {{total}}"
478 478 label_x_open_issues_abbr:
479 479 zero: 0 open
480 480 one: 1 open
481 481 other: "{{count}} open"
482 482 label_x_closed_issues_abbr:
483 483 zero: 0 closed
484 484 one: 1 closed
485 485 other: "{{count}} closed"
486 486 label_total: Total
487 487 label_permissions: Permissions
488 488 label_current_status: Current status
489 489 label_new_statuses_allowed: New statuses allowed
490 490 label_all: all
491 491 label_none: none
492 492 label_nobody: nobody
493 493 label_next: Next
494 494 label_previous: Previous
495 495 label_used_by: Used by
496 496 label_details: Details
497 497 label_add_note: Add a note
498 498 label_per_page: Per page
499 499 label_calendar: Calendar
500 500 label_months_from: months from
501 501 label_gantt: Gantt
502 502 label_internal: Internal
503 503 label_last_changes: "last {{count}} changes"
504 504 label_change_view_all: View all changes
505 505 label_personalize_page: Personalize this page
506 506 label_comment: Comment
507 507 label_comment_plural: Comments
508 508 label_x_comments:
509 509 zero: no comments
510 510 one: 1 comment
511 511 other: "{{count}} comments"
512 512 label_comment_add: Add a comment
513 513 label_comment_added: Comment added
514 514 label_comment_delete: Delete comments
515 515 label_query: Custom query
516 516 label_query_plural: Custom queries
517 517 label_query_new: New query
518 518 label_filter_add: Add filter
519 519 label_filter_plural: Filters
520 520 label_equals: is
521 521 label_not_equals: is not
522 522 label_in_less_than: in less than
523 523 label_in_more_than: in more than
524 524 label_greater_or_equal: '>='
525 525 label_less_or_equal: '<='
526 526 label_in: in
527 527 label_today: today
528 528 label_all_time: all time
529 529 label_yesterday: yesterday
530 530 label_this_week: this week
531 531 label_last_week: last week
532 532 label_last_n_days: "last {{count}} days"
533 533 label_this_month: this month
534 534 label_last_month: last month
535 535 label_this_year: this year
536 536 label_date_range: Date range
537 537 label_less_than_ago: less than days ago
538 538 label_more_than_ago: more than days ago
539 539 label_ago: days ago
540 540 label_contains: contains
541 541 label_not_contains: doesn't contain
542 542 label_day_plural: days
543 543 label_repository: Repository
544 544 label_repository_plural: Repositories
545 545 label_browse: Browse
546 546 label_modification: "{{count}} change"
547 547 label_modification_plural: "{{count}} changes"
548 548 label_branch: Branch
549 549 label_tag: Tag
550 550 label_revision: Revision
551 551 label_revision_plural: Revisions
552 552 label_associated_revisions: Associated revisions
553 553 label_added: added
554 554 label_modified: modified
555 555 label_copied: copied
556 556 label_renamed: renamed
557 557 label_deleted: deleted
558 558 label_latest_revision: Latest revision
559 559 label_latest_revision_plural: Latest revisions
560 560 label_view_revisions: View revisions
561 561 label_view_all_revisions: View all revisions
562 562 label_max_size: Maximum size
563 563 label_sort_highest: Move to top
564 564 label_sort_higher: Move up
565 565 label_sort_lower: Move down
566 566 label_sort_lowest: Move to bottom
567 567 label_roadmap: Roadmap
568 568 label_roadmap_due_in: "Due in {{value}}"
569 569 label_roadmap_overdue: "{{value}} late"
570 570 label_roadmap_no_issues: No issues for this version
571 571 label_search: Search
572 572 label_result_plural: Results
573 573 label_all_words: All words
574 574 label_wiki: Wiki
575 575 label_wiki_edit: Wiki edit
576 576 label_wiki_edit_plural: Wiki edits
577 577 label_wiki_page: Wiki page
578 578 label_wiki_page_plural: Wiki pages
579 579 label_index_by_title: Index by title
580 580 label_index_by_date: Index by date
581 581 label_current_version: Current version
582 582 label_preview: Preview
583 583 label_feed_plural: Feeds
584 584 label_changes_details: Details of all changes
585 585 label_issue_tracking: Issue tracking
586 586 label_spent_time: Spent time
587 587 label_f_hour: "{{value}} hour"
588 588 label_f_hour_plural: "{{value}} hours"
589 589 label_time_tracking: Time tracking
590 590 label_change_plural: Changes
591 591 label_statistics: Statistics
592 592 label_commits_per_month: Commits per month
593 593 label_commits_per_author: Commits per author
594 594 label_view_diff: View differences
595 595 label_diff_inline: inline
596 596 label_diff_side_by_side: side by side
597 597 label_options: Options
598 598 label_copy_workflow_from: Copy workflow from
599 599 label_permissions_report: Permissions report
600 600 label_watched_issues: Watched issues
601 601 label_related_issues: Related issues
602 602 label_applied_status: Applied status
603 603 label_loading: Loading...
604 604 label_relation_new: New relation
605 605 label_relation_delete: Delete relation
606 606 label_relates_to: related to
607 607 label_duplicates: duplicates
608 608 label_duplicated_by: duplicated by
609 609 label_blocks: blocks
610 610 label_blocked_by: blocked by
611 611 label_precedes: precedes
612 612 label_follows: follows
613 613 label_end_to_start: end to start
614 614 label_end_to_end: end to end
615 615 label_start_to_start: start to start
616 616 label_start_to_end: start to end
617 617 label_stay_logged_in: Stay logged in
618 618 label_disabled: disabled
619 619 label_show_completed_versions: Show completed versions
620 620 label_me: me
621 621 label_board: Forum
622 622 label_board_new: New forum
623 623 label_board_plural: Forums
624 624 label_topic_plural: Topics
625 625 label_message_plural: Messages
626 626 label_message_last: Last message
627 627 label_message_new: New message
628 628 label_message_posted: Message added
629 629 label_reply_plural: Replies
630 630 label_send_information: Send account information to the user
631 631 label_year: Year
632 632 label_month: Month
633 633 label_week: Week
634 634 label_date_from: From
635 635 label_date_to: To
636 636 label_language_based: Based on user's language
637 637 label_sort_by: "Sort by {{value}}"
638 638 label_send_test_email: Send a test email
639 639 label_feeds_access_key_created_on: "RSS access key created {{value}} ago"
640 640 label_module_plural: Modules
641 641 label_added_time_by: "Added by {{author}} {{age}} ago"
642 642 label_updated_time_by: "Updated by {{author}} {{age}} ago"
643 643 label_updated_time: "Updated {{value}} ago"
644 644 label_jump_to_a_project: Jump to a project...
645 645 label_file_plural: Files
646 646 label_changeset_plural: Changesets
647 647 label_default_columns: Default columns
648 648 label_no_change_option: (No change)
649 649 label_bulk_edit_selected_issues: Bulk edit selected issues
650 650 label_theme: Theme
651 651 label_default: Default
652 652 label_search_titles_only: Search titles only
653 653 label_user_mail_option_all: "For any event on all my projects"
654 654 label_user_mail_option_selected: "For any event on the selected projects only..."
655 655 label_user_mail_option_none: "Only for things I watch or I'm involved in"
656 656 label_user_mail_no_self_notified: "I don't want to be notified of changes that I make myself"
657 657 label_registration_activation_by_email: account activation by email
658 658 label_registration_manual_activation: manual account activation
659 659 label_registration_automatic_activation: automatic account activation
660 660 label_display_per_page: "Per page: {{value}}"
661 661 label_age: Age
662 662 label_change_properties: Change properties
663 663 label_general: General
664 664 label_more: More
665 665 label_scm: SCM
666 666 label_plugins: Plugins
667 667 label_ldap_authentication: LDAP authentication
668 668 label_downloads_abbr: D/L
669 669 label_optional_description: Optional description
670 670 label_add_another_file: Add another file
671 671 label_preferences: Preferences
672 672 label_chronological_order: In chronological order
673 673 label_reverse_chronological_order: In reverse chronological order
674 674 label_planning: Planning
675 675 label_incoming_emails: Incoming emails
676 676 label_generate_key: Generate a key
677 677 label_issue_watchers: Watchers
678 678 label_example: Example
679 679 label_display: Display
680 680 label_sort: Sort
681 681 label_ascending: Ascending
682 682 label_descending: Descending
683 683 label_date_from_to: From {{start}} to {{end}}
684 684 label_wiki_content_added: Wiki page added
685 685 label_wiki_content_updated: Wiki page updated
686 686 label_group: Group
687 687 label_group_plural: Groups
688 688 label_group_new: New group
689 label_time_entry_plural: Spent time
689 690
690 691 button_login: Login
691 692 button_submit: Submit
692 693 button_save: Save
693 694 button_check_all: Check all
694 695 button_uncheck_all: Uncheck all
695 696 button_delete: Delete
696 697 button_create: Create
697 698 button_create_and_continue: Create and continue
698 699 button_test: Test
699 700 button_edit: Edit
700 701 button_add: Add
701 702 button_change: Change
702 703 button_apply: Apply
703 704 button_clear: Clear
704 705 button_lock: Lock
705 706 button_unlock: Unlock
706 707 button_download: Download
707 708 button_list: List
708 709 button_view: View
709 710 button_move: Move
710 711 button_back: Back
711 712 button_cancel: Cancel
712 713 button_activate: Activate
713 714 button_sort: Sort
714 715 button_log_time: Log time
715 716 button_rollback: Rollback to this version
716 717 button_watch: Watch
717 718 button_unwatch: Unwatch
718 719 button_reply: Reply
719 720 button_archive: Archive
720 721 button_unarchive: Unarchive
721 722 button_reset: Reset
722 723 button_rename: Rename
723 724 button_change_password: Change password
724 725 button_copy: Copy
725 726 button_annotate: Annotate
726 727 button_update: Update
727 728 button_configure: Configure
728 729 button_quote: Quote
729 730
730 731 status_active: active
731 732 status_registered: registered
732 733 status_locked: locked
733 734
734 735 text_select_mail_notifications: Select actions for which email notifications should be sent.
735 736 text_regexp_info: eg. ^[A-Z0-9]+$
736 737 text_min_max_length_info: 0 means no restriction
737 738 text_project_destroy_confirmation: Are you sure you want to delete this project and related data ?
738 739 text_subprojects_destroy_warning: "Its subproject(s): {{value}} will be also deleted."
739 740 text_workflow_edit: Select a role and a tracker to edit the workflow
740 741 text_are_you_sure: Are you sure ?
741 742 text_journal_changed: "{{label}} changed from {{old}} to {{new}}"
742 743 text_journal_set_to: "{{label}} set to {{value}}"
743 744 text_journal_deleted: "{{label}} deleted"
744 745 text_tip_task_begin_day: task beginning this day
745 746 text_tip_task_end_day: task ending this day
746 747 text_tip_task_begin_end_day: task beginning and ending this day
747 748 text_project_identifier_info: 'Only lower case letters (a-z), numbers and dashes are allowed.<br />Once saved, the identifier can not be changed.'
748 749 text_caracters_maximum: "{{count}} characters maximum."
749 750 text_caracters_minimum: "Must be at least {{count}} characters long."
750 751 text_length_between: "Length between {{min}} and {{max}} characters."
751 752 text_tracker_no_workflow: No workflow defined for this tracker
752 753 text_unallowed_characters: Unallowed characters
753 754 text_comma_separated: Multiple values allowed (comma separated).
754 755 text_issues_ref_in_commit_messages: Referencing and fixing issues in commit messages
755 756 text_issue_added: "Issue {{id}} has been reported by {{author}}."
756 757 text_issue_updated: "Issue {{id}} has been updated by {{author}}."
757 758 text_wiki_destroy_confirmation: Are you sure you want to delete this wiki and all its content ?
758 759 text_issue_category_destroy_question: "Some issues ({{count}}) are assigned to this category. What do you want to do ?"
759 760 text_issue_category_destroy_assignments: Remove category assignments
760 761 text_issue_category_reassign_to: Reassign issues to this category
761 762 text_user_mail_option: "For unselected projects, you will only receive notifications about things you watch or you're involved in (eg. issues you're the author or assignee)."
762 763 text_no_configuration_data: "Roles, trackers, issue statuses and workflow have not been configured yet.\nIt is highly recommended to load the default configuration. You will be able to modify it once loaded."
763 764 text_load_default_configuration: Load the default configuration
764 765 text_status_changed_by_changeset: "Applied in changeset {{value}}."
765 766 text_issues_destroy_confirmation: 'Are you sure you want to delete the selected issue(s) ?'
766 767 text_select_project_modules: 'Select modules to enable for this project:'
767 768 text_default_administrator_account_changed: Default administrator account changed
768 769 text_file_repository_writable: Attachments directory writable
769 770 text_plugin_assets_writable: Plugin assets directory writable
770 771 text_rmagick_available: RMagick available (optional)
771 772 text_destroy_time_entries_question: "{{hours}} hours were reported on the issues you are about to delete. What do you want to do ?"
772 773 text_destroy_time_entries: Delete reported hours
773 774 text_assign_time_entries_to_project: Assign reported hours to the project
774 775 text_reassign_time_entries: 'Reassign reported hours to this issue:'
775 776 text_user_wrote: "{{value}} wrote:"
776 777 text_enumeration_destroy_question: "{{count}} objects are assigned to this value."
777 778 text_enumeration_category_reassign_to: 'Reassign them to this value:'
778 779 text_email_delivery_not_configured: "Email delivery is not configured, and notifications are disabled.\nConfigure your SMTP server in config/email.yml and restart the application to enable them."
779 780 text_repository_usernames_mapping: "Select or update the Redmine user mapped to each username found in the repository log.\nUsers with the same Redmine and repository username or email are automatically mapped."
780 781 text_diff_truncated: '... This diff was truncated because it exceeds the maximum size that can be displayed.'
781 782 text_custom_field_possible_values_info: 'One line for each value'
782 783 text_wiki_page_destroy_question: "This page has {{descendants}} child page(s) and descendant(s). What do you want to do?"
783 784 text_wiki_page_nullify_children: "Keep child pages as root pages"
784 785 text_wiki_page_destroy_children: "Delete child pages and all their descendants"
785 786 text_wiki_page_reassign_children: "Reassign child pages to this parent page"
786 787
787 788 default_role_manager: Manager
788 789 default_role_developper: Developer
789 790 default_role_reporter: Reporter
790 791 default_tracker_bug: Bug
791 792 default_tracker_feature: Feature
792 793 default_tracker_support: Support
793 794 default_issue_status_new: New
794 795 default_issue_status_assigned: Assigned
795 796 default_issue_status_resolved: Resolved
796 797 default_issue_status_feedback: Feedback
797 798 default_issue_status_closed: Closed
798 799 default_issue_status_rejected: Rejected
799 800 default_doc_category_user: User documentation
800 801 default_doc_category_tech: Technical documentation
801 802 default_priority_low: Low
802 803 default_priority_normal: Normal
803 804 default_priority_high: High
804 805 default_priority_urgent: Urgent
805 806 default_priority_immediate: Immediate
806 807 default_activity_design: Design
807 808 default_activity_development: Development
808 809
809 810 enumeration_issue_priorities: Issue priorities
810 811 enumeration_doc_categories: Document categories
811 812 enumeration_activities: Activities (time tracking)
@@ -1,861 +1,862
1 1 # Spanish translations for Rails
2 2 # by Francisco Fernando García Nieto (ffgarcianieto@gmail.com)
3 3
4 4 es:
5 5 number:
6 6 # Used in number_with_delimiter()
7 7 # These are also the defaults for 'currency', 'percentage', 'precision', and 'human'
8 8 format:
9 9 # Sets the separator between the units, for more precision (e.g. 1.0 / 2.0 == 0.5)
10 10 separator: ","
11 11 # Delimets thousands (e.g. 1,000,000 is a million) (always in groups of three)
12 12 delimiter: "."
13 13 # Number of decimals, behind the separator (1 with a precision of 2 gives: 1.00)
14 14 precision: 3
15 15
16 16 # Used in number_to_currency()
17 17 currency:
18 18 format:
19 19 # Where is the currency sign? %u is the currency unit, %n the number (default: $5.00)
20 20 format: "%n %u"
21 21 unit: "€"
22 22 # These three are to override number.format and are optional
23 23 separator: ","
24 24 delimiter: "."
25 25 precision: 2
26 26
27 27 # Used in number_to_percentage()
28 28 percentage:
29 29 format:
30 30 # These three are to override number.format and are optional
31 31 # separator:
32 32 delimiter: ""
33 33 # precision:
34 34
35 35 # Used in number_to_precision()
36 36 precision:
37 37 format:
38 38 # These three are to override number.format and are optional
39 39 # separator:
40 40 delimiter: ""
41 41 # precision:
42 42
43 43 # Used in number_to_human_size()
44 44 human:
45 45 format:
46 46 # These three are to override number.format and are optional
47 47 # separator:
48 48 delimiter: ""
49 49 precision: 1
50 50
51 51 # Used in distance_of_time_in_words(), distance_of_time_in_words_to_now(), time_ago_in_words()
52 52 datetime:
53 53 distance_in_words:
54 54 half_a_minute: "medio minuto"
55 55 less_than_x_seconds:
56 56 one: "menos de 1 segundo"
57 57 other: "menos de {{count}} segundos"
58 58 x_seconds:
59 59 one: "1 segundo"
60 60 other: "{{count}} segundos"
61 61 less_than_x_minutes:
62 62 one: "menos de 1 minuto"
63 63 other: "menos de {{count}} minutos"
64 64 x_minutes:
65 65 one: "1 minuto"
66 66 other: "{{count}} minutos"
67 67 about_x_hours:
68 68 one: "alrededor de 1 hora"
69 69 other: "alrededor de {{count}} horas"
70 70 x_days:
71 71 one: "1 día"
72 72 other: "{{count}} días"
73 73 about_x_months:
74 74 one: "alrededor de 1 mes"
75 75 other: "alrededor de {{count}} meses"
76 76 x_months:
77 77 one: "1 mes"
78 78 other: "{{count}} meses"
79 79 about_x_years:
80 80 one: "alrededor de 1 año"
81 81 other: "alrededor de {{count}} años"
82 82 over_x_years:
83 83 one: "más de 1 año"
84 84 other: "más de {{count}} años"
85 85
86 86 activerecord:
87 87 errors:
88 88 template:
89 89 header:
90 90 one: "no se pudo guardar este {{model}} porque se encontró 1 error"
91 91 other: "no se pudo guardar este {{model}} porque se encontraron {{count}} errores"
92 92 # The variable :count is also available
93 93 body: "Se encontraron problemas con los siguientes campos:"
94 94
95 95 # The values :model, :attribute and :value are always available for interpolation
96 96 # The value :count is available when applicable. Can be used for pluralization.
97 97 messages:
98 98 inclusion: "no está incluido en la lista"
99 99 exclusion: "está reservado"
100 100 invalid: "no es válido"
101 101 confirmation: "no coincide con la confirmación"
102 102 accepted: "debe ser aceptado"
103 103 empty: "no puede estar vacío"
104 104 blank: "no puede estar en blanco"
105 105 too_long: "es demasiado largo ({{count}} caracteres máximo)"
106 106 too_short: "es demasiado corto ({{count}} caracteres mínimo)"
107 107 wrong_length: "no tiene la longitud correcta ({{count}} caracteres exactos)"
108 108 taken: "ya está en uso"
109 109 not_a_number: "no es un número"
110 110 greater_than: "debe ser mayor que {{count}}"
111 111 greater_than_or_equal_to: "debe ser mayor que o igual a {{count}}"
112 112 equal_to: "debe ser igual a {{count}}"
113 113 less_than: "debe ser menor que {{count}}"
114 114 less_than_or_equal_to: "debe ser menor que o igual a {{count}}"
115 115 odd: "debe ser impar"
116 116 even: "debe ser par"
117 117 greater_than_start_date: "debe ser posterior a la fecha de comienzo"
118 118 not_same_project: "no pertenece al mismo proyecto"
119 119 circular_dependency: "Esta relación podría crear una dependencia circular"
120 120
121 121 # Append your own errors here or at the model/attributes scope.
122 122
123 123 models:
124 124 # Overrides default messages
125 125
126 126 attributes:
127 127 # Overrides model and default messages.
128 128
129 129 date:
130 130 formats:
131 131 # Use the strftime parameters for formats.
132 132 # When no format has been given, it uses default.
133 133 # You can provide other formats here if you like!
134 134 default: "%Y-%m-%d"
135 135 short: "%d de %b"
136 136 long: "%d de %B de %Y"
137 137
138 138 day_names: [Domingo, Lunes, Martes, Miércoles, Jueves, Viernes, Sábado]
139 139 abbr_day_names: [Dom, Lun, Mar, Mie, Jue, Vie, Sab]
140 140
141 141 # Don't forget the nil at the beginning; there's no such thing as a 0th month
142 142 month_names: [~, Enero, Febrero, Marzo, Abril, Mayo, Junio, Julio, Agosto, Setiembre, Octubre, Noviembre, Diciembre]
143 143 abbr_month_names: [~, Ene, Feb, Mar, Abr, May, Jun, Jul, Ago, Set, Oct, Nov, Dic]
144 144 # Used in date_select and datime_select.
145 145 order: [ :year, :month, :day ]
146 146
147 147 time:
148 148 formats:
149 149 default: "%A, %d de %B de %Y %H:%M:%S %z"
150 150 time: "%H:%M"
151 151 short: "%d de %b %H:%M"
152 152 long: "%d de %B de %Y %H:%M"
153 153 am: "am"
154 154 pm: "pm"
155 155
156 156 # Used in array.to_sentence.
157 157 support:
158 158 array:
159 159 sentence_connector: "y"
160 160
161 161 actionview_instancetag_blank_option: Por favor seleccione
162 162
163 163 button_activate: Activar
164 164 button_add: Añadir
165 165 button_annotate: Anotar
166 166 button_apply: Aceptar
167 167 button_archive: Archivar
168 168 button_back: Atrás
169 169 button_cancel: Cancelar
170 170 button_change: Cambiar
171 171 button_change_password: Cambiar contraseña
172 172 button_check_all: Seleccionar todo
173 173 button_clear: Anular
174 174 button_configure: Configurar
175 175 button_copy: Copiar
176 176 button_create: Crear
177 177 button_delete: Borrar
178 178 button_download: Descargar
179 179 button_edit: Modificar
180 180 button_list: Listar
181 181 button_lock: Bloquear
182 182 button_log_time: Tiempo dedicado
183 183 button_login: Conexión
184 184 button_move: Mover
185 185 button_quote: Citar
186 186 button_rename: Renombrar
187 187 button_reply: Responder
188 188 button_reset: Reestablecer
189 189 button_rollback: Volver a esta versión
190 190 button_save: Guardar
191 191 button_sort: Ordenar
192 192 button_submit: Aceptar
193 193 button_test: Probar
194 194 button_unarchive: Desarchivar
195 195 button_uncheck_all: No seleccionar nada
196 196 button_unlock: Desbloquear
197 197 button_unwatch: No monitorizar
198 198 button_update: Actualizar
199 199 button_view: Ver
200 200 button_watch: Monitorizar
201 201 default_activity_design: Diseño
202 202 default_activity_development: Desarrollo
203 203 default_doc_category_tech: Documentación técnica
204 204 default_doc_category_user: Documentación de usuario
205 205 default_issue_status_assigned: Asignada
206 206 default_issue_status_closed: Cerrada
207 207 default_issue_status_feedback: Comentarios
208 208 default_issue_status_new: Nueva
209 209 default_issue_status_rejected: Rechazada
210 210 default_issue_status_resolved: Resuelta
211 211 default_priority_high: Alta
212 212 default_priority_immediate: Inmediata
213 213 default_priority_low: Baja
214 214 default_priority_normal: Normal
215 215 default_priority_urgent: Urgente
216 216 default_role_developper: Desarrollador
217 217 default_role_manager: Jefe de proyecto
218 218 default_role_reporter: Informador
219 219 default_tracker_bug: Errores
220 220 default_tracker_feature: Tareas
221 221 default_tracker_support: Soporte
222 222 enumeration_activities: Actividades (tiempo dedicado)
223 223 enumeration_doc_categories: Categorías del documento
224 224 enumeration_issue_priorities: Prioridad de las peticiones
225 225 error_can_t_load_default_data: "No se ha podido cargar la configuración por defecto: {{value}}"
226 226 error_issue_not_found_in_project: 'La petición no se encuentra o no está asociada a este proyecto'
227 227 error_scm_annotate: "No existe la entrada o no ha podido ser anotada"
228 228 error_scm_command_failed: "Se produjo un error al acceder al repositorio: {{value}}"
229 229 error_scm_not_found: "La entrada y/o la revisión no existe en el repositorio."
230 230 field_account: Cuenta
231 231 field_activity: Actividad
232 232 field_admin: Administrador
233 233 field_assignable: Se pueden asignar peticiones a este perfil
234 234 field_assigned_to: Asignado a
235 235 field_attr_firstname: Cualidad del nombre
236 236 field_attr_lastname: Cualidad del apellido
237 237 field_attr_login: Cualidad del identificador
238 238 field_attr_mail: Cualidad del Email
239 239 field_auth_source: Modo de identificación
240 240 field_author: Autor
241 241 field_base_dn: DN base
242 242 field_category: Categoría
243 243 field_column_names: Columnas
244 244 field_comments: Comentario
245 245 field_comments_sorting: Mostrar comentarios
246 246 field_created_on: Creado
247 247 field_default_value: Estado por defecto
248 248 field_delay: Retraso
249 249 field_description: Descripción
250 250 field_done_ratio: % Realizado
251 251 field_downloads: Descargas
252 252 field_due_date: Fecha fin
253 253 field_effective_date: Fecha
254 254 field_estimated_hours: Tiempo estimado
255 255 field_field_format: Formato
256 256 field_filename: Fichero
257 257 field_filesize: Tamaño
258 258 field_firstname: Nombre
259 259 field_fixed_version: Versión prevista
260 260 field_hide_mail: Ocultar mi dirección de correo
261 261 field_homepage: Sitio web
262 262 field_host: Anfitrión
263 263 field_hours: Horas
264 264 field_identifier: Identificador
265 265 field_is_closed: Petición resuelta
266 266 field_is_default: Estado por defecto
267 267 field_is_filter: Usado como filtro
268 268 field_is_for_all: Para todos los proyectos
269 269 field_is_in_chlog: Consultar las peticiones en el histórico
270 270 field_is_in_roadmap: Consultar las peticiones en la planificación
271 271 field_is_public: Público
272 272 field_is_required: Obligatorio
273 273 field_issue: Petición
274 274 field_issue_to: Petición relacionada
275 275 field_language: Idioma
276 276 field_last_login_on: Última conexión
277 277 field_lastname: Apellido
278 278 field_login: Identificador
279 279 field_mail: Correo electrónico
280 280 field_mail_notification: Notificaciones por correo
281 281 field_max_length: Longitud máxima
282 282 field_min_length: Longitud mínima
283 283 field_name: Nombre
284 284 field_new_password: Nueva contraseña
285 285 field_notes: Notas
286 286 field_onthefly: Creación del usuario "al vuelo"
287 287 field_parent: Proyecto padre
288 288 field_parent_title: Página padre
289 289 field_password: Contraseña
290 290 field_password_confirmation: Confirmación
291 291 field_port: Puerto
292 292 field_possible_values: Valores posibles
293 293 field_priority: Prioridad
294 294 field_project: Proyecto
295 295 field_redirect_existing_links: Redireccionar enlaces existentes
296 296 field_regexp: Expresión regular
297 297 field_role: Perfil
298 298 field_searchable: Incluir en las búsquedas
299 299 field_spent_on: Fecha
300 300 field_start_date: Fecha de inicio
301 301 field_start_page: Página principal
302 302 field_status: Estado
303 303 field_subject: Tema
304 304 field_subproject: Proyecto secundario
305 305 field_summary: Resumen
306 306 field_time_zone: Zona horaria
307 307 field_title: Título
308 308 field_tracker: Tipo
309 309 field_type: Tipo
310 310 field_updated_on: Actualizado
311 311 field_url: URL
312 312 field_user: Usuario
313 313 field_value: Valor
314 314 field_version: Versión
315 315 general_csv_decimal_separator: ','
316 316 general_csv_encoding: ISO-8859-15
317 317 general_csv_separator: ';'
318 318 general_first_day_of_week: '1'
319 319 general_lang_name: 'Español'
320 320 general_pdf_encoding: ISO-8859-15
321 321 general_text_No: 'No'
322 322 general_text_Yes: 'Sí'
323 323 general_text_no: 'no'
324 324 general_text_yes: 'sí'
325 325 gui_validation_error: 1 error
326 326 gui_validation_error_plural: "{{count}} errores"
327 327 label_activity: Actividad
328 328 label_add_another_file: Añadir otro fichero
329 329 label_add_note: Añadir una nota
330 330 label_added: añadido
331 331 label_added_time_by: "Añadido por {{author}} hace {{age}}"
332 332 label_administration: Administración
333 333 label_age: Edad
334 334 label_ago: hace
335 335 label_all: todos
336 336 label_all_time: todo el tiempo
337 337 label_all_words: Todas las palabras
338 338 label_and_its_subprojects: "{{value}} y proyectos secundarios"
339 339 label_applied_status: Aplicar estado
340 340 label_assigned_to_me_issues: Peticiones que me están asignadas
341 341 label_associated_revisions: Revisiones asociadas
342 342 label_attachment: Fichero
343 343 label_attachment_delete: Borrar el fichero
344 344 label_attachment_new: Nuevo fichero
345 345 label_attachment_plural: Ficheros
346 346 label_attribute: Cualidad
347 347 label_attribute_plural: Cualidades
348 348 label_auth_source: Modo de autenticación
349 349 label_auth_source_new: Nuevo modo de autenticación
350 350 label_auth_source_plural: Modos de autenticación
351 351 label_authentication: Autenticación
352 352 label_blocked_by: bloqueado por
353 353 label_blocks: bloquea a
354 354 label_board: Foro
355 355 label_board_new: Nuevo foro
356 356 label_board_plural: Foros
357 357 label_boolean: Booleano
358 358 label_browse: Hojear
359 359 label_bulk_edit_selected_issues: Editar las peticiones seleccionadas
360 360 label_calendar: Calendario
361 361 label_change_log: Cambios
362 362 label_change_plural: Cambios
363 363 label_change_properties: Cambiar propiedades
364 364 label_change_status: Cambiar el estado
365 365 label_change_view_all: Ver todos los cambios
366 366 label_changes_details: Detalles de todos los cambios
367 367 label_changeset_plural: Cambios
368 368 label_chronological_order: En orden cronológico
369 369 label_closed_issues: cerrada
370 370 label_closed_issues_plural: cerradas
371 371 label_x_open_issues_abbr_on_total:
372 372 zero: 0 open / {{total}}
373 373 one: 1 open / {{total}}
374 374 other: "{{count}} open / {{total}}"
375 375 label_x_open_issues_abbr:
376 376 zero: 0 open
377 377 one: 1 open
378 378 other: "{{count}} open"
379 379 label_x_closed_issues_abbr:
380 380 zero: 0 closed
381 381 one: 1 closed
382 382 other: "{{count}} closed"
383 383 label_comment: Comentario
384 384 label_comment_add: Añadir un comentario
385 385 label_comment_added: Comentario añadido
386 386 label_comment_delete: Borrar comentarios
387 387 label_comment_plural: Comentarios
388 388 label_x_comments:
389 389 zero: no comments
390 390 one: 1 comment
391 391 other: "{{count}} comments"
392 392 label_commits_per_author: Commits por autor
393 393 label_commits_per_month: Commits por mes
394 394 label_confirmation: Confirmación
395 395 label_contains: contiene
396 396 label_copied: copiado
397 397 label_copy_workflow_from: Copiar flujo de trabajo desde
398 398 label_current_status: Estado actual
399 399 label_current_version: Versión actual
400 400 label_custom_field: Campo personalizado
401 401 label_custom_field_new: Nuevo campo personalizado
402 402 label_custom_field_plural: Campos personalizados
403 403 label_date: Fecha
404 404 label_date_from: Desde
405 405 label_date_range: Rango de fechas
406 406 label_date_to: Hasta
407 407 label_day_plural: días
408 408 label_default: Por defecto
409 409 label_default_columns: Columnas por defecto
410 410 label_deleted: suprimido
411 411 label_details: Detalles
412 412 label_diff_inline: en línea
413 413 label_diff_side_by_side: cara a cara
414 414 label_disabled: deshabilitado
415 415 label_display_per_page: "Por página: {{value}}"
416 416 label_document: Documento
417 417 label_document_added: Documento añadido
418 418 label_document_new: Nuevo documento
419 419 label_document_plural: Documentos
420 420 label_download: "{{count}} Descarga"
421 421 label_download_plural: "{{count}} Descargas"
422 422 label_downloads_abbr: D/L
423 423 label_duplicated_by: duplicada por
424 424 label_duplicates: duplicada de
425 425 label_end_to_end: fin a fin
426 426 label_end_to_start: fin a principio
427 427 label_enumeration_new: Nuevo valor
428 428 label_enumerations: Listas de valores
429 429 label_environment: Entorno
430 430 label_equals: igual
431 431 label_example: Ejemplo
432 432 label_export_to: 'Exportar a:'
433 433 label_f_hour: "{{value}} hora"
434 434 label_f_hour_plural: "{{value}} horas"
435 435 label_feed_plural: Feeds
436 436 label_feeds_access_key_created_on: "Clave de acceso por RSS creada hace {{value}}"
437 437 label_file_added: Fichero añadido
438 438 label_file_plural: Archivos
439 439 label_filter_add: Añadir el filtro
440 440 label_filter_plural: Filtros
441 441 label_float: Flotante
442 442 label_follows: posterior a
443 443 label_gantt: Gantt
444 444 label_general: General
445 445 label_generate_key: Generar clave
446 446 label_help: Ayuda
447 447 label_history: Histórico
448 448 label_home: Inicio
449 449 label_in: en
450 450 label_in_less_than: en menos que
451 451 label_in_more_than: en más que
452 452 label_incoming_emails: Correos entrantes
453 453 label_index_by_date: Índice por fecha
454 454 label_index_by_title: Índice por título
455 455 label_information: Información
456 456 label_information_plural: Información
457 457 label_integer: Número
458 458 label_internal: Interno
459 459 label_issue: Petición
460 460 label_issue_added: Petición añadida
461 461 label_issue_category: Categoría de las peticiones
462 462 label_issue_category_new: Nueva categoría
463 463 label_issue_category_plural: Categorías de las peticiones
464 464 label_issue_new: Nueva petición
465 465 label_issue_plural: Peticiones
466 466 label_issue_status: Estado de la petición
467 467 label_issue_status_new: Nuevo estado
468 468 label_issue_status_plural: Estados de las peticiones
469 469 label_issue_tracking: Peticiones
470 470 label_issue_updated: Petición actualizada
471 471 label_issue_view_all: Ver todas las peticiones
472 472 label_issue_watchers: Seguidores
473 473 label_issues_by: "Peticiones por {{value}}"
474 474 label_jump_to_a_project: Ir al proyecto...
475 475 label_language_based: Basado en el idioma
476 476 label_last_changes: "últimos {{count}} cambios"
477 477 label_last_login: Última conexión
478 478 label_last_month: último mes
479 479 label_last_n_days: "últimos {{count}} días"
480 480 label_last_week: última semana
481 481 label_latest_revision: Última revisión
482 482 label_latest_revision_plural: Últimas revisiones
483 483 label_ldap_authentication: Autenticación LDAP
484 484 label_less_than_ago: hace menos de
485 485 label_list: Lista
486 486 label_loading: Cargando...
487 487 label_logged_as: Conectado como
488 488 label_login: Conexión
489 489 label_logout: Desconexión
490 490 label_max_size: Tamaño máximo
491 491 label_me: yo mismo
492 492 label_member: Miembro
493 493 label_member_new: Nuevo miembro
494 494 label_member_plural: Miembros
495 495 label_message_last: Último mensaje
496 496 label_message_new: Nuevo mensaje
497 497 label_message_plural: Mensajes
498 498 label_message_posted: Mensaje añadido
499 499 label_min_max_length: Longitud mín - máx
500 500 label_modification: "{{count}} modificación"
501 501 label_modification_plural: "{{count}} modificaciones"
502 502 label_modified: modificado
503 503 label_module_plural: Módulos
504 504 label_month: Mes
505 505 label_months_from: meses de
506 506 label_more: Más
507 507 label_more_than_ago: hace más de
508 508 label_my_account: Mi cuenta
509 509 label_my_page: Mi página
510 510 label_my_projects: Mis proyectos
511 511 label_new: Nuevo
512 512 label_new_statuses_allowed: Nuevos estados autorizados
513 513 label_news: Noticia
514 514 label_news_added: Noticia añadida
515 515 label_news_latest: Últimas noticias
516 516 label_news_new: Nueva noticia
517 517 label_news_plural: Noticias
518 518 label_news_view_all: Ver todas las noticias
519 519 label_next: Siguiente
520 520 label_no_change_option: (Sin cambios)
521 521 label_no_data: Ningún dato a mostrar
522 522 label_nobody: nadie
523 523 label_none: ninguno
524 524 label_not_contains: no contiene
525 525 label_not_equals: no igual
526 526 label_open_issues: abierta
527 527 label_open_issues_plural: abiertas
528 528 label_optional_description: Descripción opcional
529 529 label_options: Opciones
530 530 label_overall_activity: Actividad global
531 531 label_overview: Vistazo
532 532 label_password_lost: ¿Olvidaste la contraseña?
533 533 label_per_page: Por página
534 534 label_permissions: Permisos
535 535 label_permissions_report: Informe de permisos
536 536 label_personalize_page: Personalizar esta página
537 537 label_planning: Planificación
538 538 label_please_login: Conexión
539 539 label_plugins: Extensiones
540 540 label_precedes: anterior a
541 541 label_preferences: Preferencias
542 542 label_preview: Previsualizar
543 543 label_previous: Anterior
544 544 label_project: Proyecto
545 545 label_project_all: Todos los proyectos
546 546 label_project_latest: Últimos proyectos
547 547 label_project_new: Nuevo proyecto
548 548 label_project_plural: Proyectos
549 549 label_x_projects:
550 550 zero: no projects
551 551 one: 1 project
552 552 other: "{{count}} projects"
553 553 label_public_projects: Proyectos públicos
554 554 label_query: Consulta personalizada
555 555 label_query_new: Nueva consulta
556 556 label_query_plural: Consultas personalizadas
557 557 label_read: Leer...
558 558 label_register: Registrar
559 559 label_registered_on: Inscrito el
560 560 label_registration_activation_by_email: activación de cuenta por correo
561 561 label_registration_automatic_activation: activación automática de cuenta
562 562 label_registration_manual_activation: activación manual de cuenta
563 563 label_related_issues: Peticiones relacionadas
564 564 label_relates_to: relacionada con
565 565 label_relation_delete: Eliminar relación
566 566 label_relation_new: Nueva relación
567 567 label_renamed: renombrado
568 568 label_reply_plural: Respuestas
569 569 label_report: Informe
570 570 label_report_plural: Informes
571 571 label_reported_issues: Peticiones registradas por mí
572 572 label_repository: Repositorio
573 573 label_repository_plural: Repositorios
574 574 label_result_plural: Resultados
575 575 label_reverse_chronological_order: En orden cronológico inverso
576 576 label_revision: Revisión
577 577 label_revision_plural: Revisiones
578 578 label_roadmap: Planificación
579 579 label_roadmap_due_in: "Finaliza en {{value}}"
580 580 label_roadmap_no_issues: No hay peticiones para esta versión
581 581 label_roadmap_overdue: "{{value}} tarde"
582 582 label_role: Perfil
583 583 label_role_and_permissions: Perfiles y permisos
584 584 label_role_new: Nuevo perfil
585 585 label_role_plural: Perfiles
586 586 label_scm: SCM
587 587 label_search: Búsqueda
588 588 label_search_titles_only: Buscar sólo en títulos
589 589 label_send_information: Enviar información de la cuenta al usuario
590 590 label_send_test_email: Enviar un correo de prueba
591 591 label_settings: Configuración
592 592 label_show_completed_versions: Muestra las versiones terminadas
593 593 label_sort_by: "Ordenar por {{value}}"
594 594 label_sort_higher: Subir
595 595 label_sort_highest: Primero
596 596 label_sort_lower: Bajar
597 597 label_sort_lowest: Último
598 598 label_spent_time: Tiempo dedicado
599 599 label_start_to_end: principio a fin
600 600 label_start_to_start: principio a principio
601 601 label_statistics: Estadísticas
602 602 label_stay_logged_in: Recordar conexión
603 603 label_string: Texto
604 604 label_subproject_plural: Proyectos secundarios
605 605 label_text: Texto largo
606 606 label_theme: Tema
607 607 label_this_month: este mes
608 608 label_this_week: esta semana
609 609 label_this_year: este año
610 610 label_time_tracking: Control de tiempo
611 611 label_today: hoy
612 612 label_topic_plural: Temas
613 613 label_total: Total
614 614 label_tracker: Tipo
615 615 label_tracker_new: Nuevo tipo
616 616 label_tracker_plural: Tipos de peticiones
617 617 label_updated_time: "Actualizado hace {{value}}"
618 618 label_updated_time_by: "Actualizado por {{author}} hace {{age}}"
619 619 label_used_by: Utilizado por
620 620 label_user: Usuario
621 621 label_user_activity: "Actividad de {{value}}"
622 622 label_user_mail_no_self_notified: "No quiero ser avisado de cambios hechos por mí"
623 623 label_user_mail_option_all: "Para cualquier evento en todos mis proyectos"
624 624 label_user_mail_option_none: "Sólo para elementos monitorizados o relacionados conmigo"
625 625 label_user_mail_option_selected: "Para cualquier evento de los proyectos seleccionados..."
626 626 label_user_new: Nuevo usuario
627 627 label_user_plural: Usuarios
628 628 label_version: Versión
629 629 label_version_new: Nueva versión
630 630 label_version_plural: Versiones
631 631 label_view_diff: Ver diferencias
632 632 label_view_revisions: Ver las revisiones
633 633 label_watched_issues: Peticiones monitorizadas
634 634 label_week: Semana
635 635 label_wiki: Wiki
636 636 label_wiki_edit: Wiki edicción
637 637 label_wiki_edit_plural: Wiki edicciones
638 638 label_wiki_page: Wiki página
639 639 label_wiki_page_plural: Wiki páginas
640 640 label_workflow: Flujo de trabajo
641 641 label_year: Año
642 642 label_yesterday: ayer
643 643 mail_body_account_activation_request: "Se ha inscrito un nuevo usuario ({{value}}). La cuenta está pendiende de aprobación:"
644 644 mail_body_account_information: Información sobre su cuenta
645 645 mail_body_account_information_external: "Puede usar su cuenta {{value}} para conectarse."
646 646 mail_body_lost_password: 'Para cambiar su contraseña, haga clic en el siguiente enlace:'
647 647 mail_body_register: 'Para activar su cuenta, haga clic en el siguiente enlace:'
648 648 mail_body_reminder: "{{count}} peticion(es) asignadas a finalizan en los próximos {{days}} días:"
649 649 mail_subject_account_activation_request: "Petición de activación de cuenta {{value}}"
650 650 mail_subject_lost_password: "Tu contraseña del {{value}}"
651 651 mail_subject_register: "Activación de la cuenta del {{value}}"
652 652 mail_subject_reminder: "{{count}} peticion(es) finalizan en los próximos días"
653 653 notice_account_activated: Su cuenta ha sido activada. Ya puede conectarse.
654 654 notice_account_invalid_creditentials: Usuario o contraseña inválido.
655 655 notice_account_lost_email_sent: Se le ha enviado un correo con instrucciones para elegir una nueva contraseña.
656 656 notice_account_password_updated: Contraseña modificada correctamente.
657 657 notice_account_pending: "Su cuenta ha sido creada y está pendiende de la aprobación por parte del administrador."
658 658 notice_account_register_done: Cuenta creada correctamente. Para activarla, haga clic sobre el enlace que le ha sido enviado por correo.
659 659 notice_account_unknown_email: Usuario desconocido.
660 660 notice_account_updated: Cuenta actualizada correctamente.
661 661 notice_account_wrong_password: Contraseña incorrecta.
662 662 notice_can_t_change_password: Esta cuenta utiliza una fuente de autenticación externa. No es posible cambiar la contraseña.
663 663 notice_default_data_loaded: Configuración por defecto cargada correctamente.
664 664 notice_email_error: "Ha ocurrido un error mientras enviando el correo ({{value}})"
665 665 notice_email_sent: "Se ha enviado un correo a {{value}}"
666 666 notice_failed_to_save_issues: "Imposible grabar %s peticion(es) en {{count}} seleccionado: {{ids}}."
667 667 notice_feeds_access_key_reseted: Su clave de acceso para RSS ha sido reiniciada.
668 668 notice_file_not_found: La página a la que intenta acceder no existe.
669 669 notice_locking_conflict: Los datos han sido modificados por otro usuario.
670 670 notice_no_issue_selected: "Ninguna petición seleccionada. Por favor, compruebe la petición que quiere modificar"
671 671 notice_not_authorized: No tiene autorización para acceder a esta página.
672 672 notice_successful_connection: Conexión correcta.
673 673 notice_successful_create: Creación correcta.
674 674 notice_successful_delete: Borrado correcto.
675 675 notice_successful_update: Modificación correcta.
676 676 notice_unable_delete_version: No se puede borrar la versión
677 677 permission_add_issue_notes: Añadir notas
678 678 permission_add_issue_watchers: Añadir seguidores
679 679 permission_add_issues: Añadir peticiones
680 680 permission_add_messages: Enviar mensajes
681 681 permission_browse_repository: Hojear repositiorio
682 682 permission_comment_news: Comentar noticias
683 683 permission_commit_access: Acceso de escritura
684 684 permission_delete_issues: Borrar peticiones
685 685 permission_delete_messages: Borrar mensajes
686 686 permission_delete_own_messages: Borrar mensajes propios
687 687 permission_delete_wiki_pages: Borrar páginas wiki
688 688 permission_delete_wiki_pages_attachments: Borrar ficheros
689 689 permission_edit_issue_notes: Modificar notas
690 690 permission_edit_issues: Modificar peticiones
691 691 permission_edit_messages: Modificar mensajes
692 692 permission_edit_own_issue_notes: Modificar notas propias
693 693 permission_edit_own_messages: Editar mensajes propios
694 694 permission_edit_own_time_entries: Modificar tiempos dedicados propios
695 695 permission_edit_project: Modificar proyecto
696 696 permission_edit_time_entries: Modificar tiempos dedicados
697 697 permission_edit_wiki_pages: Modificar páginas wiki
698 698 permission_log_time: Anotar tiempo dedicado
699 699 permission_manage_boards: Administrar foros
700 700 permission_manage_categories: Administrar categorías de peticiones
701 701 permission_manage_documents: Administrar documentos
702 702 permission_manage_files: Administrar ficheros
703 703 permission_manage_issue_relations: Administrar relación con otras peticiones
704 704 permission_manage_members: Administrar miembros
705 705 permission_manage_news: Administrar noticias
706 706 permission_manage_public_queries: Administrar consultas públicas
707 707 permission_manage_repository: Administrar repositorio
708 708 permission_manage_versions: Administrar versiones
709 709 permission_manage_wiki: Administrar wiki
710 710 permission_move_issues: Mover peticiones
711 711 permission_protect_wiki_pages: Proteger páginas wiki
712 712 permission_rename_wiki_pages: Renombrar páginas wiki
713 713 permission_save_queries: Grabar consultas
714 714 permission_select_project_modules: Seleccionar módulos del proyecto
715 715 permission_view_calendar: Ver calendario
716 716 permission_view_changesets: Ver cambios
717 717 permission_view_documents: Ver documentos
718 718 permission_view_files: Ver ficheros
719 719 permission_view_gantt: Ver diagrama de Gantt
720 720 permission_view_issue_watchers: Ver lista de seguidores
721 721 permission_view_messages: Ver mensajes
722 722 permission_view_time_entries: Ver tiempo dedicado
723 723 permission_view_wiki_edits: Ver histórico del wiki
724 724 permission_view_wiki_pages: Ver wiki
725 725 project_module_boards: Foros
726 726 project_module_documents: Documentos
727 727 project_module_files: Ficheros
728 728 project_module_issue_tracking: Peticiones
729 729 project_module_news: Noticias
730 730 project_module_repository: Repositorio
731 731 project_module_time_tracking: Control de tiempo
732 732 project_module_wiki: Wiki
733 733 setting_activity_days_default: Días a mostrar en la actividad de proyecto
734 734 setting_app_subtitle: Subtítulo de la aplicación
735 735 setting_app_title: Título de la aplicación
736 736 setting_attachment_max_size: Tamaño máximo del fichero
737 737 setting_autofetch_changesets: Autorellenar los commits del repositorio
738 738 setting_autologin: Conexión automática
739 739 setting_bcc_recipients: Ocultar las copias de carbón (bcc)
740 740 setting_commit_fix_keywords: Palabras clave para la corrección
741 741 setting_commit_logs_encoding: Codificación de los mensajes de commit
742 742 setting_commit_ref_keywords: Palabras clave para la referencia
743 743 setting_cross_project_issue_relations: Permitir relacionar peticiones de distintos proyectos
744 744 setting_date_format: Formato de fecha
745 745 setting_default_language: Idioma por defecto
746 746 setting_default_projects_public: Los proyectos nuevos son públicos por defecto
747 747 setting_diff_max_lines_displayed: Número máximo de diferencias mostradas
748 748 setting_display_subprojects_issues: Mostrar por defecto peticiones de proy. secundarios en el principal
749 749 setting_emails_footer: Pie de mensajes
750 750 setting_enabled_scm: Activar SCM
751 751 setting_feeds_limit: Límite de contenido para sindicación
752 752 setting_gravatar_enabled: Usar iconos de usuario (Gravatar)
753 753 setting_host_name: Nombre y ruta del servidor
754 754 setting_issue_list_default_columns: Columnas por defecto para la lista de peticiones
755 755 setting_issues_export_limit: Límite de exportación de peticiones
756 756 setting_login_required: Se requiere identificación
757 757 setting_mail_from: Correo desde el que enviar mensajes
758 758 setting_mail_handler_api_enabled: Activar SW para mensajes entrantes
759 759 setting_mail_handler_api_key: Clave de la API
760 760 setting_per_page_options: Objetos por página
761 761 setting_plain_text_mail: sólo texto plano (no HTML)
762 762 setting_protocol: Protocolo
763 763 setting_repositories_encodings: Codificaciones del repositorio
764 764 setting_self_registration: Registro permitido
765 765 setting_sequential_project_identifiers: Generar identificadores de proyecto
766 766 setting_sys_api_enabled: Habilitar SW para la gestión del repositorio
767 767 setting_text_formatting: Formato de texto
768 768 setting_time_format: Formato de hora
769 769 setting_user_format: Formato de nombre de usuario
770 770 setting_welcome_text: Texto de bienvenida
771 771 setting_wiki_compression: Compresión del historial del Wiki
772 772 status_active: activo
773 773 status_locked: bloqueado
774 774 status_registered: registrado
775 775 text_are_you_sure: ¿Está seguro?
776 776 text_assign_time_entries_to_project: Asignar las horas al proyecto
777 777 text_caracters_maximum: "{{count}} caracteres como máximo."
778 778 text_caracters_minimum: "{{count}} caracteres como mínimo"
779 779 text_comma_separated: Múltiples valores permitidos (separados por coma).
780 780 text_default_administrator_account_changed: Cuenta de administrador por defecto modificada
781 781 text_destroy_time_entries: Borrar las horas
782 782 text_destroy_time_entries_question: Existen {{hours}} horas asignadas a la petición que quiere borrar. ¿Qué quiere hacer ?
783 783 text_diff_truncated: '... Diferencia truncada por exceder el máximo tamaño visualizable.'
784 784 text_email_delivery_not_configured: "El envío de correos no está configurado, y las notificaciones se han desactivado. \n Configure el servidor de SMTP en config/email.yml y reinicie la aplicación para activar los cambios."
785 785 text_enumeration_category_reassign_to: 'Reasignar al siguiente valor:'
786 786 text_enumeration_destroy_question: "{{count}} objetos con este valor asignado."
787 787 text_file_repository_writable: Se puede escribir en el repositorio
788 788 text_issue_added: "Petición {{id}} añadida por {{author}}."
789 789 text_issue_category_destroy_assignments: Dejar las peticiones sin categoría
790 790 text_issue_category_destroy_question: "Algunas peticiones ({{count}}) están asignadas a esta categoría. ¿Qué desea hacer?"
791 791 text_issue_category_reassign_to: Reasignar las peticiones a la categoría
792 792 text_issue_updated: "La petición {{id}} ha sido actualizada por {{author}}."
793 793 text_issues_destroy_confirmation: '¿Seguro que quiere borrar las peticiones seleccionadas?'
794 794 text_issues_ref_in_commit_messages: Referencia y petición de corrección en los mensajes
795 795 text_length_between: "Longitud entre {{min}} y {{max}} caracteres."
796 796 text_load_default_configuration: Cargar la configuración por defecto
797 797 text_min_max_length_info: 0 para ninguna restricción
798 798 text_no_configuration_data: "Todavía no se han configurado perfiles, ni tipos, estados y flujo de trabajo asociado a peticiones. Se recomiendo encarecidamente cargar la configuración por defecto. Una vez cargada, podrá modificarla."
799 799 text_project_destroy_confirmation: ¿Estás seguro de querer eliminar el proyecto?
800 800 text_project_identifier_info: 'Letras minúsculas (a-z), números y signos de puntuación permitidos.<br />Una vez guardado, el identificador no puede modificarse.'
801 801 text_reassign_time_entries: 'Reasignar las horas a esta petición:'
802 802 text_regexp_info: ej. ^[A-Z0-9]+$
803 803 text_repository_usernames_mapping: "Establezca la correspondencia entre los usuarios de Redmine y los presentes en el log del repositorio.\nLos usuarios con el mismo nombre o correo en Redmine y en el repositorio serán asociados automáticamente."
804 804 text_rmagick_available: RMagick disponible (opcional)
805 805 text_select_mail_notifications: Seleccionar los eventos a notificar
806 806 text_select_project_modules: 'Seleccione los módulos a activar para este proyecto:'
807 807 text_status_changed_by_changeset: "Aplicado en los cambios {{value}}"
808 808 text_subprojects_destroy_warning: "Los proyectos secundarios: {{value}} también se eliminarán"
809 809 text_tip_task_begin_day: tarea que comienza este día
810 810 text_tip_task_begin_end_day: tarea que comienza y termina este día
811 811 text_tip_task_end_day: tarea que termina este día
812 812 text_tracker_no_workflow: No hay ningún flujo de trabajo definido para este tipo de petición
813 813 text_unallowed_characters: Caracteres no permitidos
814 814 text_user_mail_option: "De los proyectos no seleccionados, sólo recibirá notificaciones sobre elementos monitorizados o elementos en los que esté involucrado (por ejemplo, peticiones de las que usted sea autor o asignadas a usted)."
815 815 text_user_wrote: "{{value}} escribió:"
816 816 text_wiki_destroy_confirmation: ¿Seguro que quiere borrar el wiki y todo su contenido?
817 817 text_workflow_edit: Seleccionar un flujo de trabajo para actualizar
818 818 text_plugin_assets_writable: Plugin assets directory writable
819 819 warning_attachments_not_saved: "No fue posible guardar {{count}} fichero(s)."
820 820 button_create_and_continue: Crear y continuar
821 821 text_custom_field_possible_values_info: 'Una línea para cada valor'
822 822 label_display: Mostrar
823 823 field_editable: Editable
824 824 setting_repository_log_display_limit: Número máximo de revisiones mostradas en el fichero de trazas
825 825 setting_file_max_size_displayed: Tamaño máximo de ficheros de texto a mostrar
826 826 field_watcher: Seguidor
827 827 setting_openid: Permitir autenticación y registro con OpenID
828 828 field_identity_url: OpenID URL
829 829 label_login_with_open_id_option: o acceder mediante OpenID
830 830 field_content: Contenido
831 831 label_descending: Descendiente
832 832 label_sort: Ordenar
833 833 label_ascending: Ascendente
834 834 label_date_from_to: Desde {{start}} a {{end}}
835 835 label_greater_or_equal: ">="
836 836 label_less_or_equal: <=
837 837 text_wiki_page_destroy_question: Esta página tiene {{descendants}} página(s) hija(s) y descendiente(s). ¿Qué desea hacer?
838 838 text_wiki_page_reassign_children: Reasignar páginas hijas a esta página
839 839 text_wiki_page_nullify_children: Dejar páginas hijas como páginas raíz
840 840 text_wiki_page_destroy_children: Eliminar páginas hijas y todos sus descendientes
841 841 setting_password_min_length: Tamaño mínimo de contraseña
842 842 field_group_by: Agrupar resultados por
843 843 mail_subject_wiki_content_updated: "La página wiki '{{page}}' ha sido actualizada"
844 844 label_wiki_content_added: Página wiki añadida
845 845 mail_subject_wiki_content_added: "La página wiki '{{page}}' ha sido añadida"
846 846 mail_body_wiki_content_added: La página wiki '{{page}}' ha sido añadida por {{author}}.
847 847 label_wiki_content_updated: Página wiki actualizada
848 848 mail_body_wiki_content_updated: La página wiki '{{page}}' ha sido actualizada por {{author}}.
849 849 permission_add_project: Crear proyecto
850 850 setting_new_project_user_role_id: Permiso asignado a un usuario no-administrador para crear proyectos
851 851 label_view_all_revisions: View all revisions
852 852 label_tag: Tag
853 853 label_branch: Branch
854 854 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
855 855 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
856 856 text_journal_changed: "{{label}} changed from {{old}} to {{new}}"
857 857 text_journal_set_to: "{{label}} set to {{value}}"
858 858 text_journal_deleted: "{{label}} deleted"
859 859 label_group_plural: Groups
860 860 label_group: Group
861 861 label_group_new: New group
862 label_time_entry_plural: Spent time
@@ -1,851 +1,852
1 1 # Finnish translations for Ruby on Rails
2 2 # by Marko Seppä (marko.seppa@gmail.com)
3 3
4 4 fi:
5 5 date:
6 6 formats:
7 7 default: "%e. %Bta %Y"
8 8 long: "%A%e. %Bta %Y"
9 9 short: "%e.%m.%Y"
10 10
11 11 day_names: [Sunnuntai, Maanantai, Tiistai, Keskiviikko, Torstai, Perjantai, Lauantai]
12 12 abbr_day_names: [Su, Ma, Ti, Ke, To, Pe, La]
13 13 month_names: [~, Tammikuu, Helmikuu, Maaliskuu, Huhtikuu, Toukokuu, Kesäkuu, Heinäkuu, Elokuu, Syyskuu, Lokakuu, Marraskuu, Joulukuu]
14 14 abbr_month_names: [~, Tammi, Helmi, Maalis, Huhti, Touko, Kesä, Heinä, Elo, Syys, Loka, Marras, Joulu]
15 15 order: [:day, :month, :year]
16 16
17 17 time:
18 18 formats:
19 19 default: "%a, %e. %b %Y %H:%M:%S %z"
20 20 time: "%H:%M"
21 21 short: "%e. %b %H:%M"
22 22 long: "%B %d, %Y %H:%M"
23 23 am: "aamupäivä"
24 24 pm: "iltapäivä"
25 25
26 26 support:
27 27 array:
28 28 words_connector: ", "
29 29 two_words_connector: " ja "
30 30 last_word_connector: " ja "
31 31
32 32
33 33
34 34 number:
35 35 format:
36 36 separator: ","
37 37 delimiter: "."
38 38 precision: 3
39 39
40 40 currency:
41 41 format:
42 42 format: "%n %u"
43 43 unit: "€"
44 44 separator: ","
45 45 delimiter: "."
46 46 precision: 2
47 47
48 48 percentage:
49 49 format:
50 50 # separator:
51 51 delimiter: ""
52 52 # precision:
53 53
54 54 precision:
55 55 format:
56 56 # separator:
57 57 delimiter: ""
58 58 # precision:
59 59
60 60 human:
61 61 format:
62 62 delimiter: ""
63 63 precision: 1
64 64 storage_units: [Tavua, KB, MB, GB, TB]
65 65
66 66 datetime:
67 67 distance_in_words:
68 68 half_a_minute: "puoli minuuttia"
69 69 less_than_x_seconds:
70 70 one: "aiemmin kuin sekunti"
71 71 other: "aiemmin kuin {{count}} sekuntia"
72 72 x_seconds:
73 73 one: "sekunti"
74 74 other: "{{count}} sekuntia"
75 75 less_than_x_minutes:
76 76 one: "aiemmin kuin minuutti"
77 77 other: "aiemmin kuin {{count}} minuuttia"
78 78 x_minutes:
79 79 one: "minuutti"
80 80 other: "{{count}} minuuttia"
81 81 about_x_hours:
82 82 one: "noin tunti"
83 83 other: "noin {{count}} tuntia"
84 84 x_days:
85 85 one: "päivä"
86 86 other: "{{count}} päivää"
87 87 about_x_months:
88 88 one: "noin kuukausi"
89 89 other: "noin {{count}} kuukautta"
90 90 x_months:
91 91 one: "kuukausi"
92 92 other: "{{count}} kuukautta"
93 93 about_x_years:
94 94 one: "vuosi"
95 95 other: "noin {{count}} vuotta"
96 96 over_x_years:
97 97 one: "yli vuosi"
98 98 other: "yli {{count}} vuotta"
99 99 prompts:
100 100 year: "Vuosi"
101 101 month: "Kuukausi"
102 102 day: "Päivä"
103 103 hour: "Tunti"
104 104 minute: "Minuutti"
105 105 second: "Sekuntia"
106 106
107 107 activerecord:
108 108 errors:
109 109 template:
110 110 header:
111 111 one: "1 virhe esti tämän {{model}} mallinteen tallentamisen"
112 112 other: "{{count}} virhettä esti tämän {{model}} mallinteen tallentamisen"
113 113 body: "Seuraavat kentät aiheuttivat ongelmia:"
114 114 messages:
115 115 inclusion: "ei löydy listauksesta"
116 116 exclusion: "on jo varattu"
117 117 invalid: "on kelvoton"
118 118 confirmation: "ei vastaa varmennusta"
119 119 accepted: "täytyy olla hyväksytty"
120 120 empty: "ei voi olla tyhjä"
121 121 blank: "ei voi olla sisällötön"
122 122 too_long: "on liian pitkä (maksimi on {{count}} merkkiä)"
123 123 too_short: "on liian lyhyt (minimi on {{count}} merkkiä)"
124 124 wrong_length: "on väärän pituinen (täytyy olla täsmälleen {{count}} merkkiä)"
125 125 taken: "on jo käytössä"
126 126 not_a_number: "ei ole numero"
127 127 greater_than: "täytyy olla suurempi kuin {{count}}"
128 128 greater_than_or_equal_to: "täytyy olla suurempi tai yhtä suuri kuin{{count}}"
129 129 equal_to: "täytyy olla yhtä suuri kuin {{count}}"
130 130 less_than: "täytyy olla pienempi kuin {{count}}"
131 131 less_than_or_equal_to: "täytyy olla pienempi tai yhtä suuri kuin {{count}}"
132 132 odd: "täytyy olla pariton"
133 133 even: "täytyy olla parillinen"
134 134 greater_than_start_date: "tulee olla aloituspäivän jälkeinen"
135 135 not_same_project: "ei kuulu samaan projektiin"
136 136 circular_dependency: "Tämä suhde loisi kehän."
137 137
138 138
139 139 actionview_instancetag_blank_option: Valitse, ole hyvä
140 140
141 141 general_text_No: 'Ei'
142 142 general_text_Yes: 'Kyllä'
143 143 general_text_no: 'ei'
144 144 general_text_yes: 'kyllä'
145 145 general_lang_name: 'Finnish (Suomi)'
146 146 general_csv_separator: ','
147 147 general_csv_decimal_separator: '.'
148 148 general_csv_encoding: ISO-8859-15
149 149 general_pdf_encoding: ISO-8859-15
150 150 general_first_day_of_week: '1'
151 151
152 152 notice_account_updated: Tilin päivitys onnistui.
153 153 notice_account_invalid_creditentials: Virheellinen käyttäjätunnus tai salasana
154 154 notice_account_password_updated: Salasanan päivitys onnistui.
155 155 notice_account_wrong_password: Väärä salasana
156 156 notice_account_register_done: Tilin luonti onnistui. Aktivoidaksesi tilin seuraa linkkiä joka välitettiin sähköpostiisi.
157 157 notice_account_unknown_email: Tuntematon käyttäjä.
158 158 notice_can_t_change_password: Tämä tili käyttää ulkoista tunnistautumisjärjestelmää. Salasanaa ei voi muuttaa.
159 159 notice_account_lost_email_sent: Sinulle on lähetetty sähköposti jossa on ohje kuinka vaihdat salasanasi.
160 160 notice_account_activated: Tilisi on nyt aktivoitu, voit kirjautua sisälle.
161 161 notice_successful_create: Luonti onnistui.
162 162 notice_successful_update: Päivitys onnistui.
163 163 notice_successful_delete: Poisto onnistui.
164 164 notice_successful_connection: Yhteyden muodostus onnistui.
165 165 notice_file_not_found: Hakemaasi sivua ei löytynyt tai se on poistettu.
166 166 notice_locking_conflict: Toinen käyttäjä on päivittänyt tiedot.
167 167 notice_not_authorized: Sinulla ei ole oikeutta näyttää tätä sivua.
168 168 notice_email_sent: "Sähköposti on lähetty osoitteeseen {{value}}"
169 169 notice_email_error: "Sähköpostilähetyksessä tapahtui virhe ({{value}})"
170 170 notice_feeds_access_key_reseted: RSS salasana on nollaantunut.
171 171 notice_failed_to_save_issues: "{{count}} Tapahtum(an/ien) tallennus epäonnistui {{total}} valitut: {{ids}}."
172 172 notice_no_issue_selected: "Tapahtumia ei ole valittu! Valitse tapahtumat joita haluat muokata."
173 173 notice_account_pending: "Tilisi on luotu ja odottaa ylläpitäjän hyväksyntää."
174 174 notice_default_data_loaded: Vakioasetusten palautus onnistui.
175 175
176 176 error_can_t_load_default_data: "Vakioasetuksia ei voitu ladata: {{value}}"
177 177 error_scm_not_found: "Syötettä ja/tai versiota ei löydy tietovarastosta."
178 178 error_scm_command_failed: "Tietovarastoon pääsyssä tapahtui virhe: {{value}}"
179 179
180 180 mail_subject_lost_password: "Sinun {{value}} salasanasi"
181 181 mail_body_lost_password: 'Vaihtaaksesi salasanasi, napsauta seuraavaa linkkiä:'
182 182 mail_subject_register: "{{value}} tilin aktivointi"
183 183 mail_body_register: 'Aktivoidaksesi tilisi, napsauta seuraavaa linkkiä:'
184 184 mail_body_account_information_external: "Voit nyt käyttää {{value}} tiliäsi kirjautuaksesi järjestelmään."
185 185 mail_body_account_information: Sinun tilin tiedot
186 186 mail_subject_account_activation_request: "{{value}} tilin aktivointi pyyntö"
187 187 mail_body_account_activation_request: "Uusi käyttäjä ({{value}}) on rekisteröitynyt. Hänen tili odottaa hyväksyntääsi:"
188 188
189 189 gui_validation_error: 1 virhe
190 190 gui_validation_error_plural: "{{count}} virhettä"
191 191
192 192 field_name: Nimi
193 193 field_description: Kuvaus
194 194 field_summary: Yhteenveto
195 195 field_is_required: Vaaditaan
196 196 field_firstname: Etunimi
197 197 field_lastname: Sukunimi
198 198 field_mail: Sähköposti
199 199 field_filename: Tiedosto
200 200 field_filesize: Koko
201 201 field_downloads: Latausta
202 202 field_author: Tekijä
203 203 field_created_on: Luotu
204 204 field_updated_on: Päivitetty
205 205 field_field_format: Muoto
206 206 field_is_for_all: Kaikille projekteille
207 207 field_possible_values: Mahdolliset arvot
208 208 field_regexp: Säännöllinen lauseke (reg exp)
209 209 field_min_length: Minimipituus
210 210 field_max_length: Maksimipituus
211 211 field_value: Arvo
212 212 field_category: Luokka
213 213 field_title: Otsikko
214 214 field_project: Projekti
215 215 field_issue: Tapahtuma
216 216 field_status: Tila
217 217 field_notes: Muistiinpanot
218 218 field_is_closed: Tapahtuma suljettu
219 219 field_is_default: Vakioarvo
220 220 field_tracker: Tapahtuma
221 221 field_subject: Aihe
222 222 field_due_date: Määräaika
223 223 field_assigned_to: Nimetty
224 224 field_priority: Prioriteetti
225 225 field_fixed_version: Kohdeversio
226 226 field_user: Käyttäjä
227 227 field_role: Rooli
228 228 field_homepage: Kotisivu
229 229 field_is_public: Julkinen
230 230 field_parent: Aliprojekti
231 231 field_is_in_chlog: Tapahtumat näytetään muutoslokissa
232 232 field_is_in_roadmap: Tapahtumat näytetään roadmap näkymässä
233 233 field_login: Kirjautuminen
234 234 field_mail_notification: Sähköposti muistutukset
235 235 field_admin: Ylläpitäjä
236 236 field_last_login_on: Viimeinen yhteys
237 237 field_language: Kieli
238 238 field_effective_date: Päivä
239 239 field_password: Salasana
240 240 field_new_password: Uusi salasana
241 241 field_password_confirmation: Vahvistus
242 242 field_version: Versio
243 243 field_type: Tyyppi
244 244 field_host: Verkko-osoite
245 245 field_port: Portti
246 246 field_account: Tili
247 247 field_base_dn: Base DN
248 248 field_attr_login: Kirjautumismääre
249 249 field_attr_firstname: Etuminenmääre
250 250 field_attr_lastname: Sukunimenmääre
251 251 field_attr_mail: Sähköpostinmääre
252 252 field_onthefly: Automaattinen käyttäjien luonti
253 253 field_start_date: Alku
254 254 field_done_ratio: % Tehty
255 255 field_auth_source: Varmennusmuoto
256 256 field_hide_mail: Piiloita sähköpostiosoitteeni
257 257 field_comments: Kommentti
258 258 field_url: URL
259 259 field_start_page: Aloitussivu
260 260 field_subproject: Aliprojekti
261 261 field_hours: Tuntia
262 262 field_activity: Historia
263 263 field_spent_on: Päivä
264 264 field_identifier: Tunniste
265 265 field_is_filter: Käytetään suodattimena
266 266 field_issue_to: Liittyvä tapahtuma
267 267 field_delay: Viive
268 268 field_assignable: Tapahtumia voidaan nimetä tälle roolille
269 269 field_redirect_existing_links: Uudelleenohjaa olemassa olevat linkit
270 270 field_estimated_hours: Arvioitu aika
271 271 field_column_names: Saraketta
272 272 field_time_zone: Aikavyöhyke
273 273 field_searchable: Haettava
274 274 field_default_value: Vakioarvo
275 275
276 276 setting_app_title: Ohjelman otsikko
277 277 setting_app_subtitle: Ohjelman alaotsikko
278 278 setting_welcome_text: Tervehdysteksti
279 279 setting_default_language: Vakiokieli
280 280 setting_login_required: Pakollinen kirjautuminen
281 281 setting_self_registration: Itserekisteröinti
282 282 setting_attachment_max_size: Liitteen maksimikoko
283 283 setting_issues_export_limit: Tapahtumien vientirajoite
284 284 setting_mail_from: Lähettäjän sähköpostiosoite
285 285 setting_bcc_recipients: Vastaanottajat piilokopiona (bcc)
286 286 setting_host_name: Verkko-osoite
287 287 setting_text_formatting: Tekstin muotoilu
288 288 setting_wiki_compression: Wiki historian pakkaus
289 289 setting_feeds_limit: Syötteen sisällön raja
290 290 setting_autofetch_changesets: Automaattisten muutosjoukkojen haku
291 291 setting_sys_api_enabled: Salli WS tietovaraston hallintaan
292 292 setting_commit_ref_keywords: Viittaavat hakusanat
293 293 setting_commit_fix_keywords: Korjaavat hakusanat
294 294 setting_autologin: Automaatinen kirjautuminen
295 295 setting_date_format: Päivän muoto
296 296 setting_time_format: Ajan muoto
297 297 setting_cross_project_issue_relations: Salli projektien väliset tapahtuminen suhteet
298 298 setting_issue_list_default_columns: Vakiosarakkeiden näyttö tapahtumalistauksessa
299 299 setting_repositories_encodings: Tietovaraston koodaus
300 300 setting_emails_footer: Sähköpostin alatunniste
301 301 setting_protocol: Protokolla
302 302 setting_per_page_options: Sivun objektien määrän asetukset
303 303
304 304 label_user: Käyttäjä
305 305 label_user_plural: Käyttäjät
306 306 label_user_new: Uusi käyttäjä
307 307 label_project: Projekti
308 308 label_project_new: Uusi projekti
309 309 label_project_plural: Projektit
310 310 label_x_projects:
311 311 zero: no projects
312 312 one: 1 project
313 313 other: "{{count}} projects"
314 314 label_project_all: Kaikki projektit
315 315 label_project_latest: Uusimmat projektit
316 316 label_issue: Tapahtuma
317 317 label_issue_new: Uusi tapahtuma
318 318 label_issue_plural: Tapahtumat
319 319 label_issue_view_all: Näytä kaikki tapahtumat
320 320 label_issues_by: "Tapahtumat {{value}}"
321 321 label_document: Dokumentti
322 322 label_document_new: Uusi dokumentti
323 323 label_document_plural: Dokumentit
324 324 label_role: Rooli
325 325 label_role_plural: Roolit
326 326 label_role_new: Uusi rooli
327 327 label_role_and_permissions: Roolit ja oikeudet
328 328 label_member: Jäsen
329 329 label_member_new: Uusi jäsen
330 330 label_member_plural: Jäsenet
331 331 label_tracker: Tapahtuma
332 332 label_tracker_plural: Tapahtumat
333 333 label_tracker_new: Uusi tapahtuma
334 334 label_workflow: Työnkulku
335 335 label_issue_status: Tapahtuman tila
336 336 label_issue_status_plural: Tapahtumien tilat
337 337 label_issue_status_new: Uusi tila
338 338 label_issue_category: Tapahtumaluokka
339 339 label_issue_category_plural: Tapahtumaluokat
340 340 label_issue_category_new: Uusi luokka
341 341 label_custom_field: Räätälöity kenttä
342 342 label_custom_field_plural: Räätälöidyt kentät
343 343 label_custom_field_new: Uusi räätälöity kenttä
344 344 label_enumerations: Lista
345 345 label_enumeration_new: Uusi arvo
346 346 label_information: Tieto
347 347 label_information_plural: Tiedot
348 348 label_please_login: Kirjaudu ole hyvä
349 349 label_register: Rekisteröidy
350 350 label_password_lost: Hukattu salasana
351 351 label_home: Koti
352 352 label_my_page: Omasivu
353 353 label_my_account: Oma tili
354 354 label_my_projects: Omat projektit
355 355 label_administration: Ylläpito
356 356 label_login: Kirjaudu sisään
357 357 label_logout: Kirjaudu ulos
358 358 label_help: Ohjeet
359 359 label_reported_issues: Raportoidut tapahtumat
360 360 label_assigned_to_me_issues: Minulle nimetyt tapahtumat
361 361 label_last_login: Viimeinen yhteys
362 362 label_registered_on: Rekisteröity
363 363 label_activity: Historia
364 364 label_new: Uusi
365 365 label_logged_as: Kirjauduttu nimellä
366 366 label_environment: Ympäristö
367 367 label_authentication: Varmennus
368 368 label_auth_source: Varmennustapa
369 369 label_auth_source_new: Uusi varmennustapa
370 370 label_auth_source_plural: Varmennustavat
371 371 label_subproject_plural: Aliprojektit
372 372 label_min_max_length: Min - Max pituudet
373 373 label_list: Lista
374 374 label_date: Päivä
375 375 label_integer: Kokonaisluku
376 376 label_float: Liukuluku
377 377 label_boolean: Totuusarvomuuttuja
378 378 label_string: Merkkijono
379 379 label_text: Pitkä merkkijono
380 380 label_attribute: Määre
381 381 label_attribute_plural: Määreet
382 382 label_download: "{{count}} Lataus"
383 383 label_download_plural: "{{count}} Lataukset"
384 384 label_no_data: Ei tietoa näytettäväksi
385 385 label_change_status: Muutos tila
386 386 label_history: Historia
387 387 label_attachment: Tiedosto
388 388 label_attachment_new: Uusi tiedosto
389 389 label_attachment_delete: Poista tiedosto
390 390 label_attachment_plural: Tiedostot
391 391 label_report: Raportti
392 392 label_report_plural: Raportit
393 393 label_news: Uutinen
394 394 label_news_new: Lisää uutinen
395 395 label_news_plural: Uutiset
396 396 label_news_latest: Viimeisimmät uutiset
397 397 label_news_view_all: Näytä kaikki uutiset
398 398 label_change_log: Muutosloki
399 399 label_settings: Asetukset
400 400 label_overview: Yleiskatsaus
401 401 label_version: Versio
402 402 label_version_new: Uusi versio
403 403 label_version_plural: Versiot
404 404 label_confirmation: Vahvistus
405 405 label_export_to: Vie
406 406 label_read: Lukee...
407 407 label_public_projects: Julkiset projektit
408 408 label_open_issues: avoin, yhteensä
409 409 label_open_issues_plural: avointa, yhteensä
410 410 label_closed_issues: suljettu
411 411 label_closed_issues_plural: suljettua
412 412 label_x_open_issues_abbr_on_total:
413 413 zero: 0 open / {{total}}
414 414 one: 1 open / {{total}}
415 415 other: "{{count}} open / {{total}}"
416 416 label_x_open_issues_abbr:
417 417 zero: 0 open
418 418 one: 1 open
419 419 other: "{{count}} open"
420 420 label_x_closed_issues_abbr:
421 421 zero: 0 closed
422 422 one: 1 closed
423 423 other: "{{count}} closed"
424 424 label_total: Yhteensä
425 425 label_permissions: Oikeudet
426 426 label_current_status: Nykyinen tila
427 427 label_new_statuses_allowed: Uudet tilat sallittu
428 428 label_all: kaikki
429 429 label_none: ei mitään
430 430 label_nobody: ei kukaan
431 431 label_next: Seuraava
432 432 label_previous: Edellinen
433 433 label_used_by: Käytetty
434 434 label_details: Yksityiskohdat
435 435 label_add_note: Lisää muistiinpano
436 436 label_per_page: Per sivu
437 437 label_calendar: Kalenteri
438 438 label_months_from: kuukauden päässä
439 439 label_gantt: Gantt
440 440 label_internal: Sisäinen
441 441 label_last_changes: "viimeiset {{count}} muutokset"
442 442 label_change_view_all: Näytä kaikki muutokset
443 443 label_personalize_page: Personoi tämä sivu
444 444 label_comment: Kommentti
445 445 label_comment_plural: Kommentit
446 446 label_x_comments:
447 447 zero: no comments
448 448 one: 1 comment
449 449 other: "{{count}} comments"
450 450 label_comment_add: Lisää kommentti
451 451 label_comment_added: Kommentti lisätty
452 452 label_comment_delete: Poista kommentti
453 453 label_query: Räätälöity haku
454 454 label_query_plural: Räätälöidyt haut
455 455 label_query_new: Uusi haku
456 456 label_filter_add: Lisää suodatin
457 457 label_filter_plural: Suodattimet
458 458 label_equals: sama kuin
459 459 label_not_equals: eri kuin
460 460 label_in_less_than: pienempi kuin
461 461 label_in_more_than: suurempi kuin
462 462 label_today: tänään
463 463 label_this_week: tällä viikolla
464 464 label_less_than_ago: vähemmän kuin päivää sitten
465 465 label_more_than_ago: enemän kuin päivää sitten
466 466 label_ago: päiviä sitten
467 467 label_contains: sisältää
468 468 label_not_contains: ei sisällä
469 469 label_day_plural: päivää
470 470 label_repository: Tietovarasto
471 471 label_repository_plural: Tietovarastot
472 472 label_browse: Selaus
473 473 label_modification: "{{count}} muutos"
474 474 label_modification_plural: "{{count}} muutettu"
475 475 label_revision: Versio
476 476 label_revision_plural: Versiot
477 477 label_added: lisätty
478 478 label_modified: muokattu
479 479 label_deleted: poistettu
480 480 label_latest_revision: Viimeisin versio
481 481 label_latest_revision_plural: Viimeisimmät versiot
482 482 label_view_revisions: Näytä versiot
483 483 label_max_size: Suurin koko
484 484 label_sort_highest: Siirrä ylimmäiseksi
485 485 label_sort_higher: Siirrä ylös
486 486 label_sort_lower: Siirrä alas
487 487 label_sort_lowest: Siirrä alimmaiseksi
488 488 label_roadmap: Roadmap
489 489 label_roadmap_due_in: "Määräaika {{value}}"
490 490 label_roadmap_overdue: "{{value}} myöhässä"
491 491 label_roadmap_no_issues: Ei tapahtumia tälle versiolle
492 492 label_search: Haku
493 493 label_result_plural: Tulokset
494 494 label_all_words: kaikki sanat
495 495 label_wiki: Wiki
496 496 label_wiki_edit: Wiki muokkaus
497 497 label_wiki_edit_plural: Wiki muokkaukset
498 498 label_wiki_page: Wiki sivu
499 499 label_wiki_page_plural: Wiki sivut
500 500 label_index_by_title: Hakemisto otsikoittain
501 501 label_index_by_date: Hakemisto päivittäin
502 502 label_current_version: Nykyinen versio
503 503 label_preview: Esikatselu
504 504 label_feed_plural: Syötteet
505 505 label_changes_details: Kaikkien muutosten yksityiskohdat
506 506 label_issue_tracking: Tapahtumien seuranta
507 507 label_spent_time: Käytetty aika
508 508 label_f_hour: "{{value}} tunti"
509 509 label_f_hour_plural: "{{value}} tuntia"
510 510 label_time_tracking: Ajan seuranta
511 511 label_change_plural: Muutokset
512 512 label_statistics: Tilastot
513 513 label_commits_per_month: Tapahtumaa per kuukausi
514 514 label_commits_per_author: Tapahtumaa per tekijä
515 515 label_view_diff: Näytä erot
516 516 label_diff_inline: sisällössä
517 517 label_diff_side_by_side: vierekkäin
518 518 label_options: Valinnat
519 519 label_copy_workflow_from: Kopioi työnkulku
520 520 label_permissions_report: Oikeuksien raportti
521 521 label_watched_issues: Seurattavat tapahtumat
522 522 label_related_issues: Liittyvät tapahtumat
523 523 label_applied_status: Lisätty tila
524 524 label_loading: Lataa...
525 525 label_relation_new: Uusi suhde
526 526 label_relation_delete: Poista suhde
527 527 label_relates_to: liittyy
528 528 label_duplicates: kopio
529 529 label_blocks: estää
530 530 label_blocked_by: estetty
531 531 label_precedes: edeltää
532 532 label_follows: seuraa
533 533 label_end_to_start: lopusta alkuun
534 534 label_end_to_end: lopusta loppuun
535 535 label_start_to_start: alusta alkuun
536 536 label_start_to_end: alusta loppuun
537 537 label_stay_logged_in: Pysy kirjautuneena
538 538 label_disabled: poistettu käytöstä
539 539 label_show_completed_versions: Näytä valmiit versiot
540 540 label_me: minä
541 541 label_board: Keskustelupalsta
542 542 label_board_new: Uusi keskustelupalsta
543 543 label_board_plural: Keskustelupalstat
544 544 label_topic_plural: Aiheet
545 545 label_message_plural: Viestit
546 546 label_message_last: Viimeisin viesti
547 547 label_message_new: Uusi viesti
548 548 label_reply_plural: Vastaukset
549 549 label_send_information: Lähetä tilin tiedot käyttäjälle
550 550 label_year: Vuosi
551 551 label_month: Kuukausi
552 552 label_week: Viikko
553 553 label_language_based: Pohjautuen käyttäjän kieleen
554 554 label_sort_by: "Lajittele {{value}}"
555 555 label_send_test_email: Lähetä testi sähköposti
556 556 label_feeds_access_key_created_on: "RSS salasana luotiin {{value}} sitten"
557 557 label_module_plural: Moduulit
558 558 label_added_time_by: "Lisännyt {{author}} {{age}} sitten"
559 559 label_updated_time: "Päivitetty {{value}} sitten"
560 560 label_jump_to_a_project: Siirry projektiin...
561 561 label_file_plural: Tiedostot
562 562 label_changeset_plural: Muutosryhmät
563 563 label_default_columns: Vakiosarakkeet
564 564 label_no_change_option: (Ei muutosta)
565 565 label_bulk_edit_selected_issues: Perusmuotoile valitut tapahtumat
566 566 label_theme: Teema
567 567 label_default: Vakio
568 568 label_search_titles_only: Hae vain otsikot
569 569 label_user_mail_option_all: "Kaikista tapahtumista kaikissa projekteistani"
570 570 label_user_mail_option_selected: "Kaikista tapahtumista vain valitsemistani projekteista..."
571 571 label_user_mail_option_none: "Vain tapahtumista joita valvon tai olen mukana"
572 572 label_user_mail_no_self_notified: "En halua muistutusta muutoksista joita itse teen"
573 573 label_registration_activation_by_email: tilin aktivointi sähköpostitse
574 574 label_registration_manual_activation: tilin aktivointi käsin
575 575 label_registration_automatic_activation: tilin aktivointi automaattisesti
576 576 label_display_per_page: "Per sivu: {{value}}"
577 577 label_age: Ikä
578 578 label_change_properties: Vaihda asetuksia
579 579 label_general: Yleinen
580 580
581 581 button_login: Kirjaudu
582 582 button_submit: Lähetä
583 583 button_save: Tallenna
584 584 button_check_all: Valitse kaikki
585 585 button_uncheck_all: Poista valinnat
586 586 button_delete: Poista
587 587 button_create: Luo
588 588 button_test: Testaa
589 589 button_edit: Muokkaa
590 590 button_add: Lisää
591 591 button_change: Muuta
592 592 button_apply: Ota käyttöön
593 593 button_clear: Tyhjää
594 594 button_lock: Lukitse
595 595 button_unlock: Vapauta
596 596 button_download: Lataa
597 597 button_list: Lista
598 598 button_view: Näytä
599 599 button_move: Siirrä
600 600 button_back: Takaisin
601 601 button_cancel: Peruuta
602 602 button_activate: Aktivoi
603 603 button_sort: Järjestä
604 604 button_log_time: Seuraa aikaa
605 605 button_rollback: Siirry takaisin tähän versioon
606 606 button_watch: Seuraa
607 607 button_unwatch: Älä seuraa
608 608 button_reply: Vastaa
609 609 button_archive: Arkistoi
610 610 button_unarchive: Palauta
611 611 button_reset: Nollaus
612 612 button_rename: Uudelleen nimeä
613 613 button_change_password: Vaihda salasana
614 614 button_copy: Kopioi
615 615 button_annotate: Lisää selitys
616 616 button_update: Päivitä
617 617
618 618 status_active: aktiivinen
619 619 status_registered: rekisteröity
620 620 status_locked: lukittu
621 621
622 622 text_select_mail_notifications: Valitse tapahtumat joista tulisi lähettää sähköpostimuistutus.
623 623 text_regexp_info: esim. ^[A-Z0-9]+$
624 624 text_min_max_length_info: 0 tarkoittaa, ei rajoitusta
625 625 text_project_destroy_confirmation: Oletko varma että haluat poistaa tämän projektin ja kaikki siihen kuuluvat tiedot?
626 626 text_workflow_edit: Valitse rooli ja tapahtuma muokataksesi työnkulkua
627 627 text_are_you_sure: Oletko varma?
628 628 text_tip_task_begin_day: tehtävä joka alkaa tänä päivänä
629 629 text_tip_task_end_day: tehtävä joka loppuu tänä päivänä
630 630 text_tip_task_begin_end_day: tehtävä joka alkaa ja loppuu tänä päivänä
631 631 text_project_identifier_info: 'Pienet kirjaimet (a-z), numerot ja viivat ovat sallittu.<br />Tallentamisen jälkeen tunnistetta ei voi muuttaa.'
632 632 text_caracters_maximum: "{{count}} merkkiä enintään."
633 633 text_caracters_minimum: "Täytyy olla vähintään {{count}} merkkiä pitkä."
634 634 text_length_between: "Pituus välillä {{min}} ja {{max}} merkkiä."
635 635 text_tracker_no_workflow: Työnkulkua ei määritelty tälle tapahtumalle
636 636 text_unallowed_characters: Kiellettyjä merkkejä
637 637 text_comma_separated: Useat arvot sallittu (pilkku eroteltuna).
638 638 text_issues_ref_in_commit_messages: Liitän ja korjaan ongelmia syötetyssä viestissä
639 639 text_issue_added: "Issue {{id}} has been reported by {{author}}."
640 640 text_issue_updated: "Issue {{id}} has been updated by {{author}}."
641 641 text_wiki_destroy_confirmation: Oletko varma että haluat poistaa tämän wiki:n ja kaikki sen sisältämän tiedon?
642 642 text_issue_category_destroy_question: "Jotkut tapahtumat ({{count}}) ovat nimetty tälle luokalle. Mitä haluat tehdä?"
643 643 text_issue_category_destroy_assignments: Poista luokan tehtävät
644 644 text_issue_category_reassign_to: Vaihda tapahtuma tähän luokkaan
645 645 text_user_mail_option: "Valitsemattomille projekteille, saat vain muistutuksen asioista joita seuraat tai olet mukana (esim. tapahtumat joissa olet tekijä tai nimettynä)."
646 646 text_no_configuration_data: "Rooleja, tapahtumien tiloja ja työnkulkua ei vielä olla määritelty.\nOn erittäin suotavaa ladata vakioasetukset. Voit muuttaa sitä latauksen jälkeen."
647 647 text_load_default_configuration: Lataa vakioasetukset
648 648
649 649 default_role_manager: Päälikkö
650 650 default_role_developper: Kehittäjä
651 651 default_role_reporter: Tarkastelija
652 652 default_tracker_bug: Ohjelmointivirhe
653 653 default_tracker_feature: Ominaisuus
654 654 default_tracker_support: Tuki
655 655 default_issue_status_new: Uusi
656 656 default_issue_status_assigned: Nimetty
657 657 default_issue_status_resolved: Hyväksytty
658 658 default_issue_status_feedback: Palaute
659 659 default_issue_status_closed: Suljettu
660 660 default_issue_status_rejected: Hylätty
661 661 default_doc_category_user: Käyttäjä dokumentaatio
662 662 default_doc_category_tech: Tekninen dokumentaatio
663 663 default_priority_low: Matala
664 664 default_priority_normal: Normaali
665 665 default_priority_high: Korkea
666 666 default_priority_urgent: Kiireellinen
667 667 default_priority_immediate: Valitön
668 668 default_activity_design: Suunnittelu
669 669 default_activity_development: Kehitys
670 670
671 671 enumeration_issue_priorities: Tapahtuman tärkeysjärjestys
672 672 enumeration_doc_categories: Dokumentin luokat
673 673 enumeration_activities: Historia (ajan seuranta)
674 674 label_associated_revisions: Liittyvät versiot
675 675 setting_user_format: Käyttäjien esitysmuoto
676 676 text_status_changed_by_changeset: "Päivitetty muutosversioon {{value}}."
677 677 text_issues_destroy_confirmation: 'Oletko varma että haluat poistaa valitut tapahtumat ?'
678 678 label_more: Lisää
679 679 label_issue_added: Tapahtuma lisätty
680 680 label_issue_updated: Tapahtuma päivitetty
681 681 label_document_added: Dokumentti lisätty
682 682 label_message_posted: Viesti lisätty
683 683 label_file_added: Tiedosto lisätty
684 684 label_scm: SCM
685 685 text_select_project_modules: 'Valitse modulit jotka haluat käyttöön tähän projektiin:'
686 686 label_news_added: Uutinen lisätty
687 687 project_module_boards: Keskustelupalsta
688 688 project_module_issue_tracking: Tapahtuman seuranta
689 689 project_module_wiki: Wiki
690 690 project_module_files: Tiedostot
691 691 project_module_documents: Dokumentit
692 692 project_module_repository: Tietovarasto
693 693 project_module_news: Uutiset
694 694 project_module_time_tracking: Ajan seuranta
695 695 text_file_repository_writable: Kirjoitettava tiedostovarasto
696 696 text_default_administrator_account_changed: Vakio hallinoijan tunnus muutettu
697 697 text_rmagick_available: RMagick saatavilla (valinnainen)
698 698 button_configure: Asetukset
699 699 label_plugins: Lisäosat
700 700 label_ldap_authentication: LDAP tunnistautuminen
701 701 label_downloads_abbr: D/L
702 702 label_add_another_file: Lisää uusi tiedosto
703 703 label_this_month: tässä kuussa
704 704 text_destroy_time_entries_question: "{{hours}} tuntia on raportoitu tapahtumasta jonka aiot poistaa. Mitä haluat tehdä ?"
705 705 label_last_n_days: "viimeiset {{count}} päivää"
706 706 label_all_time: koko ajalta
707 707 error_issue_not_found_in_project: 'Tapahtumaa ei löytynyt tai se ei kuulu tähän projektiin'
708 708 label_this_year: tänä vuonna
709 709 text_assign_time_entries_to_project: Määritä tunnit projektille
710 710 label_date_range: Aikaväli
711 711 label_last_week: viime viikolla
712 712 label_yesterday: eilen
713 713 label_optional_description: Lisäkuvaus
714 714 label_last_month: viime kuussa
715 715 text_destroy_time_entries: Poista raportoidut tunnit
716 716 text_reassign_time_entries: 'Siirrä raportoidut tunnit tälle tapahtumalle:'
717 717 label_chronological_order: Aikajärjestyksessä
718 718 label_date_to: ''
719 719 setting_activity_days_default: Päivien esittäminen projektien historiassa
720 720 label_date_from: ''
721 721 label_in: ''
722 722 setting_display_subprojects_issues: Näytä aliprojektien tapahtumat pääprojektissa oletusarvoisesti
723 723 field_comments_sorting: Näytä kommentit
724 724 label_reverse_chronological_order: Käänteisessä aikajärjestyksessä
725 725 label_preferences: Asetukset
726 726 setting_default_projects_public: Uudet projektit ovat oletuksena julkisia
727 727 label_overall_activity: Kokonaishistoria
728 728 error_scm_annotate: "Merkintää ei ole tai siihen ei voi lisätä selityksiä."
729 729 label_planning: Suunnittelu
730 730 text_subprojects_destroy_warning: "Tämän aliprojekti(t): {{value}} tullaan myös poistamaan."
731 731 label_and_its_subprojects: "{{value}} ja aliprojektit"
732 732 mail_body_reminder: "{{count}} sinulle nimettyä tapahtuma(a) erääntyy {{days}} päivä sisään:"
733 733 mail_subject_reminder: "{{count}} tapahtuma(a) erääntyy lähipäivinä"
734 734 text_user_wrote: "{{value}} kirjoitti:"
735 735 label_duplicated_by: kopioinut
736 736 setting_enabled_scm: Versionhallinta käytettävissä
737 737 text_enumeration_category_reassign_to: 'Siirrä täksi arvoksi:'
738 738 text_enumeration_destroy_question: "{{count}} kohdetta on sijoitettu tälle arvolle."
739 739 label_incoming_emails: Saapuvat sähköpostiviestit
740 740 label_generate_key: Luo avain
741 741 setting_mail_handler_api_enabled: Ota käyttöön WS saapuville sähköposteille
742 742 setting_mail_handler_api_key: API avain
743 743 text_email_delivery_not_configured: "Sähköpostin jakelu ei ole määritelty ja sähköpostimuistutukset eivät ole käytössä.\nKonfiguroi sähköpostipalvelinasetukset (SMTP) config/email.yml tiedostosta ja uudelleenkäynnistä sovellus jotta asetukset astuvat voimaan."
744 744 field_parent_title: Aloitussivu
745 745 label_issue_watchers: Tapahtuman seuraajat
746 746 button_quote: Vastaa
747 747 setting_sequential_project_identifiers: Luo peräkkäiset projektien tunnisteet
748 748 setting_commit_logs_encoding: Tee viestien koodaus
749 749 notice_unable_delete_version: Version poisto epäonnistui
750 750 label_renamed: uudelleennimetty
751 751 label_copied: kopioitu
752 752 setting_plain_text_mail: vain muotoilematonta tekstiä (ei HTML)
753 753 permission_view_files: Näytä tiedostot
754 754 permission_edit_issues: Muokkaa tapahtumia
755 755 permission_edit_own_time_entries: Muokka omia aikamerkintöjä
756 756 permission_manage_public_queries: Hallinnoi julkisia hakuja
757 757 permission_add_issues: Lisää tapahtumia
758 758 permission_log_time: Lokita käytettyä aikaa
759 759 permission_view_changesets: Näytä muutosryhmät
760 760 permission_view_time_entries: Näytä käytetty aika
761 761 permission_manage_versions: Hallinnoi versioita
762 762 permission_manage_wiki: Hallinnoi wikiä
763 763 permission_manage_categories: Hallinnoi tapahtumien luokkia
764 764 permission_protect_wiki_pages: Suojaa wiki sivut
765 765 permission_comment_news: Kommentoi uutisia
766 766 permission_delete_messages: Poista viestit
767 767 permission_select_project_modules: Valitse projektin modulit
768 768 permission_manage_documents: Hallinnoi dokumentteja
769 769 permission_edit_wiki_pages: Muokkaa wiki sivuja
770 770 permission_add_issue_watchers: Lisää seuraajia
771 771 permission_view_gantt: Näytä gantt kaavio
772 772 permission_move_issues: Siirrä tapahtuma
773 773 permission_manage_issue_relations: Hallinoi tapahtuman suhteita
774 774 permission_delete_wiki_pages: Poista wiki sivuja
775 775 permission_manage_boards: Hallinnoi keskustelupalstaa
776 776 permission_delete_wiki_pages_attachments: Poista liitteitä
777 777 permission_view_wiki_edits: Näytä wiki historia
778 778 permission_add_messages: Jätä viesti
779 779 permission_view_messages: Näytä viestejä
780 780 permission_manage_files: Hallinnoi tiedostoja
781 781 permission_edit_issue_notes: Muokkaa muistiinpanoja
782 782 permission_manage_news: Hallinnoi uutisia
783 783 permission_view_calendar: Näytä kalenteri
784 784 permission_manage_members: Hallinnoi jäseniä
785 785 permission_edit_messages: Muokkaa viestejä
786 786 permission_delete_issues: Poista tapahtumia
787 787 permission_view_issue_watchers: Näytä seuraaja lista
788 788 permission_manage_repository: Hallinnoi tietovarastoa
789 789 permission_commit_access: Tee pääsyoikeus
790 790 permission_browse_repository: Selaa tietovarastoa
791 791 permission_view_documents: Näytä dokumentit
792 792 permission_edit_project: Muokkaa projektia
793 793 permission_add_issue_notes: Lisää muistiinpanoja
794 794 permission_save_queries: Tallenna hakuja
795 795 permission_view_wiki_pages: Näytä wiki
796 796 permission_rename_wiki_pages: Uudelleennimeä wiki sivuja
797 797 permission_edit_time_entries: Muokkaa aika lokeja
798 798 permission_edit_own_issue_notes: Muokkaa omia muistiinpanoja
799 799 setting_gravatar_enabled: Käytä Gravatar käyttäjä ikoneita
800 800 label_example: Esimerkki
801 801 text_repository_usernames_mapping: "Valitse päivittääksesi Redmine käyttäjä jokaiseen käyttäjään joka löytyy tietovaraston lokista.\nKäyttäjät joilla on sama Redmine ja tietovaraston käyttäjänimi tai sähköpostiosoite, yhdistetään automaattisesti."
802 802 permission_edit_own_messages: Muokkaa omia viestejä
803 803 permission_delete_own_messages: Poista omia viestejä
804 804 label_user_activity: "Käyttäjän {{value}} historia"
805 805 label_updated_time_by: "Updated by {{author}} {{age}} ago"
806 806 text_diff_truncated: '... This diff was truncated because it exceeds the maximum size that can be displayed.'
807 807 setting_diff_max_lines_displayed: Max number of diff lines displayed
808 808 text_plugin_assets_writable: Plugin assets directory writable
809 809 warning_attachments_not_saved: "{{count}} file(s) could not be saved."
810 810 button_create_and_continue: Create and continue
811 811 text_custom_field_possible_values_info: 'One line for each value'
812 812 label_display: Display
813 813 field_editable: Editable
814 814 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
815 815 setting_file_max_size_displayed: Max size of text files displayed inline
816 816 field_watcher: Watcher
817 817 setting_openid: Allow OpenID login and registration
818 818 field_identity_url: OpenID URL
819 819 label_login_with_open_id_option: or login with OpenID
820 820 field_content: Content
821 821 label_descending: Descending
822 822 label_sort: Sort
823 823 label_ascending: Ascending
824 824 label_date_from_to: From {{start}} to {{end}}
825 825 label_greater_or_equal: ">="
826 826 label_less_or_equal: <=
827 827 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
828 828 text_wiki_page_reassign_children: Reassign child pages to this parent page
829 829 text_wiki_page_nullify_children: Keep child pages as root pages
830 830 text_wiki_page_destroy_children: Delete child pages and all their descendants
831 831 setting_password_min_length: Minimum password length
832 832 field_group_by: Group results by
833 833 mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated"
834 834 label_wiki_content_added: Wiki page added
835 835 mail_subject_wiki_content_added: "'{{page}}' wiki page has been added"
836 836 mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}.
837 837 label_wiki_content_updated: Wiki page updated
838 838 mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}.
839 839 permission_add_project: Create project
840 840 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
841 841 label_view_all_revisions: View all revisions
842 842 label_tag: Tag
843 843 label_branch: Branch
844 844 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
845 845 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
846 846 text_journal_changed: "{{label}} changed from {{old}} to {{new}}"
847 847 text_journal_set_to: "{{label}} set to {{value}}"
848 848 text_journal_deleted: "{{label}} deleted"
849 849 label_group_plural: Groups
850 850 label_group: Group
851 851 label_group_new: New group
852 label_time_entry_plural: Spent time
@@ -1,843 +1,844
1 1 # French translations for Ruby on Rails
2 2 # by Christian Lescuyer (christian@flyingcoders.com)
3 3 # contributor: Sebastien Grosjean - ZenCocoon.com
4 4
5 5 fr:
6 6 date:
7 7 formats:
8 8 default: "%d/%m/%Y"
9 9 short: "%e %b"
10 10 long: "%e %B %Y"
11 11 long_ordinal: "%e %B %Y"
12 12 only_day: "%e"
13 13
14 14 day_names: [dimanche, lundi, mardi, mercredi, jeudi, vendredi, samedi]
15 15 abbr_day_names: [dim, lun, mar, mer, jeu, ven, sam]
16 16 month_names: [~, janvier, février, mars, avril, mai, juin, juillet, août, septembre, octobre, novembre, décembre]
17 17 abbr_month_names: [~, jan., fév., mar., avr., mai, juin, juil., août, sept., oct., nov., déc.]
18 18 order: [ :day, :month, :year ]
19 19
20 20 time:
21 21 formats:
22 22 default: "%d/%m/%Y %H:%M"
23 23 time: "%H:%M"
24 24 short: "%d %b %H:%M"
25 25 long: "%A %d %B %Y %H:%M:%S %Z"
26 26 long_ordinal: "%A %d %B %Y %H:%M:%S %Z"
27 27 only_second: "%S"
28 28 am: 'am'
29 29 pm: 'pm'
30 30
31 31 datetime:
32 32 distance_in_words:
33 33 half_a_minute: "30 secondes"
34 34 less_than_x_seconds:
35 35 zero: "moins d'une seconde"
36 36 one: "moins de 1 seconde"
37 37 other: "moins de {{count}} secondes"
38 38 x_seconds:
39 39 one: "1 seconde"
40 40 other: "{{count}} secondes"
41 41 less_than_x_minutes:
42 42 zero: "moins d'une minute"
43 43 one: "moins de 1 minute"
44 44 other: "moins de {{count}} minutes"
45 45 x_minutes:
46 46 one: "1 minute"
47 47 other: "{{count}} minutes"
48 48 about_x_hours:
49 49 one: "environ une heure"
50 50 other: "environ {{count}} heures"
51 51 x_days:
52 52 one: "1 jour"
53 53 other: "{{count}} jours"
54 54 about_x_months:
55 55 one: "environ un mois"
56 56 other: "environ {{count}} mois"
57 57 x_months:
58 58 one: "1 mois"
59 59 other: "{{count}} mois"
60 60 about_x_years:
61 61 one: "environ un an"
62 62 other: "environ {{count}} ans"
63 63 over_x_years:
64 64 one: "plus d'un an"
65 65 other: "plus de {{count}} ans"
66 66 prompts:
67 67 year: "Année"
68 68 month: "Mois"
69 69 day: "Jour"
70 70 hour: "Heure"
71 71 minute: "Minute"
72 72 second: "Seconde"
73 73
74 74 number:
75 75 format:
76 76 precision: 3
77 77 separator: ','
78 78 delimiter: ' '
79 79 currency:
80 80 format:
81 81 unit: '€'
82 82 precision: 2
83 83 format: '%n %u'
84 84 human:
85 85 format:
86 86 precision: 2
87 87 storage_units: [ Octet, ko, Mo, Go, To ]
88 88
89 89 support:
90 90 array:
91 91 sentence_connector: 'et'
92 92 skip_last_comma: true
93 93 word_connector: ", "
94 94 two_words_connector: " et "
95 95 last_word_connector: " et "
96 96
97 97 activerecord:
98 98 errors:
99 99 template:
100 100 header:
101 101 one: "Impossible d'enregistrer {{model}}: 1 erreur"
102 102 other: "Impossible d'enregistrer {{model}}: {{count}} erreurs."
103 103 body: "Veuillez vérifier les champs suivants :"
104 104 messages:
105 105 inclusion: "n'est pas inclus(e) dans la liste"
106 106 exclusion: "n'est pas disponible"
107 107 invalid: "n'est pas valide"
108 108 confirmation: "ne concorde pas avec la confirmation"
109 109 accepted: "doit être accepté(e)"
110 110 empty: "doit être renseigné(e)"
111 111 blank: "doit être renseigné(e)"
112 112 too_long: "est trop long (pas plus de {{count}} caractères)"
113 113 too_short: "est trop court (au moins {{count}} caractères)"
114 114 wrong_length: "ne fait pas la bonne longueur (doit comporter {{count}} caractères)"
115 115 taken: "est déjà utilisé"
116 116 not_a_number: "n'est pas un nombre"
117 117 greater_than: "doit être supérieur à {{count}}"
118 118 greater_than_or_equal_to: "doit être supérieur ou égal à {{count}}"
119 119 equal_to: "doit être égal à {{count}}"
120 120 less_than: "doit être inférieur à {{count}}"
121 121 less_than_or_equal_to: "doit être inférieur ou égal à {{count}}"
122 122 odd: "doit être impair"
123 123 even: "doit être pair"
124 124 greater_than_start_date: "doit être postérieure à la date de début"
125 125 not_same_project: "n'appartient pas au même projet"
126 126 circular_dependency: "Cette relation créerait une dépendance circulaire"
127 127
128 128 actionview_instancetag_blank_option: Choisir
129 129
130 130 general_text_No: 'Non'
131 131 general_text_Yes: 'Oui'
132 132 general_text_no: 'non'
133 133 general_text_yes: 'oui'
134 134 general_lang_name: 'Français'
135 135 general_csv_separator: ';'
136 136 general_csv_decimal_separator: ','
137 137 general_csv_encoding: ISO-8859-1
138 138 general_pdf_encoding: ISO-8859-1
139 139 general_first_day_of_week: '1'
140 140
141 141 notice_account_updated: Le compte a été mis à jour avec succès.
142 142 notice_account_invalid_creditentials: Identifiant ou mot de passe invalide.
143 143 notice_account_password_updated: Mot de passe mis à jour avec succès.
144 144 notice_account_wrong_password: Mot de passe incorrect
145 145 notice_account_register_done: Un message contenant les instructions pour activer votre compte vous a été envoyé.
146 146 notice_account_unknown_email: Aucun compte ne correspond à cette adresse.
147 147 notice_can_t_change_password: Ce compte utilise une authentification externe. Impossible de changer le mot de passe.
148 148 notice_account_lost_email_sent: Un message contenant les instructions pour choisir un nouveau mot de passe vous a été envoyé.
149 149 notice_account_activated: Votre compte a été activé. Vous pouvez à présent vous connecter.
150 150 notice_successful_create: Création effectuée avec succès.
151 151 notice_successful_update: Mise à jour effectuée avec succès.
152 152 notice_successful_delete: Suppression effectuée avec succès.
153 153 notice_successful_connection: Connection réussie.
154 154 notice_file_not_found: "La page à laquelle vous souhaitez accéder n'existe pas ou a été supprimée."
155 155 notice_locking_conflict: Les données ont été mises à jour par un autre utilisateur. Mise à jour impossible.
156 156 notice_not_authorized: "Vous n'êtes pas autorisés à accéder à cette page."
157 157 notice_email_sent: "Un email a été envoyé à {{value}}"
158 158 notice_email_error: "Erreur lors de l'envoi de l'email ({{value}})"
159 159 notice_feeds_access_key_reseted: "Votre clé d'accès aux flux RSS a été réinitialisée."
160 160 notice_failed_to_save_issues: "{{count}} demande(s) sur les {{total}} sélectionnées n'ont pas pu être mise(s) à jour: {{ids}}."
161 161 notice_no_issue_selected: "Aucune demande sélectionnée ! Cochez les demandes que vous voulez mettre à jour."
162 162 notice_account_pending: "Votre compte a été créé et attend l'approbation de l'administrateur."
163 163 notice_default_data_loaded: Paramétrage par défaut chargé avec succès.
164 164 notice_unable_delete_version: Impossible de supprimer cette version.
165 165
166 166 error_can_t_load_default_data: "Une erreur s'est produite lors du chargement du paramétrage: {{value}}"
167 167 error_scm_not_found: "L'entrée et/ou la révision demandée n'existe pas dans le dépôt."
168 168 error_scm_command_failed: "Une erreur s'est produite lors de l'accès au dépôt: {{value}}"
169 169 error_scm_annotate: "L'entrée n'existe pas ou ne peut pas être annotée."
170 170 error_issue_not_found_in_project: "La demande n'existe pas ou n'appartient pas à ce projet"
171 171
172 172 warning_attachments_not_saved: "{{count}} fichier(s) n'ont pas pu être sauvegardés."
173 173
174 174 mail_subject_lost_password: "Votre mot de passe {{value}}"
175 175 mail_body_lost_password: 'Pour changer votre mot de passe, cliquez sur le lien suivant:'
176 176 mail_subject_register: "Activation de votre compte {{value}}"
177 177 mail_body_register: 'Pour activer votre compte, cliquez sur le lien suivant:'
178 178 mail_body_account_information_external: "Vous pouvez utiliser votre compte {{value}} pour vous connecter."
179 179 mail_body_account_information: Paramètres de connexion de votre compte
180 180 mail_subject_account_activation_request: "Demande d'activation d'un compte {{value}}"
181 181 mail_body_account_activation_request: "Un nouvel utilisateur ({{value}}) s'est inscrit. Son compte nécessite votre approbation:"
182 182 mail_subject_reminder: "{{count}} demande(s) arrivent à échéance"
183 183 mail_body_reminder: "{{count}} demande(s) qui vous sont assignées arrivent à échéance dans les {{days}} prochains jours:"
184 184 mail_subject_wiki_content_added: "Page wiki '{{page}}' ajoutée"
185 185 mail_body_wiki_content_added: "La page wiki '{{page}}' a été ajoutée par {{author}}."
186 186 mail_subject_wiki_content_updated: "Page wiki '{{page}}' mise à jour"
187 187 mail_body_wiki_content_updated: "La page wiki '{{page}}' a été mise à jour par {{author}}."
188 188
189 189 gui_validation_error: 1 erreur
190 190 gui_validation_error_plural: "{{count}} erreurs"
191 191
192 192 field_name: Nom
193 193 field_description: Description
194 194 field_summary: Résumé
195 195 field_is_required: Obligatoire
196 196 field_firstname: Prénom
197 197 field_lastname: Nom
198 198 field_mail: Email
199 199 field_filename: Fichier
200 200 field_filesize: Taille
201 201 field_downloads: Téléchargements
202 202 field_author: Auteur
203 203 field_created_on: Créé
204 204 field_updated_on: Mis à jour
205 205 field_field_format: Format
206 206 field_is_for_all: Pour tous les projets
207 207 field_possible_values: Valeurs possibles
208 208 field_regexp: Expression régulière
209 209 field_min_length: Longueur minimum
210 210 field_max_length: Longueur maximum
211 211 field_value: Valeur
212 212 field_category: Catégorie
213 213 field_title: Titre
214 214 field_project: Projet
215 215 field_issue: Demande
216 216 field_status: Statut
217 217 field_notes: Notes
218 218 field_is_closed: Demande fermée
219 219 field_is_default: Valeur par défaut
220 220 field_tracker: Tracker
221 221 field_subject: Sujet
222 222 field_due_date: Echéance
223 223 field_assigned_to: Assigné à
224 224 field_priority: Priorité
225 225 field_fixed_version: Version cible
226 226 field_user: Utilisateur
227 227 field_role: Rôle
228 228 field_homepage: Site web
229 229 field_is_public: Public
230 230 field_parent: Sous-projet de
231 231 field_is_in_chlog: Demandes affichées dans l'historique
232 232 field_is_in_roadmap: Demandes affichées dans la roadmap
233 233 field_login: Identifiant
234 234 field_mail_notification: Notifications par mail
235 235 field_admin: Administrateur
236 236 field_last_login_on: Dernière connexion
237 237 field_language: Langue
238 238 field_effective_date: Date
239 239 field_password: Mot de passe
240 240 field_new_password: Nouveau mot de passe
241 241 field_password_confirmation: Confirmation
242 242 field_version: Version
243 243 field_type: Type
244 244 field_host: Hôte
245 245 field_port: Port
246 246 field_account: Compte
247 247 field_base_dn: Base DN
248 248 field_attr_login: Attribut Identifiant
249 249 field_attr_firstname: Attribut Prénom
250 250 field_attr_lastname: Attribut Nom
251 251 field_attr_mail: Attribut Email
252 252 field_onthefly: Création des utilisateurs à la volée
253 253 field_start_date: Début
254 254 field_done_ratio: % Réalisé
255 255 field_auth_source: Mode d'authentification
256 256 field_hide_mail: Cacher mon adresse mail
257 257 field_comments: Commentaire
258 258 field_url: URL
259 259 field_start_page: Page de démarrage
260 260 field_subproject: Sous-projet
261 261 field_hours: Heures
262 262 field_activity: Activité
263 263 field_spent_on: Date
264 264 field_identifier: Identifiant
265 265 field_is_filter: Utilisé comme filtre
266 266 field_issue_to: Demande liée
267 267 field_delay: Retard
268 268 field_assignable: Demandes assignables à ce rôle
269 269 field_redirect_existing_links: Rediriger les liens existants
270 270 field_estimated_hours: Temps estimé
271 271 field_column_names: Colonnes
272 272 field_time_zone: Fuseau horaire
273 273 field_searchable: Utilisé pour les recherches
274 274 field_default_value: Valeur par défaut
275 275 field_comments_sorting: Afficher les commentaires
276 276 field_parent_title: Page parent
277 277 field_editable: Modifiable
278 278 field_watcher: Observateur
279 279 field_identity_url: URL OpenID
280 280 field_content: Contenu
281 281 field_group_by: Grouper par
282 282
283 283 setting_app_title: Titre de l'application
284 284 setting_app_subtitle: Sous-titre de l'application
285 285 setting_welcome_text: Texte d'accueil
286 286 setting_default_language: Langue par défaut
287 287 setting_login_required: Authentification obligatoire
288 288 setting_self_registration: Inscription des nouveaux utilisateurs
289 289 setting_attachment_max_size: Taille max des fichiers
290 290 setting_issues_export_limit: Limite export demandes
291 291 setting_mail_from: Adresse d'émission
292 292 setting_bcc_recipients: Destinataires en copie cachée (cci)
293 293 setting_plain_text_mail: Mail texte brut (non HTML)
294 294 setting_host_name: Nom d'hôte et chemin
295 295 setting_text_formatting: Formatage du texte
296 296 setting_wiki_compression: Compression historique wiki
297 297 setting_feeds_limit: Limite du contenu des flux RSS
298 298 setting_default_projects_public: Définir les nouveaux projects comme publics par défaut
299 299 setting_autofetch_changesets: Récupération auto. des commits
300 300 setting_sys_api_enabled: Activer les WS pour la gestion des dépôts
301 301 setting_commit_ref_keywords: Mot-clés de référencement
302 302 setting_commit_fix_keywords: Mot-clés de résolution
303 303 setting_autologin: Autologin
304 304 setting_date_format: Format de date
305 305 setting_time_format: Format d'heure
306 306 setting_cross_project_issue_relations: Autoriser les relations entre demandes de différents projets
307 307 setting_issue_list_default_columns: Colonnes affichées par défaut sur la liste des demandes
308 308 setting_repositories_encodings: Encodages des dépôts
309 309 setting_commit_logs_encoding: Encodage des messages de commit
310 310 setting_emails_footer: Pied-de-page des emails
311 311 setting_protocol: Protocole
312 312 setting_per_page_options: Options d'objets affichés par page
313 313 setting_user_format: Format d'affichage des utilisateurs
314 314 setting_activity_days_default: Nombre de jours affichés sur l'activité des projets
315 315 setting_display_subprojects_issues: Afficher par défaut les demandes des sous-projets sur les projets principaux
316 316 setting_enabled_scm: SCM activés
317 317 setting_mail_handler_api_enabled: "Activer le WS pour la réception d'emails"
318 318 setting_mail_handler_api_key: Clé de protection de l'API
319 319 setting_sequential_project_identifiers: Générer des identifiants de projet séquentiels
320 320 setting_gravatar_enabled: Afficher les Gravatar des utilisateurs
321 321 setting_diff_max_lines_displayed: Nombre maximum de lignes de diff affichées
322 322 setting_file_max_size_displayed: Taille maximum des fichiers texte affichés en ligne
323 323 setting_repository_log_display_limit: "Nombre maximum de revisions affichées sur l'historique d'un fichier"
324 324 setting_openid: "Autoriser l'authentification et l'enregistrement OpenID"
325 325 setting_password_min_length: Longueur minimum des mots de passe
326 326 setting_new_project_user_role_id: Rôle donné à un utilisateur non-administrateur qui crée un projet
327 327
328 328 permission_add_project: Créer un projet
329 329 permission_edit_project: Modifier le projet
330 330 permission_select_project_modules: Choisir les modules
331 331 permission_manage_members: Gérer les members
332 332 permission_manage_versions: Gérer les versions
333 333 permission_manage_categories: Gérer les catégories de demandes
334 334 permission_add_issues: Créer des demandes
335 335 permission_edit_issues: Modifier les demandes
336 336 permission_manage_issue_relations: Gérer les relations
337 337 permission_add_issue_notes: Ajouter des notes
338 338 permission_edit_issue_notes: Modifier les notes
339 339 permission_edit_own_issue_notes: Modifier ses propres notes
340 340 permission_move_issues: Déplacer les demandes
341 341 permission_delete_issues: Supprimer les demandes
342 342 permission_manage_public_queries: Gérer les requêtes publiques
343 343 permission_save_queries: Sauvegarder les requêtes
344 344 permission_view_gantt: Voir le gantt
345 345 permission_view_calendar: Voir le calendrier
346 346 permission_view_issue_watchers: Voir la liste des observateurs
347 347 permission_add_issue_watchers: Ajouter des observateurs
348 348 permission_log_time: Saisir le temps passé
349 349 permission_view_time_entries: Voir le temps passé
350 350 permission_edit_time_entries: Modifier les temps passés
351 351 permission_edit_own_time_entries: Modifier son propre temps passé
352 352 permission_manage_news: Gérer les annonces
353 353 permission_comment_news: Commenter les annonces
354 354 permission_manage_documents: Gérer les documents
355 355 permission_view_documents: Voir les documents
356 356 permission_manage_files: Gérer les fichiers
357 357 permission_view_files: Voir les fichiers
358 358 permission_manage_wiki: Gérer le wiki
359 359 permission_rename_wiki_pages: Renommer les pages
360 360 permission_delete_wiki_pages: Supprimer les pages
361 361 permission_view_wiki_pages: Voir le wiki
362 362 permission_view_wiki_edits: "Voir l'historique des modifications"
363 363 permission_edit_wiki_pages: Modifier les pages
364 364 permission_delete_wiki_pages_attachments: Supprimer les fichiers joints
365 365 permission_protect_wiki_pages: Protéger les pages
366 366 permission_manage_repository: Gérer le dépôt de sources
367 367 permission_browse_repository: Parcourir les sources
368 368 permission_view_changesets: Voir les révisions
369 369 permission_commit_access: Droit de commit
370 370 permission_manage_boards: Gérer les forums
371 371 permission_view_messages: Voir les messages
372 372 permission_add_messages: Poster un message
373 373 permission_edit_messages: Modifier les messages
374 374 permission_edit_own_messages: Modifier ses propres messages
375 375 permission_delete_messages: Supprimer les messages
376 376 permission_delete_own_messages: Supprimer ses propres messages
377 377
378 378 project_module_issue_tracking: Suivi des demandes
379 379 project_module_time_tracking: Suivi du temps passé
380 380 project_module_news: Publication d'annonces
381 381 project_module_documents: Publication de documents
382 382 project_module_files: Publication de fichiers
383 383 project_module_wiki: Wiki
384 384 project_module_repository: Dépôt de sources
385 385 project_module_boards: Forums de discussion
386 386
387 387 label_user: Utilisateur
388 388 label_user_plural: Utilisateurs
389 389 label_user_new: Nouvel utilisateur
390 390 label_project: Projet
391 391 label_project_new: Nouveau projet
392 392 label_project_plural: Projets
393 393 label_x_projects:
394 394 zero: aucun projet
395 395 one: 1 projet
396 396 other: "{{count}} projets"
397 397 label_project_all: Tous les projets
398 398 label_project_latest: Derniers projets
399 399 label_issue: Demande
400 400 label_issue_new: Nouvelle demande
401 401 label_issue_plural: Demandes
402 402 label_issue_view_all: Voir toutes les demandes
403 403 label_issue_added: Demande ajoutée
404 404 label_issue_updated: Demande mise à jour
405 405 label_issues_by: "Demandes par {{value}}"
406 406 label_document: Document
407 407 label_document_new: Nouveau document
408 408 label_document_plural: Documents
409 409 label_document_added: Document ajouté
410 410 label_role: Rôle
411 411 label_role_plural: Rôles
412 412 label_role_new: Nouveau rôle
413 413 label_role_and_permissions: Rôles et permissions
414 414 label_member: Membre
415 415 label_member_new: Nouveau membre
416 416 label_member_plural: Membres
417 417 label_tracker: Tracker
418 418 label_tracker_plural: Trackers
419 419 label_tracker_new: Nouveau tracker
420 420 label_workflow: Workflow
421 421 label_issue_status: Statut de demandes
422 422 label_issue_status_plural: Statuts de demandes
423 423 label_issue_status_new: Nouveau statut
424 424 label_issue_category: Catégorie de demandes
425 425 label_issue_category_plural: Catégories de demandes
426 426 label_issue_category_new: Nouvelle catégorie
427 427 label_custom_field: Champ personnalisé
428 428 label_custom_field_plural: Champs personnalisés
429 429 label_custom_field_new: Nouveau champ personnalisé
430 430 label_enumerations: Listes de valeurs
431 431 label_enumeration_new: Nouvelle valeur
432 432 label_information: Information
433 433 label_information_plural: Informations
434 434 label_please_login: Identification
435 435 label_register: S'enregistrer
436 436 label_login_with_open_id_option: S'authentifier avec OpenID
437 437 label_password_lost: Mot de passe perdu
438 438 label_home: Accueil
439 439 label_my_page: Ma page
440 440 label_my_account: Mon compte
441 441 label_my_projects: Mes projets
442 442 label_administration: Administration
443 443 label_login: Connexion
444 444 label_logout: Déconnexion
445 445 label_help: Aide
446 446 label_reported_issues: Demandes soumises
447 447 label_assigned_to_me_issues: Demandes qui me sont assignées
448 448 label_last_login: Dernière connexion
449 449 label_registered_on: Inscrit le
450 450 label_activity: Activité
451 451 label_overall_activity: Activité globale
452 452 label_user_activity: "Activité de {{value}}"
453 453 label_new: Nouveau
454 454 label_logged_as: Connecté en tant que
455 455 label_environment: Environnement
456 456 label_authentication: Authentification
457 457 label_auth_source: Mode d'authentification
458 458 label_auth_source_new: Nouveau mode d'authentification
459 459 label_auth_source_plural: Modes d'authentification
460 460 label_subproject_plural: Sous-projets
461 461 label_and_its_subprojects: "{{value}} et ses sous-projets"
462 462 label_min_max_length: Longueurs mini - maxi
463 463 label_list: Liste
464 464 label_date: Date
465 465 label_integer: Entier
466 466 label_float: Nombre décimal
467 467 label_boolean: Booléen
468 468 label_string: Texte
469 469 label_text: Texte long
470 470 label_attribute: Attribut
471 471 label_attribute_plural: Attributs
472 472 label_download: "{{count}} Téléchargement"
473 473 label_download_plural: "{{count}} Téléchargements"
474 474 label_no_data: Aucune donnée à afficher
475 475 label_change_status: Changer le statut
476 476 label_history: Historique
477 477 label_attachment: Fichier
478 478 label_attachment_new: Nouveau fichier
479 479 label_attachment_delete: Supprimer le fichier
480 480 label_attachment_plural: Fichiers
481 481 label_file_added: Fichier ajouté
482 482 label_report: Rapport
483 483 label_report_plural: Rapports
484 484 label_news: Annonce
485 485 label_news_new: Nouvelle annonce
486 486 label_news_plural: Annonces
487 487 label_news_latest: Dernières annonces
488 488 label_news_view_all: Voir toutes les annonces
489 489 label_news_added: Annonce ajoutée
490 490 label_change_log: Historique
491 491 label_settings: Configuration
492 492 label_overview: Aperçu
493 493 label_version: Version
494 494 label_version_new: Nouvelle version
495 495 label_version_plural: Versions
496 496 label_confirmation: Confirmation
497 497 label_export_to: 'Formats disponibles:'
498 498 label_read: Lire...
499 499 label_public_projects: Projets publics
500 500 label_open_issues: ouvert
501 501 label_open_issues_plural: ouverts
502 502 label_closed_issues: fermé
503 503 label_closed_issues_plural: fermés
504 504 label_x_open_issues_abbr_on_total:
505 505 zero: 0 ouvert sur {{total}}
506 506 one: 1 ouvert sur {{total}}
507 507 other: "{{count}} ouverts sur {{total}}"
508 508 label_x_open_issues_abbr:
509 509 zero: 0 ouvert
510 510 one: 1 ouvert
511 511 other: "{{count}} ouverts"
512 512 label_x_closed_issues_abbr:
513 513 zero: 0 fermé
514 514 one: 1 fermé
515 515 other: "{{count}} fermés"
516 516 label_total: Total
517 517 label_permissions: Permissions
518 518 label_current_status: Statut actuel
519 519 label_new_statuses_allowed: Nouveaux statuts autorisés
520 520 label_all: tous
521 521 label_none: aucun
522 522 label_nobody: personne
523 523 label_next: Suivant
524 524 label_previous: Précédent
525 525 label_used_by: Utilisé par
526 526 label_details: Détails
527 527 label_add_note: Ajouter une note
528 528 label_per_page: Par page
529 529 label_calendar: Calendrier
530 530 label_months_from: mois depuis
531 531 label_gantt: Gantt
532 532 label_internal: Interne
533 533 label_last_changes: "{{count}} derniers changements"
534 534 label_change_view_all: Voir tous les changements
535 535 label_personalize_page: Personnaliser cette page
536 536 label_comment: Commentaire
537 537 label_comment_plural: Commentaires
538 538 label_x_comments:
539 539 zero: aucun commentaire
540 540 one: 1 commentaire
541 541 other: "{{count}} commentaires"
542 542 label_comment_add: Ajouter un commentaire
543 543 label_comment_added: Commentaire ajouté
544 544 label_comment_delete: Supprimer les commentaires
545 545 label_query: Rapport personnalisé
546 546 label_query_plural: Rapports personnalisés
547 547 label_query_new: Nouveau rapport
548 548 label_filter_add: Ajouter le filtre
549 549 label_filter_plural: Filtres
550 550 label_equals: égal
551 551 label_not_equals: différent
552 552 label_in_less_than: dans moins de
553 553 label_in_more_than: dans plus de
554 554 label_in: dans
555 555 label_today: aujourd'hui
556 556 label_all_time: toute la période
557 557 label_yesterday: hier
558 558 label_this_week: cette semaine
559 559 label_last_week: la semaine dernière
560 560 label_last_n_days: "les {{count}} derniers jours"
561 561 label_this_month: ce mois-ci
562 562 label_last_month: le mois dernier
563 563 label_this_year: cette année
564 564 label_date_range: Période
565 565 label_less_than_ago: il y a moins de
566 566 label_more_than_ago: il y a plus de
567 567 label_ago: il y a
568 568 label_contains: contient
569 569 label_not_contains: ne contient pas
570 570 label_day_plural: jours
571 571 label_repository: Dépôt
572 572 label_repository_plural: Dépôts
573 573 label_browse: Parcourir
574 574 label_modification: "{{count}} modification"
575 575 label_modification_plural: "{{count}} modifications"
576 576 label_revision: Révision
577 577 label_revision_plural: Révisions
578 578 label_associated_revisions: Révisions associées
579 579 label_added: ajouté
580 580 label_modified: modifié
581 581 label_copied: copié
582 582 label_renamed: renommé
583 583 label_deleted: supprimé
584 584 label_latest_revision: Dernière révision
585 585 label_latest_revision_plural: Dernières révisions
586 586 label_view_revisions: Voir les révisions
587 587 label_max_size: Taille maximale
588 588 label_sort_highest: Remonter en premier
589 589 label_sort_higher: Remonter
590 590 label_sort_lower: Descendre
591 591 label_sort_lowest: Descendre en dernier
592 592 label_roadmap: Roadmap
593 593 label_roadmap_due_in: "Echéance dans {{value}}"
594 594 label_roadmap_overdue: "En retard de {{value}}"
595 595 label_roadmap_no_issues: Aucune demande pour cette version
596 596 label_search: Recherche
597 597 label_result_plural: Résultats
598 598 label_all_words: Tous les mots
599 599 label_wiki: Wiki
600 600 label_wiki_edit: Révision wiki
601 601 label_wiki_edit_plural: Révisions wiki
602 602 label_wiki_page: Page wiki
603 603 label_wiki_page_plural: Pages wiki
604 604 label_index_by_title: Index par titre
605 605 label_index_by_date: Index par date
606 606 label_current_version: Version actuelle
607 607 label_preview: Prévisualisation
608 608 label_feed_plural: Flux RSS
609 609 label_changes_details: Détails de tous les changements
610 610 label_issue_tracking: Suivi des demandes
611 611 label_spent_time: Temps passé
612 612 label_f_hour: "{{value}} heure"
613 613 label_f_hour_plural: "{{value}} heures"
614 614 label_time_tracking: Suivi du temps
615 615 label_change_plural: Changements
616 616 label_statistics: Statistiques
617 617 label_commits_per_month: Commits par mois
618 618 label_commits_per_author: Commits par auteur
619 619 label_view_diff: Voir les différences
620 620 label_diff_inline: en ligne
621 621 label_diff_side_by_side: côte à côte
622 622 label_options: Options
623 623 label_copy_workflow_from: Copier le workflow de
624 624 label_permissions_report: Synthèse des permissions
625 625 label_watched_issues: Demandes surveillées
626 626 label_related_issues: Demandes liées
627 627 label_applied_status: Statut appliqué
628 628 label_loading: Chargement...
629 629 label_relation_new: Nouvelle relation
630 630 label_relation_delete: Supprimer la relation
631 631 label_relates_to: lié à
632 632 label_duplicates: duplique
633 633 label_duplicated_by: dupliqué par
634 634 label_blocks: bloque
635 635 label_blocked_by: bloqué par
636 636 label_precedes: précède
637 637 label_follows: suit
638 638 label_end_to_start: fin à début
639 639 label_end_to_end: fin à fin
640 640 label_start_to_start: début à début
641 641 label_start_to_end: début à fin
642 642 label_stay_logged_in: Rester connecté
643 643 label_disabled: désactivé
644 644 label_show_completed_versions: Voir les versions passées
645 645 label_me: moi
646 646 label_board: Forum
647 647 label_board_new: Nouveau forum
648 648 label_board_plural: Forums
649 649 label_topic_plural: Discussions
650 650 label_message_plural: Messages
651 651 label_message_last: Dernier message
652 652 label_message_new: Nouveau message
653 653 label_message_posted: Message ajouté
654 654 label_reply_plural: Réponses
655 655 label_send_information: Envoyer les informations à l'utilisateur
656 656 label_year: Année
657 657 label_month: Mois
658 658 label_week: Semaine
659 659 label_date_from: Du
660 660 label_date_to: Au
661 661 label_language_based: Basé sur la langue de l'utilisateur
662 662 label_sort_by: "Trier par {{value}}"
663 663 label_send_test_email: Envoyer un email de test
664 664 label_feeds_access_key_created_on: "Clé d'accès RSS créée il y a {{value}}"
665 665 label_module_plural: Modules
666 666 label_added_time_by: "Ajouté par {{author}} il y a {{age}}"
667 667 label_updated_time_by: "Mis à jour par {{author}} il y a {{age}}"
668 668 label_updated_time: "Mis à jour il y a {{value}}"
669 669 label_jump_to_a_project: Aller à un projet...
670 670 label_file_plural: Fichiers
671 671 label_changeset_plural: Révisions
672 672 label_default_columns: Colonnes par défaut
673 673 label_no_change_option: (Pas de changement)
674 674 label_bulk_edit_selected_issues: Modifier les demandes sélectionnées
675 675 label_theme: Thème
676 676 label_default: Défaut
677 677 label_search_titles_only: Uniquement dans les titres
678 678 label_user_mail_option_all: "Pour tous les événements de tous mes projets"
679 679 label_user_mail_option_selected: "Pour tous les événements des projets sélectionnés..."
680 680 label_user_mail_option_none: "Seulement pour ce que je surveille ou à quoi je participe"
681 681 label_user_mail_no_self_notified: "Je ne veux pas être notifié des changements que j'effectue"
682 682 label_registration_activation_by_email: activation du compte par email
683 683 label_registration_manual_activation: activation manuelle du compte
684 684 label_registration_automatic_activation: activation automatique du compte
685 685 label_display_per_page: "Par page: {{value}}"
686 686 label_age: Age
687 687 label_change_properties: Changer les propriétés
688 688 label_general: Général
689 689 label_more: Plus
690 690 label_scm: SCM
691 691 label_plugins: Plugins
692 692 label_ldap_authentication: Authentification LDAP
693 693 label_downloads_abbr: D/L
694 694 label_optional_description: Description facultative
695 695 label_add_another_file: Ajouter un autre fichier
696 696 label_preferences: Préférences
697 697 label_chronological_order: Dans l'ordre chronologique
698 698 label_reverse_chronological_order: Dans l'ordre chronologique inverse
699 699 label_planning: Planning
700 700 label_incoming_emails: Emails entrants
701 701 label_generate_key: Générer une clé
702 702 label_issue_watchers: Observateurs
703 703 label_example: Exemple
704 704 label_display: Affichage
705 705 label_sort: Tri
706 706 label_ascending: Croissant
707 707 label_descending: Décroissant
708 708 label_date_from_to: Du {{start}} au {{end}}
709 709 label_wiki_content_added: Page wiki ajoutée
710 710 label_wiki_content_updated: Page wiki mise à jour
711 711 label_group_plural: Groupes
712 712 label_group: Groupe
713 713 label_group_new: Nouveau groupe
714 label_time_entry_plural: Temps passé
714 715
715 716 button_login: Connexion
716 717 button_submit: Soumettre
717 718 button_save: Sauvegarder
718 719 button_check_all: Tout cocher
719 720 button_uncheck_all: Tout décocher
720 721 button_delete: Supprimer
721 722 button_create: Créer
722 723 button_create_and_continue: Créer et continuer
723 724 button_test: Tester
724 725 button_edit: Modifier
725 726 button_add: Ajouter
726 727 button_change: Changer
727 728 button_apply: Appliquer
728 729 button_clear: Effacer
729 730 button_lock: Verrouiller
730 731 button_unlock: Déverrouiller
731 732 button_download: Télécharger
732 733 button_list: Lister
733 734 button_view: Voir
734 735 button_move: Déplacer
735 736 button_back: Retour
736 737 button_cancel: Annuler
737 738 button_activate: Activer
738 739 button_sort: Trier
739 740 button_log_time: Saisir temps
740 741 button_rollback: Revenir à cette version
741 742 button_watch: Surveiller
742 743 button_unwatch: Ne plus surveiller
743 744 button_reply: Répondre
744 745 button_archive: Archiver
745 746 button_unarchive: Désarchiver
746 747 button_reset: Réinitialiser
747 748 button_rename: Renommer
748 749 button_change_password: Changer de mot de passe
749 750 button_copy: Copier
750 751 button_annotate: Annoter
751 752 button_update: Mettre à jour
752 753 button_configure: Configurer
753 754 button_quote: Citer
754 755
755 756 status_active: actif
756 757 status_registered: enregistré
757 758 status_locked: vérouillé
758 759
759 760 text_select_mail_notifications: Actions pour lesquelles une notification par e-mail est envoyée
760 761 text_regexp_info: ex. ^[A-Z0-9]+$
761 762 text_min_max_length_info: 0 pour aucune restriction
762 763 text_project_destroy_confirmation: Etes-vous sûr de vouloir supprimer ce projet et toutes ses données ?
763 764 text_subprojects_destroy_warning: "Ses sous-projets: {{value}} seront également supprimés."
764 765 text_workflow_edit: Sélectionner un tracker et un rôle pour éditer le workflow
765 766 text_are_you_sure: Etes-vous sûr ?
766 767 text_tip_task_begin_day: tâche commençant ce jour
767 768 text_tip_task_end_day: tâche finissant ce jour
768 769 text_tip_task_begin_end_day: tâche commençant et finissant ce jour
769 770 text_project_identifier_info: 'Seuls les lettres minuscules (a-z), chiffres et tirets sont autorisés.<br />Un fois sauvegardé, l''identifiant ne pourra plus être modifié.'
770 771 text_caracters_maximum: "{{count}} caractères maximum."
771 772 text_caracters_minimum: "{{count}} caractères minimum."
772 773 text_length_between: "Longueur comprise entre {{min}} et {{max}} caractères."
773 774 text_tracker_no_workflow: Aucun worflow n'est défini pour ce tracker
774 775 text_unallowed_characters: Caractères non autorisés
775 776 text_comma_separated: Plusieurs valeurs possibles (séparées par des virgules).
776 777 text_issues_ref_in_commit_messages: Référencement et résolution des demandes dans les commentaires de commits
777 778 text_issue_added: "La demande {{id}} a été soumise par {{author}}."
778 779 text_issue_updated: "La demande {{id}} a été mise à jour par {{author}}."
779 780 text_wiki_destroy_confirmation: Etes-vous sûr de vouloir supprimer ce wiki et tout son contenu ?
780 781 text_issue_category_destroy_question: "{{count}} demandes sont affectées à cette catégories. Que voulez-vous faire ?"
781 782 text_issue_category_destroy_assignments: N'affecter les demandes à aucune autre catégorie
782 783 text_issue_category_reassign_to: Réaffecter les demandes à cette catégorie
783 784 text_user_mail_option: "Pour les projets non sélectionnés, vous recevrez seulement des notifications pour ce que vous surveillez ou à quoi vous participez (exemple: demandes dont vous êtes l'auteur ou la personne assignée)."
784 785 text_no_configuration_data: "Les rôles, trackers, statuts et le workflow ne sont pas encore paramétrés.\nIl est vivement recommandé de charger le paramétrage par defaut. Vous pourrez le modifier une fois chargé."
785 786 text_load_default_configuration: Charger le paramétrage par défaut
786 787 text_status_changed_by_changeset: "Appliqué par commit {{value}}."
787 788 text_issues_destroy_confirmation: 'Etes-vous sûr de vouloir supprimer le(s) demandes(s) selectionnée(s) ?'
788 789 text_select_project_modules: 'Selectionner les modules à activer pour ce project:'
789 790 text_default_administrator_account_changed: Compte administrateur par défaut changé
790 791 text_file_repository_writable: Répertoire de stockage des fichiers accessible en écriture
791 792 text_plugin_assets_writable: Répertoire public des plugins accessible en écriture
792 793 text_rmagick_available: Bibliothèque RMagick présente (optionnelle)
793 794 text_destroy_time_entries_question: "{{hours}} heures ont été enregistrées sur les demandes à supprimer. Que voulez-vous faire ?"
794 795 text_destroy_time_entries: Supprimer les heures
795 796 text_assign_time_entries_to_project: Reporter les heures sur le projet
796 797 text_reassign_time_entries: 'Reporter les heures sur cette demande:'
797 798 text_user_wrote: "{{value}} a écrit:"
798 799 text_enumeration_destroy_question: "Cette valeur est affectée à {{count}} objets."
799 800 text_enumeration_category_reassign_to: 'Réaffecter les objets à cette valeur:'
800 801 text_email_delivery_not_configured: "L'envoi de mail n'est pas configuré, les notifications sont désactivées.\nConfigurez votre serveur SMTP dans config/email.yml et redémarrez l'application pour les activer."
801 802 text_repository_usernames_mapping: "Vous pouvez sélectionner ou modifier l'utilisateur Redmine associé à chaque nom d'utilisateur figurant dans l'historique du dépôt.\nLes utilisateurs avec le même identifiant ou la même adresse mail seront automatiquement associés."
802 803 text_diff_truncated: '... Ce différentiel a été tronqué car il excède la taille maximale pouvant être affichée.'
803 804 text_custom_field_possible_values_info: 'Une ligne par valeur'
804 805 text_wiki_page_destroy_question: "Cette page possède {{descendants}} sous-page(s) et descendante(s). Que voulez-vous faire ?"
805 806 text_wiki_page_nullify_children: "Conserver les sous-pages en tant que pages racines"
806 807 text_wiki_page_destroy_children: "Supprimer les sous-pages et toutes leurs descedantes"
807 808 text_wiki_page_reassign_children: "Réaffecter les sous-pages à cette page"
808 809
809 810 default_role_manager: Manager
810 811 default_role_developper: Développeur
811 812 default_role_reporter: Rapporteur
812 813 default_tracker_bug: Anomalie
813 814 default_tracker_feature: Evolution
814 815 default_tracker_support: Assistance
815 816 default_issue_status_new: Nouveau
816 817 default_issue_status_assigned: Assigné
817 818 default_issue_status_resolved: Résolu
818 819 default_issue_status_feedback: Commentaire
819 820 default_issue_status_closed: Fermé
820 821 default_issue_status_rejected: Rejeté
821 822 default_doc_category_user: Documentation utilisateur
822 823 default_doc_category_tech: Documentation technique
823 824 default_priority_low: Bas
824 825 default_priority_normal: Normal
825 826 default_priority_high: Haut
826 827 default_priority_urgent: Urgent
827 828 default_priority_immediate: Immédiat
828 829 default_activity_design: Conception
829 830 default_activity_development: Développement
830 831
831 832 enumeration_issue_priorities: Priorités des demandes
832 833 enumeration_doc_categories: Catégories des documents
833 834 enumeration_activities: Activités (suivi du temps)
834 835 label_greater_or_equal: ">="
835 836 label_less_or_equal: "<="
836 837 label_view_all_revisions: Voir toutes les révisions
837 838 label_tag: Tag
838 839 label_branch: Branch
839 840 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
840 841 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
841 842 text_journal_changed: "{{label}} changed from {{old}} to {{new}}"
842 843 text_journal_set_to: "{{label}} set to {{value}}"
843 844 text_journal_deleted: "{{label}} deleted"
@@ -1,840 +1,841
1 1 # Galician (Spain) for Ruby on Rails
2 2 # by Marcos Arias Pena (markus@agil-e.com)
3 3
4 4 gl:
5 5 number:
6 6 format:
7 7 separator: ","
8 8 delimiter: "."
9 9 precision: 3
10 10
11 11 currency:
12 12 format:
13 13 format: "%n %u"
14 14 unit: "€"
15 15 separator: ","
16 16 delimiter: "."
17 17 precision: 2
18 18
19 19 percentage:
20 20 format:
21 21 # separator:
22 22 delimiter: ""
23 23 # precision:
24 24
25 25 precision:
26 26 format:
27 27 # separator:
28 28 delimiter: ""
29 29 # precision:
30 30
31 31 human:
32 32 format:
33 33 # separator:
34 34 delimiter: ""
35 35 precision: 1
36 36
37 37
38 38 date:
39 39 formats:
40 40 default: "%e/%m/%Y"
41 41 short: "%e %b"
42 42 long: "%A %e de %B de %Y"
43 43 day_names: [Domingo, Luns, Martes, Mércores, Xoves, Venres, Sábado]
44 44 abbr_day_names: [Dom, Lun, Mar, Mer, Xov, Ven, Sab]
45 45 month_names: [~, Xaneiro, Febreiro, Marzo, Abril, Maio, Xunio, Xullo, Agosto, Setembro, Outubro, Novembro, Decembro]
46 46 abbr_month_names: [~, Xan, Feb, Maz, Abr, Mai, Xun, Xul, Ago, Set, Out, Nov, Dec]
47 47 order: [:day, :month, :year]
48 48
49 49 time:
50 50 formats:
51 51 default: "%A, %e de %B de %Y, %H:%M hs"
52 52 time: "%H:%M hs"
53 53 short: "%e/%m, %H:%M hs"
54 54 long: "%A %e de %B de %Y ás %H:%M horas"
55 55
56 56 am: ''
57 57 pm: ''
58 58
59 59 datetime:
60 60 distance_in_words:
61 61 half_a_minute: 'medio minuto'
62 62 less_than_x_seconds:
63 63 zero: 'menos dun segundo'
64 64 one: '1 segundo'
65 65 few: 'poucos segundos'
66 66 other: '{{count}} segundos'
67 67 x_seconds:
68 68 one: '1 segundo'
69 69 other: '{{count}} segundos'
70 70 less_than_x_minutes:
71 71 zero: 'menos dun minuto'
72 72 one: '1 minuto'
73 73 other: '{{count}} minutos'
74 74 x_minutes:
75 75 one: '1 minuto'
76 76 other: '{{count}} minuto'
77 77 about_x_hours:
78 78 one: 'aproximadamente unha hora'
79 79 other: '{{count}} horas'
80 80 x_days:
81 81 one: '1 día'
82 82 other: '{{count}} días'
83 83 x_weeks:
84 84 one: '1 semana'
85 85 other: '{{count}} semanas'
86 86 about_x_months:
87 87 one: 'aproximadamente 1 mes'
88 88 other: '{{count}} meses'
89 89 x_months:
90 90 one: '1 mes'
91 91 other: '{{count}} meses'
92 92 about_x_years:
93 93 one: 'aproximadamente 1 ano'
94 94 other: '{{count}} anos'
95 95 over_x_years:
96 96 one: 'máis dun ano'
97 97 other: '{{count}} anos'
98 98 now: 'agora'
99 99 today: 'hoxe'
100 100 tomorrow: 'mañá'
101 101 in: 'dentro de'
102 102
103 103 support:
104 104 array:
105 105 sentence_connector: e
106 106
107 107 activerecord:
108 108 models:
109 109 attributes:
110 110 errors:
111 111 template:
112 112 header:
113 113 one: "1 erro evitou que se poidese gardar o {{model}}"
114 114 other: "{{count}} erros evitaron que se poidese gardar o {{model}}"
115 115 body: "Atopáronse os seguintes problemas:"
116 116 messages:
117 117 inclusion: "non está incluido na lista"
118 118 exclusion: "xa existe"
119 119 invalid: "non é válido"
120 120 confirmation: "non coincide coa confirmación"
121 121 accepted: "debe ser aceptado"
122 122 empty: "non pode estar valeiro"
123 123 blank: "non pode estar en blanco"
124 124 too_long: demasiado longo (non máis de {{count}} carácteres)"
125 125 too_short: demasiado curto (non menos de {{count}} carácteres)"
126 126 wrong_length: "non ten a lonxitude correcta (debe ser de {{count}} carácteres)"
127 127 taken: "non está dispoñible"
128 128 not_a_number: "non é un número"
129 129 greater_than: "debe ser maior que {{count}}"
130 130 greater_than_or_equal_to: "debe ser maior ou igual que {{count}}"
131 131 equal_to: "debe ser igual a {{count}}"
132 132 less_than: "debe ser menor que {{count}}"
133 133 less_than_or_equal_to: "debe ser menor ou igual que {{count}}"
134 134 odd: "debe ser par"
135 135 even: "debe ser impar"
136 136 greater_than_start_date: "debe ser posterior á data de comezo"
137 137 not_same_project: "non pertence ao mesmo proxecto"
138 138 circular_dependency: "Esta relación podería crear unha dependencia circular"
139 139
140 140 actionview_instancetag_blank_option: Por favor seleccione
141 141
142 142 button_activate: Activar
143 143 button_add: Engadir
144 144 button_annotate: Anotar
145 145 button_apply: Aceptar
146 146 button_archive: Arquivar
147 147 button_back: Atrás
148 148 button_cancel: Cancelar
149 149 button_change: Cambiar
150 150 button_change_password: Cambiar contrasinal
151 151 button_check_all: Seleccionar todo
152 152 button_clear: Anular
153 153 button_configure: Configurar
154 154 button_copy: Copiar
155 155 button_create: Crear
156 156 button_delete: Borrar
157 157 button_download: Descargar
158 158 button_edit: Modificar
159 159 button_list: Listar
160 160 button_lock: Bloquear
161 161 button_log_time: Tempo dedicado
162 162 button_login: Conexión
163 163 button_move: Mover
164 164 button_quote: Citar
165 165 button_rename: Renomear
166 166 button_reply: Respostar
167 167 button_reset: Restablecer
168 168 button_rollback: Volver a esta versión
169 169 button_save: Gardar
170 170 button_sort: Ordenar
171 171 button_submit: Aceptar
172 172 button_test: Probar
173 173 button_unarchive: Desarquivar
174 174 button_uncheck_all: Non seleccionar nada
175 175 button_unlock: Desbloquear
176 176 button_unwatch: Non monitorizar
177 177 button_update: Actualizar
178 178 button_view: Ver
179 179 button_watch: Monitorizar
180 180 default_activity_design: Deseño
181 181 default_activity_development: Desenvolvemento
182 182 default_doc_category_tech: Documentación técnica
183 183 default_doc_category_user: Documentación de usuario
184 184 default_issue_status_assigned: Asignada
185 185 default_issue_status_closed: Pechada
186 186 default_issue_status_feedback: Comentarios
187 187 default_issue_status_new: Nova
188 188 default_issue_status_rejected: Rexeitada
189 189 default_issue_status_resolved: Resolta
190 190 default_priority_high: Alta
191 191 default_priority_immediate: Inmediata
192 192 default_priority_low: Baixa
193 193 default_priority_normal: Normal
194 194 default_priority_urgent: Urxente
195 195 default_role_developper: Desenvolvedor
196 196 default_role_manager: Xefe de proxecto
197 197 default_role_reporter: Informador
198 198 default_tracker_bug: Erros
199 199 default_tracker_feature: Tarefas
200 200 default_tracker_support: Soporte
201 201 enumeration_activities: Actividades (tempo dedicado)
202 202 enumeration_doc_categories: Categorías do documento
203 203 enumeration_issue_priorities: Prioridade das peticións
204 204 error_can_t_load_default_data: "Non se puido cargar a configuración por defecto: {{value}}"
205 205 error_issue_not_found_in_project: 'A petición non se atopa ou non está asociada a este proxecto'
206 206 error_scm_annotate: "Non existe a entrada ou non se puido anotar"
207 207 error_scm_command_failed: "Aconteceu un erro ao acceder ó repositorio: {{value}}"
208 208 error_scm_not_found: "A entrada e/ou revisión non existe no repositorio."
209 209 field_account: Conta
210 210 field_activity: Actividade
211 211 field_admin: Administrador
212 212 field_assignable: Pódense asignar peticións a este perfil
213 213 field_assigned_to: Asignado a
214 214 field_attr_firstname: Atributo do nome
215 215 field_attr_lastname: Atributo do apelido
216 216 field_attr_login: Atributo do identificador
217 217 field_attr_mail: Atributo do Email
218 218 field_auth_source: Modo de identificación
219 219 field_author: Autor
220 220 field_base_dn: DN base
221 221 field_category: Categoría
222 222 field_column_names: Columnas
223 223 field_comments: Comentario
224 224 field_comments_sorting: Mostrar comentarios
225 225 field_created_on: Creado
226 226 field_default_value: Estado por defecto
227 227 field_delay: Retraso
228 228 field_description: Descrición
229 229 field_done_ratio: % Realizado
230 230 field_downloads: Descargas
231 231 field_due_date: Data fin
232 232 field_effective_date: Data
233 233 field_estimated_hours: Tempo estimado
234 234 field_field_format: Formato
235 235 field_filename: Arquivo
236 236 field_filesize: Tamaño
237 237 field_firstname: Nome
238 238 field_fixed_version: Versión prevista
239 239 field_hide_mail: Ocultar a miña dirección de correo
240 240 field_homepage: Sitio web
241 241 field_host: Anfitrión
242 242 field_hours: Horas
243 243 field_identifier: Identificador
244 244 field_is_closed: Petición resolta
245 245 field_is_default: Estado por defecto
246 246 field_is_filter: Usado como filtro
247 247 field_is_for_all: Para todos os proxectos
248 248 field_is_in_chlog: Consultar as peticións no histórico
249 249 field_is_in_roadmap: Consultar as peticións na planificación
250 250 field_is_public: Público
251 251 field_is_required: Obrigatorio
252 252 field_issue: Petición
253 253 field_issue_to: Petición relacionada
254 254 field_language: Idioma
255 255 field_last_login_on: Última conexión
256 256 field_lastname: Apelido
257 257 field_login: Identificador
258 258 field_mail: Correo electrónico
259 259 field_mail_notification: Notificacións por correo
260 260 field_max_length: Lonxitude máxima
261 261 field_min_length: Lonxitude mínima
262 262 field_name: Nome
263 263 field_new_password: Novo contrasinal
264 264 field_notes: Notas
265 265 field_onthefly: Creación do usuario "ao voo"
266 266 field_parent: Proxecto pai
267 267 field_parent_title: Páxina pai
268 268 field_password: Contrasinal
269 269 field_password_confirmation: Confirmación
270 270 field_port: Porto
271 271 field_possible_values: Valores posibles
272 272 field_priority: Prioridade
273 273 field_project: Proxecto
274 274 field_redirect_existing_links: Redireccionar enlaces existentes
275 275 field_regexp: Expresión regular
276 276 field_role: Perfil
277 277 field_searchable: Incluír nas búsquedas
278 278 field_spent_on: Data
279 279 field_start_date: Data de inicio
280 280 field_start_page: Páxina principal
281 281 field_status: Estado
282 282 field_subject: Tema
283 283 field_subproject: Proxecto secundario
284 284 field_summary: Resumo
285 285 field_time_zone: Zona horaria
286 286 field_title: Título
287 287 field_tracker: Tipo
288 288 field_type: Tipo
289 289 field_updated_on: Actualizado
290 290 field_url: URL
291 291 field_user: Usuario
292 292 field_value: Valor
293 293 field_version: Versión
294 294 general_csv_decimal_separator: ','
295 295 general_csv_encoding: ISO-8859-15
296 296 general_csv_separator: ';'
297 297 general_first_day_of_week: '1'
298 298 general_lang_name: 'Galego'
299 299 general_pdf_encoding: ISO-8859-15
300 300 general_text_No: 'Non'
301 301 general_text_Yes: 'Si'
302 302 general_text_no: 'non'
303 303 general_text_yes: 'si'
304 304 gui_validation_error: 1 erro
305 305 gui_validation_error_plural: "{{count}} erros"
306 306 label_activity: Actividade
307 307 label_add_another_file: Engadir outro arquivo
308 308 label_add_note: Engadir unha nota
309 309 label_added: engadido
310 310 label_added_time_by: "Engadido por {{author}} fai {{age}}"
311 311 label_administration: Administración
312 312 label_age: Idade
313 313 label_ago: fai
314 314 label_all: todos
315 315 label_all_time: todo o tempo
316 316 label_all_words: Tódalas palabras
317 317 label_and_its_subprojects: "{{value}} e proxectos secundarios"
318 318 label_applied_status: Aplicar estado
319 319 label_assigned_to_me_issues: Peticións asignadas a min
320 320 label_associated_revisions: Revisións asociadas
321 321 label_attachment: Arquivo
322 322 label_attachment_delete: Borrar o arquivo
323 323 label_attachment_new: Novo arquivo
324 324 label_attachment_plural: Arquivos
325 325 label_attribute: Atributo
326 326 label_attribute_plural: Atributos
327 327 label_auth_source: Modo de autenticación
328 328 label_auth_source_new: Novo modo de autenticación
329 329 label_auth_source_plural: Modos de autenticación
330 330 label_authentication: Autenticación
331 331 label_blocked_by: bloqueado por
332 332 label_blocks: bloquea a
333 333 label_board: Foro
334 334 label_board_new: Novo foro
335 335 label_board_plural: Foros
336 336 label_boolean: Booleano
337 337 label_browse: Ollar
338 338 label_bulk_edit_selected_issues: Editar as peticións seleccionadas
339 339 label_calendar: Calendario
340 340 label_change_log: Cambios
341 341 label_change_plural: Cambios
342 342 label_change_properties: Cambiar propiedades
343 343 label_change_status: Cambiar o estado
344 344 label_change_view_all: Ver tódolos cambios
345 345 label_changes_details: Detalles de tódolos cambios
346 346 label_changeset_plural: Cambios
347 347 label_chronological_order: En orde cronolóxica
348 348 label_closed_issues: pechada
349 349 label_closed_issues_plural: pechadas
350 350 label_x_open_issues_abbr_on_total:
351 351 zero: 0 open / {{total}}
352 352 one: 1 open / {{total}}
353 353 other: "{{count}} open / {{total}}"
354 354 label_x_open_issues_abbr:
355 355 zero: 0 open
356 356 one: 1 open
357 357 other: "{{count}} open"
358 358 label_x_closed_issues_abbr:
359 359 zero: 0 closed
360 360 one: 1 closed
361 361 other: "{{count}} closed"
362 362 label_comment: Comentario
363 363 label_comment_add: Engadir un comentario
364 364 label_comment_added: Comentario engadido
365 365 label_comment_delete: Borrar comentarios
366 366 label_comment_plural: Comentarios
367 367 label_x_comments:
368 368 zero: no comments
369 369 one: 1 comment
370 370 other: "{{count}} comments"
371 371 label_commits_per_author: Commits por autor
372 372 label_commits_per_month: Commits por mes
373 373 label_confirmation: Confirmación
374 374 label_contains: conten
375 375 label_copied: copiado
376 376 label_copy_workflow_from: Copiar fluxo de traballo dende
377 377 label_current_status: Estado actual
378 378 label_current_version: Versión actual
379 379 label_custom_field: Campo personalizado
380 380 label_custom_field_new: Novo campo personalizado
381 381 label_custom_field_plural: Campos personalizados
382 382 label_date: Data
383 383 label_date_from: Dende
384 384 label_date_range: Rango de datas
385 385 label_date_to: Ata
386 386 label_day_plural: días
387 387 label_default: Por defecto
388 388 label_default_columns: Columnas por defecto
389 389 label_deleted: suprimido
390 390 label_details: Detalles
391 391 label_diff_inline: en liña
392 392 label_diff_side_by_side: cara a cara
393 393 label_disabled: deshabilitado
394 394 label_display_per_page: "Por páxina: {{value}}"
395 395 label_document: Documento
396 396 label_document_added: Documento engadido
397 397 label_document_new: Novo documento
398 398 label_document_plural: Documentos
399 399 label_download: "{{count}} Descarga"
400 400 label_download_plural: "{{count}} Descargas"
401 401 label_downloads_abbr: D/L
402 402 label_duplicated_by: duplicada por
403 403 label_duplicates: duplicada de
404 404 label_end_to_end: fin a fin
405 405 label_end_to_start: fin a principio
406 406 label_enumeration_new: Novo valor
407 407 label_enumerations: Listas de valores
408 408 label_environment: Entorno
409 409 label_equals: igual
410 410 label_example: Exemplo
411 411 label_export_to: 'Exportar a:'
412 412 label_f_hour: "{{value}} hora"
413 413 label_f_hour_plural: "{{value}} horas"
414 414 label_feed_plural: Feeds
415 415 label_feeds_access_key_created_on: "Clave de acceso por RSS creada fai {{value}}"
416 416 label_file_added: Arquivo engadido
417 417 label_file_plural: Arquivos
418 418 label_filter_add: Engadir o filtro
419 419 label_filter_plural: Filtros
420 420 label_float: Flotante
421 421 label_follows: posterior a
422 422 label_gantt: Gantt
423 423 label_general: Xeral
424 424 label_generate_key: Xerar clave
425 425 label_help: Axuda
426 426 label_history: Histórico
427 427 label_home: Inicio
428 428 label_in: en
429 429 label_in_less_than: en menos que
430 430 label_in_more_than: en mais que
431 431 label_incoming_emails: Correos entrantes
432 432 label_index_by_date: Índice por data
433 433 label_index_by_title: Índice por título
434 434 label_information: Información
435 435 label_information_plural: Información
436 436 label_integer: Número
437 437 label_internal: Interno
438 438 label_issue: Petición
439 439 label_issue_added: Petición engadida
440 440 label_issue_category: Categoría das peticións
441 441 label_issue_category_new: Nova categoría
442 442 label_issue_category_plural: Categorías das peticións
443 443 label_issue_new: Nova petición
444 444 label_issue_plural: Peticións
445 445 label_issue_status: Estado da petición
446 446 label_issue_status_new: Novo estado
447 447 label_issue_status_plural: Estados das peticións
448 448 label_issue_tracking: Peticións
449 449 label_issue_updated: Petición actualizada
450 450 label_issue_view_all: Ver tódalas peticións
451 451 label_issue_watchers: Seguidores
452 452 label_issues_by: "Peticións por {{value}}"
453 453 label_jump_to_a_project: Ir ao proxecto...
454 454 label_language_based: Baseado no idioma
455 455 label_last_changes: "últimos {{count}} cambios"
456 456 label_last_login: Última conexión
457 457 label_last_month: último mes
458 458 label_last_n_days: "últimos {{count}} días"
459 459 label_last_week: última semana
460 460 label_latest_revision: Última revisión
461 461 label_latest_revision_plural: Últimas revisións
462 462 label_ldap_authentication: Autenticación LDAP
463 463 label_less_than_ago: fai menos de
464 464 label_list: Lista
465 465 label_loading: Cargando...
466 466 label_logged_as: Conectado como
467 467 label_login: Conexión
468 468 label_logout: Desconexión
469 469 label_max_size: Tamaño máximo
470 470 label_me: eu mesmo
471 471 label_member: Membro
472 472 label_member_new: Novo membro
473 473 label_member_plural: Membros
474 474 label_message_last: Última mensaxe
475 475 label_message_new: Nova mensaxe
476 476 label_message_plural: Mensaxes
477 477 label_message_posted: Mensaxe engadida
478 478 label_min_max_length: Lonxitude mín - máx
479 479 label_modification: "{{count}} modificación"
480 480 label_modification_plural: "{{count}} modificacións"
481 481 label_modified: modificado
482 482 label_module_plural: Módulos
483 483 label_month: Mes
484 484 label_months_from: meses de
485 485 label_more: Mais
486 486 label_more_than_ago: fai mais de
487 487 label_my_account: A miña conta
488 488 label_my_page: A miña páxina
489 489 label_my_projects: Os meus proxectos
490 490 label_new: Novo
491 491 label_new_statuses_allowed: Novos estados autorizados
492 492 label_news: Noticia
493 493 label_news_added: Noticia engadida
494 494 label_news_latest: Últimas noticias
495 495 label_news_new: Nova noticia
496 496 label_news_plural: Noticias
497 497 label_news_view_all: Ver tódalas noticias
498 498 label_next: Seguinte
499 499 label_no_change_option: (Sen cambios)
500 500 label_no_data: Ningún dato a mostrar
501 501 label_nobody: ninguén
502 502 label_none: ningún
503 503 label_not_contains: non conten
504 504 label_not_equals: non igual
505 505 label_open_issues: aberta
506 506 label_open_issues_plural: abertas
507 507 label_optional_description: Descrición opcional
508 508 label_options: Opcións
509 509 label_overall_activity: Actividade global
510 510 label_overview: Vistazo
511 511 label_password_lost: ¿Esqueciches o contrasinal?
512 512 label_per_page: Por páxina
513 513 label_permissions: Permisos
514 514 label_permissions_report: Informe de permisos
515 515 label_personalize_page: Personalizar esta páxina
516 516 label_planning: Planificación
517 517 label_please_login: Conexión
518 518 label_plugins: Extensións
519 519 label_precedes: anterior a
520 520 label_preferences: Preferencias
521 521 label_preview: Previsualizar
522 522 label_previous: Anterior
523 523 label_project: Proxecto
524 524 label_project_all: Tódolos proxectos
525 525 label_project_latest: Últimos proxectos
526 526 label_project_new: Novo proxecto
527 527 label_project_plural: Proxectos
528 528 label_x_projects:
529 529 zero: no projects
530 530 one: 1 project
531 531 other: "{{count}} projects"
532 532 label_public_projects: Proxectos públicos
533 533 label_query: Consulta personalizada
534 534 label_query_new: Nova consulta
535 535 label_query_plural: Consultas personalizadas
536 536 label_read: Ler...
537 537 label_register: Rexistrar
538 538 label_registered_on: Inscrito o
539 539 label_registration_activation_by_email: activación de conta por correo
540 540 label_registration_automatic_activation: activación automática de conta
541 541 label_registration_manual_activation: activación manual de conta
542 542 label_related_issues: Peticións relacionadas
543 543 label_relates_to: relacionada con
544 544 label_relation_delete: Eliminar relación
545 545 label_relation_new: Nova relación
546 546 label_renamed: renomeado
547 547 label_reply_plural: Respostas
548 548 label_report: Informe
549 549 label_report_plural: Informes
550 550 label_reported_issues: Peticións rexistradas por min
551 551 label_repository: Repositorio
552 552 label_repository_plural: Repositorios
553 553 label_result_plural: Resultados
554 554 label_reverse_chronological_order: En orde cronolóxica inversa
555 555 label_revision: Revisión
556 556 label_revision_plural: Revisións
557 557 label_roadmap: Planificación
558 558 label_roadmap_due_in: "Remata en {{value}}"
559 559 label_roadmap_no_issues: Non hai peticións para esta versión
560 560 label_roadmap_overdue: "{{value}} tarde"
561 561 label_role: Perfil
562 562 label_role_and_permissions: Perfiles e permisos
563 563 label_role_new: Novo perfil
564 564 label_role_plural: Perfiles
565 565 label_scm: SCM
566 566 label_search: Búsqueda
567 567 label_search_titles_only: Buscar só en títulos
568 568 label_send_information: Enviar información da conta ó usuario
569 569 label_send_test_email: Enviar un correo de proba
570 570 label_settings: Configuración
571 571 label_show_completed_versions: Mostra as versións rematadas
572 572 label_sort_by: "Ordenar por {{value}}"
573 573 label_sort_higher: Subir
574 574 label_sort_highest: Primeiro
575 575 label_sort_lower: Baixar
576 576 label_sort_lowest: Último
577 577 label_spent_time: Tempo dedicado
578 578 label_start_to_end: comezo a fin
579 579 label_start_to_start: comezo a comezo
580 580 label_statistics: Estatísticas
581 581 label_stay_logged_in: Lembrar contrasinal
582 582 label_string: Texto
583 583 label_subproject_plural: Proxectos secundarios
584 584 label_text: Texto largo
585 585 label_theme: Tema
586 586 label_this_month: este mes
587 587 label_this_week: esta semana
588 588 label_this_year: este ano
589 589 label_time_tracking: Control de tempo
590 590 label_today: hoxe
591 591 label_topic_plural: Temas
592 592 label_total: Total
593 593 label_tracker: Tipo
594 594 label_tracker_new: Novo tipo
595 595 label_tracker_plural: Tipos de peticións
596 596 label_updated_time: "Actualizado fai {{value}}"
597 597 label_updated_time_by: "Actualizado por {{author}} fai {{age}}"
598 598 label_used_by: Utilizado por
599 599 label_user: Usuario
600 600 label_user_activity: "Actividade de {{value}}"
601 601 label_user_mail_no_self_notified: "Non quero ser avisado de cambios feitos por min"
602 602 label_user_mail_option_all: "Para calquera evento en tódolos proxectos"
603 603 label_user_mail_option_none: "Só para elementos monitorizados ou relacionados comigo"
604 604 label_user_mail_option_selected: "Para calquera evento dos proxectos seleccionados..."
605 605 label_user_new: Novo usuario
606 606 label_user_plural: Usuarios
607 607 label_version: Versión
608 608 label_version_new: Nova versión
609 609 label_version_plural: Versións
610 610 label_view_diff: Ver diferencias
611 611 label_view_revisions: Ver as revisións
612 612 label_watched_issues: Peticións monitorizadas
613 613 label_week: Semana
614 614 label_wiki: Wiki
615 615 label_wiki_edit: Wiki edición
616 616 label_wiki_edit_plural: Wiki edicións
617 617 label_wiki_page: Wiki páxina
618 618 label_wiki_page_plural: Wiki páxinas
619 619 label_workflow: Fluxo de traballo
620 620 label_year: Ano
621 621 label_yesterday: onte
622 622 mail_body_account_activation_request: "Inscribiuse un novo usuario ({{value}}). A conta está pendente de aprobación:"
623 623 mail_body_account_information: Información sobre a súa conta
624 624 mail_body_account_information_external: "Pode usar a súa conta {{value}} para conectarse."
625 625 mail_body_lost_password: 'Para cambiar o seu contrasinal, faga clic no seguinte enlace:'
626 626 mail_body_register: 'Para activar a súa conta, faga clic no seguinte enlace:'
627 627 mail_body_reminder: "{{count}} petición(s) asignadas a ti rematan nos próximos {{days}} días:"
628 628 mail_subject_account_activation_request: "Petición de activación de conta {{value}}"
629 629 mail_subject_lost_password: "O teu contrasinal de {{value}}"
630 630 mail_subject_register: "Activación da conta de {{value}}"
631 631 mail_subject_reminder: "{{count}} petición(s) rematarán nos próximos días"
632 632 notice_account_activated: A súa conta foi activada. Xa pode conectarse.
633 633 notice_account_invalid_creditentials: Usuario ou contrasinal inválido.
634 634 notice_account_lost_email_sent: Enviouse un correo con instrucións para elixir un novo contrasinal.
635 635 notice_account_password_updated: Contrasinal modificado correctamente.
636 636 notice_account_pending: "A súa conta creouse e está pendente da aprobación por parte do administrador."
637 637 notice_account_register_done: Conta creada correctamente. Para activala, faga clic sobre o enlace que se lle enviou por correo.
638 638 notice_account_unknown_email: Usuario descoñecido.
639 639 notice_account_updated: Conta actualizada correctamente.
640 640 notice_account_wrong_password: Contrasinal incorrecto.
641 641 notice_can_t_change_password: Esta conta utiliza unha fonte de autenticación externa. Non é posible cambiar o contrasinal.
642 642 notice_default_data_loaded: Configuración por defecto cargada correctamente.
643 643 notice_email_error: "Ocorreu un error enviando o correo ({{value}})"
644 644 notice_email_sent: "Enviouse un correo a {{value}}"
645 645 notice_failed_to_save_issues: "Imposible gravar %s petición(s) en {{count}} seleccionado: {{ids}}."
646 646 notice_feeds_access_key_reseted: A súa clave de acceso para RSS reiniciouse.
647 647 notice_file_not_found: A páxina á que tenta acceder non existe.
648 648 notice_locking_conflict: Os datos modificáronse por outro usuario.
649 649 notice_no_issue_selected: "Ningunha petición seleccionada. Por favor, comprobe a petición que quere modificar"
650 650 notice_not_authorized: Non ten autorización para acceder a esta páxina.
651 651 notice_successful_connection: Conexión correcta.
652 652 notice_successful_create: Creación correcta.
653 653 notice_successful_delete: Borrado correcto.
654 654 notice_successful_update: Modificación correcta.
655 655 notice_unable_delete_version: Non se pode borrar a versión
656 656 permission_add_issue_notes: Engadir notas
657 657 permission_add_issue_watchers: Engadir seguidores
658 658 permission_add_issues: Engadir peticións
659 659 permission_add_messages: Enviar mensaxes
660 660 permission_browse_repository: Ollar repositorio
661 661 permission_comment_news: Comentar noticias
662 662 permission_commit_access: Acceso de escritura
663 663 permission_delete_issues: Borrar peticións
664 664 permission_delete_messages: Borrar mensaxes
665 665 permission_delete_own_messages: Borrar mensaxes propios
666 666 permission_delete_wiki_pages: Borrar páxinas wiki
667 667 permission_delete_wiki_pages_attachments: Borrar arquivos
668 668 permission_edit_issue_notes: Modificar notas
669 669 permission_edit_issues: Modificar peticións
670 670 permission_edit_messages: Modificar mensaxes
671 671 permission_edit_own_issue_notes: Modificar notas propias
672 672 permission_edit_own_messages: Editar mensaxes propios
673 673 permission_edit_own_time_entries: Modificar tempos dedicados propios
674 674 permission_edit_project: Modificar proxecto
675 675 permission_edit_time_entries: Modificar tempos dedicados
676 676 permission_edit_wiki_pages: Modificar páxinas wiki
677 677 permission_log_time: Anotar tempo dedicado
678 678 permission_manage_boards: Administrar foros
679 679 permission_manage_categories: Administrar categorías de peticións
680 680 permission_manage_documents: Administrar documentos
681 681 permission_manage_files: Administrar arquivos
682 682 permission_manage_issue_relations: Administrar relación con outras peticións
683 683 permission_manage_members: Administrar membros
684 684 permission_manage_news: Administrar noticias
685 685 permission_manage_public_queries: Administrar consultas públicas
686 686 permission_manage_repository: Administrar repositorio
687 687 permission_manage_versions: Administrar versións
688 688 permission_manage_wiki: Administrar wiki
689 689 permission_move_issues: Mover peticións
690 690 permission_protect_wiki_pages: Protexer páxinas wiki
691 691 permission_rename_wiki_pages: Renomear páxinas wiki
692 692 permission_save_queries: Gravar consultas
693 693 permission_select_project_modules: Seleccionar módulos do proxecto
694 694 permission_view_calendar: Ver calendario
695 695 permission_view_changesets: Ver cambios
696 696 permission_view_documents: Ver documentos
697 697 permission_view_files: Ver arquivos
698 698 permission_view_gantt: Ver diagrama de Gantt
699 699 permission_view_issue_watchers: Ver lista de seguidores
700 700 permission_view_messages: Ver mensaxes
701 701 permission_view_time_entries: Ver tempo dedicado
702 702 permission_view_wiki_edits: Ver histórico do wiki
703 703 permission_view_wiki_pages: Ver wiki
704 704 project_module_boards: Foros
705 705 project_module_documents: Documentos
706 706 project_module_files: Arquivos
707 707 project_module_issue_tracking: Peticións
708 708 project_module_news: Noticias
709 709 project_module_repository: Repositorio
710 710 project_module_time_tracking: Control de tempo
711 711 project_module_wiki: Wiki
712 712 setting_activity_days_default: Días a mostrar na actividade do proxecto
713 713 setting_app_subtitle: Subtítulo da aplicación
714 714 setting_app_title: Título da aplicación
715 715 setting_attachment_max_size: Tamaño máximo do arquivo
716 716 setting_autofetch_changesets: Autorechear os commits do repositorio
717 717 setting_autologin: Conexión automática
718 718 setting_bcc_recipients: Ocultar as copias de carbón (bcc)
719 719 setting_commit_fix_keywords: Palabras clave para a corrección
720 720 setting_commit_logs_encoding: Codificación das mensaxes de commit
721 721 setting_commit_ref_keywords: Palabras clave para a referencia
722 722 setting_cross_project_issue_relations: Permitir relacionar peticións de distintos proxectos
723 723 setting_date_format: Formato da data
724 724 setting_default_language: Idioma por defecto
725 725 setting_default_projects_public: Os proxectos novos son públicos por defecto
726 726 setting_diff_max_lines_displayed: Número máximo de diferencias mostradas
727 727 setting_display_subprojects_issues: Mostrar por defecto peticións de prox. secundarios no principal
728 728 setting_emails_footer: Pe de mensaxes
729 729 setting_enabled_scm: Activar SCM
730 730 setting_feeds_limit: Límite de contido para sindicación
731 731 setting_gravatar_enabled: Usar iconas de usuario (Gravatar)
732 732 setting_host_name: Nome e ruta do servidor
733 733 setting_issue_list_default_columns: Columnas por defecto para a lista de peticións
734 734 setting_issues_export_limit: Límite de exportación de peticións
735 735 setting_login_required: Requírese identificación
736 736 setting_mail_from: Correo dende o que enviar mensaxes
737 737 setting_mail_handler_api_enabled: Activar SW para mensaxes entrantes
738 738 setting_mail_handler_api_key: Clave da API
739 739 setting_per_page_options: Obxectos por páxina
740 740 setting_plain_text_mail: só texto plano (non HTML)
741 741 setting_protocol: Protocolo
742 742 setting_repositories_encodings: Codificacións do repositorio
743 743 setting_self_registration: Rexistro permitido
744 744 setting_sequential_project_identifiers: Xerar identificadores de proxecto
745 745 setting_sys_api_enabled: Habilitar SW para a xestión do repositorio
746 746 setting_text_formatting: Formato de texto
747 747 setting_time_format: Formato de hora
748 748 setting_user_format: Formato de nome de usuario
749 749 setting_welcome_text: Texto de benvida
750 750 setting_wiki_compression: Compresión do historial do Wiki
751 751 status_active: activo
752 752 status_locked: bloqueado
753 753 status_registered: rexistrado
754 754 text_are_you_sure: ¿Está seguro?
755 755 text_assign_time_entries_to_project: Asignar as horas ó proxecto
756 756 text_caracters_maximum: "{{count}} caracteres como máximo."
757 757 text_caracters_minimum: "{{count}} caracteres como mínimo"
758 758 text_comma_separated: Múltiples valores permitidos (separados por coma).
759 759 text_default_administrator_account_changed: Conta de administrador por defecto modificada
760 760 text_destroy_time_entries: Borrar as horas
761 761 text_destroy_time_entries_question: Existen {{hours}} horas asignadas á petición que quere borrar. ¿Que quere facer ?
762 762 text_diff_truncated: '... Diferencia truncada por exceder o máximo tamaño visualizable.'
763 763 text_email_delivery_not_configured: "O envío de correos non está configurado, e as notificacións desactiváronse. \n Configure o servidor de SMTP en config/email.yml e reinicie a aplicación para activar os cambios."
764 764 text_enumeration_category_reassign_to: 'Reasignar ó seguinte valor:'
765 765 text_enumeration_destroy_question: "{{count}} obxectos con este valor asignado."
766 766 text_file_repository_writable: Pódese escribir no repositorio
767 767 text_issue_added: "Petición {{id}} engadida por {{author}}."
768 768 text_issue_category_destroy_assignments: Deixar as peticións sen categoría
769 769 text_issue_category_destroy_question: "Algunhas peticións ({{count}}) están asignadas a esta categoría. ¿Que desexa facer?"
770 770 text_issue_category_reassign_to: Reasignar as peticións á categoría
771 771 text_issue_updated: "A petición {{id}} actualizouse por {{author}}."
772 772 text_issues_destroy_confirmation: '¿Seguro que quere borrar as peticións seleccionadas?'
773 773 text_issues_ref_in_commit_messages: Referencia e petición de corrección nas mensaxes
774 774 text_length_between: "Lonxitude entre {{min}} e {{max}} caracteres."
775 775 text_load_default_configuration: Cargar a configuración por defecto
776 776 text_min_max_length_info: 0 para ningunha restrición
777 777 text_no_configuration_data: "Inda non se configuraron perfiles, nin tipos, estados e fluxo de traballo asociado a peticións. Recoméndase encarecidamente cargar a configuración por defecto. Unha vez cargada, poderá modificala."
778 778 text_project_destroy_confirmation: ¿Estás seguro de querer eliminar o proxecto?
779 779 text_project_identifier_info: 'Letras minúsculas (a-z), números e signos de puntuación permitidos.<br />Unha vez gardado, o identificador non pode modificarse.'
780 780 text_reassign_time_entries: 'Reasignar as horas a esta petición:'
781 781 text_regexp_info: ex. ^[A-Z0-9]+$
782 782 text_repository_usernames_mapping: "Estableza a correspondencia entre os usuarios de Redmine e os presentes no log do repositorio.\nOs usuarios co mesmo nome ou correo en Redmine e no repositorio serán asociados automaticamente."
783 783 text_rmagick_available: RMagick dispoñible (opcional)
784 784 text_select_mail_notifications: Seleccionar os eventos a notificar
785 785 text_select_project_modules: 'Seleccione os módulos a activar para este proxecto:'
786 786 text_status_changed_by_changeset: "Aplicado nos cambios {{value}}"
787 787 text_subprojects_destroy_warning: "Os proxectos secundarios: {{value}} tamén se eliminarán"
788 788 text_tip_task_begin_day: tarefa que comeza este día
789 789 text_tip_task_begin_end_day: tarefa que comeza e remata este día
790 790 text_tip_task_end_day: tarefa que remata este día
791 791 text_tracker_no_workflow: Non hai ningún fluxo de traballo definido para este tipo de petición
792 792 text_unallowed_characters: Caracteres non permitidos
793 793 text_user_mail_option: "Dos proxectos non seleccionados, recibirá notificacións sobre elementos monitorizados ou elementos nos que estea involucrado (por exemplo, peticións das que vostede sexa autor ou asignadas a vostede)."
794 794 text_user_wrote: "{{value}} escribiu:"
795 795 text_wiki_destroy_confirmation: ¿Seguro que quere borrar o wiki e todo o seu contido?
796 796 text_workflow_edit: Seleccionar un fluxo de traballo para actualizar
797 797 warning_attachments_not_saved: "{{count}} file(s) could not be saved."
798 798 field_editable: Editable
799 799 text_plugin_assets_writable: Plugin assets directory writable
800 800 label_display: Display
801 801 button_create_and_continue: Create and continue
802 802 text_custom_field_possible_values_info: 'One line for each value'
803 803 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
804 804 setting_file_max_size_displayed: Max size of text files displayed inline
805 805 field_watcher: Watcher
806 806 setting_openid: Allow OpenID login and registration
807 807 field_identity_url: OpenID URL
808 808 label_login_with_open_id_option: or login with OpenID
809 809 field_content: Content
810 810 label_descending: Descending
811 811 label_sort: Sort
812 812 label_ascending: Ascending
813 813 label_date_from_to: From {{start}} to {{end}}
814 814 label_greater_or_equal: ">="
815 815 label_less_or_equal: <=
816 816 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
817 817 text_wiki_page_reassign_children: Reassign child pages to this parent page
818 818 text_wiki_page_nullify_children: Keep child pages as root pages
819 819 text_wiki_page_destroy_children: Delete child pages and all their descendants
820 820 setting_password_min_length: Minimum password length
821 821 field_group_by: Group results by
822 822 mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated"
823 823 label_wiki_content_added: Wiki page added
824 824 mail_subject_wiki_content_added: "'{{page}}' wiki page has been added"
825 825 mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}.
826 826 label_wiki_content_updated: Wiki page updated
827 827 mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}.
828 828 permission_add_project: Create project
829 829 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
830 830 label_view_all_revisions: View all revisions
831 831 label_tag: Tag
832 832 label_branch: Branch
833 833 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
834 834 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
835 835 text_journal_changed: "{{label}} changed from {{old}} to {{new}}"
836 836 text_journal_set_to: "{{label}} set to {{value}}"
837 837 text_journal_deleted: "{{label}} deleted"
838 838 label_group_plural: Groups
839 839 label_group: Group
840 840 label_group_new: New group
841 label_time_entry_plural: Spent time
@@ -1,823 +1,824
1 1 # Hebrew translations for Ruby on Rails
2 2 # by Dotan Nahum (dipidi@gmail.com)
3 3
4 4 he:
5 5 date:
6 6 formats:
7 7 default: "%Y-%m-%d"
8 8 short: "%e %b"
9 9 long: "%B %e, %Y"
10 10 only_day: "%e"
11 11
12 12 day_names: [ראשון, שני, שלישי, רביעי, חמישי, שישי, שבת]
13 13 abbr_day_names: [רא, שנ, של, רב, חמ, שי, שב]
14 14 month_names: [~, ינואר, פברואר, מרץ, אפריל, מאי, יוני, יולי, אוגוסט, ספטמבר, אוקטובר, נובמבר, דצמבר]
15 15 abbr_month_names: [~, יאנ, פב, מרץ, אפר, מאי, יונ, יול, אוג, ספט, אוק, נוב, דצ]
16 16 order: [ :day, :month, :year ]
17 17
18 18 time:
19 19 formats:
20 20 default: "%a %b %d %H:%M:%S %Z %Y"
21 21 time: "%H:%M"
22 22 short: "%d %b %H:%M"
23 23 long: "%B %d, %Y %H:%M"
24 24 only_second: "%S"
25 25
26 26 datetime:
27 27 formats:
28 28 default: "%d-%m-%YT%H:%M:%S%Z"
29 29
30 30 am: 'am'
31 31 pm: 'pm'
32 32
33 33 datetime:
34 34 distance_in_words:
35 35 half_a_minute: 'חצי דקה'
36 36 less_than_x_seconds:
37 37 zero: 'פחות משניה אחת'
38 38 one: 'פחות משניה אחת'
39 39 other: 'פחות מ- {{count}} שניות'
40 40 x_seconds:
41 41 one: 'שניה אחת'
42 42 other: '{{count}} שניות'
43 43 less_than_x_minutes:
44 44 zero: 'פחות מדקה אחת'
45 45 one: 'פחות מדקה אחת'
46 46 other: 'פחות מ- {{count}} דקות'
47 47 x_minutes:
48 48 one: 'דקה אחת'
49 49 other: '{{count}} דקות'
50 50 about_x_hours:
51 51 one: 'בערך שעה אחת'
52 52 other: 'בערך {{count}} שעות'
53 53 x_days:
54 54 one: 'יום אחד'
55 55 other: '{{count}} ימים'
56 56 about_x_months:
57 57 one: 'בערך חודש אחד'
58 58 other: 'בערך {{count}} חודשים'
59 59 x_months:
60 60 one: 'חודש אחד'
61 61 other: '{{count}} חודשים'
62 62 about_x_years:
63 63 one: 'בערך שנה אחת'
64 64 other: 'בערך {{count}} שנים'
65 65 over_x_years:
66 66 one: 'מעל שנה אחת'
67 67 other: 'מעל {{count}} שנים'
68 68
69 69 number:
70 70 format:
71 71 precision: 3
72 72 separator: '.'
73 73 delimiter: ','
74 74 currency:
75 75 format:
76 76 unit: 'שח'
77 77 precision: 2
78 78 format: '%u %n'
79 79
80 80 support:
81 81 array:
82 82 sentence_connector: "and"
83 83 skip_last_comma: false
84 84
85 85 activerecord:
86 86 errors:
87 87 messages:
88 88 inclusion: "לא נכלל ברשימה"
89 89 exclusion: "לא זמין"
90 90 invalid: "לא ולידי"
91 91 confirmation: "לא תואם לאישורו"
92 92 accepted: "חייב באישור"
93 93 empty: "חייב להכלל"
94 94 blank: "חייב להכלל"
95 95 too_long: "יותר מדי ארוך (לא יותר מ- {{count}} תוים)"
96 96 too_short: "יותר מדי קצר (לא יותר מ- {{count}} תוים)"
97 97 wrong_length: "לא באורך הנכון (חייב להיות {{count}} תוים)"
98 98 taken: "לא זמין"
99 99 not_a_number: "הוא לא מספר"
100 100 greater_than: "חייב להיות גדול מ- {{count}}"
101 101 greater_than_or_equal_to: "חייב להיות גדול או שווה ל- {{count}}"
102 102 equal_to: "חייב להיות שווה ל- {{count}}"
103 103 less_than: "חייב להיות קטן מ- {{count}}"
104 104 less_than_or_equal_to: "חייב להיות קטן או שווה ל- {{count}}"
105 105 odd: "חייב להיות אי זוגי"
106 106 even: "חייב להיות זוגי"
107 107 greater_than_start_date: "חייב להיות מאוחר יותר מתאריך ההתחלה"
108 108 not_same_project: "לא שייך לאותו הפרויקט"
109 109 circular_dependency: "הקשר הזה יצור תלות מעגלית"
110 110
111 111 actionview_instancetag_blank_option: בחר בבקשה
112 112
113 113 general_text_No: 'לא'
114 114 general_text_Yes: 'כן'
115 115 general_text_no: 'לא'
116 116 general_text_yes: 'כן'
117 117 general_lang_name: 'Hebrew (עברית)'
118 118 general_csv_separator: ','
119 119 general_csv_decimal_separator: '.'
120 120 general_csv_encoding: ISO-8859-8-I
121 121 general_pdf_encoding: ISO-8859-8-I
122 122 general_first_day_of_week: '7'
123 123
124 124 notice_account_updated: החשבון עודכן בהצלחה!
125 125 notice_account_invalid_creditentials: שם משתמש או סיסמה שגויים
126 126 notice_account_password_updated: הסיסמה עודכנה בהצלחה!
127 127 notice_account_wrong_password: סיסמה שגויה
128 128 notice_account_register_done: החשבון נוצר בהצלחה. להפעלת החשבון לחץ על הקישור שנשלח לדוא"ל שלך.
129 129 notice_account_unknown_email: משתמש לא מוכר.
130 130 notice_can_t_change_password: החשבון הזה משתמש במקור אימות חיצוני. שינוי סיסמה הינו בילתי אפשר
131 131 notice_account_lost_email_sent: דוא"ל עם הוראות לבחירת סיסמה חדשה נשלח אליך.
132 132 notice_account_activated: חשבונך הופעל. אתה יכול להתחבר כעת.
133 133 notice_successful_create: יצירה מוצלחת.
134 134 notice_successful_update: עידכון מוצלח.
135 135 notice_successful_delete: מחיקה מוצלחת.
136 136 notice_successful_connection: חיבור מוצלח.
137 137 notice_file_not_found: הדף שאת\ה מנסה לגשת אליו אינו קיים או שהוסר.
138 138 notice_locking_conflict: המידע עודכן על ידי משתמש אחר.
139 139 notice_not_authorized: אינך מורשה לראות דף זה.
140 140 notice_email_sent: "דואל נשלח לכתובת {{value}}"
141 141 notice_email_error: "ארעה שגיאה בעט שליחת הדואל ({{value}})"
142 142 notice_feeds_access_key_reseted: מפתח ה-RSS שלך אופס.
143 143 notice_failed_to_save_issues: "נכשרת בשמירת {{count}} נושא\ים ב {{total}} נבחרו: {{ids}}."
144 144 notice_no_issue_selected: "לא נבחר אף נושא! בחר בבקשה את הנושאים שברצונך לערוך."
145 145
146 146 error_scm_not_found: כניסה ו\או גירסא אינם קיימים במאגר.
147 147 error_scm_command_failed: "ארעה שגיאה בעת ניסון גישה למאגר: {{value}}"
148 148
149 149 mail_subject_lost_password: "סיסמת ה-{{value}} שלך"
150 150 mail_body_lost_password: 'לשינו סיסמת ה-Redmine שלך,לחץ על הקישור הבא:'
151 151 mail_subject_register: "הפעלת חשבון {{value}}"
152 152 mail_body_register: 'להפעלת חשבון ה-Redmine שלך, לחץ על הקישור הבא:'
153 153
154 154 gui_validation_error: שגיאה 1
155 155 gui_validation_error_plural: "{{count}} שגיאות"
156 156
157 157 field_name: שם
158 158 field_description: תיאור
159 159 field_summary: תקציר
160 160 field_is_required: נדרש
161 161 field_firstname: שם פרטי
162 162 field_lastname: שם משפחה
163 163 field_mail: דוא"ל
164 164 field_filename: קובץ
165 165 field_filesize: גודל
166 166 field_downloads: הורדות
167 167 field_author: כותב
168 168 field_created_on: נוצר
169 169 field_updated_on: עודכן
170 170 field_field_format: פורמט
171 171 field_is_for_all: לכל הפרויקטים
172 172 field_possible_values: ערכים אפשריים
173 173 field_regexp: ביטוי רגיל
174 174 field_min_length: אורך מינימאלי
175 175 field_max_length: אורך מקסימאלי
176 176 field_value: ערך
177 177 field_category: קטגוריה
178 178 field_title: כותרת
179 179 field_project: פרויקט
180 180 field_issue: נושא
181 181 field_status: מצב
182 182 field_notes: הערות
183 183 field_is_closed: נושא סגור
184 184 field_is_default: ערך ברירת מחדל
185 185 field_tracker: עוקב
186 186 field_subject: שם נושא
187 187 field_due_date: תאריך סיום
188 188 field_assigned_to: מוצב ל
189 189 field_priority: עדיפות
190 190 field_fixed_version: גירסאת יעד
191 191 field_user: מתשמש
192 192 field_role: תפקיד
193 193 field_homepage: דף הבית
194 194 field_is_public: פומבי
195 195 field_parent: תת פרויקט של
196 196 field_is_in_chlog: נושאים המוצגים בדו"ח השינויים
197 197 field_is_in_roadmap: נושאים המוצגים במפת הדרכים
198 198 field_login: שם משתמש
199 199 field_mail_notification: הודעות דוא"ל
200 200 field_admin: אדמיניסטרציה
201 201 field_last_login_on: חיבור אחרון
202 202 field_language: שפה
203 203 field_effective_date: תאריך
204 204 field_password: סיסמה
205 205 field_new_password: סיסמה חדשה
206 206 field_password_confirmation: אישור
207 207 field_version: גירסא
208 208 field_type: סוג
209 209 field_host: שרת
210 210 field_port: פורט
211 211 field_account: חשבון
212 212 field_base_dn: בסיס DN
213 213 field_attr_login: תכונת התחברות
214 214 field_attr_firstname: תכונת שם פרטים
215 215 field_attr_lastname: תכונת שם משפחה
216 216 field_attr_mail: תכונת דוא"ל
217 217 field_onthefly: יצירת משתמשים זריזה
218 218 field_start_date: התחל
219 219 field_done_ratio: % גמור
220 220 field_auth_source: מצב אימות
221 221 field_hide_mail: החבא את כתובת הדוא"ל שלי
222 222 field_comments: הערות
223 223 field_url: URL
224 224 field_start_page: דף התחלתי
225 225 field_subproject: תת פרויקט
226 226 field_hours: שעות
227 227 field_activity: פעילות
228 228 field_spent_on: תאריך
229 229 field_identifier: מזהה
230 230 field_is_filter: משמש כמסנן
231 231 field_issue_to: נושאים קשורים
232 232 field_delay: עיקוב
233 233 field_assignable: ניתן להקצות נושאים לתפקיד זה
234 234 field_redirect_existing_links: העבר קישורים קיימים
235 235 field_estimated_hours: זמן משוער
236 236 field_column_names: עמודות
237 237 field_default_value: ערך ברירת מחדל
238 238
239 239 setting_app_title: כותרת ישום
240 240 setting_app_subtitle: תת-כותרת ישום
241 241 setting_welcome_text: טקסט "ברוך הבא"
242 242 setting_default_language: שפת ברירת מחדל
243 243 setting_login_required: דרוש אימות
244 244 setting_self_registration: אפשר הרשמות עצמית
245 245 setting_attachment_max_size: גודל דבוקה מקסימאלי
246 246 setting_issues_export_limit: גבול יצוא נושאים
247 247 setting_mail_from: כתובת שליחת דוא"ל
248 248 setting_host_name: שם שרת
249 249 setting_text_formatting: עיצוב טקסט
250 250 setting_wiki_compression: כיווץ היסטורית WIKI
251 251 setting_feeds_limit: גבול תוכן הזנות
252 252 setting_autofetch_changesets: משיכה אוטומתי של עידכונים
253 253 setting_sys_api_enabled: אפשר WS לניהול המאגר
254 254 setting_commit_ref_keywords: מילות מפתח מקשרות
255 255 setting_commit_fix_keywords: מילות מפתח מתקנות
256 256 setting_autologin: חיבור אוטומטי
257 257 setting_date_format: פורמט תאריך
258 258 setting_cross_project_issue_relations: הרשה קישור נושאים בין פרויקטים
259 259 setting_issue_list_default_columns: עמודות ברירת מחדל המוצגות ברשימת הנושאים
260 260 setting_repositories_encodings: קידוד המאגרים
261 261
262 262 label_user: משתמש
263 263 label_user_plural: משתמשים
264 264 label_user_new: משתמש חדש
265 265 label_project: פרויקט
266 266 label_project_new: פרויקט חדש
267 267 label_project_plural: פרויקטים
268 268 label_x_projects:
269 269 zero: no projects
270 270 one: 1 project
271 271 other: "{{count}} projects"
272 272 label_project_all: כל הפרויקטים
273 273 label_project_latest: הפרויקטים החדשים ביותר
274 274 label_issue: נושא
275 275 label_issue_new: נושא חדש
276 276 label_issue_plural: נושאים
277 277 label_issue_view_all: צפה בכל הנושאים
278 278 label_document: מסמך
279 279 label_document_new: מסמך חדש
280 280 label_document_plural: מסמכים
281 281 label_role: תפקיד
282 282 label_role_plural: תפקידים
283 283 label_role_new: תפקיד חדש
284 284 label_role_and_permissions: תפקידים והרשאות
285 285 label_member: חבר
286 286 label_member_new: חבר חדש
287 287 label_member_plural: חברים
288 288 label_tracker: עוקב
289 289 label_tracker_plural: עוקבים
290 290 label_tracker_new: עוקב חדש
291 291 label_workflow: זרימת עבודה
292 292 label_issue_status: מצב נושא
293 293 label_issue_status_plural: מצבי נושא
294 294 label_issue_status_new: מצב חדש
295 295 label_issue_category: קטגורית נושא
296 296 label_issue_category_plural: קטגוריות נושא
297 297 label_issue_category_new: קטגוריה חדשה
298 298 label_custom_field: שדה אישי
299 299 label_custom_field_plural: שדות אישיים
300 300 label_custom_field_new: שדה אישי חדש
301 301 label_enumerations: אינומרציות
302 302 label_enumeration_new: ערך חדש
303 303 label_information: מידע
304 304 label_information_plural: מידע
305 305 label_please_login: התחבר בבקשה
306 306 label_register: הרשמה
307 307 label_password_lost: אבדה הסיסמה?
308 308 label_home: דף הבית
309 309 label_my_page: הדף שלי
310 310 label_my_account: החשבון שלי
311 311 label_my_projects: הפרויקטים שלי
312 312 label_administration: אדמיניסטרציה
313 313 label_login: התחבר
314 314 label_logout: התנתק
315 315 label_help: עזרה
316 316 label_reported_issues: נושאים שדווחו
317 317 label_assigned_to_me_issues: נושאים שהוצבו לי
318 318 label_last_login: חיבור אחרון
319 319 label_registered_on: נרשם בתאריך
320 320 label_activity: פעילות
321 321 label_new: חדש
322 322 label_logged_as: מחובר כ
323 323 label_environment: סביבה
324 324 label_authentication: אישור
325 325 label_auth_source: מצב אישור
326 326 label_auth_source_new: מצב אישור חדש
327 327 label_auth_source_plural: מצבי אישור
328 328 label_subproject_plural: תת-פרויקטים
329 329 label_min_max_length: אורך מינימאלי - מקסימאלי
330 330 label_list: רשימה
331 331 label_date: תאריך
332 332 label_integer: מספר שלם
333 333 label_boolean: ערך בוליאני
334 334 label_string: טקסט
335 335 label_text: טקסט ארוך
336 336 label_attribute: תכונה
337 337 label_attribute_plural: תכונות
338 338 label_download: "הורדה {{count}}"
339 339 label_download_plural: "{{count}} הורדות"
340 340 label_no_data: אין מידע להציג
341 341 label_change_status: שנה מצב
342 342 label_history: היסטוריה
343 343 label_attachment: קובץ
344 344 label_attachment_new: קובץ חדש
345 345 label_attachment_delete: מחק קובץ
346 346 label_attachment_plural: קבצים
347 347 label_report: דו"ח
348 348 label_report_plural: דו"חות
349 349 label_news: חדשות
350 350 label_news_new: הוסף חדשות
351 351 label_news_plural: חדשות
352 352 label_news_latest: חדשות אחרונות
353 353 label_news_view_all: צפה בכל החדשות
354 354 label_change_log: דו"ח שינויים
355 355 label_settings: הגדרות
356 356 label_overview: מבט רחב
357 357 label_version: גירסא
358 358 label_version_new: גירסא חדשה
359 359 label_version_plural: גירסאות
360 360 label_confirmation: אישור
361 361 label_export_to: יצא ל
362 362 label_read: קרא...
363 363 label_public_projects: פרויקטים פומביים
364 364 label_open_issues: פתוח
365 365 label_open_issues_plural: פתוחים
366 366 label_closed_issues: סגור
367 367 label_closed_issues_plural: סגורים
368 368 label_x_open_issues_abbr_on_total:
369 369 zero: 0 open / {{total}}
370 370 one: 1 open / {{total}}
371 371 other: "{{count}} open / {{total}}"
372 372 label_x_open_issues_abbr:
373 373 zero: 0 open
374 374 one: 1 open
375 375 other: "{{count}} open"
376 376 label_x_closed_issues_abbr:
377 377 zero: 0 closed
378 378 one: 1 closed
379 379 other: "{{count}} closed"
380 380 label_total: סה"כ
381 381 label_permissions: הרשאות
382 382 label_current_status: מצב נוכחי
383 383 label_new_statuses_allowed: מצבים חדשים אפשריים
384 384 label_all: הכל
385 385 label_none: כלום
386 386 label_next: הבא
387 387 label_previous: הקודם
388 388 label_used_by: בשימוש ע"י
389 389 label_details: פרטים
390 390 label_add_note: הוסף הערה
391 391 label_per_page: לכל דף
392 392 label_calendar: לוח שנה
393 393 label_months_from: חודשים מ
394 394 label_gantt: גאנט
395 395 label_internal: פנימי
396 396 label_last_changes: "{{count}} שינוים אחרונים"
397 397 label_change_view_all: צפה בכל השינוים
398 398 label_personalize_page: הפוך דף זה לשלך
399 399 label_comment: תגובה
400 400 label_comment_plural: תגובות
401 401 label_x_comments:
402 402 zero: no comments
403 403 one: 1 comment
404 404 other: "{{count}} comments"
405 405 label_comment_add: הוסף תגובה
406 406 label_comment_added: תגובה הוספה
407 407 label_comment_delete: מחק תגובות
408 408 label_query: שאילתה אישית
409 409 label_query_plural: שאילתות אישיות
410 410 label_query_new: שאילתה חדשה
411 411 label_filter_add: הוסף מסנן
412 412 label_filter_plural: מסננים
413 413 label_equals: הוא
414 414 label_not_equals: הוא לא
415 415 label_in_less_than: בפחות מ
416 416 label_in_more_than: ביותר מ
417 417 label_in: ב
418 418 label_today: היום
419 419 label_this_week: השבוע
420 420 label_less_than_ago: פחות ממספר ימים
421 421 label_more_than_ago: יותר ממספר ימים
422 422 label_ago: מספר ימים
423 423 label_contains: מכיל
424 424 label_not_contains: לא מכיל
425 425 label_day_plural: ימים
426 426 label_repository: מאגר
427 427 label_browse: סייר
428 428 label_modification: "שינוי {{count}}"
429 429 label_modification_plural: "{{count}} שינויים"
430 430 label_revision: גירסא
431 431 label_revision_plural: גירסאות
432 432 label_added: הוסף
433 433 label_modified: שונה
434 434 label_deleted: נמחק
435 435 label_latest_revision: גירסא אחרונה
436 436 label_latest_revision_plural: גירסאות אחרונות
437 437 label_view_revisions: צפה בגירסאות
438 438 label_max_size: גודל מקסימאלי
439 439 label_sort_highest: הזז לראשית
440 440 label_sort_higher: הזז למעלה
441 441 label_sort_lower: הזז למטה
442 442 label_sort_lowest: הזז לתחתית
443 443 label_roadmap: מפת הדרכים
444 444 label_roadmap_due_in: "נגמר בעוד {{value}}"
445 445 label_roadmap_overdue: "{{value}} מאחר"
446 446 label_roadmap_no_issues: אין נושאים לגירסא זו
447 447 label_search: חפש
448 448 label_result_plural: תוצאות
449 449 label_all_words: כל המילים
450 450 label_wiki: Wiki
451 451 label_wiki_edit: ערוך Wiki
452 452 label_wiki_edit_plural: עריכות Wiki
453 453 label_wiki_page: דף Wiki
454 454 label_wiki_page_plural: דפי Wiki
455 455 label_index_by_title: סדר על פי כותרת
456 456 label_index_by_date: סדר על פי תאריך
457 457 label_current_version: גירסא נוכאית
458 458 label_preview: תצוגה מקדימה
459 459 label_feed_plural: הזנות
460 460 label_changes_details: פירוט כל השינויים
461 461 label_issue_tracking: מעקב אחר נושאים
462 462 label_spent_time: זמן שבוזבז
463 463 label_f_hour: "{{value}} שעה"
464 464 label_f_hour_plural: "{{value}} שעות"
465 465 label_time_tracking: מעקב זמנים
466 466 label_change_plural: שינויים
467 467 label_statistics: סטטיסטיקות
468 468 label_commits_per_month: הפקדות לפי חודש
469 469 label_commits_per_author: הפקדות לפי כותב
470 470 label_view_diff: צפה בהבדלים
471 471 label_diff_inline: בתוך השורה
472 472 label_diff_side_by_side: צד לצד
473 473 label_options: אפשרויות
474 474 label_copy_workflow_from: העתק זירמת עבודה מ
475 475 label_permissions_report: דו"ח הרשאות
476 476 label_watched_issues: נושאים שנצפו
477 477 label_related_issues: נושאים קשורים
478 478 label_applied_status: מוצב מוחל
479 479 label_loading: טוען...
480 480 label_relation_new: קשר חדש
481 481 label_relation_delete: מחק קשר
482 482 label_relates_to: קשור ל
483 483 label_duplicates: מכפיל את
484 484 label_blocks: חוסם את
485 485 label_blocked_by: חסום ע"י
486 486 label_precedes: מקדים את
487 487 label_follows: עוקב אחרי
488 488 label_end_to_start: מהתחלה לסוף
489 489 label_end_to_end: מהסוף לסוף
490 490 label_start_to_start: מהתחלה להתחלה
491 491 label_start_to_end: מהתחלה לסוף
492 492 label_stay_logged_in: השאר מחובר
493 493 label_disabled: מבוטל
494 494 label_show_completed_versions: הצג גירזאות גמורות
495 495 label_me: אני
496 496 label_board: פורום
497 497 label_board_new: פורום חדש
498 498 label_board_plural: פורומים
499 499 label_topic_plural: נושאים
500 500 label_message_plural: הודעות
501 501 label_message_last: הודעה אחרונה
502 502 label_message_new: הודעה חדשה
503 503 label_reply_plural: השבות
504 504 label_send_information: שלח מידע על חשבון למשתמש
505 505 label_year: שנה
506 506 label_month: חודש
507 507 label_week: שבוע
508 508 label_date_from: מתאריך
509 509 label_date_to: עד
510 510 label_language_based: מבוסס שפה
511 511 label_sort_by: "מין לפי {{value}}"
512 512 label_send_test_email: שלח דו"ל בדיקה
513 513 label_feeds_access_key_created_on: "מפתח הזנת RSS נוצר לפני{{value}}"
514 514 label_module_plural: מודולים
515 515 label_added_time_by: "הוסף על ידי {{author}} לפני {{age}} "
516 516 label_updated_time: "עודכן לפני {{value}} "
517 517 label_jump_to_a_project: קפוץ לפרויקט...
518 518 label_file_plural: קבצים
519 519 label_changeset_plural: אוסף שינוים
520 520 label_default_columns: עמודת ברירת מחדל
521 521 label_no_change_option: (אין שינוים)
522 522 label_bulk_edit_selected_issues: ערוך את הנושאים המסומנים
523 523 label_theme: ערכת נושא
524 524 label_default: ברירת מחדש
525 525
526 526 button_login: התחבר
527 527 button_submit: הגש
528 528 button_save: שמור
529 529 button_check_all: בחר הכל
530 530 button_uncheck_all: בחר כלום
531 531 button_delete: מחק
532 532 button_create: צור
533 533 button_test: בדוק
534 534 button_edit: ערוך
535 535 button_add: הוסף
536 536 button_change: שנה
537 537 button_apply: הוצא לפועל
538 538 button_clear: נקה
539 539 button_lock: נעל
540 540 button_unlock: בטל נעילה
541 541 button_download: הורד
542 542 button_list: רשימה
543 543 button_view: צפה
544 544 button_move: הזז
545 545 button_back: הקודם
546 546 button_cancel: בטח
547 547 button_activate: הפעל
548 548 button_sort: מיין
549 549 button_log_time: זמן לוג
550 550 button_rollback: חזור לגירסא זו
551 551 button_watch: צפה
552 552 button_unwatch: בטל צפיה
553 553 button_reply: השב
554 554 button_archive: ארכיון
555 555 button_unarchive: הוצא מהארכיון
556 556 button_reset: אפס
557 557 button_rename: שנה שם
558 558
559 559 status_active: פעיל
560 560 status_registered: רשום
561 561 status_locked: נעול
562 562
563 563 text_select_mail_notifications: בחר פעולת שבגללן ישלח דוא"ל.
564 564 text_regexp_info: כגון. ^[A-Z0-9]+$
565 565 text_min_max_length_info: 0 משמעו ללא הגבלות
566 566 text_project_destroy_confirmation: האם אתה בטוח שברצונך למחוק את הפרויקט ואת כל המידע הקשור אליו ?
567 567 text_workflow_edit: בחר תפקיד ועוקב כדי לערות את זרימת העבודה
568 568 text_are_you_sure: האם אתה בטוח ?
569 569 text_tip_task_begin_day: מטלה המתחילה היום
570 570 text_tip_task_end_day: מטלה המסתיימת היום
571 571 text_tip_task_begin_end_day: מטלה המתחילה ומסתיימת היום
572 572 text_project_identifier_info: 'אותיות לטיניות (a-z), מספרים ומקפים.<br />ברגע שנשמר, לא ניתן לשנות את המזהה.'
573 573 text_caracters_maximum: "מקסימום {{count}} תווים."
574 574 text_length_between: "אורך בין {{min}} ל {{max}} תווים."
575 575 text_tracker_no_workflow: זרימת עבודה לא הוגדרה עבור עוקב זה
576 576 text_unallowed_characters: תווים לא מורשים
577 577 text_comma_separated: הכנסת ערכים מרובים מותרת (מופרדים בפסיקים).
578 578 text_issues_ref_in_commit_messages: קישור ותיקום נושאים בהודעות הפקדות
579 579 text_issue_added: "הנושא {{id}} דווח (by {{author}})."
580 580 text_issue_updated: "הנושא {{id}} עודכן (by {{author}})."
581 581 text_wiki_destroy_confirmation: האם אתה בטוח שברצונך למחוק את הWIKI הזה ואת כל תוכנו?
582 582 text_issue_category_destroy_question: "כמה נושאים ({{count}}) מוצבים לקטגוריה הזו. מה ברצונך לעשות?"
583 583 text_issue_category_destroy_assignments: הסר הצבת קטגוריה
584 584 text_issue_category_reassign_to: הצב מחדש את הקטגוריה לנושאים
585 585
586 586 default_role_manager: מנהל
587 587 default_role_developper: מפתח
588 588 default_role_reporter: מדווח
589 589 default_tracker_bug: באג
590 590 default_tracker_feature: פיצ'ר
591 591 default_tracker_support: תמיכה
592 592 default_issue_status_new: חדש
593 593 default_issue_status_assigned: מוצב
594 594 default_issue_status_resolved: פתור
595 595 default_issue_status_feedback: משוב
596 596 default_issue_status_closed: סגור
597 597 default_issue_status_rejected: דחוי
598 598 default_doc_category_user: תיעוד משתמש
599 599 default_doc_category_tech: תיעוד טכני
600 600 default_priority_low: נמוכה
601 601 default_priority_normal: רגילה
602 602 default_priority_high: גהבוה
603 603 default_priority_urgent: דחופה
604 604 default_priority_immediate: מידית
605 605 default_activity_design: עיצוב
606 606 default_activity_development: פיתוח
607 607
608 608 enumeration_issue_priorities: עדיפות נושאים
609 609 enumeration_doc_categories: קטגוריות מסמכים
610 610 enumeration_activities: פעילויות (מעקב אחר זמנים)
611 611 label_search_titles_only: חפש בכותרות בלבד
612 612 label_nobody: אף אחד
613 613 button_change_password: שנה סיסמא
614 614 text_user_mail_option: "בפרויקטים שלא בחרת, אתה רק תקבל התרעות על שאתה צופה או קשור אליהם (לדוגמא:נושאים שאתה היוצר שלהם או מוצבים אליך)."
615 615 label_user_mail_option_selected: "לכל אירוע בפרויקטים שבחרתי בלבד..."
616 616 label_user_mail_option_all: "לכל אירוע בכל הפרויקטים שלי"
617 617 label_user_mail_option_none: "רק לנושאים שאני צופה או קשור אליהם"
618 618 setting_emails_footer: תחתית דוא"ל
619 619 label_float: צף
620 620 button_copy: העתק
621 621 mail_body_account_information_external: "אתה יכול להשתמש בחשבון {{value}} כדי להתחבר"
622 622 mail_body_account_information: פרטי החשבון שלך
623 623 setting_protocol: פרוטוקול
624 624 label_user_mail_no_self_notified: "אני לא רוצה שיודיעו לי על שינויים שאני מבצע"
625 625 setting_time_format: פורמט זמן
626 626 label_registration_activation_by_email: הפעל חשבון באמצעות דוא"ל
627 627 mail_subject_account_activation_request: "בקשת הפעלה לחשבון {{value}}"
628 628 mail_body_account_activation_request: "משתמש חדש ({{value}}) נרשם. החשבון שלו מחכה לאישור שלך:"
629 629 label_registration_automatic_activation: הפעלת חשבון אוטומטית
630 630 label_registration_manual_activation: הפעלת חשבון ידנית
631 631 notice_account_pending: "החשבון שלך נוצר ועתה מחכה לאישור מנהל המערכת."
632 632 field_time_zone: איזור זמן
633 633 text_caracters_minimum: "חייב להיות לפחות באורך של {{count}} תווים."
634 634 setting_bcc_recipients: מוסתר (bcc)
635 635 button_annotate: הוסף תיאור מסגרת
636 636 label_issues_by: "נושאים של {{value}}"
637 637 field_searchable: ניתן לחיפוש
638 638 label_display_per_page: "לכל דף: {{value}}"
639 639 setting_per_page_options: אפשרויות אוביקטים לפי דף
640 640 label_age: גיל
641 641 notice_default_data_loaded: אפשרויות ברירת מחדל מופעלות.
642 642 text_load_default_configuration: טען את אפשרויות ברירת המחדל
643 643 text_no_configuration_data: "Roles, trackers, issue statuses and workflow have not been configured yet.\nIt is highly recommended to load the default configuration. יהיה באפשרותך לשנותו לאחר שיטען."
644 644 error_can_t_load_default_data: "אפשרויות ברירת המחדל לא הצליחו להיטען: {{value}}"
645 645 button_update: עדכן
646 646 label_change_properties: שנה מאפיינים
647 647 label_general: כללי
648 648 label_repository_plural: מאגרים
649 649 label_associated_revisions: שינויים קשורים
650 650 setting_user_format: פורמט הצגת משתמשים
651 651 text_status_changed_by_changeset: "הוחל בסדרת השינויים {{value}}."
652 652 label_more: עוד
653 653 text_issues_destroy_confirmation: 'האם את\ה בטוח שברצונך למחוק את הנושא\ים ?'
654 654 label_scm: SCM
655 655 text_select_project_modules: 'בחר מודולים להחיל על פקרויקט זה:'
656 656 label_issue_added: נושא הוסף
657 657 label_issue_updated: נושא עודכן
658 658 label_document_added: מוסמך הוסף
659 659 label_message_posted: הודעה הוספה
660 660 label_file_added: קובץ הוסף
661 661 label_news_added: חדשות הוספו
662 662 project_module_boards: לוחות
663 663 project_module_issue_tracking: מעקב נושאים
664 664 project_module_wiki: Wiki
665 665 project_module_files: קבצים
666 666 project_module_documents: מסמכים
667 667 project_module_repository: מאגר
668 668 project_module_news: חדשות
669 669 project_module_time_tracking: מעקב אחר זמנים
670 670 text_file_repository_writable: מאגר הקבצים ניתן לכתיבה
671 671 text_default_administrator_account_changed: מנהל המערכת ברירת המחדל שונה
672 672 text_rmagick_available: RMagick available (optional)
673 673 button_configure: אפשרויות
674 674 label_plugins: פלאגינים
675 675 label_ldap_authentication: אימות LDAP
676 676 label_downloads_abbr: D/L
677 677 label_this_month: החודש
678 678 label_last_n_days: "ב-{{count}} ימים אחרונים"
679 679 label_all_time: תמיד
680 680 label_this_year: השנה
681 681 label_date_range: טווח תאריכים
682 682 label_last_week: שבוע שעבר
683 683 label_yesterday: אתמול
684 684 label_last_month: חודש שעבר
685 685 label_add_another_file: הוסף עוד קובץ
686 686 label_optional_description: תיאור רשות
687 687 text_destroy_time_entries_question: "{{hours}} שעות דווחו על הנושים שאת\ה עומד\ת למחוק. מה ברצונך לעשות ?"
688 688 error_issue_not_found_in_project: 'הנושאים לא נמצאו או אינם שיכים לפרויקט'
689 689 text_assign_time_entries_to_project: הצב שעות שדווחו לפרויקט הזה
690 690 text_destroy_time_entries: מחק שעות שדווחו
691 691 text_reassign_time_entries: 'הצב מחדש שעות שדווחו לפרויקט הזה:'
692 692 setting_activity_days_default: ימים המוצגים על פעילות הפרויקט
693 693 label_chronological_order: בסדר כרונולוגי
694 694 field_comments_sorting: הצג הערות
695 695 label_reverse_chronological_order: בסדר כרונולוגי הפוך
696 696 label_preferences: העדפות
697 697 setting_display_subprojects_issues: הצג נושאים של תת פרויקטים כברירת מחדל
698 698 label_overall_activity: פעילות כוללת
699 699 setting_default_projects_public: פרויקטים חדשים הינם פומביים כברירת מחדל
700 700 error_scm_annotate: "הכניסה לא קיימת או שלא ניתן לתאר אותה."
701 701 label_planning: תכנון
702 702 text_subprojects_destroy_warning: "תת הפרויקט\ים: {{value}} ימחקו גם כן."
703 703 label_and_its_subprojects: "{{value}} וכל תת הפרויקטים שלו"
704 704 mail_body_reminder: "{{count}} נושאים שמיועדים אליך מיועדים להגשה בתוך {{days}} ימים:"
705 705 mail_subject_reminder: "{{count}} נושאים מיעדים להגשה בימים הקרובים"
706 706 text_user_wrote: "{{value}} כתב:"
707 707 label_duplicated_by: שוכפל ע"י
708 708 setting_enabled_scm: אפשר SCM
709 709 text_enumeration_category_reassign_to: 'הצב מחדש לערך הזה:'
710 710 text_enumeration_destroy_question: "{{count}} אוביקטים מוצבים לערך זה."
711 711 label_incoming_emails: דוא"ל נכנס
712 712 label_generate_key: יצר מפתח
713 713 setting_mail_handler_api_enabled: Enable WS for incoming emails
714 714 setting_mail_handler_api_key: מפתח API
715 715 text_email_delivery_not_configured: "Email delivery is not configured, and notifications are disabled.\nConfigure your SMTP server in config/email.yml and restart the application to enable them."
716 716 field_parent_title: דף אב
717 717 label_issue_watchers: צופים
718 718 setting_commit_logs_encoding: Commit messages encoding
719 719 button_quote: צטט
720 720 setting_sequential_project_identifiers: Generate sequential project identifiers
721 721 notice_unable_delete_version: לא ניתן למחוק גירסא
722 722 label_renamed: השם שונה
723 723 label_copied: הועתק
724 724 setting_plain_text_mail: טקסט פשוט בלבד (ללא HTML)
725 725 permission_view_files: צפה בקבצים
726 726 permission_edit_issues: ערוך נושאים
727 727 permission_edit_own_time_entries: ערוך את לוג הזמן של עצמך
728 728 permission_manage_public_queries: נהל שאילתות פומביות
729 729 permission_add_issues: הוסף נושא
730 730 permission_log_time: תעד זמן שבוזבז
731 731 permission_view_changesets: צפה בקבוצות שינויים
732 732 permission_view_time_entries: צפה בזמן שבוזבז
733 733 permission_manage_versions: נהל גירסאות
734 734 permission_manage_wiki: נהל wiki
735 735 permission_manage_categories: נהל קטגוריות נושאים
736 736 permission_protect_wiki_pages: הגן כל דפי wiki
737 737 permission_comment_news: הגב על החדשות
738 738 permission_delete_messages: מחק הודעות
739 739 permission_select_project_modules: בחר מודולי פרויקט
740 740 permission_manage_documents: נהל מסמכים
741 741 permission_edit_wiki_pages: ערוך דפי wiki
742 742 permission_add_issue_watchers: הוסף צופים
743 743 permission_view_gantt: צפה בגאנט
744 744 permission_move_issues: הזז נושאים
745 745 permission_manage_issue_relations: נהל יחס בין נושאים
746 746 permission_delete_wiki_pages: מחק דפי wiki
747 747 permission_manage_boards: נהל לוחות
748 748 permission_delete_wiki_pages_attachments: מחק דבוקות
749 749 permission_view_wiki_edits: צפה בהיסטורית wiki
750 750 permission_add_messages: הצב הודעות
751 751 permission_view_messages: צפה בהודעות
752 752 permission_manage_files: נהל קבצים
753 753 permission_edit_issue_notes: ערוך רשימות
754 754 permission_manage_news: נהל חדשות
755 755 permission_view_calendar: צפה בלוח השנה
756 756 permission_manage_members: נהל חברים
757 757 permission_edit_messages: ערוך הודעות
758 758 permission_delete_issues: מחק נושאים
759 759 permission_view_issue_watchers: צפה ברשימה צופים
760 760 permission_manage_repository: נהל מאגר
761 761 permission_commit_access: Commit access
762 762 permission_browse_repository: סייר במאגר
763 763 permission_view_documents: צפה במסמכים
764 764 permission_edit_project: ערוך פרויקט
765 765 permission_add_issue_notes: Add notes
766 766 permission_save_queries: שמור שאילתות
767 767 permission_view_wiki_pages: צפה ב-wiki
768 768 permission_rename_wiki_pages: שנה שם של דפי wiki
769 769 permission_edit_time_entries: ערוך רישום זמנים
770 770 permission_edit_own_issue_notes: Edit own notes
771 771 setting_gravatar_enabled: Use Gravatar user icons
772 772 label_example: דוגמא
773 773 text_repository_usernames_mapping: "Select ou update the Redmine user mapped to each username found in the repository log.\nUsers with the same Redmine and repository username or email are automatically mapped."
774 774 permission_edit_own_messages: ערוך הודעות של עצמך
775 775 permission_delete_own_messages: מחק הודעות של עצמך
776 776 label_user_activity: "הפעילות של {{value}}"
777 777 label_updated_time_by: "עודכן ע'י {{author}} לפני {{age}}"
778 778 setting_diff_max_lines_displayed: Max number of diff lines displayed
779 779 text_plugin_assets_writable: Plugin assets directory writable
780 780 text_diff_truncated: '... This diff was truncated because it exceeds the maximum size that can be displayed.'
781 781 warning_attachments_not_saved: "{{count}} file(s) could not be saved."
782 782 button_create_and_continue: Create and continue
783 783 text_custom_field_possible_values_info: 'One line for each value'
784 784 label_display: Display
785 785 field_editable: Editable
786 786 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
787 787 setting_file_max_size_displayed: Max size of text files displayed inline
788 788 field_watcher: Watcher
789 789 setting_openid: Allow OpenID login and registration
790 790 field_identity_url: OpenID URL
791 791 label_login_with_open_id_option: or login with OpenID
792 792 field_content: Content
793 793 label_descending: Descending
794 794 label_sort: Sort
795 795 label_ascending: Ascending
796 796 label_date_from_to: From {{start}} to {{end}}
797 797 label_greater_or_equal: ">="
798 798 label_less_or_equal: <=
799 799 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
800 800 text_wiki_page_reassign_children: Reassign child pages to this parent page
801 801 text_wiki_page_nullify_children: Keep child pages as root pages
802 802 text_wiki_page_destroy_children: Delete child pages and all their descendants
803 803 setting_password_min_length: Minimum password length
804 804 field_group_by: Group results by
805 805 mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated"
806 806 label_wiki_content_added: Wiki page added
807 807 mail_subject_wiki_content_added: "'{{page}}' wiki page has been added"
808 808 mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}.
809 809 label_wiki_content_updated: Wiki page updated
810 810 mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}.
811 811 permission_add_project: Create project
812 812 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
813 813 label_view_all_revisions: View all revisions
814 814 label_tag: Tag
815 815 label_branch: Branch
816 816 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
817 817 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
818 818 text_journal_changed: "{{label}} changed from {{old}} to {{new}}"
819 819 text_journal_set_to: "{{label}} set to {{value}}"
820 820 text_journal_deleted: "{{label}} deleted"
821 821 label_group_plural: Groups
822 822 label_group: Group
823 823 label_group_new: New group
824 label_time_entry_plural: Spent time
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
General Comments 0
You need to be logged in to leave comments. Login now