##// END OF EJS Templates
Typo "coma" (#20551)....
Jean-Philippe Lang -
r14330:11bce09825f4
parent child
Show More

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

@@ -1,861 +1,861
1 1 # Redmine - project management software
2 2 # Copyright (C) 2006-2015 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 require "digest/sha1"
19 19
20 20 class User < Principal
21 21 include Redmine::SafeAttributes
22 22
23 23 # Different ways of displaying/sorting users
24 24 USER_FORMATS = {
25 25 :firstname_lastname => {
26 26 :string => '#{firstname} #{lastname}',
27 27 :order => %w(firstname lastname id),
28 28 :setting_order => 1
29 29 },
30 30 :firstname_lastinitial => {
31 31 :string => '#{firstname} #{lastname.to_s.chars.first}.',
32 32 :order => %w(firstname lastname id),
33 33 :setting_order => 2
34 34 },
35 35 :firstinitial_lastname => {
36 36 :string => '#{firstname.to_s.gsub(/(([[:alpha:]])[[:alpha:]]*\.?)/, \'\2.\')} #{lastname}',
37 37 :order => %w(firstname lastname id),
38 38 :setting_order => 2
39 39 },
40 40 :firstname => {
41 41 :string => '#{firstname}',
42 42 :order => %w(firstname id),
43 43 :setting_order => 3
44 44 },
45 45 :lastname_firstname => {
46 46 :string => '#{lastname} #{firstname}',
47 47 :order => %w(lastname firstname id),
48 48 :setting_order => 4
49 49 },
50 :lastname_coma_firstname => {
50 :lastname_comma_firstname => {
51 51 :string => '#{lastname}, #{firstname}',
52 52 :order => %w(lastname firstname id),
53 53 :setting_order => 5
54 54 },
55 55 :lastname => {
56 56 :string => '#{lastname}',
57 57 :order => %w(lastname id),
58 58 :setting_order => 6
59 59 },
60 60 :username => {
61 61 :string => '#{login}',
62 62 :order => %w(login id),
63 63 :setting_order => 7
64 64 },
65 65 }
66 66
67 67 MAIL_NOTIFICATION_OPTIONS = [
68 68 ['all', :label_user_mail_option_all],
69 69 ['selected', :label_user_mail_option_selected],
70 70 ['only_my_events', :label_user_mail_option_only_my_events],
71 71 ['only_assigned', :label_user_mail_option_only_assigned],
72 72 ['only_owner', :label_user_mail_option_only_owner],
73 73 ['none', :label_user_mail_option_none]
74 74 ]
75 75
76 76 has_and_belongs_to_many :groups,
77 77 :join_table => "#{table_name_prefix}groups_users#{table_name_suffix}",
78 78 :after_add => Proc.new {|user, group| group.user_added(user)},
79 79 :after_remove => Proc.new {|user, group| group.user_removed(user)}
80 80 has_many :changesets, :dependent => :nullify
81 81 has_one :preference, :dependent => :destroy, :class_name => 'UserPreference'
82 82 has_one :rss_token, lambda {where "action='feeds'"}, :class_name => 'Token'
83 83 has_one :api_token, lambda {where "action='api'"}, :class_name => 'Token'
84 84 has_one :email_address, lambda {where :is_default => true}, :autosave => true
85 85 has_many :email_addresses, :dependent => :delete_all
86 86 belongs_to :auth_source
87 87
88 88 scope :logged, lambda { where("#{User.table_name}.status <> #{STATUS_ANONYMOUS}") }
89 89 scope :status, lambda {|arg| where(arg.blank? ? nil : {:status => arg.to_i}) }
90 90
91 91 acts_as_customizable
92 92
93 93 attr_accessor :password, :password_confirmation, :generate_password
94 94 attr_accessor :last_before_login_on
95 95 # Prevents unauthorized assignments
96 96 attr_protected :login, :admin, :password, :password_confirmation, :hashed_password
97 97
98 98 LOGIN_LENGTH_LIMIT = 60
99 99 MAIL_LENGTH_LIMIT = 60
100 100
101 101 validates_presence_of :login, :firstname, :lastname, :if => Proc.new { |user| !user.is_a?(AnonymousUser) }
102 102 validates_uniqueness_of :login, :if => Proc.new { |user| user.login_changed? && user.login.present? }, :case_sensitive => false
103 103 # Login must contain letters, numbers, underscores only
104 104 validates_format_of :login, :with => /\A[a-z0-9_\-@\.]*\z/i
105 105 validates_length_of :login, :maximum => LOGIN_LENGTH_LIMIT
106 106 validates_length_of :firstname, :lastname, :maximum => 30
107 107 validates_inclusion_of :mail_notification, :in => MAIL_NOTIFICATION_OPTIONS.collect(&:first), :allow_blank => true
108 108 validate :validate_password_length
109 109 validate do
110 110 if password_confirmation && password != password_confirmation
111 111 errors.add(:password, :confirmation)
112 112 end
113 113 end
114 114
115 115 before_validation :instantiate_email_address
116 116 before_create :set_mail_notification
117 117 before_save :generate_password_if_needed, :update_hashed_password
118 118 before_destroy :remove_references_before_destroy
119 119 after_save :update_notified_project_ids, :destroy_tokens
120 120
121 121 scope :in_group, lambda {|group|
122 122 group_id = group.is_a?(Group) ? group.id : group.to_i
123 123 where("#{User.table_name}.id IN (SELECT gu.user_id FROM #{table_name_prefix}groups_users#{table_name_suffix} gu WHERE gu.group_id = ?)", group_id)
124 124 }
125 125 scope :not_in_group, lambda {|group|
126 126 group_id = group.is_a?(Group) ? group.id : group.to_i
127 127 where("#{User.table_name}.id NOT IN (SELECT gu.user_id FROM #{table_name_prefix}groups_users#{table_name_suffix} gu WHERE gu.group_id = ?)", group_id)
128 128 }
129 129 scope :sorted, lambda { order(*User.fields_for_order_statement)}
130 130 scope :having_mail, lambda {|arg|
131 131 addresses = Array.wrap(arg).map {|a| a.to_s.downcase}
132 132 if addresses.any?
133 133 joins(:email_addresses).where("LOWER(#{EmailAddress.table_name}.address) IN (?)", addresses).uniq
134 134 else
135 135 none
136 136 end
137 137 }
138 138
139 139 def set_mail_notification
140 140 self.mail_notification = Setting.default_notification_option if self.mail_notification.blank?
141 141 true
142 142 end
143 143
144 144 def update_hashed_password
145 145 # update hashed_password if password was set
146 146 if self.password && self.auth_source_id.blank?
147 147 salt_password(password)
148 148 end
149 149 end
150 150
151 151 alias :base_reload :reload
152 152 def reload(*args)
153 153 @name = nil
154 154 @projects_by_role = nil
155 155 @membership_by_project_id = nil
156 156 @notified_projects_ids = nil
157 157 @notified_projects_ids_changed = false
158 158 @builtin_role = nil
159 159 @visible_project_ids = nil
160 160 @managed_roles = nil
161 161 base_reload(*args)
162 162 end
163 163
164 164 def mail
165 165 email_address.try(:address)
166 166 end
167 167
168 168 def mail=(arg)
169 169 email = email_address || build_email_address
170 170 email.address = arg
171 171 end
172 172
173 173 def mail_changed?
174 174 email_address.try(:address_changed?)
175 175 end
176 176
177 177 def mails
178 178 email_addresses.pluck(:address)
179 179 end
180 180
181 181 def self.find_or_initialize_by_identity_url(url)
182 182 user = where(:identity_url => url).first
183 183 unless user
184 184 user = User.new
185 185 user.identity_url = url
186 186 end
187 187 user
188 188 end
189 189
190 190 def identity_url=(url)
191 191 if url.blank?
192 192 write_attribute(:identity_url, '')
193 193 else
194 194 begin
195 195 write_attribute(:identity_url, OpenIdAuthentication.normalize_identifier(url))
196 196 rescue OpenIdAuthentication::InvalidOpenId
197 197 # Invalid url, don't save
198 198 end
199 199 end
200 200 self.read_attribute(:identity_url)
201 201 end
202 202
203 203 # Returns the user that matches provided login and password, or nil
204 204 def self.try_to_login(login, password, active_only=true)
205 205 login = login.to_s
206 206 password = password.to_s
207 207
208 208 # Make sure no one can sign in with an empty login or password
209 209 return nil if login.empty? || password.empty?
210 210 user = find_by_login(login)
211 211 if user
212 212 # user is already in local database
213 213 return nil unless user.check_password?(password)
214 214 return nil if !user.active? && active_only
215 215 else
216 216 # user is not yet registered, try to authenticate with available sources
217 217 attrs = AuthSource.authenticate(login, password)
218 218 if attrs
219 219 user = new(attrs)
220 220 user.login = login
221 221 user.language = Setting.default_language
222 222 if user.save
223 223 user.reload
224 224 logger.info("User '#{user.login}' created from external auth source: #{user.auth_source.type} - #{user.auth_source.name}") if logger && user.auth_source
225 225 end
226 226 end
227 227 end
228 228 user.update_column(:last_login_on, Time.now) if user && !user.new_record? && user.active?
229 229 user
230 230 rescue => text
231 231 raise text
232 232 end
233 233
234 234 # Returns the user who matches the given autologin +key+ or nil
235 235 def self.try_to_autologin(key)
236 236 user = Token.find_active_user('autologin', key, Setting.autologin.to_i)
237 237 if user
238 238 user.update_column(:last_login_on, Time.now)
239 239 user
240 240 end
241 241 end
242 242
243 243 def self.name_formatter(formatter = nil)
244 244 USER_FORMATS[formatter || Setting.user_format] || USER_FORMATS[:firstname_lastname]
245 245 end
246 246
247 247 # Returns an array of fields names than can be used to make an order statement for users
248 248 # according to how user names are displayed
249 249 # Examples:
250 250 #
251 251 # User.fields_for_order_statement => ['users.login', 'users.id']
252 252 # User.fields_for_order_statement('authors') => ['authors.login', 'authors.id']
253 253 def self.fields_for_order_statement(table=nil)
254 254 table ||= table_name
255 255 name_formatter[:order].map {|field| "#{table}.#{field}"}
256 256 end
257 257
258 258 # Return user's full name for display
259 259 def name(formatter = nil)
260 260 f = self.class.name_formatter(formatter)
261 261 if formatter
262 262 eval('"' + f[:string] + '"')
263 263 else
264 264 @name ||= eval('"' + f[:string] + '"')
265 265 end
266 266 end
267 267
268 268 def active?
269 269 self.status == STATUS_ACTIVE
270 270 end
271 271
272 272 def registered?
273 273 self.status == STATUS_REGISTERED
274 274 end
275 275
276 276 def locked?
277 277 self.status == STATUS_LOCKED
278 278 end
279 279
280 280 def activate
281 281 self.status = STATUS_ACTIVE
282 282 end
283 283
284 284 def register
285 285 self.status = STATUS_REGISTERED
286 286 end
287 287
288 288 def lock
289 289 self.status = STATUS_LOCKED
290 290 end
291 291
292 292 def activate!
293 293 update_attribute(:status, STATUS_ACTIVE)
294 294 end
295 295
296 296 def register!
297 297 update_attribute(:status, STATUS_REGISTERED)
298 298 end
299 299
300 300 def lock!
301 301 update_attribute(:status, STATUS_LOCKED)
302 302 end
303 303
304 304 # Returns true if +clear_password+ is the correct user's password, otherwise false
305 305 def check_password?(clear_password)
306 306 if auth_source_id.present?
307 307 auth_source.authenticate(self.login, clear_password)
308 308 else
309 309 User.hash_password("#{salt}#{User.hash_password clear_password}") == hashed_password
310 310 end
311 311 end
312 312
313 313 # Generates a random salt and computes hashed_password for +clear_password+
314 314 # The hashed password is stored in the following form: SHA1(salt + SHA1(password))
315 315 def salt_password(clear_password)
316 316 self.salt = User.generate_salt
317 317 self.hashed_password = User.hash_password("#{salt}#{User.hash_password clear_password}")
318 318 self.passwd_changed_on = Time.now.change(:usec => 0)
319 319 end
320 320
321 321 # Does the backend storage allow this user to change their password?
322 322 def change_password_allowed?
323 323 return true if auth_source.nil?
324 324 return auth_source.allow_password_changes?
325 325 end
326 326
327 327 # Returns true if the user password has expired
328 328 def password_expired?
329 329 period = Setting.password_max_age.to_i
330 330 if period.zero?
331 331 false
332 332 else
333 333 changed_on = self.passwd_changed_on || Time.at(0)
334 334 changed_on < period.days.ago
335 335 end
336 336 end
337 337
338 338 def must_change_password?
339 339 (must_change_passwd? || password_expired?) && change_password_allowed?
340 340 end
341 341
342 342 def generate_password?
343 343 generate_password == '1' || generate_password == true
344 344 end
345 345
346 346 # Generate and set a random password on given length
347 347 def random_password(length=40)
348 348 chars = ("a".."z").to_a + ("A".."Z").to_a + ("0".."9").to_a
349 349 chars -= %w(0 O 1 l)
350 350 password = ''
351 351 length.times {|i| password << chars[SecureRandom.random_number(chars.size)] }
352 352 self.password = password
353 353 self.password_confirmation = password
354 354 self
355 355 end
356 356
357 357 def pref
358 358 self.preference ||= UserPreference.new(:user => self)
359 359 end
360 360
361 361 def time_zone
362 362 @time_zone ||= (self.pref.time_zone.blank? ? nil : ActiveSupport::TimeZone[self.pref.time_zone])
363 363 end
364 364
365 365 def force_default_language?
366 366 Setting.force_default_language_for_loggedin?
367 367 end
368 368
369 369 def language
370 370 if force_default_language?
371 371 Setting.default_language
372 372 else
373 373 super
374 374 end
375 375 end
376 376
377 377 def wants_comments_in_reverse_order?
378 378 self.pref[:comments_sorting] == 'desc'
379 379 end
380 380
381 381 # Return user's RSS key (a 40 chars long string), used to access feeds
382 382 def rss_key
383 383 if rss_token.nil?
384 384 create_rss_token(:action => 'feeds')
385 385 end
386 386 rss_token.value
387 387 end
388 388
389 389 # Return user's API key (a 40 chars long string), used to access the API
390 390 def api_key
391 391 if api_token.nil?
392 392 create_api_token(:action => 'api')
393 393 end
394 394 api_token.value
395 395 end
396 396
397 397 # Return an array of project ids for which the user has explicitly turned mail notifications on
398 398 def notified_projects_ids
399 399 @notified_projects_ids ||= memberships.select {|m| m.mail_notification?}.collect(&:project_id)
400 400 end
401 401
402 402 def notified_project_ids=(ids)
403 403 @notified_projects_ids_changed = true
404 404 @notified_projects_ids = ids.map(&:to_i).uniq.select {|n| n > 0}
405 405 end
406 406
407 407 # Updates per project notifications (after_save callback)
408 408 def update_notified_project_ids
409 409 if @notified_projects_ids_changed
410 410 ids = (mail_notification == 'selected' ? Array.wrap(notified_projects_ids).reject(&:blank?) : [])
411 411 members.update_all(:mail_notification => false)
412 412 members.where(:project_id => ids).update_all(:mail_notification => true) if ids.any?
413 413 end
414 414 end
415 415 private :update_notified_project_ids
416 416
417 417 def valid_notification_options
418 418 self.class.valid_notification_options(self)
419 419 end
420 420
421 421 # Only users that belong to more than 1 project can select projects for which they are notified
422 422 def self.valid_notification_options(user=nil)
423 423 # Note that @user.membership.size would fail since AR ignores
424 424 # :include association option when doing a count
425 425 if user.nil? || user.memberships.length < 1
426 426 MAIL_NOTIFICATION_OPTIONS.reject {|option| option.first == 'selected'}
427 427 else
428 428 MAIL_NOTIFICATION_OPTIONS
429 429 end
430 430 end
431 431
432 432 # Find a user account by matching the exact login and then a case-insensitive
433 433 # version. Exact matches will be given priority.
434 434 def self.find_by_login(login)
435 435 login = Redmine::CodesetUtil.replace_invalid_utf8(login.to_s)
436 436 if login.present?
437 437 # First look for an exact match
438 438 user = where(:login => login).detect {|u| u.login == login}
439 439 unless user
440 440 # Fail over to case-insensitive if none was found
441 441 user = where("LOWER(login) = ?", login.downcase).first
442 442 end
443 443 user
444 444 end
445 445 end
446 446
447 447 def self.find_by_rss_key(key)
448 448 Token.find_active_user('feeds', key)
449 449 end
450 450
451 451 def self.find_by_api_key(key)
452 452 Token.find_active_user('api', key)
453 453 end
454 454
455 455 # Makes find_by_mail case-insensitive
456 456 def self.find_by_mail(mail)
457 457 having_mail(mail).first
458 458 end
459 459
460 460 # Returns true if the default admin account can no longer be used
461 461 def self.default_admin_account_changed?
462 462 !User.active.find_by_login("admin").try(:check_password?, "admin")
463 463 end
464 464
465 465 def to_s
466 466 name
467 467 end
468 468
469 469 CSS_CLASS_BY_STATUS = {
470 470 STATUS_ANONYMOUS => 'anon',
471 471 STATUS_ACTIVE => 'active',
472 472 STATUS_REGISTERED => 'registered',
473 473 STATUS_LOCKED => 'locked'
474 474 }
475 475
476 476 def css_classes
477 477 "user #{CSS_CLASS_BY_STATUS[status]}"
478 478 end
479 479
480 480 # Returns the current day according to user's time zone
481 481 def today
482 482 if time_zone.nil?
483 483 Date.today
484 484 else
485 485 Time.now.in_time_zone(time_zone).to_date
486 486 end
487 487 end
488 488
489 489 # Returns the day of +time+ according to user's time zone
490 490 def time_to_date(time)
491 491 if time_zone.nil?
492 492 time.to_date
493 493 else
494 494 time.in_time_zone(time_zone).to_date
495 495 end
496 496 end
497 497
498 498 def logged?
499 499 true
500 500 end
501 501
502 502 def anonymous?
503 503 !logged?
504 504 end
505 505
506 506 # Returns user's membership for the given project
507 507 # or nil if the user is not a member of project
508 508 def membership(project)
509 509 project_id = project.is_a?(Project) ? project.id : project
510 510
511 511 @membership_by_project_id ||= Hash.new {|h, project_id|
512 512 h[project_id] = memberships.where(:project_id => project_id).first
513 513 }
514 514 @membership_by_project_id[project_id]
515 515 end
516 516
517 517 # Returns the user's bult-in role
518 518 def builtin_role
519 519 @builtin_role ||= Role.non_member
520 520 end
521 521
522 522 # Return user's roles for project
523 523 def roles_for_project(project)
524 524 # No role on archived projects
525 525 return [] if project.nil? || project.archived?
526 526 if membership = membership(project)
527 527 membership.roles.dup
528 528 elsif project.is_public?
529 529 project.override_roles(builtin_role)
530 530 else
531 531 []
532 532 end
533 533 end
534 534
535 535 # Returns a hash of user's projects grouped by roles
536 536 def projects_by_role
537 537 return @projects_by_role if @projects_by_role
538 538
539 539 hash = Hash.new([])
540 540
541 541 group_class = anonymous? ? GroupAnonymous : GroupNonMember
542 542 members = Member.joins(:project, :principal).
543 543 where("#{Project.table_name}.status <> 9").
544 544 where("#{Member.table_name}.user_id = ? OR (#{Project.table_name}.is_public = ? AND #{Principal.table_name}.type = ?)", self.id, true, group_class.name).
545 545 preload(:project, :roles).
546 546 to_a
547 547
548 548 members.reject! {|member| member.user_id != id && project_ids.include?(member.project_id)}
549 549 members.each do |member|
550 550 if member.project
551 551 member.roles.each do |role|
552 552 hash[role] = [] unless hash.key?(role)
553 553 hash[role] << member.project
554 554 end
555 555 end
556 556 end
557 557
558 558 hash.each do |role, projects|
559 559 projects.uniq!
560 560 end
561 561
562 562 @projects_by_role = hash
563 563 end
564 564
565 565 # Returns the ids of visible projects
566 566 def visible_project_ids
567 567 @visible_project_ids ||= Project.visible(self).pluck(:id)
568 568 end
569 569
570 570 # Returns the roles that the user is allowed to manage for the given project
571 571 def managed_roles(project)
572 572 if admin?
573 573 @managed_roles ||= Role.givable.to_a
574 574 else
575 575 membership(project).try(:managed_roles) || []
576 576 end
577 577 end
578 578
579 579 # Returns true if user is arg or belongs to arg
580 580 def is_or_belongs_to?(arg)
581 581 if arg.is_a?(User)
582 582 self == arg
583 583 elsif arg.is_a?(Group)
584 584 arg.users.include?(self)
585 585 else
586 586 false
587 587 end
588 588 end
589 589
590 590 # Return true if the user is allowed to do the specified action on a specific context
591 591 # Action can be:
592 592 # * a parameter-like Hash (eg. :controller => 'projects', :action => 'edit')
593 593 # * a permission Symbol (eg. :edit_project)
594 594 # Context can be:
595 595 # * a project : returns true if user is allowed to do the specified action on this project
596 596 # * an array of projects : returns true if user is allowed on every project
597 597 # * nil with options[:global] set : check if user has at least one role allowed for this action,
598 598 # or falls back to Non Member / Anonymous permissions depending if the user is logged
599 599 def allowed_to?(action, context, options={}, &block)
600 600 if context && context.is_a?(Project)
601 601 return false unless context.allows_to?(action)
602 602 # Admin users are authorized for anything else
603 603 return true if admin?
604 604
605 605 roles = roles_for_project(context)
606 606 return false unless roles
607 607 roles.any? {|role|
608 608 (context.is_public? || role.member?) &&
609 609 role.allowed_to?(action) &&
610 610 (block_given? ? yield(role, self) : true)
611 611 }
612 612 elsif context && context.is_a?(Array)
613 613 if context.empty?
614 614 false
615 615 else
616 616 # Authorize if user is authorized on every element of the array
617 617 context.map {|project| allowed_to?(action, project, options, &block)}.reduce(:&)
618 618 end
619 619 elsif context
620 620 raise ArgumentError.new("#allowed_to? context argument must be a Project, an Array of projects or nil")
621 621 elsif options[:global]
622 622 # Admin users are always authorized
623 623 return true if admin?
624 624
625 625 # authorize if user has at least one role that has this permission
626 626 roles = memberships.collect {|m| m.roles}.flatten.uniq
627 627 roles << (self.logged? ? Role.non_member : Role.anonymous)
628 628 roles.any? {|role|
629 629 role.allowed_to?(action) &&
630 630 (block_given? ? yield(role, self) : true)
631 631 }
632 632 else
633 633 false
634 634 end
635 635 end
636 636
637 637 # Is the user allowed to do the specified action on any project?
638 638 # See allowed_to? for the actions and valid options.
639 639 #
640 640 # NB: this method is not used anywhere in the core codebase as of
641 641 # 2.5.2, but it's used by many plugins so if we ever want to remove
642 642 # it it has to be carefully deprecated for a version or two.
643 643 def allowed_to_globally?(action, options={}, &block)
644 644 allowed_to?(action, nil, options.reverse_merge(:global => true), &block)
645 645 end
646 646
647 647 def allowed_to_view_all_time_entries?(context)
648 648 allowed_to?(:view_time_entries, context) do |role, user|
649 649 role.time_entries_visibility == 'all'
650 650 end
651 651 end
652 652
653 653 # Returns true if the user is allowed to delete the user's own account
654 654 def own_account_deletable?
655 655 Setting.unsubscribe? &&
656 656 (!admin? || User.active.where("admin = ? AND id <> ?", true, id).exists?)
657 657 end
658 658
659 659 safe_attributes 'firstname',
660 660 'lastname',
661 661 'mail',
662 662 'mail_notification',
663 663 'notified_project_ids',
664 664 'language',
665 665 'custom_field_values',
666 666 'custom_fields',
667 667 'identity_url'
668 668
669 669 safe_attributes 'status',
670 670 'auth_source_id',
671 671 'generate_password',
672 672 'must_change_passwd',
673 673 :if => lambda {|user, current_user| current_user.admin?}
674 674
675 675 safe_attributes 'group_ids',
676 676 :if => lambda {|user, current_user| current_user.admin? && !user.new_record?}
677 677
678 678 # Utility method to help check if a user should be notified about an
679 679 # event.
680 680 #
681 681 # TODO: only supports Issue events currently
682 682 def notify_about?(object)
683 683 if mail_notification == 'all'
684 684 true
685 685 elsif mail_notification.blank? || mail_notification == 'none'
686 686 false
687 687 else
688 688 case object
689 689 when Issue
690 690 case mail_notification
691 691 when 'selected', 'only_my_events'
692 692 # user receives notifications for created/assigned issues on unselected projects
693 693 object.author == self || is_or_belongs_to?(object.assigned_to) || is_or_belongs_to?(object.assigned_to_was)
694 694 when 'only_assigned'
695 695 is_or_belongs_to?(object.assigned_to) || is_or_belongs_to?(object.assigned_to_was)
696 696 when 'only_owner'
697 697 object.author == self
698 698 end
699 699 when News
700 700 # always send to project members except when mail_notification is set to 'none'
701 701 true
702 702 end
703 703 end
704 704 end
705 705
706 706 def self.current=(user)
707 707 RequestStore.store[:current_user] = user
708 708 end
709 709
710 710 def self.current
711 711 RequestStore.store[:current_user] ||= User.anonymous
712 712 end
713 713
714 714 # Returns the anonymous user. If the anonymous user does not exist, it is created. There can be only
715 715 # one anonymous user per database.
716 716 def self.anonymous
717 717 anonymous_user = AnonymousUser.first
718 718 if anonymous_user.nil?
719 719 anonymous_user = AnonymousUser.create(:lastname => 'Anonymous', :firstname => '', :login => '', :status => 0)
720 720 raise 'Unable to create the anonymous user.' if anonymous_user.new_record?
721 721 end
722 722 anonymous_user
723 723 end
724 724
725 725 # Salts all existing unsalted passwords
726 726 # It changes password storage scheme from SHA1(password) to SHA1(salt + SHA1(password))
727 727 # This method is used in the SaltPasswords migration and is to be kept as is
728 728 def self.salt_unsalted_passwords!
729 729 transaction do
730 730 User.where("salt IS NULL OR salt = ''").find_each do |user|
731 731 next if user.hashed_password.blank?
732 732 salt = User.generate_salt
733 733 hashed_password = User.hash_password("#{salt}#{user.hashed_password}")
734 734 User.where(:id => user.id).update_all(:salt => salt, :hashed_password => hashed_password)
735 735 end
736 736 end
737 737 end
738 738
739 739 protected
740 740
741 741 def validate_password_length
742 742 return if password.blank? && generate_password?
743 743 # Password length validation based on setting
744 744 if !password.nil? && password.size < Setting.password_min_length.to_i
745 745 errors.add(:password, :too_short, :count => Setting.password_min_length.to_i)
746 746 end
747 747 end
748 748
749 749 def instantiate_email_address
750 750 email_address || build_email_address
751 751 end
752 752
753 753 private
754 754
755 755 def generate_password_if_needed
756 756 if generate_password? && auth_source.nil?
757 757 length = [Setting.password_min_length.to_i + 2, 10].max
758 758 random_password(length)
759 759 end
760 760 end
761 761
762 762 # Delete all outstanding password reset tokens on password change.
763 763 # Delete the autologin tokens on password change to prohibit session leakage.
764 764 # This helps to keep the account secure in case the associated email account
765 765 # was compromised.
766 766 def destroy_tokens
767 767 if hashed_password_changed?
768 768 tokens = ['recovery', 'autologin']
769 769 Token.where(:user_id => id, :action => tokens).delete_all
770 770 end
771 771 end
772 772
773 773 # Removes references that are not handled by associations
774 774 # Things that are not deleted are reassociated with the anonymous user
775 775 def remove_references_before_destroy
776 776 return if self.id.nil?
777 777
778 778 substitute = User.anonymous
779 779 Attachment.where(['author_id = ?', id]).update_all(['author_id = ?', substitute.id])
780 780 Comment.where(['author_id = ?', id]).update_all(['author_id = ?', substitute.id])
781 781 Issue.where(['author_id = ?', id]).update_all(['author_id = ?', substitute.id])
782 782 Issue.where(['assigned_to_id = ?', id]).update_all('assigned_to_id = NULL')
783 783 Journal.where(['user_id = ?', id]).update_all(['user_id = ?', substitute.id])
784 784 JournalDetail.
785 785 where(["property = 'attr' AND prop_key = 'assigned_to_id' AND old_value = ?", id.to_s]).
786 786 update_all(['old_value = ?', substitute.id.to_s])
787 787 JournalDetail.
788 788 where(["property = 'attr' AND prop_key = 'assigned_to_id' AND value = ?", id.to_s]).
789 789 update_all(['value = ?', substitute.id.to_s])
790 790 Message.where(['author_id = ?', id]).update_all(['author_id = ?', substitute.id])
791 791 News.where(['author_id = ?', id]).update_all(['author_id = ?', substitute.id])
792 792 # Remove private queries and keep public ones
793 793 ::Query.delete_all ['user_id = ? AND visibility = ?', id, ::Query::VISIBILITY_PRIVATE]
794 794 ::Query.where(['user_id = ?', id]).update_all(['user_id = ?', substitute.id])
795 795 TimeEntry.where(['user_id = ?', id]).update_all(['user_id = ?', substitute.id])
796 796 Token.delete_all ['user_id = ?', id]
797 797 Watcher.delete_all ['user_id = ?', id]
798 798 WikiContent.where(['author_id = ?', id]).update_all(['author_id = ?', substitute.id])
799 799 WikiContent::Version.where(['author_id = ?', id]).update_all(['author_id = ?', substitute.id])
800 800 end
801 801
802 802 # Return password digest
803 803 def self.hash_password(clear_password)
804 804 Digest::SHA1.hexdigest(clear_password || "")
805 805 end
806 806
807 807 # Returns a 128bits random salt as a hex string (32 chars long)
808 808 def self.generate_salt
809 809 Redmine::Utils.random_hex(16)
810 810 end
811 811
812 812 end
813 813
814 814 class AnonymousUser < User
815 815 validate :validate_anonymous_uniqueness, :on => :create
816 816
817 817 def validate_anonymous_uniqueness
818 818 # There should be only one AnonymousUser in the database
819 819 errors.add :base, 'An anonymous user already exists.' if AnonymousUser.exists?
820 820 end
821 821
822 822 def available_custom_fields
823 823 []
824 824 end
825 825
826 826 # Overrides a few properties
827 827 def logged?; false end
828 828 def admin; false end
829 829 def name(*args); I18n.t(:label_user_anonymous) end
830 830 def mail=(*args); nil end
831 831 def mail; nil end
832 832 def time_zone; nil end
833 833 def rss_key; nil end
834 834
835 835 def pref
836 836 UserPreference.new(:user => self)
837 837 end
838 838
839 839 # Returns the user's bult-in role
840 840 def builtin_role
841 841 @builtin_role ||= Role.anonymous
842 842 end
843 843
844 844 def membership(*args)
845 845 nil
846 846 end
847 847
848 848 def member_of?(*args)
849 849 false
850 850 end
851 851
852 852 # Anonymous user can not be destroyed
853 853 def destroy
854 854 false
855 855 end
856 856
857 857 protected
858 858
859 859 def instantiate_email_address
860 860 end
861 861 end
@@ -1,30 +1,30
1 1 <h2><%= l(:label_import_issues) %></h2>
2 2
3 3 <%= form_tag(import_settings_path(@import), :id => "import-form") do %>
4 4 <fieldset class="box tabular">
5 5 <legend><%= l(:label_options) %></legend>
6 6 <p>
7 7 <label><%= l(:label_fields_separator) %></label>
8 8 <%= select_tag 'import_settings[separator]',
9 options_for_select([[l(:label_coma_char), ','], [l(:label_semi_colon_char), ';']], @import.settings['separator']) %>
9 options_for_select([[l(:label_comma_char), ','], [l(:label_semi_colon_char), ';']], @import.settings['separator']) %>
10 10 </p>
11 11 <p>
12 12 <label><%= l(:label_fields_wrapper) %></label>
13 13 <%= select_tag 'import_settings[wrapper]',
14 14 options_for_select([[l(:label_quote_char), "'"], [l(:label_double_quote_char), '"']], @import.settings['wrapper']) %>
15 15 </p>
16 16 <p>
17 17 <label><%= l(:label_encoding) %></label>
18 18 <%= select_tag 'import_settings[encoding]', options_for_select(Setting::ENCODINGS, @import.settings['encoding']) %>
19 19 </p>
20 20 <p>
21 21 <label><%= l(:setting_date_format) %></label>
22 22 <%= select_tag 'import_settings[date_format]', options_for_select(date_format_options, @import.settings['date_format']) %>
23 23 </p>
24 24 </fieldset>
25 25 <p><%= submit_tag l(:label_next).html_safe + " &#187;".html_safe, :name => nil %></p>
26 26 <% end %>
27 27
28 28 <% content_for :sidebar do %>
29 29 <%= render :partial => 'issues/sidebar' %>
30 30 <% end %>
@@ -1,1181 +1,1181
1 1 ar:
2 2 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
3 3 direction: rtl
4 4 date:
5 5 formats:
6 6 # Use the strftime parameters for formats.
7 7 # When no format has been given, it uses default.
8 8 # You can provide other formats here if you like!
9 9 default: "%m/%d/%Y"
10 10 short: "%b %d"
11 11 long: "%B %d, %Y"
12 12
13 13 day_names: [الاحد, الاثنين, الثلاثاء, الاربعاء, الخميس, الجمعة, السبت]
14 14 abbr_day_names: [أح, اث, ث, ار, خ, ج, س]
15 15
16 16 # Don't forget the nil at the beginning; there's no such thing as a 0th month
17 17 month_names: [~, كانون الثاني, شباط, آذار, نيسان, أيار, حزيران, تموز, آب, أيلول, تشرين الأول, تشرين الثاني, كانون الأول]
18 18 abbr_month_names: [~, كانون الثاني, شباط, آذار, نيسان, أيار, حزيران, تموز, آب, أيلول, تشرين الأول, تشرين الثاني, كانون الأول]
19 19 # Used in date_select and datime_select.
20 20 order:
21 21 - :السنة
22 22 - :الشهر
23 23 - :اليوم
24 24
25 25 time:
26 26 formats:
27 27 default: "%m/%d/%Y %I:%M %p"
28 28 time: "%I:%M %p"
29 29 short: "%d %b %H:%M"
30 30 long: "%B %d, %Y %H:%M"
31 31 am: "صباحا"
32 32 pm: "مساءاً"
33 33
34 34 datetime:
35 35 distance_in_words:
36 36 half_a_minute: "نصف دقيقة"
37 37 less_than_x_seconds:
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 one: "أقل من دقيقة"
45 45 other: "دقائق%{count}أقل من "
46 46 x_minutes:
47 47 one: "دقيقة"
48 48 other: "%{count} دقائق"
49 49 about_x_hours:
50 50 one: "حوالي ساعة"
51 51 other: "ساعات %{count}حوالي "
52 52 x_hours:
53 53 one: "%{count} ساعة"
54 54 other: "%{count} ساعات"
55 55 x_days:
56 56 one: "يوم"
57 57 other: "%{count} أيام"
58 58 about_x_months:
59 59 one: "حوالي شهر"
60 60 other: "أشهر %{count} حوالي"
61 61 x_months:
62 62 one: "شهر"
63 63 other: "%{count} أشهر"
64 64 about_x_years:
65 65 one: "حوالي سنة"
66 66 other: "سنوات %{count}حوالي "
67 67 over_x_years:
68 68 one: "اكثر من سنة"
69 69 other: "سنوات %{count}أكثر من "
70 70 almost_x_years:
71 71 one: "تقريبا سنة"
72 72 other: "سنوات %{count} نقريبا"
73 73 number:
74 74 format:
75 75 separator: "."
76 76 delimiter: ""
77 77 precision: 3
78 78
79 79 human:
80 80 format:
81 81 delimiter: ""
82 82 precision: 3
83 83 storage_units:
84 84 format: "%n %u"
85 85 units:
86 86 byte:
87 87 one: "Byte"
88 88 other: "Bytes"
89 89 kb: "KB"
90 90 mb: "MB"
91 91 gb: "GB"
92 92 tb: "TB"
93 93
94 94 # Used in array.to_sentence.
95 95 support:
96 96 array:
97 97 sentence_connector: "و"
98 98 skip_last_comma: خطأ
99 99
100 100 activerecord:
101 101 errors:
102 102 template:
103 103 header:
104 104 one: " %{model} خطأ يمنع تخزين"
105 105 other: " %{model} يمنع تخزين%{count}خطأ رقم "
106 106 messages:
107 107 inclusion: "غير مدرجة على القائمة"
108 108 exclusion: "محجوز"
109 109 invalid: "غير صالح"
110 110 confirmation: "غير متطابق"
111 111 accepted: "مقبولة"
112 112 empty: "لا يمكن ان تكون فارغة"
113 113 blank: "لا يمكن ان تكون فارغة"
114 114 too_long: " %{count} طويلة جدا، الحد الاقصى هو "
115 115 too_short: " %{count} قصيرة جدا، الحد الادنى هو "
116 116 wrong_length: " %{count} خطأ في الطول، يجب ان يكون "
117 117 taken: "لقد اتخذت سابقا"
118 118 not_a_number: "ليس رقما"
119 119 not_a_date: "ليس تاريخا صالحا"
120 120 greater_than: "%{count}يجب ان تكون اكثر من "
121 121 greater_than_or_equal_to: "%{count} يجب ان تكون اكثر من او تساوي"
122 122 equal_to: "%{count}يجب ان تساوي"
123 123 less_than: " %{count}يجب ان تكون اقل من"
124 124 less_than_or_equal_to: " %{count} يجب ان تكون اقل من او تساوي"
125 125 odd: "must be odd"
126 126 even: "must be even"
127 127 greater_than_start_date: "يجب ان تكون اكثر من تاريخ البداية"
128 128 not_same_project: "لا ينتمي الى نفس المشروع"
129 129 circular_dependency: "هذه العلاقة سوف تخلق علاقة تبعية دائرية"
130 130 cant_link_an_issue_with_a_descendant: "لا يمكن ان تكون المشكلة مرتبطة بواحدة من المهام الفرعية"
131 131 earlier_than_minimum_start_date: "cannot be earlier than %{date} because of preceding issues"
132 132
133 133 actionview_instancetag_blank_option: الرجاء التحديد
134 134
135 135 general_text_No: 'لا'
136 136 general_text_Yes: 'نعم'
137 137 general_text_no: 'لا'
138 138 general_text_yes: 'نعم'
139 139 general_lang_name: 'Arabic (عربي)'
140 140 general_csv_separator: ','
141 141 general_csv_decimal_separator: '.'
142 142 general_csv_encoding: ISO-8859-1
143 143 general_pdf_fontname: DejaVuSans
144 144 general_first_day_of_week: '7'
145 145
146 146 notice_account_updated: لقد تم تجديد الحساب بنجاح.
147 147 notice_account_invalid_creditentials: اسم المستخدم او كلمة المرور غير صحيحة
148 148 notice_account_password_updated: لقد تم تجديد كلمة المرور بنجاح.
149 149 notice_account_wrong_password: كلمة المرور غير صحيحة
150 150 notice_account_register_done: لقد تم انشاء حسابك بنجاح، الرجاء تأكيد الطلب من البريد الالكتروني
151 151 notice_account_unknown_email: مستخدم غير معروف.
152 152 notice_can_t_change_password: هذا الحساب يستخدم جهاز خارجي غير مصرح به لا يمكن تغير كلمة المرور
153 153 notice_account_lost_email_sent: لقد تم ارسال رسالة على بريدك بالتعليمات اللازمة لتغير كلمة المرور
154 154 notice_account_activated: لقد تم تفعيل حسابك، يمكنك الدخول الان
155 155 notice_successful_create: لقد تم الانشاء بنجاح
156 156 notice_successful_update: لقد تم التحديث بنجاح
157 157 notice_successful_delete: لقد تم الحذف بنجاح
158 158 notice_successful_connection: لقد تم الربط بنجاح
159 159 notice_file_not_found: الصفحة التي تحاول الدخول اليها غير موجوده او تم حذفها
160 160 notice_locking_conflict: تم تحديث البيانات عن طريق مستخدم آخر.
161 161 notice_not_authorized: غير مصرح لك الدخول الى هذه المنطقة.
162 162 notice_not_authorized_archived_project: المشروع الذي تحاول الدخول اليه تم ارشفته
163 163 notice_email_sent: "%{value}تم ارسال رسالة الى "
164 164 notice_email_error: " (%{value})لقد حدث خطأ ما اثناء ارسال الرسالة الى "
165 165 notice_feeds_access_key_reseted: كلمة الدخول Atomلقد تم تعديل .
166 166 notice_api_access_key_reseted: كلمة الدخولAPIلقد تم تعديل .
167 167 notice_failed_to_save_issues: "فشل في حفظ الملف"
168 168 notice_failed_to_save_members: "فشل في حفظ الاعضاء: %{errors}."
169 169 notice_no_issue_selected: "لم يتم تحديد شيء، الرجاء تحديد المسألة التي تريد"
170 170 notice_account_pending: "لقد تم انشاء حسابك، الرجاء الانتظار حتى تتم الموافقة"
171 171 notice_default_data_loaded: تم تحميل التكوين الافتراضي بنجاح
172 172 notice_unable_delete_version: غير قادر على مسح النسخة.
173 173 notice_unable_delete_time_entry: غير قادر على مسح وقت الدخول.
174 174 notice_issue_done_ratios_updated: لقد تم تحديث النسب.
175 175 notice_gantt_chart_truncated: " (%{max})لقد تم اقتطاع الرسم البياني لانه تجاوز الاحد الاقصى لعدد العناصر المسموح عرضها "
176 176 notice_issue_successful_create: "%{id}لقد تم انشاء "
177 177
178 178
179 179 error_can_t_load_default_data: "لم يتم تحميل التكوين الافتراضي كاملا %{value}"
180 180 error_scm_not_found: "لم يتم العثور على ادخال في المستودع"
181 181 error_scm_command_failed: "حدث خطأ عند محاولة الوصول الى المستودع: %{value}"
182 182 error_scm_annotate: "الادخال غير موجود."
183 183 error_scm_annotate_big_text_file: "لا يمكن حفظ الادخال لانه تجاوز الحد الاقصى لحجم الملف."
184 184 error_issue_not_found_in_project: 'لم يتم العثور على المخرج او انه ينتمي الى مشروع اخر'
185 185 error_no_tracker_in_project: 'لا يوجد انواع بنود عمل لهذا المشروع، الرجاء التحقق من إعدادات المشروع. '
186 186 error_no_default_issue_status: 'لم يتم التعرف على اي وضع افتراضي، الرجاء التحقق من التكوين الخاص بك (اذهب الى إدارة-إصدار الحالات)'
187 187 error_can_not_delete_custom_field: غير قادر على حذف الحقل المظلل
188 188 error_can_not_delete_tracker: "هذا النوع من بنود العمل يحتوي على بنود نشطة ولا يمكن حذفه"
189 189 error_can_not_remove_role: "هذا الدور قيد الاستخدام، لا يمكن حذفه"
190 190 error_can_not_reopen_issue_on_closed_version: 'لا يمكن إعادة فتح بند عمل معين لاصدار مقفل'
191 191 error_can_not_archive_project: لا يمكن ارشفة هذا المشروع
192 192 error_issue_done_ratios_not_updated: "لم يتم تحديث النسب"
193 193 error_workflow_copy_source: 'الرجاء اختيار نوع بند العمل او الادوار'
194 194 error_workflow_copy_target: 'الرجاء اختيار نوع بند العمل المستهدف او الادوار المستهدفة'
195 195 error_unable_delete_issue_status: 'غير قادر على حذف حالة بند العمل'
196 196 error_unable_to_connect: "تعذر الاتصال(%{value})"
197 197 error_attachment_too_big: " (%{max_size})لا يمكن تحميل هذا الملف، لقد تجاوز الحد الاقصى المسموح به "
198 198 warning_attachments_not_saved: "%{count}تعذر حفظ الملف"
199 199
200 200 mail_subject_lost_password: " %{value}كلمة المرور الخاصة بك "
201 201 mail_body_lost_password: 'لتغير كلمة المرور، انقر على الروابط التالية:'
202 202 mail_subject_register: " %{value}تفعيل حسابك "
203 203 mail_body_register: 'لتفعيل حسابك، انقر على الروابط التالية:'
204 204 mail_body_account_information_external: " %{value}اصبح بامكانك استخدام حسابك للدخول"
205 205 mail_body_account_information: معلومات حسابك
206 206 mail_subject_account_activation_request: "%{value}طلب تفعيل الحساب "
207 207 mail_body_account_activation_request: " (%{value})تم تسجيل حساب جديد، بانتظار الموافقة:"
208 208 mail_subject_reminder: "%{count}تم تأجيل المهام التالية "
209 209 mail_body_reminder: "%{count}يجب ان تقوم بتسليم المهام التالية:"
210 210 mail_subject_wiki_content_added: "'%{id}' تم اضافة صفحة ويكي"
211 211 mail_body_wiki_content_added: "The '%{id}' تم اضافة صفحة ويكي من قبل %{author}."
212 212 mail_subject_wiki_content_updated: "'%{id}' تم تحديث صفحة ويكي"
213 213 mail_body_wiki_content_updated: "The '%{id}'تم تحديث صفحة ويكي من قبل %{author}."
214 214
215 215
216 216 field_name: الاسم
217 217 field_description: الوصف
218 218 field_summary: الملخص
219 219 field_is_required: مطلوب
220 220 field_firstname: الاسم الاول
221 221 field_lastname: الاسم الاخير
222 222 field_mail: البريد الالكتروني
223 223 field_filename: اسم الملف
224 224 field_filesize: حجم الملف
225 225 field_downloads: التنزيل
226 226 field_author: المؤلف
227 227 field_created_on: تم الانشاء في
228 228 field_updated_on: تم التحديث
229 229 field_field_format: تنسيق الحقل
230 230 field_is_for_all: لكل المشروعات
231 231 field_possible_values: قيم محتملة
232 232 field_regexp: التعبير العادي
233 233 field_min_length: الحد الادنى للطول
234 234 field_max_length: الحد الاعلى للطول
235 235 field_value: القيمة
236 236 field_category: الفئة
237 237 field_title: العنوان
238 238 field_project: المشروع
239 239 field_issue: بند العمل
240 240 field_status: الحالة
241 241 field_notes: ملاحظات
242 242 field_is_closed: بند العمل مغلق
243 243 field_is_default: القيمة الافتراضية
244 244 field_tracker: نوع بند العمل
245 245 field_subject: الموضوع
246 246 field_due_date: تاريخ النهاية
247 247 field_assigned_to: المحال اليه
248 248 field_priority: الأولوية
249 249 field_fixed_version: الاصدار المستهدف
250 250 field_user: المستخدم
251 251 field_principal: الرئيسي
252 252 field_role: دور
253 253 field_homepage: الصفحة الرئيسية
254 254 field_is_public: عام
255 255 field_parent: مشروع فرعي من
256 256 field_is_in_roadmap: معروض في خارطة الطريق
257 257 field_login: تسجيل الدخول
258 258 field_mail_notification: ملاحظات على البريد الالكتروني
259 259 field_admin: المدير
260 260 field_last_login_on: اخر اتصال
261 261 field_language: لغة
262 262 field_effective_date: تاريخ
263 263 field_password: كلمة المرور
264 264 field_new_password: كلمة المرور الجديدة
265 265 field_password_confirmation: تأكيد
266 266 field_version: إصدار
267 267 field_type: نوع
268 268 field_host: المضيف
269 269 field_port: المنفذ
270 270 field_account: الحساب
271 271 field_base_dn: DN قاعدة
272 272 field_attr_login: سمة الدخول
273 273 field_attr_firstname: سمة الاسم الاول
274 274 field_attr_lastname: سمة الاسم الاخير
275 275 field_attr_mail: سمة البريد الالكتروني
276 276 field_onthefly: إنشاء حساب مستخدم على تحرك
277 277 field_start_date: تاريخ البداية
278 278 field_done_ratio: "نسبة الانجاز"
279 279 field_auth_source: وضع المصادقة
280 280 field_hide_mail: إخفاء بريدي الإلكتروني
281 281 field_comments: تعليق
282 282 field_url: رابط
283 283 field_start_page: صفحة البداية
284 284 field_subproject: المشروع الفرعي
285 285 field_hours: ساعات
286 286 field_activity: النشاط
287 287 field_spent_on: تاريخ
288 288 field_identifier: المعرف
289 289 field_is_filter: استخدم كتصفية
290 290 field_issue_to: بنود العمل المتصلة
291 291 field_delay: تأخير
292 292 field_assignable: يمكن اسناد بنود العمل الى هذا الدور
293 293 field_redirect_existing_links: إعادة توجيه الروابط الموجودة
294 294 field_estimated_hours: الوقت المتوقع
295 295 field_column_names: أعمدة
296 296 field_time_entries: وقت الدخول
297 297 field_time_zone: المنطقة الزمنية
298 298 field_searchable: يمكن البحث فيه
299 299 field_default_value: القيمة الافتراضية
300 300 field_comments_sorting: اعرض التعليقات
301 301 field_parent_title: صفحة الوالدين
302 302 field_editable: يمكن اعادة تحريره
303 303 field_watcher: مراقب
304 304 field_identity_url: افتح الرابط الخاص بالهوية الشخصية
305 305 field_content: المحتويات
306 306 field_group_by: تصنيف النتائج بواسطة
307 307 field_sharing: مشاركة
308 308 field_parent_issue: بند العمل الأصلي
309 309 field_member_of_group: "مجموعة المحال"
310 310 field_assigned_to_role: "دور المحال"
311 311 field_text: حقل نصي
312 312 field_visible: غير مرئي
313 313 field_warn_on_leaving_unsaved: "الرجاء التحذير عند مغادرة صفحة والنص غير محفوظ"
314 314 field_issues_visibility: بنود العمل المرئية
315 315 field_is_private: خاص
316 316 field_commit_logs_encoding: رسائل الترميز
317 317 field_scm_path_encoding: ترميز المسار
318 318 field_path_to_repository: مسار المستودع
319 319 field_root_directory: دليل الجذر
320 320 field_cvsroot: CVSجذر
321 321 field_cvs_module: وحدة
322 322
323 323 setting_app_title: عنوان التطبيق
324 324 setting_app_subtitle: العنوان الفرعي للتطبيق
325 325 setting_welcome_text: نص الترحيب
326 326 setting_default_language: اللغة الافتراضية
327 327 setting_login_required: مطلوب المصادقة
328 328 setting_self_registration: التسجيل الذاتي
329 329 setting_attachment_max_size: الحد الاقصى للملفات المرفقة
330 330 setting_issues_export_limit: الحد الاقصى لتصدير بنود العمل لملفات خارجية
331 331 setting_mail_from: انبعاثات عنوان بريدك
332 332 setting_bcc_recipients: مستلمين النسخ المخفية (bcc)
333 333 setting_plain_text_mail: نص عادي (no HTML)
334 334 setting_host_name: اسم ومسار المستخدم
335 335 setting_text_formatting: تنسيق النص
336 336 setting_wiki_compression: ضغط تاريخ الويكي
337 337 setting_feeds_limit: Atom feeds الحد الاقصى لعدد البنود في
338 338 setting_default_projects_public: المشاريع الجديده متاحة للجميع افتراضيا
339 339 setting_autofetch_changesets: الإحضار التلقائي
340 340 setting_sys_api_enabled: من ادارة المستودع WS تمكين
341 341 setting_commit_ref_keywords: مرجعية الكلمات المفتاحية
342 342 setting_commit_fix_keywords: تصحيح الكلمات المفتاحية
343 343 setting_autologin: الدخول التلقائي
344 344 setting_date_format: تنسيق التاريخ
345 345 setting_time_format: تنسيق الوقت
346 346 setting_cross_project_issue_relations: السماح بإدراج بنود العمل في هذا المشروع
347 347 setting_issue_list_default_columns: الاعمدة الافتراضية المعروضة في قائمة بند العمل
348 348 setting_repositories_encodings: ترميز المرفقات والمستودعات
349 349 setting_emails_header: رأس رسائل البريد الإلكتروني
350 350 setting_emails_footer: ذيل رسائل البريد الإلكتروني
351 351 setting_protocol: بروتوكول
352 352 setting_per_page_options: الكائنات لكل خيارات الصفحة
353 353 setting_user_format: تنسيق عرض المستخدم
354 354 setting_activity_days_default: الايام المعروضة على نشاط المشروع
355 355 setting_display_subprojects_issues: عرض بنود العمل للمشارع الرئيسية بشكل افتراضي
356 356 setting_enabled_scm: SCM تمكين
357 357 setting_mail_handler_body_delimiters: "اقتطاع رسائل البريد الإلكتروني بعد هذه الخطوط"
358 358 setting_mail_handler_api_enabled: للرسائل الواردةWS تمكين
359 359 setting_mail_handler_api_key: API مفتاح
360 360 setting_sequential_project_identifiers: انشاء معرفات المشروع المتسلسلة
361 361 setting_gravatar_enabled: كأيقونة مستخدمGravatar استخدام
362 362 setting_gravatar_default: الافتراضيةGravatar صورة
363 363 setting_diff_max_lines_displayed: الحد الاقصى لعدد الخطوط
364 364 setting_file_max_size_displayed: الحد الأقصى لحجم النص المعروض على الملفات المرفقة
365 365 setting_repository_log_display_limit: الحد الاقصى لعدد التنقيحات المعروضة على ملف السجل
366 366 setting_openid: السماح بدخول اسم المستخدم المفتوح والتسجيل
367 367 setting_password_min_length: الحد الادني لطول كلمة المرور
368 368 setting_new_project_user_role_id: الدور المسند الى المستخدم غير المسؤول الذي يقوم بإنشاء المشروع
369 369 setting_default_projects_modules: تمكين الوحدات النمطية للمشاريع الجديدة بشكل افتراضي
370 370 setting_issue_done_ratio: حساب نسبة بند العمل المنتهية
371 371 setting_issue_done_ratio_issue_field: استخدم حقل بند العمل
372 372 setting_issue_done_ratio_issue_status: استخدم وضع بند العمل
373 373 setting_start_of_week: بدأ التقويم
374 374 setting_rest_api_enabled: تمكين باقي خدمات الويب
375 375 setting_cache_formatted_text: النص المسبق تنسيقه في ذاكرة التخزين المؤقت
376 376 setting_default_notification_option: خيار الاعلام الافتراضي
377 377 setting_commit_logtime_enabled: تميكن وقت الدخول
378 378 setting_commit_logtime_activity_id: النشاط في وقت الدخول
379 379 setting_gantt_items_limit: الحد الاقصى لعدد العناصر المعروضة على مخطط جانت
380 380 setting_issue_group_assignment: السماح للإحالة الى المجموعات
381 381 setting_default_issue_start_date_to_creation_date: استخدام التاريخ الحالي كتاريخ بدأ لبنود العمل الجديدة
382 382
383 383 permission_add_project: إنشاء مشروع
384 384 permission_add_subprojects: إنشاء مشاريع فرعية
385 385 permission_edit_project: تعديل مشروع
386 386 permission_select_project_modules: تحديد شكل المشروع
387 387 permission_manage_members: إدارة الاعضاء
388 388 permission_manage_project_activities: ادارة اصدارات المشروع
389 389 permission_manage_versions: ادارة الاصدارات
390 390 permission_manage_categories: ادارة انواع بنود العمل
391 391 permission_view_issues: عرض بنود العمل
392 392 permission_add_issues: اضافة بنود العمل
393 393 permission_edit_issues: تعديل بنود العمل
394 394 permission_manage_issue_relations: ادارة علاقات بنود العمل
395 395 permission_set_issues_private: تعين بنود العمل عامة او خاصة
396 396 permission_set_own_issues_private: تعين بنود العمل الخاصة بك كبنود عمل عامة او خاصة
397 397 permission_add_issue_notes: اضافة ملاحظات
398 398 permission_edit_issue_notes: تعديل ملاحظات
399 399 permission_edit_own_issue_notes: تعديل ملاحظاتك
400 400 permission_move_issues: تحريك بنود العمل
401 401 permission_delete_issues: حذف بنود العمل
402 402 permission_manage_public_queries: ادارة الاستعلامات العامة
403 403 permission_save_queries: حفظ الاستعلامات
404 404 permission_view_gantt: عرض طريقة"جانت"
405 405 permission_view_calendar: عرض التقويم
406 406 permission_view_issue_watchers: عرض قائمة المراقبين
407 407 permission_add_issue_watchers: اضافة مراقبين
408 408 permission_delete_issue_watchers: حذف مراقبين
409 409 permission_log_time: الوقت المستغرق بالدخول
410 410 permission_view_time_entries: عرض الوقت المستغرق
411 411 permission_edit_time_entries: تعديل الدخولات الزمنية
412 412 permission_edit_own_time_entries: تعديل الدخولات الشخصية
413 413 permission_manage_news: ادارة الاخبار
414 414 permission_comment_news: اخبار التعليقات
415 415 permission_view_documents: عرض المستندات
416 416 permission_manage_files: ادارة الملفات
417 417 permission_view_files: عرض الملفات
418 418 permission_manage_wiki: ادارة ويكي
419 419 permission_rename_wiki_pages: اعادة تسمية صفحات ويكي
420 420 permission_delete_wiki_pages: حذق صفحات ويكي
421 421 permission_view_wiki_pages: عرض ويكي
422 422 permission_view_wiki_edits: عرض تاريخ ويكي
423 423 permission_edit_wiki_pages: تعديل صفحات ويكي
424 424 permission_delete_wiki_pages_attachments: حذف المرفقات
425 425 permission_protect_wiki_pages: حماية صفحات ويكي
426 426 permission_manage_repository: ادارة المستودعات
427 427 permission_browse_repository: استعراض المستودعات
428 428 permission_view_changesets: عرض طاقم التغيير
429 429 permission_commit_access: الوصول
430 430 permission_manage_boards: ادارة المنتديات
431 431 permission_view_messages: عرض الرسائل
432 432 permission_add_messages: نشر الرسائل
433 433 permission_edit_messages: تحرير الرسائل
434 434 permission_edit_own_messages: تحرير الرسائل الخاصة
435 435 permission_delete_messages: حذف الرسائل
436 436 permission_delete_own_messages: حذف الرسائل الخاصة
437 437 permission_export_wiki_pages: تصدير صفحات ويكي
438 438 permission_manage_subtasks: ادارة المهام الفرعية
439 439
440 440 project_module_issue_tracking: تعقب بنود العمل
441 441 project_module_time_tracking: التعقب الزمني
442 442 project_module_news: الاخبار
443 443 project_module_documents: المستندات
444 444 project_module_files: الملفات
445 445 project_module_wiki: ويكي
446 446 project_module_repository: المستودع
447 447 project_module_boards: المنتديات
448 448 project_module_calendar: التقويم
449 449 project_module_gantt: جانت
450 450
451 451 label_user: المستخدم
452 452 label_user_plural: المستخدمين
453 453 label_user_new: مستخدم جديد
454 454 label_user_anonymous: مجهول الهوية
455 455 label_project: مشروع
456 456 label_project_new: مشروع جديد
457 457 label_project_plural: مشاريع
458 458 label_x_projects:
459 459 zero: لا يوجد مشاريع
460 460 one: مشروع واحد
461 461 other: "%{count} مشاريع"
462 462 label_project_all: كل المشاريع
463 463 label_project_latest: احدث المشاريع
464 464 label_issue: بند عمل
465 465 label_issue_new: بند عمل جديد
466 466 label_issue_plural: بنود عمل
467 467 label_issue_view_all: عرض كل بنود العمل
468 468 label_issues_by: " %{value}بند العمل لصحابها"
469 469 label_issue_added: تم اضافة بند العمل
470 470 label_issue_updated: تم تحديث بند العمل
471 471 label_issue_note_added: تم اضافة الملاحظة
472 472 label_issue_status_updated: تم تحديث الحالة
473 473 label_issue_priority_updated: تم تحديث الاولويات
474 474 label_document: مستند
475 475 label_document_new: مستند جديد
476 476 label_document_plural: مستندات
477 477 label_document_added: تم اضافة مستند
478 478 label_role: دور
479 479 label_role_plural: ادوار
480 480 label_role_new: دور جديد
481 481 label_role_and_permissions: الأدوار والصلاحيات
482 482 label_role_anonymous: مجهول الهوية
483 483 label_role_non_member: ليس عضو
484 484 label_member: عضو
485 485 label_member_new: عضو جديد
486 486 label_member_plural: اعضاء
487 487 label_tracker: نوع بند عمل
488 488 label_tracker_plural: أنواع بنود العمل
489 489 label_tracker_new: نوع بند عمل جديد
490 490 label_workflow: سير العمل
491 491 label_issue_status: حالة بند العمل
492 492 label_issue_status_plural: حالات بند العمل
493 493 label_issue_status_new: حالة جديدة
494 494 label_issue_category: فئة بند العمل
495 495 label_issue_category_plural: فئات بنود العمل
496 496 label_issue_category_new: فئة جديدة
497 497 label_custom_field: تخصيص حقل
498 498 label_custom_field_plural: تخصيص حقول
499 499 label_custom_field_new: حقل مخصص جديد
500 500 label_enumerations: التعدادات
501 501 label_enumeration_new: قيمة جديدة
502 502 label_information: معلومة
503 503 label_information_plural: معلومات
504 504 label_please_login: برجى تسجيل الدخول
505 505 label_register: تسجيل
506 506 label_login_with_open_id_option: او الدخول بهوية مفتوحة
507 507 label_password_lost: فقدت كلمة السر
508 508 label_home: "الصفحة الرئيسية"
509 509 label_my_page: الصفحة الخاصة بي
510 510 label_my_account: حسابي
511 511 label_my_projects: مشاريعي الخاصة
512 512 label_my_page_block: حجب صفحتي الخاصة
513 513 label_administration: إدارة النظام
514 514 label_login: تسجيل الدخول
515 515 label_logout: تسجيل الخروج
516 516 label_help: مساعدة
517 517 label_reported_issues: بنود العمل التي أدخلتها
518 518 label_assigned_to_me_issues: بنود العمل المسندة إلي
519 519 label_last_login: آخر اتصال
520 520 label_registered_on: مسجل على
521 521 label_activity: النشاط
522 522 label_overall_activity: النشاط العام
523 523 label_user_activity: "قيمة النشاط"
524 524 label_new: جديدة
525 525 label_logged_as: تم تسجيل دخولك
526 526 label_environment: البيئة
527 527 label_authentication: المصادقة
528 528 label_auth_source: وضع المصادقة
529 529 label_auth_source_new: وضع مصادقة جديدة
530 530 label_auth_source_plural: أوضاع المصادقة
531 531 label_subproject_plural: مشاريع فرعية
532 532 label_subproject_new: مشروع فرعي جديد
533 533 label_and_its_subprojects: "قيمة المشاريع الفرعية الخاصة بك"
534 534 label_min_max_length: الحد الاقصى والادنى للطول
535 535 label_list: قائمة
536 536 label_date: تاريخ
537 537 label_integer: عدد صحيح
538 538 label_float: عدد كسري
539 539 label_boolean: "نعم/لا"
540 540 label_string: نص
541 541 label_text: نص طويل
542 542 label_attribute: سمة
543 543 label_attribute_plural: السمات
544 544 label_no_data: لا توجد بيانات للعرض
545 545 label_change_status: تغيير الحالة
546 546 label_history: التاريخ
547 547 label_attachment: الملف
548 548 label_attachment_new: ملف جديد
549 549 label_attachment_delete: حذف الملف
550 550 label_attachment_plural: الملفات
551 551 label_file_added: الملف المضاف
552 552 label_report: تقرير
553 553 label_report_plural: التقارير
554 554 label_news: الأخبار
555 555 label_news_new: إضافة الأخبار
556 556 label_news_plural: الأخبار
557 557 label_news_latest: آخر الأخبار
558 558 label_news_view_all: عرض كل الأخبار
559 559 label_news_added: الأخبار المضافة
560 560 label_news_comment_added: إضافة التعليقات على أخبار
561 561 label_settings: إعدادات
562 562 label_overview: لمحة عامة
563 563 label_version: الإصدار
564 564 label_version_new: الإصدار الجديد
565 565 label_version_plural: الإصدارات
566 566 label_close_versions: أكملت إغلاق الإصدارات
567 567 label_confirmation: تأكيد
568 568 label_export_to: 'متوفرة أيضا في:'
569 569 label_read: القراءة...
570 570 label_public_projects: المشاريع العامة
571 571 label_open_issues: مفتوح
572 572 label_open_issues_plural: بنود عمل مفتوحة
573 573 label_closed_issues: مغلق
574 574 label_closed_issues_plural: بنود عمل مغلقة
575 575 label_x_open_issues_abbr_on_total:
576 576 zero: 0 مفتوح / %{total}
577 577 one: 1 مفتوح / %{total}
578 578 other: "%{count} مفتوح / %{total}"
579 579 label_x_open_issues_abbr:
580 580 zero: 0 مفتوح
581 581 one: 1 مقتوح
582 582 other: "%{count} مفتوح"
583 583 label_x_closed_issues_abbr:
584 584 zero: 0 مغلق
585 585 one: 1 مغلق
586 586 other: "%{count} مغلق"
587 587 label_total: الإجمالي
588 588 label_permissions: صلاحيات
589 589 label_current_status: الحالة الحالية
590 590 label_new_statuses_allowed: يسمح بادراج حالات جديدة
591 591 label_all: جميع
592 592 label_none: لا شيء
593 593 label_nobody: لا أحد
594 594 label_next: القادم
595 595 label_previous: السابق
596 596 label_used_by: التي يستخدمها
597 597 label_details: التفاصيل
598 598 label_add_note: إضافة ملاحظة
599 599 label_calendar: التقويم
600 600 label_months_from: بعد أشهر من
601 601 label_gantt: جانت
602 602 label_internal: الداخلية
603 603 label_last_changes: "آخر التغييرات %{count}"
604 604 label_change_view_all: عرض كافة التغييرات
605 605 label_personalize_page: تخصيص هذه الصفحة
606 606 label_comment: تعليق
607 607 label_comment_plural: تعليقات
608 608 label_x_comments:
609 609 zero: لا يوجد تعليقات
610 610 one: تعليق واحد
611 611 other: "%{count} تعليقات"
612 612 label_comment_add: إضافة تعليق
613 613 label_comment_added: تم إضافة التعليق
614 614 label_comment_delete: حذف التعليقات
615 615 label_query: استعلام مخصص
616 616 label_query_plural: استعلامات مخصصة
617 617 label_query_new: استعلام جديد
618 618 label_my_queries: استعلاماتي المخصصة
619 619 label_filter_add: إضافة عامل تصفية
620 620 label_filter_plural: عوامل التصفية
621 621 label_equals: يساوي
622 622 label_not_equals: لا يساوي
623 623 label_in_less_than: أقل من
624 624 label_in_more_than: أكثر من
625 625 label_greater_or_equal: '>='
626 626 label_less_or_equal: '< ='
627 627 label_between: بين
628 628 label_in: في
629 629 label_today: اليوم
630 630 label_all_time: كل الوقت
631 631 label_yesterday: بالأمس
632 632 label_this_week: هذا الأسبوع
633 633 label_last_week: الأسبوع الماضي
634 634 label_last_n_days: "آخر %{count} أيام"
635 635 label_this_month: هذا الشهر
636 636 label_last_month: الشهر الماضي
637 637 label_this_year: هذا العام
638 638 label_date_range: نطاق التاريخ
639 639 label_less_than_ago: أقل من عدد أيام
640 640 label_more_than_ago: أكثر من عدد أيام
641 641 label_ago: منذ أيام
642 642 label_contains: يحتوي على
643 643 label_not_contains: لا يحتوي على
644 644 label_day_plural: أيام
645 645 label_repository: المستودع
646 646 label_repository_plural: المستودعات
647 647 label_browse: تصفح
648 648 label_branch: فرع
649 649 label_tag: ربط
650 650 label_revision: مراجعة
651 651 label_revision_plural: تنقيحات
652 652 label_revision_id: " %{value}مراجعة"
653 653 label_associated_revisions: التنقيحات المرتبطة
654 654 label_added: مضاف
655 655 label_modified: معدل
656 656 label_copied: منسوخ
657 657 label_renamed: إعادة تسمية
658 658 label_deleted: محذوف
659 659 label_latest_revision: آخر تنقيح
660 660 label_latest_revision_plural: أحدث المراجعات
661 661 label_view_revisions: عرض التنقيحات
662 662 label_view_all_revisions: عرض كافة المراجعات
663 663 label_max_size: الحد الأقصى للحجم
664 664 label_sort_highest: التحرك لأعلى مرتبة
665 665 label_sort_higher: تحريك لأعلى
666 666 label_sort_lower: تحريك لأسفل
667 667 label_sort_lowest: التحرك لأسفل مرتبة
668 668 label_roadmap: خارطة الطريق
669 669 label_roadmap_due_in: " %{value}تستحق في "
670 670 label_roadmap_overdue: "%{value}تأخير"
671 671 label_roadmap_no_issues: لا يوجد بنود عمل لهذا الإصدار
672 672 label_search: البحث
673 673 label_result_plural: النتائج
674 674 label_all_words: كل الكلمات
675 675 label_wiki: ويكي
676 676 label_wiki_edit: تحرير ويكي
677 677 label_wiki_edit_plural: عمليات تحرير ويكي
678 678 label_wiki_page: صفحة ويكي
679 679 label_wiki_page_plural: ويكي صفحات
680 680 label_index_by_title: الفهرس حسب العنوان
681 681 label_index_by_date: الفهرس حسب التاريخ
682 682 label_current_version: الإصدار الحالي
683 683 label_preview: معاينة
684 684 label_feed_plural: موجز ويب
685 685 label_changes_details: تفاصيل جميع التغييرات
686 686 label_issue_tracking: تعقب بنود العمل
687 687 label_spent_time: ما تم إنفاقه من الوقت
688 688 label_overall_spent_time: الوقت الذي تم انفاقه كاملا
689 689 label_f_hour: "%{value} ساعة"
690 690 label_f_hour_plural: "%{value} ساعات"
691 691 label_time_tracking: تعقب الوقت
692 692 label_change_plural: التغييرات
693 693 label_statistics: إحصاءات
694 694 label_commits_per_month: يثبت في الشهر
695 695 label_commits_per_author: يثبت لكل مؤلف
696 696 label_diff: الاختلافات
697 697 label_view_diff: عرض الاختلافات
698 698 label_diff_inline: مضمنة
699 699 label_diff_side_by_side: جنبا إلى جنب
700 700 label_options: خيارات
701 701 label_copy_workflow_from: نسخ سير العمل من
702 702 label_permissions_report: تقرير الصلاحيات
703 703 label_watched_issues: بنود العمل المتابعة بريدياً
704 704 label_related_issues: بنود العمل ذات الصلة
705 705 label_applied_status: الحالة المطبقة
706 706 label_loading: تحميل...
707 707 label_relation_new: علاقة جديدة
708 708 label_relation_delete: حذف العلاقة
709 709 label_relates_to: ذات علاقة بـ
710 710 label_duplicates: مكرر من
711 711 label_duplicated_by: مكرر بواسطة
712 712 label_blocks: يجب تنفيذه قبل
713 713 label_blocked_by: لا يمكن تنفيذه إلا بعد
714 714 label_precedes: يسبق
715 715 label_follows: يتبع
716 716 label_end_to_start: نهاية لبدء
717 717 label_end_to_end: نهاية لنهاية
718 718 label_start_to_start: بدء لبدء
719 719 label_start_to_end: بداية لنهاية
720 720 label_stay_logged_in: تسجيل الدخول في
721 721 label_disabled: تعطيل
722 722 label_show_completed_versions: إظهار الإصدارات الكاملة
723 723 label_me: لي
724 724 label_board: المنتدى
725 725 label_board_new: منتدى جديد
726 726 label_board_plural: المنتديات
727 727 label_board_locked: تأمين
728 728 label_board_sticky: لزجة
729 729 label_topic_plural: المواضيع
730 730 label_message_plural: رسائل
731 731 label_message_last: آخر رسالة
732 732 label_message_new: رسالة جديدة
733 733 label_message_posted: تم اضافة الرسالة
734 734 label_reply_plural: الردود
735 735 label_send_information: إرسال معلومات الحساب للمستخدم
736 736 label_year: سنة
737 737 label_month: شهر
738 738 label_week: أسبوع
739 739 label_date_from: من
740 740 label_date_to: إلى
741 741 label_language_based: استناداً إلى لغة المستخدم
742 742 label_sort_by: " %{value}الترتيب حسب "
743 743 label_send_test_email: ارسل رسالة الكترونية كاختبار
744 744 label_feeds_access_key: Atom مفتاح دخول
745 745 label_missing_feeds_access_key: مفقودAtom مفتاح دخول
746 746 label_feeds_access_key_created_on: "Atom تم انشاء مفتاح %{value} منذ"
747 747 label_module_plural: الوحدات النمطية
748 748 label_added_time_by: " تم اضافته من قبل %{author} منذ %{age}"
749 749 label_updated_time_by: " تم تحديثه من قبل %{author} منذ %{age}"
750 750 label_updated_time: "تم التحديث منذ %{value}"
751 751 label_jump_to_a_project: الانتقال إلى مشروع...
752 752 label_file_plural: الملفات
753 753 label_changeset_plural: اعدادات التغير
754 754 label_default_columns: الاعمدة الافتراضية
755 755 label_no_change_option: (لا تغيير)
756 756 label_bulk_edit_selected_issues: تحرير بنود العمل المظللة
757 757 label_bulk_edit_selected_time_entries: تعديل بنود الأوقات المظللة
758 758 label_theme: الموضوع
759 759 label_default: الافتراضي
760 760 label_search_titles_only: البحث في العناوين فقط
761 761 label_user_mail_option_all: "جميع الخيارات"
762 762 label_user_mail_option_selected: "الخيارات المظللة فقط"
763 763 label_user_mail_option_none: "لم يتم تحديد اي خيارات"
764 764 label_user_mail_option_only_my_events: "السماح لي فقط بمشاهدة الاحداث الخاصة"
765 765 label_user_mail_option_only_assigned: "فقط الخيارات التي تم تعيينها"
766 766 label_user_mail_option_only_owner: "فقط للخيارات التي املكها"
767 767 label_user_mail_no_self_notified: "لا تريد إعلامك بالتغيرات التي تجريها بنفسك"
768 768 label_registration_activation_by_email: حساب التنشيط عبر البريد الإلكتروني
769 769 label_registration_manual_activation: تنشيط الحساب اليدوي
770 770 label_registration_automatic_activation: تنشيط الحساب التلقائي
771 771 label_display_per_page: "لكل صفحة: %{value}"
772 772 label_age: العمر
773 773 label_change_properties: تغيير الخصائص
774 774 label_general: عامة
775 775 label_more: أكثر
776 776 label_scm: scm
777 777 label_plugins: الإضافات
778 778 label_ldap_authentication: مصادقة LDAP
779 779 label_downloads_abbr: تنزيل
780 780 label_optional_description: وصف اختياري
781 781 label_add_another_file: إضافة ملف آخر
782 782 label_preferences: تفضيلات
783 783 label_chronological_order: في ترتيب زمني
784 784 label_reverse_chronological_order: في ترتيب زمني عكسي
785 785 label_planning: التخطيط
786 786 label_incoming_emails: رسائل البريد الإلكتروني الوارد
787 787 label_generate_key: إنشاء مفتاح
788 788 label_issue_watchers: المراقبون
789 789 label_example: مثال
790 790 label_display: العرض
791 791 label_sort: فرز
792 792 label_ascending: تصاعدي
793 793 label_descending: تنازلي
794 794 label_date_from_to: من %{start} الى %{end}
795 795 label_wiki_content_added: إضافة صفحة ويكي
796 796 label_wiki_content_updated: تحديث صفحة ويكي
797 797 label_group: مجموعة
798 798 label_group_plural: المجموعات
799 799 label_group_new: مجموعة جديدة
800 800 label_time_entry_plural: الأوقات المنفقة
801 801 label_version_sharing_none: غير متاح
802 802 label_version_sharing_descendants: متاح للمشاريع الفرعية
803 803 label_version_sharing_hierarchy: متاح للتسلسل الهرمي للمشروع
804 804 label_version_sharing_tree: مع شجرة المشروع
805 805 label_version_sharing_system: مع جميع المشاريع
806 806 label_update_issue_done_ratios: تحديث نسبة الأداء لبند العمل
807 807 label_copy_source: المصدر
808 808 label_copy_target: الهدف
809 809 label_copy_same_as_target: مطابق للهدف
810 810 label_display_used_statuses_only: عرض الحالات المستخدمة من قبل هذا النوع من بنود العمل فقط
811 811 label_api_access_key: مفتاح الوصول إلى API
812 812 label_missing_api_access_key: API لم يتم الحصول على مفتاح الوصول
813 813 label_api_access_key_created_on: " API إنشاء مفتاح الوصول إلى"
814 814 label_profile: الملف الشخصي
815 815 label_subtask_plural: المهام الفرعية
816 816 label_project_copy_notifications: إرسال إشعار الى البريد الإلكتروني عند نسخ المشروع
817 817 label_principal_search: "البحث عن مستخدم أو مجموعة:"
818 818 label_user_search: "البحث عن المستخدم:"
819 819 label_additional_workflow_transitions_for_author: الانتقالات الإضافية المسموح بها عند المستخدم صاحب البلاغ
820 820 label_additional_workflow_transitions_for_assignee: الانتقالات الإضافية المسموح بها عند المستخدم المحال إليه
821 821 label_issues_visibility_all: جميع بنود العمل
822 822 label_issues_visibility_public: جميع بنود العمل الخاصة
823 823 label_issues_visibility_own: بنود العمل التي أنشأها المستخدم
824 824 label_git_report_last_commit: اعتماد التقرير الأخير للملفات والدلائل
825 825 label_parent_revision: الوالدين
826 826 label_child_revision: الطفل
827 827 label_export_options: "%{export_format} خيارات التصدير"
828 828
829 829 button_login: دخول
830 830 button_submit: تثبيت
831 831 button_save: حفظ
832 832 button_check_all: تحديد الكل
833 833 button_uncheck_all: عدم تحديد الكل
834 834 button_collapse_all: تقليص الكل
835 835 button_expand_all: عرض الكل
836 836 button_delete: حذف
837 837 button_create: إنشاء
838 838 button_create_and_continue: إنشاء واستمرار
839 839 button_test: اختبار
840 840 button_edit: تعديل
841 841 button_edit_associated_wikipage: "تغير صفحة ويكي: %{page_title}"
842 842 button_add: إضافة
843 843 button_change: تغيير
844 844 button_apply: تطبيق
845 845 button_clear: إخلاء الحقول
846 846 button_lock: قفل
847 847 button_unlock: الغاء القفل
848 848 button_download: تنزيل
849 849 button_list: قائمة
850 850 button_view: عرض
851 851 button_move: تحرك
852 852 button_move_and_follow: تحرك واتبع
853 853 button_back: رجوع
854 854 button_cancel: إلغاء
855 855 button_activate: تنشيط
856 856 button_sort: ترتيب
857 857 button_log_time: وقت الدخول
858 858 button_rollback: الرجوع الى هذا الاصدار
859 859 button_watch: تابع عبر البريد
860 860 button_unwatch: إلغاء المتابعة عبر البريد
861 861 button_reply: رد
862 862 button_archive: أرشفة
863 863 button_unarchive: إلغاء الأرشفة
864 864 button_reset: إعادة
865 865 button_rename: إعادة التسمية
866 866 button_change_password: تغير كلمة المرور
867 867 button_copy: نسخ
868 868 button_copy_and_follow: نسخ واتباع
869 869 button_annotate: تعليق
870 870 button_update: تحديث
871 871 button_configure: تكوين
872 872 button_quote: اقتباس
873 873 button_duplicate: عمل نسخة
874 874 button_show: إظهار
875 875 button_edit_section: تعديل هذا الجزء
876 876 button_export: تصدير لملف
877 877
878 878 status_active: نشيط
879 879 status_registered: مسجل
880 880 status_locked: مقفل
881 881
882 882 version_status_open: مفتوح
883 883 version_status_locked: مقفل
884 884 version_status_closed: مغلق
885 885
886 886 field_active: فعال
887 887
888 888 text_select_mail_notifications: حدد الامور التي يجب ابلاغك بها عن طريق البريد الالكتروني
889 889 text_regexp_info: مثال. ^[A-Z0-9]+$
890 890 text_min_max_length_info: الحد الاقصى والادني لطول المعلومات
891 891 text_project_destroy_confirmation: هل أنت متأكد من أنك تريد حذف هذا المشروع والبيانات ذات الصلة؟
892 892 text_subprojects_destroy_warning: "المشاريع الفرعية: %{value} سيتم حذفها أيضاً."
893 893 text_workflow_edit: حدد دوراً و نوع بند عمل لتحرير سير العمل
894 894 text_are_you_sure: هل أنت متأكد؟
895 895 text_journal_changed: "%{label} تغير %{old} الى %{new}"
896 896 text_journal_changed_no_detail: "%{label} تم التحديث"
897 897 text_journal_set_to: "%{label} تغير الى %{value}"
898 898 text_journal_deleted: "%{label} تم الحذف (%{old})"
899 899 text_journal_added: "%{label} %{value} تم الاضافة"
900 900 text_tip_issue_begin_day: بند عمل بدأ اليوم
901 901 text_tip_issue_end_day: بند عمل انتهى اليوم
902 902 text_tip_issue_begin_end_day: بند عمل بدأ وانتهى اليوم
903 903 text_caracters_maximum: "%{count} الحد الاقصى."
904 904 text_caracters_minimum: "الحد الادنى %{count}"
905 905 text_length_between: "الطول %{min} بين %{max} رمز"
906 906 text_tracker_no_workflow: لم يتم تحديد سير العمل لهذا النوع من بنود العمل
907 907 text_unallowed_characters: رموز غير مسموحة
908 908 text_comma_separated: مسموح رموز متنوعة يفصلها فاصلة .
909 909 text_line_separated: مسموح رموز متنوعة يفصلها سطور
910 910 text_issues_ref_in_commit_messages: الارتباط وتغيير حالة بنود العمل في رسائل تحرير الملفات
911 911 text_issue_added: "بند العمل %{id} تم ابلاغها عن طريق %{author}."
912 912 text_issue_updated: "بند العمل %{id} تم تحديثها عن طريق %{author}."
913 913 text_wiki_destroy_confirmation: هل انت متأكد من رغبتك في حذف هذا الويكي ومحتوياته؟
914 914 text_issue_category_destroy_question: "بعض بنود العمل (%{count}) مرتبطة بهذه الفئة، ماذا تريد ان تفعل بها؟"
915 915 text_issue_category_destroy_assignments: حذف الفئة
916 916 text_issue_category_reassign_to: اعادة تثبيت البنود في الفئة
917 917 text_user_mail_option: "بالنسبة للمشاريع غير المحددة، سوف يتم ابلاغك عن المشاريع التي تشاهدها او تشارك بها فقط!"
918 918 text_no_configuration_data: "الادوار والمتتبع وحالات بند العمل ومخطط سير العمل لم يتم تحديد وضعها الافتراضي بعد. "
919 919 text_load_default_configuration: تحميل الاعدادات الافتراضية
920 920 text_status_changed_by_changeset: " طبق التغيرات المعينة على %{value}."
921 921 text_time_logged_by_changeset: "تم تطبيق التغيرات المعينة على %{value}."
922 922 text_issues_destroy_confirmation: هل انت متأكد من حذف البنود المظللة؟'
923 923 text_issues_destroy_descendants_confirmation: "سوف يؤدي هذا الى حذف %{count} المهام الفرعية ايضا."
924 924 text_time_entries_destroy_confirmation: "هل انت متأكد من رغبتك في حذف الادخالات الزمنية المحددة؟"
925 925 text_select_project_modules: قم بتحديد الوضع المناسب لهذا المشروع:'
926 926 text_default_administrator_account_changed: تم تعديل الاعدادات الافتراضية لحساب المدير
927 927 text_file_repository_writable: المرفقات قابلة للكتابة
928 928 text_plugin_assets_writable: الدليل المساعد قابل للكتابة
929 929 text_destroy_time_entries_question: " ساعة على بند العمل التي تود حذفها، ماذا تريد ان تفعل؟ %{hours} تم تثبيت"
930 930 text_destroy_time_entries: قم بحذف الساعات المسجلة
931 931 text_assign_time_entries_to_project: ثبت الساعات المسجلة على التقرير
932 932 text_reassign_time_entries: 'اعادة تثبيت الساعات المسجلة لبند العمل هذا:'
933 933 text_user_wrote: "%{value} كتب:"
934 934 text_enumeration_destroy_question: "%{count} الكائنات المعنية لهذه القيمة"
935 935 text_enumeration_category_reassign_to: اعادة تثبيت الكائنات التالية لهذه القيمة:'
936 936 text_email_delivery_not_configured: "لم يتم تسليم البريد الالكتروني"
937 937 text_diff_truncated: '... لقد تم اقتطاع هذا الجزء لانه تجاوز الحد الاقصى المسموح بعرضه'
938 938 text_custom_field_possible_values_info: 'سطر لكل قيمة'
939 939 text_wiki_page_nullify_children: "الاحتفاظ بصفحات الابن كصفحات جذر"
940 940 text_wiki_page_destroy_children: "حذف صفحات الابن وجميع أولادهم"
941 941 text_wiki_page_reassign_children: "إعادة تعيين صفحات تابعة لهذه الصفحة الأصلية"
942 942 text_own_membership_delete_confirmation: "انت على وشك إزالة بعض أو كافة الصلاحيات الخاصة بك، لن تكون قادراً على تحرير هذا المشروع بعد ذلك. هل أنت متأكد من أنك تريد المتابعة؟"
943 943 text_zoom_in: تصغير
944 944 text_zoom_out: تكبير
945 945 text_warn_on_leaving_unsaved: "الصفحة تحتوي على نص غير مخزن، سوف يفقد النص اذا تم الخروج من الصفحة."
946 946 text_scm_path_encoding_note: "الافتراضي: UTF-8"
947 947 text_git_repository_note: مستودع فارغ ومحلي
948 948 text_mercurial_repository_note: مستودع محلي
949 949 text_scm_command: امر
950 950 text_scm_command_version: اصدار
951 951 text_scm_config: الرجاء اعادة تشغيل التطبيق
952 952 text_scm_command_not_available: الامر غير متوفر، الرجاء التحقق من لوحة التحكم
953 953
954 954 default_role_manager: مدير
955 955 default_role_developer: مطور
956 956 default_role_reporter: مراسل
957 957 default_tracker_bug: الشوائب
958 958 default_tracker_feature: خاصية
959 959 default_tracker_support: دعم
960 960 default_issue_status_new: جديد
961 961 default_issue_status_in_progress: جاري التحميل
962 962 default_issue_status_resolved: الحل
963 963 default_issue_status_feedback: التغذية الراجعة
964 964 default_issue_status_closed: مغلق
965 965 default_issue_status_rejected: مرفوض
966 966 default_doc_category_user: مستندات المستخدم
967 967 default_doc_category_tech: المستندات التقنية
968 968 default_priority_low: قليل
969 969 default_priority_normal: عادي
970 970 default_priority_high: عالي
971 971 default_priority_urgent: طارئ
972 972 default_priority_immediate: طارئ الآن
973 973 default_activity_design: تصميم
974 974 default_activity_development: تطوير
975 975
976 976 enumeration_issue_priorities: الاولويات
977 977 enumeration_doc_categories: تصنيف المستندات
978 978 enumeration_activities: الانشطة
979 979 enumeration_system_activity: نشاط النظام
980 980 description_filter: فلترة
981 981 description_search: حقل البحث
982 982 description_choose_project: المشاريع
983 983 description_project_scope: مجال البحث
984 984 description_notes: ملاحظات
985 985 description_message_content: محتويات الرسالة
986 986 description_query_sort_criteria_attribute: نوع الترتيب
987 987 description_query_sort_criteria_direction: اتجاه الترتيب
988 988 description_user_mail_notification: إعدادات البريد الالكتروني
989 989 description_available_columns: الاعمدة المتوفرة
990 990 description_selected_columns: الاعمدة المحددة
991 991 description_all_columns: كل الاعمدة
992 992 description_issue_category_reassign: اختر التصنيف
993 993 description_wiki_subpages_reassign: اختر صفحة جديدة
994 994 description_date_range_list: اختر المجال من القائمة
995 995 description_date_range_interval: اختر المدة عن طريق اختيار تاريخ البداية والنهاية
996 996 description_date_from: ادخل تاريخ البداية
997 997 description_date_to: ادخل تاريخ الانتهاء
998 998 text_rmagick_available: RMagick available (optional)
999 999 text_wiki_page_destroy_question: This page has %{descendants} child page(s) and descendant(s). What do you want to do?
1000 1000 text_repository_usernames_mapping: |-
1001 1001 Select or update the Redmine user mapped to each username found in the repository log.
1002 1002 Users with the same Redmine and repository username or email are automatically mapped.
1003 1003 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1004 1004 label_x_issues:
1005 1005 zero: لا يوجد بنود عمل
1006 1006 one: بند عمل واحد
1007 1007 other: "%{count} بنود عمل"
1008 1008 label_repository_new: New repository
1009 1009 field_repository_is_default: Main repository
1010 1010 label_copy_attachments: Copy attachments
1011 1011 label_item_position: "%{position}/%{count}"
1012 1012 label_completed_versions: Completed versions
1013 1013 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1014 1014 field_multiple: Multiple values
1015 1015 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1016 1016 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1017 1017 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1018 1018 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1019 1019 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1020 1020 permission_manage_related_issues: Manage related issues
1021 1021 field_auth_source_ldap_filter: LDAP filter
1022 1022 label_search_for_watchers: Search for watchers to add
1023 1023 notice_account_deleted: Your account has been permanently deleted.
1024 1024 setting_unsubscribe: Allow users to delete their own account
1025 1025 button_delete_my_account: Delete my account
1026 1026 text_account_destroy_confirmation: |-
1027 1027 Are you sure you want to proceed?
1028 1028 Your account will be permanently deleted, with no way to reactivate it.
1029 1029 error_session_expired: Your session has expired. Please login again.
1030 1030 text_session_expiration_settings: "Warning: changing these settings may expire the current sessions including yours."
1031 1031 setting_session_lifetime: Session maximum lifetime
1032 1032 setting_session_timeout: Session inactivity timeout
1033 1033 label_session_expiration: Session expiration
1034 1034 permission_close_project: Close / reopen the project
1035 1035 label_show_closed_projects: View closed projects
1036 1036 button_close: Close
1037 1037 button_reopen: Reopen
1038 1038 project_status_active: active
1039 1039 project_status_closed: closed
1040 1040 project_status_archived: archived
1041 1041 text_project_closed: This project is closed and read-only.
1042 1042 notice_user_successful_create: User %{id} created.
1043 1043 field_core_fields: Standard fields
1044 1044 field_timeout: Timeout (in seconds)
1045 1045 setting_thumbnails_enabled: Display attachment thumbnails
1046 1046 setting_thumbnails_size: Thumbnails size (in pixels)
1047 1047 label_status_transitions: Status transitions
1048 1048 label_fields_permissions: Fields permissions
1049 1049 label_readonly: Read-only
1050 1050 label_required: Required
1051 1051 text_repository_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1052 1052 field_board_parent: Parent forum
1053 1053 label_attribute_of_project: Project's %{name}
1054 1054 label_attribute_of_author: Author's %{name}
1055 1055 label_attribute_of_assigned_to: Assignee's %{name}
1056 1056 label_attribute_of_fixed_version: Target version's %{name}
1057 1057 label_copy_subtasks: Copy subtasks
1058 1058 label_copied_to: منسوخ لـ
1059 1059 label_copied_from: منسوخ من
1060 1060 label_any_issues_in_project: any issues in project
1061 1061 label_any_issues_not_in_project: any issues not in project
1062 1062 field_private_notes: Private notes
1063 1063 permission_view_private_notes: View private notes
1064 1064 permission_set_notes_private: Set notes as private
1065 1065 label_no_issues_in_project: no issues in project
1066 1066 label_any: جميع
1067 1067 label_last_n_weeks: آخر %{count} أسبوع/أسابيع
1068 1068 setting_cross_project_subtasks: Allow cross-project subtasks
1069 1069 label_cross_project_descendants: متاح للمشاريع الفرعية
1070 1070 label_cross_project_tree: متاح مع شجرة المشروع
1071 1071 label_cross_project_hierarchy: متاح مع التسلسل الهرمي للمشروع
1072 1072 label_cross_project_system: متاح مع جميع المشاريع
1073 1073 button_hide: إخفاء
1074 1074 setting_non_working_week_days: "أيام أجازة/راحة أسبوعية"
1075 1075 label_in_the_next_days: في الأيام المقبلة
1076 1076 label_in_the_past_days: في الأيام الماضية
1077 1077 label_attribute_of_user: User's %{name}
1078 1078 text_turning_multiple_off: If you disable multiple values, multiple values will be
1079 1079 removed in order to preserve only one value per item.
1080 1080 label_attribute_of_issue: Issue's %{name}
1081 1081 permission_add_documents: Add documents
1082 1082 permission_edit_documents: Edit documents
1083 1083 permission_delete_documents: Delete documents
1084 1084 label_gantt_progress_line: Progress line
1085 1085 setting_jsonp_enabled: Enable JSONP support
1086 1086 field_inherit_members: Inherit members
1087 1087 field_closed_on: Closed
1088 1088 field_generate_password: Generate password
1089 1089 setting_default_projects_tracker_ids: Default trackers for new projects
1090 1090 label_total_time: الإجمالي
1091 1091 notice_account_not_activated_yet: You haven't activated your account yet. If you want
1092 1092 to receive a new activation email, please <a href="%{url}">click this link</a>.
1093 1093 notice_account_locked: Your account is locked.
1094 1094 label_hidden: Hidden
1095 1095 label_visibility_private: to me only
1096 1096 label_visibility_roles: to these roles only
1097 1097 label_visibility_public: to any users
1098 1098 field_must_change_passwd: Must change password at next logon
1099 1099 notice_new_password_must_be_different: The new password must be different from the
1100 1100 current password
1101 1101 setting_mail_handler_excluded_filenames: Exclude attachments by name
1102 1102 text_convert_available: ImageMagick convert available (optional)
1103 1103 label_link: Link
1104 1104 label_only: only
1105 1105 label_drop_down_list: drop-down list
1106 1106 label_checkboxes: checkboxes
1107 1107 label_link_values_to: Link values to URL
1108 1108 setting_force_default_language_for_anonymous: Force default language for anonymous
1109 1109 users
1110 1110 setting_force_default_language_for_loggedin: Force default language for logged-in
1111 1111 users
1112 1112 label_custom_field_select_type: Select the type of object to which the custom field
1113 1113 is to be attached
1114 1114 label_issue_assigned_to_updated: Assignee updated
1115 1115 label_check_for_updates: Check for updates
1116 1116 label_latest_compatible_version: Latest compatible version
1117 1117 label_unknown_plugin: Unknown plugin
1118 1118 label_radio_buttons: radio buttons
1119 1119 label_group_anonymous: Anonymous users
1120 1120 label_group_non_member: Non member users
1121 1121 label_add_projects: Add projects
1122 1122 field_default_status: Default status
1123 1123 text_subversion_repository_note: 'Examples: file:///, http://, https://, svn://, svn+[tunnelscheme]://'
1124 1124 field_users_visibility: Users visibility
1125 1125 label_users_visibility_all: All active users
1126 1126 label_users_visibility_members_of_visible_projects: Members of visible projects
1127 1127 label_edit_attachments: Edit attached files
1128 1128 setting_link_copied_issue: Link issues on copy
1129 1129 label_link_copied_issue: Link copied issue
1130 1130 label_ask: Ask
1131 1131 label_search_attachments_yes: Search attachment filenames and descriptions
1132 1132 label_search_attachments_no: Do not search attachments
1133 1133 label_search_attachments_only: Search attachments only
1134 1134 label_search_open_issues_only: Open issues only
1135 1135 field_address: البريد الالكتروني
1136 1136 setting_max_additional_emails: Maximum number of additional email addresses
1137 1137 label_email_address_plural: Emails
1138 1138 label_email_address_add: Add email address
1139 1139 label_enable_notifications: Enable notifications
1140 1140 label_disable_notifications: Disable notifications
1141 1141 setting_search_results_per_page: Search results per page
1142 1142 label_blank_value: blank
1143 1143 permission_copy_issues: Copy issues
1144 1144 error_password_expired: Your password has expired or the administrator requires you
1145 1145 to change it.
1146 1146 field_time_entries_visibility: Time logs visibility
1147 1147 setting_password_max_age: Require password change after
1148 1148 label_parent_task_attributes: Parent tasks attributes
1149 1149 label_parent_task_attributes_derived: Calculated from subtasks
1150 1150 label_parent_task_attributes_independent: Independent of subtasks
1151 1151 label_time_entries_visibility_all: All time entries
1152 1152 label_time_entries_visibility_own: Time entries created by the user
1153 1153 label_member_management: Member management
1154 1154 label_member_management_all_roles: All roles
1155 1155 label_member_management_selected_roles_only: Only these roles
1156 1156 label_password_required: Confirm your password to continue
1157 1157 label_total_spent_time: الوقت الذي تم انفاقه كاملا
1158 1158 notice_import_finished: All %{count} items have been imported.
1159 1159 notice_import_finished_with_errors: ! '%{count} out of %{total} items could not be
1160 1160 imported.'
1161 1161 error_invalid_file_encoding: The file is not a valid %{encoding} encoded file
1162 1162 error_invalid_csv_file_or_settings: The file is not a CSV file or does not match the
1163 1163 settings below
1164 1164 error_can_not_read_import_file: An error occurred while reading the file to import
1165 1165 permission_import_issues: Import issues
1166 1166 label_import_issues: Import issues
1167 1167 label_select_file_to_import: Select the file to import
1168 1168 label_fields_separator: Field separator
1169 1169 label_fields_wrapper: Field wrapper
1170 1170 label_encoding: Encoding
1171 label_coma_char: Coma
1171 label_comma_char: Comma
1172 1172 label_semi_colon_char: Semi colon
1173 1173 label_quote_char: Quote
1174 1174 label_double_quote_char: Double quote
1175 1175 label_fields_mapping: Fields mapping
1176 1176 label_file_content_preview: File content preview
1177 1177 label_create_missing_values: Create missing values
1178 1178 button_import: Import
1179 1179 field_total_estimated_hours: Total estimated time
1180 1180 label_api: API
1181 1181 label_total_plural: Totals
@@ -1,1278 +1,1278
1 1 #
2 2 # Translated by Saadat Mutallimova
3 3 # Data Processing Center of the Ministry of Communication and Information Technologies
4 4 #
5 5 az:
6 6 direction: ltr
7 7 date:
8 8 formats:
9 9 default: "%d.%m.%Y"
10 10 short: "%d %b"
11 11 long: "%d %B %Y"
12 12
13 13 day_names: [bazar, bazar ertəsi, çərşənbə axşamı, çərşənbə, cümə axşamı, cümə, şənbə]
14 14 standalone_day_names: [Bazar, Bazar ertəsi, Çərşənbə axşamı, Çərşənbə, Cümə axşamı, Cümə, Şənbə]
15 15 abbr_day_names: [B, Be, Ça, Ç, Ca, C, Ş]
16 16
17 17 month_names: [~, yanvar, fevral, mart, aprel, may, iyun, iyul, avqust, sentyabr, oktyabr, noyabr, dekabr]
18 18 # see russian gem for info on "standalone" day names
19 19 standalone_month_names: [~, Yanvar, Fevral, Mart, Aprel, May, İyun, İyul, Avqust, Sentyabr, Oktyabr, Noyabr, Dekabr]
20 20 abbr_month_names: [~, yan., fev., mart, apr., may, iyun, iyul, avq., sent., okt., noy., dek.]
21 21 standalone_abbr_month_names: [~, yan., fev., mart, apr., may, iyun, iyul, avq., sent., okt., noy., dek.]
22 22
23 23 order:
24 24 - :day
25 25 - :month
26 26 - :year
27 27
28 28 time:
29 29 formats:
30 30 default: "%a, %d %b %Y, %H:%M:%S %z"
31 31 time: "%H:%M"
32 32 short: "%d %b, %H:%M"
33 33 long: "%d %B %Y, %H:%M"
34 34
35 35 am: "səhər"
36 36 pm: "axşam"
37 37
38 38 number:
39 39 format:
40 40 separator: ","
41 41 delimiter: " "
42 42 precision: 3
43 43
44 44 currency:
45 45 format:
46 46 format: "%n %u"
47 47 unit: "man."
48 48 separator: "."
49 49 delimiter: " "
50 50 precision: 2
51 51
52 52 percentage:
53 53 format:
54 54 delimiter: ""
55 55
56 56 precision:
57 57 format:
58 58 delimiter: ""
59 59
60 60 human:
61 61 format:
62 62 delimiter: ""
63 63 precision: 3
64 64 # Rails 2.2
65 65 # storage_units: [байт, КБ, МБ, ГБ, ТБ]
66 66
67 67 # Rails 2.3
68 68 storage_units:
69 69 # Storage units output formatting.
70 70 # %u is the storage unit, %n is the number (default: 2 MB)
71 71 format: "%n %u"
72 72 units:
73 73 byte:
74 74 one: "bayt"
75 75 few: "bayt"
76 76 many: "bayt"
77 77 other: "bayt"
78 78 kb: "KB"
79 79 mb: "MB"
80 80 gb: "GB"
81 81 tb: "TB"
82 82
83 83 datetime:
84 84 distance_in_words:
85 85 half_a_minute: "bir dəqiqədən az"
86 86 less_than_x_seconds:
87 87 one: "%{count} saniyədən az"
88 88 few: "%{count} saniyədən az"
89 89 many: "%{count} saniyədən az"
90 90 other: "%{count} saniyədən az"
91 91 x_seconds:
92 92 one: "%{count} saniyə"
93 93 few: "%{count} saniyə"
94 94 many: "%{count} saniyə"
95 95 other: "%{count} saniyə"
96 96 less_than_x_minutes:
97 97 one: "%{count} dəqiqədən az"
98 98 few: "%{count} dəqiqədən az"
99 99 many: "%{count} dəqiqədən az"
100 100 other: "%{count} dəqiqədən az"
101 101 x_minutes:
102 102 one: "%{count} dəqiqə"
103 103 few: "%{count} dəqiqə"
104 104 many: "%{count} dəqiqə"
105 105 other: "%{count} dəqiqə"
106 106 about_x_hours:
107 107 one: "təxminən %{count} saat"
108 108 few: "təxminən %{count} saat"
109 109 many: "təxminən %{count} saat"
110 110 other: "təxminən %{count} saat"
111 111 x_hours:
112 112 one: "1 saat"
113 113 other: "%{count} saat"
114 114 x_days:
115 115 one: "%{count} gün"
116 116 few: "%{count} gün"
117 117 many: "%{count} gün"
118 118 other: "%{count} gün"
119 119 about_x_months:
120 120 one: "təxminən %{count} ay"
121 121 few: "təxminən %{count} ay"
122 122 many: "təxminən %{count} ay"
123 123 other: "təxminən %{count} ay"
124 124 x_months:
125 125 one: "%{count} ay"
126 126 few: "%{count} ay"
127 127 many: "%{count} ay"
128 128 other: "%{count} ay"
129 129 about_x_years:
130 130 one: "təxminən %{count} il"
131 131 few: "təxminən %{count} il"
132 132 many: "təxminən %{count} il"
133 133 other: "təxminən %{count} il"
134 134 over_x_years:
135 135 one: "%{count} ildən çox"
136 136 few: "%{count} ildən çox"
137 137 many: "%{count} ildən çox"
138 138 other: "%{count} ildən çox"
139 139 almost_x_years:
140 140 one: "təxminən 1 il"
141 141 few: "təxminən %{count} il"
142 142 many: "təxminən %{count} il"
143 143 other: "təxminən %{count} il"
144 144 prompts:
145 145 year: "İl"
146 146 month: "Ay"
147 147 day: "Gün"
148 148 hour: "Saat"
149 149 minute: "Dəqiqə"
150 150 second: "Saniyə"
151 151
152 152 activerecord:
153 153 errors:
154 154 template:
155 155 header:
156 156 one: "%{model}: %{count} səhvə görə yadda saxlamaq mümkün olmadı"
157 157 few: "%{model}: %{count} səhvlərə görə yadda saxlamaq mümkün olmadı"
158 158 many: "%{model}: %{count} səhvlərə görə yadda saxlamaq mümkün olmadı"
159 159 other: "%{model}: %{count} səhvə görə yadda saxlamaq mümkün olmadı"
160 160
161 161 body: "Problemlər aşağıdakı sahələrdə yarandı:"
162 162
163 163 messages:
164 164 inclusion: "nəzərdə tutulmamış təyinata malikdir"
165 165 exclusion: "ehtiyata götürülməmiş təyinata malikdir"
166 166 invalid: "düzgün təyinat deyildir"
167 167 confirmation: "təsdiq ilə üst-üstə düşmür"
168 168 accepted: "təsdiq etmək lazımdır"
169 169 empty: "boş saxlanıla bilməz"
170 170 blank: "boş saxlanıla bilməz"
171 171 too_long:
172 172 one: "çox böyük uzunluq (%{count} simvoldan çox ola bilməz)"
173 173 few: "çox böyük uzunluq (%{count} simvoldan çox ola bilməz)"
174 174 many: "çox böyük uzunluq (%{count} simvoldan çox ola bilməz)"
175 175 other: "çox böyük uzunluq (%{count} simvoldan çox ola bilməz)"
176 176 too_short:
177 177 one: "uzunluq kifayət qədər deyildir (%{count} simvoldan az ola bilməz)"
178 178 few: "uzunluq kifayət qədər deyildir (%{count} simvoldan az ola bilməz)"
179 179 many: "uzunluq kifayət qədər deyildir (%{count} simvoldan az ola bilməz)"
180 180 other: "uzunluq kifayət qədər deyildir (%{count} simvoldan az ola bilməz)"
181 181 wrong_length:
182 182 one: "düzgün olmayan uzunluq (tam %{count} simvol ola bilər)"
183 183 few: "düzgün olmayan uzunluq (tam %{count} simvol ola bilər)"
184 184 many: "düzgün olmayan uzunluq (tam %{count} simvol ola bilər)"
185 185 other: "düzgün olmayan uzunluq (tam %{count} simvol ola bilər)"
186 186 taken: "artıq mövcuddur"
187 187 not_a_number: "say kimi hesab edilmir"
188 188 greater_than: "%{count} çox təyinata malik ola bilər"
189 189 greater_than_or_equal_to: "%{count} çox ya ona bərabər təyinata malik ola bilər"
190 190 equal_to: "yalnız %{count} bərabər təyinata malik ola bilər"
191 191 less_than: "%{count} az təyinata malik ola bilər"
192 192 less_than_or_equal_to: "%{count} az ya ona bərabər təyinata malik ola bilər"
193 193 odd: "yalnız tək təyinata malik ola bilər"
194 194 even: "yalnız cüt təyinata malik ola bilər"
195 195 greater_than_start_date: "başlanğıc tarixindən sonra olmalıdır"
196 196 not_same_project: "təkcə bir layihəyə aid deyildir"
197 197 circular_dependency: "Belə əlaqə dövri asılılığa gətirib çıxaracaq"
198 198 cant_link_an_issue_with_a_descendant: "Tapşırıq özünün alt tapşırığı ilə əlaqəli ola bilməz"
199 199 earlier_than_minimum_start_date: "cannot be earlier than %{date} because of preceding issues"
200 200
201 201 support:
202 202 array:
203 203 # Rails 2.2
204 204 sentence_connector: "və"
205 205 skip_last_comma: true
206 206
207 207 # Rails 2.3
208 208 words_connector: ", "
209 209 two_words_connector: " və"
210 210 last_word_connector: " "
211 211
212 212 actionview_instancetag_blank_option: Seçim edin
213 213
214 214 button_activate: Aktivləşdirmək
215 215 button_add: Əlavə etmək
216 216 button_annotate: Müəlliflik
217 217 button_apply: Tətbiq etmək
218 218 button_archive: Arxivləşdirmək
219 219 button_back: Geriyə
220 220 button_cancel: İmtina
221 221 button_change_password: Parolu dəyişmək
222 222 button_change: Dəyişmək
223 223 button_check_all: Hamını qeyd etmək
224 224 button_clear: Təmizləmək
225 225 button_configure: Parametlər
226 226 button_copy: Sürətini çıxarmaq
227 227 button_create: Yaratmaq
228 228 button_create_and_continue: Yaratmaq və davam etmək
229 229 button_delete: Silmək
230 230 button_download: Yükləmək
231 231 button_edit: Redaktə etmək
232 232 button_edit_associated_wikipage: "Əlaqəli wiki-səhifəni redaktə etmək: %{page_title}"
233 233 button_list: Siyahı
234 234 button_lock: Bloka salmaq
235 235 button_login: Giriş
236 236 button_log_time: Sərf olunan vaxt
237 237 button_move: Yerini dəyişmək
238 238 button_quote: Sitat gətirmək
239 239 button_rename: Adını dəyişmək
240 240 button_reply: Cavablamaq
241 241 button_reset: Sıfırlamaq
242 242 button_rollback: Bu versiyaya qayıtmaq
243 243 button_save: Yadda saxlamaq
244 244 button_sort: Çeşidləmək
245 245 button_submit: Qəbul etmək
246 246 button_test: Yoxlamaq
247 247 button_unarchive: Arxivdən çıxarmaq
248 248 button_uncheck_all: Təmizləmək
249 249 button_unlock: Blokdan çıxarmaq
250 250 button_unwatch: İzləməmək
251 251 button_update: Yeniləmək
252 252 button_view: Baxmaq
253 253 button_watch: İzləmək
254 254
255 255 default_activity_design: Layihənin hazırlanması
256 256 default_activity_development: Hazırlanma prosesi
257 257 default_doc_category_tech: Texniki sənədləşmə
258 258 default_doc_category_user: İstifadəçi sənədi
259 259 default_issue_status_in_progress: İşlənməkdədir
260 260 default_issue_status_closed: Bağlanıb
261 261 default_issue_status_feedback: Əks əlaqə
262 262 default_issue_status_new: Yeni
263 263 default_issue_status_rejected: Rədd etmə
264 264 default_issue_status_resolved: Həll edilib
265 265 default_priority_high: Yüksək
266 266 default_priority_immediate: Təxirsiz
267 267 default_priority_low: Aşağı
268 268 default_priority_normal: Normal
269 269 default_priority_urgent: Təcili
270 270 default_role_developer: Hazırlayan
271 271 default_role_manager: Menecer
272 272 default_role_reporter: Reportyor
273 273 default_tracker_bug: Səhv
274 274 default_tracker_feature: Təkmilləşmə
275 275 default_tracker_support: Dəstək
276 276
277 277 enumeration_activities: Hərəkətlər (vaxtın uçotu)
278 278 enumeration_doc_categories: Sənədlərin kateqoriyası
279 279 enumeration_issue_priorities: Tapşırıqların prioriteti
280 280
281 281 error_can_not_remove_role: Bu rol istifadə edilir və silinə bilməz.
282 282 error_can_not_delete_custom_field: Sazlanmış sahəni silmək mümkün deyildir
283 283 error_can_not_delete_tracker: Bu treker tapşırıqlardan ibarət olduğu üçün silinə bilməz.
284 284 error_can_t_load_default_data: "Susmaya görə konfiqurasiya yüklənməmişdir: %{value}"
285 285 error_issue_not_found_in_project: Tapşırıq tapılmamışdır və ya bu layihəyə bərkidilməmişdir
286 286 error_scm_annotate: "Verilənlər mövcud deyildir ya imzalana bilməz."
287 287 error_scm_command_failed: "Saxlayıcıya giriş imkanı səhvi: %{value}"
288 288 error_scm_not_found: Saxlayıcıda yazı və/ və ya düzəliş yoxdur.
289 289 error_unable_to_connect: Qoşulmaq mümkün deyildir (%{value})
290 290 error_unable_delete_issue_status: Tapşırığın statusunu silmək mümkün deyildir
291 291
292 292 field_account: İstifadəçi hesabı
293 293 field_activity: Fəaliyyət
294 294 field_admin: İnzibatçı
295 295 field_assignable: Tapşırıq bu rola təyin edilə bilər
296 296 field_assigned_to: Təyin edilib
297 297 field_attr_firstname: Ad
298 298 field_attr_lastname: Soyad
299 299 field_attr_login: Atribut Login
300 300 field_attr_mail: e-poçt
301 301 field_author: Müəllif
302 302 field_auth_source: Autentifikasiya rejimi
303 303 field_base_dn: BaseDN
304 304 field_category: Kateqoriya
305 305 field_column_names: Sütunlar
306 306 field_comments: Şərhlər
307 307 field_comments_sorting: Şərhlərin təsviri
308 308 field_content: Content
309 309 field_created_on: Yaradılıb
310 310 field_default_value: Susmaya görə təyinat
311 311 field_delay: Təxirə salmaq
312 312 field_description: Təsvir
313 313 field_done_ratio: Hazırlıq
314 314 field_downloads: Yükləmələr
315 315 field_due_date: Yerinə yetirilmə tarixi
316 316 field_editable: Redaktə edilən
317 317 field_effective_date: Tarix
318 318 field_estimated_hours: Vaxtın dəyərləndirilməsi
319 319 field_field_format: Format
320 320 field_filename: Fayl
321 321 field_filesize: Ölçü
322 322 field_firstname: Ad
323 323 field_fixed_version: Variant
324 324 field_hide_mail: E-poçtumu gizlət
325 325 field_homepage: Başlanğıc səhifə
326 326 field_host: Kompyuter
327 327 field_hours: saat
328 328 field_identifier: Unikal identifikator
329 329 field_identity_url: OpenID URL
330 330 field_is_closed: Tapşırıq bağlanıb
331 331 field_is_default: Susmaya görə tapşırıq
332 332 field_is_filter: Filtr kimi istifadə edilir
333 333 field_is_for_all: Bütün layihələr üçün
334 334 field_is_in_roadmap: Operativ planda əks olunan tapşırıqlar
335 335 field_is_public: Ümümaçıq
336 336 field_is_required: Mütləq
337 337 field_issue_to: Əlaqəli tapşırıqlar
338 338 field_issue: Tapşırıq
339 339 field_language: Dil
340 340 field_last_login_on: Son qoşulma
341 341 field_lastname: Soyad
342 342 field_login: İstifadəçi
343 343 field_mail: e-poçt
344 344 field_mail_notification: e-poçt ilə bildiriş
345 345 field_max_length: maksimal uzunluq
346 346 field_min_length: minimal uzunluq
347 347 field_name: Ad
348 348 field_new_password: Yeni parol
349 349 field_notes: Qeyd
350 350 field_onthefly: Tez bir zamanda istifadəçinin yaradılması
351 351 field_parent_title: Valideyn səhifə
352 352 field_parent: Valideyn layihə
353 353 field_parent_issue: Valideyn tapşırıq
354 354 field_password_confirmation: Təsdiq
355 355 field_password: Parol
356 356 field_port: Port
357 357 field_possible_values: Mümkün olan təyinatlar
358 358 field_priority: Prioritet
359 359 field_project: Layihə
360 360 field_redirect_existing_links: Mövcud olan istinadları istiqamətləndirmək
361 361 field_regexp: Müntəzəm ifadə
362 362 field_role: Rol
363 363 field_searchable: Axtarış üçün açıqdır
364 364 field_spent_on: Tarix
365 365 field_start_date: Başlanıb
366 366 field_start_page: Başlanğıc səhifə
367 367 field_status: Status
368 368 field_subject: Mövzu
369 369 field_subproject: Altlayihə
370 370 field_summary: Qısa təsvir
371 371 field_text: Mətn sahəsi
372 372 field_time_entries: Sərf olunan zaman
373 373 field_time_zone: Saat qurşağı
374 374 field_title: Başlıq
375 375 field_tracker: Treker
376 376 field_type: Tip
377 377 field_updated_on: Yenilənib
378 378 field_url: URL
379 379 field_user: İstifadəçi
380 380 field_value: Təyinat
381 381 field_version: Variant
382 382 field_watcher: Nəzarətçi
383 383
384 384 general_csv_decimal_separator: ','
385 385 general_csv_encoding: UTF-8
386 386 general_csv_separator: ';'
387 387 general_pdf_fontname: freesans
388 388 general_first_day_of_week: '1'
389 389 general_lang_name: 'Azerbaijanian (Azeri)'
390 390 general_text_no: 'xeyr'
391 391 general_text_No: 'Xeyr'
392 392 general_text_yes: 'bəli'
393 393 general_text_Yes: 'Bəli'
394 394
395 395 label_activity: Görülən işlər
396 396 label_add_another_file: Bir fayl daha əlavə etmək
397 397 label_added_time_by: "Əlavə etdi %{author} %{age} əvvəl"
398 398 label_added: əlavə edilib
399 399 label_add_note: Qeydi əlavə etmək
400 400 label_administration: İnzibatçılıq
401 401 label_age: Yaş
402 402 label_ago: gün əvvəl
403 403 label_all_time: hər zaman
404 404 label_all_words: Bütün sözlər
405 405 label_all: hamı
406 406 label_and_its_subprojects: "%{value} bütün altlayihələr"
407 407 label_applied_status: Tətbiq olunan status
408 408 label_ascending: Artmaya görə
409 409 label_assigned_to_me_issues: Mənim tapşırıqlarım
410 410 label_associated_revisions: Əlaqəli redaksiyalar
411 411 label_attachment: Fayl
412 412 label_attachment_delete: Faylı silmək
413 413 label_attachment_new: Yeni fayl
414 414 label_attachment_plural: Fayllar
415 415 label_attribute: Atribut
416 416 label_attribute_plural: Atributlar
417 417 label_authentication: Autentifikasiya
418 418 label_auth_source: Autentifikasiyanın rejimi
419 419 label_auth_source_new: Autentifikasiyanın yeni rejimi
420 420 label_auth_source_plural: Autentifikasiyanın rejimləri
421 421 label_blocked_by: bloklanır
422 422 label_blocks: bloklayır
423 423 label_board: Forum
424 424 label_board_new: Yeni forum
425 425 label_board_plural: Forumlar
426 426 label_boolean: Məntiqi
427 427 label_browse: Baxış
428 428 label_bulk_edit_selected_issues: Seçilən bütün tapşırıqları redaktə etmək
429 429 label_calendar: Təqvim
430 430 label_calendar_filter: O cümlədən
431 431 label_calendar_no_assigned: Mənim deyil
432 432 label_change_plural: Dəyişikliklər
433 433 label_change_properties: Xassələri dəyişmək
434 434 label_change_status: Statusu dəyişmək
435 435 label_change_view_all: Bütün dəyişikliklərə baxmaq
436 436 label_changes_details: Bütün dəyişikliklərə görə təfsilatlar
437 437 label_changeset_plural: Dəyişikliklər
438 438 label_chronological_order: Xronoloji ardıcıllıq ilə
439 439 label_closed_issues: Bağlıdır
440 440 label_closed_issues_plural: bağlıdır
441 441 label_closed_issues_plural2: bağlıdır
442 442 label_closed_issues_plural5: bağlıdır
443 443 label_comment: şərhlər
444 444 label_comment_add: Şərhləri qeyd etmək
445 445 label_comment_added: Əlavə olunmuş şərhlər
446 446 label_comment_delete: Şərhi silmək
447 447 label_comment_plural: Şərhlər
448 448 label_comment_plural2: Şərhlər
449 449 label_comment_plural5: şərhlərin
450 450 label_commits_per_author: İstifadəçi üzərində dəyişikliklər
451 451 label_commits_per_month: Ay üzərində dəyişikliklər
452 452 label_confirmation: Təsdiq
453 453 label_contains: tərkibi
454 454 label_copied: surəti köçürülüb
455 455 label_copy_workflow_from: görülən işlərin ardıcıllığının surətini köçürmək
456 456 label_current_status: Cari status
457 457 label_current_version: Cari variant
458 458 label_custom_field: Sazlanan sahə
459 459 label_custom_field_new: Yeni sazlanan sahə
460 460 label_custom_field_plural: Sazlanan sahələr
461 461 label_date_from: С
462 462 label_date_from_to: С %{start} по %{end}
463 463 label_date_range: vaxt intervalı
464 464 label_date_to: üzrə
465 465 label_date: Tarix
466 466 label_day_plural: gün
467 467 label_default: Susmaya görə
468 468 label_default_columns: Susmaya görə sütunlar
469 469 label_deleted: silinib
470 470 label_descending: Azalmaya görə
471 471 label_details: Təfsilatlar
472 472 label_diff_inline: mətndə
473 473 label_diff_side_by_side: Yanaşı
474 474 label_disabled: söndürülüb
475 475 label_display: Təsvir
476 476 label_display_per_page: "Səhifəyə: %{value}"
477 477 label_document: Sənəd
478 478 label_document_added: Sənəd əlavə edilib
479 479 label_document_new: Yeni sənəd
480 480 label_document_plural: Sənədlər
481 481 label_downloads_abbr: Yükləmələr
482 482 label_duplicated_by: çoxaldılır
483 483 label_duplicates: çoxaldır
484 484 label_end_to_end: sondan sona doğru
485 485 label_end_to_start: sondan əvvələ doğru
486 486 label_enumeration_new: Yeni qiymət
487 487 label_enumerations: Qiymətlərin siyahısı
488 488 label_environment: Mühit
489 489 label_equals: sayılır
490 490 label_example: Nümunə
491 491 label_export_to: ixrac etmək
492 492 label_feed_plural: Atom
493 493 label_feeds_access_key_created_on: "Atom-ə giriş açarı %{value} əvvəl yaradılıb"
494 494 label_f_hour: "%{value} saat"
495 495 label_f_hour_plural: "%{value} saat"
496 496 label_file_added: Fayl əlavə edilib
497 497 label_file_plural: Fayllar
498 498 label_filter_add: Filtr əlavə etmək
499 499 label_filter_plural: Filtrlər
500 500 label_float: Həqiqi ədəd
501 501 label_follows: Əvvəlki
502 502 label_gantt: Qant diaqramması
503 503 label_general: Ümumi
504 504 label_generate_key: Açarı generasiya etmək
505 505 label_greater_or_equal: ">="
506 506 label_help: Kömək
507 507 label_history: Tarixçə
508 508 label_home: Ana səhifə
509 509 label_incoming_emails: Məlumatların qəbulu
510 510 label_index_by_date: Səhifələrin tarixçəsi
511 511 label_index_by_title: Başlıq
512 512 label_information_plural: İnformasiya
513 513 label_information: İnformasiya
514 514 label_in_less_than: az
515 515 label_in_more_than: çox
516 516 label_integer: Tam
517 517 label_internal: Daxili
518 518 label_in: da (də)
519 519 label_issue: Tapşırıq
520 520 label_issue_added: Tapşırıq əlavə edilib
521 521 label_issue_category_new: Yeni kateqoriya
522 522 label_issue_category_plural: Tapşırığın kateqoriyası
523 523 label_issue_category: Tapşırığın kateqoriyası
524 524 label_issue_new: Yeni tapşırıq
525 525 label_issue_plural: Tapşırıqlar
526 526 label_issues_by: "%{value} üzrə çeşidləmək"
527 527 label_issue_status_new: Yeni status
528 528 label_issue_status_plural: Tapşırıqların statusu
529 529 label_issue_status: Tapşırığın statusu
530 530 label_issue_tracking: Tapşırıqlar
531 531 label_issue_updated: Tapşırıq yenilənib
532 532 label_issue_view_all: Bütün tapşırıqlara baxmaq
533 533 label_issue_watchers: Nəzarətçilər
534 534 label_jump_to_a_project: ... layihəyə keçid
535 535 label_language_based: Dilin əsasında
536 536 label_last_changes: "%{count} az dəyişiklik"
537 537 label_last_login: Sonuncu qoşulma
538 538 label_last_month: sonuncu ay
539 539 label_last_n_days: "son %{count} gün"
540 540 label_last_week: sonuncu həftə
541 541 label_latest_revision: Sonuncu redaksiya
542 542 label_latest_revision_plural: Sonuncu redaksiyalar
543 543 label_ldap_authentication: LDAP vasitəsilə avtorizasiya
544 544 label_less_or_equal: <=
545 545 label_less_than_ago: gündən az
546 546 label_list: Siyahı
547 547 label_loading: Yükləmə...
548 548 label_logged_as: Daxil olmusunuz
549 549 label_login: Daxil olmaq
550 550 label_login_with_open_id_option: və ya OpenID vasitəsilə daxil olmaq
551 551 label_logout: Çıxış
552 552 label_max_size: Maksimal ölçü
553 553 label_member_new: Yeni iştirakçı
554 554 label_member: İştirakçı
555 555 label_member_plural: İştirakçılar
556 556 label_message_last: Sonuncu məlumat
557 557 label_message_new: Yeni məlumat
558 558 label_message_plural: Məlumatlar
559 559 label_message_posted: Məlumat əlavə olunub
560 560 label_me: mənə
561 561 label_min_max_length: Minimal - maksimal uzunluq
562 562 label_modified: dəyişilib
563 563 label_module_plural: Modullar
564 564 label_months_from: ay
565 565 label_month: Ay
566 566 label_more_than_ago: gündən əvvəl
567 567 label_more: Çox
568 568 label_my_account: Mənim hesabım
569 569 label_my_page: Mənim səhifəm
570 570 label_my_page_block: Mənim səhifəmin bloku
571 571 label_my_projects: Mənim layihələrim
572 572 label_new: Yeni
573 573 label_new_statuses_allowed: İcazə verilən yeni statuslar
574 574 label_news_added: Xəbər əlavə edilib
575 575 label_news_latest: Son xəbərlər
576 576 label_news_new: Xəbər əlavə etmək
577 577 label_news_plural: Xəbərlər
578 578 label_news_view_all: Bütün xəbərlərə baxmaq
579 579 label_news: Xəbərlər
580 580 label_next: Növbəti
581 581 label_nobody: heç kim
582 582 label_no_change_option: (Dəyişiklik yoxdur)
583 583 label_no_data: Təsvir üçün verilənlər yoxdur
584 584 label_none: yoxdur
585 585 label_not_contains: mövcud deyil
586 586 label_not_equals: sayılmır
587 587 label_open_issues: açıqdır
588 588 label_open_issues_plural: açıqdır
589 589 label_open_issues_plural2: açıqdır
590 590 label_open_issues_plural5: açıqdır
591 591 label_optional_description: Təsvir (vacib deyil)
592 592 label_options: Opsiyalar
593 593 label_overall_activity: Görülən işlərin toplu hesabatı
594 594 label_overview: Baxış
595 595 label_password_lost: Parolun bərpası
596 596 label_permissions_report: Giriş hüquqları üzrə hesabat
597 597 label_permissions: Giriş hüquqları
598 598 label_personalize_page: bu səhifəni fərdiləşdirmək
599 599 label_planning: Planlaşdırma
600 600 label_please_login: Xahiş edirik, daxil olun.
601 601 label_plugins: Modullar
602 602 label_precedes: növbəti
603 603 label_preferences: Üstünlük
604 604 label_preview: İlkin baxış
605 605 label_previous: Əvvəlki
606 606 label_profile: Profil
607 607 label_project: Layihə
608 608 label_project_all: Bütün layihələr
609 609 label_project_copy_notifications: Layihənin surətinin çıxarılması zamanı elektron poçt ilə bildiriş göndərmək
610 610 label_project_latest: Son layihələr
611 611 label_project_new: Yeni layihə
612 612 label_project_plural: Layihələr
613 613 label_project_plural2: layihəni
614 614 label_project_plural5: layihələri
615 615 label_public_projects: Ümumi layihələr
616 616 label_query: Yadda saxlanılmış sorğu
617 617 label_query_new: Yeni sorğu
618 618 label_query_plural: Yadda saxlanılmış sorğular
619 619 label_read: Oxu...
620 620 label_register: Qeydiyyat
621 621 label_registered_on: Qeydiyyatdan keçib
622 622 label_registration_activation_by_email: e-poçt üzrə hesabımın aktivləşdirilməsi
623 623 label_registration_automatic_activation: uçot qeydlərinin avtomatik aktivləşdirilməsi
624 624 label_registration_manual_activation: uçot qeydlərini əl ilə aktivləşdirmək
625 625 label_related_issues: Əlaqəli tapşırıqlar
626 626 label_relates_to: əlaqəlidir
627 627 label_relation_delete: Əlaqəni silmək
628 628 label_relation_new: Yeni münasibət
629 629 label_renamed: adını dəyişmək
630 630 label_reply_plural: Cavablar
631 631 label_report: Hesabat
632 632 label_report_plural: Hesabatlar
633 633 label_reported_issues: Yaradılan tapşırıqlar
634 634 label_repository: Saxlayıcı
635 635 label_repository_plural: Saxlayıcı
636 636 label_result_plural: Nəticələr
637 637 label_reverse_chronological_order: Əks ardıcıllıqda
638 638 label_revision: Redaksiya
639 639 label_revision_plural: Redaksiyalar
640 640 label_roadmap: Operativ plan
641 641 label_roadmap_due_in: "%{value} müddətində"
642 642 label_roadmap_no_issues: bu versiya üçün tapşırıq yoxdur
643 643 label_roadmap_overdue: "gecikmə %{value}"
644 644 label_role: Rol
645 645 label_role_and_permissions: Rollar və giriş hüquqları
646 646 label_role_new: Yeni rol
647 647 label_role_plural: Rollar
648 648 label_scm: Saxlayıcının tipi
649 649 label_search: Axtarış
650 650 label_search_titles_only: Ancaq adlarda axtarmaq
651 651 label_send_information: İstifadəçiyə uçot qeydləri üzrə informasiyanı göndərmək
652 652 label_send_test_email: Yoxlama üçün email göndərmək
653 653 label_settings: Sazlamalar
654 654 label_show_completed_versions: Bitmiş variantları göstərmək
655 655 label_sort: Çeşidləmək
656 656 label_sort_by: "%{value} üzrə çeşidləmək"
657 657 label_sort_higher: Yuxarı
658 658 label_sort_highest: Əvvələ qayıt
659 659 label_sort_lower: Aşağı
660 660 label_sort_lowest: Sona qayıt
661 661 label_spent_time: Sərf olunan vaxt
662 662 label_start_to_end: əvvəldən axıra doğru
663 663 label_start_to_start: əvvəldən əvvələ doğru
664 664 label_statistics: Statistika
665 665 label_stay_logged_in: Sistemdə qalmaq
666 666 label_string: Mətn
667 667 label_subproject_plural: Altlayihələr
668 668 label_subtask_plural: Alt tapşırıqlar
669 669 label_text: Uzun mətn
670 670 label_theme: Mövzu
671 671 label_this_month: bu ay
672 672 label_this_week: bu həftə
673 673 label_this_year: bu il
674 674 label_time_tracking: Vaxtın uçotu
675 675 label_timelog_today: Bu günə sərf olunan vaxt
676 676 label_today: bu gün
677 677 label_topic_plural: Mövzular
678 678 label_total: Cəmi
679 679 label_tracker: Treker
680 680 label_tracker_new: Yeni treker
681 681 label_tracker_plural: Trekerlər
682 682 label_updated_time: "%{value} əvvəl yenilənib"
683 683 label_updated_time_by: "%{author} %{age} əvvəl yenilənib"
684 684 label_used_by: İstifadə olunur
685 685 label_user: İstifasdəçi
686 686 label_user_activity: "İstifadəçinin gördüyü işlər %{value}"
687 687 label_user_mail_no_self_notified: "Tərəfimdən edilən dəyişikliklər haqqında məni xəbərdar etməmək"
688 688 label_user_mail_option_all: "Mənim layihələrimdəki bütün hadisələr haqqında"
689 689 label_user_mail_option_selected: "Yalnız seçilən layihədəki bütün hadisələr haqqında..."
690 690 label_user_mail_option_only_owner: Yalnız sahibi olduğum obyektlər üçün
691 691 label_user_mail_option_only_my_events: Yalnız izlədiyim və ya iştirak etdiyim obyektlər üçün
692 692 label_user_mail_option_only_assigned: Yalnız mənə təyin edilən obyektlər üçün
693 693 label_user_new: Yeni istifadəçi
694 694 label_user_plural: İstifadəçilər
695 695 label_version: Variant
696 696 label_version_new: Yeni variant
697 697 label_version_plural: Variantlar
698 698 label_view_diff: Fərqlərə baxmaq
699 699 label_view_revisions: Redaksiyalara baxmaq
700 700 label_watched_issues: Tapşırığın izlənilməsi
701 701 label_week: Həftə
702 702 label_wiki: Wiki
703 703 label_wiki_edit: Wiki-nin redaktəsi
704 704 label_wiki_edit_plural: Wiki
705 705 label_wiki_page: Wiki səhifəsi
706 706 label_wiki_page_plural: Wiki səhifələri
707 707 label_workflow: Görülən işlərin ardıcıllığı
708 708 label_x_closed_issues_abbr:
709 709 zero: "0 bağlıdır"
710 710 one: "1 bağlanıb"
711 711 few: "%{count} bağlıdır"
712 712 many: "%{count} bağlıdır"
713 713 other: "%{count} bağlıdır"
714 714 label_x_comments:
715 715 zero: "şərh yoxdur"
716 716 one: "1 şərh"
717 717 few: "%{count} şərhlər"
718 718 many: "%{count} şərh"
719 719 other: "%{count} şərh"
720 720 label_x_open_issues_abbr:
721 721 zero: "0 açıqdır"
722 722 one: "1 açıq"
723 723 few: "%{count} açıqdır"
724 724 many: "%{count} açıqdır"
725 725 other: "%{count} açıqdır"
726 726 label_x_open_issues_abbr_on_total:
727 727 zero: "0 açıqdır / %{total}"
728 728 one: "1 açıqdır / %{total}"
729 729 few: "%{count} açıqdır / %{total}"
730 730 many: "%{count} açıqdır / %{total}"
731 731 other: "%{count} açıqdır / %{total}"
732 732 label_x_projects:
733 733 zero: "layihələr yoxdur"
734 734 one: "1 layihə"
735 735 few: "%{count} layihə"
736 736 many: "%{count} layihə"
737 737 other: "%{count} layihə"
738 738 label_year: İl
739 739 label_yesterday: dünən
740 740
741 741 mail_body_account_activation_request: "Yeni istifadəçi qeydiyyatdan keçib (%{value}). Uçot qeydi Sizin təsdiqinizi gözləyir:"
742 742 mail_body_account_information: Sizin uçot qeydiniz haqqında informasiya
743 743 mail_body_account_information_external: "Siz özünüzün %{value} uçot qeydinizi giriş üçün istifadə edə bilərsiniz."
744 744 mail_body_lost_password: 'Parolun dəyişdirilməsi üçün aşağıdakı linkə keçin:'
745 745 mail_body_register: 'Uçot qeydinin aktivləşdirilməsi üçün aşağıdakı linkə keçin:'
746 746 mail_body_reminder: "növbəti %{days} gün üçün Sizə təyin olunan %{count}:"
747 747 mail_subject_account_activation_request: "Sistemdə istifadəçinin aktivləşdirilməsi üçün sorğu %{value}"
748 748 mail_subject_lost_password: "Sizin %{value} parolunuz"
749 749 mail_subject_register: "Uçot qeydinin aktivləşdirilməsi %{value}"
750 750 mail_subject_reminder: "yaxın %{days} gün üçün Sizə təyin olunan %{count}"
751 751
752 752 notice_account_activated: Sizin uçot qeydiniz aktivləşdirilib. Sistemə daxil ola bilərsiniz.
753 753 notice_account_invalid_creditentials: İstifadəçi adı və ya parolu düzgün deyildir
754 754 notice_account_lost_email_sent: Sizə yeni parolun seçimi ilə bağlı təlimatı əks etdirən məktub göndərilmişdir.
755 755 notice_account_password_updated: Parol müvəffəqiyyətlə yeniləndi.
756 756 notice_account_pending: "Sizin uçot qeydiniz yaradıldı inzibatçının təsdiqini gözləyir."
757 757 notice_account_register_done: Uçot qeydi müvəffəqiyyətlə yaradıldı. Sizin uçot qeydinizin aktivləşdirilməsi üçün elektron poçtunuza göndərilən linkə keçin.
758 758 notice_account_unknown_email: Naməlum istifadəçi.
759 759 notice_account_updated: Uçot qeydi müvəffəqiyyətlə yeniləndi.
760 760 notice_account_wrong_password: Parol düzgün deyildir
761 761 notice_can_t_change_password: Bu uçot qeydi üçün xarici autentifikasiya mənbəyi istifadə olunur. Parolu dəyişmək mümkün deyildir.
762 762 notice_default_data_loaded: Susmaya görə konfiqurasiya yüklənilmişdir.
763 763 notice_email_error: "Məktubun göndərilməsi zamanı səhv baş vermişdi (%{value})"
764 764 notice_email_sent: "Məktub göndərilib %{value}"
765 765 notice_failed_to_save_issues: "Seçilən %{total} içərisindən %{count} bəndləri saxlamaq mümkün olmadı: %{ids}."
766 766 notice_failed_to_save_members: "İştirakçını (ları) yadda saxlamaq mümkün olmadı: %{errors}."
767 767 notice_feeds_access_key_reseted: Sizin Atom giriş açarınız sıfırlanmışdır.
768 768 notice_file_not_found: Daxil olmağa çalışdığınız səhifə mövcud deyildir və ya silinib.
769 769 notice_locking_conflict: İnformasiya digər istifadəçi tərəfindən yenilənib.
770 770 notice_no_issue_selected: "Heç bir tapşırıq seçilməyib! Xahiş edirik, redaktə etmək istədiyiniz tapşırığı qeyd edin."
771 771 notice_not_authorized: Sizin bu səhifəyə daxil olmaq hüququnuz yoxdur.
772 772 notice_successful_connection: Qoşulma müvəffəqiyyətlə yerinə yetirilib.
773 773 notice_successful_create: Yaratma müvəffəqiyyətlə yerinə yetirildi.
774 774 notice_successful_delete: Silinmə müvəffəqiyyətlə yerinə yetirildi.
775 775 notice_successful_update: Yeniləmə müvəffəqiyyətlə yerinə yetirildi.
776 776 notice_unable_delete_version: Variantı silmək mümkün olmadı.
777 777
778 778 permission_add_issues: Tapşırıqların əlavə edilməsi
779 779 permission_add_issue_notes: Qeydlərin əlavə edilməsi
780 780 permission_add_issue_watchers: Nəzarətçilərin əlavə edilməsi
781 781 permission_add_messages: Məlumatların göndərilməsi
782 782 permission_browse_repository: Saxlayıcıya baxış
783 783 permission_comment_news: Xəbərlərə şərh
784 784 permission_commit_access: Saxlayıcıda faylların dəyişdirilməsi
785 785 permission_delete_issues: Tapşırıqların silinməsi
786 786 permission_delete_messages: Məlumatların silinməsi
787 787 permission_delete_own_messages: Şəxsi məlumatların silinməsi
788 788 permission_delete_wiki_pages: Wiki-səhifələrin silinməsi
789 789 permission_delete_wiki_pages_attachments: Bərkidilən faylların silinməsi
790 790 permission_edit_issue_notes: Qeydlərin redaktə edilməsi
791 791 permission_edit_issues: Tapşırıqların redaktə edilməsi
792 792 permission_edit_messages: Məlumatların redaktə edilməsi
793 793 permission_edit_own_issue_notes: Şəxsi qeydlərin redaktə edilməsi
794 794 permission_edit_own_messages: Şəxsi məlumatların redaktə edilməsi
795 795 permission_edit_own_time_entries: Şəxsi vaxt uçotunun redaktə edilməsi
796 796 permission_edit_project: Layihələrin redaktə edilməsi
797 797 permission_edit_time_entries: Vaxt uçotunun redaktə edilməsi
798 798 permission_edit_wiki_pages: Wiki-səhifənin redaktə edilməsi
799 799 permission_export_wiki_pages: Wiki-səhifənin ixracı
800 800 permission_log_time: Sərf olunan vaxtın uçotu
801 801 permission_view_changesets: Saxlayıcı dəyişikliklərinə baxış
802 802 permission_view_time_entries: Sərf olunan vaxta baxış
803 803 permission_manage_project_activities: Layihə üçün hərəkət tiplərinin idarə edilməsi
804 804 permission_manage_boards: Forumların idarə edilməsi
805 805 permission_manage_categories: Tapşırıq kateqoriyalarının idarə edilməsi
806 806 permission_manage_files: Faylların idarə edilməsi
807 807 permission_manage_issue_relations: Tapşırıq bağlantılarının idarə edilməsi
808 808 permission_manage_members: İştirakçıların idarə edilməsi
809 809 permission_manage_news: Xəbərlərin idarə edilməsi
810 810 permission_manage_public_queries: Ümumi sorğuların idarə edilməsi
811 811 permission_manage_repository: Saxlayıcının idarə edilməsi
812 812 permission_manage_subtasks: Alt tapşırıqların idarə edilməsi
813 813 permission_manage_versions: Variantların idarə edilməsi
814 814 permission_manage_wiki: Wiki-nin idarə edilməsi
815 815 permission_move_issues: Tapşırıqların köçürülməsi
816 816 permission_protect_wiki_pages: Wiki-səhifələrin bloklanması
817 817 permission_rename_wiki_pages: Wiki-səhifələrin adının dəyişdirilməsi
818 818 permission_save_queries: Sorğuların yadda saxlanılması
819 819 permission_select_project_modules: Layihə modulunun seçimi
820 820 permission_view_calendar: Təqvimə baxış
821 821 permission_view_documents: Sənədlərə baxış
822 822 permission_view_files: Fayllara baxış
823 823 permission_view_gantt: Qant diaqramına baxış
824 824 permission_view_issue_watchers: Nəzarətçilərin siyahılarına baxış
825 825 permission_view_messages: Məlumatlara baxış
826 826 permission_view_wiki_edits: Wiki tarixçəsinə baxış
827 827 permission_view_wiki_pages: Wiki-yə baxış
828 828
829 829 project_module_boards: Forumlar
830 830 project_module_documents: Sənədlər
831 831 project_module_files: Fayllar
832 832 project_module_issue_tracking: Tapşırıqlar
833 833 project_module_news: Xəbərlər
834 834 project_module_repository: Saxlayıcı
835 835 project_module_time_tracking: Vaxtın uçotu
836 836 project_module_wiki: Wiki
837 837 project_module_gantt: Qant diaqramı
838 838 project_module_calendar: Təqvim
839 839
840 840 setting_activity_days_default: Görülən işlərdə əks olunan günlərin sayı
841 841 setting_app_subtitle: Əlavənin sərlövhəsi
842 842 setting_app_title: Əlavənin adı
843 843 setting_attachment_max_size: Yerləşdirmənin maksimal ölçüsü
844 844 setting_autofetch_changesets: Saxlayıcının dəyişikliklərini avtomatik izləmək
845 845 setting_autologin: Avtomatik giriş
846 846 setting_bcc_recipients: Gizli surətləri istifadə etmək (BCC)
847 847 setting_cache_formatted_text: Formatlaşdırılmış mətnin heşlənməsi
848 848 setting_commit_fix_keywords: Açar sözlərin təyini
849 849 setting_commit_ref_keywords: Axtarış üçün açar sözlər
850 850 setting_cross_project_issue_relations: Layihələr üzrə tapşırıqların kəsişməsinə icazə vermək
851 851 setting_date_format: Tarixin formatı
852 852 setting_default_language: Susmaya görə dil
853 853 setting_default_notification_option: Susmaya görə xəbərdarlıq üsulu
854 854 setting_default_projects_public: Yeni layihələr ümumaçıq hesab edilir
855 855 setting_diff_max_lines_displayed: diff üçün sətirlərin maksimal sayı
856 856 setting_display_subprojects_issues: Susmaya görə altlayihələrin əks olunması
857 857 setting_emails_footer: Məktubun sətiraltı qeydləri
858 858 setting_enabled_scm: Daxil edilən SCM
859 859 setting_feeds_limit: Atom axını üçün başlıqların sayının məhdudlaşdırılması
860 860 setting_file_max_size_displayed: Əks olunma üçün mətn faylının maksimal ölçüsü
861 861 setting_gravatar_enabled: İstifadəçi avatarını Gravatar-dan istifadə etmək
862 862 setting_host_name: Kompyuterin adı
863 863 setting_issue_list_default_columns: Susmaya görə tapşırıqların siyahısında əks oluna sütunlar
864 864 setting_issues_export_limit: İxrac olunan tapşırıqlar üzrə məhdudiyyətlər
865 865 setting_login_required: Autentifikasiya vacibdir
866 866 setting_mail_from: Çıxan e-poçt ünvanı
867 867 setting_mail_handler_api_enabled: Daxil olan məlumatlar üçün veb-servisi qoşmaq
868 868 setting_mail_handler_api_key: API açar
869 869 setting_openid: Giriş və qeydiyyat üçün OpenID izacə vermək
870 870 setting_per_page_options: Səhifə üçün qeydlərin sayı
871 871 setting_plain_text_mail: Yalnız sadə mətn (HTML olmadan)
872 872 setting_protocol: Protokol
873 873 setting_repository_log_display_limit: Dəyişikliklər jurnalında əks olunan redaksiyaların maksimal sayı
874 874 setting_self_registration: Özünüqeydiyyat
875 875 setting_sequential_project_identifiers: Layihələrin ardıcıl identifikatorlarını generasiya etmək
876 876 setting_sys_api_enabled: Saxlayıcının idarə edilməsi üçün veb-servisi qoşmaq
877 877 setting_text_formatting: Mətnin formatlaşdırılması
878 878 setting_time_format: Vaxtın formatı
879 879 setting_user_format: Adın əks olunma formatı
880 880 setting_welcome_text: Salamlama mətni
881 881 setting_wiki_compression: Wiki tarixçəsinin sıxlaşdırılması
882 882
883 883 status_active: aktivdir
884 884 status_locked: bloklanıb
885 885 status_registered: qeydiyyatdan keçib
886 886
887 887 text_are_you_sure: Siz əminsinizmi?
888 888 text_assign_time_entries_to_project: Qeydiyyata alınmış vaxtı layihəyə bərkitmək
889 889 text_caracters_maximum: "Maksimum %{count} simvol."
890 890 text_caracters_minimum: "%{count} simvoldan az olmamalıdır."
891 891 text_comma_separated: Bir neçə qiymət mümkündür (vergül vasitəsilə).
892 892 text_custom_field_possible_values_info: 'Hər sətirə bir qiymət'
893 893 text_default_administrator_account_changed: İnzibatçının uçot qeydi susmaya görə dəyişmişdir
894 894 text_destroy_time_entries_question: "Bu tapşırıq üçün sərf olunan vaxta görə %{hours} saat qeydiyyata alınıb. Siz etmək istəyirsiniz?"
895 895 text_destroy_time_entries: Qeydiyyata alınmış vaxtı silmək
896 896 text_diff_truncated: '... Bu diff məhduddur, çünki əks olunan maksimal ölçünü keçir.'
897 897 text_email_delivery_not_configured: "Poçt serveri ilə işin parametrləri sazlanmayıb e-poçt ilə bildiriş funksiyası aktiv deyildir.\nSizin SMTP-server üçün parametrləri config/configuration.yml faylından sazlaya bilərsiniz. Dəyişikliklərin tətbiq edilməsi üçün əlavəni yenidən başladın."
898 898 text_enumeration_category_reassign_to: 'Onlara aşağıdakı qiymətləri təyin etmək:'
899 899 text_enumeration_destroy_question: "%{count} obyekt bu qiymətlə bağlıdır."
900 900 text_file_repository_writable: Qeydə giriş imkanı olan saxlayıcı
901 901 text_issue_added: "Yeni tapşırıq yaradılıb %{id} (%{author})."
902 902 text_issue_category_destroy_assignments: Kateqoriyanın təyinatını silmək
903 903 text_issue_category_destroy_question: "Bir neçə tapşırıq (%{count}) bu kateqoriya üçün təyin edilib. Siz etmək istəyirsiniz?"
904 904 text_issue_category_reassign_to: Bu kateqoriya üçün tapşırığı yenidən təyin etmək
905 905 text_issues_destroy_confirmation: 'Seçilən tapşırıqları silmək istədiyinizə əminsinizmi?'
906 906 text_issues_ref_in_commit_messages: Məlumatın mətnindən çıxış edərək tapşırıqların statuslarının tutuşdurulması və dəyişdirilməsi
907 907 text_issue_updated: "Tapşırıq %{id} yenilənib (%{author})."
908 908 text_journal_changed: "Parametr %{label} %{old} - %{new} dəyişib"
909 909 text_journal_deleted: "Parametrin %{old} qiyməti %{label} silinib"
910 910 text_journal_set_to: "%{label} parametri %{value} dəyişib"
911 911 text_length_between: "%{min} %{max} simvollar arasındakı uzunluq."
912 912 text_load_default_configuration: Susmaya görə konfiqurasiyanı yükləmək
913 913 text_min_max_length_info: 0 məhdudiyyətlərin olmadığını bildirir
914 914 text_no_configuration_data: "Rollar, trekerlər, tapşırıqların statusları operativ plan konfiqurasiya olunmayıblar.\nSusmaya görə konfiqurasiyanın yüklənməsi təkidlə xahiş olunur. Siz onu sonradan dəyişə bilərsiniz."
915 915 text_plugin_assets_writable: Modullar kataloqu qeyd üçün açıqdır
916 916 text_project_destroy_confirmation: Siz bu layihə və ona aid olan bütün informasiyanı silmək istədiyinizə əminsinizmi?
917 917 text_reassign_time_entries: 'Qeydiyyata alınmış vaxtı aşağıdakı tapşırığa keçir:'
918 918 text_regexp_info: "məsələn: ^[A-Z0-9]+$"
919 919 text_repository_usernames_mapping: "Saxlayıcının jurnalında tapılan adlarla bağlı olan Redmine istifadəçisini seçin ya yeniləyin.\nEyni ad e-poçta sahib olan istifadəçilər Redmine saxlayıcıda avtomatik əlaqələndirilir."
920 920 text_rmagick_available: RMagick istifadəsi mümkündür (opsional olaraq)
921 921 text_select_mail_notifications: Elektron poçta bildirişlərin göndərilməsi seçim edəcəyiniz hərəkətlərdən asılıdır.
922 922 text_select_project_modules: 'Layihədə istifadə olunacaq modulları seçin:'
923 923 text_status_changed_by_changeset: "%{value} redaksiyada reallaşdırılıb."
924 924 text_subprojects_destroy_warning: "Altlayihələr: %{value} həmçinin silinəcək."
925 925 text_tip_issue_begin_day: tapşırığın başlanğıc tarixi
926 926 text_tip_issue_begin_end_day: elə həmin gün tapşırığın başlanğıc və bitmə tarixi
927 927 text_tip_issue_end_day: tapşırığın başa çatma tarixi
928 928 text_tracker_no_workflow: Bu treker üçün hərəkətlərin ardıcıllığı müəyyən ediməyib
929 929 text_unallowed_characters: Qadağan edilmiş simvollar
930 930 text_user_mail_option: "Seçilməyən layihələr üçün Siz yalnız baxdığınız ya iştirak etdiyiniz layihələr barədə bildiriş alacaqsınız məsələn, müəllifi olduğunuz layihələr ya o layihələr ki, Sizə təyin edilib)."
931 931 text_user_wrote: "%{value} yazıb:"
932 932 text_wiki_destroy_confirmation: Siz bu Wiki və onun tərkibindəkiləri silmək istədiyinizə əminsinizmi?
933 933 text_workflow_edit: Vəziyyətlərin ardıcıllığını redaktə etmək üçün rol və trekeri seçin
934 934
935 935 warning_attachments_not_saved: "faylın (ların) %{count} yadda saxlamaq mümkün deyildir."
936 936 text_wiki_page_destroy_question: Bu səhifə %{descendants} yaxın və çox yaxın səhifələrə malikdir. Siz nə etmək istəyirsiniz?
937 937 text_wiki_page_reassign_children: Cari səhifə üçün yaxın səhifələri yenidən təyin etmək
938 938 text_wiki_page_nullify_children: Yaxın səhifələri baş səhifələr etmək
939 939 text_wiki_page_destroy_children: Yaxın və çox yaxın səhifələri silmək
940 940 setting_password_min_length: Parolun minimal uzunluğu
941 941 field_group_by: Nəticələri qruplaşdırmaq
942 942 mail_subject_wiki_content_updated: "Wiki-səhifə '%{id}' yenilənmişdir"
943 943 label_wiki_content_added: Wiki-səhifə əlavə olunub
944 944 mail_subject_wiki_content_added: "Wiki-səhifə '%{id}' əlavə edilib"
945 945 mail_body_wiki_content_added: "%{author} Wiki-səhifəni '%{id}' əlavə edib."
946 946 label_wiki_content_updated: Wiki-səhifə yenilənib
947 947 mail_body_wiki_content_updated: "%{author} Wiki-səhifəni '%{id}' yeniləyib."
948 948 permission_add_project: Layihənin yaradılması
949 949 setting_new_project_user_role_id: Layihəni yaradan istifadəçiyə təyin olunan rol
950 950 label_view_all_revisions: Bütün yoxlamaları göstərmək
951 951 label_tag: Nişan
952 952 label_branch: Şöbə
953 953 error_no_tracker_in_project: Bu layihə ilə heç bir treker assosiasiya olunmayıb. Layihənin sazlamalarını yoxlayın.
954 954 error_no_default_issue_status: Susmaya görə tapşırıqların statusu müəyyən edilməyib. Sazlamaları yoxlayın (bax. "İnzibatçılıq -> Tapşırıqların statusu").
955 955 label_group_plural: Qruplar
956 956 label_group: Qrup
957 957 label_group_new: Yeni qrup
958 958 label_time_entry_plural: Sərf olunan vaxt
959 959 text_journal_added: "%{label} %{value} əlavə edilib"
960 960 field_active: Aktiv
961 961 enumeration_system_activity: Sistemli
962 962 permission_delete_issue_watchers: Nəzarətçilərin silinməsi
963 963 version_status_closed: Bağlanıb
964 964 version_status_locked: bloklanıb
965 965 version_status_open: açıqdır
966 966 error_can_not_reopen_issue_on_closed_version: Bağlı varianta təyin edilən tapşırıq yenidən açıq ola bilməz
967 967 label_user_anonymous: Anonim
968 968 button_move_and_follow: Yerləşdirmək və keçid
969 969 setting_default_projects_modules: Yeni layihələr üçün susmaya görə daxil edilən modullar
970 970 setting_gravatar_default: Susmaya görə Gravatar təsviri
971 971 field_sharing: Birgə istifadə
972 972 label_version_sharing_hierarchy: Layihələrin iyerarxiyasına görə
973 973 label_version_sharing_system: bütün layihələr ilə
974 974 label_version_sharing_descendants: Alt layihələr ilə
975 975 label_version_sharing_tree: Layihələrin iyerarxiyası ilə
976 976 label_version_sharing_none: Birgə istifadə olmadan
977 977 error_can_not_archive_project: Bu layihə arxivləşdirilə bilməz
978 978 button_duplicate: Təkrarlamaq
979 979 button_copy_and_follow: Surətini çıxarmaq və davam etmək
980 980 label_copy_source: Mənbə
981 981 setting_issue_done_ratio: Sahənin köməyi ilə tapşırığın hazırlığını nəzərə almaq
982 982 setting_issue_done_ratio_issue_status: Tapşırığın statusu
983 983 error_issue_done_ratios_not_updated: Tapşırıqların hazırlıq parametri yenilənməyib
984 984 error_workflow_copy_target: Məqsədə uyğun trekerləri və rolları seçin
985 985 setting_issue_done_ratio_issue_field: Tapşırığın hazırlıq səviyyəsi
986 986 label_copy_same_as_target: Məqsəddə olduğu kimi
987 987 label_copy_target: Məqsəd
988 988 notice_issue_done_ratios_updated: Parametr &laquo;hazırlıq&raquo; yenilənib.
989 989 error_workflow_copy_source: Cari trekeri və ya rolu seçin
990 990 label_update_issue_done_ratios: Tapşırığın hazırlıq səviyyəsini yeniləmək
991 991 setting_start_of_week: Həftənin birinci günü
992 992 label_api_access_key: API-yə giriş açarı
993 993 text_line_separated: Bİr neçə qiymət icazə verilib (hər sətirə bir qiymət).
994 994 label_revision_id: Yoxlama %{value}
995 995 permission_view_issues: Tapşırıqlara baxış
996 996 label_display_used_statuses_only: Yalnız bu trekerdə istifadə olunan statusları əks etdirmək
997 997 label_api_access_key_created_on: API-yə giriş açarı %{value} əvvəl aradılıb
998 998 label_feeds_access_key: Atom giriş açarı
999 999 notice_api_access_key_reseted: Sizin API giriş açarınız sıfırlanıb.
1000 1000 setting_rest_api_enabled: REST veb-servisini qoşmaq
1001 1001 button_show: Göstərmək
1002 1002 label_missing_api_access_key: API-yə giriş açarı mövcud deyildir
1003 1003 label_missing_feeds_access_key: Atom-ə giriş açarı mövcud deyildir
1004 1004 setting_mail_handler_body_delimiters: Bu sətirlərin birindən sonra məktubu qısaltmaq
1005 1005 permission_add_subprojects: Alt layihələrin yaradılması
1006 1006 label_subproject_new: Yeni alt layihə
1007 1007 text_own_membership_delete_confirmation: |-
1008 1008 Siz bəzi və ya bütün hüquqları silməyə çalışırsınız, nəticədə bu layihəni redaktə etmək hüququnu da itirə bilərsiniz. Davam etmək istədiyinizə əminsinizmi?
1009 1009
1010 1010 label_close_versions: Başa çatmış variantları bağlamaq
1011 1011 label_board_sticky: Bərkidilib
1012 1012 label_board_locked: Bloklanıb
1013 1013 field_principal: Ad
1014 1014 text_zoom_out: Uzaqlaşdırmaq
1015 1015 text_zoom_in: Yaxınlaşdırmaq
1016 1016 notice_unable_delete_time_entry: Jurnalın qeydini silmək mümkün deyildir.
1017 1017 label_overall_spent_time: Cəmi sərf olunan vaxt
1018 1018 label_user_mail_option_none: Hadisə yoxdur
1019 1019 field_member_of_group: Təyin olunmuş qrup
1020 1020 field_assigned_to_role: Təyin olunmuş rol
1021 1021 notice_not_authorized_archived_project: Sorğulanan layihə arxivləşdirilib.
1022 1022 label_principal_search: "İstifadəçini ya qrupu tapmaq:"
1023 1023 label_user_search: "İstifadəçini tapmaq:"
1024 1024 field_visible: Görünmə dərəcəsi
1025 1025 setting_emails_header: Məktubun başlığı
1026 1026
1027 1027 setting_commit_logtime_activity_id: Vaxtın uçotu üçün görülən hərəkətlər
1028 1028 text_time_logged_by_changeset: "%{value} redaksiyada nəzərə alınıb."
1029 1029 setting_commit_logtime_enabled: Vaxt uçotunu qoşmaq
1030 1030 notice_gantt_chart_truncated: Əks oluna biləcək elementlərin maksimal sayı artdığına görə diaqram kəsiləcək (%{max})
1031 1031 setting_gantt_items_limit: Qant diaqramında əks olunan elementlərin maksimal sayı
1032 1032 field_warn_on_leaving_unsaved: Yadda saxlanılmayan mətnin səhifəsi bağlanan zaman xəbərdarlıq etmək
1033 1033 text_warn_on_leaving_unsaved: Tərk etmək istədiyiniz cari səhifədə yadda saxlanılmayan və itə biləcək mətn vardır.
1034 1034 label_my_queries: Mənim yadda saxlanılan sorğularım
1035 1035 text_journal_changed_no_detail: "%{label} yenilənib"
1036 1036 label_news_comment_added: Xəbərə şərh əlavə olunub
1037 1037 button_expand_all: Hamısını aç
1038 1038 button_collapse_all: Hamısını çevir
1039 1039 label_additional_workflow_transitions_for_assignee: İstifadəçi icraçı olduğu zaman əlavə keçidlər
1040 1040 label_additional_workflow_transitions_for_author: İstifadəçi müəllif olduğu zaman əlavə keçidlər
1041 1041 label_bulk_edit_selected_time_entries: Sərf olunan vaxtın seçilən qeydlərinin kütləvi şəkildə dəyişdirilməsi
1042 1042 text_time_entries_destroy_confirmation: Siz sərf olunan vaxtın seçilən qeydlərini silmək istədiyinizə əminsinizmi?
1043 1043 label_role_anonymous: Anonim
1044 1044 label_role_non_member: İştirakçı deyil
1045 1045 label_issue_note_added: Qeyd əlavə olunub
1046 1046 label_issue_status_updated: Status yenilənib
1047 1047 label_issue_priority_updated: Prioritet yenilənib
1048 1048 label_issues_visibility_own: İstifadəçi üçün yaradılan və ya ona təyin olunan tapşırıqlar
1049 1049 field_issues_visibility: Tapşırıqların görünmə dərəcəsi
1050 1050 label_issues_visibility_all: Bütün tapşırıqlar
1051 1051 permission_set_own_issues_private: Şəxsi tapşırıqlar üçün görünmə dərəcəsinin (ümumi/şəxsi) qurulması
1052 1052 field_is_private: Şəxsi
1053 1053 permission_set_issues_private: Tapşırıqlar üçün görünmə dərəcəsinin (ümumi/şəxsi) qurulması
1054 1054 label_issues_visibility_public: Yalnız ümumi tapşırıqlar
1055 1055 text_issues_destroy_descendants_confirmation: Həmçinin %{count} tapşırıq (lar) silinəcək.
1056 1056 field_commit_logs_encoding: Saxlayıcıda şərhlərin kodlaşdırılması
1057 1057 field_scm_path_encoding: Yolun kodlaşdırılması
1058 1058 text_scm_path_encoding_note: "Susmaya görə: UTF-8"
1059 1059 field_path_to_repository: Saxlayıcıya yol
1060 1060 field_root_directory: Kök direktoriya
1061 1061 field_cvs_module: Modul
1062 1062 field_cvsroot: CVSROOT
1063 1063 text_mercurial_repository_note: Lokal saxlayıcı (məsələn, /hgrepo, c:\hgrepo)
1064 1064 text_scm_command: Komanda
1065 1065 text_scm_command_version: Variant
1066 1066 label_git_report_last_commit: Fayllar və direktoriyalar üçün son dəyişiklikləri göstərmək
1067 1067 text_scm_config: Siz config/configuration.yml faylında SCM komandasını sazlaya bilərsiniz. Xahiş olunur, bu faylın redaktəsindən sonra əlavəni işə salın.
1068 1068 text_scm_command_not_available: Variantların nəzarət sisteminin komandasına giriş mümkün deyildir. Xahiş olunur, inzibatçı panelindəki sazlamaları yoxlayın.
1069 1069 notice_issue_successful_create: Tapşırıq %{id} yaradılıb.
1070 1070 label_between: arasında
1071 1071 setting_issue_group_assignment: İstifadəçi qruplarına təyinata icazə vermək
1072 1072 label_diff: Fərq(diff)
1073 1073 text_git_repository_note: "Saxlama yerini göstərin (məs: /gitrepo, c:\\gitrepo)"
1074 1074 description_query_sort_criteria_direction: Çeşidləmə qaydası
1075 1075 description_project_scope: Layihənin həcmi
1076 1076 description_filter: Filtr
1077 1077 description_user_mail_notification: E-poçt Mail xəbərdarlıqlarının sazlaması
1078 1078 description_date_from: Başlama tarixini daxil edin
1079 1079 description_message_content: Mesajın kontenti
1080 1080 description_available_columns: Mövcud sütunlar
1081 1081 description_date_range_interval: Tarixlər diapazonunu seçin
1082 1082 description_issue_category_reassign: Məsələnin kateqoriyasını seçin
1083 1083 description_search: Axtarış sahəsi
1084 1084 description_notes: Qeyd
1085 1085 description_date_range_list: Siyahıdan diapazonu seçin
1086 1086 description_choose_project: Layihələr
1087 1087 description_date_to: Yerinə yetirilmə tarixini daxil edin
1088 1088 description_query_sort_criteria_attribute: Çeşidləmə meyarları
1089 1089 description_wiki_subpages_reassign: Yeni valideyn səhifəsini seçmək
1090 1090 description_selected_columns: Seçilmiş sütunlar
1091 1091 label_parent_revision: Valideyn
1092 1092 label_child_revision: Əsas
1093 1093 error_scm_annotate_big_text_file: Mətn faylının maksimal ölçüsü artdığına görə şərh mümkün deyildir.
1094 1094 setting_default_issue_start_date_to_creation_date: Yeni tapşırıqlar üçün cari tarixi başlanğıc tarixi kimi istifadə etmək
1095 1095 button_edit_section: Bu bölməni redaktə etmək
1096 1096 setting_repositories_encodings: Əlavələrin və saxlayıcıların kodlaşdırılması
1097 1097 description_all_columns: Bütün sütunlar
1098 1098 button_export: İxrac
1099 1099 label_export_options: "%{export_format} ixracın parametrləri"
1100 1100 error_attachment_too_big: Faylın maksimal ölçüsü artdığına görə bu faylı yükləmək mümkün deyildir (%{max_size})
1101 1101 notice_failed_to_save_time_entries: "Səhv N %{ids}. %{total} girişdən %{count} yaddaşa saxlanıla bilmədi."
1102 1102 label_x_issues:
1103 1103 zero: 0 Tapşırıq
1104 1104 one: 1 Tapşırıq
1105 1105 few: "%{count} Tapşırıq"
1106 1106 many: "%{count} Tapşırıq"
1107 1107 other: "%{count} Tapşırıq"
1108 1108 label_repository_new: Yeni saxlayıcı
1109 1109 field_repository_is_default: Susmaya görə saxlayıcı
1110 1110 label_copy_attachments: Əlavənin surətini çıxarmaq
1111 1111 label_item_position: "%{position}/%{count}"
1112 1112 label_completed_versions: Başa çatdırılmış variantlar
1113 1113 text_project_identifier_info: Yalnız kiçik latın hərflərinə (a-z), rəqəmlərə, tire və çicgilərə icazə verilir.<br />Yadda saxladıqdan sonra identifikatoru dəyişmək olmaz.
1114 1114 field_multiple: Çoxsaylı qiymətlər
1115 1115 setting_commit_cross_project_ref: Digər bütün layihələrdə tapşırıqları düzəltmək və istinad etmək
1116 1116 text_issue_conflict_resolution_add_notes: Qeydlərimi əlavə etmək və mənim dəyişikliklərimdən imtina etmək
1117 1117 text_issue_conflict_resolution_overwrite: Dəyişikliklərimi tətbiq etmək (əvvəlki bütün qeydlər yadda saxlanacaq, lakin bəzi qeydlər yenidən yazıla bilər)
1118 1118 notice_issue_update_conflict: Tapşırığı redaktə etdiyiniz zaman kimsə onu artıq dəyişib.
1119 1119 text_issue_conflict_resolution_cancel: Mənim dəyişikliklərimi ləğv etmək və tapşırığı yenidən göstərmək %{link}
1120 1120 permission_manage_related_issues: Əlaqəli tapşırıqların idarə edilməsi
1121 1121 field_auth_source_ldap_filter: LDAP filtri
1122 1122 label_search_for_watchers: Nəzarətçiləri axtarmaq
1123 1123 notice_account_deleted: "Sizin uçot qeydiniz tam olaraq silinib"
1124 1124 setting_unsubscribe: "İstifadəçilərə şəxsi uçot qeydlərini silməyə icazə vermək"
1125 1125 button_delete_my_account: "Mənim uçot qeydlərimi silmək"
1126 1126 text_account_destroy_confirmation: "Sizin uçot qeydiniz bir daha bərpa edilmədən tam olaraq silinəcək.\nDavam etmək istədiyinizə əminsinizmi?"
1127 1127 error_session_expired: Sizin sessiya bitmişdir. Xahiş edirik yenidən daxil olun.
1128 1128 text_session_expiration_settings: "Diqqət: bu sazlamaların dəyişməyi cari sessiyanın bağlanmasına çıxara bilər."
1129 1129 setting_session_lifetime: Sessiyanın maksimal Session maximum həyat müddəti
1130 1130 setting_session_timeout: Sessiyanın qeyri aktivlik müddəti
1131 1131 label_session_expiration: Sessiyanın bitməsi
1132 1132 permission_close_project: Layihəni bağla / yenidən aç
1133 1133 label_show_closed_projects: Bağlı layihələrə baxmaq
1134 1134 button_close: Bağla
1135 1135 button_reopen: Yenidən aç
1136 1136 project_status_active: aktiv
1137 1137 project_status_closed: bağlı
1138 1138 project_status_archived: arxiv
1139 1139 text_project_closed: Bu layihə bağlıdı və yalnız oxuma olar.
1140 1140 notice_user_successful_create: İstifadəçi %{id} yaradıldı.
1141 1141 field_core_fields: Standart sahələr
1142 1142 field_timeout: Zaman aşımı (saniyə ilə)
1143 1143 setting_thumbnails_enabled: Əlavələrin kiçik şəklini göstər
1144 1144 setting_thumbnails_size: Kiçik şəkillərin ölçüsü (piksel ilə)
1145 1145 label_status_transitions: Status keçidləri
1146 1146 label_fields_permissions: Sahələrin icazələri
1147 1147 label_readonly: Ancaq oxumaq üçün
1148 1148 label_required: Tələb olunur
1149 1149 text_repository_identifier_info: Yalnız kiçik latın hərflərinə (a-z), rəqəmlərə, tire və çicgilərə icazə verilir.<br />Yadda saxladıqdan sonra identifikatoru dəyişmək olmaz.
1150 1150 field_board_parent: Ana forum
1151 1151 label_attribute_of_project: Layihə %{name}
1152 1152 label_attribute_of_author: Müəllif %{name}
1153 1153 label_attribute_of_assigned_to: Təyin edilib %{name}
1154 1154 label_attribute_of_fixed_version: Əsas versiya %{name}
1155 1155 label_copy_subtasks: Alt tapşırığın surətini çıxarmaq
1156 1156 label_cross_project_hierarchy: With project hierarchy
1157 1157 permission_edit_documents: Edit documents
1158 1158 button_hide: Hide
1159 1159 text_turning_multiple_off: If you disable multiple values, multiple values will be removed in order to preserve only one value per item.
1160 1160 label_any: any
1161 1161 label_cross_project_system: With all projects
1162 1162 label_last_n_weeks: last %{count} weeks
1163 1163 label_in_the_past_days: in the past
1164 1164 label_copied_to: Copied to
1165 1165 permission_set_notes_private: Set notes as private
1166 1166 label_in_the_next_days: in the next
1167 1167 label_attribute_of_issue: Issue's %{name}
1168 1168 label_any_issues_in_project: any issues in project
1169 1169 label_cross_project_descendants: With subprojects
1170 1170 field_private_notes: Private notes
1171 1171 setting_jsonp_enabled: Enable JSONP support
1172 1172 label_gantt_progress_line: Progress line
1173 1173 permission_add_documents: Add documents
1174 1174 permission_view_private_notes: View private notes
1175 1175 label_attribute_of_user: User's %{name}
1176 1176 permission_delete_documents: Delete documents
1177 1177 field_inherit_members: Inherit members
1178 1178 setting_cross_project_subtasks: Allow cross-project subtasks
1179 1179 label_no_issues_in_project: no issues in project
1180 1180 label_copied_from: Copied from
1181 1181 setting_non_working_week_days: Non-working days
1182 1182 label_any_issues_not_in_project: any issues not in project
1183 1183 label_cross_project_tree: With project tree
1184 1184 field_closed_on: Closed
1185 1185 field_generate_password: Generate password
1186 1186 setting_default_projects_tracker_ids: Default trackers for new projects
1187 1187 label_total_time: Cəmi
1188 1188 notice_account_not_activated_yet: You haven't activated your account yet. If you want
1189 1189 to receive a new activation email, please <a href="%{url}">click this link</a>.
1190 1190 notice_account_locked: Your account is locked.
1191 1191 label_hidden: Hidden
1192 1192 label_visibility_private: to me only
1193 1193 label_visibility_roles: to these roles only
1194 1194 label_visibility_public: to any users
1195 1195 field_must_change_passwd: Must change password at next logon
1196 1196 notice_new_password_must_be_different: The new password must be different from the
1197 1197 current password
1198 1198 setting_mail_handler_excluded_filenames: Exclude attachments by name
1199 1199 text_convert_available: ImageMagick convert available (optional)
1200 1200 label_link: Link
1201 1201 label_only: only
1202 1202 label_drop_down_list: drop-down list
1203 1203 label_checkboxes: checkboxes
1204 1204 label_link_values_to: Link values to URL
1205 1205 setting_force_default_language_for_anonymous: Force default language for anonymous
1206 1206 users
1207 1207 setting_force_default_language_for_loggedin: Force default language for logged-in
1208 1208 users
1209 1209 label_custom_field_select_type: Select the type of object to which the custom field
1210 1210 is to be attached
1211 1211 label_issue_assigned_to_updated: Assignee updated
1212 1212 label_check_for_updates: Check for updates
1213 1213 label_latest_compatible_version: Latest compatible version
1214 1214 label_unknown_plugin: Unknown plugin
1215 1215 label_radio_buttons: radio buttons
1216 1216 label_group_anonymous: Anonymous users
1217 1217 label_group_non_member: Non member users
1218 1218 label_add_projects: Add projects
1219 1219 field_default_status: Default status
1220 1220 text_subversion_repository_note: 'Examples: file:///, http://, https://, svn://, svn+[tunnelscheme]://'
1221 1221 field_users_visibility: Users visibility
1222 1222 label_users_visibility_all: All active users
1223 1223 label_users_visibility_members_of_visible_projects: Members of visible projects
1224 1224 label_edit_attachments: Edit attached files
1225 1225 setting_link_copied_issue: Link issues on copy
1226 1226 label_link_copied_issue: Link copied issue
1227 1227 label_ask: Ask
1228 1228 label_search_attachments_yes: Search attachment filenames and descriptions
1229 1229 label_search_attachments_no: Do not search attachments
1230 1230 label_search_attachments_only: Search attachments only
1231 1231 label_search_open_issues_only: Open issues only
1232 1232 field_address: e-poçt
1233 1233 setting_max_additional_emails: Maximum number of additional email addresses
1234 1234 label_email_address_plural: Emails
1235 1235 label_email_address_add: Add email address
1236 1236 label_enable_notifications: Enable notifications
1237 1237 label_disable_notifications: Disable notifications
1238 1238 setting_search_results_per_page: Search results per page
1239 1239 label_blank_value: blank
1240 1240 permission_copy_issues: Copy issues
1241 1241 error_password_expired: Your password has expired or the administrator requires you
1242 1242 to change it.
1243 1243 field_time_entries_visibility: Time logs visibility
1244 1244 setting_password_max_age: Require password change after
1245 1245 label_parent_task_attributes: Parent tasks attributes
1246 1246 label_parent_task_attributes_derived: Calculated from subtasks
1247 1247 label_parent_task_attributes_independent: Independent of subtasks
1248 1248 label_time_entries_visibility_all: All time entries
1249 1249 label_time_entries_visibility_own: Time entries created by the user
1250 1250 label_member_management: Member management
1251 1251 label_member_management_all_roles: All roles
1252 1252 label_member_management_selected_roles_only: Only these roles
1253 1253 label_password_required: Confirm your password to continue
1254 1254 label_total_spent_time: Cəmi sərf olunan vaxt
1255 1255 notice_import_finished: All %{count} items have been imported.
1256 1256 notice_import_finished_with_errors: ! '%{count} out of %{total} items could not be
1257 1257 imported.'
1258 1258 error_invalid_file_encoding: The file is not a valid %{encoding} encoded file
1259 1259 error_invalid_csv_file_or_settings: The file is not a CSV file or does not match the
1260 1260 settings below
1261 1261 error_can_not_read_import_file: An error occurred while reading the file to import
1262 1262 permission_import_issues: Import issues
1263 1263 label_import_issues: Import issues
1264 1264 label_select_file_to_import: Select the file to import
1265 1265 label_fields_separator: Field separator
1266 1266 label_fields_wrapper: Field wrapper
1267 1267 label_encoding: Encoding
1268 label_coma_char: Coma
1268 label_comma_char: Comma
1269 1269 label_semi_colon_char: Semi colon
1270 1270 label_quote_char: Quote
1271 1271 label_double_quote_char: Double quote
1272 1272 label_fields_mapping: Fields mapping
1273 1273 label_file_content_preview: File content preview
1274 1274 label_create_missing_values: Create missing values
1275 1275 button_import: Import
1276 1276 field_total_estimated_hours: Total estimated time
1277 1277 label_api: API
1278 1278 label_total_plural: Totals
@@ -1,1174 +1,1174
1 1 # Bulgarian translation by Nikolay Solakov and Ivan Cenov
2 2 bg:
3 3 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
4 4 direction: ltr
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: "%d-%m-%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:
22 22 - :year
23 23 - :month
24 24 - :day
25 25
26 26 time:
27 27 formats:
28 28 default: "%a, %d %b %Y %H:%M:%S %z"
29 29 time: "%H:%M"
30 30 short: "%d %b %H:%M"
31 31 long: "%B %d, %Y %H:%M"
32 32 am: "am"
33 33 pm: "pm"
34 34
35 35 datetime:
36 36 distance_in_words:
37 37 half_a_minute: "half a minute"
38 38 less_than_x_seconds:
39 39 one: "по-малко от 1 секунда"
40 40 other: "по-малко от %{count} секунди"
41 41 x_seconds:
42 42 one: "1 секунда"
43 43 other: "%{count} секунди"
44 44 less_than_x_minutes:
45 45 one: "по-малко от 1 минута"
46 46 other: "по-малко от %{count} минути"
47 47 x_minutes:
48 48 one: "1 минута"
49 49 other: "%{count} минути"
50 50 about_x_hours:
51 51 one: "около 1 час"
52 52 other: "около %{count} часа"
53 53 x_hours:
54 54 one: "1 час"
55 55 other: "%{count} часа"
56 56 x_days:
57 57 one: "1 ден"
58 58 other: "%{count} дена"
59 59 about_x_months:
60 60 one: "около 1 месец"
61 61 other: "около %{count} месеца"
62 62 x_months:
63 63 one: "1 месец"
64 64 other: "%{count} месеца"
65 65 about_x_years:
66 66 one: "около 1 година"
67 67 other: "около %{count} години"
68 68 over_x_years:
69 69 one: "над 1 година"
70 70 other: "над %{count} години"
71 71 almost_x_years:
72 72 one: "почти 1 година"
73 73 other: "почти %{count} години"
74 74
75 75 number:
76 76 format:
77 77 separator: "."
78 78 delimiter: ""
79 79 precision: 3
80 80
81 81 human:
82 82 format:
83 83 delimiter: ""
84 84 precision: 3
85 85 storage_units:
86 86 format: "%n %u"
87 87 units:
88 88 byte:
89 89 one: байт
90 90 other: байта
91 91 kb: "KB"
92 92 mb: "MB"
93 93 gb: "GB"
94 94 tb: "TB"
95 95
96 96 # Used in array.to_sentence.
97 97 support:
98 98 array:
99 99 sentence_connector: "и"
100 100 skip_last_comma: false
101 101
102 102 activerecord:
103 103 errors:
104 104 template:
105 105 header:
106 106 one: "1 грешка попречи този %{model} да бъде записан"
107 107 other: "%{count} грешки попречиха този %{model} да бъде записан"
108 108 messages:
109 109 inclusion: "не съществува в списъка"
110 110 exclusion: запазено"
111 111 invalid: невалидно"
112 112 confirmation: "липсва одобрение"
113 113 accepted: "трябва да се приеме"
114 114 empty: "не може да е празно"
115 115 blank: "не може да е празно"
116 116 too_long: прекалено дълго"
117 117 too_short: прекалено късо"
118 118 wrong_length: с грешна дължина"
119 119 taken: "вече съществува"
120 120 not_a_number: "не е число"
121 121 not_a_date: невалидна дата"
122 122 greater_than: "трябва да бъде по-голям[a/о] от %{count}"
123 123 greater_than_or_equal_to: "трябва да бъде по-голям[a/о] от или равен[a/o] на %{count}"
124 124 equal_to: "трябва да бъде равен[a/o] на %{count}"
125 125 less_than: "трябва да бъде по-малък[a/o] от %{count}"
126 126 less_than_or_equal_to: "трябва да бъде по-малък[a/o] от или равен[a/o] на %{count}"
127 127 odd: "трябва да бъде нечетен[a/o]"
128 128 even: "трябва да бъде четен[a/o]"
129 129 greater_than_start_date: "трябва да е след началната дата"
130 130 not_same_project: "не е от същия проект"
131 131 circular_dependency: "Тази релация ще доведе до безкрайна зависимост"
132 132 cant_link_an_issue_with_a_descendant: "Една задача не може да бъде свързвана към своя подзадача"
133 133 earlier_than_minimum_start_date: "не може да бъде по-рано от %{date} поради предхождащи задачи"
134 134
135 135 actionview_instancetag_blank_option: Изберете
136 136
137 137 general_text_No: 'Не'
138 138 general_text_Yes: 'Да'
139 139 general_text_no: 'не'
140 140 general_text_yes: 'да'
141 141 general_lang_name: 'Bulgarian (Български)'
142 142 general_csv_separator: ','
143 143 general_csv_decimal_separator: '.'
144 144 general_csv_encoding: UTF-8
145 145 general_pdf_fontname: freesans
146 146 general_first_day_of_week: '1'
147 147
148 148 notice_account_updated: Профилът е обновен успешно.
149 149 notice_account_invalid_creditentials: Невалиден потребител или парола.
150 150 notice_account_password_updated: Паролата е успешно променена.
151 151 notice_account_wrong_password: Грешна парола
152 152 notice_account_register_done: Профилът е създаден успешно. E-mail, съдържащ инструкции за активиране на профила
153 153 е изпратен на %{email}.
154 154 notice_account_unknown_email: Непознат e-mail.
155 155 notice_account_not_activated_yet: Вие не сте активирали вашия профил все още. Ако искате да
156 156 получите нов e-mail за активиране, моля <a href="%{url}">натиснете тази връзка</a>.
157 157 notice_account_locked: Вашият профил е блокиран.
158 158 notice_can_t_change_password: Този профил е с външен метод за оторизация. Невъзможна смяна на паролата.
159 159 notice_account_lost_email_sent: Изпратен ви е e-mail с инструкции за избор на нова парола.
160 160 notice_account_activated: Профилът ви е активиран. Вече може да влезете в Redmine.
161 161 notice_successful_create: Успешно създаване.
162 162 notice_successful_update: Успешно обновяване.
163 163 notice_successful_delete: Успешно изтриване.
164 164 notice_successful_connection: Успешно свързване.
165 165 notice_file_not_found: Несъществуваща или преместена страница.
166 166 notice_locking_conflict: Друг потребител променя тези данни в момента.
167 167 notice_not_authorized: Нямате право на достъп до тази страница.
168 168 notice_not_authorized_archived_project: Проектът, който се опитвате да видите е архивиран. Ако смятате, че това не е правилно, обърнете се към администратора за разархивиране.
169 169 notice_email_sent: "Изпратен e-mail на %{value}"
170 170 notice_email_error: "Грешка при изпращане на e-mail (%{value})"
171 171 notice_feeds_access_key_reseted: Вашия ключ за Atom достъп беше променен.
172 172 notice_api_access_key_reseted: Вашият API ключ за достъп беше изчистен.
173 173 notice_failed_to_save_issues: "Неуспешен запис на %{count} задачи от %{total} избрани: %{ids}."
174 174 notice_failed_to_save_time_entries: "Невъзможност за запис на %{count} записа за използвано време от %{total} избрани: %{ids}."
175 175 notice_failed_to_save_members: "Невъзможност за запис на член(ове): %{errors}."
176 176 notice_no_issue_selected: "Няма избрани задачи."
177 177 notice_account_pending: "Профилът Ви е създаден и очаква одобрение от администратор."
178 178 notice_default_data_loaded: Примерната информация е заредена успешно.
179 179 notice_unable_delete_version: Невъзможност за изтриване на версия
180 180 notice_unable_delete_time_entry: Невъзможност за изтриване на запис за използвано време.
181 181 notice_issue_done_ratios_updated: Обновен процент на завършените задачи.
182 182 notice_gantt_chart_truncated: Мрежовият график е съкратен, понеже броят на обектите, които могат да бъдат показани е твърде голям (%{max})
183 183 notice_issue_successful_create: Задача %{id} е създадена.
184 184 notice_issue_update_conflict: Задачата е била променена от друг потребител, докато вие сте я редактирали.
185 185 notice_account_deleted: Вашият профил беше премахнат без възможност за възстановяване.
186 186 notice_user_successful_create: Потребител %{id} е създаден.
187 187 notice_new_password_must_be_different: Новата парола трябва да бъде различна от сегашната парола
188 188
189 189 error_can_t_load_default_data: "Грешка при зареждане на началната информация: %{value}"
190 190 error_scm_not_found: Несъществуващ обект в хранилището.
191 191 error_scm_command_failed: "Грешка при опит за комуникация с хранилище: %{value}"
192 192 error_scm_annotate: "Обектът не съществува или не може да бъде анотиран."
193 193 error_scm_annotate_big_text_file: "Файлът не може да бъде анотиран, понеже надхвърля максималния размер за текстови файлове."
194 194 error_issue_not_found_in_project: 'Задачата не е намерена или не принадлежи на този проект'
195 195 error_no_tracker_in_project: Няма асоциирани тракери с този проект. Проверете настройките на проекта.
196 196 error_no_default_issue_status: Няма установено подразбиращо се състояние за задачите. Моля проверете вашата конфигурация (Вижте "Администрация -> Състояния на задачи").
197 197 error_can_not_delete_custom_field: Невъзможност за изтриване на потребителско поле
198 198 error_can_not_delete_tracker: Този тракер съдържа задачи и не може да бъде изтрит.
199 199 error_can_not_remove_role: Тази роля се използва и не може да бъде изтрита.
200 200 error_can_not_reopen_issue_on_closed_version: Задача, асоциирана със затворена версия не може да бъде отворена отново
201 201 error_can_not_archive_project: Този проект не може да бъде архивиран
202 202 error_issue_done_ratios_not_updated: Процентът на завършените задачи не е обновен.
203 203 error_workflow_copy_source: Моля изберете source тракер или роля
204 204 error_workflow_copy_target: Моля изберете тракер(и) и роля (роли).
205 205 error_unable_delete_issue_status: Невъзможност за изтриване на състояние на задача
206 206 error_unable_to_connect: Невъзможност за свързване с (%{value})
207 207 error_attachment_too_big: Този файл не може да бъде качен, понеже надхвърля максималната възможна големина (%{max_size})
208 208 error_session_expired: Вашата сесия е изтекла. Моля влезете в Redmine отново.
209 209 warning_attachments_not_saved: "%{count} файла не бяха записани."
210 210 error_password_expired: Вашата парола е с изтекъл срок или администраторът изисква да я смените.
211 211
212 212 mail_subject_lost_password: "Вашата парола (%{value})"
213 213 mail_body_lost_password: 'За да смените паролата си, използвайте следния линк:'
214 214 mail_subject_register: "Активация на профил (%{value})"
215 215 mail_body_register: 'За да активирате профила си използвайте следния линк:'
216 216 mail_body_account_information_external: "Можете да използвате вашия %{value} профил за вход."
217 217 mail_body_account_information: Информацията за профила ви
218 218 mail_subject_account_activation_request: "Заявка за активиране на профил в %{value}"
219 219 mail_body_account_activation_request: "Има новорегистриран потребител (%{value}), очакващ вашето одобрение:"
220 220 mail_subject_reminder: "%{count} задачи с краен срок с следващите %{days} дни"
221 221 mail_body_reminder: "%{count} задачи, назначени на вас са с краен срок в следващите %{days} дни:"
222 222 mail_subject_wiki_content_added: "Wiki страницата '%{id}' беше добавена"
223 223 mail_body_wiki_content_added: Wiki страницата '%{id}' беше добавена от %{author}.
224 224 mail_subject_wiki_content_updated: "Wiki страницата '%{id}' беше обновена"
225 225 mail_body_wiki_content_updated: Wiki страницата '%{id}' беше обновена от %{author}.
226 226
227 227 field_name: Име
228 228 field_description: Описание
229 229 field_summary: Анотация
230 230 field_is_required: Задължително
231 231 field_firstname: Име
232 232 field_lastname: Фамилия
233 233 field_mail: Имейл
234 234 field_address: Имейл
235 235 field_filename: Файл
236 236 field_filesize: Големина
237 237 field_downloads: Изтеглени файлове
238 238 field_author: Автор
239 239 field_created_on: От дата
240 240 field_updated_on: Обновена
241 241 field_closed_on: Затворена
242 242 field_field_format: Тип
243 243 field_is_for_all: За всички проекти
244 244 field_possible_values: Възможни стойности
245 245 field_regexp: Регулярен израз
246 246 field_min_length: Мин. дължина
247 247 field_max_length: Макс. дължина
248 248 field_value: Стойност
249 249 field_category: Категория
250 250 field_title: Заглавие
251 251 field_project: Проект
252 252 field_issue: Задача
253 253 field_status: Състояние
254 254 field_notes: Бележка
255 255 field_is_closed: Затворена задача
256 256 field_is_default: Състояние по подразбиране
257 257 field_tracker: Тракер
258 258 field_subject: Заглавие
259 259 field_due_date: Крайна дата
260 260 field_assigned_to: Възложена на
261 261 field_priority: Приоритет
262 262 field_fixed_version: Планувана версия
263 263 field_user: Потребител
264 264 field_principal: Principal
265 265 field_role: Роля
266 266 field_homepage: Начална страница
267 267 field_is_public: Публичен
268 268 field_parent: Подпроект на
269 269 field_is_in_roadmap: Да се вижда ли в Пътна карта
270 270 field_login: Потребител
271 271 field_mail_notification: Известия по пощата
272 272 field_admin: Администратор
273 273 field_last_login_on: Последно свързване
274 274 field_language: Език
275 275 field_effective_date: Дата
276 276 field_password: Парола
277 277 field_new_password: Нова парола
278 278 field_password_confirmation: Потвърждение
279 279 field_version: Версия
280 280 field_type: Тип
281 281 field_host: Хост
282 282 field_port: Порт
283 283 field_account: Профил
284 284 field_base_dn: Base DN
285 285 field_attr_login: Атрибут Login
286 286 field_attr_firstname: Атрибут Първо име (Firstname)
287 287 field_attr_lastname: Атрибут Фамилия (Lastname)
288 288 field_attr_mail: Атрибут Email
289 289 field_onthefly: Динамично създаване на потребител
290 290 field_start_date: Начална дата
291 291 field_done_ratio: "% Прогрес"
292 292 field_auth_source: Начин на оторизация
293 293 field_hide_mail: Скрий e-mail адреса ми
294 294 field_comments: Коментар
295 295 field_url: Адрес
296 296 field_start_page: Начална страница
297 297 field_subproject: Подпроект
298 298 field_hours: Часове
299 299 field_activity: Дейност
300 300 field_spent_on: Дата
301 301 field_identifier: Идентификатор
302 302 field_is_filter: Използва се за филтър
303 303 field_issue_to: Свързана задача
304 304 field_delay: Отместване
305 305 field_assignable: Възможно е възлагане на задачи за тази роля
306 306 field_redirect_existing_links: Пренасочване на съществуващи линкове
307 307 field_estimated_hours: Изчислено време
308 308 field_column_names: Колони
309 309 field_time_entries: Log time
310 310 field_time_zone: Часова зона
311 311 field_searchable: С възможност за търсене
312 312 field_default_value: Стойност по подразбиране
313 313 field_comments_sorting: Сортиране на коментарите
314 314 field_parent_title: Родителска страница
315 315 field_editable: Editable
316 316 field_watcher: Наблюдател
317 317 field_identity_url: OpenID URL
318 318 field_content: Съдържание
319 319 field_group_by: Групиране на резултатите по
320 320 field_sharing: Sharing
321 321 field_parent_issue: Родителска задача
322 322 field_member_of_group: Член на група
323 323 field_assigned_to_role: Assignee's role
324 324 field_text: Текстово поле
325 325 field_visible: Видим
326 326 field_warn_on_leaving_unsaved: Предупреди ме, когато напускам страница с незаписано съдържание
327 327 field_issues_visibility: Видимост на задачите
328 328 field_is_private: Лична
329 329 field_commit_logs_encoding: Кодова таблица на съобщенията при поверяване
330 330 field_scm_path_encoding: Кодова таблица на пътищата (path)
331 331 field_path_to_repository: Път до хранилището
332 332 field_root_directory: Коренна директория (папка)
333 333 field_cvsroot: CVSROOT
334 334 field_cvs_module: Модул
335 335 field_repository_is_default: Главно хранилище
336 336 field_multiple: Избор на повече от една стойност
337 337 field_auth_source_ldap_filter: LDAP филтър
338 338 field_core_fields: Стандартни полета
339 339 field_timeout: Таймаут (в секунди)
340 340 field_board_parent: Родителски форум
341 341 field_private_notes: Лични бележки
342 342 field_inherit_members: Наследяване на членовете на родителския проект
343 343 field_generate_password: Генериране на парола
344 344 field_must_change_passwd: Паролата трябва да бъде сменена при следващото влизане в Redmine
345 345 field_default_status: Състояние по подразбиране
346 346 field_users_visibility: Видимост на потребителите
347 347 field_time_entries_visibility: Видимост на записи за използвано време
348 348
349 349 setting_app_title: Заглавие
350 350 setting_app_subtitle: Описание
351 351 setting_welcome_text: Допълнителен текст
352 352 setting_default_language: Език по подразбиране
353 353 setting_login_required: Изискване за вход в Redmine
354 354 setting_self_registration: Регистрация от потребители
355 355 setting_attachment_max_size: Максимална големина на прикачен файл
356 356 setting_issues_export_limit: Максимален брой задачи за експорт
357 357 setting_mail_from: E-mail адрес за емисии
358 358 setting_bcc_recipients: Получатели на скрито копие (bcc)
359 359 setting_plain_text_mail: само чист текст (без HTML)
360 360 setting_host_name: Хост
361 361 setting_text_formatting: Форматиране на текста
362 362 setting_wiki_compression: Компресиране на Wiki историята
363 363 setting_feeds_limit: Максимален брой записи в ATOM емисии
364 364 setting_default_projects_public: Новите проекти са публични по подразбиране
365 365 setting_autofetch_changesets: Автоматично извличане на ревизиите
366 366 setting_sys_api_enabled: Разрешаване на WS за управление
367 367 setting_commit_ref_keywords: Отбелязващи ключови думи
368 368 setting_commit_fix_keywords: Приключващи ключови думи
369 369 setting_autologin: Автоматичен вход
370 370 setting_date_format: Формат на датата
371 371 setting_time_format: Формат на часа
372 372 setting_cross_project_issue_relations: Релации на задачи между проекти
373 373 setting_cross_project_subtasks: Подзадачи от други проекти
374 374 setting_issue_list_default_columns: Показвани колони по подразбиране
375 375 setting_repositories_encodings: Кодова таблица на прикачените файлове и хранилищата
376 376 setting_emails_header: Email header
377 377 setting_emails_footer: Подтекст за e-mail
378 378 setting_protocol: Протокол
379 379 setting_per_page_options: Опции за страниране
380 380 setting_user_format: Потребителски формат
381 381 setting_activity_days_default: Брой дни показвани на таб Дейност
382 382 setting_display_subprojects_issues: Задачите от подпроектите по подразбиране се показват в главните проекти
383 383 setting_enabled_scm: Разрешена SCM
384 384 setting_mail_handler_body_delimiters: Отрязване на e-mail-ите след един от тези редове
385 385 setting_mail_handler_api_enabled: Разрешаване на WS за входящи e-mail-и
386 386 setting_mail_handler_api_key: API ключ
387 387 setting_sequential_project_identifiers: Генериране на последователни проектни идентификатори
388 388 setting_gravatar_enabled: Използване на портребителски икони от Gravatar
389 389 setting_gravatar_default: Подразбиращо се изображение от Gravatar
390 390 setting_diff_max_lines_displayed: Максимален брой показвани diff редове
391 391 setting_file_max_size_displayed: Максимален размер на текстовите файлове, показвани inline
392 392 setting_repository_log_display_limit: Максимален брой на показванете ревизии в лог файла
393 393 setting_openid: Рарешаване на OpenID вход и регистрация
394 394 setting_password_max_age: Require password change after
395 395 setting_password_min_length: Минимална дължина на парола
396 396 setting_new_project_user_role_id: Роля, давана на потребител, създаващ проекти, който не е администратор
397 397 setting_default_projects_modules: Активирани модули по подразбиране за нов проект
398 398 setting_issue_done_ratio: Изчисление на процента на готови задачи с
399 399 setting_issue_done_ratio_issue_field: Използване на поле '% Прогрес'
400 400 setting_issue_done_ratio_issue_status: Използване на състоянието на задачите
401 401 setting_start_of_week: Първи ден на седмицата
402 402 setting_rest_api_enabled: Разрешаване на REST web сървис
403 403 setting_cache_formatted_text: Кеширане на форматираните текстове
404 404 setting_default_notification_option: Подразбиращ се начин за известяване
405 405 setting_commit_logtime_enabled: Разрешаване на отчитането на работното време
406 406 setting_commit_logtime_activity_id: Дейност при отчитане на работното време
407 407 setting_gantt_items_limit: Максимален брой обекти, които да се показват в мрежов график
408 408 setting_issue_group_assignment: Разрешено назначаването на задачи на групи
409 409 setting_default_issue_start_date_to_creation_date: Начална дата на новите задачи по подразбиране да бъде днешната дата
410 410 setting_commit_cross_project_ref: Отбелязване и приключване на задачи от други проекти, несвързани с конкретното хранилище
411 411 setting_unsubscribe: Потребителите могат да премахват профилите си
412 412 setting_session_lifetime: Максимален живот на сесиите
413 413 setting_session_timeout: Таймаут за неактивност преди прекратяване на сесиите
414 414 setting_thumbnails_enabled: Показване на миниатюри на прикачените изображения
415 415 setting_thumbnails_size: Размер на миниатюрите (в пиксели)
416 416 setting_non_working_week_days: Не работни дни
417 417 setting_jsonp_enabled: Разрешаване на поддръжка на JSONP
418 418 setting_default_projects_tracker_ids: Тракери по подразбиране за нови проекти
419 419 setting_mail_handler_excluded_filenames: Имена на прикачени файлове, които да се пропускат при приемане на e-mail-и (например *.vcf, companylogo.gif).
420 420 setting_force_default_language_for_anonymous: Задължително език по подразбиране за анонимните потребители
421 421 setting_force_default_language_for_loggedin: Задължително език по подразбиране за потребителите, влезли в Redmine
422 422 setting_link_copied_issue: Свързване на задачите при копиране
423 423 setting_max_additional_emails: Максимален брой на допълнителните имейл адреси
424 424 setting_search_results_per_page: Резултати от търсене на страница
425 425
426 426 permission_add_project: Създаване на проект
427 427 permission_add_subprojects: Създаване на подпроекти
428 428 permission_edit_project: Редактиране на проект
429 429 permission_close_project: Затваряне / отваряне на проект
430 430 permission_select_project_modules: Избор на проектни модули
431 431 permission_manage_members: Управление на членовете (на екип)
432 432 permission_manage_project_activities: Управление на дейностите на проекта
433 433 permission_manage_versions: Управление на версиите
434 434 permission_manage_categories: Управление на категориите
435 435 permission_view_issues: Разглеждане на задачите
436 436 permission_add_issues: Добавяне на задачи
437 437 permission_edit_issues: Редактиране на задачи
438 438 permission_copy_issues: Копиране на задачи
439 439 permission_manage_issue_relations: Управление на връзките между задачите
440 440 permission_set_own_issues_private: Установяване на собствените задачи публични или лични
441 441 permission_set_issues_private: Установяване на задачите публични или лични
442 442 permission_add_issue_notes: Добавяне на бележки
443 443 permission_edit_issue_notes: Редактиране на бележки
444 444 permission_edit_own_issue_notes: Редактиране на собствени бележки
445 445 permission_view_private_notes: Разглеждане на лични бележки
446 446 permission_set_notes_private: Установяване на бележките лични
447 447 permission_move_issues: Преместване на задачи
448 448 permission_delete_issues: Изтриване на задачи
449 449 permission_manage_public_queries: Управление на публичните заявки
450 450 permission_save_queries: Запис на запитвания (queries)
451 451 permission_view_gantt: Разглеждане на мрежов график
452 452 permission_view_calendar: Разглеждане на календари
453 453 permission_view_issue_watchers: Разглеждане на списък с наблюдатели
454 454 permission_add_issue_watchers: Добавяне на наблюдатели
455 455 permission_delete_issue_watchers: Изтриване на наблюдатели
456 456 permission_log_time: Log spent time
457 457 permission_view_time_entries: Разглеждане на записите за изразходваното време
458 458 permission_edit_time_entries: Редактиране на записите за изразходваното време
459 459 permission_edit_own_time_entries: Редактиране на собствените записи за изразходваното време
460 460 permission_manage_news: Управление на новини
461 461 permission_comment_news: Коментиране на новини
462 462 permission_view_documents: Разглеждане на документи
463 463 permission_add_documents: Добавяне на документи
464 464 permission_edit_documents: Редактиране на документи
465 465 permission_delete_documents: Изтриване на документи
466 466 permission_manage_files: Управление на файлове
467 467 permission_view_files: Разглеждане на файлове
468 468 permission_manage_wiki: Управление на wiki
469 469 permission_rename_wiki_pages: Преименуване на wiki страници
470 470 permission_delete_wiki_pages: Изтриване на wiki страници
471 471 permission_view_wiki_pages: Разглеждане на wiki
472 472 permission_view_wiki_edits: Разглеждане на wiki история
473 473 permission_edit_wiki_pages: Редактиране на wiki страници
474 474 permission_delete_wiki_pages_attachments: Изтриване на прикачени файлове към wiki страници
475 475 permission_protect_wiki_pages: Заключване на wiki страници
476 476 permission_manage_repository: Управление на хранилища
477 477 permission_browse_repository: Разглеждане на хранилища
478 478 permission_view_changesets: Разглеждане на changesets
479 479 permission_commit_access: Поверяване
480 480 permission_manage_boards: Управление на boards
481 481 permission_view_messages: Разглеждане на съобщения
482 482 permission_add_messages: Публикуване на съобщения
483 483 permission_edit_messages: Редактиране на съобщения
484 484 permission_edit_own_messages: Редактиране на собствени съобщения
485 485 permission_delete_messages: Изтриване на съобщения
486 486 permission_delete_own_messages: Изтриване на собствени съобщения
487 487 permission_export_wiki_pages: Експорт на wiki страници
488 488 permission_manage_subtasks: Управление на подзадачите
489 489 permission_manage_related_issues: Управление на връзките между задачи и ревизии
490 490
491 491 project_module_issue_tracking: Тракинг
492 492 project_module_time_tracking: Отделяне на време
493 493 project_module_news: Новини
494 494 project_module_documents: Документи
495 495 project_module_files: Файлове
496 496 project_module_wiki: Wiki
497 497 project_module_repository: Хранилище
498 498 project_module_boards: Форуми
499 499 project_module_calendar: Календар
500 500 project_module_gantt: Мрежов график
501 501
502 502 label_user: Потребител
503 503 label_user_plural: Потребители
504 504 label_user_new: Нов потребител
505 505 label_user_anonymous: Анонимен
506 506 label_project: Проект
507 507 label_project_new: Нов проект
508 508 label_project_plural: Проекти
509 509 label_x_projects:
510 510 zero: 0 проекта
511 511 one: 1 проект
512 512 other: "%{count} проекта"
513 513 label_project_all: Всички проекти
514 514 label_project_latest: Последни проекти
515 515 label_issue: Задача
516 516 label_issue_new: Нова задача
517 517 label_issue_plural: Задачи
518 518 label_issue_view_all: Всички задачи
519 519 label_issues_by: "Задачи по %{value}"
520 520 label_issue_added: Добавена задача
521 521 label_issue_updated: Обновена задача
522 522 label_issue_note_added: Добавена бележка
523 523 label_issue_status_updated: Обновено състояние
524 524 label_issue_assigned_to_updated: Задачата е с назначен нов изпълнител
525 525 label_issue_priority_updated: Обновен приоритет
526 526 label_document: Документ
527 527 label_document_new: Нов документ
528 528 label_document_plural: Документи
529 529 label_document_added: Добавен документ
530 530 label_role: Роля
531 531 label_role_plural: Роли
532 532 label_role_new: Нова роля
533 533 label_role_and_permissions: Роли и права
534 534 label_role_anonymous: Анонимен
535 535 label_role_non_member: Не член
536 536 label_member: Член
537 537 label_member_new: Нов член
538 538 label_member_plural: Членове
539 539 label_tracker: Тракер
540 540 label_tracker_plural: Тракери
541 541 label_tracker_new: Нов тракер
542 542 label_workflow: Работен процес
543 543 label_issue_status: Състояние на задача
544 544 label_issue_status_plural: Състояния на задачи
545 545 label_issue_status_new: Ново състояние
546 546 label_issue_category: Категория задача
547 547 label_issue_category_plural: Категории задачи
548 548 label_issue_category_new: Нова категория
549 549 label_custom_field: Потребителско поле
550 550 label_custom_field_plural: Потребителски полета
551 551 label_custom_field_new: Ново потребителско поле
552 552 label_enumerations: Списъци
553 553 label_enumeration_new: Нова стойност
554 554 label_information: Информация
555 555 label_information_plural: Информация
556 556 label_please_login: Вход
557 557 label_register: Регистрация
558 558 label_login_with_open_id_option: или вход чрез OpenID
559 559 label_password_lost: Забравена парола
560 560 label_password_required: Потвърдете вашата парола, за да продължите
561 561 label_home: Начало
562 562 label_my_page: Лична страница
563 563 label_my_account: Профил
564 564 label_my_projects: Проекти, в които участвам
565 565 label_my_page_block: Блокове в личната страница
566 566 label_administration: Администрация
567 567 label_login: Вход
568 568 label_logout: Изход
569 569 label_help: Помощ
570 570 label_reported_issues: Публикувани задачи
571 571 label_assigned_to_me_issues: Възложени на мен
572 572 label_last_login: Последно свързване
573 573 label_registered_on: Регистрация
574 574 label_activity: Дейност
575 575 label_overall_activity: Цялостна дейност
576 576 label_user_activity: "Активност на %{value}"
577 577 label_new: Нов
578 578 label_logged_as: Здравейте,
579 579 label_environment: Среда
580 580 label_authentication: Оторизация
581 581 label_auth_source: Начин на оторозация
582 582 label_auth_source_new: Нов начин на оторизация
583 583 label_auth_source_plural: Начини на оторизация
584 584 label_subproject_plural: Подпроекти
585 585 label_subproject_new: Нов подпроект
586 586 label_and_its_subprojects: "%{value} и неговите подпроекти"
587 587 label_min_max_length: Минимална - максимална дължина
588 588 label_list: Списък
589 589 label_date: Дата
590 590 label_integer: Целочислен
591 591 label_float: Дробно
592 592 label_boolean: Чекбокс
593 593 label_string: Текст
594 594 label_text: Дълъг текст
595 595 label_attribute: Атрибут
596 596 label_attribute_plural: Атрибути
597 597 label_no_data: Няма изходни данни
598 598 label_change_status: Промяна на състоянието
599 599 label_history: История
600 600 label_attachment: Файл
601 601 label_attachment_new: Нов файл
602 602 label_attachment_delete: Изтриване
603 603 label_attachment_plural: Файлове
604 604 label_file_added: Добавен файл
605 605 label_report: Справка
606 606 label_report_plural: Справки
607 607 label_news: Новини
608 608 label_news_new: Добави
609 609 label_news_plural: Новини
610 610 label_news_latest: Последни новини
611 611 label_news_view_all: Виж всички
612 612 label_news_added: Добавена новина
613 613 label_news_comment_added: Добавен коментар към новина
614 614 label_settings: Настройки
615 615 label_overview: Общ изглед
616 616 label_version: Версия
617 617 label_version_new: Нова версия
618 618 label_version_plural: Версии
619 619 label_close_versions: Затваряне на завършените версии
620 620 label_confirmation: Одобрение
621 621 label_export_to: Експорт към
622 622 label_read: Read...
623 623 label_public_projects: Публични проекти
624 624 label_open_issues: отворена
625 625 label_open_issues_plural: отворени
626 626 label_closed_issues: затворена
627 627 label_closed_issues_plural: затворени
628 628 label_x_open_issues_abbr_on_total:
629 629 zero: 0 отворени / %{total}
630 630 one: 1 отворена / %{total}
631 631 other: "%{count} отворени / %{total}"
632 632 label_x_open_issues_abbr:
633 633 zero: 0 отворени
634 634 one: 1 отворена
635 635 other: "%{count} отворени"
636 636 label_x_closed_issues_abbr:
637 637 zero: 0 затворени
638 638 one: 1 затворена
639 639 other: "%{count} затворени"
640 640 label_x_issues:
641 641 zero: 0 задачи
642 642 one: 1 задача
643 643 other: "%{count} задачи"
644 644 label_total: Общо
645 645 label_total_time: Общо
646 646 label_permissions: Права
647 647 label_current_status: Текущо състояние
648 648 label_new_statuses_allowed: Позволени състояния
649 649 label_all: всички
650 650 label_any: без значение
651 651 label_none: никакви
652 652 label_nobody: никой
653 653 label_next: Следващ
654 654 label_previous: Предишен
655 655 label_used_by: Използва се от
656 656 label_details: Детайли
657 657 label_add_note: Добавяне на бележка
658 658 label_calendar: Календар
659 659 label_months_from: месеца от
660 660 label_gantt: Мрежов график
661 661 label_internal: Вътрешен
662 662 label_last_changes: "последни %{count} промени"
663 663 label_change_view_all: Виж всички промени
664 664 label_personalize_page: Персонализиране
665 665 label_comment: Коментар
666 666 label_comment_plural: Коментари
667 667 label_x_comments:
668 668 zero: 0 коментара
669 669 one: 1 коментар
670 670 other: "%{count} коментара"
671 671 label_comment_add: Добавяне на коментар
672 672 label_comment_added: Добавен коментар
673 673 label_comment_delete: Изтриване на коментари
674 674 label_query: Потребителска справка
675 675 label_query_plural: Потребителски справки
676 676 label_query_new: Нова заявка
677 677 label_my_queries: Моите заявки
678 678 label_filter_add: Добави филтър
679 679 label_filter_plural: Филтри
680 680 label_equals: е
681 681 label_not_equals: не е
682 682 label_in_less_than: след по-малко от
683 683 label_in_more_than: след повече от
684 684 label_in_the_next_days: в следващите
685 685 label_in_the_past_days: в предишните
686 686 label_greater_or_equal: ">="
687 687 label_less_or_equal: <=
688 688 label_between: между
689 689 label_in: в следващите
690 690 label_today: днес
691 691 label_all_time: всички
692 692 label_yesterday: вчера
693 693 label_this_week: тази седмица
694 694 label_last_week: последната седмица
695 695 label_last_n_weeks: последните %{count} седмици
696 696 label_last_n_days: "последните %{count} дни"
697 697 label_this_month: текущия месец
698 698 label_last_month: последния месец
699 699 label_this_year: текущата година
700 700 label_date_range: Период
701 701 label_less_than_ago: преди по-малко от
702 702 label_more_than_ago: преди повече от
703 703 label_ago: преди
704 704 label_contains: съдържа
705 705 label_not_contains: не съдържа
706 706 label_any_issues_in_project: задачи от проект
707 707 label_any_issues_not_in_project: задачи, които не са в проект
708 708 label_no_issues_in_project: никакви задачи в проект
709 709 label_day_plural: дни
710 710 label_repository: Хранилище
711 711 label_repository_new: Ново хранилище
712 712 label_repository_plural: Хранилища
713 713 label_browse: Разглеждане
714 714 label_branch: работен вариант
715 715 label_tag: Версия
716 716 label_revision: Ревизия
717 717 label_revision_plural: Ревизии
718 718 label_revision_id: Ревизия %{value}
719 719 label_associated_revisions: Асоциирани ревизии
720 720 label_added: добавено
721 721 label_modified: променено
722 722 label_copied: копирано
723 723 label_renamed: преименувано
724 724 label_deleted: изтрито
725 725 label_latest_revision: Последна ревизия
726 726 label_latest_revision_plural: Последни ревизии
727 727 label_view_revisions: Виж ревизиите
728 728 label_view_all_revisions: Разглеждане на всички ревизии
729 729 label_max_size: Максимална големина
730 730 label_sort_highest: Премести най-горе
731 731 label_sort_higher: Премести по-горе
732 732 label_sort_lower: Премести по-долу
733 733 label_sort_lowest: Премести най-долу
734 734 label_roadmap: Пътна карта
735 735 label_roadmap_due_in: "Излиза след %{value}"
736 736 label_roadmap_overdue: "%{value} закъснение"
737 737 label_roadmap_no_issues: Няма задачи за тази версия
738 738 label_search: Търсене
739 739 label_result_plural: Pезултати
740 740 label_all_words: Всички думи
741 741 label_wiki: Wiki
742 742 label_wiki_edit: Wiki редакция
743 743 label_wiki_edit_plural: Wiki редакции
744 744 label_wiki_page: Wiki страница
745 745 label_wiki_page_plural: Wiki страници
746 746 label_index_by_title: Индекс
747 747 label_index_by_date: Индекс по дата
748 748 label_current_version: Текуща версия
749 749 label_preview: Преглед
750 750 label_feed_plural: Емисии
751 751 label_changes_details: Подробни промени
752 752 label_issue_tracking: Тракинг
753 753 label_spent_time: Отделено време
754 754 label_total_spent_time: Общо употребено време
755 755 label_overall_spent_time: Общо употребено време
756 756 label_f_hour: "%{value} час"
757 757 label_f_hour_plural: "%{value} часа"
758 758 label_time_tracking: Отделяне на време
759 759 label_change_plural: Промени
760 760 label_statistics: Статистика
761 761 label_commits_per_month: Ревизии по месеци
762 762 label_commits_per_author: Ревизии по автор
763 763 label_diff: diff
764 764 label_view_diff: Виж разликите
765 765 label_diff_inline: хоризонтално
766 766 label_diff_side_by_side: вертикално
767 767 label_options: Опции
768 768 label_copy_workflow_from: Копирай работния процес от
769 769 label_permissions_report: Справка за права
770 770 label_watched_issues: Наблюдавани задачи
771 771 label_related_issues: Свързани задачи
772 772 label_applied_status: Установено състояние
773 773 label_loading: Зареждане...
774 774 label_relation_new: Нова релация
775 775 label_relation_delete: Изтриване на релация
776 776 label_relates_to: свързана със
777 777 label_duplicates: дублира
778 778 label_duplicated_by: дублирана от
779 779 label_blocks: блокира
780 780 label_blocked_by: блокирана от
781 781 label_precedes: предшества
782 782 label_follows: изпълнява се след
783 783 label_copied_to: копирана в
784 784 label_copied_from: копирана от
785 785 label_end_to_start: край към начало
786 786 label_end_to_end: край към край
787 787 label_start_to_start: начало към начало
788 788 label_start_to_end: начало към край
789 789 label_stay_logged_in: Запомни ме
790 790 label_disabled: забранено
791 791 label_show_completed_versions: Показване на реализирани версии
792 792 label_me: аз
793 793 label_board: Форум
794 794 label_board_new: Нов форум
795 795 label_board_plural: Форуми
796 796 label_board_locked: Заключена
797 797 label_board_sticky: Sticky
798 798 label_topic_plural: Теми
799 799 label_message_plural: Съобщения
800 800 label_message_last: Последно съобщение
801 801 label_message_new: Нова тема
802 802 label_message_posted: Добавено съобщение
803 803 label_reply_plural: Отговори
804 804 label_send_information: Изпращане на информацията до потребителя
805 805 label_year: Година
806 806 label_month: Месец
807 807 label_week: Седмица
808 808 label_date_from: От
809 809 label_date_to: До
810 810 label_language_based: В зависимост от езика
811 811 label_sort_by: "Сортиране по %{value}"
812 812 label_send_test_email: Изпращане на тестов e-mail
813 813 label_feeds_access_key: Atom access ключ
814 814 label_missing_feeds_access_key: Липсващ Atom ключ за достъп
815 815 label_feeds_access_key_created_on: "%{value} от създаването на Atom ключа"
816 816 label_module_plural: Модули
817 817 label_added_time_by: "Публикувана от %{author} преди %{age}"
818 818 label_updated_time_by: "Обновена от %{author} преди %{age}"
819 819 label_updated_time: "Обновена преди %{value}"
820 820 label_jump_to_a_project: Проект...
821 821 label_file_plural: Файлове
822 822 label_changeset_plural: Ревизии
823 823 label_default_columns: По подразбиране
824 824 label_no_change_option: (Без промяна)
825 825 label_bulk_edit_selected_issues: Групово редактиране на задачи
826 826 label_bulk_edit_selected_time_entries: Групово редактиране на записи за използвано време
827 827 label_theme: Тема
828 828 label_default: По подразбиране
829 829 label_search_titles_only: Само в заглавията
830 830 label_user_mail_option_all: "За всяко събитие в проектите, в които участвам"
831 831 label_user_mail_option_selected: "За всички събития само в избраните проекти..."
832 832 label_user_mail_option_none: "Само за наблюдавани или в които участвам (автор или назначени на мен)"
833 833 label_user_mail_option_only_my_events: Само за неща, в които съм включен/а
834 834 label_user_mail_option_only_assigned: Само за неща, назначени на мен
835 835 label_user_mail_option_only_owner: Само за неща, на които аз съм собственик
836 836 label_user_mail_no_self_notified: "Не искам известия за извършени от мен промени"
837 837 label_registration_activation_by_email: активиране на профила по email
838 838 label_registration_manual_activation: ръчно активиране
839 839 label_registration_automatic_activation: автоматично активиране
840 840 label_display_per_page: "На страница по: %{value}"
841 841 label_age: Възраст
842 842 label_change_properties: Промяна на настройки
843 843 label_general: Основни
844 844 label_more: Още
845 845 label_scm: SCM (Система за контрол на версиите)
846 846 label_plugins: Плъгини
847 847 label_ldap_authentication: LDAP оторизация
848 848 label_downloads_abbr: D/L
849 849 label_optional_description: Незадължително описание
850 850 label_add_another_file: Добавяне на друг файл
851 851 label_preferences: Предпочитания
852 852 label_chronological_order: Хронологичен ред
853 853 label_reverse_chronological_order: Обратен хронологичен ред
854 854 label_planning: Планиране
855 855 label_incoming_emails: Входящи e-mail-и
856 856 label_generate_key: Генериране на ключ
857 857 label_issue_watchers: Наблюдатели
858 858 label_example: Пример
859 859 label_display: Показване
860 860 label_sort: Сортиране
861 861 label_ascending: Нарастващ
862 862 label_descending: Намаляващ
863 863 label_date_from_to: От %{start} до %{end}
864 864 label_wiki_content_added: Wiki страница беше добавена
865 865 label_wiki_content_updated: Wiki страница беше обновена
866 866 label_group: Група
867 867 label_group_plural: Групи
868 868 label_group_new: Нова група
869 869 label_group_anonymous: Анонимни потребители
870 870 label_group_non_member: Потребители, които не са членове на проекта
871 871 label_time_entry_plural: Използвано време
872 872 label_version_sharing_none: Не споделен
873 873 label_version_sharing_descendants: С подпроекти
874 874 label_version_sharing_hierarchy: С проектна йерархия
875 875 label_version_sharing_tree: С дърво на проектите
876 876 label_version_sharing_system: С всички проекти
877 877 label_update_issue_done_ratios: Обновяване на процента на завършените задачи
878 878 label_copy_source: Източник
879 879 label_copy_target: Цел
880 880 label_copy_same_as_target: Също като целта
881 881 label_display_used_statuses_only: Показване само на състоянията, използвани от този тракер
882 882 label_api_access_key: API ключ за достъп
883 883 label_missing_api_access_key: Липсващ API ключ
884 884 label_api_access_key_created_on: API ключ за достъп е създаден преди %{value}
885 885 label_profile: Профил
886 886 label_subtask_plural: Подзадачи
887 887 label_project_copy_notifications: Изпращане на Send e-mail известия по време на копирането на проекта
888 888 label_principal_search: "Търсене на потребител или група:"
889 889 label_user_search: "Търсене на потребител:"
890 890 label_additional_workflow_transitions_for_author: Позволени са допълнителни преходи, когато потребителят е авторът
891 891 label_additional_workflow_transitions_for_assignee: Позволени са допълнителни преходи, когато потребителят е назначеният към задачата
892 892 label_issues_visibility_all: Всички задачи
893 893 label_issues_visibility_public: Всички не-лични задачи
894 894 label_issues_visibility_own: Задачи, създадени от или назначени на потребителя
895 895 label_git_report_last_commit: Извеждане на последното поверяване за файлове и папки
896 896 label_parent_revision: Ревизия родител
897 897 label_child_revision: Ревизия наследник
898 898 label_export_options: "%{export_format} опции за експорт"
899 899 label_copy_attachments: Копиране на прикачените файлове
900 900 label_copy_subtasks: Копиране на подзадачите
901 901 label_item_position: "%{position}/%{count}"
902 902 label_completed_versions: Завършени версии
903 903 label_search_for_watchers: Търсене на потребители за наблюдатели
904 904 label_session_expiration: Изтичане на сесиите
905 905 label_show_closed_projects: Разглеждане на затворени проекти
906 906 label_status_transitions: Преходи между състоянията
907 907 label_fields_permissions: Видимост на полетата
908 908 label_readonly: Само за четене
909 909 label_required: Задължително
910 910 label_hidden: Скрит
911 911 label_attribute_of_project: Project's %{name}
912 912 label_attribute_of_issue: Issue's %{name}
913 913 label_attribute_of_author: Author's %{name}
914 914 label_attribute_of_assigned_to: Assignee's %{name}
915 915 label_attribute_of_user: User's %{name}
916 916 label_attribute_of_fixed_version: Target version's %{name}
917 917 label_cross_project_descendants: С подпроекти
918 918 label_cross_project_tree: С дърво на проектите
919 919 label_cross_project_hierarchy: С проектна йерархия
920 920 label_cross_project_system: С всички проекти
921 921 label_gantt_progress_line: Линия на изпълнението
922 922 label_visibility_private: лични (само за мен)
923 923 label_visibility_roles: само за тези роли
924 924 label_visibility_public: за всички потребители
925 925 label_link: Връзка
926 926 label_only: само
927 927 label_drop_down_list: drop-down списък
928 928 label_checkboxes: чек-бокс
929 929 label_radio_buttons: радио-бутони
930 930 label_link_values_to: URL (опция)
931 931 label_custom_field_select_type: "Изберете тип на обект, към който потребителското поле да бъде асоциирано"
932 932 label_check_for_updates: Проверка за нови версии
933 933 label_latest_compatible_version: Последна съвместима версия
934 934 label_unknown_plugin: Непознат плъгин
935 935 label_add_projects: Добавяне на проекти
936 936 label_users_visibility_all: Всички активни потребители
937 937 label_users_visibility_members_of_visible_projects: Членовете на видимите проекти
938 938 label_edit_attachments: Редактиране на прикачените файлове
939 939 label_link_copied_issue: Създаване на връзка между задачите
940 940 label_ask: Питане преди копиране
941 941 label_search_attachments_yes: Търсене на имената на прикачените файлове и техните описания
942 942 label_search_attachments_no: Да не се претърсват прикачените файлове
943 943 label_search_attachments_only: Търсене само на прикачените файлове
944 944 label_search_open_issues_only: Търсене само на задачите
945 945 label_email_address_plural: Имейли
946 946 label_email_address_add: Добавяне на имейл адрес
947 947 label_enable_notifications: Разрешаване на известията
948 948 label_disable_notifications: Забрана на известията
949 949 label_blank_value: празно
950 950 label_parent_task_attributes: Атрибути на родителските задачи
951 951 label_parent_task_attributes_derived: Изчислени от подзадачите
952 952 label_parent_task_attributes_independent: Независими от подзадачите
953 953 label_time_entries_visibility_all: Всички записи за използвано време
954 954 label_time_entries_visibility_own: Записи за използвано време създадени от потребителя
955 955 label_member_management: Управление на членовете
956 956 label_member_management_all_roles: Всички роли
957 957 label_member_management_selected_roles_only: Само тези роли
958 958
959 959 button_login: Вход
960 960 button_submit: Изпращане
961 961 button_save: Запис
962 962 button_check_all: Избор на всички
963 963 button_uncheck_all: Изчистване на всички
964 964 button_collapse_all: Скриване всички
965 965 button_expand_all: Разгъване всички
966 966 button_delete: Изтриване
967 967 button_create: Създаване
968 968 button_create_and_continue: Създаване и продължаване
969 969 button_test: Тест
970 970 button_edit: Редакция
971 971 button_edit_associated_wikipage: "Редактиране на асоциираната Wiki страница: %{page_title}"
972 972 button_add: Добавяне
973 973 button_change: Промяна
974 974 button_apply: Приложи
975 975 button_clear: Изчисти
976 976 button_lock: Заключване
977 977 button_unlock: Отключване
978 978 button_download: Изтегляне
979 979 button_list: Списък
980 980 button_view: Преглед
981 981 button_move: Преместване
982 982 button_move_and_follow: Преместване и продължаване
983 983 button_back: Назад
984 984 button_cancel: Отказ
985 985 button_activate: Активация
986 986 button_sort: Сортиране
987 987 button_log_time: Отделяне на време
988 988 button_rollback: Върни се към тази ревизия
989 989 button_watch: Наблюдаване
990 990 button_unwatch: Край на наблюдението
991 991 button_reply: Отговор
992 992 button_archive: Архивиране
993 993 button_unarchive: Разархивиране
994 994 button_reset: Генериране наново
995 995 button_rename: Преименуване
996 996 button_change_password: Промяна на парола
997 997 button_copy: Копиране
998 998 button_copy_and_follow: Копиране и продължаване
999 999 button_annotate: Анотация
1000 1000 button_update: Обновяване
1001 1001 button_configure: Конфигуриране
1002 1002 button_quote: Цитат
1003 1003 button_duplicate: Дублиране
1004 1004 button_show: Показване
1005 1005 button_hide: Скриване
1006 1006 button_edit_section: Редактиране на тази секция
1007 1007 button_export: Експорт
1008 1008 button_delete_my_account: Премахване на моя профил
1009 1009 button_close: Затваряне
1010 1010 button_reopen: Отваряне
1011 1011
1012 1012 status_active: активен
1013 1013 status_registered: регистриран
1014 1014 status_locked: заключен
1015 1015
1016 1016 project_status_active: активен
1017 1017 project_status_closed: затворен
1018 1018 project_status_archived: архивиран
1019 1019
1020 1020 version_status_open: отворена
1021 1021 version_status_locked: заключена
1022 1022 version_status_closed: затворена
1023 1023
1024 1024 field_active: Активен
1025 1025
1026 1026 text_select_mail_notifications: Изберете събития за изпращане на e-mail.
1027 1027 text_regexp_info: пр. ^[A-Z0-9]+$
1028 1028 text_min_max_length_info: 0 - без ограничения
1029 1029 text_project_destroy_confirmation: Сигурни ли сте, че искате да изтриете проекта и данните в него?
1030 1030 text_subprojects_destroy_warning: "Неговите подпроекти: %{value} също ще бъдат изтрити."
1031 1031 text_workflow_edit: Изберете роля и тракер за да редактирате работния процес
1032 1032 text_are_you_sure: Сигурни ли сте?
1033 1033 text_journal_changed: "%{label} променен от %{old} на %{new}"
1034 1034 text_journal_changed_no_detail: "%{label} променен"
1035 1035 text_journal_set_to: "%{label} установен на %{value}"
1036 1036 text_journal_deleted: "%{label} изтрит (%{old})"
1037 1037 text_journal_added: "Добавено %{label} %{value}"
1038 1038 text_tip_issue_begin_day: задача, започваща този ден
1039 1039 text_tip_issue_end_day: задача, завършваща този ден
1040 1040 text_tip_issue_begin_end_day: задача, започваща и завършваща този ден
1041 1041 text_project_identifier_info: 'Позволени са малки букви (a-z), цифри, тирета и _.<br />Промяна след създаването му не е възможна.'
1042 1042 text_caracters_maximum: "До %{count} символа."
1043 1043 text_caracters_minimum: "Минимум %{count} символа."
1044 1044 text_length_between: "От %{min} до %{max} символа."
1045 1045 text_tracker_no_workflow: Няма дефиниран работен процес за този тракер
1046 1046 text_unallowed_characters: Непозволени символи
1047 1047 text_comma_separated: Позволено е изброяване (с разделител запетая).
1048 1048 text_line_separated: Позволени са много стойности (по едно на ред).
1049 1049 text_issues_ref_in_commit_messages: Отбелязване и приключване на задачи от ревизии
1050 1050 text_issue_added: "Публикувана е нова задача с номер %{id} (от %{author})."
1051 1051 text_issue_updated: "Задача %{id} е обновена (от %{author})."
1052 1052 text_wiki_destroy_confirmation: Сигурни ли сте, че искате да изтриете това Wiki и цялото му съдържание?
1053 1053 text_issue_category_destroy_question: "Има задачи (%{count}) обвързани с тази категория. Какво ще изберете?"
1054 1054 text_issue_category_destroy_assignments: Премахване на връзките с категорията
1055 1055 text_issue_category_reassign_to: Преобвързване с категория
1056 1056 text_user_mail_option: "За неизбраните проекти, ще получавате известия само за наблюдавани дейности или в които участвате (т.е. автор или назначени на мен)."
1057 1057 text_no_configuration_data: "Все още не са конфигурирани Роли, тракери, състояния на задачи и работен процес.\nСтрого се препоръчва зареждането на примерната информация. Веднъж заредена ще имате възможност да я редактирате."
1058 1058 text_load_default_configuration: Зареждане на примерна информация
1059 1059 text_status_changed_by_changeset: "Приложено с ревизия %{value}."
1060 1060 text_time_logged_by_changeset: Приложено в ревизия %{value}.
1061 1061 text_issues_destroy_confirmation: 'Сигурни ли сте, че искате да изтриете избраните задачи?'
1062 1062 text_issues_destroy_descendants_confirmation: Тази операция ще премахне и %{count} подзадача(и).
1063 1063 text_time_entries_destroy_confirmation: Сигурен ли сте, че изтриете избраните записи за изразходвано време?
1064 1064 text_select_project_modules: 'Изберете активните модули за този проект:'
1065 1065 text_default_administrator_account_changed: Сменен фабричния администраторски профил
1066 1066 text_file_repository_writable: Възможност за писане в хранилището с файлове
1067 1067 text_plugin_assets_writable: Папката на приставките е разрешена за запис
1068 1068 text_rmagick_available: Наличен RMagick (по избор)
1069 1069 text_convert_available: Наличен ImageMagick convert (по избор)
1070 1070 text_destroy_time_entries_question: "%{hours} часа са отделени на задачите, които искате да изтриете. Какво избирате?"
1071 1071 text_destroy_time_entries: Изтриване на отделеното време
1072 1072 text_assign_time_entries_to_project: Прехвърляне на отделеното време към проект
1073 1073 text_reassign_time_entries: 'Прехвърляне на отделеното време към задача:'
1074 1074 text_user_wrote: "%{value} написа:"
1075 1075 text_enumeration_destroy_question: "%{count} обекта са свързани с тази стойност."
1076 1076 text_enumeration_category_reassign_to: 'Пресвържете ги към тази стойност:'
1077 1077 text_email_delivery_not_configured: "Изпращането на e-mail-и не е конфигурирано и известията не са разрешени.\nКонфигурирайте вашия SMTP сървър в config/configuration.yml и рестартирайте Redmine, за да ги разрешите."
1078 1078 text_repository_usernames_mapping: "Изберете или променете потребителите в Redmine, съответстващи на потребителите в дневника на хранилището (repository).\nПотребителите с еднакви имена в Redmine и хранилищата се съвместяват автоматично."
1079 1079 text_diff_truncated: '... Този diff не е пълен, понеже е надхвърля максималния размер, който може да бъде показан.'
1080 1080 text_custom_field_possible_values_info: 'Една стойност на ред'
1081 1081 text_wiki_page_destroy_question: Тази страница има %{descendants} страници деца и descendant(s). Какво желаете да правите?
1082 1082 text_wiki_page_nullify_children: Запазване на тези страници като коренни страници
1083 1083 text_wiki_page_destroy_children: Изтриване на страниците деца и всички техни descendants
1084 1084 text_wiki_page_reassign_children: Преназначаване на страниците деца на тази родителска страница
1085 1085 text_own_membership_delete_confirmation: "Вие сте на път да премахнете някои или всички ваши разрешения и е възможно след това да не можете да редактирате този проект.\nСигурен ли сте, че искате да продължите?"
1086 1086 text_zoom_in: Увеличаване
1087 1087 text_zoom_out: Намаляване
1088 1088 text_warn_on_leaving_unsaved: Страницата съдържа незаписано съдържание, което може да бъде загубено, ако я напуснете.
1089 1089 text_scm_path_encoding_note: "По подразбиране: UTF-8"
1090 1090 text_subversion_repository_note: 'Примери: file:///, http://, https://, svn://, svn+[tunnelscheme]://'
1091 1091 text_git_repository_note: Празно и локално хранилище (например /gitrepo, c:\gitrepo)
1092 1092 text_mercurial_repository_note: Локално хранилище (например /hgrepo, c:\hgrepo)
1093 1093 text_scm_command: SCM команда
1094 1094 text_scm_command_version: Версия
1095 1095 text_scm_config: Можете да конфигурирате SCM командите в config/configuration.yml. За да активирате промените, рестартирайте Redmine.
1096 1096 text_scm_command_not_available: SCM командата не е налична или достъпна. Проверете конфигурацията в административния панел.
1097 1097 text_issue_conflict_resolution_overwrite: Прилагане на моите промени (предишните коментари ще бъдат запазени, но някои други промени може да бъдат презаписани)
1098 1098 text_issue_conflict_resolution_add_notes: Добавяне на моите коментари и отхвърляне на другите мои промени
1099 1099 text_issue_conflict_resolution_cancel: Отхвърляне на всички мои промени и презареждане на %{link}
1100 1100 text_account_destroy_confirmation: "Сигурен/на ли сте, че желаете да продължите?\nВашият профил ще бъде премахнат без възможност за възстановяване."
1101 1101 text_session_expiration_settings: "Внимание: промяната на тези установяваноя може да прекрати всички активни сесии, включително и вашата."
1102 1102 text_project_closed: Този проект е затворен и е само за четене.
1103 1103 text_turning_multiple_off: Ако забраните възможността за повече от една стойност, повечето стойности ще бъдат
1104 1104 премахнати с цел да остане само по една стойност за поле.
1105 1105
1106 1106 default_role_manager: Мениджър
1107 1107 default_role_developer: Разработчик
1108 1108 default_role_reporter: Публикуващ
1109 1109 default_tracker_bug: Грешка
1110 1110 default_tracker_feature: Функционалност
1111 1111 default_tracker_support: Поддръжка
1112 1112 default_issue_status_new: Нова
1113 1113 default_issue_status_in_progress: Изпълнение
1114 1114 default_issue_status_resolved: Приключена
1115 1115 default_issue_status_feedback: Обратна връзка
1116 1116 default_issue_status_closed: Затворена
1117 1117 default_issue_status_rejected: Отхвърлена
1118 1118 default_doc_category_user: Документация за потребителя
1119 1119 default_doc_category_tech: Техническа документация
1120 1120 default_priority_low: Нисък
1121 1121 default_priority_normal: Нормален
1122 1122 default_priority_high: Висок
1123 1123 default_priority_urgent: Спешен
1124 1124 default_priority_immediate: Веднага
1125 1125 default_activity_design: Дизайн
1126 1126 default_activity_development: Разработка
1127 1127
1128 1128 enumeration_issue_priorities: Приоритети на задачи
1129 1129 enumeration_doc_categories: Категории документи
1130 1130 enumeration_activities: Дейности (time tracking)
1131 1131 enumeration_system_activity: Системна активност
1132 1132 description_filter: Филтър
1133 1133 description_search: Търсене
1134 1134 description_choose_project: Проекти
1135 1135 description_project_scope: Обхват на търсенето
1136 1136 description_notes: Бележки
1137 1137 description_message_content: Съдържание на съобщението
1138 1138 description_query_sort_criteria_attribute: Атрибут на сортиране
1139 1139 description_query_sort_criteria_direction: Посока на сортиране
1140 1140 description_user_mail_notification: Конфигурация известията по пощата
1141 1141 description_available_columns: Налични колони
1142 1142 description_selected_columns: Избрани колони
1143 1143 description_issue_category_reassign: Изберете категория
1144 1144 description_wiki_subpages_reassign: Изберете нова родителска страница
1145 1145 description_all_columns: Всички колони
1146 1146 description_date_range_list: Изберете диапазон от списъка
1147 1147 description_date_range_interval: Изберете диапазон чрез задаване на начална и крайна дати
1148 1148 description_date_from: Въведете начална дата
1149 1149 description_date_to: Въведете крайна дата
1150 1150 text_repository_identifier_info: 'Позволени са малки букви (a-z), цифри, тирета и _.<br />Промяна след създаването му не е възможна.'
1151 1151 notice_import_finished: All %{count} items have been imported.
1152 1152 notice_import_finished_with_errors: ! '%{count} out of %{total} items could not be
1153 1153 imported.'
1154 1154 error_invalid_file_encoding: The file is not a valid %{encoding} encoded file
1155 1155 error_invalid_csv_file_or_settings: The file is not a CSV file or does not match the
1156 1156 settings below
1157 1157 error_can_not_read_import_file: An error occurred while reading the file to import
1158 1158 permission_import_issues: Import issues
1159 1159 label_import_issues: Import issues
1160 1160 label_select_file_to_import: Select the file to import
1161 1161 label_fields_separator: Field separator
1162 1162 label_fields_wrapper: Field wrapper
1163 1163 label_encoding: Encoding
1164 label_coma_char: Coma
1164 label_comma_char: Comma
1165 1165 label_semi_colon_char: Semi colon
1166 1166 label_quote_char: Quote
1167 1167 label_double_quote_char: Double quote
1168 1168 label_fields_mapping: Fields mapping
1169 1169 label_file_content_preview: File content preview
1170 1170 label_create_missing_values: Create missing values
1171 1171 button_import: Import
1172 1172 field_total_estimated_hours: Total estimated time
1173 1173 label_api: API
1174 1174 label_total_plural: Totals
@@ -1,1194 +1,1194
1 1 #Ernad Husremovic hernad@bring.out.ba
2 2
3 3 bs:
4 4 direction: ltr
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
13 13 day_names: [Nedjelja, Ponedjeljak, Utorak, Srijeda, Četvrtak, Petak, Subota]
14 14 abbr_day_names: [Ned, Pon, Uto, Sri, Čet, Pet, Sub]
15 15
16 16 month_names: [~, Januar, Februar, Mart, April, Maj, Jun, Jul, Avgust, Septembar, Oktobar, Novembar, Decembar]
17 17 abbr_month_names: [~, Jan, Feb, Mar, Apr, Maj, Jun, Jul, Avg, Sep, Okt, Nov, Dec]
18 18 order:
19 19 - :day
20 20 - :month
21 21 - :year
22 22
23 23 time:
24 24 formats:
25 25 default: "%A, %e. %B %Y, %H:%M"
26 26 short: "%e. %B, %H:%M Uhr"
27 27 long: "%A, %e. %B %Y, %H:%M"
28 28 time: "%H:%M"
29 29
30 30 am: "prijepodne"
31 31 pm: "poslijepodne"
32 32
33 33 datetime:
34 34 distance_in_words:
35 35 half_a_minute: "pola minute"
36 36 less_than_x_seconds:
37 37 one: "manje od 1 sekunde"
38 38 other: "manje od %{count} sekudni"
39 39 x_seconds:
40 40 one: "1 sekunda"
41 41 other: "%{count} sekundi"
42 42 less_than_x_minutes:
43 43 one: "manje od 1 minute"
44 44 other: "manje od %{count} minuta"
45 45 x_minutes:
46 46 one: "1 minuta"
47 47 other: "%{count} minuta"
48 48 about_x_hours:
49 49 one: "oko 1 sahat"
50 50 other: "oko %{count} sahata"
51 51 x_hours:
52 52 one: "1 sahat"
53 53 other: "%{count} sahata"
54 54 x_days:
55 55 one: "1 dan"
56 56 other: "%{count} dana"
57 57 about_x_months:
58 58 one: "oko 1 mjesec"
59 59 other: "oko %{count} mjeseci"
60 60 x_months:
61 61 one: "1 mjesec"
62 62 other: "%{count} mjeseci"
63 63 about_x_years:
64 64 one: "oko 1 godine"
65 65 other: "oko %{count} godina"
66 66 over_x_years:
67 67 one: "preko 1 godine"
68 68 other: "preko %{count} godina"
69 69 almost_x_years:
70 70 one: "almost 1 year"
71 71 other: "almost %{count} years"
72 72
73 73
74 74 number:
75 75 format:
76 76 precision: 2
77 77 separator: ','
78 78 delimiter: '.'
79 79 currency:
80 80 format:
81 81 unit: 'KM'
82 82 format: '%u %n'
83 83 negative_format: '%u -%n'
84 84 delimiter: ''
85 85 percentage:
86 86 format:
87 87 delimiter: ""
88 88 precision:
89 89 format:
90 90 delimiter: ""
91 91 human:
92 92 format:
93 93 delimiter: ""
94 94 precision: 3
95 95 storage_units:
96 96 format: "%n %u"
97 97 units:
98 98 byte:
99 99 one: "Byte"
100 100 other: "Bytes"
101 101 kb: "KB"
102 102 mb: "MB"
103 103 gb: "GB"
104 104 tb: "TB"
105 105
106 106 # Used in array.to_sentence.
107 107 support:
108 108 array:
109 109 sentence_connector: "i"
110 110 skip_last_comma: false
111 111
112 112 activerecord:
113 113 errors:
114 114 template:
115 115 header:
116 116 one: "1 error prohibited this %{model} from being saved"
117 117 other: "%{count} errors prohibited this %{model} from being saved"
118 118 messages:
119 119 inclusion: "nije uključeno u listu"
120 120 exclusion: "je rezervisano"
121 121 invalid: "nije ispravno"
122 122 confirmation: "ne odgovara potvrdi"
123 123 accepted: "mora se prihvatiti"
124 124 empty: "ne može biti prazno"
125 125 blank: "ne može biti znak razmaka"
126 126 too_long: "je predugačko"
127 127 too_short: "je prekratko"
128 128 wrong_length: "je pogrešne dužine"
129 129 taken: "već je zauzeto"
130 130 not_a_number: "nije broj"
131 131 not_a_date: "nije ispravan datum"
132 132 greater_than: "mora bit veći od %{count}"
133 133 greater_than_or_equal_to: "mora bit veći ili jednak %{count}"
134 134 equal_to: "mora biti jednak %{count}"
135 135 less_than: "mora biti manji od %{count}"
136 136 less_than_or_equal_to: "mora bit manji ili jednak %{count}"
137 137 odd: "mora biti neparan"
138 138 even: "mora biti paran"
139 139 greater_than_start_date: "mora biti veći nego početni datum"
140 140 not_same_project: "ne pripada istom projektu"
141 141 circular_dependency: "Ova relacija stvar cirkularnu zavisnost"
142 142 cant_link_an_issue_with_a_descendant: "An issue can not be linked to one of its subtasks"
143 143 earlier_than_minimum_start_date: "cannot be earlier than %{date} because of preceding issues"
144 144
145 145 actionview_instancetag_blank_option: Molimo odaberite
146 146
147 147 general_text_No: 'Da'
148 148 general_text_Yes: 'Ne'
149 149 general_text_no: 'ne'
150 150 general_text_yes: 'da'
151 151 general_lang_name: 'Bosnian (Bosanski)'
152 152 general_csv_separator: ','
153 153 general_csv_decimal_separator: '.'
154 154 general_csv_encoding: UTF-8
155 155 general_pdf_fontname: freesans
156 156 general_first_day_of_week: '7'
157 157
158 158 notice_account_activated: Vaš nalog je aktiviran. Možete se prijaviti.
159 159 notice_account_invalid_creditentials: Pogrešan korisnik ili lozinka
160 160 notice_account_lost_email_sent: Email sa uputstvima o izboru nove šifre je poslat na vašu adresu.
161 161 notice_account_password_updated: Lozinka je uspješno promjenjena.
162 162 notice_account_pending: "Vaš nalog je kreiran i čeka odobrenje administratora."
163 163 notice_account_register_done: Nalog je uspješno kreiran. Da bi ste aktivirali vaš nalog kliknite na link koji vam je poslat.
164 164 notice_account_unknown_email: Nepoznati korisnik.
165 165 notice_account_updated: Nalog je uspješno promjenen.
166 166 notice_account_wrong_password: Pogrešna lozinka
167 167 notice_can_t_change_password: Ovaj nalog koristi eksterni izvor prijavljivanja. Ne mogu da promjenim šifru.
168 168 notice_default_data_loaded: Podrazumjevana konfiguracija uspječno učitana.
169 169 notice_email_error: Došlo je do greške pri slanju emaila (%{value})
170 170 notice_email_sent: "Email je poslan %{value}"
171 171 notice_failed_to_save_issues: "Neuspješno snimanje %{count} aktivnosti na %{total} izabrano: %{ids}."
172 172 notice_feeds_access_key_reseted: Vaš Atom pristup je resetovan.
173 173 notice_file_not_found: Stranica kojoj pokušavate da pristupite ne postoji ili je uklonjena.
174 174 notice_locking_conflict: "Konflikt: podaci su izmjenjeni od strane drugog korisnika."
175 175 notice_no_issue_selected: "Nijedna aktivnost nije izabrana! Molim, izaberite aktivnosti koje želite za ispravljate."
176 176 notice_not_authorized: Niste ovlašćeni da pristupite ovoj stranici.
177 177 notice_successful_connection: Uspješna konekcija.
178 178 notice_successful_create: Uspješno kreiranje.
179 179 notice_successful_delete: Brisanje izvršeno.
180 180 notice_successful_update: Promjene uspješno izvršene.
181 181
182 182 error_can_t_load_default_data: "Podrazumjevane postavke se ne mogu učitati %{value}"
183 183 error_scm_command_failed: "Desila se greška pri pristupu repozitoriju: %{value}"
184 184 error_scm_not_found: "Unos i/ili revizija ne postoji u repozitoriju."
185 185
186 186 error_scm_annotate: "Ova stavka ne postoji ili nije označena."
187 187 error_issue_not_found_in_project: 'Aktivnost nije nađena ili ne pripada ovom projektu'
188 188
189 189 warning_attachments_not_saved: "%{count} fajl(ovi) ne mogu biti snimljen(i)."
190 190
191 191 mail_subject_lost_password: "Vaša %{value} lozinka"
192 192 mail_body_lost_password: 'Za promjenu lozinke, kliknite na sljedeći link:'
193 193 mail_subject_register: "Aktivirajte %{value} vaš korisnički račun"
194 194 mail_body_register: 'Za aktivaciju vašeg korisničkog računa, kliknite na sljedeći link:'
195 195 mail_body_account_information_external: "Možete koristiti vaš %{value} korisnički račun za prijavu na sistem."
196 196 mail_body_account_information: Informacija o vašem korisničkom računu
197 197 mail_subject_account_activation_request: "%{value} zahtjev za aktivaciju korisničkog računa"
198 198 mail_body_account_activation_request: "Novi korisnik (%{value}) se registrovao. Korisnički račun čeka vaše odobrenje za aktivaciju:"
199 199 mail_subject_reminder: "%{count} aktivnost(i) u kašnjenju u narednim %{days} danima"
200 200 mail_body_reminder: "%{count} aktivnost(i) koje su dodjeljenje vama u narednim %{days} danima:"
201 201
202 202
203 203 field_name: Ime
204 204 field_description: Opis
205 205 field_summary: Pojašnjenje
206 206 field_is_required: Neophodno popuniti
207 207 field_firstname: Ime
208 208 field_lastname: Prezime
209 209 field_mail: Email
210 210 field_filename: Fajl
211 211 field_filesize: Veličina
212 212 field_downloads: Downloadi
213 213 field_author: Autor
214 214 field_created_on: Kreirano
215 215 field_updated_on: Izmjenjeno
216 216 field_field_format: Format
217 217 field_is_for_all: Za sve projekte
218 218 field_possible_values: Moguće vrijednosti
219 219 field_regexp: '"Regularni izraz"'
220 220 field_min_length: Minimalna veličina
221 221 field_max_length: Maksimalna veličina
222 222 field_value: Vrijednost
223 223 field_category: Kategorija
224 224 field_title: Naslov
225 225 field_project: Projekat
226 226 field_issue: Aktivnost
227 227 field_status: Status
228 228 field_notes: Bilješke
229 229 field_is_closed: Aktivnost zatvorena
230 230 field_is_default: Podrazumjevana vrijednost
231 231 field_tracker: Područje aktivnosti
232 232 field_subject: Subjekat
233 233 field_due_date: Završiti do
234 234 field_assigned_to: Dodijeljeno
235 235 field_priority: Prioritet
236 236 field_fixed_version: Ciljna verzija
237 237 field_user: Korisnik
238 238 field_role: Uloga
239 239 field_homepage: Naslovna strana
240 240 field_is_public: Javni
241 241 field_parent: Podprojekt od
242 242 field_is_in_roadmap: Aktivnosti prikazane u planu realizacije
243 243 field_login: Prijava
244 244 field_mail_notification: Email notifikacije
245 245 field_admin: Administrator
246 246 field_last_login_on: Posljednja konekcija
247 247 field_language: Jezik
248 248 field_effective_date: Datum
249 249 field_password: Lozinka
250 250 field_new_password: Nova lozinka
251 251 field_password_confirmation: Potvrda
252 252 field_version: Verzija
253 253 field_type: Tip
254 254 field_host: Host
255 255 field_port: Port
256 256 field_account: Korisnički račun
257 257 field_base_dn: Base DN
258 258 field_attr_login: Attribut za prijavu
259 259 field_attr_firstname: Attribut za ime
260 260 field_attr_lastname: Atribut za prezime
261 261 field_attr_mail: Atribut za email
262 262 field_onthefly: 'Kreiranje korisnika "On-the-fly"'
263 263 field_start_date: Početak
264 264 field_done_ratio: "% Realizovano"
265 265 field_auth_source: Mod za authentifikaciju
266 266 field_hide_mail: Sakrij moju email adresu
267 267 field_comments: Komentar
268 268 field_url: URL
269 269 field_start_page: Početna stranica
270 270 field_subproject: Podprojekat
271 271 field_hours: Sahata
272 272 field_activity: Operacija
273 273 field_spent_on: Datum
274 274 field_identifier: Identifikator
275 275 field_is_filter: Korišteno kao filter
276 276 field_issue_to: Povezana aktivnost
277 277 field_delay: Odgađanje
278 278 field_assignable: Aktivnosti dodijeljene ovoj ulozi
279 279 field_redirect_existing_links: Izvrši redirekciju postojećih linkova
280 280 field_estimated_hours: Procjena vremena
281 281 field_column_names: Kolone
282 282 field_time_zone: Vremenska zona
283 283 field_searchable: Pretraživo
284 284 field_default_value: Podrazumjevana vrijednost
285 285 field_comments_sorting: Prikaži komentare
286 286 field_parent_title: 'Stranica "roditelj"'
287 287 field_editable: Može se mijenjati
288 288 field_watcher: Posmatrač
289 289 field_identity_url: OpenID URL
290 290 field_content: Sadržaj
291 291
292 292 setting_app_title: Naslov aplikacije
293 293 setting_app_subtitle: Podnaslov aplikacije
294 294 setting_welcome_text: Tekst dobrodošlice
295 295 setting_default_language: Podrazumjevani jezik
296 296 setting_login_required: Authentifikacija neophodna
297 297 setting_self_registration: Samo-registracija
298 298 setting_attachment_max_size: Maksimalna veličina prikačenog fajla
299 299 setting_issues_export_limit: Limit za eksport aktivnosti
300 300 setting_mail_from: Mail adresa - pošaljilac
301 301 setting_bcc_recipients: '"BCC" (blind carbon copy) primaoci '
302 302 setting_plain_text_mail: Email sa običnim tekstom (bez HTML-a)
303 303 setting_host_name: Ime hosta i putanja
304 304 setting_text_formatting: Formatiranje teksta
305 305 setting_wiki_compression: Kompresija Wiki istorije
306 306
307 307 setting_feeds_limit: 'Limit za "Atom" feed-ove'
308 308 setting_default_projects_public: Podrazumjeva se da je novi projekat javni
309 309 setting_autofetch_changesets: 'Automatski kupi "commit"-e'
310 310 setting_sys_api_enabled: 'Omogući "WS" za upravljanje repozitorijom'
311 311 setting_commit_ref_keywords: Ključne riječi za reference
312 312 setting_commit_fix_keywords: 'Ključne riječi za status "zatvoreno"'
313 313 setting_autologin: Automatski login
314 314 setting_date_format: Format datuma
315 315 setting_time_format: Format vremena
316 316 setting_cross_project_issue_relations: Omogući relacije između aktivnosti na različitim projektima
317 317 setting_issue_list_default_columns: Podrazumjevane koleone za prikaz na listi aktivnosti
318 318 setting_emails_footer: Potpis na email-ovima
319 319 setting_protocol: Protokol
320 320 setting_per_page_options: Broj objekata po stranici
321 321 setting_user_format: Format korisničkog prikaza
322 322 setting_activity_days_default: Prikaz promjena na projektu - opseg dana
323 323 setting_display_subprojects_issues: Prikaz podprojekata na glavnom projektima (podrazumjeva se)
324 324 setting_enabled_scm: Omogući SCM (source code management)
325 325 setting_mail_handler_api_enabled: Omogući automatsku obradu ulaznih emailova
326 326 setting_mail_handler_api_key: API ključ (obrada ulaznih mailova)
327 327 setting_sequential_project_identifiers: Generiši identifikatore projekta sekvencijalno
328 328 setting_gravatar_enabled: 'Koristi "gravatar" korisničke ikone'
329 329 setting_diff_max_lines_displayed: Maksimalan broj linija za prikaz razlika između dva fajla
330 330 setting_file_max_size_displayed: Maksimalna veličina fajla kod prikaza razlika unutar fajla (inline)
331 331 setting_repository_log_display_limit: Maksimalna veličina revizija prikazanih na log fajlu
332 332 setting_openid: Omogući OpenID prijavu i registraciju
333 333
334 334 permission_edit_project: Ispravke projekta
335 335 permission_select_project_modules: Odaberi module projekta
336 336 permission_manage_members: Upravljanje članovima
337 337 permission_manage_versions: Upravljanje verzijama
338 338 permission_manage_categories: Upravljanje kategorijama aktivnosti
339 339 permission_add_issues: Dodaj aktivnosti
340 340 permission_edit_issues: Ispravka aktivnosti
341 341 permission_manage_issue_relations: Upravljaj relacijama među aktivnostima
342 342 permission_add_issue_notes: Dodaj bilješke
343 343 permission_edit_issue_notes: Ispravi bilješke
344 344 permission_edit_own_issue_notes: Ispravi sopstvene bilješke
345 345 permission_move_issues: Pomjeri aktivnosti
346 346 permission_delete_issues: Izbriši aktivnosti
347 347 permission_manage_public_queries: Upravljaj javnim upitima
348 348 permission_save_queries: Snimi upite
349 349 permission_view_gantt: Pregled gantograma
350 350 permission_view_calendar: Pregled kalendara
351 351 permission_view_issue_watchers: Pregled liste korisnika koji prate aktivnost
352 352 permission_add_issue_watchers: Dodaj onoga koji prati aktivnost
353 353 permission_log_time: Evidentiraj utrošak vremena
354 354 permission_view_time_entries: Pregled utroška vremena
355 355 permission_edit_time_entries: Ispravka utroška vremena
356 356 permission_edit_own_time_entries: Ispravka svog utroška vremena
357 357 permission_manage_news: Upravljaj novostima
358 358 permission_comment_news: Komentiraj novosti
359 359 permission_view_documents: Pregled dokumenata
360 360 permission_manage_files: Upravljaj fajlovima
361 361 permission_view_files: Pregled fajlova
362 362 permission_manage_wiki: Upravljaj wiki stranicama
363 363 permission_rename_wiki_pages: Ispravi wiki stranicu
364 364 permission_delete_wiki_pages: Izbriši wiki stranicu
365 365 permission_view_wiki_pages: Pregled wiki sadržaja
366 366 permission_view_wiki_edits: Pregled wiki istorije
367 367 permission_edit_wiki_pages: Ispravka wiki stranica
368 368 permission_delete_wiki_pages_attachments: Brisanje fajlova prikačenih wiki-ju
369 369 permission_protect_wiki_pages: Zaštiti wiki stranicu
370 370 permission_manage_repository: Upravljaj repozitorijem
371 371 permission_browse_repository: Pregled repozitorija
372 372 permission_view_changesets: Pregled setova promjena
373 373 permission_commit_access: 'Pristup "commit"-u'
374 374 permission_manage_boards: Upravljaj forumima
375 375 permission_view_messages: Pregled poruka
376 376 permission_add_messages: Šalji poruke
377 377 permission_edit_messages: Ispravi poruke
378 378 permission_edit_own_messages: Ispravka sopstvenih poruka
379 379 permission_delete_messages: Prisanje poruka
380 380 permission_delete_own_messages: Brisanje sopstvenih poruka
381 381
382 382 project_module_issue_tracking: Praćenje aktivnosti
383 383 project_module_time_tracking: Praćenje vremena
384 384 project_module_news: Novosti
385 385 project_module_documents: Dokumenti
386 386 project_module_files: Fajlovi
387 387 project_module_wiki: Wiki stranice
388 388 project_module_repository: Repozitorij
389 389 project_module_boards: Forumi
390 390
391 391 label_user: Korisnik
392 392 label_user_plural: Korisnici
393 393 label_user_new: Novi korisnik
394 394 label_project: Projekat
395 395 label_project_new: Novi projekat
396 396 label_project_plural: Projekti
397 397 label_x_projects:
398 398 zero: 0 projekata
399 399 one: 1 projekat
400 400 other: "%{count} projekata"
401 401 label_project_all: Svi projekti
402 402 label_project_latest: Posljednji projekti
403 403 label_issue: Aktivnost
404 404 label_issue_new: Nova aktivnost
405 405 label_issue_plural: Aktivnosti
406 406 label_issue_view_all: Vidi sve aktivnosti
407 407 label_issues_by: "Aktivnosti po %{value}"
408 408 label_issue_added: Aktivnost je dodana
409 409 label_issue_updated: Aktivnost je izmjenjena
410 410 label_document: Dokument
411 411 label_document_new: Novi dokument
412 412 label_document_plural: Dokumenti
413 413 label_document_added: Dokument je dodan
414 414 label_role: Uloga
415 415 label_role_plural: Uloge
416 416 label_role_new: Nove uloge
417 417 label_role_and_permissions: Uloge i dozvole
418 418 label_member: Izvršilac
419 419 label_member_new: Novi izvršilac
420 420 label_member_plural: Izvršioci
421 421 label_tracker: Područje aktivnosti
422 422 label_tracker_plural: Područja aktivnosti
423 423 label_tracker_new: Novo područje aktivnosti
424 424 label_workflow: Tok promjena na aktivnosti
425 425 label_issue_status: Status aktivnosti
426 426 label_issue_status_plural: Statusi aktivnosti
427 427 label_issue_status_new: Novi status
428 428 label_issue_category: Kategorija aktivnosti
429 429 label_issue_category_plural: Kategorije aktivnosti
430 430 label_issue_category_new: Nova kategorija
431 431 label_custom_field: Proizvoljno polje
432 432 label_custom_field_plural: Proizvoljna polja
433 433 label_custom_field_new: Novo proizvoljno polje
434 434 label_enumerations: Enumeracije
435 435 label_enumeration_new: Nova vrijednost
436 436 label_information: Informacija
437 437 label_information_plural: Informacije
438 438 label_please_login: Molimo prijavite se
439 439 label_register: Registracija
440 440 label_login_with_open_id_option: ili prijava sa OpenID-om
441 441 label_password_lost: Izgubljena lozinka
442 442 label_home: Početna stranica
443 443 label_my_page: Moja stranica
444 444 label_my_account: Moj korisnički račun
445 445 label_my_projects: Moji projekti
446 446 label_administration: Administracija
447 447 label_login: Prijavi se
448 448 label_logout: Odjavi se
449 449 label_help: Pomoć
450 450 label_reported_issues: Prijavljene aktivnosti
451 451 label_assigned_to_me_issues: Aktivnosti dodjeljene meni
452 452 label_last_login: Posljednja konekcija
453 453 label_registered_on: Registrovan na
454 454 label_activity_plural: Promjene
455 455 label_activity: Operacija
456 456 label_overall_activity: Pregled svih promjena
457 457 label_user_activity: "Promjene izvršene od: %{value}"
458 458 label_new: Novi
459 459 label_logged_as: Prijavljen kao
460 460 label_environment: Sistemsko okruženje
461 461 label_authentication: Authentifikacija
462 462 label_auth_source: Mod authentifikacije
463 463 label_auth_source_new: Novi mod authentifikacije
464 464 label_auth_source_plural: Modovi authentifikacije
465 465 label_subproject_plural: Podprojekti
466 466 label_and_its_subprojects: "%{value} i njegovi podprojekti"
467 467 label_min_max_length: Min - Maks dužina
468 468 label_list: Lista
469 469 label_date: Datum
470 470 label_integer: Cijeli broj
471 471 label_float: Float
472 472 label_boolean: Logička varijabla
473 473 label_string: Tekst
474 474 label_text: Dugi tekst
475 475 label_attribute: Atribut
476 476 label_attribute_plural: Atributi
477 477 label_no_data: Nema podataka za prikaz
478 478 label_change_status: Promjeni status
479 479 label_history: Istorija
480 480 label_attachment: Fajl
481 481 label_attachment_new: Novi fajl
482 482 label_attachment_delete: Izbriši fajl
483 483 label_attachment_plural: Fajlovi
484 484 label_file_added: Fajl je dodan
485 485 label_report: Izvještaj
486 486 label_report_plural: Izvještaji
487 487 label_news: Novosti
488 488 label_news_new: Dodaj novosti
489 489 label_news_plural: Novosti
490 490 label_news_latest: Posljednje novosti
491 491 label_news_view_all: Pogledaj sve novosti
492 492 label_news_added: Novosti su dodane
493 493 label_settings: Postavke
494 494 label_overview: Pregled
495 495 label_version: Verzija
496 496 label_version_new: Nova verzija
497 497 label_version_plural: Verzije
498 498 label_confirmation: Potvrda
499 499 label_export_to: 'Takođe dostupno u:'
500 500 label_read: Čitaj...
501 501 label_public_projects: Javni projekti
502 502 label_open_issues: otvoren
503 503 label_open_issues_plural: otvoreni
504 504 label_closed_issues: zatvoren
505 505 label_closed_issues_plural: zatvoreni
506 506 label_x_open_issues_abbr_on_total:
507 507 zero: 0 otvoreno / %{total}
508 508 one: 1 otvorena / %{total}
509 509 other: "%{count} otvorene / %{total}"
510 510 label_x_open_issues_abbr:
511 511 zero: 0 otvoreno
512 512 one: 1 otvorena
513 513 other: "%{count} otvorene"
514 514 label_x_closed_issues_abbr:
515 515 zero: 0 zatvoreno
516 516 one: 1 zatvorena
517 517 other: "%{count} zatvorene"
518 518 label_total: Ukupno
519 519 label_permissions: Dozvole
520 520 label_current_status: Tekući status
521 521 label_new_statuses_allowed: Novi statusi dozvoljeni
522 522 label_all: sve
523 523 label_none: ništa
524 524 label_nobody: niko
525 525 label_next: Sljedeće
526 526 label_previous: Predhodno
527 527 label_used_by: Korišteno od
528 528 label_details: Detalji
529 529 label_add_note: Dodaj bilješku
530 530 label_calendar: Kalendar
531 531 label_months_from: mjeseci od
532 532 label_gantt: Gantt
533 533 label_internal: Interno
534 534 label_last_changes: "posljednjih %{count} promjena"
535 535 label_change_view_all: Vidi sve promjene
536 536 label_personalize_page: Personaliziraj ovu stranicu
537 537 label_comment: Komentar
538 538 label_comment_plural: Komentari
539 539 label_x_comments:
540 540 zero: bez komentara
541 541 one: 1 komentar
542 542 other: "%{count} komentari"
543 543 label_comment_add: Dodaj komentar
544 544 label_comment_added: Komentar je dodan
545 545 label_comment_delete: Izbriši komentar
546 546 label_query: Proizvoljan upit
547 547 label_query_plural: Proizvoljni upiti
548 548 label_query_new: Novi upit
549 549 label_filter_add: Dodaj filter
550 550 label_filter_plural: Filteri
551 551 label_equals: je
552 552 label_not_equals: nije
553 553 label_in_less_than: je manji nego
554 554 label_in_more_than: je više nego
555 555 label_in: u
556 556 label_today: danas
557 557 label_all_time: sve vrijeme
558 558 label_yesterday: juče
559 559 label_this_week: ova hefta
560 560 label_last_week: zadnja hefta
561 561 label_last_n_days: "posljednjih %{count} dana"
562 562 label_this_month: ovaj mjesec
563 563 label_last_month: posljednji mjesec
564 564 label_this_year: ova godina
565 565 label_date_range: Datumski opseg
566 566 label_less_than_ago: ranije nego (dana)
567 567 label_more_than_ago: starije nego (dana)
568 568 label_ago: prije (dana)
569 569 label_contains: sadrži
570 570 label_not_contains: ne sadrži
571 571 label_day_plural: dani
572 572 label_repository: Repozitorij
573 573 label_repository_plural: Repozitoriji
574 574 label_browse: Listaj
575 575 label_revision: Revizija
576 576 label_revision_plural: Revizije
577 577 label_associated_revisions: Doddjeljene revizije
578 578 label_added: dodano
579 579 label_modified: izmjenjeno
580 580 label_copied: kopirano
581 581 label_renamed: preimenovano
582 582 label_deleted: izbrisano
583 583 label_latest_revision: Posljednja revizija
584 584 label_latest_revision_plural: Posljednje revizije
585 585 label_view_revisions: Vidi revizije
586 586 label_max_size: Maksimalna veličina
587 587 label_sort_highest: Pomjeri na vrh
588 588 label_sort_higher: Pomjeri gore
589 589 label_sort_lower: Pomjeri dole
590 590 label_sort_lowest: Pomjeri na dno
591 591 label_roadmap: Plan realizacije
592 592 label_roadmap_due_in: "Obavezan do %{value}"
593 593 label_roadmap_overdue: "%{value} kasni"
594 594 label_roadmap_no_issues: Nema aktivnosti za ovu verziju
595 595 label_search: Traži
596 596 label_result_plural: Rezultati
597 597 label_all_words: Sve riječi
598 598 label_wiki: Wiki stranice
599 599 label_wiki_edit: ispravka wiki-ja
600 600 label_wiki_edit_plural: ispravke wiki-ja
601 601 label_wiki_page: Wiki stranica
602 602 label_wiki_page_plural: Wiki stranice
603 603 label_index_by_title: Indeks prema naslovima
604 604 label_index_by_date: Indeks po datumima
605 605 label_current_version: Tekuća verzija
606 606 label_preview: Pregled
607 607 label_feed_plural: Feeds
608 608 label_changes_details: Detalji svih promjena
609 609 label_issue_tracking: Evidencija aktivnosti
610 610 label_spent_time: Utrošak vremena
611 611 label_f_hour: "%{value} sahat"
612 612 label_f_hour_plural: "%{value} sahata"
613 613 label_time_tracking: Evidencija vremena
614 614 label_change_plural: Promjene
615 615 label_statistics: Statistika
616 616 label_commits_per_month: '"Commit"-a po mjesecu'
617 617 label_commits_per_author: '"Commit"-a po autoru'
618 618 label_view_diff: Pregled razlika
619 619 label_diff_inline: zajedno
620 620 label_diff_side_by_side: jedna pored druge
621 621 label_options: Opcije
622 622 label_copy_workflow_from: Kopiraj tok promjena statusa iz
623 623 label_permissions_report: Izvještaj
624 624 label_watched_issues: Aktivnosti koje pratim
625 625 label_related_issues: Korelirane aktivnosti
626 626 label_applied_status: Status je primjenjen
627 627 label_loading: Učitavam...
628 628 label_relation_new: Nova relacija
629 629 label_relation_delete: Izbriši relaciju
630 630 label_relates_to: korelira sa
631 631 label_duplicates: duplikat
632 632 label_duplicated_by: duplicirano od
633 633 label_blocks: blokira
634 634 label_blocked_by: blokirano on
635 635 label_precedes: predhodi
636 636 label_follows: slijedi
637 637 label_end_to_start: 'kraj -> početak'
638 638 label_end_to_end: 'kraja -> kraj'
639 639 label_start_to_start: 'početak -> početak'
640 640 label_start_to_end: 'početak -> kraj'
641 641 label_stay_logged_in: Ostani prijavljen
642 642 label_disabled: onemogućen
643 643 label_show_completed_versions: Prikaži završene verzije
644 644 label_me: ja
645 645 label_board: Forum
646 646 label_board_new: Novi forum
647 647 label_board_plural: Forumi
648 648 label_topic_plural: Teme
649 649 label_message_plural: Poruke
650 650 label_message_last: Posljednja poruka
651 651 label_message_new: Nova poruka
652 652 label_message_posted: Poruka je dodana
653 653 label_reply_plural: Odgovori
654 654 label_send_information: Pošalji informaciju o korisničkom računu
655 655 label_year: Godina
656 656 label_month: Mjesec
657 657 label_week: Hefta
658 658 label_date_from: Od
659 659 label_date_to: Do
660 660 label_language_based: Bazirano na korisnikovom jeziku
661 661 label_sort_by: "Sortiraj po %{value}"
662 662 label_send_test_email: Pošalji testni email
663 663 label_feeds_access_key_created_on: "Atom pristupni ključ kreiran prije %{value} dana"
664 664 label_module_plural: Moduli
665 665 label_added_time_by: "Dodano od %{author} prije %{age}"
666 666 label_updated_time_by: "Izmjenjeno od %{author} prije %{age}"
667 667 label_updated_time: "Izmjenjeno prije %{value}"
668 668 label_jump_to_a_project: Skoči na projekat...
669 669 label_file_plural: Fajlovi
670 670 label_changeset_plural: Setovi promjena
671 671 label_default_columns: Podrazumjevane kolone
672 672 label_no_change_option: (Bez promjene)
673 673 label_bulk_edit_selected_issues: Ispravi odjednom odabrane aktivnosti
674 674 label_theme: Tema
675 675 label_default: Podrazumjevano
676 676 label_search_titles_only: Pretraži samo naslove
677 677 label_user_mail_option_all: "Za bilo koji događaj na svim mojim projektima"
678 678 label_user_mail_option_selected: "Za bilo koji događaj na odabranim projektima..."
679 679 label_user_mail_no_self_notified: "Ne želim notifikaciju za promjene koje sam ja napravio"
680 680 label_registration_activation_by_email: aktivacija korisničkog računa email-om
681 681 label_registration_manual_activation: ručna aktivacija korisničkog računa
682 682 label_registration_automatic_activation: automatska kreacija korisničkog računa
683 683 label_display_per_page: "Po stranici: %{value}"
684 684 label_age: Starost
685 685 label_change_properties: Promjena osobina
686 686 label_general: Generalno
687 687 label_more: Više
688 688 label_scm: SCM
689 689 label_plugins: Plugin-ovi
690 690 label_ldap_authentication: LDAP authentifikacija
691 691 label_downloads_abbr: D/L
692 692 label_optional_description: Opis (opciono)
693 693 label_add_another_file: Dodaj još jedan fajl
694 694 label_preferences: Postavke
695 695 label_chronological_order: Hronološki poredak
696 696 label_reverse_chronological_order: Reverzni hronološki poredak
697 697 label_planning: Planiranje
698 698 label_incoming_emails: Dolazni email-ovi
699 699 label_generate_key: Generiši ključ
700 700 label_issue_watchers: Praćeno od
701 701 label_example: Primjer
702 702 label_display: Prikaz
703 703
704 704 button_apply: Primjeni
705 705 button_add: Dodaj
706 706 button_archive: Arhiviranje
707 707 button_back: Nazad
708 708 button_cancel: Odustani
709 709 button_change: Izmjeni
710 710 button_change_password: Izmjena lozinke
711 711 button_check_all: Označi sve
712 712 button_clear: Briši
713 713 button_copy: Kopiraj
714 714 button_create: Novi
715 715 button_delete: Briši
716 716 button_download: Download
717 717 button_edit: Ispravka
718 718 button_list: Lista
719 719 button_lock: Zaključaj
720 720 button_log_time: Utrošak vremena
721 721 button_login: Prijava
722 722 button_move: Pomjeri
723 723 button_rename: Promjena imena
724 724 button_reply: Odgovor
725 725 button_reset: Resetuj
726 726 button_rollback: Vrati predhodno stanje
727 727 button_save: Snimi
728 728 button_sort: Sortiranje
729 729 button_submit: Pošalji
730 730 button_test: Testiraj
731 731 button_unarchive: Otpakuj arhivu
732 732 button_uncheck_all: Isključi sve
733 733 button_unlock: Otključaj
734 734 button_unwatch: Prekini notifikaciju
735 735 button_update: Promjena na aktivnosti
736 736 button_view: Pregled
737 737 button_watch: Notifikacija
738 738 button_configure: Konfiguracija
739 739 button_quote: Citat
740 740
741 741 status_active: aktivan
742 742 status_registered: registrovan
743 743 status_locked: zaključan
744 744
745 745 text_select_mail_notifications: Odaberi događaje za koje će se slati email notifikacija.
746 746 text_regexp_info: npr. ^[A-Z0-9]+$
747 747 text_min_max_length_info: 0 znači bez restrikcije
748 748 text_project_destroy_confirmation: Sigurno želite izbrisati ovaj projekat i njegove podatke ?
749 749 text_subprojects_destroy_warning: "Podprojekt(i): %{value} će takođe biti izbrisani."
750 750 text_workflow_edit: Odaberite ulogu i područje aktivnosti za ispravku toka promjena na aktivnosti
751 751 text_are_you_sure: Da li ste sigurni ?
752 752 text_tip_issue_begin_day: zadatak počinje danas
753 753 text_tip_issue_end_day: zadatak završava danas
754 754 text_tip_issue_begin_end_day: zadatak započinje i završava danas
755 755 text_caracters_maximum: "maksimum %{count} karaktera."
756 756 text_caracters_minimum: "Dužina mora biti najmanje %{count} znakova."
757 757 text_length_between: "Broj znakova između %{min} i %{max}."
758 758 text_tracker_no_workflow: Tok statusa nije definisan za ovo područje aktivnosti
759 759 text_unallowed_characters: Nedozvoljeni znakovi
760 760 text_comma_separated: Višestruke vrijednosti dozvoljene (odvojiti zarezom).
761 761 text_issues_ref_in_commit_messages: 'Referenciranje i zatvaranje aktivnosti putem "commit" poruka'
762 762 text_issue_added: "Aktivnost %{id} je prijavljena od %{author}."
763 763 text_issue_updated: "Aktivnost %{id} je izmjenjena od %{author}."
764 764 text_wiki_destroy_confirmation: Sigurno želite izbrisati ovaj wiki i čitav njegov sadržaj ?
765 765 text_issue_category_destroy_question: "Neke aktivnosti (%{count}) pripadaju ovoj kategoriji. Sigurno to želite uraditi ?"
766 766 text_issue_category_destroy_assignments: Ukloni kategoriju
767 767 text_issue_category_reassign_to: Ponovo dodijeli ovu kategoriju
768 768 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)."
769 769 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."
770 770 text_load_default_configuration: Učitaj tekuću konfiguraciju
771 771 text_status_changed_by_changeset: "Primjenjeno u setu promjena %{value}."
772 772 text_issues_destroy_confirmation: 'Sigurno želite izbrisati odabranu/e aktivnost/i ?'
773 773 text_select_project_modules: 'Odaberi module koje želite u ovom projektu:'
774 774 text_default_administrator_account_changed: Tekući administratorski račun je promjenjen
775 775 text_file_repository_writable: U direktorij sa fajlovima koji su prilozi se može pisati
776 776 text_plugin_assets_writable: U direktorij plugin-ova se može pisati
777 777 text_rmagick_available: RMagick je dostupan (opciono)
778 778 text_destroy_time_entries_question: "%{hours} sahata je prijavljeno na aktivnostima koje želite brisati. Želite li to učiniti ?"
779 779 text_destroy_time_entries: Izbriši prijavljeno vrijeme
780 780 text_assign_time_entries_to_project: Dodaj prijavljenoo vrijeme projektu
781 781 text_reassign_time_entries: 'Preraspodjeli prijavljeno vrijeme na ovu aktivnost:'
782 782 text_user_wrote: "%{value} je napisao/la:"
783 783 text_enumeration_destroy_question: "Za %{count} objekata je dodjeljenja ova vrijednost."
784 784 text_enumeration_category_reassign_to: 'Ponovo im dodjeli ovu vrijednost:'
785 785 text_email_delivery_not_configured: "Email dostava nije konfiguraisana, notifikacija je onemogućena.\nKonfiguriši SMTP server u config/configuration.yml i restartuj aplikaciju nakon toga."
786 786 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."
787 787 text_diff_truncated: '... Ovaj prikaz razlike je odsječen pošto premašuje maksimalnu veličinu za prikaz'
788 788 text_custom_field_possible_values_info: 'Jedna linija za svaku vrijednost'
789 789
790 790 default_role_manager: Menadžer
791 791 default_role_developer: Programer
792 792 default_role_reporter: Reporter
793 793 default_tracker_bug: Greška
794 794 default_tracker_feature: Nova funkcija
795 795 default_tracker_support: Podrška
796 796 default_issue_status_new: Novi
797 797 default_issue_status_in_progress: In Progress
798 798 default_issue_status_resolved: Riješen
799 799 default_issue_status_feedback: Čeka se povratna informacija
800 800 default_issue_status_closed: Zatvoren
801 801 default_issue_status_rejected: Odbijen
802 802 default_doc_category_user: Korisnička dokumentacija
803 803 default_doc_category_tech: Tehnička dokumentacija
804 804 default_priority_low: Nizak
805 805 default_priority_normal: Normalan
806 806 default_priority_high: Visok
807 807 default_priority_urgent: Urgentno
808 808 default_priority_immediate: Odmah
809 809 default_activity_design: Dizajn
810 810 default_activity_development: Programiranje
811 811
812 812 enumeration_issue_priorities: Prioritet aktivnosti
813 813 enumeration_doc_categories: Kategorije dokumenata
814 814 enumeration_activities: Operacije (utrošak vremena)
815 815 notice_unable_delete_version: Ne mogu izbrisati verziju.
816 816 button_create_and_continue: Kreiraj i nastavi
817 817 button_annotate: Zabilježi
818 818 button_activate: Aktiviraj
819 819 label_sort: Sortiranje
820 820 label_date_from_to: Od %{start} do %{end}
821 821 label_ascending: Rastuće
822 822 label_descending: Opadajuće
823 823 label_greater_or_equal: ">="
824 824 label_less_or_equal: <=
825 825 text_wiki_page_destroy_question: This page has %{descendants} child page(s) and descendant(s). What do you want to do?
826 826 text_wiki_page_reassign_children: Reassign child pages to this parent page
827 827 text_wiki_page_nullify_children: Keep child pages as root pages
828 828 text_wiki_page_destroy_children: Delete child pages and all their descendants
829 829 setting_password_min_length: Minimum password length
830 830 field_group_by: Group results by
831 831 mail_subject_wiki_content_updated: "'%{id}' wiki page has been updated"
832 832 label_wiki_content_added: Wiki page added
833 833 mail_subject_wiki_content_added: "'%{id}' wiki page has been added"
834 834 mail_body_wiki_content_added: The '%{id}' wiki page has been added by %{author}.
835 835 label_wiki_content_updated: Wiki page updated
836 836 mail_body_wiki_content_updated: The '%{id}' wiki page has been updated by %{author}.
837 837 permission_add_project: Create project
838 838 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
839 839 label_view_all_revisions: View all revisions
840 840 label_tag: Tag
841 841 label_branch: Branch
842 842 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
843 843 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
844 844 text_journal_changed: "%{label} changed from %{old} to %{new}"
845 845 text_journal_set_to: "%{label} set to %{value}"
846 846 text_journal_deleted: "%{label} deleted (%{old})"
847 847 label_group_plural: Groups
848 848 label_group: Group
849 849 label_group_new: New group
850 850 label_time_entry_plural: Spent time
851 851 text_journal_added: "%{label} %{value} added"
852 852 field_active: Active
853 853 enumeration_system_activity: System Activity
854 854 permission_delete_issue_watchers: Delete watchers
855 855 version_status_closed: closed
856 856 version_status_locked: locked
857 857 version_status_open: open
858 858 error_can_not_reopen_issue_on_closed_version: An issue assigned to a closed version can not be reopened
859 859 label_user_anonymous: Anonymous
860 860 button_move_and_follow: Move and follow
861 861 setting_default_projects_modules: Default enabled modules for new projects
862 862 setting_gravatar_default: Default Gravatar image
863 863 field_sharing: Sharing
864 864 label_version_sharing_hierarchy: With project hierarchy
865 865 label_version_sharing_system: With all projects
866 866 label_version_sharing_descendants: With subprojects
867 867 label_version_sharing_tree: With project tree
868 868 label_version_sharing_none: Not shared
869 869 error_can_not_archive_project: This project can not be archived
870 870 button_duplicate: Duplicate
871 871 button_copy_and_follow: Copy and follow
872 872 label_copy_source: Source
873 873 setting_issue_done_ratio: Calculate the issue done ratio with
874 874 setting_issue_done_ratio_issue_status: Use the issue status
875 875 error_issue_done_ratios_not_updated: Issue done ratios not updated.
876 876 error_workflow_copy_target: Please select target tracker(s) and role(s)
877 877 setting_issue_done_ratio_issue_field: Use the issue field
878 878 label_copy_same_as_target: Same as target
879 879 label_copy_target: Target
880 880 notice_issue_done_ratios_updated: Issue done ratios updated.
881 881 error_workflow_copy_source: Please select a source tracker or role
882 882 label_update_issue_done_ratios: Update issue done ratios
883 883 setting_start_of_week: Start calendars on
884 884 permission_view_issues: View Issues
885 885 label_display_used_statuses_only: Only display statuses that are used by this tracker
886 886 label_revision_id: Revision %{value}
887 887 label_api_access_key: API access key
888 888 label_api_access_key_created_on: API access key created %{value} ago
889 889 label_feeds_access_key: Atom access key
890 890 notice_api_access_key_reseted: Your API access key was reset.
891 891 setting_rest_api_enabled: Enable REST web service
892 892 label_missing_api_access_key: Missing an API access key
893 893 label_missing_feeds_access_key: Missing a Atom access key
894 894 button_show: Show
895 895 text_line_separated: Multiple values allowed (one line for each value).
896 896 setting_mail_handler_body_delimiters: Truncate emails after one of these lines
897 897 permission_add_subprojects: Create subprojects
898 898 label_subproject_new: New subproject
899 899 text_own_membership_delete_confirmation: |-
900 900 You are about to remove some or all of your permissions and may no longer be able to edit this project after that.
901 901 Are you sure you want to continue?
902 902 label_close_versions: Close completed versions
903 903 label_board_sticky: Sticky
904 904 label_board_locked: Locked
905 905 permission_export_wiki_pages: Export wiki pages
906 906 setting_cache_formatted_text: Cache formatted text
907 907 permission_manage_project_activities: Manage project activities
908 908 error_unable_delete_issue_status: Unable to delete issue status
909 909 label_profile: Profile
910 910 permission_manage_subtasks: Manage subtasks
911 911 field_parent_issue: Parent task
912 912 label_subtask_plural: Subtasks
913 913 label_project_copy_notifications: Send email notifications during the project copy
914 914 error_can_not_delete_custom_field: Unable to delete custom field
915 915 error_unable_to_connect: Unable to connect (%{value})
916 916 error_can_not_remove_role: This role is in use and can not be deleted.
917 917 error_can_not_delete_tracker: This tracker contains issues and cannot be deleted.
918 918 field_principal: Principal
919 919 label_my_page_block: My page block
920 920 notice_failed_to_save_members: "Failed to save member(s): %{errors}."
921 921 text_zoom_out: Zoom out
922 922 text_zoom_in: Zoom in
923 923 notice_unable_delete_time_entry: Unable to delete time log entry.
924 924 label_overall_spent_time: Overall spent time
925 925 field_time_entries: Log time
926 926 project_module_gantt: Gantt
927 927 project_module_calendar: Calendar
928 928 button_edit_associated_wikipage: "Edit associated Wiki page: %{page_title}"
929 929 field_text: Text field
930 930 label_user_mail_option_only_owner: Only for things I am the owner of
931 931 setting_default_notification_option: Default notification option
932 932 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
933 933 label_user_mail_option_only_assigned: Only for things I am assigned to
934 934 label_user_mail_option_none: No events
935 935 field_member_of_group: Assignee's group
936 936 field_assigned_to_role: Assignee's role
937 937 notice_not_authorized_archived_project: The project you're trying to access has been archived.
938 938 label_principal_search: "Search for user or group:"
939 939 label_user_search: "Search for user:"
940 940 field_visible: Visible
941 941 setting_commit_logtime_activity_id: Activity for logged time
942 942 text_time_logged_by_changeset: Applied in changeset %{value}.
943 943 setting_commit_logtime_enabled: Enable time logging
944 944 notice_gantt_chart_truncated: The chart was truncated because it exceeds the maximum number of items that can be displayed (%{max})
945 945 setting_gantt_items_limit: Maximum number of items displayed on the gantt chart
946 946 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
947 947 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
948 948 label_my_queries: My custom queries
949 949 text_journal_changed_no_detail: "%{label} updated"
950 950 label_news_comment_added: Comment added to a news
951 951 button_expand_all: Expand all
952 952 button_collapse_all: Collapse all
953 953 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
954 954 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
955 955 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
956 956 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
957 957 label_role_anonymous: Anonymous
958 958 label_role_non_member: Non member
959 959 label_issue_note_added: Note added
960 960 label_issue_status_updated: Status updated
961 961 label_issue_priority_updated: Priority updated
962 962 label_issues_visibility_own: Issues created by or assigned to the user
963 963 field_issues_visibility: Issues visibility
964 964 label_issues_visibility_all: All issues
965 965 permission_set_own_issues_private: Set own issues public or private
966 966 field_is_private: Private
967 967 permission_set_issues_private: Set issues public or private
968 968 label_issues_visibility_public: All non private issues
969 969 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
970 970 field_commit_logs_encoding: 'Enkodiranje "commit" poruka'
971 971 field_scm_path_encoding: Path encoding
972 972 text_scm_path_encoding_note: "Default: UTF-8"
973 973 field_path_to_repository: Path to repository
974 974 field_root_directory: Root directory
975 975 field_cvs_module: Module
976 976 field_cvsroot: CVSROOT
977 977 text_mercurial_repository_note: Local repository (e.g. /hgrepo, c:\hgrepo)
978 978 text_scm_command: Command
979 979 text_scm_command_version: Version
980 980 label_git_report_last_commit: Report last commit for files and directories
981 981 notice_issue_successful_create: Issue %{id} created.
982 982 label_between: between
983 983 setting_issue_group_assignment: Allow issue assignment to groups
984 984 label_diff: diff
985 985 text_git_repository_note: Repository is bare and local (e.g. /gitrepo, c:\gitrepo)
986 986 description_query_sort_criteria_direction: Sort direction
987 987 description_project_scope: Search scope
988 988 description_filter: Filter
989 989 description_user_mail_notification: Mail notification settings
990 990 description_date_from: Enter start date
991 991 description_message_content: Message content
992 992 description_available_columns: Available Columns
993 993 description_date_range_interval: Choose range by selecting start and end date
994 994 description_issue_category_reassign: Choose issue category
995 995 description_search: Searchfield
996 996 description_notes: Notes
997 997 description_date_range_list: Choose range from list
998 998 description_choose_project: Projects
999 999 description_date_to: Enter end date
1000 1000 description_query_sort_criteria_attribute: Sort attribute
1001 1001 description_wiki_subpages_reassign: Choose new parent page
1002 1002 description_selected_columns: Selected Columns
1003 1003 label_parent_revision: Parent
1004 1004 label_child_revision: Child
1005 1005 error_scm_annotate_big_text_file: The entry cannot be annotated, as it exceeds the maximum text file size.
1006 1006 setting_default_issue_start_date_to_creation_date: Use current date as start date for new issues
1007 1007 button_edit_section: Edit this section
1008 1008 setting_repositories_encodings: Attachments and repositories encodings
1009 1009 description_all_columns: All Columns
1010 1010 button_export: Export
1011 1011 label_export_options: "%{export_format} export options"
1012 1012 error_attachment_too_big: This file cannot be uploaded because it exceeds the maximum allowed file size (%{max_size})
1013 1013 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1014 1014 label_x_issues:
1015 1015 zero: 0 aktivnost
1016 1016 one: 1 aktivnost
1017 1017 other: "%{count} aktivnosti"
1018 1018 label_repository_new: New repository
1019 1019 field_repository_is_default: Main repository
1020 1020 label_copy_attachments: Copy attachments
1021 1021 label_item_position: "%{position}/%{count}"
1022 1022 label_completed_versions: Completed versions
1023 1023 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1024 1024 field_multiple: Multiple values
1025 1025 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1026 1026 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1027 1027 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1028 1028 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1029 1029 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1030 1030 permission_manage_related_issues: Manage related issues
1031 1031 field_auth_source_ldap_filter: LDAP filter
1032 1032 label_search_for_watchers: Search for watchers to add
1033 1033 notice_account_deleted: Your account has been permanently deleted.
1034 1034 setting_unsubscribe: Allow users to delete their own account
1035 1035 button_delete_my_account: Delete my account
1036 1036 text_account_destroy_confirmation: |-
1037 1037 Are you sure you want to proceed?
1038 1038 Your account will be permanently deleted, with no way to reactivate it.
1039 1039 error_session_expired: Your session has expired. Please login again.
1040 1040 text_session_expiration_settings: "Warning: changing these settings may expire the current sessions including yours."
1041 1041 setting_session_lifetime: Session maximum lifetime
1042 1042 setting_session_timeout: Session inactivity timeout
1043 1043 label_session_expiration: Session expiration
1044 1044 permission_close_project: Close / reopen the project
1045 1045 label_show_closed_projects: View closed projects
1046 1046 button_close: Close
1047 1047 button_reopen: Reopen
1048 1048 project_status_active: active
1049 1049 project_status_closed: closed
1050 1050 project_status_archived: archived
1051 1051 text_project_closed: This project is closed and read-only.
1052 1052 notice_user_successful_create: User %{id} created.
1053 1053 field_core_fields: Standard fields
1054 1054 field_timeout: Timeout (in seconds)
1055 1055 setting_thumbnails_enabled: Display attachment thumbnails
1056 1056 setting_thumbnails_size: Thumbnails size (in pixels)
1057 1057 label_status_transitions: Status transitions
1058 1058 label_fields_permissions: Fields permissions
1059 1059 label_readonly: Read-only
1060 1060 label_required: Required
1061 1061 text_repository_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1062 1062 field_board_parent: Parent forum
1063 1063 label_attribute_of_project: Project's %{name}
1064 1064 label_attribute_of_author: Author's %{name}
1065 1065 label_attribute_of_assigned_to: Assignee's %{name}
1066 1066 label_attribute_of_fixed_version: Target version's %{name}
1067 1067 label_copy_subtasks: Copy subtasks
1068 1068 label_copied_to: copied to
1069 1069 label_copied_from: copied from
1070 1070 label_any_issues_in_project: any issues in project
1071 1071 label_any_issues_not_in_project: any issues not in project
1072 1072 field_private_notes: Private notes
1073 1073 permission_view_private_notes: View private notes
1074 1074 permission_set_notes_private: Set notes as private
1075 1075 label_no_issues_in_project: no issues in project
1076 1076 label_any: sve
1077 1077 label_last_n_weeks: last %{count} weeks
1078 1078 setting_cross_project_subtasks: Allow cross-project subtasks
1079 1079 label_cross_project_descendants: With subprojects
1080 1080 label_cross_project_tree: With project tree
1081 1081 label_cross_project_hierarchy: With project hierarchy
1082 1082 label_cross_project_system: With all projects
1083 1083 button_hide: Hide
1084 1084 setting_non_working_week_days: Non-working days
1085 1085 label_in_the_next_days: in the next
1086 1086 label_in_the_past_days: in the past
1087 1087 label_attribute_of_user: User's %{name}
1088 1088 text_turning_multiple_off: If you disable multiple values, multiple values will be
1089 1089 removed in order to preserve only one value per item.
1090 1090 label_attribute_of_issue: Issue's %{name}
1091 1091 permission_add_documents: Add documents
1092 1092 permission_edit_documents: Edit documents
1093 1093 permission_delete_documents: Delete documents
1094 1094 label_gantt_progress_line: Progress line
1095 1095 setting_jsonp_enabled: Enable JSONP support
1096 1096 field_inherit_members: Inherit members
1097 1097 field_closed_on: Closed
1098 1098 field_generate_password: Generate password
1099 1099 setting_default_projects_tracker_ids: Default trackers for new projects
1100 1100 label_total_time: Ukupno
1101 1101 text_scm_config: You can configure your SCM commands in config/configuration.yml. Please restart the application after editing it.
1102 1102 text_scm_command_not_available: SCM command is not available. Please check settings on the administration panel.
1103 1103 setting_emails_header: Email header
1104 1104 notice_account_not_activated_yet: You haven't activated your account yet. If you want
1105 1105 to receive a new activation email, please <a href="%{url}">click this link</a>.
1106 1106 notice_account_locked: Your account is locked.
1107 1107 label_hidden: Hidden
1108 1108 label_visibility_private: to me only
1109 1109 label_visibility_roles: to these roles only
1110 1110 label_visibility_public: to any users
1111 1111 field_must_change_passwd: Must change password at next logon
1112 1112 notice_new_password_must_be_different: The new password must be different from the
1113 1113 current password
1114 1114 setting_mail_handler_excluded_filenames: Exclude attachments by name
1115 1115 text_convert_available: ImageMagick convert available (optional)
1116 1116 label_link: Link
1117 1117 label_only: only
1118 1118 label_drop_down_list: drop-down list
1119 1119 label_checkboxes: checkboxes
1120 1120 label_link_values_to: Link values to URL
1121 1121 setting_force_default_language_for_anonymous: Force default language for anonymous
1122 1122 users
1123 1123 setting_force_default_language_for_loggedin: Force default language for logged-in
1124 1124 users
1125 1125 label_custom_field_select_type: Select the type of object to which the custom field
1126 1126 is to be attached
1127 1127 label_issue_assigned_to_updated: Assignee updated
1128 1128 label_check_for_updates: Check for updates
1129 1129 label_latest_compatible_version: Latest compatible version
1130 1130 label_unknown_plugin: Unknown plugin
1131 1131 label_radio_buttons: radio buttons
1132 1132 label_group_anonymous: Anonymous users
1133 1133 label_group_non_member: Non member users
1134 1134 label_add_projects: Add projects
1135 1135 field_default_status: Default status
1136 1136 text_subversion_repository_note: 'Examples: file:///, http://, https://, svn://, svn+[tunnelscheme]://'
1137 1137 field_users_visibility: Users visibility
1138 1138 label_users_visibility_all: All active users
1139 1139 label_users_visibility_members_of_visible_projects: Members of visible projects
1140 1140 label_edit_attachments: Edit attached files
1141 1141 setting_link_copied_issue: Link issues on copy
1142 1142 label_link_copied_issue: Link copied issue
1143 1143 label_ask: Ask
1144 1144 label_search_attachments_yes: Search attachment filenames and descriptions
1145 1145 label_search_attachments_no: Do not search attachments
1146 1146 label_search_attachments_only: Search attachments only
1147 1147 label_search_open_issues_only: Open issues only
1148 1148 field_address: Email
1149 1149 setting_max_additional_emails: Maximum number of additional email addresses
1150 1150 label_email_address_plural: Emails
1151 1151 label_email_address_add: Add email address
1152 1152 label_enable_notifications: Enable notifications
1153 1153 label_disable_notifications: Disable notifications
1154 1154 setting_search_results_per_page: Search results per page
1155 1155 label_blank_value: blank
1156 1156 permission_copy_issues: Copy issues
1157 1157 error_password_expired: Your password has expired or the administrator requires you
1158 1158 to change it.
1159 1159 field_time_entries_visibility: Time logs visibility
1160 1160 setting_password_max_age: Require password change after
1161 1161 label_parent_task_attributes: Parent tasks attributes
1162 1162 label_parent_task_attributes_derived: Calculated from subtasks
1163 1163 label_parent_task_attributes_independent: Independent of subtasks
1164 1164 label_time_entries_visibility_all: All time entries
1165 1165 label_time_entries_visibility_own: Time entries created by the user
1166 1166 label_member_management: Member management
1167 1167 label_member_management_all_roles: All roles
1168 1168 label_member_management_selected_roles_only: Only these roles
1169 1169 label_password_required: Confirm your password to continue
1170 1170 label_total_spent_time: Overall spent time
1171 1171 notice_import_finished: All %{count} items have been imported.
1172 1172 notice_import_finished_with_errors: ! '%{count} out of %{total} items could not be
1173 1173 imported.'
1174 1174 error_invalid_file_encoding: The file is not a valid %{encoding} encoded file
1175 1175 error_invalid_csv_file_or_settings: The file is not a CSV file or does not match the
1176 1176 settings below
1177 1177 error_can_not_read_import_file: An error occurred while reading the file to import
1178 1178 permission_import_issues: Import issues
1179 1179 label_import_issues: Import issues
1180 1180 label_select_file_to_import: Select the file to import
1181 1181 label_fields_separator: Field separator
1182 1182 label_fields_wrapper: Field wrapper
1183 1183 label_encoding: Encoding
1184 label_coma_char: Coma
1184 label_comma_char: Comma
1185 1185 label_semi_colon_char: Semi colon
1186 1186 label_quote_char: Quote
1187 1187 label_double_quote_char: Double quote
1188 1188 label_fields_mapping: Fields mapping
1189 1189 label_file_content_preview: File content preview
1190 1190 label_create_missing_values: Create missing values
1191 1191 button_import: Import
1192 1192 field_total_estimated_hours: Total estimated time
1193 1193 label_api: API
1194 1194 label_total_plural: Totals
@@ -1,1183 +1,1183
1 1 # Redmine catalan translation:
2 2 # by Joan Duran
3 3
4 4 ca:
5 5 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
6 6 direction: ltr
7 7 date:
8 8 formats:
9 9 # Use the strftime parameters for formats.
10 10 # When no format has been given, it uses default.
11 11 # You can provide other formats here if you like!
12 12 default: "%d-%m-%Y"
13 13 short: "%e de %b"
14 14 long: "%a, %e de %b de %Y"
15 15
16 16 day_names: [Diumenge, Dilluns, Dimarts, Dimecres, Dijous, Divendres, Dissabte]
17 17 abbr_day_names: [dg, dl, dt, dc, dj, dv, ds]
18 18
19 19 # Don't forget the nil at the beginning; there's no such thing as a 0th month
20 20 month_names: [~, Gener, Febrer, Març, Abril, Maig, Juny, Juliol, Agost, Setembre, Octubre, Novembre, Desembre]
21 21 abbr_month_names: [~, Gen, Feb, Mar, Abr, Mai, Jun, Jul, Ago, Set, Oct, Nov, Des]
22 22 # Used in date_select and datime_select.
23 23 order:
24 24 - :year
25 25 - :month
26 26 - :day
27 27
28 28 time:
29 29 formats:
30 30 default: "%d-%m-%Y %H:%M"
31 31 time: "%H:%M"
32 32 short: "%e de %b, %H:%M"
33 33 long: "%a, %e de %b de %Y, %H:%M"
34 34 am: "am"
35 35 pm: "pm"
36 36
37 37 datetime:
38 38 distance_in_words:
39 39 half_a_minute: "mig minut"
40 40 less_than_x_seconds:
41 41 one: "menys d'un segon"
42 42 other: "menys de %{count} segons"
43 43 x_seconds:
44 44 one: "1 segons"
45 45 other: "%{count} segons"
46 46 less_than_x_minutes:
47 47 one: "menys d'un minut"
48 48 other: "menys de %{count} minuts"
49 49 x_minutes:
50 50 one: "1 minut"
51 51 other: "%{count} minuts"
52 52 about_x_hours:
53 53 one: "aproximadament 1 hora"
54 54 other: "aproximadament %{count} hores"
55 55 x_hours:
56 56 one: "1 hora"
57 57 other: "%{count} hores"
58 58 x_days:
59 59 one: "1 dia"
60 60 other: "%{count} dies"
61 61 about_x_months:
62 62 one: "aproximadament 1 mes"
63 63 other: "aproximadament %{count} mesos"
64 64 x_months:
65 65 one: "1 mes"
66 66 other: "%{count} mesos"
67 67 about_x_years:
68 68 one: "aproximadament 1 any"
69 69 other: "aproximadament %{count} anys"
70 70 over_x_years:
71 71 one: "més d'un any"
72 72 other: "més de %{count} anys"
73 73 almost_x_years:
74 74 one: "almost 1 year"
75 75 other: "almost %{count} years"
76 76
77 77 number:
78 78 # Default format for numbers
79 79 format:
80 80 separator: "."
81 81 delimiter: ""
82 82 precision: 3
83 83 human:
84 84 format:
85 85 delimiter: ""
86 86 precision: 3
87 87 storage_units:
88 88 format: "%n %u"
89 89 units:
90 90 byte:
91 91 one: "Byte"
92 92 other: "Bytes"
93 93 kb: "KB"
94 94 mb: "MB"
95 95 gb: "GB"
96 96 tb: "TB"
97 97
98 98 # Used in array.to_sentence.
99 99 support:
100 100 array:
101 101 sentence_connector: "i"
102 102 skip_last_comma: false
103 103
104 104 activerecord:
105 105 errors:
106 106 template:
107 107 header:
108 108 one: "1 error prohibited this %{model} from being saved"
109 109 other: "%{count} errors prohibited this %{model} from being saved"
110 110 messages:
111 111 inclusion: "no està inclòs a la llista"
112 112 exclusion: "està reservat"
113 113 invalid: "no és vàlid"
114 114 confirmation: "la confirmació no coincideix"
115 115 accepted: "s'ha d'acceptar"
116 116 empty: "no pot estar buit"
117 117 blank: "no pot estar en blanc"
118 118 too_long: "és massa llarg"
119 119 too_short: "és massa curt"
120 120 wrong_length: "la longitud és incorrecta"
121 121 taken: "ja s'està utilitzant"
122 122 not_a_number: "no és un número"
123 123 not_a_date: "no és una data vàlida"
124 124 greater_than: "ha de ser més gran que %{count}"
125 125 greater_than_or_equal_to: "ha de ser més gran o igual a %{count}"
126 126 equal_to: "ha de ser igual a %{count}"
127 127 less_than: "ha de ser menys que %{count}"
128 128 less_than_or_equal_to: "ha de ser menys o igual a %{count}"
129 129 odd: "ha de ser senar"
130 130 even: "ha de ser parell"
131 131 greater_than_start_date: "ha de ser superior que la data inicial"
132 132 not_same_project: "no pertany al mateix projecte"
133 133 circular_dependency: "Aquesta relació crearia una dependència circular"
134 134 cant_link_an_issue_with_a_descendant: "Un assumpte no es pot enllaçar a una de les seves subtasques"
135 135 earlier_than_minimum_start_date: "cannot be earlier than %{date} because of preceding issues"
136 136
137 137 actionview_instancetag_blank_option: Seleccioneu
138 138
139 139 general_text_No: 'No'
140 140 general_text_Yes: 'Si'
141 141 general_text_no: 'no'
142 142 general_text_yes: 'si'
143 143 general_lang_name: 'Catalan (Català)'
144 144 general_csv_separator: ';'
145 145 general_csv_decimal_separator: ','
146 146 general_csv_encoding: ISO-8859-15
147 147 general_pdf_fontname: freesans
148 148 general_first_day_of_week: '1'
149 149
150 150 notice_account_updated: "El compte s'ha actualitzat correctament."
151 151 notice_account_invalid_creditentials: Usuari o contrasenya invàlid
152 152 notice_account_password_updated: "La contrasenya s'ha modificat correctament."
153 153 notice_account_wrong_password: Contrasenya incorrecta
154 154 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."
155 155 notice_account_unknown_email: Usuari desconegut.
156 156 notice_can_t_change_password: "Aquest compte utilitza una font d'autenticació externa. No és possible canviar la contrasenya."
157 157 notice_account_lost_email_sent: "S'ha enviat un correu electrònic amb instruccions per a seleccionar una contrasenya nova."
158 158 notice_account_activated: "El compte s'ha activat. Ara podeu entrar."
159 159 notice_successful_create: "S'ha creat correctament."
160 160 notice_successful_update: "S'ha modificat correctament."
161 161 notice_successful_delete: "S'ha suprimit correctament."
162 162 notice_successful_connection: "S'ha connectat correctament."
163 163 notice_file_not_found: "La pàgina a la que intenteu accedir no existeix o s'ha suprimit."
164 164 notice_locking_conflict: Un altre usuari ha actualitzat les dades.
165 165 notice_not_authorized: No teniu permís per a accedir a aquesta pàgina.
166 166 notice_email_sent: "S'ha enviat un correu electrònic a %{value}"
167 167 notice_email_error: "S'ha produït un error en enviar el correu (%{value})"
168 168 notice_feeds_access_key_reseted: "S'ha reiniciat la clau d'accés del Atom."
169 169 notice_api_access_key_reseted: "S'ha reiniciat la clau d'accés a l'API."
170 170 notice_failed_to_save_issues: "No s'han pogut desar %{count} assumptes de %{total} seleccionats: %{ids}."
171 171 notice_failed_to_save_members: "No s'han pogut desar els membres: %{errors}."
172 172 notice_no_issue_selected: "No s'ha seleccionat cap assumpte. Activeu els assumptes que voleu editar."
173 173 notice_account_pending: "S'ha creat el compte i ara està pendent de l'aprovació de l'administrador."
174 174 notice_default_data_loaded: "S'ha carregat correctament la configuració predeterminada."
175 175 notice_unable_delete_version: "No s'ha pogut suprimir la versió."
176 176 notice_unable_delete_time_entry: "No s'ha pogut suprimir l'entrada del registre de temps."
177 177 notice_issue_done_ratios_updated: "S'ha actualitzat el tant per cent dels assumptes."
178 178
179 179 error_can_t_load_default_data: "No s'ha pogut carregar la configuració predeterminada: %{value} "
180 180 error_scm_not_found: "No s'ha trobat l'entrada o la revisió en el dipòsit."
181 181 error_scm_command_failed: "S'ha produït un error en intentar accedir al dipòsit: %{value}"
182 182 error_scm_annotate: "L'entrada no existeix o no s'ha pogut anotar."
183 183 error_issue_not_found_in_project: "No s'ha trobat l'assumpte o no pertany a aquest projecte"
184 184 error_no_tracker_in_project: "Aquest projecte no seguidor associat. Comproveu els paràmetres del projecte."
185 185 error_no_default_issue_status: "No s'ha definit cap estat d'assumpte predeterminat. Comproveu la configuració (aneu a «Administració -> Estats de l'assumpte»)."
186 186 error_can_not_delete_custom_field: "No s'ha pogut suprimir el camp personalitat"
187 187 error_can_not_delete_tracker: "Aquest seguidor conté assumptes i no es pot suprimir."
188 188 error_can_not_remove_role: "Aquest rol s'està utilitzant i no es pot suprimir."
189 189 error_can_not_reopen_issue_on_closed_version: "Un assumpte assignat a una versió tancada no es pot tornar a obrir"
190 190 error_can_not_archive_project: "Aquest projecte no es pot arxivar"
191 191 error_issue_done_ratios_not_updated: "No s'ha actualitza el tant per cent dels assumptes."
192 192 error_workflow_copy_source: "Seleccioneu un seguidor o rol font"
193 193 error_workflow_copy_target: "Seleccioneu seguidors i rols objectiu"
194 194 error_unable_delete_issue_status: "No s'ha pogut suprimir l'estat de l'assumpte"
195 195 error_unable_to_connect: "No s'ha pogut connectar (%{value})"
196 196 warning_attachments_not_saved: "No s'han pogut desar %{count} fitxers."
197 197
198 198 mail_subject_lost_password: "Contrasenya de %{value}"
199 199 mail_body_lost_password: "Per a canviar la contrasenya, feu clic en l'enllaç següent:"
200 200 mail_subject_register: "Activació del compte de %{value}"
201 201 mail_body_register: "Per a activar el compte, feu clic en l'enllaç següent:"
202 202 mail_body_account_information_external: "Podeu utilitzar el compte «%{value}» per a entrar."
203 203 mail_body_account_information: Informació del compte
204 204 mail_subject_account_activation_request: "Sol·licitud d'activació del compte de %{value}"
205 205 mail_body_account_activation_request: "S'ha registrat un usuari nou (%{value}). El seu compte està pendent d'aprovació:"
206 206 mail_subject_reminder: "%{count} assumptes venceran els següents %{days} dies"
207 207 mail_body_reminder: "%{count} assumptes que teniu assignades venceran els següents %{days} dies:"
208 208 mail_subject_wiki_content_added: "S'ha afegit la pàgina wiki «%{id}»"
209 209 mail_body_wiki_content_added: "En %{author} ha afegit la pàgina wiki «%{id}»."
210 210 mail_subject_wiki_content_updated: "S'ha actualitzat la pàgina wiki «%{id}»"
211 211 mail_body_wiki_content_updated: "En %{author} ha actualitzat la pàgina wiki «%{id}»."
212 212
213 213
214 214 field_name: Nom
215 215 field_description: Descripció
216 216 field_summary: Resum
217 217 field_is_required: Necessari
218 218 field_firstname: Nom
219 219 field_lastname: Cognom
220 220 field_mail: Correu electrònic
221 221 field_filename: Fitxer
222 222 field_filesize: Mida
223 223 field_downloads: Baixades
224 224 field_author: Autor
225 225 field_created_on: Creat
226 226 field_updated_on: Actualitzat
227 227 field_field_format: Format
228 228 field_is_for_all: Per a tots els projectes
229 229 field_possible_values: Valores possibles
230 230 field_regexp: Expressió regular
231 231 field_min_length: Longitud mínima
232 232 field_max_length: Longitud màxima
233 233 field_value: Valor
234 234 field_category: Categoria
235 235 field_title: Títol
236 236 field_project: Projecte
237 237 field_issue: Assumpte
238 238 field_status: Estat
239 239 field_notes: Notes
240 240 field_is_closed: Assumpte tancat
241 241 field_is_default: Estat predeterminat
242 242 field_tracker: Seguidor
243 243 field_subject: Tema
244 244 field_due_date: Data de venciment
245 245 field_assigned_to: Assignat a
246 246 field_priority: Prioritat
247 247 field_fixed_version: Versió objectiu
248 248 field_user: Usuari
249 249 field_principal: Principal
250 250 field_role: Rol
251 251 field_homepage: Pàgina web
252 252 field_is_public: Públic
253 253 field_parent: Subprojecte de
254 254 field_is_in_roadmap: Assumptes mostrats en la planificació
255 255 field_login: Entrada
256 256 field_mail_notification: Notificacions per correu electrònic
257 257 field_admin: Administrador
258 258 field_last_login_on: Última connexió
259 259 field_language: Idioma
260 260 field_effective_date: Data
261 261 field_password: Contrasenya
262 262 field_new_password: Contrasenya nova
263 263 field_password_confirmation: Confirmació
264 264 field_version: Versió
265 265 field_type: Tipus
266 266 field_host: Ordinador
267 267 field_port: Port
268 268 field_account: Compte
269 269 field_base_dn: Base DN
270 270 field_attr_login: "Atribut d'entrada"
271 271 field_attr_firstname: Atribut del nom
272 272 field_attr_lastname: Atribut del cognom
273 273 field_attr_mail: Atribut del correu electrònic
274 274 field_onthefly: "Creació de l'usuari «al vol»"
275 275 field_start_date: Inici
276 276 field_done_ratio: "% realitzat"
277 277 field_auth_source: "Mode d'autenticació"
278 278 field_hide_mail: "Oculta l'adreça de correu electrònic"
279 279 field_comments: Comentari
280 280 field_url: URL
281 281 field_start_page: Pàgina inicial
282 282 field_subproject: Subprojecte
283 283 field_hours: Hores
284 284 field_activity: Activitat
285 285 field_spent_on: Data
286 286 field_identifier: Identificador
287 287 field_is_filter: "S'ha utilitzat com a filtre"
288 288 field_issue_to: Assumpte relacionat
289 289 field_delay: Retard
290 290 field_assignable: Es poden assignar assumptes a aquest rol
291 291 field_redirect_existing_links: Redirigeix els enllaços existents
292 292 field_estimated_hours: Temps previst
293 293 field_column_names: Columnes
294 294 field_time_entries: "Registre de temps"
295 295 field_time_zone: Zona horària
296 296 field_searchable: Es pot cercar
297 297 field_default_value: Valor predeterminat
298 298 field_comments_sorting: Mostra els comentaris
299 299 field_parent_title: Pàgina pare
300 300 field_editable: Es pot editar
301 301 field_watcher: Vigilància
302 302 field_identity_url: URL OpenID
303 303 field_content: Contingut
304 304 field_group_by: "Agrupa els resultats per"
305 305 field_sharing: Compartició
306 306 field_parent_issue: "Tasca pare"
307 307
308 308 setting_app_title: "Títol de l'aplicació"
309 309 setting_app_subtitle: "Subtítol de l'aplicació"
310 310 setting_welcome_text: Text de benvinguda
311 311 setting_default_language: Idioma predeterminat
312 312 setting_login_required: Es necessita autenticació
313 313 setting_self_registration: Registre automàtic
314 314 setting_attachment_max_size: Mida màxima dels adjunts
315 315 setting_issues_export_limit: "Límit d'exportació d'assumptes"
316 316 setting_mail_from: "Adreça de correu electrònic d'emissió"
317 317 setting_bcc_recipients: Vincula els destinataris de les còpies amb carbó (bcc)
318 318 setting_plain_text_mail: només text pla (no HTML)
319 319 setting_host_name: "Nom de l'ordinador"
320 320 setting_text_formatting: Format del text
321 321 setting_wiki_compression: "Comprimeix l'historial del wiki"
322 322 setting_feeds_limit: Límit de contingut del canal
323 323 setting_default_projects_public: Els projectes nous són públics per defecte
324 324 setting_autofetch_changesets: Omple automàticament les publicacions
325 325 setting_sys_api_enabled: Habilita el WS per a la gestió del dipòsit
326 326 setting_commit_ref_keywords: Paraules claus per a la referència
327 327 setting_commit_fix_keywords: Paraules claus per a la correcció
328 328 setting_autologin: Entrada automàtica
329 329 setting_date_format: Format de la data
330 330 setting_time_format: Format de hora
331 331 setting_cross_project_issue_relations: "Permet les relacions d'assumptes entre projectes"
332 332 setting_issue_list_default_columns: "Columnes mostrades per defecte en la llista d'assumptes"
333 333 setting_emails_footer: Peu dels correus electrònics
334 334 setting_protocol: Protocol
335 335 setting_per_page_options: Opcions dels objectes per pàgina
336 336 setting_user_format: "Format de com mostrar l'usuari"
337 337 setting_activity_days_default: "Dies a mostrar l'activitat del projecte"
338 338 setting_display_subprojects_issues: "Mostra els assumptes d'un subprojecte en el projecte pare per defecte"
339 339 setting_enabled_scm: "Habilita l'SCM"
340 340 setting_mail_handler_body_delimiters: "Trunca els correus electrònics després d'una d'aquestes línies"
341 341 setting_mail_handler_api_enabled: "Habilita el WS per correus electrònics d'entrada"
342 342 setting_mail_handler_api_key: Clau API
343 343 setting_sequential_project_identifiers: Genera identificadors de projecte seqüencials
344 344 setting_gravatar_enabled: "Utilitza les icones d'usuari Gravatar"
345 345 setting_gravatar_default: "Imatge Gravatar predeterminada"
346 346 setting_diff_max_lines_displayed: Número màxim de línies amb diferències mostrades
347 347 setting_file_max_size_displayed: Mida màxima dels fitxers de text mostrats en línia
348 348 setting_repository_log_display_limit: Número màxim de revisions que es mostren al registre de fitxers
349 349 setting_openid: "Permet entrar i registrar-se amb l'OpenID"
350 350 setting_password_min_length: "Longitud mínima de la contrasenya"
351 351 setting_new_project_user_role_id: "Aquest rol es dóna a un usuari no administrador per a crear projectes"
352 352 setting_default_projects_modules: "Mòduls activats per defecte en els projectes nous"
353 353 setting_issue_done_ratio: "Calcula tant per cent realitzat de l'assumpte amb"
354 354 setting_issue_done_ratio_issue_status: "Utilitza l'estat de l'assumpte"
355 355 setting_issue_done_ratio_issue_field: "Utilitza el camp de l'assumpte"
356 356 setting_start_of_week: "Inicia les setmanes en"
357 357 setting_rest_api_enabled: "Habilita el servei web REST"
358 358 setting_cache_formatted_text: Cache formatted text
359 359
360 360 permission_add_project: "Crea projectes"
361 361 permission_add_subprojects: "Crea subprojectes"
362 362 permission_edit_project: Edita el projecte
363 363 permission_select_project_modules: Selecciona els mòduls del projecte
364 364 permission_manage_members: Gestiona els membres
365 365 permission_manage_project_activities: "Gestiona les activitats del projecte"
366 366 permission_manage_versions: Gestiona les versions
367 367 permission_manage_categories: Gestiona les categories dels assumptes
368 368 permission_view_issues: "Visualitza els assumptes"
369 369 permission_add_issues: Afegeix assumptes
370 370 permission_edit_issues: Edita els assumptes
371 371 permission_manage_issue_relations: Gestiona les relacions dels assumptes
372 372 permission_add_issue_notes: Afegeix notes
373 373 permission_edit_issue_notes: Edita les notes
374 374 permission_edit_own_issue_notes: Edita les notes pròpies
375 375 permission_move_issues: Mou els assumptes
376 376 permission_delete_issues: Suprimeix els assumptes
377 377 permission_manage_public_queries: Gestiona les consultes públiques
378 378 permission_save_queries: Desa les consultes
379 379 permission_view_gantt: Visualitza la gràfica de Gantt
380 380 permission_view_calendar: Visualitza el calendari
381 381 permission_view_issue_watchers: Visualitza la llista de vigilàncies
382 382 permission_add_issue_watchers: Afegeix vigilàncies
383 383 permission_delete_issue_watchers: Suprimeix els vigilants
384 384 permission_log_time: Registra el temps invertit
385 385 permission_view_time_entries: Visualitza el temps invertit
386 386 permission_edit_time_entries: Edita els registres de temps
387 387 permission_edit_own_time_entries: Edita els registres de temps propis
388 388 permission_manage_news: Gestiona les noticies
389 389 permission_comment_news: Comenta les noticies
390 390 permission_view_documents: Visualitza els documents
391 391 permission_manage_files: Gestiona els fitxers
392 392 permission_view_files: Visualitza els fitxers
393 393 permission_manage_wiki: Gestiona el wiki
394 394 permission_rename_wiki_pages: Canvia el nom de les pàgines wiki
395 395 permission_delete_wiki_pages: Suprimeix les pàgines wiki
396 396 permission_view_wiki_pages: Visualitza el wiki
397 397 permission_view_wiki_edits: "Visualitza l'historial del wiki"
398 398 permission_edit_wiki_pages: Edita les pàgines wiki
399 399 permission_delete_wiki_pages_attachments: Suprimeix adjunts
400 400 permission_protect_wiki_pages: Protegeix les pàgines wiki
401 401 permission_manage_repository: Gestiona el dipòsit
402 402 permission_browse_repository: Navega pel dipòsit
403 403 permission_view_changesets: Visualitza els canvis realitzats
404 404 permission_commit_access: Accés a les publicacions
405 405 permission_manage_boards: Gestiona els taulers
406 406 permission_view_messages: Visualitza els missatges
407 407 permission_add_messages: Envia missatges
408 408 permission_edit_messages: Edita els missatges
409 409 permission_edit_own_messages: Edita els missatges propis
410 410 permission_delete_messages: Suprimeix els missatges
411 411 permission_delete_own_messages: Suprimeix els missatges propis
412 412 permission_export_wiki_pages: "Exporta les pàgines wiki"
413 413 permission_manage_subtasks: "Gestiona subtasques"
414 414
415 415 project_module_issue_tracking: "Seguidor d'assumptes"
416 416 project_module_time_tracking: Seguidor de temps
417 417 project_module_news: Noticies
418 418 project_module_documents: Documents
419 419 project_module_files: Fitxers
420 420 project_module_wiki: Wiki
421 421 project_module_repository: Dipòsit
422 422 project_module_boards: Taulers
423 423 project_module_calendar: Calendari
424 424 project_module_gantt: Gantt
425 425
426 426 label_user: Usuari
427 427 label_user_plural: Usuaris
428 428 label_user_new: Usuari nou
429 429 label_user_anonymous: Anònim
430 430 label_project: Projecte
431 431 label_project_new: Projecte nou
432 432 label_project_plural: Projectes
433 433 label_x_projects:
434 434 zero: cap projecte
435 435 one: 1 projecte
436 436 other: "%{count} projectes"
437 437 label_project_all: Tots els projectes
438 438 label_project_latest: Els últims projectes
439 439 label_issue: Assumpte
440 440 label_issue_new: Assumpte nou
441 441 label_issue_plural: Assumptes
442 442 label_issue_view_all: Visualitza tots els assumptes
443 443 label_issues_by: "Assumptes per %{value}"
444 444 label_issue_added: Assumpte afegit
445 445 label_issue_updated: Assumpte actualitzat
446 446 label_document: Document
447 447 label_document_new: Document nou
448 448 label_document_plural: Documents
449 449 label_document_added: Document afegit
450 450 label_role: Rol
451 451 label_role_plural: Rols
452 452 label_role_new: Rol nou
453 453 label_role_and_permissions: Rols i permisos
454 454 label_member: Membre
455 455 label_member_new: Membre nou
456 456 label_member_plural: Membres
457 457 label_tracker: Seguidor
458 458 label_tracker_plural: Seguidors
459 459 label_tracker_new: Seguidor nou
460 460 label_workflow: Flux de treball
461 461 label_issue_status: "Estat de l'assumpte"
462 462 label_issue_status_plural: "Estats de l'assumpte"
463 463 label_issue_status_new: Estat nou
464 464 label_issue_category: "Categoria de l'assumpte"
465 465 label_issue_category_plural: "Categories de l'assumpte"
466 466 label_issue_category_new: Categoria nova
467 467 label_custom_field: Camp personalitzat
468 468 label_custom_field_plural: Camps personalitzats
469 469 label_custom_field_new: Camp personalitzat nou
470 470 label_enumerations: Enumeracions
471 471 label_enumeration_new: Valor nou
472 472 label_information: Informació
473 473 label_information_plural: Informació
474 474 label_please_login: Entreu
475 475 label_register: Registre
476 476 label_login_with_open_id_option: "o entra amb l'OpenID"
477 477 label_password_lost: Contrasenya perduda
478 478 label_home: Inici
479 479 label_my_page: La meva pàgina
480 480 label_my_account: El meu compte
481 481 label_my_projects: Els meus projectes
482 482 label_my_page_block: "Els meus blocs de pàgina"
483 483 label_administration: Administració
484 484 label_login: Entra
485 485 label_logout: Surt
486 486 label_help: Ajuda
487 487 label_reported_issues: Assumptes informats
488 488 label_assigned_to_me_issues: Assumptes assignats a mi
489 489 label_last_login: Última connexió
490 490 label_registered_on: Informat el
491 491 label_activity: Activitat
492 492 label_overall_activity: Activitat global
493 493 label_user_activity: "Activitat de %{value}"
494 494 label_new: Nou
495 495 label_logged_as: Heu entrat com a
496 496 label_environment: Entorn
497 497 label_authentication: Autenticació
498 498 label_auth_source: "Mode d'autenticació"
499 499 label_auth_source_new: "Mode d'autenticació nou"
500 500 label_auth_source_plural: "Modes d'autenticació"
501 501 label_subproject_plural: Subprojectes
502 502 label_subproject_new: "Subprojecte nou"
503 503 label_and_its_subprojects: "%{value} i els seus subprojectes"
504 504 label_min_max_length: Longitud mín - max
505 505 label_list: Llist
506 506 label_date: Data
507 507 label_integer: Enter
508 508 label_float: Flotant
509 509 label_boolean: Booleà
510 510 label_string: Text
511 511 label_text: Text llarg
512 512 label_attribute: Atribut
513 513 label_attribute_plural: Atributs
514 514 label_no_data: Sense dades a mostrar
515 515 label_change_status: "Canvia l'estat"
516 516 label_history: Historial
517 517 label_attachment: Fitxer
518 518 label_attachment_new: Fitxer nou
519 519 label_attachment_delete: Suprimeix el fitxer
520 520 label_attachment_plural: Fitxers
521 521 label_file_added: Fitxer afegit
522 522 label_report: Informe
523 523 label_report_plural: Informes
524 524 label_news: Noticies
525 525 label_news_new: Afegeix noticies
526 526 label_news_plural: Noticies
527 527 label_news_latest: Últimes noticies
528 528 label_news_view_all: Visualitza totes les noticies
529 529 label_news_added: Noticies afegides
530 530 label_settings: Paràmetres
531 531 label_overview: Resum
532 532 label_version: Versió
533 533 label_version_new: Versió nova
534 534 label_version_plural: Versions
535 535 label_close_versions: "Tanca les versions completades"
536 536 label_confirmation: Confirmació
537 537 label_export_to: "També disponible a:"
538 538 label_read: Llegeix...
539 539 label_public_projects: Projectes públics
540 540 label_open_issues: obert
541 541 label_open_issues_plural: oberts
542 542 label_closed_issues: tancat
543 543 label_closed_issues_plural: tancats
544 544 label_x_open_issues_abbr_on_total:
545 545 zero: 0 oberts / %{total}
546 546 one: 1 obert / %{total}
547 547 other: "%{count} oberts / %{total}"
548 548 label_x_open_issues_abbr:
549 549 zero: 0 oberts
550 550 one: 1 obert
551 551 other: "%{count} oberts"
552 552 label_x_closed_issues_abbr:
553 553 zero: 0 tancats
554 554 one: 1 tancat
555 555 other: "%{count} tancats"
556 556 label_total: Total
557 557 label_permissions: Permisos
558 558 label_current_status: Estat actual
559 559 label_new_statuses_allowed: Nous estats autoritzats
560 560 label_all: tots
561 561 label_none: cap
562 562 label_nobody: ningú
563 563 label_next: Següent
564 564 label_previous: Anterior
565 565 label_used_by: Utilitzat per
566 566 label_details: Detalls
567 567 label_add_note: Afegeix una nota
568 568 label_calendar: Calendari
569 569 label_months_from: mesos des de
570 570 label_gantt: Gantt
571 571 label_internal: Intern
572 572 label_last_changes: "últims %{count} canvis"
573 573 label_change_view_all: Visualitza tots els canvis
574 574 label_personalize_page: Personalitza aquesta pàgina
575 575 label_comment: Comentari
576 576 label_comment_plural: Comentaris
577 577 label_x_comments:
578 578 zero: sense comentaris
579 579 one: 1 comentari
580 580 other: "%{count} comentaris"
581 581 label_comment_add: Afegeix un comentari
582 582 label_comment_added: Comentari afegit
583 583 label_comment_delete: Suprimeix comentaris
584 584 label_query: Consulta personalitzada
585 585 label_query_plural: Consultes personalitzades
586 586 label_query_new: Consulta nova
587 587 label_filter_add: Afegeix un filtre
588 588 label_filter_plural: Filtres
589 589 label_equals: és
590 590 label_not_equals: no és
591 591 label_in_less_than: en menys de
592 592 label_in_more_than: en més de
593 593 label_greater_or_equal: ">="
594 594 label_less_or_equal: <=
595 595 label_in: en
596 596 label_today: avui
597 597 label_all_time: tot el temps
598 598 label_yesterday: ahir
599 599 label_this_week: aquesta setmana
600 600 label_last_week: "l'última setmana"
601 601 label_last_n_days: "els últims %{count} dies"
602 602 label_this_month: aquest més
603 603 label_last_month: "l'últim més"
604 604 label_this_year: aquest any
605 605 label_date_range: Abast de les dates
606 606 label_less_than_ago: fa menys de
607 607 label_more_than_ago: fa més de
608 608 label_ago: fa
609 609 label_contains: conté
610 610 label_not_contains: no conté
611 611 label_day_plural: dies
612 612 label_repository: Dipòsit
613 613 label_repository_plural: Dipòsits
614 614 label_browse: Navega
615 615 label_branch: Branca
616 616 label_tag: Etiqueta
617 617 label_revision: Revisió
618 618 label_revision_plural: Revisions
619 619 label_revision_id: "Revisió %{value}"
620 620 label_associated_revisions: Revisions associades
621 621 label_added: afegit
622 622 label_modified: modificat
623 623 label_copied: copiat
624 624 label_renamed: reanomenat
625 625 label_deleted: suprimit
626 626 label_latest_revision: Última revisió
627 627 label_latest_revision_plural: Últimes revisions
628 628 label_view_revisions: Visualitza les revisions
629 629 label_view_all_revisions: "Visualitza totes les revisions"
630 630 label_max_size: Mida màxima
631 631 label_sort_highest: Mou a la part superior
632 632 label_sort_higher: Mou cap amunt
633 633 label_sort_lower: Mou cap avall
634 634 label_sort_lowest: Mou a la part inferior
635 635 label_roadmap: Planificació
636 636 label_roadmap_due_in: "Venç en %{value}"
637 637 label_roadmap_overdue: "%{value} tard"
638 638 label_roadmap_no_issues: No hi ha assumptes per a aquesta versió
639 639 label_search: Cerca
640 640 label_result_plural: Resultats
641 641 label_all_words: Totes les paraules
642 642 label_wiki: Wiki
643 643 label_wiki_edit: Edició wiki
644 644 label_wiki_edit_plural: Edicions wiki
645 645 label_wiki_page: Pàgina wiki
646 646 label_wiki_page_plural: Pàgines wiki
647 647 label_index_by_title: Índex per títol
648 648 label_index_by_date: Índex per data
649 649 label_current_version: Versió actual
650 650 label_preview: Previsualització
651 651 label_feed_plural: Canals
652 652 label_changes_details: Detalls de tots els canvis
653 653 label_issue_tracking: "Seguiment d'assumptes"
654 654 label_spent_time: Temps invertit
655 655 label_overall_spent_time: "Temps total invertit"
656 656 label_f_hour: "%{value} hora"
657 657 label_f_hour_plural: "%{value} hores"
658 658 label_time_tracking: Temps de seguiment
659 659 label_change_plural: Canvis
660 660 label_statistics: Estadístiques
661 661 label_commits_per_month: Publicacions per mes
662 662 label_commits_per_author: Publicacions per autor
663 663 label_view_diff: Visualitza les diferències
664 664 label_diff_inline: en línia
665 665 label_diff_side_by_side: costat per costat
666 666 label_options: Opcions
667 667 label_copy_workflow_from: Copia el flux de treball des de
668 668 label_permissions_report: Informe de permisos
669 669 label_watched_issues: Assumptes vigilats
670 670 label_related_issues: Assumptes relacionats
671 671 label_applied_status: Estat aplicat
672 672 label_loading: "S'està carregant..."
673 673 label_relation_new: Relació nova
674 674 label_relation_delete: Suprimeix la relació
675 675 label_relates_to: relacionat amb
676 676 label_duplicates: duplicats
677 677 label_duplicated_by: duplicat per
678 678 label_blocks: bloqueja
679 679 label_blocked_by: bloquejats per
680 680 label_precedes: anterior a
681 681 label_follows: posterior a
682 682 label_end_to_start: final al començament
683 683 label_end_to_end: final al final
684 684 label_start_to_start: començament al començament
685 685 label_start_to_end: començament al final
686 686 label_stay_logged_in: "Manté l'entrada"
687 687 label_disabled: inhabilitat
688 688 label_show_completed_versions: Mostra les versions completes
689 689 label_me: jo mateix
690 690 label_board: Fòrum
691 691 label_board_new: Fòrum nou
692 692 label_board_plural: Fòrums
693 693 label_board_locked: Bloquejat
694 694 label_board_sticky: Sticky
695 695 label_topic_plural: Temes
696 696 label_message_plural: Missatges
697 697 label_message_last: Últim missatge
698 698 label_message_new: Missatge nou
699 699 label_message_posted: Missatge afegit
700 700 label_reply_plural: Respostes
701 701 label_send_information: "Envia la informació del compte a l'usuari"
702 702 label_year: Any
703 703 label_month: Mes
704 704 label_week: Setmana
705 705 label_date_from: Des de
706 706 label_date_to: A
707 707 label_language_based: "Basat en l'idioma de l'usuari"
708 708 label_sort_by: "Ordena per %{value}"
709 709 label_send_test_email: Envia un correu electrònic de prova
710 710 label_feeds_access_key: "Clau d'accés del Atom"
711 711 label_missing_feeds_access_key: "Falta una clau d'accés del Atom"
712 712 label_feeds_access_key_created_on: "Clau d'accés del Atom creada fa %{value}"
713 713 label_module_plural: Mòduls
714 714 label_added_time_by: "Afegit per %{author} fa %{age}"
715 715 label_updated_time_by: "Actualitzat per %{author} fa %{age}"
716 716 label_updated_time: "Actualitzat fa %{value}"
717 717 label_jump_to_a_project: Salta al projecte...
718 718 label_file_plural: Fitxers
719 719 label_changeset_plural: Conjunt de canvis
720 720 label_default_columns: Columnes predeterminades
721 721 label_no_change_option: (sense canvis)
722 722 label_bulk_edit_selected_issues: Edita en bloc els assumptes seleccionats
723 723 label_theme: Tema
724 724 label_default: Predeterminat
725 725 label_search_titles_only: Cerca només en els títols
726 726 label_user_mail_option_all: "Per qualsevol esdeveniment en tots els meus projectes"
727 727 label_user_mail_option_selected: "Per qualsevol esdeveniment en els projectes seleccionats..."
728 728 label_user_mail_no_self_notified: "No vull ser notificat pels canvis que faig jo mateix"
729 729 label_registration_activation_by_email: activació del compte per correu electrònic
730 730 label_registration_manual_activation: activació del compte manual
731 731 label_registration_automatic_activation: activació del compte automàtica
732 732 label_display_per_page: "Per pàgina: %{value}"
733 733 label_age: Edat
734 734 label_change_properties: Canvia les propietats
735 735 label_general: General
736 736 label_more: Més
737 737 label_scm: SCM
738 738 label_plugins: Connectors
739 739 label_ldap_authentication: Autenticació LDAP
740 740 label_downloads_abbr: Baixades
741 741 label_optional_description: Descripció opcional
742 742 label_add_another_file: Afegeix un altre fitxer
743 743 label_preferences: Preferències
744 744 label_chronological_order: En ordre cronològic
745 745 label_reverse_chronological_order: En ordre cronològic invers
746 746 label_planning: Planificació
747 747 label_incoming_emails: "Correu electrònics d'entrada"
748 748 label_generate_key: Genera una clau
749 749 label_issue_watchers: Vigilàncies
750 750 label_example: Exemple
751 751 label_display: Mostra
752 752 label_sort: Ordena
753 753 label_ascending: Ascendent
754 754 label_descending: Descendent
755 755 label_date_from_to: Des de %{start} a %{end}
756 756 label_wiki_content_added: "S'ha afegit la pàgina wiki"
757 757 label_wiki_content_updated: "S'ha actualitzat la pàgina wiki"
758 758 label_group: Grup
759 759 label_group_plural: Grups
760 760 label_group_new: Grup nou
761 761 label_time_entry_plural: Temps invertit
762 762 label_version_sharing_hierarchy: "Amb la jerarquia del projecte"
763 763 label_version_sharing_system: "Amb tots els projectes"
764 764 label_version_sharing_descendants: "Amb tots els subprojectes"
765 765 label_version_sharing_tree: "Amb l'arbre del projecte"
766 766 label_version_sharing_none: "Sense compartir"
767 767 label_update_issue_done_ratios: "Actualitza el tant per cent dels assumptes realitzats"
768 768 label_copy_source: Font
769 769 label_copy_target: Objectiu
770 770 label_copy_same_as_target: "El mateix que l'objectiu"
771 771 label_display_used_statuses_only: "Mostra només els estats que utilitza aquest seguidor"
772 772 label_api_access_key: "Clau d'accés a l'API"
773 773 label_missing_api_access_key: "Falta una clau d'accés de l'API"
774 774 label_api_access_key_created_on: "Clau d'accés de l'API creada fa %{value}"
775 775 label_profile: Perfil
776 776 label_subtask_plural: Subtasques
777 777 label_project_copy_notifications: "Envia notificacions de correu electrònic durant la còpia del projecte"
778 778
779 779 button_login: Entra
780 780 button_submit: Tramet
781 781 button_save: Desa
782 782 button_check_all: Activa-ho tot
783 783 button_uncheck_all: Desactiva-ho tot
784 784 button_delete: Suprimeix
785 785 button_create: Crea
786 786 button_create_and_continue: Crea i continua
787 787 button_test: Test
788 788 button_edit: Edit
789 789 button_add: Afegeix
790 790 button_change: Canvia
791 791 button_apply: Aplica
792 792 button_clear: Neteja
793 793 button_lock: Bloca
794 794 button_unlock: Desbloca
795 795 button_download: Baixa
796 796 button_list: Llista
797 797 button_view: Visualitza
798 798 button_move: Mou
799 799 button_move_and_follow: "Mou i segueix"
800 800 button_back: Enrere
801 801 button_cancel: Cancel·la
802 802 button_activate: Activa
803 803 button_sort: Ordena
804 804 button_log_time: "Registre de temps"
805 805 button_rollback: Torna a aquesta versió
806 806 button_watch: Vigila
807 807 button_unwatch: No vigilis
808 808 button_reply: Resposta
809 809 button_archive: Arxiva
810 810 button_unarchive: Desarxiva
811 811 button_reset: Reinicia
812 812 button_rename: Reanomena
813 813 button_change_password: Canvia la contrasenya
814 814 button_copy: Copia
815 815 button_copy_and_follow: "Copia i segueix"
816 816 button_annotate: Anota
817 817 button_update: Actualitza
818 818 button_configure: Configura
819 819 button_quote: Cita
820 820 button_duplicate: Duplica
821 821 button_show: Mostra
822 822
823 823 status_active: actiu
824 824 status_registered: informat
825 825 status_locked: bloquejat
826 826
827 827 version_status_open: oberta
828 828 version_status_locked: bloquejada
829 829 version_status_closed: tancada
830 830
831 831 field_active: Actiu
832 832
833 833 text_select_mail_notifications: "Seleccioneu les accions per les quals s'hauria d'enviar una notificació per correu electrònic."
834 834 text_regexp_info: ex. ^[A-Z0-9]+$
835 835 text_min_max_length_info: 0 significa sense restricció
836 836 text_project_destroy_confirmation: Segur que voleu suprimir aquest projecte i les dades relacionades?
837 837 text_subprojects_destroy_warning: "També seran suprimits els seus subprojectes: %{value}."
838 838 text_workflow_edit: Seleccioneu un rol i un seguidor per a editar el flux de treball
839 839 text_are_you_sure: Segur?
840 840 text_journal_changed: "%{label} ha canviat de %{old} a %{new}"
841 841 text_journal_set_to: "%{label} s'ha establert a %{value}"
842 842 text_journal_deleted: "%{label} s'ha suprimit (%{old})"
843 843 text_journal_added: "S'ha afegit %{label} %{value}"
844 844 text_tip_issue_begin_day: "tasca que s'inicia aquest dia"
845 845 text_tip_issue_end_day: tasca que finalitza aquest dia
846 846 text_tip_issue_begin_end_day: "tasca que s'inicia i finalitza aquest dia"
847 847 text_caracters_maximum: "%{count} caràcters com a màxim."
848 848 text_caracters_minimum: "Com a mínim ha de tenir %{count} caràcters."
849 849 text_length_between: "Longitud entre %{min} i %{max} caràcters."
850 850 text_tracker_no_workflow: "No s'ha definit cap flux de treball per a aquest seguidor"
851 851 text_unallowed_characters: Caràcters no permesos
852 852 text_comma_separated: Es permeten valors múltiples (separats per una coma).
853 853 text_line_separated: "Es permeten diversos valors (una línia per cada valor)."
854 854 text_issues_ref_in_commit_messages: Referència i soluciona els assumptes en els missatges publicats
855 855 text_issue_added: "L'assumpte %{id} ha sigut informat per %{author}."
856 856 text_issue_updated: "L'assumpte %{id} ha sigut actualitzat per %{author}."
857 857 text_wiki_destroy_confirmation: Segur que voleu suprimir aquest wiki i tots els seus continguts?
858 858 text_issue_category_destroy_question: "Alguns assumptes (%{count}) estan assignats a aquesta categoria. Què voleu fer?"
859 859 text_issue_category_destroy_assignments: Suprimeix les assignacions de la categoria
860 860 text_issue_category_reassign_to: Torna a assignar els assumptes a aquesta categoria
861 861 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)."
862 862 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."
863 863 text_load_default_configuration: Carrega la configuració predeterminada
864 864 text_status_changed_by_changeset: "Aplicat en el conjunt de canvis %{value}."
865 865 text_issues_destroy_confirmation: "Segur que voleu suprimir els assumptes seleccionats?"
866 866 text_select_project_modules: "Seleccioneu els mòduls a habilitar per a aquest projecte:"
867 867 text_default_administrator_account_changed: "S'ha canviat el compte d'administrador predeterminat"
868 868 text_file_repository_writable: Es pot escriure en el dipòsit de fitxers
869 869 text_plugin_assets_writable: Es pot escriure als connectors actius
870 870 text_rmagick_available: RMagick disponible (opcional)
871 871 text_destroy_time_entries_question: "S'han informat %{hours} hores en els assumptes que aneu a suprimir. Què voleu fer?"
872 872 text_destroy_time_entries: Suprimeix les hores informades
873 873 text_assign_time_entries_to_project: Assigna les hores informades al projecte
874 874 text_reassign_time_entries: "Torna a assignar les hores informades a aquest assumpte:"
875 875 text_user_wrote: "%{value} va escriure:"
876 876 text_enumeration_destroy_question: "%{count} objectes estan assignats a aquest valor."
877 877 text_enumeration_category_reassign_to: "Torna a assignar-los a aquest valor:"
878 878 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/configuration.yml i reinicieu l'aplicació per habilitar-lo."
879 879 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."
880 880 text_diff_truncated: "... Aquestes diferències s'han trucat perquè excedeixen la mida màxima que es pot mostrar."
881 881 text_custom_field_possible_values_info: "Una línia per a cada valor"
882 882 text_wiki_page_destroy_question: "Aquesta pàgina %{descendants} pàgines fill i descendents. Què voleu fer?"
883 883 text_wiki_page_nullify_children: "Deixa les pàgines fill com a pàgines arrel"
884 884 text_wiki_page_destroy_children: "Suprimeix les pàgines fill i tots els seus descendents"
885 885 text_wiki_page_reassign_children: "Reasigna les pàgines fill a aquesta pàgina pare"
886 886 text_own_membership_delete_confirmation: "Esteu a punt de suprimir algun o tots els vostres permisos i potser no podreu editar més aquest projecte.\nSegur que voleu continuar?"
887 887 text_zoom_in: Redueix
888 888 text_zoom_out: Amplia
889 889
890 890 default_role_manager: Gestor
891 891 default_role_developer: Desenvolupador
892 892 default_role_reporter: Informador
893 893 default_tracker_bug: Error
894 894 default_tracker_feature: Característica
895 895 default_tracker_support: Suport
896 896 default_issue_status_new: Nou
897 897 default_issue_status_in_progress: In Progress
898 898 default_issue_status_resolved: Resolt
899 899 default_issue_status_feedback: Comentaris
900 900 default_issue_status_closed: Tancat
901 901 default_issue_status_rejected: Rebutjat
902 902 default_doc_category_user: "Documentació d'usuari"
903 903 default_doc_category_tech: Documentació tècnica
904 904 default_priority_low: Baixa
905 905 default_priority_normal: Normal
906 906 default_priority_high: Alta
907 907 default_priority_urgent: Urgent
908 908 default_priority_immediate: Immediata
909 909 default_activity_design: Disseny
910 910 default_activity_development: Desenvolupament
911 911
912 912 enumeration_issue_priorities: Prioritat dels assumptes
913 913 enumeration_doc_categories: Categories del document
914 914 enumeration_activities: Activitats (seguidor de temps)
915 915 enumeration_system_activity: Activitat del sistema
916 916
917 917 button_edit_associated_wikipage: "Edit associated Wiki page: %{page_title}"
918 918 field_text: Text field
919 919 label_user_mail_option_only_owner: Only for things I am the owner of
920 920 setting_default_notification_option: Default notification option
921 921 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
922 922 label_user_mail_option_only_assigned: Only for things I am assigned to
923 923 label_user_mail_option_none: No events
924 924 field_member_of_group: Assignee's group
925 925 field_assigned_to_role: Assignee's role
926 926 notice_not_authorized_archived_project: The project you're trying to access has been archived.
927 927 label_principal_search: "Search for user or group:"
928 928 label_user_search: "Search for user:"
929 929 field_visible: Visible
930 930 setting_commit_logtime_activity_id: Activity for logged time
931 931 text_time_logged_by_changeset: Applied in changeset %{value}.
932 932 setting_commit_logtime_enabled: Enable time logging
933 933 notice_gantt_chart_truncated: The chart was truncated because it exceeds the maximum number of items that can be displayed (%{max})
934 934 setting_gantt_items_limit: Maximum number of items displayed on the gantt chart
935 935 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
936 936 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
937 937 label_my_queries: My custom queries
938 938 text_journal_changed_no_detail: "%{label} updated"
939 939 label_news_comment_added: Comment added to a news
940 940 button_expand_all: Expand all
941 941 button_collapse_all: Collapse all
942 942 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
943 943 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
944 944 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
945 945 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
946 946 label_role_anonymous: Anonymous
947 947 label_role_non_member: Non member
948 948 label_issue_note_added: Note added
949 949 label_issue_status_updated: Status updated
950 950 label_issue_priority_updated: Priority updated
951 951 label_issues_visibility_own: Issues created by or assigned to the user
952 952 field_issues_visibility: Issues visibility
953 953 label_issues_visibility_all: All issues
954 954 permission_set_own_issues_private: Set own issues public or private
955 955 field_is_private: Private
956 956 permission_set_issues_private: Set issues public or private
957 957 label_issues_visibility_public: All non private issues
958 958 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
959 959 field_commit_logs_encoding: Codificació dels missatges publicats
960 960 field_scm_path_encoding: Path encoding
961 961 text_scm_path_encoding_note: "Default: UTF-8"
962 962 field_path_to_repository: Path to repository
963 963 field_root_directory: Root directory
964 964 field_cvs_module: Module
965 965 field_cvsroot: CVSROOT
966 966 text_mercurial_repository_note: Local repository (e.g. /hgrepo, c:\hgrepo)
967 967 text_scm_command: Command
968 968 text_scm_command_version: Version
969 969 label_git_report_last_commit: Report last commit for files and directories
970 970 notice_issue_successful_create: Issue %{id} created.
971 971 label_between: between
972 972 setting_issue_group_assignment: Allow issue assignment to groups
973 973 label_diff: diff
974 974 text_git_repository_note: Repository is bare and local (e.g. /gitrepo, c:\gitrepo)
975 975 description_query_sort_criteria_direction: Sort direction
976 976 description_project_scope: Search scope
977 977 description_filter: Filter
978 978 description_user_mail_notification: Mail notification settings
979 979 description_date_from: Enter start date
980 980 description_message_content: Message content
981 981 description_available_columns: Available Columns
982 982 description_date_range_interval: Choose range by selecting start and end date
983 983 description_issue_category_reassign: Choose issue category
984 984 description_search: Searchfield
985 985 description_notes: Notes
986 986 description_date_range_list: Choose range from list
987 987 description_choose_project: Projects
988 988 description_date_to: Enter end date
989 989 description_query_sort_criteria_attribute: Sort attribute
990 990 description_wiki_subpages_reassign: Choose new parent page
991 991 description_selected_columns: Selected Columns
992 992 label_parent_revision: Parent
993 993 label_child_revision: Child
994 994 error_scm_annotate_big_text_file: The entry cannot be annotated, as it exceeds the maximum text file size.
995 995 setting_default_issue_start_date_to_creation_date: Use current date as start date for new issues
996 996 button_edit_section: Edit this section
997 997 setting_repositories_encodings: Attachments and repositories encodings
998 998 description_all_columns: All Columns
999 999 button_export: Export
1000 1000 label_export_options: "%{export_format} export options"
1001 1001 error_attachment_too_big: This file cannot be uploaded because it exceeds the maximum allowed file size (%{max_size})
1002 1002 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1003 1003 label_x_issues:
1004 1004 zero: 0 assumpte
1005 1005 one: 1 assumpte
1006 1006 other: "%{count} assumptes"
1007 1007 label_repository_new: New repository
1008 1008 field_repository_is_default: Main repository
1009 1009 label_copy_attachments: Copy attachments
1010 1010 label_item_position: "%{position}/%{count}"
1011 1011 label_completed_versions: Completed versions
1012 1012 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1013 1013 field_multiple: Multiple values
1014 1014 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1015 1015 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1016 1016 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1017 1017 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1018 1018 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1019 1019 permission_manage_related_issues: Manage related issues
1020 1020 field_auth_source_ldap_filter: LDAP filter
1021 1021 label_search_for_watchers: Search for watchers to add
1022 1022 notice_account_deleted: Your account has been permanently deleted.
1023 1023 setting_unsubscribe: Allow users to delete their own account
1024 1024 button_delete_my_account: Delete my account
1025 1025 text_account_destroy_confirmation: |-
1026 1026 Are you sure you want to proceed?
1027 1027 Your account will be permanently deleted, with no way to reactivate it.
1028 1028 error_session_expired: Your session has expired. Please login again.
1029 1029 text_session_expiration_settings: "Warning: changing these settings may expire the current sessions including yours."
1030 1030 setting_session_lifetime: Session maximum lifetime
1031 1031 setting_session_timeout: Session inactivity timeout
1032 1032 label_session_expiration: Session expiration
1033 1033 permission_close_project: Close / reopen the project
1034 1034 label_show_closed_projects: View closed projects
1035 1035 button_close: Close
1036 1036 button_reopen: Reopen
1037 1037 project_status_active: active
1038 1038 project_status_closed: closed
1039 1039 project_status_archived: archived
1040 1040 text_project_closed: This project is closed and read-only.
1041 1041 notice_user_successful_create: User %{id} created.
1042 1042 field_core_fields: Standard fields
1043 1043 field_timeout: Timeout (in seconds)
1044 1044 setting_thumbnails_enabled: Display attachment thumbnails
1045 1045 setting_thumbnails_size: Thumbnails size (in pixels)
1046 1046 label_status_transitions: Status transitions
1047 1047 label_fields_permissions: Fields permissions
1048 1048 label_readonly: Read-only
1049 1049 label_required: Required
1050 1050 text_repository_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1051 1051 field_board_parent: Parent forum
1052 1052 label_attribute_of_project: Project's %{name}
1053 1053 label_attribute_of_author: Author's %{name}
1054 1054 label_attribute_of_assigned_to: Assignee's %{name}
1055 1055 label_attribute_of_fixed_version: Target version's %{name}
1056 1056 label_copy_subtasks: Copy subtasks
1057 1057 label_copied_to: copied to
1058 1058 label_copied_from: copied from
1059 1059 label_any_issues_in_project: any issues in project
1060 1060 label_any_issues_not_in_project: any issues not in project
1061 1061 field_private_notes: Private notes
1062 1062 permission_view_private_notes: View private notes
1063 1063 permission_set_notes_private: Set notes as private
1064 1064 label_no_issues_in_project: no issues in project
1065 1065 label_any: tots
1066 1066 label_last_n_weeks: last %{count} weeks
1067 1067 setting_cross_project_subtasks: Allow cross-project subtasks
1068 1068 label_cross_project_descendants: "Amb tots els subprojectes"
1069 1069 label_cross_project_tree: "Amb l'arbre del projecte"
1070 1070 label_cross_project_hierarchy: "Amb la jerarquia del projecte"
1071 1071 label_cross_project_system: "Amb tots els projectes"
1072 1072 button_hide: Hide
1073 1073 setting_non_working_week_days: Non-working days
1074 1074 label_in_the_next_days: in the next
1075 1075 label_in_the_past_days: in the past
1076 1076 label_attribute_of_user: User's %{name}
1077 1077 text_turning_multiple_off: If you disable multiple values, multiple values will be
1078 1078 removed in order to preserve only one value per item.
1079 1079 label_attribute_of_issue: Issue's %{name}
1080 1080 permission_add_documents: Add documents
1081 1081 permission_edit_documents: Edit documents
1082 1082 permission_delete_documents: Delete documents
1083 1083 label_gantt_progress_line: Progress line
1084 1084 setting_jsonp_enabled: Enable JSONP support
1085 1085 field_inherit_members: Inherit members
1086 1086 field_closed_on: Closed
1087 1087 field_generate_password: Generate password
1088 1088 setting_default_projects_tracker_ids: Default trackers for new projects
1089 1089 label_total_time: Total
1090 1090 text_scm_config: You can configure your SCM commands in config/configuration.yml. Please restart the application after editing it.
1091 1091 text_scm_command_not_available: SCM command is not available. Please check settings on the administration panel.
1092 1092 setting_emails_header: Email header
1093 1093 notice_account_not_activated_yet: You haven't activated your account yet. If you want
1094 1094 to receive a new activation email, please <a href="%{url}">click this link</a>.
1095 1095 notice_account_locked: Your account is locked.
1096 1096 label_hidden: Hidden
1097 1097 label_visibility_private: to me only
1098 1098 label_visibility_roles: to these roles only
1099 1099 label_visibility_public: to any users
1100 1100 field_must_change_passwd: Must change password at next logon
1101 1101 notice_new_password_must_be_different: The new password must be different from the
1102 1102 current password
1103 1103 setting_mail_handler_excluded_filenames: Exclude attachments by name
1104 1104 text_convert_available: ImageMagick convert available (optional)
1105 1105 label_link: Link
1106 1106 label_only: only
1107 1107 label_drop_down_list: drop-down list
1108 1108 label_checkboxes: checkboxes
1109 1109 label_link_values_to: Link values to URL
1110 1110 setting_force_default_language_for_anonymous: Force default language for anonymous
1111 1111 users
1112 1112 setting_force_default_language_for_loggedin: Force default language for logged-in
1113 1113 users
1114 1114 label_custom_field_select_type: Select the type of object to which the custom field
1115 1115 is to be attached
1116 1116 label_issue_assigned_to_updated: Assignee updated
1117 1117 label_check_for_updates: Check for updates
1118 1118 label_latest_compatible_version: Latest compatible version
1119 1119 label_unknown_plugin: Unknown plugin
1120 1120 label_radio_buttons: radio buttons
1121 1121 label_group_anonymous: Anonymous users
1122 1122 label_group_non_member: Non member users
1123 1123 label_add_projects: Add projects
1124 1124 field_default_status: Default status
1125 1125 text_subversion_repository_note: 'Examples: file:///, http://, https://, svn://, svn+[tunnelscheme]://'
1126 1126 field_users_visibility: Users visibility
1127 1127 label_users_visibility_all: All active users
1128 1128 label_users_visibility_members_of_visible_projects: Members of visible projects
1129 1129 label_edit_attachments: Edit attached files
1130 1130 setting_link_copied_issue: Link issues on copy
1131 1131 label_link_copied_issue: Link copied issue
1132 1132 label_ask: Ask
1133 1133 label_search_attachments_yes: Search attachment filenames and descriptions
1134 1134 label_search_attachments_no: Do not search attachments
1135 1135 label_search_attachments_only: Search attachments only
1136 1136 label_search_open_issues_only: Open issues only
1137 1137 field_address: Correu electrònic
1138 1138 setting_max_additional_emails: Maximum number of additional email addresses
1139 1139 label_email_address_plural: Emails
1140 1140 label_email_address_add: Add email address
1141 1141 label_enable_notifications: Enable notifications
1142 1142 label_disable_notifications: Disable notifications
1143 1143 setting_search_results_per_page: Search results per page
1144 1144 label_blank_value: blank
1145 1145 permission_copy_issues: Copy issues
1146 1146 error_password_expired: Your password has expired or the administrator requires you
1147 1147 to change it.
1148 1148 field_time_entries_visibility: Time logs visibility
1149 1149 setting_password_max_age: Require password change after
1150 1150 label_parent_task_attributes: Parent tasks attributes
1151 1151 label_parent_task_attributes_derived: Calculated from subtasks
1152 1152 label_parent_task_attributes_independent: Independent of subtasks
1153 1153 label_time_entries_visibility_all: All time entries
1154 1154 label_time_entries_visibility_own: Time entries created by the user
1155 1155 label_member_management: Member management
1156 1156 label_member_management_all_roles: All roles
1157 1157 label_member_management_selected_roles_only: Only these roles
1158 1158 label_password_required: Confirm your password to continue
1159 1159 label_total_spent_time: "Temps total invertit"
1160 1160 notice_import_finished: All %{count} items have been imported.
1161 1161 notice_import_finished_with_errors: ! '%{count} out of %{total} items could not be
1162 1162 imported.'
1163 1163 error_invalid_file_encoding: The file is not a valid %{encoding} encoded file
1164 1164 error_invalid_csv_file_or_settings: The file is not a CSV file or does not match the
1165 1165 settings below
1166 1166 error_can_not_read_import_file: An error occurred while reading the file to import
1167 1167 permission_import_issues: Import issues
1168 1168 label_import_issues: Import issues
1169 1169 label_select_file_to_import: Select the file to import
1170 1170 label_fields_separator: Field separator
1171 1171 label_fields_wrapper: Field wrapper
1172 1172 label_encoding: Encoding
1173 label_coma_char: Coma
1173 label_comma_char: Comma
1174 1174 label_semi_colon_char: Semi colon
1175 1175 label_quote_char: Quote
1176 1176 label_double_quote_char: Double quote
1177 1177 label_fields_mapping: Fields mapping
1178 1178 label_file_content_preview: File content preview
1179 1179 label_create_missing_values: Create missing values
1180 1180 button_import: Import
1181 1181 field_total_estimated_hours: Total estimated time
1182 1182 label_api: API
1183 1183 label_total_plural: Totals
@@ -1,1182 +1,1182
1 1 # Update to 2.2, 2.4, 2.5, 2.6, 3.1 by Karel Picman <karel.picman@kontron.com>
2 2 # Update to 1.1 by Michal Gebauer <mishak@mishak.net>
3 3 # Updated by Josef Liška <jl@chl.cz>
4 4 # CZ translation by Maxim Krušina | Massimo Filippi, s.r.o. | maxim@mxm.cz
5 5 # Based on original CZ translation by Jan Kadleček
6 6 cs:
7 7 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
8 8 direction: ltr
9 9 date:
10 10 formats:
11 11 # Use the strftime parameters for formats.
12 12 # When no format has been given, it uses default.
13 13 # You can provide other formats here if you like!
14 14 default: "%Y-%m-%d"
15 15 short: "%b %d"
16 16 long: "%B %d, %Y"
17 17
18 18 day_names: [Neděle, Pondělí, Úterý, Středa, Čtvrtek, Pátek, Sobota]
19 19 abbr_day_names: [Ne, Po, Út, St, Čt, , So]
20 20
21 21 # Don't forget the nil at the beginning; there's no such thing as a 0th month
22 22 month_names: [~, Leden, Únor, Březen, Duben, Květen, Červen, Červenec, Srpen, Září, Říjen, Listopad, Prosinec]
23 23 abbr_month_names: [~, Led, Úno, Bře, Dub, Kvě, Čer, Čec, Srp, Zář, Říj, Lis, Pro]
24 24 # Used in date_select and datime_select.
25 25 order:
26 26 - :year
27 27 - :month
28 28 - :day
29 29
30 30 time:
31 31 formats:
32 32 default: "%a, %d %b %Y %H:%M:%S %z"
33 33 time: "%H:%M"
34 34 short: "%d %b %H:%M"
35 35 long: "%B %d, %Y %H:%M"
36 36 am: "dop."
37 37 pm: "odp."
38 38
39 39 datetime:
40 40 distance_in_words:
41 41 half_a_minute: "půl minuty"
42 42 less_than_x_seconds:
43 43 one: "méně než sekunda"
44 44 other: "méně než %{count} sekund"
45 45 x_seconds:
46 46 one: "1 sekunda"
47 47 other: "%{count} sekund"
48 48 less_than_x_minutes:
49 49 one: "méně než minuta"
50 50 other: "méně než %{count} minut"
51 51 x_minutes:
52 52 one: "1 minuta"
53 53 other: "%{count} minut"
54 54 about_x_hours:
55 55 one: "asi 1 hodina"
56 56 other: "asi %{count} hodin"
57 57 x_hours:
58 58 one: "1 hodina"
59 59 other: "%{count} hodin"
60 60 x_days:
61 61 one: "1 den"
62 62 other: "%{count} dnů"
63 63 about_x_months:
64 64 one: "asi 1 měsíc"
65 65 other: "asi %{count} měsíců"
66 66 x_months:
67 67 one: "1 měsíc"
68 68 other: "%{count} měsíců"
69 69 about_x_years:
70 70 one: "asi 1 rok"
71 71 other: "asi %{count} let"
72 72 over_x_years:
73 73 one: "více než 1 rok"
74 74 other: "více než %{count} roky"
75 75 almost_x_years:
76 76 one: "témeř 1 rok"
77 77 other: "téměř %{count} roky"
78 78
79 79 number:
80 80 # Výchozí formát pro čísla
81 81 format:
82 82 separator: "."
83 83 delimiter: ""
84 84 precision: 3
85 85 human:
86 86 format:
87 87 delimiter: ""
88 88 precision: 3
89 89 storage_units:
90 90 format: "%n %u"
91 91 units:
92 92 byte:
93 93 one: "Bajt"
94 94 other: "Bajtů"
95 95 kb: "KB"
96 96 mb: "MB"
97 97 gb: "GB"
98 98 tb: "TB"
99 99
100 100 # Used in array.to_sentence.
101 101 support:
102 102 array:
103 103 sentence_connector: "a"
104 104 skip_last_comma: false
105 105
106 106 activerecord:
107 107 errors:
108 108 template:
109 109 header:
110 110 one: "1 chyba zabránila uložení %{model}"
111 111 other: "%{count} chyb zabránilo uložení %{model}"
112 112 messages:
113 113 inclusion: "není zahrnuto v seznamu"
114 114 exclusion: "je rezervováno"
115 115 invalid: "je neplatné"
116 116 confirmation: "se neshoduje s potvrzením"
117 117 accepted: "musí být akceptováno"
118 118 empty: "nemůže být prázdný"
119 119 blank: "nemůže být prázdný"
120 120 too_long: "je příliš dlouhý"
121 121 too_short: "je příliš krátký"
122 122 wrong_length: "má chybnou délku"
123 123 taken: "je již použito"
124 124 not_a_number: "není číslo"
125 125 not_a_date: "není platné datum"
126 126 greater_than: "musí být větší než %{count}"
127 127 greater_than_or_equal_to: "musí být větší nebo rovno %{count}"
128 128 equal_to: "musí být přesně %{count}"
129 129 less_than: "musí být méně než %{count}"
130 130 less_than_or_equal_to: "musí být méně nebo rovno %{count}"
131 131 odd: "musí být liché"
132 132 even: "musí být sudé"
133 133 greater_than_start_date: "musí být větší než počáteční datum"
134 134 not_same_project: "nepatří stejnému projektu"
135 135 circular_dependency: "Tento vztah by vytvořil cyklickou závislost"
136 136 cant_link_an_issue_with_a_descendant: "Úkol nemůže být spojen s jedním z jeho dílčích úkolů"
137 137 earlier_than_minimum_start_date: "nemůže být dříve než %{date} kvůli předřazeným úkolům"
138 138
139 139 actionview_instancetag_blank_option: Prosím vyberte
140 140
141 141 general_text_No: 'Ne'
142 142 general_text_Yes: 'Ano'
143 143 general_text_no: 'ne'
144 144 general_text_yes: 'ano'
145 145 general_lang_name: 'Czech (Čeština)'
146 146 general_csv_separator: ','
147 147 general_csv_decimal_separator: '.'
148 148 general_csv_encoding: UTF-8
149 149 general_pdf_fontname: freesans
150 150 general_first_day_of_week: '1'
151 151
152 152 notice_account_updated: Účet byl úspěšně změněn.
153 153 notice_account_invalid_creditentials: Chybné jméno nebo heslo
154 154 notice_account_password_updated: Heslo bylo úspěšně změněno.
155 155 notice_account_wrong_password: Chybné heslo
156 156 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.
157 157 notice_account_unknown_email: Neznámý uživatel.
158 158 notice_can_t_change_password: Tento účet používá externí autentifikaci. Zde heslo změnit nemůžete.
159 159 notice_account_lost_email_sent: Byl vám zaslán email s intrukcemi jak si nastavíte nové heslo.
160 160 notice_account_activated: Váš účet byl aktivován. Nyní se můžete přihlásit.
161 161 notice_successful_create: Úspěšně vytvořeno.
162 162 notice_successful_update: Úspěšně aktualizováno.
163 163 notice_successful_delete: Úspěšně odstraněno.
164 164 notice_successful_connection: Úspěšné připojení.
165 165 notice_file_not_found: Stránka, kterou se snažíte zobrazit, neexistuje nebo byla smazána.
166 166 notice_locking_conflict: Údaje byly změněny jiným uživatelem.
167 167 notice_not_authorized: Nemáte dostatečná práva pro zobrazení této stránky.
168 168 notice_not_authorized_archived_project: Projekt, ke kterému se snažíte přistupovat, byl archivován.
169 169 notice_email_sent: "Na adresu %{value} byl odeslán email"
170 170 notice_email_error: "Při odesílání emailu nastala chyba (%{value})"
171 171 notice_feeds_access_key_reseted: Váš klíč pro přístup k Atom byl resetován.
172 172 notice_api_access_key_reseted: Váš API přístupový klíč byl resetován.
173 173 notice_failed_to_save_issues: "Chyba při uložení %{count} úkolu(ů) z %{total} vybraných: %{ids}."
174 174 notice_failed_to_save_members: "Nepodařilo se uložit člena(y): %{errors}."
175 175 notice_no_issue_selected: "Nebyl zvolen žádný úkol. Prosím, zvolte úkoly, které chcete editovat"
176 176 notice_account_pending: "Váš účet byl vytvořen, nyní čeká na schválení administrátorem."
177 177 notice_default_data_loaded: Výchozí konfigurace úspěšně nahrána.
178 178 notice_unable_delete_version: Nemohu odstanit verzi
179 179 notice_unable_delete_time_entry: Nelze smazat záznam času.
180 180 notice_issue_done_ratios_updated: Koeficienty dokončení úkolu byly aktualizovány.
181 181 notice_gantt_chart_truncated: Graf byl oříznut, počet položek přesáhl limit pro zobrazení (%{max})
182 182
183 183 error_can_t_load_default_data: "Výchozí konfigurace nebyla nahrána: %{value}"
184 184 error_scm_not_found: "Položka a/nebo revize neexistují v repozitáři."
185 185 error_scm_command_failed: "Při pokusu o přístup k repozitáři došlo k chybě: %{value}"
186 186 error_scm_annotate: "Položka neexistuje nebo nemůže být komentována."
187 187 error_issue_not_found_in_project: 'Úkol nebyl nalezen nebo nepatří k tomuto projektu'
188 188 error_no_tracker_in_project: Žádná fronta nebyla přiřazena tomuto projektu. Prosím zkontroluje nastavení projektu.
189 189 error_no_default_issue_status: Není nastaven výchozí stav úkolů. Prosím zkontrolujte nastavení ("Administrace -> Stavy úkolů").
190 190 error_can_not_delete_custom_field: Nelze smazat volitelné pole
191 191 error_can_not_delete_tracker: Tato fronta obsahuje úkoly a nemůže být smazána.
192 192 error_can_not_remove_role: Tato role je právě používaná a nelze ji smazat.
193 193 error_can_not_reopen_issue_on_closed_version: Úkol přiřazený k uzavřené verzi nemůže být znovu otevřen
194 194 error_can_not_archive_project: Tento projekt nemůže být archivován
195 195 error_issue_done_ratios_not_updated: Koeficient dokončení úkolu nebyl aktualizován.
196 196 error_workflow_copy_source: Prosím vyberte zdrojovou frontu nebo roli
197 197 error_workflow_copy_target: Prosím vyberte cílovou frontu(y) a roli(e)
198 198 error_unable_delete_issue_status: Nelze smazat stavy úkolů
199 199 error_unable_to_connect: Nelze se připojit (%{value})
200 200 warning_attachments_not_saved: "%{count} soubor(ů) nebylo možné uložit."
201 201
202 202 mail_subject_lost_password: "Vaše heslo (%{value})"
203 203 mail_body_lost_password: 'Pro změnu vašeho hesla klikněte na následující odkaz:'
204 204 mail_subject_register: "Aktivace účtu (%{value})"
205 205 mail_body_register: 'Pro aktivaci vašeho účtu klikněte na následující odkaz:'
206 206 mail_body_account_information_external: "Pomocí vašeho účtu %{value} se můžete přihlásit."
207 207 mail_body_account_information: Informace o vašem účtu
208 208 mail_subject_account_activation_request: "Aktivace %{value} účtu"
209 209 mail_body_account_activation_request: "Byl zaregistrován nový uživatel %{value}. Aktivace jeho účtu závisí na vašem potvrzení."
210 210 mail_subject_reminder: "%{count} úkol(ů) termín během několik dní (%{days})"
211 211 mail_body_reminder: "%{count} úkol(ů), které máte přiřazeny termín během několika dní (%{days}):"
212 212 mail_subject_wiki_content_added: "'%{id}' Wiki stránka byla přidána"
213 213 mail_body_wiki_content_added: "'%{id}' Wiki stránka byla přidána od %{author}."
214 214 mail_subject_wiki_content_updated: "'%{id}' Wiki stránka byla aktualizována"
215 215 mail_body_wiki_content_updated: "'%{id}' Wiki stránka byla aktualizována od %{author}."
216 216
217 217
218 218 field_name: Název
219 219 field_description: Popis
220 220 field_summary: Přehled
221 221 field_is_required: Povinné pole
222 222 field_firstname: Jméno
223 223 field_lastname: Příjmení
224 224 field_mail: Email
225 225 field_filename: Soubor
226 226 field_filesize: Velikost
227 227 field_downloads: Staženo
228 228 field_author: Autor
229 229 field_created_on: Vytvořeno
230 230 field_updated_on: Aktualizováno
231 231 field_field_format: Formát
232 232 field_is_for_all: Pro všechny projekty
233 233 field_possible_values: Možné hodnoty
234 234 field_regexp: Regulární výraz
235 235 field_min_length: Minimální délka
236 236 field_max_length: Maximální délka
237 237 field_value: Hodnota
238 238 field_category: Kategorie
239 239 field_title: Název
240 240 field_project: Projekt
241 241 field_issue: Úkol
242 242 field_status: Stav
243 243 field_notes: Poznámka
244 244 field_is_closed: Úkol uzavřen
245 245 field_is_default: Výchozí stav
246 246 field_tracker: Fronta
247 247 field_subject: Předmět
248 248 field_due_date: Uzavřít do
249 249 field_assigned_to: Přiřazeno
250 250 field_priority: Priorita
251 251 field_fixed_version: Cílová verze
252 252 field_user: Uživatel
253 253 field_principal: Hlavní
254 254 field_role: Role
255 255 field_homepage: Domovská stránka
256 256 field_is_public: Veřejný
257 257 field_parent: Nadřazený projekt
258 258 field_is_in_roadmap: Úkoly zobrazené v plánu
259 259 field_login: Přihlášení
260 260 field_mail_notification: Emailová oznámení
261 261 field_admin: Administrátor
262 262 field_last_login_on: Poslední přihlášení
263 263 field_language: Jazyk
264 264 field_effective_date: Datum
265 265 field_password: Heslo
266 266 field_new_password: Nové heslo
267 267 field_password_confirmation: Potvrzení
268 268 field_version: Verze
269 269 field_type: Typ
270 270 field_host: Host
271 271 field_port: Port
272 272 field_account: Účet
273 273 field_base_dn: Base DN
274 274 field_attr_login: Přihlášení (atribut)
275 275 field_attr_firstname: Jméno (atribut)
276 276 field_attr_lastname: Příjemní (atribut)
277 277 field_attr_mail: Email (atribut)
278 278 field_onthefly: Automatické vytváření uživatelů
279 279 field_start_date: Začátek
280 280 field_done_ratio: "% Hotovo"
281 281 field_auth_source: Autentifikační mód
282 282 field_hide_mail: Nezobrazovat můj email
283 283 field_comments: Komentář
284 284 field_url: URL
285 285 field_start_page: Výchozí stránka
286 286 field_subproject: Podprojekt
287 287 field_hours: Hodiny
288 288 field_activity: Aktivita
289 289 field_spent_on: Datum
290 290 field_identifier: Identifikátor
291 291 field_is_filter: Použít jako filtr
292 292 field_issue_to: Související úkol
293 293 field_delay: Zpoždění
294 294 field_assignable: Úkoly mohou být přiřazeny této roli
295 295 field_redirect_existing_links: Přesměrovat stávající odkazy
296 296 field_estimated_hours: Odhadovaná doba
297 297 field_column_names: Sloupce
298 298 field_time_entries: Zaznamenaný čas
299 299 field_time_zone: Časové pásmo
300 300 field_searchable: Umožnit vyhledávání
301 301 field_default_value: Výchozí hodnota
302 302 field_comments_sorting: Zobrazit komentáře
303 303 field_parent_title: Rodičovská stránka
304 304 field_editable: Editovatelný
305 305 field_watcher: Sleduje
306 306 field_identity_url: OpenID URL
307 307 field_content: Obsah
308 308 field_group_by: Seskupovat výsledky podle
309 309 field_sharing: Sdílení
310 310 field_parent_issue: Rodičovský úkol
311 311 field_member_of_group: Skupina přiřaditele
312 312 field_assigned_to_role: Role přiřaditele
313 313 field_text: Textové pole
314 314 field_visible: Viditelný
315 315
316 316 setting_app_title: Název aplikace
317 317 setting_app_subtitle: Podtitulek aplikace
318 318 setting_welcome_text: Uvítací text
319 319 setting_default_language: Výchozí jazyk
320 320 setting_login_required: Autentifikace vyžadována
321 321 setting_self_registration: Povolena automatická registrace
322 322 setting_attachment_max_size: Maximální velikost přílohy
323 323 setting_issues_export_limit: Limit pro export úkolů
324 324 setting_mail_from: Odesílat emaily z adresy
325 325 setting_bcc_recipients: Příjemci jako skrytá kopie (bcc)
326 326 setting_plain_text_mail: pouze prostý text (ne HTML)
327 327 setting_host_name: Jméno serveru
328 328 setting_text_formatting: Formátování textu
329 329 setting_wiki_compression: Komprese historie Wiki
330 330 setting_feeds_limit: Limit obsahu příspěvků
331 331 setting_default_projects_public: Nové projekty nastavovat jako veřejné
332 332 setting_autofetch_changesets: Automaticky stahovat commity
333 333 setting_sys_api_enabled: Povolit WS pro správu repozitory
334 334 setting_commit_ref_keywords: Klíčová slova pro odkazy
335 335 setting_commit_fix_keywords: Klíčová slova pro uzavření
336 336 setting_autologin: Automatické přihlašování
337 337 setting_date_format: Formát data
338 338 setting_time_format: Formát času
339 339 setting_cross_project_issue_relations: Povolit vazby úkolů napříč projekty
340 340 setting_issue_list_default_columns: Výchozí sloupce zobrazené v seznamu úkolů
341 341 setting_emails_header: Záhlaví emailů
342 342 setting_emails_footer: Zápatí emailů
343 343 setting_protocol: Protokol
344 344 setting_per_page_options: Povolené počty řádků na stránce
345 345 setting_user_format: Formát zobrazení uživatele
346 346 setting_activity_days_default: Dny zobrazené v činnosti projektu
347 347 setting_display_subprojects_issues: Automaticky zobrazit úkoly podprojektu v hlavním projektu
348 348 setting_enabled_scm: Povolené SCM
349 349 setting_mail_handler_body_delimiters: Zkrátit e-maily po jednom z těchto řádků
350 350 setting_mail_handler_api_enabled: Povolit WS pro příchozí e-maily
351 351 setting_mail_handler_api_key: API klíč
352 352 setting_sequential_project_identifiers: Generovat sekvenční identifikátory projektů
353 353 setting_gravatar_enabled: Použít uživatelské ikony Gravatar
354 354 setting_gravatar_default: Výchozí Gravatar
355 355 setting_diff_max_lines_displayed: Maximální počet zobrazených řádků rozdílu
356 356 setting_file_max_size_displayed: Maximální velikost textových souborů zobrazených přímo na stránce
357 357 setting_repository_log_display_limit: Maximální počet revizí zobrazených v logu souboru
358 358 setting_openid: Umožnit přihlašování a registrace s OpenID
359 359 setting_password_min_length: Minimální délka hesla
360 360 setting_new_project_user_role_id: Role přiřazená uživateli bez práv administrátora, který projekt vytvořil
361 361 setting_default_projects_modules: Výchozí zapnutné moduly pro nový projekt
362 362 setting_issue_done_ratio: Spočítat koeficient dokončení úkolu s
363 363 setting_issue_done_ratio_issue_field: Použít pole úkolu
364 364 setting_issue_done_ratio_issue_status: Použít stav úkolu
365 365 setting_start_of_week: Začínat kalendáře
366 366 setting_rest_api_enabled: Zapnout službu REST
367 367 setting_cache_formatted_text: Ukládat formátovaný text do vyrovnávací paměti
368 368 setting_default_notification_option: Výchozí nastavení oznámení
369 369 setting_commit_logtime_enabled: Povolit zapisování času
370 370 setting_commit_logtime_activity_id: Aktivita pro zapsaný čas
371 371 setting_gantt_items_limit: Maximální počet položek zobrazený na ganttově diagramu
372 372
373 373 permission_add_project: Vytvořit projekt
374 374 permission_add_subprojects: Vytvořit podprojekty
375 375 permission_edit_project: Úprava projektů
376 376 permission_select_project_modules: Výběr modulů projektu
377 377 permission_manage_members: Spravování členství
378 378 permission_manage_project_activities: Spravovat aktivity projektu
379 379 permission_manage_versions: Spravování verzí
380 380 permission_manage_categories: Spravování kategorií úkolů
381 381 permission_view_issues: Zobrazit úkoly
382 382 permission_add_issues: Přidávání úkolů
383 383 permission_edit_issues: Upravování úkolů
384 384 permission_manage_issue_relations: Spravování vztahů mezi úkoly
385 385 permission_add_issue_notes: Přidávání poznámek
386 386 permission_edit_issue_notes: Upravování poznámek
387 387 permission_edit_own_issue_notes: Upravování vlastních poznámek
388 388 permission_move_issues: Přesouvání úkolů
389 389 permission_delete_issues: Mazání úkolů
390 390 permission_manage_public_queries: Správa veřejných dotazů
391 391 permission_save_queries: Ukládání dotazů
392 392 permission_view_gantt: Zobrazení ganttova diagramu
393 393 permission_view_calendar: Prohlížení kalendáře
394 394 permission_view_issue_watchers: Zobrazení seznamu sledujících uživatelů
395 395 permission_add_issue_watchers: Přidání sledujících uživatelů
396 396 permission_delete_issue_watchers: Smazat sledující uživatele
397 397 permission_log_time: Zaznamenávání stráveného času
398 398 permission_view_time_entries: Zobrazení stráveného času
399 399 permission_edit_time_entries: Upravování záznamů o stráveném času
400 400 permission_edit_own_time_entries: Upravování vlastních zázamů o stráveném čase
401 401 permission_manage_news: Spravování novinek
402 402 permission_comment_news: Komentování novinek
403 403 permission_view_documents: Prohlížení dokumentů
404 404 permission_manage_files: Spravování souborů
405 405 permission_view_files: Prohlížení souborů
406 406 permission_manage_wiki: Spravování Wiki
407 407 permission_rename_wiki_pages: Přejmenovávání Wiki stránek
408 408 permission_delete_wiki_pages: Mazání stránek na Wiki
409 409 permission_view_wiki_pages: Prohlížení Wiki
410 410 permission_view_wiki_edits: Prohlížení historie Wiki
411 411 permission_edit_wiki_pages: Upravování stránek Wiki
412 412 permission_delete_wiki_pages_attachments: Mazání příloh
413 413 permission_protect_wiki_pages: Zabezpečení Wiki stránek
414 414 permission_manage_repository: Spravování repozitáře
415 415 permission_browse_repository: Procházení repozitáře
416 416 permission_view_changesets: Zobrazování revizí
417 417 permission_commit_access: Commit přístup
418 418 permission_manage_boards: Správa diskusních fór
419 419 permission_view_messages: Prohlížení příspěvků
420 420 permission_add_messages: Posílání příspěvků
421 421 permission_edit_messages: Upravování příspěvků
422 422 permission_edit_own_messages: Upravit vlastní příspěvky
423 423 permission_delete_messages: Mazání příspěvků
424 424 permission_delete_own_messages: Smazat vlastní příspěvky
425 425 permission_export_wiki_pages: Exportovat Wiki stránky
426 426 permission_manage_subtasks: Spravovat dílčí úkoly
427 427
428 428 project_module_issue_tracking: Sledování úkolů
429 429 project_module_time_tracking: Sledování času
430 430 project_module_news: Novinky
431 431 project_module_documents: Dokumenty
432 432 project_module_files: Soubory
433 433 project_module_wiki: Wiki
434 434 project_module_repository: Repozitář
435 435 project_module_boards: Diskuse
436 436 project_module_calendar: Kalendář
437 437 project_module_gantt: Gantt
438 438
439 439 label_user: Uživatel
440 440 label_user_plural: Uživatelé
441 441 label_user_new: Nový uživatel
442 442 label_user_anonymous: Anonymní
443 443 label_project: Projekt
444 444 label_project_new: Nový projekt
445 445 label_project_plural: Projekty
446 446 label_x_projects:
447 447 zero: žádné projekty
448 448 one: 1 projekt
449 449 other: "%{count} projekty(ů)"
450 450 label_project_all: Všechny projekty
451 451 label_project_latest: Poslední projekty
452 452 label_issue: Úkol
453 453 label_issue_new: Nový úkol
454 454 label_issue_plural: Úkoly
455 455 label_issue_view_all: Všechny úkoly
456 456 label_issues_by: "Úkoly podle %{value}"
457 457 label_issue_added: Úkol přidán
458 458 label_issue_updated: Úkol aktualizován
459 459 label_document: Dokument
460 460 label_document_new: Nový dokument
461 461 label_document_plural: Dokumenty
462 462 label_document_added: Dokument přidán
463 463 label_role: Role
464 464 label_role_plural: Role
465 465 label_role_new: Nová role
466 466 label_role_and_permissions: Role a práva
467 467 label_member: Člen
468 468 label_member_new: Nový člen
469 469 label_member_plural: Členové
470 470 label_tracker: Fronta
471 471 label_tracker_plural: Fronty
472 472 label_tracker_new: Nová fronta
473 473 label_workflow: Průběh práce
474 474 label_issue_status: Stav úkolu
475 475 label_issue_status_plural: Stavy úkolů
476 476 label_issue_status_new: Nový stav
477 477 label_issue_category: Kategorie úkolu
478 478 label_issue_category_plural: Kategorie úkolů
479 479 label_issue_category_new: Nová kategorie
480 480 label_custom_field: Uživatelské pole
481 481 label_custom_field_plural: Uživatelská pole
482 482 label_custom_field_new: Nové uživatelské pole
483 483 label_enumerations: Seznamy
484 484 label_enumeration_new: Nová hodnota
485 485 label_information: Informace
486 486 label_information_plural: Informace
487 487 label_please_login: Přihlašte se, prosím
488 488 label_register: Registrovat
489 489 label_login_with_open_id_option: nebo se přihlašte s OpenID
490 490 label_password_lost: Zapomenuté heslo
491 491 label_home: Úvodní
492 492 label_my_page: Moje stránka
493 493 label_my_account: Můj účet
494 494 label_my_projects: Moje projekty
495 495 label_my_page_block: Bloky na mé stránce
496 496 label_administration: Administrace
497 497 label_login: Přihlášení
498 498 label_logout: Odhlášení
499 499 label_help: Nápověda
500 500 label_reported_issues: Nahlášené úkoly
501 501 label_assigned_to_me_issues: Mé úkoly
502 502 label_last_login: Poslední přihlášení
503 503 label_registered_on: Registrován
504 504 label_activity: Aktivita
505 505 label_overall_activity: Celková aktivita
506 506 label_user_activity: "Aktivita uživatele: %{value}"
507 507 label_new: Nový
508 508 label_logged_as: Přihlášen jako
509 509 label_environment: Prostředí
510 510 label_authentication: Autentifikace
511 511 label_auth_source: Mód autentifikace
512 512 label_auth_source_new: Nový mód autentifikace
513 513 label_auth_source_plural: Módy autentifikace
514 514 label_subproject_plural: Podprojekty
515 515 label_subproject_new: Nový podprojekt
516 516 label_and_its_subprojects: "%{value} a jeho podprojekty"
517 517 label_min_max_length: Min - Max délka
518 518 label_list: Seznam
519 519 label_date: Datum
520 520 label_integer: Celé číslo
521 521 label_float: Desetinné číslo
522 522 label_boolean: Ano/Ne
523 523 label_string: Text
524 524 label_text: Dlouhý text
525 525 label_attribute: Atribut
526 526 label_attribute_plural: Atributy
527 527 label_no_data: Žádné položky
528 528 label_change_status: Změnit stav
529 529 label_history: Historie
530 530 label_attachment: Soubor
531 531 label_attachment_new: Nový soubor
532 532 label_attachment_delete: Odstranit soubor
533 533 label_attachment_plural: Soubory
534 534 label_file_added: Soubor přidán
535 535 label_report: Přehled
536 536 label_report_plural: Přehledy
537 537 label_news: Novinky
538 538 label_news_new: Přidat novinku
539 539 label_news_plural: Novinky
540 540 label_news_latest: Poslední novinky
541 541 label_news_view_all: Zobrazit všechny novinky
542 542 label_news_added: Novinka přidána
543 543 label_settings: Nastavení
544 544 label_overview: Přehled
545 545 label_version: Verze
546 546 label_version_new: Nová verze
547 547 label_version_plural: Verze
548 548 label_close_versions: Zavřít dokončené verze
549 549 label_confirmation: Potvrzení
550 550 label_export_to: 'Také k dispozici:'
551 551 label_read: Načítá se...
552 552 label_public_projects: Veřejné projekty
553 553 label_open_issues: otevřený
554 554 label_open_issues_plural: otevřené
555 555 label_closed_issues: uzavřený
556 556 label_closed_issues_plural: uzavřené
557 557 label_x_open_issues_abbr_on_total:
558 558 zero: 0 otevřených / %{total}
559 559 one: 1 otevřený / %{total}
560 560 other: "%{count} otevřených / %{total}"
561 561 label_x_open_issues_abbr:
562 562 zero: 0 otevřených
563 563 one: 1 otevřený
564 564 other: "%{count} otevřených"
565 565 label_x_closed_issues_abbr:
566 566 zero: 0 uzavřených
567 567 one: 1 uzavřený
568 568 other: "%{count} uzavřených"
569 569 label_total: Celkem
570 570 label_permissions: Práva
571 571 label_current_status: Aktuální stav
572 572 label_new_statuses_allowed: Nové povolené stavy
573 573 label_all: vše
574 574 label_none: nic
575 575 label_nobody: nikdo
576 576 label_next: Další
577 577 label_previous: Předchozí
578 578 label_used_by: Použito
579 579 label_details: Detaily
580 580 label_add_note: Přidat poznámku
581 581 label_calendar: Kalendář
582 582 label_months_from: měsíců od
583 583 label_gantt: Ganttův diagram
584 584 label_internal: Interní
585 585 label_last_changes: "posledních %{count} změn"
586 586 label_change_view_all: Zobrazit všechny změny
587 587 label_personalize_page: Přizpůsobit tuto stránku
588 588 label_comment: Komentář
589 589 label_comment_plural: Komentáře
590 590 label_x_comments:
591 591 zero: žádné komentáře
592 592 one: 1 komentář
593 593 other: "%{count} komentářů"
594 594 label_comment_add: Přidat komentáře
595 595 label_comment_added: Komentář přidán
596 596 label_comment_delete: Odstranit komentář
597 597 label_query: Uživatelský dotaz
598 598 label_query_plural: Uživatelské dotazy
599 599 label_query_new: Nový dotaz
600 600 label_filter_add: Přidat filtr
601 601 label_filter_plural: Filtry
602 602 label_equals: je
603 603 label_not_equals: není
604 604 label_in_less_than: je měší než
605 605 label_in_more_than: je větší než
606 606 label_greater_or_equal: '>='
607 607 label_less_or_equal: '<='
608 608 label_in: v
609 609 label_today: dnes
610 610 label_all_time: vše
611 611 label_yesterday: včera
612 612 label_this_week: tento týden
613 613 label_last_week: minulý týden
614 614 label_last_n_days: "posledních %{count} dnů"
615 615 label_this_month: tento měsíc
616 616 label_last_month: minulý měsíc
617 617 label_this_year: tento rok
618 618 label_date_range: Časový rozsah
619 619 label_less_than_ago: před méně jak (dny)
620 620 label_more_than_ago: před více jak (dny)
621 621 label_ago: před (dny)
622 622 label_contains: obsahuje
623 623 label_not_contains: neobsahuje
624 624 label_day_plural: dny
625 625 label_repository: Repozitář
626 626 label_repository_plural: Repozitáře
627 627 label_browse: Procházet
628 628 label_branch: Větev
629 629 label_tag: Tag
630 630 label_revision: Revize
631 631 label_revision_plural: Revizí
632 632 label_revision_id: "Revize %{value}"
633 633 label_associated_revisions: Související verze
634 634 label_added: přidáno
635 635 label_modified: změněno
636 636 label_copied: zkopírováno
637 637 label_renamed: přejmenováno
638 638 label_deleted: odstraněno
639 639 label_latest_revision: Poslední revize
640 640 label_latest_revision_plural: Poslední revize
641 641 label_view_revisions: Zobrazit revize
642 642 label_view_all_revisions: Zobrazit všechny revize
643 643 label_max_size: Maximální velikost
644 644 label_sort_highest: Přesunout na začátek
645 645 label_sort_higher: Přesunout nahoru
646 646 label_sort_lower: Přesunout dolů
647 647 label_sort_lowest: Přesunout na konec
648 648 label_roadmap: Plán
649 649 label_roadmap_due_in: "Zbývá %{value}"
650 650 label_roadmap_overdue: "%{value} pozdě"
651 651 label_roadmap_no_issues: Pro tuto verzi nejsou žádné úkoly
652 652 label_search: Hledat
653 653 label_result_plural: Výsledky
654 654 label_all_words: Všechna slova
655 655 label_wiki: Wiki
656 656 label_wiki_edit: Wiki úprava
657 657 label_wiki_edit_plural: Wiki úpravy
658 658 label_wiki_page: Wiki stránka
659 659 label_wiki_page_plural: Wiki stránky
660 660 label_index_by_title: Index dle názvu
661 661 label_index_by_date: Index dle data
662 662 label_current_version: Aktuální verze
663 663 label_preview: Náhled
664 664 label_feed_plural: Příspěvky
665 665 label_changes_details: Detail všech změn
666 666 label_issue_tracking: Sledování úkolů
667 667 label_spent_time: Strávený čas
668 668 label_overall_spent_time: Celkem strávený čas
669 669 label_f_hour: "%{value} hodina"
670 670 label_f_hour_plural: "%{value} hodin"
671 671 label_time_tracking: Sledování času
672 672 label_change_plural: Změny
673 673 label_statistics: Statistiky
674 674 label_commits_per_month: Commitů za měsíc
675 675 label_commits_per_author: Commitů za autora
676 676 label_view_diff: Zobrazit rozdíly
677 677 label_diff_inline: uvnitř
678 678 label_diff_side_by_side: vedle sebe
679 679 label_options: Nastavení
680 680 label_copy_workflow_from: Kopírovat průběh práce z
681 681 label_permissions_report: Přehled práv
682 682 label_watched_issues: Sledované úkoly
683 683 label_related_issues: Související úkoly
684 684 label_applied_status: Použitý stav
685 685 label_loading: Nahrávám...
686 686 label_relation_new: Nová souvislost
687 687 label_relation_delete: Odstranit souvislost
688 688 label_relates_to: související s
689 689 label_duplicates: duplikuje
690 690 label_duplicated_by: duplikován
691 691 label_blocks: blokuje
692 692 label_blocked_by: blokován
693 693 label_precedes: předchází
694 694 label_follows: následuje
695 695 label_end_to_start: od konce do začátku
696 696 label_end_to_end: od konce do konce
697 697 label_start_to_start: od začátku do začátku
698 698 label_start_to_end: od začátku do konce
699 699 label_stay_logged_in: Zůstat přihlášený
700 700 label_disabled: zakázán
701 701 label_show_completed_versions: Zobrazit dokončené verze
702 702 label_me:
703 703 label_board: Fórum
704 704 label_board_new: Nové fórum
705 705 label_board_plural: Fóra
706 706 label_board_locked: Zamčeno
707 707 label_board_sticky: Nálepka
708 708 label_topic_plural: Témata
709 709 label_message_plural: Příspěvky
710 710 label_message_last: Poslední příspěvek
711 711 label_message_new: Nový příspěvek
712 712 label_message_posted: Příspěvek přidán
713 713 label_reply_plural: Odpovědi
714 714 label_send_information: Zaslat informace o účtu uživateli
715 715 label_year: Rok
716 716 label_month: Měsíc
717 717 label_week: Týden
718 718 label_date_from: Od
719 719 label_date_to: Do
720 720 label_language_based: Podle výchozího jazyka
721 721 label_sort_by: "Seřadit podle %{value}"
722 722 label_send_test_email: Poslat testovací email
723 723 label_feeds_access_key: Přístupový klíč pro Atom
724 724 label_missing_feeds_access_key: Postrádá přístupový klíč pro Atom
725 725 label_feeds_access_key_created_on: "Přístupový klíč pro Atom byl vytvořen před %{value}"
726 726 label_module_plural: Moduly
727 727 label_added_time_by: "Přidáno uživatelem %{author} před %{age}"
728 728 label_updated_time_by: "Aktualizováno uživatelem %{author} před %{age}"
729 729 label_updated_time: "Aktualizováno před %{value}"
730 730 label_jump_to_a_project: Vyberte projekt...
731 731 label_file_plural: Soubory
732 732 label_changeset_plural: Revize
733 733 label_default_columns: Výchozí sloupce
734 734 label_no_change_option: (beze změny)
735 735 label_bulk_edit_selected_issues: Hromadná úprava vybraných úkolů
736 736 label_theme: Téma
737 737 label_default: Výchozí
738 738 label_search_titles_only: Vyhledávat pouze v názvech
739 739 label_user_mail_option_all: "Pro všechny události všech mých projektů"
740 740 label_user_mail_option_selected: "Pro všechny události vybraných projektů..."
741 741 label_user_mail_option_none: "Žádné události"
742 742 label_user_mail_option_only_my_events: "Jen pro věci, co sleduji nebo jsem v nich zapojen"
743 743 label_user_mail_option_only_assigned: "Jen pro věci, ke kterým sem přiřazen"
744 744 label_user_mail_option_only_owner: "Jen pro věci, které vlastním"
745 745 label_user_mail_no_self_notified: "Nezasílat informace o mnou vytvořených změnách"
746 746 label_registration_activation_by_email: aktivace účtu emailem
747 747 label_registration_manual_activation: manuální aktivace účtu
748 748 label_registration_automatic_activation: automatická aktivace účtu
749 749 label_display_per_page: "%{value} na stránku"
750 750 label_age: Věk
751 751 label_change_properties: Změnit vlastnosti
752 752 label_general: Obecné
753 753 label_more: Více
754 754 label_scm: SCM
755 755 label_plugins: Doplňky
756 756 label_ldap_authentication: Autentifikace LDAP
757 757 label_downloads_abbr: Staž.
758 758 label_optional_description: Volitelný popis
759 759 label_add_another_file: Přidat další soubor
760 760 label_preferences: Nastavení
761 761 label_chronological_order: V chronologickém pořadí
762 762 label_reverse_chronological_order: V obrácaném chronologickém pořadí
763 763 label_planning: Plánování
764 764 label_incoming_emails: Příchozí e-maily
765 765 label_generate_key: Generovat klíč
766 766 label_issue_watchers: Sledování
767 767 label_example: Příklad
768 768 label_display: Zobrazit
769 769 label_sort: Řazení
770 770 label_ascending: Vzestupně
771 771 label_descending: Sestupně
772 772 label_date_from_to: Od %{start} do %{end}
773 773 label_wiki_content_added: Wiki stránka přidána
774 774 label_wiki_content_updated: Wiki stránka aktualizována
775 775 label_group: Skupina
776 776 label_group_plural: Skupiny
777 777 label_group_new: Nová skupina
778 778 label_time_entry_plural: Strávený čas
779 779 label_version_sharing_none: Nesdíleno
780 780 label_version_sharing_descendants: S podprojekty
781 781 label_version_sharing_hierarchy: S hierarchií projektu
782 782 label_version_sharing_tree: Se stromem projektu
783 783 label_version_sharing_system: Se všemi projekty
784 784 label_update_issue_done_ratios: Aktualizovat koeficienty dokončení úkolů
785 785 label_copy_source: Zdroj
786 786 label_copy_target: Cíl
787 787 label_copy_same_as_target: Stejný jako cíl
788 788 label_display_used_statuses_only: Zobrazit pouze stavy které jsou použité touto frontou
789 789 label_api_access_key: API přístupový klíč
790 790 label_missing_api_access_key: Chybějící přístupový klíč API
791 791 label_api_access_key_created_on: API přístupový klíč vytvořen %{value}
792 792 label_profile: Profil
793 793 label_subtask_plural: Dílčí úkoly
794 794 label_project_copy_notifications: Odeslat email oznámení v průběhu kopie projektu
795 795 label_principal_search: "Hledat uživatele nebo skupinu:"
796 796 label_user_search: "Hledat uživatele:"
797 797
798 798 button_login: Přihlásit
799 799 button_submit: Potvrdit
800 800 button_save: Uložit
801 801 button_check_all: Zašrtnout vše
802 802 button_uncheck_all: Odšrtnout vše
803 803 button_delete: Odstranit
804 804 button_create: Vytvořit
805 805 button_create_and_continue: Vytvořit a pokračovat
806 806 button_test: Testovat
807 807 button_edit: Upravit
808 808 button_edit_associated_wikipage: "Upravit přiřazenou Wiki stránku: %{page_title}"
809 809 button_add: Přidat
810 810 button_change: Změnit
811 811 button_apply: Použít
812 812 button_clear: Smazat
813 813 button_lock: Zamknout
814 814 button_unlock: Odemknout
815 815 button_download: Stáhnout
816 816 button_list: Vypsat
817 817 button_view: Zobrazit
818 818 button_move: Přesunout
819 819 button_move_and_follow: Přesunout a následovat
820 820 button_back: Zpět
821 821 button_cancel: Storno
822 822 button_activate: Aktivovat
823 823 button_sort: Seřadit
824 824 button_log_time: Přidat čas
825 825 button_rollback: Zpět k této verzi
826 826 button_watch: Sledovat
827 827 button_unwatch: Nesledovat
828 828 button_reply: Odpovědět
829 829 button_archive: Archivovat
830 830 button_unarchive: Dearchivovat
831 831 button_reset: Resetovat
832 832 button_rename: Přejmenovat
833 833 button_change_password: Změnit heslo
834 834 button_copy: Kopírovat
835 835 button_copy_and_follow: Kopírovat a následovat
836 836 button_annotate: Komentovat
837 837 button_update: Aktualizovat
838 838 button_configure: Konfigurovat
839 839 button_quote: Citovat
840 840 button_duplicate: Duplikovat
841 841 button_show: Zobrazit
842 842
843 843 status_active: aktivní
844 844 status_registered: registrovaný
845 845 status_locked: zamčený
846 846
847 847 version_status_open: otevřený
848 848 version_status_locked: zamčený
849 849 version_status_closed: zavřený
850 850
851 851 field_active: Aktivní
852 852
853 853 text_select_mail_notifications: Vyberte akci, při které bude zasláno upozornění emailem.
854 854 text_regexp_info: např. ^[A-Z0-9]+$
855 855 text_min_max_length_info: 0 znamená bez limitu
856 856 text_project_destroy_confirmation: Jste si jisti, že chcete odstranit tento projekt a všechna související data?
857 857 text_subprojects_destroy_warning: "Jeho podprojek(y): %{value} budou také smazány."
858 858 text_workflow_edit: Vyberte roli a frontu k editaci průběhu práce
859 859 text_are_you_sure: Jste si jisti?
860 860 text_journal_changed: "%{label} změněn z %{old} na %{new}"
861 861 text_journal_set_to: "%{label} nastaven na %{value}"
862 862 text_journal_deleted: "%{label} smazán (%{old})"
863 863 text_journal_added: "%{label} %{value} přidán"
864 864 text_tip_issue_begin_day: úkol začíná v tento den
865 865 text_tip_issue_end_day: úkol končí v tento den
866 866 text_tip_issue_begin_end_day: úkol začíná a končí v tento den
867 867 text_caracters_maximum: "%{count} znaků maximálně."
868 868 text_caracters_minimum: "Musí být alespoň %{count} znaků dlouhé."
869 869 text_length_between: "Délka mezi %{min} a %{max} znaky."
870 870 text_tracker_no_workflow: Pro tuto frontu není definován žádný průběh práce
871 871 text_unallowed_characters: Nepovolené znaky
872 872 text_comma_separated: Povoleno více hodnot (oddělěné čárkou).
873 873 text_line_separated: Více hodnot povoleno (jeden řádek pro každou hodnotu).
874 874 text_issues_ref_in_commit_messages: Odkazování a opravování úkolů v poznámkách commitů
875 875 text_issue_added: "Úkol %{id} byl vytvořen uživatelem %{author}."
876 876 text_issue_updated: "Úkol %{id} byl aktualizován uživatelem %{author}."
877 877 text_wiki_destroy_confirmation: Opravdu si přejete odstranit tuto Wiki a celý její obsah?
878 878 text_issue_category_destroy_question: "Některé úkoly (%{count}) jsou přiřazeny k této kategorii. Co s nimi chtete udělat?"
879 879 text_issue_category_destroy_assignments: Zrušit přiřazení ke kategorii
880 880 text_issue_category_reassign_to: Přiřadit úkoly do této kategorie
881 881 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))."
882 882 text_no_configuration_data: "Role, fronty, stavy úkolů ani průběh práce nebyly zatím nakonfigurovány.\nVelice doporučujeme nahrát výchozí konfiguraci. Po si můžete vše upravit"
883 883 text_load_default_configuration: Nahrát výchozí konfiguraci
884 884 text_status_changed_by_changeset: "Použito v sadě změn %{value}."
885 885 text_time_logged_by_changeset: Aplikováno v sadě změn %{value}.
886 886 text_issues_destroy_confirmation: 'Opravdu si přejete odstranit všechny zvolené úkoly?'
887 887 text_select_project_modules: 'Aktivní moduly v tomto projektu:'
888 888 text_default_administrator_account_changed: Výchozí nastavení administrátorského účtu změněno
889 889 text_file_repository_writable: Povolen zápis do adresáře ukládání souborů
890 890 text_plugin_assets_writable: Možnost zápisu do adresáře plugin assets
891 891 text_rmagick_available: RMagick k dispozici (volitelné)
892 892 text_destroy_time_entries_question: "U úkolů, které chcete odstranit, je evidováno %{hours} práce. Co chete udělat?"
893 893 text_destroy_time_entries: Odstranit zaznamenané hodiny.
894 894 text_assign_time_entries_to_project: Přiřadit zaznamenané hodiny projektu
895 895 text_reassign_time_entries: 'Přeřadit zaznamenané hodiny k tomuto úkolu:'
896 896 text_user_wrote: "%{value} napsal:"
897 897 text_enumeration_destroy_question: "Několik (%{count}) objektů je přiřazeno k této hodnotě."
898 898 text_enumeration_category_reassign_to: 'Přeřadit je do této:'
899 899 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/configuration.yml a restartujte aplikaci."
900 900 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živatelským jménem a uživatelským jménem v repozitáři jsou mapováni automaticky."
901 901 text_diff_truncated: '... Rozdílový soubor je zkrácen, protože jeho délka přesahuje max. limit.'
902 902 text_custom_field_possible_values_info: 'Každá hodnota na novém řádku'
903 903 text_wiki_page_destroy_question: Tato stránka má %{descendants} podstránek a potomků. Co chcete udělat?
904 904 text_wiki_page_nullify_children: Ponechat podstránky jako kořenové stránky
905 905 text_wiki_page_destroy_children: Smazat podstránky a všechny jejich potomky
906 906 text_wiki_page_reassign_children: Přiřadit podstránky k tomuto rodiči
907 907 text_own_membership_delete_confirmation: "Chystáte se odebrat si některá nebo všechna svá oprávnění, potom již nemusíte být schopni upravit tento projekt.\nOpravdu chcete pokračovat?"
908 908 text_zoom_in: Přiblížit
909 909 text_zoom_out: Oddálit
910 910
911 911 default_role_manager: Manažer
912 912 default_role_developer: Vývojář
913 913 default_role_reporter: Reportér
914 914 default_tracker_bug: Chyba
915 915 default_tracker_feature: Požadavek
916 916 default_tracker_support: Podpora
917 917 default_issue_status_new: Nový
918 918 default_issue_status_in_progress: Ve vývoji
919 919 default_issue_status_resolved: Vyřešený
920 920 default_issue_status_feedback: Čeká se
921 921 default_issue_status_closed: Uzavřený
922 922 default_issue_status_rejected: Odmítnutý
923 923 default_doc_category_user: Uživatelská dokumentace
924 924 default_doc_category_tech: Technická dokumentace
925 925 default_priority_low: Nízká
926 926 default_priority_normal: Normální
927 927 default_priority_high: Vysoká
928 928 default_priority_urgent: Urgentní
929 929 default_priority_immediate: Okamžitá
930 930 default_activity_design: Návhr
931 931 default_activity_development: Vývoj
932 932
933 933 enumeration_issue_priorities: Priority úkolů
934 934 enumeration_doc_categories: Kategorie dokumentů
935 935 enumeration_activities: Aktivity (sledování času)
936 936 enumeration_system_activity: Systémová aktivita
937 937
938 938 field_warn_on_leaving_unsaved: Varuj mě před opuštěním stránky s neuloženým textem
939 939 text_warn_on_leaving_unsaved: Aktuální stránka obsahuje neuložený text, který bude ztracen, když opustíte stránku.
940 940 label_my_queries: Moje vlastní dotazy
941 941 text_journal_changed_no_detail: "%{label} aktualizován"
942 942 label_news_comment_added: K novince byl přidán komentář
943 943 button_expand_all: Rozbal vše
944 944 button_collapse_all: Sbal vše
945 945 label_additional_workflow_transitions_for_assignee: Další změna stavu povolena, jestliže je uživatel přiřazen
946 946 label_additional_workflow_transitions_for_author: Další změna stavu povolena, jestliže je uživatel autorem
947 947 label_bulk_edit_selected_time_entries: Hromadná změna záznamů času
948 948 text_time_entries_destroy_confirmation: Jste si jistí, že chcete smazat vybraný záznam(y) času?
949 949 label_role_anonymous: Anonymní
950 950 label_role_non_member: Není členem
951 951 label_issue_note_added: Přidána poznámka
952 952 label_issue_status_updated: Aktualizován stav
953 953 label_issue_priority_updated: Aktualizována priorita
954 954 label_issues_visibility_own: Úkol vytvořen nebo přiřazen uživatel(i/em)
955 955 field_issues_visibility: Viditelnost úkolů
956 956 label_issues_visibility_all: Všechny úkoly
957 957 permission_set_own_issues_private: Nastavit vlastní úkoly jako veřejné nebo soukromé
958 958 field_is_private: Soukromý
959 959 permission_set_issues_private: Nastavit úkoly jako veřejné nebo soukromé
960 960 label_issues_visibility_public: Všechny úkoly, které nejsou soukromé
961 961 text_issues_destroy_descendants_confirmation: "%{count} dílčí(ch) úkol(ů) bude rovněž smazán(o)."
962 962 field_commit_logs_encoding: Kódování zpráv při commitu
963 963 field_scm_path_encoding: Kódování cesty SCM
964 964 text_scm_path_encoding_note: "Výchozí: UTF-8"
965 965 field_path_to_repository: Cesta k repositáři
966 966 field_root_directory: Kořenový adresář
967 967 field_cvs_module: Modul
968 968 field_cvsroot: CVSROOT
969 969 text_mercurial_repository_note: Lokální repositář (např. /hgrepo, c:\hgrepo)
970 970 text_scm_command: Příkaz
971 971 text_scm_command_version: Verze
972 972 label_git_report_last_commit: Reportovat poslední commit pro soubory a adresáře
973 973 text_scm_config: Můžete si nastavit vaše SCM příkazy v config/configuration.yml. Restartujte, prosím, aplikaci po jejich úpravě.
974 974 text_scm_command_not_available: SCM příkaz není k dispozici. Zkontrolujte, prosím, nastavení v panelu Administrace.
975 975 notice_issue_successful_create: Úkol %{id} vytvořen.
976 976 label_between: mezi
977 977 setting_issue_group_assignment: Povolit přiřazení úkolu skupině
978 978 label_diff: rozdíl
979 979 text_git_repository_note: Repositář je "bare and local" (např. /gitrepo, c:\gitrepo)
980 980 description_query_sort_criteria_direction: Směr třídění
981 981 description_project_scope: Rozsah vyhledávání
982 982 description_filter: Filtr
983 983 description_user_mail_notification: Nastavení emailových notifikací
984 984 description_date_from: Zadejte počáteční datum
985 985 description_message_content: Obsah zprávy
986 986 description_available_columns: Dostupné sloupce
987 987 description_date_range_interval: Zvolte rozsah výběrem počátečního a koncového data
988 988 description_issue_category_reassign: Zvolte kategorii úkolu
989 989 description_search: Vyhledávací pole
990 990 description_notes: Poznámky
991 991 description_date_range_list: Zvolte rozsah ze seznamu
992 992 description_choose_project: Projekty
993 993 description_date_to: Zadejte datum
994 994 description_query_sort_criteria_attribute: Třídící atribut
995 995 description_wiki_subpages_reassign: Zvolte novou rodičovskou stránku
996 996 description_selected_columns: Vybraný sloupec
997 997 label_parent_revision: Rodič
998 998 label_child_revision: Potomek
999 999 error_scm_annotate_big_text_file: Vstup nemůže být komentován, protože překračuje povolenou velikost textového souboru
1000 1000 setting_default_issue_start_date_to_creation_date: Použij aktuální datum jako počáteční datum pro nové úkoly
1001 1001 button_edit_section: Uprav tuto část
1002 1002 setting_repositories_encodings: Kódování příloh a repositářů
1003 1003 description_all_columns: Všechny sloupce
1004 1004 button_export: Export
1005 1005 label_export_options: "nastavení exportu %{export_format}"
1006 1006 error_attachment_too_big: Soubor nemůže být nahrán, protože jeho velikost je větší než maximální (%{max_size})
1007 1007 notice_failed_to_save_time_entries: "Chyba při ukládání %{count} časov(ých/ého) záznam(ů) z %{total} vybraného: %{ids}."
1008 1008 label_x_issues:
1009 1009 zero: 0 Úkol
1010 1010 one: 1 Úkol
1011 1011 other: "%{count} Úkoly"
1012 1012 label_repository_new: Nový repositář
1013 1013 field_repository_is_default: Hlavní repositář
1014 1014 label_copy_attachments: Kopírovat přílohy
1015 1015 label_item_position: "%{position}/%{count}"
1016 1016 label_completed_versions: Dokončené verze
1017 1017 text_project_identifier_info: Jsou povolena pouze malá písmena (a-z), číslice, pomlčky a podtržítka.<br />Po uložení již nelze identifikátor měnit.
1018 1018 field_multiple: Více hodnot
1019 1019 setting_commit_cross_project_ref: Povolit reference a opravy úkolů ze všech ostatních projektů
1020 1020 text_issue_conflict_resolution_add_notes: Přidat moje poznámky a zahodit ostatní změny
1021 1021 text_issue_conflict_resolution_overwrite: Přesto přijmout moje úpravy (předchozí poznámky budou zachovány, ale některé změny mohou být přepsány)
1022 1022 notice_issue_update_conflict: Během vašich úprav byl úkol aktualizován jiným uživatelem.
1023 1023 text_issue_conflict_resolution_cancel: Zahoď všechny moje změny a znovu zobraz %{link}
1024 1024 permission_manage_related_issues: Spravuj související úkoly
1025 1025 field_auth_source_ldap_filter: LDAP filtr
1026 1026 label_search_for_watchers: Hledej sledující pro přidání
1027 1027 notice_account_deleted: Váš účet byl trvale smazán.
1028 1028 setting_unsubscribe: Povolit uživatelům smazání jejich vlastního účtu
1029 1029 button_delete_my_account: Smazat můj účet
1030 1030 text_account_destroy_confirmation: |-
1031 1031 Skutečně chcete pokračovat?
1032 1032 Váš účet bude nenávratně smazán.
1033 1033 error_session_expired: Vaše sezení vypršelo. Znovu se přihlaste, prosím.
1034 1034 text_session_expiration_settings: "Varování: změnou tohoto nastavení mohou vypršet aktuální sezení včetně toho vašeho."
1035 1035 setting_session_lifetime: Maximální čas sezení
1036 1036 setting_session_timeout: Vypršení sezení bez aktivity
1037 1037 label_session_expiration: Vypršení sezení
1038 1038 permission_close_project: Zavřít / Otevřít projekt
1039 1039 label_show_closed_projects: Zobrazit zavřené projekty
1040 1040 button_close: Zavřít
1041 1041 button_reopen: Znovu otevřít
1042 1042 project_status_active: aktivní
1043 1043 project_status_closed: zavřený
1044 1044 project_status_archived: archivovaný
1045 1045 text_project_closed: Tento projekt je uzevřený a je pouze pro čtení.
1046 1046 notice_user_successful_create: Uživatel %{id} vytvořen.
1047 1047 field_core_fields: Standardní pole
1048 1048 field_timeout: Vypršení (v sekundách)
1049 1049 setting_thumbnails_enabled: Zobrazit náhled přílohy
1050 1050 setting_thumbnails_size: Velikost náhledu (v pixelech)
1051 1051 label_status_transitions: Změna stavu
1052 1052 label_fields_permissions: Práva k polím
1053 1053 label_readonly: Pouze pro čtení
1054 1054 label_required: Vyžadováno
1055 1055 text_repository_identifier_info: Jou povoleny pouze malá písmena (a-z), číslice, pomlčky a podtržítka.<br />Po uložení již nelze identifikátor změnit.
1056 1056 field_board_parent: Rodičovské fórum
1057 1057 label_attribute_of_project: Projektové %{name}
1058 1058 label_attribute_of_author: Autorovo %{name}
1059 1059 label_attribute_of_assigned_to: "%{name} přiřazené(ho)"
1060 1060 label_attribute_of_fixed_version: Cílová verze %{name}
1061 1061 label_copy_subtasks: Kopírovat dílčí úkoly
1062 1062 label_copied_to: zkopírováno do
1063 1063 label_copied_from: zkopírováno z
1064 1064 label_any_issues_in_project: jakékoli úkoly v projektu
1065 1065 label_any_issues_not_in_project: jakékoli úkoly mimo projekt
1066 1066 field_private_notes: Soukromé poznámky
1067 1067 permission_view_private_notes: Zobrazit soukromé poznámky
1068 1068 permission_set_notes_private: Nastavit poznámky jako soukromé
1069 1069 label_no_issues_in_project: žádné úkoly v projektu
1070 1070 label_any: vše
1071 1071 label_last_n_weeks: poslední %{count} týdny
1072 1072 setting_cross_project_subtasks: Povolit dílčí úkoly napříč projekty
1073 1073 label_cross_project_descendants: S podprojekty
1074 1074 label_cross_project_tree: Se stromem projektu
1075 1075 label_cross_project_hierarchy: S hierarchií projektu
1076 1076 label_cross_project_system: Se všemi projekty
1077 1077 button_hide: Skrýt
1078 1078 setting_non_working_week_days: Dny pracovního volna/klidu
1079 1079 label_in_the_next_days: v přístích
1080 1080 label_in_the_past_days: v minulých
1081 1081 label_attribute_of_user: "%{name} uživatel(e/ky)"
1082 1082 text_turning_multiple_off: Jestliže zakážete více hodnot,
1083 1083 hodnoty budou smazány za účelem rezervace pouze jediné hodnoty na položku.
1084 1084 label_attribute_of_issue: "%{name} úkolu"
1085 1085 permission_add_documents: Přidat dokument
1086 1086 permission_edit_documents: Upravit dokumenty
1087 1087 permission_delete_documents: Smazet dokumenty
1088 1088 label_gantt_progress_line: Vývojová čára
1089 1089 setting_jsonp_enabled: Povolit podporu JSONP
1090 1090 field_inherit_members: Zdědit členy
1091 1091 field_closed_on: Uzavřeno
1092 1092 field_generate_password: Generovat heslo
1093 1093 setting_default_projects_tracker_ids: Výchozí fronta pro nové projekty
1094 1094 label_total_time: Celkem
1095 1095 notice_account_not_activated_yet: Neaktivovali jste si dosud Váš účet.
1096 1096 Pro opětovné zaslání aktivačního emailu <a href="%{url}">klikněte na tento odkaz</a>, prosím.
1097 1097 notice_account_locked: Váš účet je uzamčen.
1098 1098 label_hidden: Skrytý
1099 1099 label_visibility_private: pouze pro mě
1100 1100 label_visibility_roles: pouze pro tyto role
1101 1101 label_visibility_public: pro všechny uživatele
1102 1102 field_must_change_passwd: Musí změnit heslo při příštím přihlášení
1103 1103 notice_new_password_must_be_different: Nové heslo se musí lišit od stávajícího
1104 1104 setting_mail_handler_excluded_filenames: Vyřadit přílohy podle jména
1105 1105 text_convert_available: ImageMagick convert k dispozici (volitelné)
1106 1106 label_link: Odkaz
1107 1107 label_only: jenom
1108 1108 label_drop_down_list: rozbalovací seznam
1109 1109 label_checkboxes: zaškrtávátka
1110 1110 label_link_values_to: Propojit hodnoty s URL
1111 1111 setting_force_default_language_for_anonymous: Vynutit výchozí jazyk pro anonymní uživatele
1112 1112 users
1113 1113 setting_force_default_language_for_loggedin: Vynutit výchozí jazyk pro přihlášené uživatele
1114 1114 users
1115 1115 label_custom_field_select_type: Vybrat typ objektu, ke kterému bude přiřazeno uživatelské pole
1116 1116 label_issue_assigned_to_updated: Přiřazený uživatel aktualizován
1117 1117 label_check_for_updates: Zkontroluj aktualizace
1118 1118 label_latest_compatible_version: Poslední kompatibilní verze
1119 1119 label_unknown_plugin: Nezámý plugin
1120 1120 label_radio_buttons: radio tlačítka
1121 1121 label_group_anonymous: Anonymní uživatelé
1122 1122 label_group_non_member: Nečleni
1123 1123 label_add_projects: Přidat projekty
1124 1124 field_default_status: Výchozí stav
1125 1125 text_subversion_repository_note: 'Např.: file:///, http://, https://, svn://, svn+[tunnelscheme]://'
1126 1126 field_users_visibility: Viditelnost uživatelů
1127 1127 label_users_visibility_all: Všichni aktivní uživatelé
1128 1128 label_users_visibility_members_of_visible_projects: Členové viditelných projektů
1129 1129 label_edit_attachments: Editovat přiložené soubory
1130 1130 setting_link_copied_issue: Vytvořit odkazy na kopírované úkol
1131 1131 label_link_copied_issue: Vytvořit odkaz na kopírovaný úkol
1132 1132 label_ask: Zeptat se
1133 1133 label_search_attachments_yes: Vyhledat názvy a popisy souborů
1134 1134 label_search_attachments_no: Nevyhledávat soubory
1135 1135 label_search_attachments_only: Vyhledávat pouze soubory
1136 1136 label_search_open_issues_only: Pouze otevřené úkoly
1137 1137 field_address: Email
1138 1138 setting_max_additional_emails: Maximální počet dalších emailových adres
1139 1139 label_email_address_plural: Emaily
1140 1140 label_email_address_add: Přidat emailovou adresu
1141 1141 label_enable_notifications: Povolit notifikace
1142 1142 label_disable_notifications: Zakázat notifikace
1143 1143 setting_search_results_per_page: Vyhledaných výsledků na stránku
1144 1144 label_blank_value: prázdný
1145 1145 permission_copy_issues: Kopírovat úkoly
1146 1146 error_password_expired: Platnost vašeho hesla vypršela a administrátor vás žádá o jeho změnu.
1147 1147 field_time_entries_visibility: Viditelnost šasového logu
1148 1148 setting_password_max_age: Změna hesla je vyžadována po
1149 1149 label_parent_task_attributes: Atributy rodičovského úkolu
1150 1150 label_parent_task_attributes_derived: Vypočteno z dílčích úkolů
1151 1151 label_parent_task_attributes_independent: Nezávisle na dílčích úkolech
1152 1152 label_time_entries_visibility_all: Všechny zaznamenané časy
1153 1153 label_time_entries_visibility_own: Zaznamenané časy vytvořené uživatelem
1154 1154 label_member_management: Správa členů
1155 1155 label_member_management_all_roles: Všechny role
1156 1156 label_member_management_selected_roles_only: Pouze tyto role
1157 1157 label_password_required: Pro pokračování potvrďte vaše heslo
1158 1158 label_total_spent_time: Celkem strávený čas
1159 1159 notice_import_finished: All %{count} items have been imported.
1160 1160 notice_import_finished_with_errors: ! '%{count} out of %{total} items could not be
1161 1161 imported.'
1162 1162 error_invalid_file_encoding: The file is not a valid %{encoding} encoded file
1163 1163 error_invalid_csv_file_or_settings: The file is not a CSV file or does not match the
1164 1164 settings below
1165 1165 error_can_not_read_import_file: An error occurred while reading the file to import
1166 1166 permission_import_issues: Import issues
1167 1167 label_import_issues: Import issues
1168 1168 label_select_file_to_import: Select the file to import
1169 1169 label_fields_separator: Field separator
1170 1170 label_fields_wrapper: Field wrapper
1171 1171 label_encoding: Encoding
1172 label_coma_char: Coma
1172 label_comma_char: Comma
1173 1173 label_semi_colon_char: Semi colon
1174 1174 label_quote_char: Quote
1175 1175 label_double_quote_char: Double quote
1176 1176 label_fields_mapping: Fields mapping
1177 1177 label_file_content_preview: File content preview
1178 1178 label_create_missing_values: Create missing values
1179 1179 button_import: Import
1180 1180 field_total_estimated_hours: Total estimated time
1181 1181 label_api: API
1182 1182 label_total_plural: Totals
@@ -1,1198 +1,1198
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 direction: ltr
7 7 date:
8 8 formats:
9 9 default: "%d.%m.%Y"
10 10 short: "%e. %b %Y"
11 11 long: "%e. %B %Y"
12 12
13 13 day_names: [søndag, mandag, tirsdag, onsdag, torsdag, fredag, lørdag]
14 14 abbr_day_names: [, ma, ti, 'on', to, fr, ]
15 15 month_names: [~, januar, februar, marts, april, maj, juni, juli, august, september, oktober, november, december]
16 16 abbr_month_names: [~, jan, feb, mar, apr, maj, jun, jul, aug, sep, okt, nov, dec]
17 17 order:
18 18 - :day
19 19 - :month
20 20 - :year
21 21
22 22 time:
23 23 formats:
24 24 default: "%e. %B %Y, %H:%M"
25 25 time: "%H:%M"
26 26 short: "%e. %b %Y, %H:%M"
27 27 long: "%A, %e. %B %Y, %H:%M"
28 28 am: ""
29 29 pm: ""
30 30
31 31 support:
32 32 array:
33 33 sentence_connector: "og"
34 34 skip_last_comma: true
35 35
36 36 datetime:
37 37 distance_in_words:
38 38 half_a_minute: "et halvt minut"
39 39 less_than_x_seconds:
40 40 one: "mindre end et sekund"
41 41 other: "mindre end %{count} sekunder"
42 42 x_seconds:
43 43 one: "et sekund"
44 44 other: "%{count} sekunder"
45 45 less_than_x_minutes:
46 46 one: "mindre end et minut"
47 47 other: "mindre end %{count} minutter"
48 48 x_minutes:
49 49 one: "et minut"
50 50 other: "%{count} minutter"
51 51 about_x_hours:
52 52 one: "cirka en time"
53 53 other: "cirka %{count} timer"
54 54 x_hours:
55 55 one: "1 time"
56 56 other: "%{count} timer"
57 57 x_days:
58 58 one: "en dag"
59 59 other: "%{count} dage"
60 60 about_x_months:
61 61 one: "cirka en måned"
62 62 other: "cirka %{count} måneder"
63 63 x_months:
64 64 one: "en måned"
65 65 other: "%{count} måneder"
66 66 about_x_years:
67 67 one: "cirka et år"
68 68 other: "cirka %{count} år"
69 69 over_x_years:
70 70 one: "mere end et år"
71 71 other: "mere end %{count} år"
72 72 almost_x_years:
73 73 one: "næsten 1 år"
74 74 other: "næsten %{count} år"
75 75
76 76 number:
77 77 format:
78 78 separator: ","
79 79 delimiter: "."
80 80 precision: 3
81 81 currency:
82 82 format:
83 83 format: "%u %n"
84 84 unit: "DKK"
85 85 separator: ","
86 86 delimiter: "."
87 87 precision: 2
88 88 precision:
89 89 format:
90 90 # separator:
91 91 delimiter: ""
92 92 # precision:
93 93 human:
94 94 format:
95 95 # separator:
96 96 delimiter: ""
97 97 precision: 3
98 98 storage_units:
99 99 format: "%n %u"
100 100 units:
101 101 byte:
102 102 one: "Byte"
103 103 other: "Bytes"
104 104 kb: "KB"
105 105 mb: "MB"
106 106 gb: "GB"
107 107 tb: "TB"
108 108 percentage:
109 109 format:
110 110 # separator:
111 111 delimiter: ""
112 112 # precision:
113 113
114 114 activerecord:
115 115 errors:
116 116 template:
117 117 header:
118 118 one: "1 error prohibited this %{model} from being saved"
119 119 other: "%{count} errors prohibited this %{model} from being saved"
120 120 messages:
121 121 inclusion: "er ikke i listen"
122 122 exclusion: "er reserveret"
123 123 invalid: "er ikke gyldig"
124 124 confirmation: "stemmer ikke overens"
125 125 accepted: "skal accepteres"
126 126 empty: "må ikke udelades"
127 127 blank: "skal udfyldes"
128 128 too_long: "er for lang (højst %{count} tegn)"
129 129 too_short: "er for kort (mindst %{count} tegn)"
130 130 wrong_length: "har forkert længde (skulle være %{count} tegn)"
131 131 taken: "er allerede anvendt"
132 132 not_a_number: "er ikke et tal"
133 133 greater_than: "skal være større end %{count}"
134 134 greater_than_or_equal_to: "skal være større end eller lig med %{count}"
135 135 equal_to: "skal være lig med %{count}"
136 136 less_than: "skal være mindre end %{count}"
137 137 less_than_or_equal_to: "skal være mindre end eller lig med %{count}"
138 138 odd: "skal være ulige"
139 139 even: "skal være lige"
140 140 greater_than_start_date: "skal være senere end startdatoen"
141 141 not_same_project: "hører ikke til samme projekt"
142 142 circular_dependency: "Denne relation vil skabe et afhængighedsforhold"
143 143 cant_link_an_issue_with_a_descendant: "En sag kan ikke relateres til en af dens underopgaver"
144 144 earlier_than_minimum_start_date: "cannot be earlier than %{date} because of preceding issues"
145 145
146 146 template:
147 147 header:
148 148 one: "En fejl forhindrede %{model} i at blive gemt"
149 149 other: "%{count} fejl forhindrede denne %{model} i at blive gemt"
150 150 body: "Der var problemer med følgende felter:"
151 151
152 152 actionview_instancetag_blank_option: Vælg venligst
153 153
154 154 general_text_No: 'Nej'
155 155 general_text_Yes: 'Ja'
156 156 general_text_no: 'nej'
157 157 general_text_yes: 'ja'
158 158 general_lang_name: 'Danish (Dansk)'
159 159 general_csv_separator: ','
160 160 general_csv_encoding: ISO-8859-1
161 161 general_pdf_fontname: freesans
162 162 general_first_day_of_week: '1'
163 163
164 164 notice_account_updated: Kontoen er opdateret.
165 165 notice_account_invalid_creditentials: Ugyldig bruger og/eller kodeord
166 166 notice_account_password_updated: Kodeordet er opdateret.
167 167 notice_account_wrong_password: Forkert kodeord
168 168 notice_account_register_done: Kontoen er oprettet. For at aktivere kontoen skal du klikke på linket i den tilsendte email.
169 169 notice_account_unknown_email: Ukendt bruger.
170 170 notice_can_t_change_password: Denne konto benytter en ekstern sikkerhedsgodkendelse. Det er ikke muligt at skifte kodeord.
171 171 notice_account_lost_email_sent: En email med instruktioner til at vælge et nyt kodeord er afsendt til dig.
172 172 notice_account_activated: Din konto er aktiveret. Du kan nu logge ind.
173 173 notice_successful_create: Succesfuld oprettelse.
174 174 notice_successful_update: Succesfuld opdatering.
175 175 notice_successful_delete: Succesfuld sletning.
176 176 notice_successful_connection: Succesfuld forbindelse.
177 177 notice_file_not_found: Siden du forsøger at tilgå eksisterer ikke eller er blevet fjernet.
178 178 notice_locking_conflict: Data er opdateret af en anden bruger.
179 179 notice_not_authorized: Du har ikke adgang til denne side.
180 180 notice_email_sent: "En email er sendt til %{value}"
181 181 notice_email_error: "En fejl opstod under afsendelse af email (%{value})"
182 182 notice_feeds_access_key_reseted: Din adgangsnøgle til Atom er nulstillet.
183 183 notice_failed_to_save_issues: "Det mislykkedes at gemme %{count} sage(r) %{total} valgt: %{ids}."
184 184 notice_no_issue_selected: "Ingen sag er valgt! Vælg venligst hvilke emner du vil rette."
185 185 notice_account_pending: "Din konto er oprettet, og afventer administrators godkendelse."
186 186 notice_default_data_loaded: Standardopsætningen er indlæst.
187 187
188 188 error_can_t_load_default_data: "Standardopsætning kunne ikke indlæses: %{value}"
189 189 error_scm_not_found: "Adgang nægtet og/eller revision blev ikke fundet i det valgte repository."
190 190 error_scm_command_failed: "En fejl opstod under forbindelsen til det valgte repository: %{value}"
191 191
192 192 mail_subject_lost_password: "Dit %{value} kodeord"
193 193 mail_body_lost_password: 'Klik dette link for at ændre dit kodeord:'
194 194 mail_subject_register: "%{value} kontoaktivering"
195 195 mail_body_register: 'Klik dette link for at aktivere din konto:'
196 196 mail_body_account_information_external: "Du kan bruge din %{value} konto til at logge ind."
197 197 mail_body_account_information: Din kontoinformation
198 198 mail_subject_account_activation_request: "%{value} kontoaktivering"
199 199 mail_body_account_activation_request: "En ny bruger (%{value}) er registreret. Godkend venligst kontoen:"
200 200
201 201
202 202 field_name: Navn
203 203 field_description: Beskrivelse
204 204 field_summary: Sammenfatning
205 205 field_is_required: Skal udfyldes
206 206 field_firstname: Fornavn
207 207 field_lastname: Efternavn
208 208 field_mail: Email
209 209 field_filename: Fil
210 210 field_filesize: Størrelse
211 211 field_downloads: Downloads
212 212 field_author: Forfatter
213 213 field_created_on: Oprettet
214 214 field_updated_on: Opdateret
215 215 field_field_format: Format
216 216 field_is_for_all: For alle projekter
217 217 field_possible_values: Mulige værdier
218 218 field_regexp: Regulære udtryk
219 219 field_min_length: Mindste længde
220 220 field_max_length: Største længde
221 221 field_value: Værdi
222 222 field_category: Kategori
223 223 field_title: Titel
224 224 field_project: Projekt
225 225 field_issue: Sag
226 226 field_status: Status
227 227 field_notes: Noter
228 228 field_is_closed: Sagen er lukket
229 229 field_is_default: Standardværdi
230 230 field_tracker: Type
231 231 field_subject: Emne
232 232 field_due_date: Deadline
233 233 field_assigned_to: Tildelt til
234 234 field_priority: Prioritet
235 235 field_fixed_version: Udgave
236 236 field_user: Bruger
237 237 field_role: Rolle
238 238 field_homepage: Hjemmeside
239 239 field_is_public: Offentlig
240 240 field_parent: Underprojekt af
241 241 field_is_in_roadmap: Sager vist i roadmap
242 242 field_login: Login
243 243 field_mail_notification: Email-påmindelser
244 244 field_admin: Administrator
245 245 field_last_login_on: Sidste forbindelse
246 246 field_language: Sprog
247 247 field_effective_date: Dato
248 248 field_password: Kodeord
249 249 field_new_password: Nyt kodeord
250 250 field_password_confirmation: Bekræft
251 251 field_version: Version
252 252 field_type: Type
253 253 field_host: Vært
254 254 field_port: Port
255 255 field_account: Kode
256 256 field_base_dn: Base DN
257 257 field_attr_login: Login attribut
258 258 field_attr_firstname: Fornavn attribut
259 259 field_attr_lastname: Efternavn attribut
260 260 field_attr_mail: Email attribut
261 261 field_onthefly: løbende brugeroprettelse
262 262 field_start_date: Start dato
263 263 field_done_ratio: "% færdig"
264 264 field_auth_source: Sikkerhedsmetode
265 265 field_hide_mail: Skjul min email
266 266 field_comments: Kommentar
267 267 field_url: URL
268 268 field_start_page: Startside
269 269 field_subproject: Underprojekt
270 270 field_hours: Timer
271 271 field_activity: Aktivitet
272 272 field_spent_on: Dato
273 273 field_identifier: Identifikator
274 274 field_is_filter: Brugt som et filter
275 275 field_issue_to: Beslægtede sag
276 276 field_delay: Udsættelse
277 277 field_assignable: Sager kan tildeles denne rolle
278 278 field_redirect_existing_links: Videresend eksisterende links
279 279 field_estimated_hours: Anslået tid
280 280 field_column_names: Kolonner
281 281 field_time_zone: Tidszone
282 282 field_searchable: Søgbar
283 283 field_default_value: Standardværdi
284 284
285 285 setting_app_title: Applikationstitel
286 286 setting_app_subtitle: Applikationsundertekst
287 287 setting_welcome_text: Velkomsttekst
288 288 setting_default_language: Standardsporg
289 289 setting_login_required: Sikkerhed påkrævet
290 290 setting_self_registration: Brugeroprettelse
291 291 setting_attachment_max_size: Vedhæftede filers max størrelse
292 292 setting_issues_export_limit: Sagseksporteringsbegrænsning
293 293 setting_mail_from: Afsender-email
294 294 setting_bcc_recipients: Skjult modtager (bcc)
295 295 setting_host_name: Værtsnavn
296 296 setting_text_formatting: Tekstformatering
297 297 setting_wiki_compression: Komprimering af wiki-historik
298 298 setting_feeds_limit: Feed indholdsbegrænsning
299 299 setting_autofetch_changesets: Hent automatisk commits
300 300 setting_sys_api_enabled: Aktiver webservice for automatisk administration af repository
301 301 setting_commit_ref_keywords: Referencenøgleord
302 302 setting_commit_fix_keywords: Afslutningsnøgleord
303 303 setting_autologin: Automatisk login
304 304 setting_date_format: Datoformat
305 305 setting_time_format: Tidsformat
306 306 setting_cross_project_issue_relations: Tillad sagsrelationer på tværs af projekter
307 307 setting_issue_list_default_columns: Standardkolonner på sagslisten
308 308 setting_emails_footer: Email-fodnote
309 309 setting_protocol: Protokol
310 310 setting_user_format: Brugervisningsformat
311 311
312 312 project_module_issue_tracking: Sagssøgning
313 313 project_module_time_tracking: Tidsstyring
314 314 project_module_news: Nyheder
315 315 project_module_documents: Dokumenter
316 316 project_module_files: Filer
317 317 project_module_wiki: Wiki
318 318 project_module_repository: Repository
319 319 project_module_boards: Fora
320 320
321 321 label_user: Bruger
322 322 label_user_plural: Brugere
323 323 label_user_new: Ny bruger
324 324 label_project: Projekt
325 325 label_project_new: Nyt projekt
326 326 label_project_plural: Projekter
327 327 label_x_projects:
328 328 zero: Ingen projekter
329 329 one: 1 projekt
330 330 other: "%{count} projekter"
331 331 label_project_all: Alle projekter
332 332 label_project_latest: Seneste projekter
333 333 label_issue: Sag
334 334 label_issue_new: Opret sag
335 335 label_issue_plural: Sager
336 336 label_issue_view_all: Vis alle sager
337 337 label_issues_by: "Sager fra %{value}"
338 338 label_issue_added: Sagen er oprettet
339 339 label_issue_updated: Sagen er opdateret
340 340 label_document: Dokument
341 341 label_document_new: Nyt dokument
342 342 label_document_plural: Dokumenter
343 343 label_document_added: Dokument tilføjet
344 344 label_role: Rolle
345 345 label_role_plural: Roller
346 346 label_role_new: Ny rolle
347 347 label_role_and_permissions: Roller og rettigheder
348 348 label_member: Medlem
349 349 label_member_new: Nyt medlem
350 350 label_member_plural: Medlemmer
351 351 label_tracker: Type
352 352 label_tracker_plural: Typer
353 353 label_tracker_new: Ny type
354 354 label_workflow: Arbejdsgang
355 355 label_issue_status: Sagsstatus
356 356 label_issue_status_plural: Sagsstatusser
357 357 label_issue_status_new: Ny status
358 358 label_issue_category: Sagskategori
359 359 label_issue_category_plural: Sagskategorier
360 360 label_issue_category_new: Ny kategori
361 361 label_custom_field: Brugerdefineret felt
362 362 label_custom_field_plural: Brugerdefinerede felter
363 363 label_custom_field_new: Nyt brugerdefineret felt
364 364 label_enumerations: Værdier
365 365 label_enumeration_new: Ny værdi
366 366 label_information: Information
367 367 label_information_plural: Information
368 368 label_please_login: Login
369 369 label_register: Registrér
370 370 label_password_lost: Glemt kodeord
371 371 label_home: Forside
372 372 label_my_page: Min side
373 373 label_my_account: Min konto
374 374 label_my_projects: Mine projekter
375 375 label_administration: Administration
376 376 label_login: Log ind
377 377 label_logout: Log ud
378 378 label_help: Hjælp
379 379 label_reported_issues: Rapporterede sager
380 380 label_assigned_to_me_issues: Sager tildelt til mig
381 381 label_last_login: Sidste logintidspunkt
382 382 label_registered_on: Registreret den
383 383 label_activity: Aktivitet
384 384 label_new: Ny
385 385 label_logged_as: Registreret som
386 386 label_environment: Miljø
387 387 label_authentication: Sikkerhed
388 388 label_auth_source: Sikkerhedsmetode
389 389 label_auth_source_new: Ny sikkerhedsmetode
390 390 label_auth_source_plural: Sikkerhedsmetoder
391 391 label_subproject_plural: Underprojekter
392 392 label_min_max_length: Min - Max længde
393 393 label_list: Liste
394 394 label_date: Dato
395 395 label_integer: Heltal
396 396 label_float: Kommatal
397 397 label_boolean: Sand/falsk
398 398 label_string: Tekst
399 399 label_text: Lang tekst
400 400 label_attribute: Attribut
401 401 label_attribute_plural: Attributter
402 402 label_no_data: Ingen data at vise
403 403 label_change_status: Ændringsstatus
404 404 label_history: Historik
405 405 label_attachment: Fil
406 406 label_attachment_new: Ny fil
407 407 label_attachment_delete: Slet fil
408 408 label_attachment_plural: Filer
409 409 label_file_added: Fil tilføjet
410 410 label_report: Rapport
411 411 label_report_plural: Rapporter
412 412 label_news: Nyheder
413 413 label_news_new: Tilføj nyheder
414 414 label_news_plural: Nyheder
415 415 label_news_latest: Seneste nyheder
416 416 label_news_view_all: Vis alle nyheder
417 417 label_news_added: Nyhed tilføjet
418 418 label_settings: Indstillinger
419 419 label_overview: Oversigt
420 420 label_version: Udgave
421 421 label_version_new: Ny udgave
422 422 label_version_plural: Udgaver
423 423 label_confirmation: Bekræftelser
424 424 label_export_to: Eksporter til
425 425 label_read: Læs...
426 426 label_public_projects: Offentlige projekter
427 427 label_open_issues: åben
428 428 label_open_issues_plural: åbne
429 429 label_closed_issues: lukket
430 430 label_closed_issues_plural: lukkede
431 431 label_x_open_issues_abbr_on_total:
432 432 zero: 0 åbne / %{total}
433 433 one: 1 åben / %{total}
434 434 other: "%{count} åbne / %{total}"
435 435 label_x_open_issues_abbr:
436 436 zero: 0 åbne
437 437 one: 1 åben
438 438 other: "%{count} åbne"
439 439 label_x_closed_issues_abbr:
440 440 zero: 0 lukkede
441 441 one: 1 lukket
442 442 other: "%{count} lukkede"
443 443 label_total: Total
444 444 label_permissions: Rettigheder
445 445 label_current_status: Nuværende status
446 446 label_new_statuses_allowed: Ny status tilladt
447 447 label_all: alle
448 448 label_none: intet
449 449 label_nobody: ingen
450 450 label_next: Næste
451 451 label_previous: Forrige
452 452 label_used_by: Brugt af
453 453 label_details: Detaljer
454 454 label_add_note: Tilføj note
455 455 label_calendar: Kalender
456 456 label_months_from: måneder frem
457 457 label_gantt: Gantt
458 458 label_internal: Intern
459 459 label_last_changes: "sidste %{count} ændringer"
460 460 label_change_view_all: Vis alle ændringer
461 461 label_personalize_page: Tilret denne side
462 462 label_comment: Kommentar
463 463 label_comment_plural: Kommentarer
464 464 label_x_comments:
465 465 zero: ingen kommentarer
466 466 one: 1 kommentar
467 467 other: "%{count} kommentarer"
468 468 label_comment_add: Tilføj en kommentar
469 469 label_comment_added: Kommentaren er tilføjet
470 470 label_comment_delete: Slet kommentar
471 471 label_query: Brugerdefineret forespørgsel
472 472 label_query_plural: Brugerdefinerede forespørgsler
473 473 label_query_new: Ny forespørgsel
474 474 label_filter_add: Tilføj filter
475 475 label_filter_plural: Filtre
476 476 label_equals: er
477 477 label_not_equals: er ikke
478 478 label_in_less_than: er mindre end
479 479 label_in_more_than: er større end
480 480 label_in: indeholdt i
481 481 label_today: i dag
482 482 label_all_time: altid
483 483 label_yesterday: i går
484 484 label_this_week: denne uge
485 485 label_last_week: sidste uge
486 486 label_last_n_days: "sidste %{count} dage"
487 487 label_this_month: denne måned
488 488 label_last_month: sidste måned
489 489 label_this_year: dette år
490 490 label_date_range: Dato interval
491 491 label_less_than_ago: mindre end dage siden
492 492 label_more_than_ago: mere end dage siden
493 493 label_ago: dage siden
494 494 label_contains: indeholder
495 495 label_not_contains: ikke indeholder
496 496 label_day_plural: dage
497 497 label_repository: Repository
498 498 label_repository_plural: Repositories
499 499 label_browse: Gennemse
500 500 label_revision: Revision
501 501 label_revision_plural: Revisioner
502 502 label_associated_revisions: Tilknyttede revisioner
503 503 label_added: tilføjet
504 504 label_modified: ændret
505 505 label_deleted: slettet
506 506 label_latest_revision: Seneste revision
507 507 label_latest_revision_plural: Seneste revisioner
508 508 label_view_revisions: Se revisioner
509 509 label_max_size: Maksimal størrelse
510 510 label_sort_highest: Flyt til toppen
511 511 label_sort_higher: Flyt op
512 512 label_sort_lower: Flyt ned
513 513 label_sort_lowest: Flyt til bunden
514 514 label_roadmap: Roadmap
515 515 label_roadmap_due_in: Deadline
516 516 label_roadmap_overdue: "%{value} forsinket"
517 517 label_roadmap_no_issues: Ingen sager i denne version
518 518 label_search: Søg
519 519 label_result_plural: Resultater
520 520 label_all_words: Alle ord
521 521 label_wiki: Wiki
522 522 label_wiki_edit: Wiki ændring
523 523 label_wiki_edit_plural: Wiki ændringer
524 524 label_wiki_page: Wiki side
525 525 label_wiki_page_plural: Wiki sider
526 526 label_index_by_title: Indhold efter titel
527 527 label_index_by_date: Indhold efter dato
528 528 label_current_version: Nuværende version
529 529 label_preview: Forhåndsvisning
530 530 label_feed_plural: Feeds
531 531 label_changes_details: Detaljer for alle ændringer
532 532 label_issue_tracking: Sagssøgning
533 533 label_spent_time: Anvendt tid
534 534 label_f_hour: "%{value} time"
535 535 label_f_hour_plural: "%{value} timer"
536 536 label_time_tracking: Tidsstyring
537 537 label_change_plural: Ændringer
538 538 label_statistics: Statistik
539 539 label_commits_per_month: Commits pr. måned
540 540 label_commits_per_author: Commits pr. bruger
541 541 label_view_diff: Vis forskelle
542 542 label_diff_inline: inline
543 543 label_diff_side_by_side: side om side
544 544 label_options: Formatering
545 545 label_copy_workflow_from: Kopier arbejdsgang fra
546 546 label_permissions_report: Godkendelsesrapport
547 547 label_watched_issues: Overvågede sager
548 548 label_related_issues: Relaterede sager
549 549 label_applied_status: Anvendte statusser
550 550 label_loading: Indlæser...
551 551 label_relation_new: Ny relation
552 552 label_relation_delete: Slet relation
553 553 label_relates_to: relaterer til
554 554 label_duplicates: duplikater
555 555 label_blocks: blokerer
556 556 label_blocked_by: blokeret af
557 557 label_precedes: kommer før
558 558 label_follows: følger
559 559 label_end_to_start: slut til start
560 560 label_end_to_end: slut til slut
561 561 label_start_to_start: start til start
562 562 label_start_to_end: start til slut
563 563 label_stay_logged_in: Forbliv indlogget
564 564 label_disabled: deaktiveret
565 565 label_show_completed_versions: Vis færdige versioner
566 566 label_me: mig
567 567 label_board: Forum
568 568 label_board_new: Nyt forum
569 569 label_board_plural: Fora
570 570 label_topic_plural: Emner
571 571 label_message_plural: Beskeder
572 572 label_message_last: Sidste besked
573 573 label_message_new: Ny besked
574 574 label_message_posted: Besked tilføjet
575 575 label_reply_plural: Besvarer
576 576 label_send_information: Send konto information til bruger
577 577 label_year: År
578 578 label_month: Måned
579 579 label_week: Uge
580 580 label_date_from: Fra
581 581 label_date_to: Til
582 582 label_language_based: Baseret på brugerens sprog
583 583 label_sort_by: "Sortér efter %{value}"
584 584 label_send_test_email: Send en test email
585 585 label_feeds_access_key_created_on: "Atom adgangsnøgle dannet for %{value} siden"
586 586 label_module_plural: Moduler
587 587 label_added_time_by: "Tilføjet af %{author} for %{age} siden"
588 588 label_updated_time: "Opdateret for %{value} siden"
589 589 label_jump_to_a_project: Skift til projekt...
590 590 label_file_plural: Filer
591 591 label_changeset_plural: Ændringer
592 592 label_default_columns: Standardkolonner
593 593 label_no_change_option: (Ingen ændringer)
594 594 label_bulk_edit_selected_issues: Masse-ret de valgte sager
595 595 label_theme: Tema
596 596 label_default: standard
597 597 label_search_titles_only: Søg kun i titler
598 598 label_user_mail_option_all: "For alle hændelser mine projekter"
599 599 label_user_mail_option_selected: "For alle hændelser de valgte projekter..."
600 600 label_user_mail_no_self_notified: "Jeg ønsker ikke besked om ændring foretaget af mig selv"
601 601 label_registration_activation_by_email: kontoaktivering på email
602 602 label_registration_manual_activation: manuel kontoaktivering
603 603 label_registration_automatic_activation: automatisk kontoaktivering
604 604 label_display_per_page: "Per side: %{value}"
605 605 label_age: Alder
606 606 label_change_properties: Ændre indstillinger
607 607 label_general: Generelt
608 608 label_more: Mere
609 609 label_scm: SCM
610 610 label_plugins: Plugins
611 611 label_ldap_authentication: LDAP-godkendelse
612 612 label_downloads_abbr: D/L
613 613
614 614 button_login: Login
615 615 button_submit: Send
616 616 button_save: Gem
617 617 button_check_all: Vælg alt
618 618 button_uncheck_all: Fravælg alt
619 619 button_delete: Slet
620 620 button_create: Opret
621 621 button_test: Test
622 622 button_edit: Ret
623 623 button_add: Tilføj
624 624 button_change: Ændre
625 625 button_apply: Anvend
626 626 button_clear: Nulstil
627 627 button_lock: Lås
628 628 button_unlock: Lås op
629 629 button_download: Download
630 630 button_list: List
631 631 button_view: Vis
632 632 button_move: Flyt
633 633 button_back: Tilbage
634 634 button_cancel: Annullér
635 635 button_activate: Aktivér
636 636 button_sort: Sortér
637 637 button_log_time: Log tid
638 638 button_rollback: Tilbagefør til denne version
639 639 button_watch: Overvåg
640 640 button_unwatch: Stop overvågning
641 641 button_reply: Besvar
642 642 button_archive: Arkivér
643 643 button_unarchive: Fjern fra arkiv
644 644 button_reset: Nulstil
645 645 button_rename: Omdøb
646 646 button_change_password: Skift kodeord
647 647 button_copy: Kopiér
648 648 button_annotate: Annotér
649 649 button_update: Opdatér
650 650 button_configure: Konfigurér
651 651
652 652 status_active: aktiv
653 653 status_registered: registreret
654 654 status_locked: låst
655 655
656 656 text_select_mail_notifications: Vælg handlinger der skal sendes email besked for.
657 657 text_regexp_info: f.eks. ^[A-ZÆØÅ0-9]+$
658 658 text_min_max_length_info: 0 betyder ingen begrænsninger
659 659 text_project_destroy_confirmation: Er du sikker på at du vil slette dette projekt og alle relaterede data?
660 660 text_workflow_edit: Vælg en rolle samt en type, for at redigere arbejdsgangen
661 661 text_are_you_sure: Er du sikker?
662 662 text_tip_issue_begin_day: opgaven begynder denne dag
663 663 text_tip_issue_end_day: opaven slutter denne dag
664 664 text_tip_issue_begin_end_day: opgaven begynder og slutter denne dag
665 665 text_caracters_maximum: "max %{count} karakterer."
666 666 text_caracters_minimum: "Skal være mindst %{count} karakterer lang."
667 667 text_length_between: "Længde skal være mellem %{min} og %{max} karakterer."
668 668 text_tracker_no_workflow: Ingen arbejdsgang defineret for denne type
669 669 text_unallowed_characters: Ikke-tilladte karakterer
670 670 text_comma_separated: Adskillige værdier tilladt (adskilt med komma).
671 671 text_issues_ref_in_commit_messages: Referer og løser sager i commit-beskeder
672 672 text_issue_added: "Sag %{id} er rapporteret af %{author}."
673 673 text_issue_updated: "Sag %{id} er blevet opdateret af %{author}."
674 674 text_wiki_destroy_confirmation: Er du sikker på at du vil slette denne wiki og dens indhold?
675 675 text_issue_category_destroy_question: "Nogle sager (%{count}) er tildelt denne kategori. Hvad ønsker du at gøre?"
676 676 text_issue_category_destroy_assignments: Slet tildelinger af kategori
677 677 text_issue_category_reassign_to: Tildel sager til denne kategori
678 678 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)."
679 679 text_no_configuration_data: "Roller, typer, sagsstatusser 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."
680 680 text_load_default_configuration: Indlæs standardopsætningen
681 681 text_status_changed_by_changeset: "Anvendt i ændring %{value}."
682 682 text_issues_destroy_confirmation: 'Er du sikker du ønsker at slette den/de valgte sag(er)?'
683 683 text_select_project_modules: 'Vælg moduler er skal være aktiveret for dette projekt:'
684 684 text_default_administrator_account_changed: Standardadministratorkonto ændret
685 685 text_file_repository_writable: Filarkiv er skrivbar
686 686 text_rmagick_available: RMagick tilgængelig (valgfri)
687 687
688 688 default_role_manager: Leder
689 689 default_role_developer: Udvikler
690 690 default_role_reporter: Rapportør
691 691 default_tracker_bug: Fejl
692 692 default_tracker_feature: Funktion
693 693 default_tracker_support: Support
694 694 default_issue_status_new: Ny
695 695 default_issue_status_in_progress: Igangværende
696 696 default_issue_status_resolved: Løst
697 697 default_issue_status_feedback: Feedback
698 698 default_issue_status_closed: Lukket
699 699 default_issue_status_rejected: Afvist
700 700 default_doc_category_user: Brugerdokumentation
701 701 default_doc_category_tech: Teknisk dokumentation
702 702 default_priority_low: Lav
703 703 default_priority_normal: Normal
704 704 default_priority_high: Høj
705 705 default_priority_urgent: Akut
706 706 default_priority_immediate: Omgående
707 707 default_activity_design: Design
708 708 default_activity_development: Udvikling
709 709
710 710 enumeration_issue_priorities: Sagsprioriteter
711 711 enumeration_doc_categories: Dokumentkategorier
712 712 enumeration_activities: Aktiviteter (tidsstyring)
713 713
714 714 label_add_another_file: Tilføj endnu en fil
715 715 label_chronological_order: I kronologisk rækkefølge
716 716 setting_activity_days_default: Antal dage der vises under projektaktivitet
717 717 text_destroy_time_entries_question: "%{hours} timer er registreret denne sag som du er ved at slette. Hvad vil du gøre?"
718 718 error_issue_not_found_in_project: 'Sagen blev ikke fundet eller tilhører ikke dette projekt'
719 719 text_assign_time_entries_to_project: Tildel raporterede timer til projektet
720 720 setting_display_subprojects_issues: Vis sager for underprojekter på hovedprojektet som standard
721 721 label_optional_description: Valgfri beskrivelse
722 722 text_destroy_time_entries: Slet registrerede timer
723 723 field_comments_sorting: Vis kommentar
724 724 text_reassign_time_entries: 'Tildel registrerede timer til denne sag igen'
725 725 label_reverse_chronological_order: I omvendt kronologisk rækkefølge
726 726 label_preferences: Præferencer
727 727 label_overall_activity: Overordnet aktivitet
728 728 setting_default_projects_public: Nye projekter er offentlige som standard
729 729 error_scm_annotate: "Filen findes ikke, eller kunne ikke annoteres."
730 730 label_planning: Planlægning
731 731 text_subprojects_destroy_warning: "Dets underprojekter(er): %{value} vil også blive slettet."
732 732 permission_edit_issues: Redigér sager
733 733 setting_diff_max_lines_displayed: Højeste antal forskelle der vises
734 734 permission_edit_own_issue_notes: Redigér egne noter
735 735 setting_enabled_scm: Aktiveret SCM
736 736 button_quote: Citér
737 737 permission_view_files: Se filer
738 738 permission_add_issues: Tilføj sager
739 739 permission_edit_own_messages: Redigér egne beskeder
740 740 permission_delete_own_messages: Slet egne beskeder
741 741 permission_manage_public_queries: Administrér offentlig forespørgsler
742 742 permission_log_time: Registrér anvendt tid
743 743 label_renamed: omdøbt
744 744 label_incoming_emails: Indkommende emails
745 745 permission_view_changesets: Se ændringer
746 746 permission_manage_versions: Administrér versioner
747 747 permission_view_time_entries: Se anvendt tid
748 748 label_generate_key: Generér en nøglefil
749 749 permission_manage_categories: Administrér sagskategorier
750 750 permission_manage_wiki: Administrér wiki
751 751 setting_sequential_project_identifiers: Generér sekventielle projekt-identifikatorer
752 752 setting_plain_text_mail: Emails som almindelig tekst (ingen HTML)
753 753 field_parent_title: Siden over
754 754 text_email_delivery_not_configured: "Email-afsendelse er ikke indstillet og notifikationer er defor slået fra.\nKonfigurér din SMTP server i config/configuration.yml og genstart applikationen for at aktivere email-afsendelse."
755 755 permission_protect_wiki_pages: Beskyt wiki sider
756 756 permission_add_issue_watchers: Tilføj overvågere
757 757 warning_attachments_not_saved: "der var %{count} fil(er), som ikke kunne gemmes."
758 758 permission_comment_news: Kommentér nyheder
759 759 text_enumeration_category_reassign_to: 'Flyt dem til denne værdi:'
760 760 permission_select_project_modules: Vælg projektmoduler
761 761 permission_view_gantt: Se Gantt diagram
762 762 permission_delete_messages: Slet beskeder
763 763 permission_move_issues: Flyt sager
764 764 permission_edit_wiki_pages: Redigér wiki sider
765 765 label_user_activity: "%{value}'s aktivitet"
766 766 permission_manage_issue_relations: Administrér sags-relationer
767 767 label_issue_watchers: Overvågere
768 768 permission_delete_wiki_pages: Slet wiki sider
769 769 notice_unable_delete_version: Kan ikke slette versionen.
770 770 permission_view_wiki_edits: Se wiki historik
771 771 field_editable: Redigérbar
772 772 label_duplicated_by: dubleret af
773 773 permission_manage_boards: Administrér fora
774 774 permission_delete_wiki_pages_attachments: Slet filer vedhæftet wiki sider
775 775 permission_view_messages: Se beskeder
776 776 text_enumeration_destroy_question: "%{count} objekter er tildelt denne værdi."
777 777 permission_manage_files: Administrér filer
778 778 permission_add_messages: Opret beskeder
779 779 permission_edit_issue_notes: Redigér noter
780 780 permission_manage_news: Administrér nyheder
781 781 text_plugin_assets_writable: Der er skriverettigheder til plugin assets folderen
782 782 label_display: Vis
783 783 label_and_its_subprojects: "%{value} og dets underprojekter"
784 784 permission_view_calendar: Se kalender
785 785 button_create_and_continue: Opret og fortsæt
786 786 setting_gravatar_enabled: Anvend Gravatar brugerikoner
787 787 label_updated_time_by: "Opdateret af %{author} for %{age} siden"
788 788 text_diff_truncated: '... Listen over forskelle er blevet afkortet da den overstiger den maksimale størrelse der kan vises.'
789 789 text_user_wrote: "%{value} skrev:"
790 790 setting_mail_handler_api_enabled: Aktiver webservice for indkomne emails
791 791 permission_delete_issues: Slet sager
792 792 permission_view_documents: Se dokumenter
793 793 permission_browse_repository: Gennemse repository
794 794 permission_manage_repository: Administrér repository
795 795 permission_manage_members: Administrér medlemmer
796 796 mail_subject_reminder: "%{count} sag(er) har deadline i de kommende dage (%{days})"
797 797 permission_add_issue_notes: Tilføj noter
798 798 permission_edit_messages: Redigér beskeder
799 799 permission_view_issue_watchers: Se liste over overvågere
800 800 permission_commit_access: Commit adgang
801 801 setting_mail_handler_api_key: API nøgle
802 802 label_example: Eksempel
803 803 permission_rename_wiki_pages: Omdøb wiki sider
804 804 text_custom_field_possible_values_info: 'En linje for hver værdi'
805 805 permission_view_wiki_pages: Se wiki
806 806 permission_edit_project: Redigér projekt
807 807 permission_save_queries: Gem forespørgsler
808 808 label_copied: kopieret
809 809 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."
810 810 permission_edit_time_entries: Redigér tidsregistreringer
811 811 general_csv_decimal_separator: ','
812 812 permission_edit_own_time_entries: Redigér egne tidsregistreringer
813 813 setting_repository_log_display_limit: Højeste antal revisioner vist i fil-log
814 814 setting_file_max_size_displayed: Maksimale størrelse på tekstfiler vist inline
815 815 field_watcher: Overvåger
816 816 setting_openid: Tillad OpenID login og registrering
817 817 field_identity_url: OpenID URL
818 818 label_login_with_open_id_option: eller login med OpenID
819 819 setting_per_page_options: Enheder per side muligheder
820 820 mail_body_reminder: "%{count} sage(er) som er tildelt dig har deadline indenfor de næste %{days} dage:"
821 821 field_content: Indhold
822 822 label_descending: Aftagende
823 823 label_sort: Sortér
824 824 label_ascending: Tiltagende
825 825 label_date_from_to: Fra %{start} til %{end}
826 826 label_greater_or_equal: ">="
827 827 label_less_or_equal: <=
828 828 text_wiki_page_destroy_question: Denne side har %{descendants} underside(r) og afledte. Hvad vil du gøre?
829 829 text_wiki_page_reassign_children: Flyt undersider til denne side
830 830 text_wiki_page_nullify_children: Behold undersider som rod-sider
831 831 text_wiki_page_destroy_children: Slet undersider ogalle deres afledte sider.
832 832 setting_password_min_length: Mindste længde på kodeord
833 833 field_group_by: Gruppér resultater efter
834 834 mail_subject_wiki_content_updated: "'%{id}' wikisiden er blevet opdateret"
835 835 label_wiki_content_added: Wiki side tilføjet
836 836 mail_subject_wiki_content_added: "'%{id}' wikisiden er blevet tilføjet"
837 837 mail_body_wiki_content_added: The '%{id}' wikiside er blevet tilføjet af %{author}.
838 838 label_wiki_content_updated: Wikiside opdateret
839 839 mail_body_wiki_content_updated: Wikisiden '%{id}' er blevet opdateret af %{author}.
840 840 permission_add_project: Opret projekt
841 841 setting_new_project_user_role_id: Denne rolle gives til en bruger, som ikke er administrator, og som opretter et projekt
842 842 label_view_all_revisions: Se alle revisioner
843 843 label_tag: Tag
844 844 label_branch: Branch
845 845 error_no_tracker_in_project: Der er ingen sagshåndtering for dette projekt. Kontrollér venligst projektindstillingerne.
846 846 error_no_default_issue_status: Der er ikke defineret en standardstatus. Kontrollér venligst indstillingerne (gå til "Administration -> Sagsstatusser").
847 847 text_journal_changed: "%{label} ændret fra %{old} til %{new}"
848 848 text_journal_set_to: "%{label} sat til %{value}"
849 849 text_journal_deleted: "%{label} slettet (%{old})"
850 850 label_group_plural: Grupper
851 851 label_group: Grupper
852 852 label_group_new: Ny gruppe
853 853 label_time_entry_plural: Anvendt tid
854 854 text_journal_added: "%{label} %{value} tilføjet"
855 855 field_active: Aktiv
856 856 enumeration_system_activity: System Aktivitet
857 857 permission_delete_issue_watchers: Slet overvågere
858 858 version_status_closed: lukket
859 859 version_status_locked: låst
860 860 version_status_open: åben
861 861 error_can_not_reopen_issue_on_closed_version: En sag tildelt en lukket version kan ikke genåbnes
862 862 label_user_anonymous: Anonym
863 863 button_move_and_follow: Flyt og overvåg
864 864 setting_default_projects_modules: Standard moduler, aktiveret for nye projekter
865 865 setting_gravatar_default: Standard Gravatar billede
866 866 field_sharing: Delning
867 867 label_version_sharing_hierarchy: Med projekthierarki
868 868 label_version_sharing_system: Med alle projekter
869 869 label_version_sharing_descendants: Med underprojekter
870 870 label_version_sharing_tree: Med projekttræ
871 871 label_version_sharing_none: Ikke delt
872 872 error_can_not_archive_project: Dette projekt kan ikke arkiveres
873 873 button_duplicate: Duplikér
874 874 button_copy_and_follow: Kopiér og overvåg
875 875 label_copy_source: Kilde
876 876 setting_issue_done_ratio: Beregn sagsløsning ratio
877 877 setting_issue_done_ratio_issue_status: Benyt sagsstatus
878 878 error_issue_done_ratios_not_updated: Sagsløsnings ratio, ikke opdateret.
879 879 error_workflow_copy_target: Vælg venligst måltracker og rolle(r)
880 880 setting_issue_done_ratio_issue_field: Benyt sagsfelt
881 881 label_copy_same_as_target: Samme som mål
882 882 label_copy_target: Mål
883 883 notice_issue_done_ratios_updated: Sagsløsningsratio opdateret.
884 884 error_workflow_copy_source: Vælg venligst en kildetracker eller rolle
885 885 label_update_issue_done_ratios: Opdater sagsløsningsratio
886 886 setting_start_of_week: Start kalendre på
887 887 permission_view_issues: Vis sager
888 888 label_display_used_statuses_only: Vis kun statusser der er benyttet af denne tracker
889 889 label_revision_id: Revision %{value}
890 890 label_api_access_key: API nøgle
891 891 label_api_access_key_created_on: API nøgle genereret %{value} siden
892 892 label_feeds_access_key: Atom nøgle
893 893 notice_api_access_key_reseted: Din API nøgle er nulstillet.
894 894 setting_rest_api_enabled: Aktiver REST web service
895 895 label_missing_api_access_key: Mangler en API nøgle
896 896 label_missing_feeds_access_key: Mangler en Atom nøgle
897 897 button_show: Vis
898 898 text_line_separated: Flere væredier tilladt (en linje for hver værdi).
899 899 setting_mail_handler_body_delimiters: Trunkér emails efter en af disse linjer
900 900 permission_add_subprojects: Lav underprojekter
901 901 label_subproject_new: Nyt underprojekt
902 902 text_own_membership_delete_confirmation: |-
903 903 Du er ved at fjerne en eller flere af dine rettigheder, og kan muligvis ikke redigere projektet bagefter.
904 904 Er du sikker på du ønsker at fortsætte?
905 905 label_close_versions: Luk færdige versioner
906 906 label_board_sticky: Klistret
907 907 label_board_locked: Låst
908 908 permission_export_wiki_pages: Eksporter wiki sider
909 909 setting_cache_formatted_text: Cache formatteret tekst
910 910 permission_manage_project_activities: Administrer projektaktiviteter
911 911 error_unable_delete_issue_status: Det var ikke muligt at slette sagsstatus
912 912 label_profile: Profil
913 913 permission_manage_subtasks: Administrer underopgaver
914 914 field_parent_issue: Hovedopgave
915 915 label_subtask_plural: Underopgaver
916 916 label_project_copy_notifications: Send email notifikationer, mens projektet kopieres
917 917 error_can_not_delete_custom_field: Kan ikke slette brugerdefineret felt
918 918 error_unable_to_connect: Kan ikke forbinde (%{value})
919 919 error_can_not_remove_role: Denne rolle er i brug og kan ikke slettes.
920 920 error_can_not_delete_tracker: Denne type indeholder sager og kan ikke slettes.
921 921 field_principal: Principal
922 922 label_my_page_block: blok
923 923 notice_failed_to_save_members: "Fejl under lagring af medlem(mer): %{errors}."
924 924 text_zoom_out: Zoom ud
925 925 text_zoom_in: Zoom ind
926 926 notice_unable_delete_time_entry: Kan ikke slette tidsregistrering.
927 927 label_overall_spent_time: Overordnet forbrug af tid
928 928 field_time_entries: Log tid
929 929 project_module_gantt: Gantt
930 930 project_module_calendar: Kalender
931 931 button_edit_associated_wikipage: "Redigér tilknyttet Wiki side: %{page_title}"
932 932 field_text: Tekstfelt
933 933 label_user_mail_option_only_owner: Kun for ting jeg er ejer af
934 934 setting_default_notification_option: Standardpåmindelsesmulighed
935 935 label_user_mail_option_only_my_events: Kun for ting jeg overvåger eller er involveret i
936 936 label_user_mail_option_only_assigned: Kun for ting jeg er tildelt
937 937 label_user_mail_option_none: Ingen hændelser
938 938 field_member_of_group: Medlem af gruppe
939 939 field_assigned_to_role: Medlem af rolle
940 940 notice_not_authorized_archived_project: Projektet du prøver at tilgå, er blevet arkiveret.
941 941 label_principal_search: "Søg efter bruger eller gruppe:"
942 942 label_user_search: "Søg efter bruger:"
943 943 field_visible: Synlig
944 944 setting_commit_logtime_activity_id: Aktivitet for registreret tid
945 945 text_time_logged_by_changeset: Anvendt i changeset %{value}.
946 946 setting_commit_logtime_enabled: Aktiver tidsregistrering
947 947 notice_gantt_chart_truncated: Kortet er blevet afkortet, fordi det overstiger det maksimale antal elementer, der kan vises (%{max})
948 948 setting_gantt_items_limit: Maksimalt antal af elementer der kan vises på gantt kortet
949 949
950 950 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
951 951 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
952 952 label_my_queries: My custom queries
953 953 text_journal_changed_no_detail: "%{label} updated"
954 954 label_news_comment_added: Comment added to a news
955 955 button_expand_all: Expand all
956 956 button_collapse_all: Collapse all
957 957 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
958 958 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
959 959 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
960 960 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
961 961 label_role_anonymous: Anonymous
962 962 label_role_non_member: Non member
963 963 label_issue_note_added: Note added
964 964 label_issue_status_updated: Status updated
965 965 label_issue_priority_updated: Priority updated
966 966 label_issues_visibility_own: Issues created by or assigned to the user
967 967 field_issues_visibility: Issues visibility
968 968 label_issues_visibility_all: All issues
969 969 permission_set_own_issues_private: Set own issues public or private
970 970 field_is_private: Private
971 971 permission_set_issues_private: Set issues public or private
972 972 label_issues_visibility_public: All non private issues
973 973 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
974 974 field_commit_logs_encoding: Kodning af Commit beskeder
975 975 field_scm_path_encoding: Path encoding
976 976 text_scm_path_encoding_note: "Default: UTF-8"
977 977 field_path_to_repository: Path to repository
978 978 field_root_directory: Root directory
979 979 field_cvs_module: Module
980 980 field_cvsroot: CVSROOT
981 981 text_mercurial_repository_note: Local repository (e.g. /hgrepo, c:\hgrepo)
982 982 text_scm_command: Command
983 983 text_scm_command_version: Version
984 984 label_git_report_last_commit: Report last commit for files and directories
985 985 notice_issue_successful_create: Issue %{id} created.
986 986 label_between: between
987 987 setting_issue_group_assignment: Allow issue assignment to groups
988 988 label_diff: diff
989 989 text_git_repository_note: Repository is bare and local (e.g. /gitrepo, c:\gitrepo)
990 990 description_query_sort_criteria_direction: Sort direction
991 991 description_project_scope: Search scope
992 992 description_filter: Filter
993 993 description_user_mail_notification: Mail notification settings
994 994 description_date_from: Enter start date
995 995 description_message_content: Message content
996 996 description_available_columns: Available Columns
997 997 description_date_range_interval: Choose range by selecting start and end date
998 998 description_issue_category_reassign: Choose issue category
999 999 description_search: Searchfield
1000 1000 description_notes: Notes
1001 1001 description_date_range_list: Choose range from list
1002 1002 description_choose_project: Projects
1003 1003 description_date_to: Enter end date
1004 1004 description_query_sort_criteria_attribute: Sort attribute
1005 1005 description_wiki_subpages_reassign: Choose new parent page
1006 1006 description_selected_columns: Selected Columns
1007 1007 label_parent_revision: Parent
1008 1008 label_child_revision: Child
1009 1009 error_scm_annotate_big_text_file: The entry cannot be annotated, as it exceeds the maximum text file size.
1010 1010 setting_default_issue_start_date_to_creation_date: Use current date as start date for new issues
1011 1011 button_edit_section: Edit this section
1012 1012 setting_repositories_encodings: Attachments and repositories encodings
1013 1013 description_all_columns: All Columns
1014 1014 button_export: Export
1015 1015 label_export_options: "%{export_format} export options"
1016 1016 error_attachment_too_big: This file cannot be uploaded because it exceeds the maximum allowed file size (%{max_size})
1017 1017 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1018 1018 label_x_issues:
1019 1019 zero: 0 sag
1020 1020 one: 1 sag
1021 1021 other: "%{count} sager"
1022 1022 label_repository_new: New repository
1023 1023 field_repository_is_default: Main repository
1024 1024 label_copy_attachments: Copy attachments
1025 1025 label_item_position: "%{position}/%{count}"
1026 1026 label_completed_versions: Completed versions
1027 1027 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1028 1028 field_multiple: Multiple values
1029 1029 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1030 1030 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1031 1031 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1032 1032 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1033 1033 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1034 1034 permission_manage_related_issues: Manage related issues
1035 1035 field_auth_source_ldap_filter: LDAP filter
1036 1036 label_search_for_watchers: Search for watchers to add
1037 1037 notice_account_deleted: Your account has been permanently deleted.
1038 1038 setting_unsubscribe: Allow users to delete their own account
1039 1039 button_delete_my_account: Delete my account
1040 1040 text_account_destroy_confirmation: |-
1041 1041 Are you sure you want to proceed?
1042 1042 Your account will be permanently deleted, with no way to reactivate it.
1043 1043 error_session_expired: Your session has expired. Please login again.
1044 1044 text_session_expiration_settings: "Warning: changing these settings may expire the current sessions including yours."
1045 1045 setting_session_lifetime: Session maximum lifetime
1046 1046 setting_session_timeout: Session inactivity timeout
1047 1047 label_session_expiration: Session expiration
1048 1048 permission_close_project: Close / reopen the project
1049 1049 label_show_closed_projects: View closed projects
1050 1050 button_close: Close
1051 1051 button_reopen: Reopen
1052 1052 project_status_active: active
1053 1053 project_status_closed: closed
1054 1054 project_status_archived: archived
1055 1055 text_project_closed: This project is closed and read-only.
1056 1056 notice_user_successful_create: User %{id} created.
1057 1057 field_core_fields: Standard fields
1058 1058 field_timeout: Timeout (in seconds)
1059 1059 setting_thumbnails_enabled: Display attachment thumbnails
1060 1060 setting_thumbnails_size: Thumbnails size (in pixels)
1061 1061 label_status_transitions: Status transitions
1062 1062 label_fields_permissions: Fields permissions
1063 1063 label_readonly: Read-only
1064 1064 label_required: Required
1065 1065 text_repository_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1066 1066 field_board_parent: Parent forum
1067 1067 label_attribute_of_project: Project's %{name}
1068 1068 label_attribute_of_author: Author's %{name}
1069 1069 label_attribute_of_assigned_to: Assignee's %{name}
1070 1070 label_attribute_of_fixed_version: Target version's %{name}
1071 1071 label_copy_subtasks: Copy subtasks
1072 1072 label_copied_to: copied to
1073 1073 label_copied_from: copied from
1074 1074 label_any_issues_in_project: any issues in project
1075 1075 label_any_issues_not_in_project: any issues not in project
1076 1076 field_private_notes: Private notes
1077 1077 permission_view_private_notes: View private notes
1078 1078 permission_set_notes_private: Set notes as private
1079 1079 label_no_issues_in_project: no issues in project
1080 1080 label_any: alle
1081 1081 label_last_n_weeks: last %{count} weeks
1082 1082 setting_cross_project_subtasks: Allow cross-project subtasks
1083 1083 label_cross_project_descendants: Med underprojekter
1084 1084 label_cross_project_tree: Med projekttræ
1085 1085 label_cross_project_hierarchy: Med projekthierarki
1086 1086 label_cross_project_system: Med alle projekter
1087 1087 button_hide: Hide
1088 1088 setting_non_working_week_days: Non-working days
1089 1089 label_in_the_next_days: in the next
1090 1090 label_in_the_past_days: in the past
1091 1091 label_attribute_of_user: User's %{name}
1092 1092 text_turning_multiple_off: If you disable multiple values, multiple values will be
1093 1093 removed in order to preserve only one value per item.
1094 1094 label_attribute_of_issue: Issue's %{name}
1095 1095 permission_add_documents: Add documents
1096 1096 permission_edit_documents: Edit documents
1097 1097 permission_delete_documents: Delete documents
1098 1098 label_gantt_progress_line: Progress line
1099 1099 setting_jsonp_enabled: Enable JSONP support
1100 1100 field_inherit_members: Inherit members
1101 1101 field_closed_on: Closed
1102 1102 field_generate_password: Generate password
1103 1103 setting_default_projects_tracker_ids: Default trackers for new projects
1104 1104 label_total_time: Total
1105 1105 text_scm_config: You can configure your SCM commands in config/configuration.yml. Please restart the application after editing it.
1106 1106 text_scm_command_not_available: SCM command is not available. Please check settings on the administration panel.
1107 1107 setting_emails_header: Email header
1108 1108 notice_account_not_activated_yet: You haven't activated your account yet. If you want
1109 1109 to receive a new activation email, please <a href="%{url}">click this link</a>.
1110 1110 notice_account_locked: Your account is locked.
1111 1111 label_hidden: Hidden
1112 1112 label_visibility_private: to me only
1113 1113 label_visibility_roles: to these roles only
1114 1114 label_visibility_public: to any users
1115 1115 field_must_change_passwd: Must change password at next logon
1116 1116 notice_new_password_must_be_different: The new password must be different from the
1117 1117 current password
1118 1118 setting_mail_handler_excluded_filenames: Exclude attachments by name
1119 1119 text_convert_available: ImageMagick convert available (optional)
1120 1120 label_link: Link
1121 1121 label_only: only
1122 1122 label_drop_down_list: drop-down list
1123 1123 label_checkboxes: checkboxes
1124 1124 label_link_values_to: Link values to URL
1125 1125 setting_force_default_language_for_anonymous: Force default language for anonymous
1126 1126 users
1127 1127 setting_force_default_language_for_loggedin: Force default language for logged-in
1128 1128 users
1129 1129 label_custom_field_select_type: Select the type of object to which the custom field
1130 1130 is to be attached
1131 1131 label_issue_assigned_to_updated: Assignee updated
1132 1132 label_check_for_updates: Check for updates
1133 1133 label_latest_compatible_version: Latest compatible version
1134 1134 label_unknown_plugin: Unknown plugin
1135 1135 label_radio_buttons: radio buttons
1136 1136 label_group_anonymous: Anonymous users
1137 1137 label_group_non_member: Non member users
1138 1138 label_add_projects: Add projects
1139 1139 field_default_status: Default status
1140 1140 text_subversion_repository_note: 'Examples: file:///, http://, https://, svn://, svn+[tunnelscheme]://'
1141 1141 field_users_visibility: Users visibility
1142 1142 label_users_visibility_all: All active users
1143 1143 label_users_visibility_members_of_visible_projects: Members of visible projects
1144 1144 label_edit_attachments: Edit attached files
1145 1145 setting_link_copied_issue: Link issues on copy
1146 1146 label_link_copied_issue: Link copied issue
1147 1147 label_ask: Ask
1148 1148 label_search_attachments_yes: Search attachment filenames and descriptions
1149 1149 label_search_attachments_no: Do not search attachments
1150 1150 label_search_attachments_only: Search attachments only
1151 1151 label_search_open_issues_only: Open issues only
1152 1152 field_address: Email
1153 1153 setting_max_additional_emails: Maximum number of additional email addresses
1154 1154 label_email_address_plural: Emails
1155 1155 label_email_address_add: Add email address
1156 1156 label_enable_notifications: Enable notifications
1157 1157 label_disable_notifications: Disable notifications
1158 1158 setting_search_results_per_page: Search results per page
1159 1159 label_blank_value: blank
1160 1160 permission_copy_issues: Copy issues
1161 1161 error_password_expired: Your password has expired or the administrator requires you
1162 1162 to change it.
1163 1163 field_time_entries_visibility: Time logs visibility
1164 1164 setting_password_max_age: Require password change after
1165 1165 label_parent_task_attributes: Parent tasks attributes
1166 1166 label_parent_task_attributes_derived: Calculated from subtasks
1167 1167 label_parent_task_attributes_independent: Independent of subtasks
1168 1168 label_time_entries_visibility_all: All time entries
1169 1169 label_time_entries_visibility_own: Time entries created by the user
1170 1170 label_member_management: Member management
1171 1171 label_member_management_all_roles: All roles
1172 1172 label_member_management_selected_roles_only: Only these roles
1173 1173 label_password_required: Confirm your password to continue
1174 1174 label_total_spent_time: Overordnet forbrug af tid
1175 1175 notice_import_finished: All %{count} items have been imported.
1176 1176 notice_import_finished_with_errors: ! '%{count} out of %{total} items could not be
1177 1177 imported.'
1178 1178 error_invalid_file_encoding: The file is not a valid %{encoding} encoded file
1179 1179 error_invalid_csv_file_or_settings: The file is not a CSV file or does not match the
1180 1180 settings below
1181 1181 error_can_not_read_import_file: An error occurred while reading the file to import
1182 1182 permission_import_issues: Import issues
1183 1183 label_import_issues: Import issues
1184 1184 label_select_file_to_import: Select the file to import
1185 1185 label_fields_separator: Field separator
1186 1186 label_fields_wrapper: Field wrapper
1187 1187 label_encoding: Encoding
1188 label_coma_char: Coma
1188 label_comma_char: Comma
1189 1189 label_semi_colon_char: Semi colon
1190 1190 label_quote_char: Quote
1191 1191 label_double_quote_char: Double quote
1192 1192 label_fields_mapping: Fields mapping
1193 1193 label_file_content_preview: File content preview
1194 1194 label_create_missing_values: Create missing values
1195 1195 button_import: Import
1196 1196 field_total_estimated_hours: Total estimated time
1197 1197 label_api: API
1198 1198 label_total_plural: Totals
@@ -1,1190 +1,1190
1 1 # German translations for Ruby on Rails
2 2 # by Clemens Kofler (clemens@railway.at)
3 3 # additions for Redmine 1.2 by Jens Martsch (jmartsch@gmail.com)
4 4
5 5 de:
6 6 direction: ltr
7 7 date:
8 8 formats:
9 9 # Use the strftime parameters for formats.
10 10 # When no format has been given, it uses default.
11 11 # You can provide other formats here if you like!
12 12 default: "%d.%m.%Y"
13 13 short: "%e. %b"
14 14 long: "%e. %B %Y"
15 15
16 16 day_names: [Sonntag, Montag, Dienstag, Mittwoch, Donnerstag, Freitag, Samstag]
17 17 abbr_day_names: [So, Mo, Di, Mi, Do, Fr, Sa]
18 18
19 19 # Don't forget the nil at the beginning; there's no such thing as a 0th month
20 20 month_names: [~, Januar, Februar, März, April, Mai, Juni, Juli, August, September, Oktober, November, Dezember]
21 21 abbr_month_names: [~, Jan, Feb, Mär, Apr, Mai, Jun, Jul, Aug, Sep, Okt, Nov, Dez]
22 22 # Used in date_select and datime_select.
23 23 order:
24 24 - :day
25 25 - :month
26 26 - :year
27 27
28 28 time:
29 29 formats:
30 30 default: "%d.%m.%Y %H:%M"
31 31 time: "%H:%M"
32 32 short: "%e. %b %H:%M"
33 33 long: "%A, %e. %B %Y, %H:%M Uhr"
34 34 am: "vormittags"
35 35 pm: "nachmittags"
36 36
37 37 datetime:
38 38 distance_in_words:
39 39 half_a_minute: 'eine halbe Minute'
40 40 less_than_x_seconds:
41 41 one: 'weniger als 1 Sekunde'
42 42 other: 'weniger als %{count} Sekunden'
43 43 x_seconds:
44 44 one: '1 Sekunde'
45 45 other: '%{count} Sekunden'
46 46 less_than_x_minutes:
47 47 one: 'weniger als 1 Minute'
48 48 other: 'weniger als %{count} Minuten'
49 49 x_minutes:
50 50 one: '1 Minute'
51 51 other: '%{count} Minuten'
52 52 about_x_hours:
53 53 one: 'etwa 1 Stunde'
54 54 other: 'etwa %{count} Stunden'
55 55 x_hours:
56 56 one: "1 Stunde"
57 57 other: "%{count} Stunden"
58 58 x_days:
59 59 one: '1 Tag'
60 60 other: '%{count} Tagen'
61 61 about_x_months:
62 62 one: 'etwa 1 Monat'
63 63 other: 'etwa %{count} Monaten'
64 64 x_months:
65 65 one: '1 Monat'
66 66 other: '%{count} Monaten'
67 67 about_x_years:
68 68 one: 'etwa 1 Jahr'
69 69 other: 'etwa %{count} Jahren'
70 70 over_x_years:
71 71 one: 'mehr als 1 Jahr'
72 72 other: 'mehr als %{count} Jahren'
73 73 almost_x_years:
74 74 one: "fast 1 Jahr"
75 75 other: "fast %{count} Jahren"
76 76
77 77 number:
78 78 # Default format for numbers
79 79 format:
80 80 separator: ','
81 81 delimiter: '.'
82 82 precision: 2
83 83 currency:
84 84 format:
85 85 unit: '€'
86 86 format: '%n %u'
87 87 delimiter: ''
88 88 percentage:
89 89 format:
90 90 delimiter: ""
91 91 precision:
92 92 format:
93 93 delimiter: ""
94 94 human:
95 95 format:
96 96 delimiter: ""
97 97 precision: 3
98 98 storage_units:
99 99 format: "%n %u"
100 100 units:
101 101 byte:
102 102 one: "Byte"
103 103 other: "Bytes"
104 104 kb: "KB"
105 105 mb: "MB"
106 106 gb: "GB"
107 107 tb: "TB"
108 108
109 109 # Used in array.to_sentence.
110 110 support:
111 111 array:
112 112 sentence_connector: "und"
113 113 skip_last_comma: true
114 114
115 115 activerecord:
116 116 errors:
117 117 template:
118 118 header:
119 119 one: "Dieses %{model}-Objekt konnte nicht gespeichert werden: %{count} Fehler."
120 120 other: "Dieses %{model}-Objekt konnte nicht gespeichert werden: %{count} Fehler."
121 121 body: "Bitte überprüfen Sie die folgenden Felder:"
122 122
123 123 messages:
124 124 inclusion: "ist kein gültiger Wert"
125 125 exclusion: "ist nicht verfügbar"
126 126 invalid: "ist nicht gültig"
127 127 confirmation: "stimmt nicht mit der Bestätigung überein"
128 128 accepted: "muss akzeptiert werden"
129 129 empty: "muss ausgefüllt werden"
130 130 blank: "muss ausgefüllt werden"
131 131 too_long: "ist zu lang (nicht mehr als %{count} Zeichen)"
132 132 too_short: "ist zu kurz (nicht weniger als %{count} Zeichen)"
133 133 wrong_length: "hat die falsche Länge (muss genau %{count} Zeichen haben)"
134 134 taken: "ist bereits vergeben"
135 135 not_a_number: "ist keine Zahl"
136 136 not_a_date: "ist kein gültiges Datum"
137 137 greater_than: "muss größer als %{count} sein"
138 138 greater_than_or_equal_to: "muss größer oder gleich %{count} sein"
139 139 equal_to: "muss genau %{count} sein"
140 140 less_than: "muss kleiner als %{count} sein"
141 141 less_than_or_equal_to: "muss kleiner oder gleich %{count} sein"
142 142 odd: "muss ungerade sein"
143 143 even: "muss gerade sein"
144 144 greater_than_start_date: "muss größer als Anfangsdatum sein"
145 145 not_same_project: "gehört nicht zum selben Projekt"
146 146 circular_dependency: "Diese Beziehung würde eine zyklische Abhängigkeit erzeugen"
147 147 cant_link_an_issue_with_a_descendant: "Ein Ticket kann nicht mit einer Ihrer Unteraufgaben verlinkt werden"
148 148 earlier_than_minimum_start_date: "cannot be earlier than %{date} because of preceding issues"
149 149
150 150 actionview_instancetag_blank_option: Bitte auswählen
151 151
152 152 button_activate: Aktivieren
153 153 button_add: Hinzufügen
154 154 button_annotate: Annotieren
155 155 button_apply: Anwenden
156 156 button_archive: Archivieren
157 157 button_back: Zurück
158 158 button_cancel: Abbrechen
159 159 button_change: Wechseln
160 160 button_change_password: Kennwort ändern
161 161 button_check_all: Alles auswählen
162 162 button_clear: Zurücksetzen
163 163 button_close: Schließen
164 164 button_collapse_all: Alle einklappen
165 165 button_configure: Konfigurieren
166 166 button_copy: Kopieren
167 167 button_copy_and_follow: Kopieren und Ticket anzeigen
168 168 button_create: Anlegen
169 169 button_create_and_continue: Anlegen und weiter
170 170 button_delete: Löschen
171 171 button_delete_my_account: Mein Benutzerkonto löschen
172 172 button_download: Download
173 173 button_duplicate: Duplizieren
174 174 button_edit: Bearbeiten
175 175 button_edit_associated_wikipage: "Zugehörige Wikiseite bearbeiten: %{page_title}"
176 176 button_edit_section: Diesen Bereich bearbeiten
177 177 button_expand_all: Alle ausklappen
178 178 button_export: Exportieren
179 179 button_hide: Verstecken
180 180 button_list: Liste
181 181 button_lock: Sperren
182 182 button_log_time: Aufwand buchen
183 183 button_login: Anmelden
184 184 button_move: Verschieben
185 185 button_move_and_follow: Verschieben und Ticket anzeigen
186 186 button_quote: Zitieren
187 187 button_rename: Umbenennen
188 188 button_reopen: Öffnen
189 189 button_reply: Antworten
190 190 button_reset: Zurücksetzen
191 191 button_rollback: Auf diese Version zurücksetzen
192 192 button_save: Speichern
193 193 button_show: Anzeigen
194 194 button_sort: Sortieren
195 195 button_submit: OK
196 196 button_test: Testen
197 197 button_unarchive: Entarchivieren
198 198 button_uncheck_all: Alles abwählen
199 199 button_unlock: Entsperren
200 200 button_unwatch: Nicht beobachten
201 201 button_update: Aktualisieren
202 202 button_view: Anzeigen
203 203 button_watch: Beobachten
204 204
205 205 default_activity_design: Design
206 206 default_activity_development: Entwicklung
207 207 default_doc_category_tech: Technische Dokumentation
208 208 default_doc_category_user: Benutzerdokumentation
209 209 default_issue_status_closed: Erledigt
210 210 default_issue_status_feedback: Feedback
211 211 default_issue_status_in_progress: In Bearbeitung
212 212 default_issue_status_new: Neu
213 213 default_issue_status_rejected: Abgewiesen
214 214 default_issue_status_resolved: Gelöst
215 215 default_priority_high: Hoch
216 216 default_priority_immediate: Sofort
217 217 default_priority_low: Niedrig
218 218 default_priority_normal: Normal
219 219 default_priority_urgent: Dringend
220 220 default_role_developer: Entwickler
221 221 default_role_manager: Manager
222 222 default_role_reporter: Reporter
223 223 default_tracker_bug: Fehler
224 224 default_tracker_feature: Feature
225 225 default_tracker_support: Unterstützung
226 226
227 227 description_all_columns: Alle Spalten
228 228 description_available_columns: Verfügbare Spalten
229 229 description_choose_project: Projekte
230 230 description_date_from: Startdatum eintragen
231 231 description_date_range_interval: Zeitraum durch Start- und Enddatum festlegen
232 232 description_date_range_list: Zeitraum aus einer Liste wählen
233 233 description_date_to: Enddatum eintragen
234 234 description_filter: Filter
235 235 description_issue_category_reassign: Neue Kategorie wählen
236 236 description_message_content: Nachrichteninhalt
237 237 description_notes: Kommentare
238 238 description_project_scope: Suchbereich
239 239 description_query_sort_criteria_attribute: Sortierattribut
240 240 description_query_sort_criteria_direction: Sortierrichtung
241 241 description_search: Suchfeld
242 242 description_selected_columns: Ausgewählte Spalten
243 243
244 244 description_user_mail_notification: Mailbenachrichtigungseinstellung
245 245 description_wiki_subpages_reassign: Neue Elternseite wählen
246 246
247 247 enumeration_activities: Aktivitäten (Zeiterfassung)
248 248 enumeration_doc_categories: Dokumentenkategorien
249 249 enumeration_issue_priorities: Ticket-Prioritäten
250 250 enumeration_system_activity: System-Aktivität
251 251
252 252 error_attachment_too_big: Diese Datei kann nicht hochgeladen werden, da sie die maximale Dateigröße von (%{max_size}) überschreitet.
253 253 error_can_not_archive_project: Dieses Projekt kann nicht archiviert werden.
254 254 error_can_not_delete_custom_field: Kann das benutzerdefinierte Feld nicht löschen.
255 255 error_can_not_delete_tracker: Dieser Tracker enthält Tickets und kann nicht gelöscht werden.
256 256 error_can_not_remove_role: Diese Rolle wird verwendet und kann nicht gelöscht werden.
257 257 error_can_not_reopen_issue_on_closed_version: Das Ticket ist einer abgeschlossenen Version zugeordnet und kann daher nicht wieder geöffnet werden.
258 258 error_can_t_load_default_data: "Die Standard-Konfiguration konnte nicht geladen werden: %{value}"
259 259 error_issue_done_ratios_not_updated: Der Ticket-Fortschritt wurde nicht aktualisiert.
260 260 error_issue_not_found_in_project: 'Das Ticket wurde nicht gefunden oder gehört nicht zu diesem Projekt.'
261 261 error_no_default_issue_status: Es ist kein Status als Standard definiert. Bitte überprüfen Sie Ihre Konfiguration (unter "Administration -> Ticket-Status").
262 262 error_no_tracker_in_project: Diesem Projekt ist kein Tracker zugeordnet. Bitte überprüfen Sie die Projekteinstellungen.
263 263 error_scm_annotate: "Der Eintrag existiert nicht oder kann nicht annotiert werden."
264 264 error_scm_annotate_big_text_file: Der Eintrag kann nicht umgesetzt werden, da er die maximale Textlänge überschreitet.
265 265 error_scm_command_failed: "Beim Zugriff auf das Projektarchiv ist ein Fehler aufgetreten: %{value}"
266 266 error_scm_not_found: Eintrag und/oder Revision existiert nicht im Projektarchiv.
267 267 error_session_expired: Ihre Sitzung ist abgelaufen. Bitte melden Sie sich erneut an.
268 268 error_unable_delete_issue_status: "Der Ticket-Status konnte nicht gelöscht werden."
269 269 error_unable_to_connect: Fehler beim Verbinden (%{value})
270 270 error_workflow_copy_source: Bitte wählen Sie einen Quell-Tracker und eine Quell-Rolle.
271 271 error_workflow_copy_target: Bitte wählen Sie die Ziel-Tracker und -Rollen.
272 272
273 273 field_account: Konto
274 274 field_active: Aktiv
275 275 field_activity: Aktivität
276 276 field_admin: Administrator
277 277 field_assignable: Tickets können dieser Rolle zugewiesen werden
278 278 field_assigned_to: Zugewiesen an
279 279 field_assigned_to_role: Zuständigkeitsrolle
280 280 field_attr_firstname: Vorname-Attribut
281 281 field_attr_lastname: Name-Attribut
282 282 field_attr_login: Mitgliedsname-Attribut
283 283 field_attr_mail: E-Mail-Attribut
284 284 field_auth_source: Authentifizierungs-Modus
285 285 field_auth_source_ldap_filter: LDAP-Filter
286 286 field_author: Autor
287 287 field_base_dn: Base DN
288 288 field_board_parent: Übergeordnetes Forum
289 289 field_category: Kategorie
290 290 field_column_names: Spalten
291 291 field_closed_on: Geschlossen am
292 292 field_comments: Kommentar
293 293 field_comments_sorting: Kommentare anzeigen
294 294 field_commit_logs_encoding: Kodierung der Commit-Log-Meldungen
295 295 field_content: Inhalt
296 296 field_core_fields: Standardwerte
297 297 field_created_on: Angelegt
298 298 field_cvs_module: Modul
299 299 field_cvsroot: CVSROOT
300 300 field_default_value: Standardwert
301 301 field_default_status: Standardstatus
302 302 field_delay: Pufferzeit
303 303 field_description: Beschreibung
304 304 field_done_ratio: "% erledigt"
305 305 field_downloads: Downloads
306 306 field_due_date: Abgabedatum
307 307 field_editable: Bearbeitbar
308 308 field_effective_date: Datum
309 309 field_estimated_hours: Geschätzter Aufwand
310 310 field_field_format: Format
311 311 field_filename: Datei
312 312 field_filesize: Größe
313 313 field_firstname: Vorname
314 314 field_fixed_version: Zielversion
315 315 field_generate_password: Passwort generieren
316 316 field_group_by: Gruppiere Ergebnisse nach
317 317 field_hide_mail: E-Mail-Adresse nicht anzeigen
318 318 field_homepage: Projekt-Homepage
319 319 field_host: Host
320 320 field_hours: Stunden
321 321 field_identifier: Kennung
322 322 field_identity_url: OpenID-URL
323 323 field_inherit_members: Benutzer erben
324 324 field_is_closed: Ticket geschlossen
325 325 field_is_default: Standardeinstellung
326 326 field_is_filter: Als Filter benutzen
327 327 field_is_for_all: Für alle Projekte
328 328 field_is_in_roadmap: In der Roadmap anzeigen
329 329 field_is_private: Privat
330 330 field_is_public: Öffentlich
331 331 field_is_required: Erforderlich
332 332 field_issue: Ticket
333 333 field_issue_to: Zugehöriges Ticket
334 334 field_issues_visibility: Ticket Sichtbarkeit
335 335 field_language: Sprache
336 336 field_last_login_on: Letzte Anmeldung
337 337 field_lastname: Nachname
338 338 field_login: Mitgliedsname
339 339 field_mail: E-Mail
340 340 field_mail_notification: Mailbenachrichtigung
341 341 field_max_length: Maximale Länge
342 342 field_member_of_group: Zuständigkeitsgruppe
343 343 field_min_length: Minimale Länge
344 344 field_multiple: Mehrere Werte
345 345 field_must_change_passwd: Passwort beim nächsten Login ändern
346 346 field_name: Name
347 347 field_new_password: Neues Kennwort
348 348 field_notes: Kommentare
349 349 field_onthefly: On-the-fly-Benutzererstellung
350 350 field_parent: Unterprojekt von
351 351 field_parent_issue: Übergeordnete Aufgabe
352 352 field_parent_title: Übergeordnete Seite
353 353 field_password: Kennwort
354 354 field_password_confirmation: Bestätigung
355 355 field_path_to_repository: Pfad zum Repository
356 356 field_port: Port
357 357 field_possible_values: Mögliche Werte
358 358 field_principal: Auftraggeber
359 359 field_priority: Priorität
360 360 field_private_notes: Privater Kommentar
361 361 field_project: Projekt
362 362 field_redirect_existing_links: Existierende Links umleiten
363 363 field_regexp: Regulärer Ausdruck
364 364 field_repository_is_default: Haupt-Repository
365 365 field_role: Rolle
366 366 field_root_directory: Wurzelverzeichnis
367 367 field_scm_path_encoding: Pfad-Kodierung
368 368 field_searchable: Durchsuchbar
369 369 field_sharing: Gemeinsame Verwendung
370 370 field_spent_on: Datum
371 371 field_start_date: Beginn
372 372 field_start_page: Hauptseite
373 373 field_status: Status
374 374 field_subject: Thema
375 375 field_subproject: Unterprojekt von
376 376 field_summary: Zusammenfassung
377 377 field_text: Textfeld
378 378 field_time_entries: Logzeit
379 379 field_time_zone: Zeitzone
380 380 field_timeout: Auszeit (in Sekunden)
381 381 field_title: Titel
382 382 field_tracker: Tracker
383 383 field_type: Typ
384 384 field_updated_on: Aktualisiert
385 385 field_url: URL
386 386 field_user: Benutzer
387 387 field_users_visibility: Benutzer Sichtbarkeit
388 388 field_value: Wert
389 389 field_version: Version
390 390 field_visible: Sichtbar
391 391 field_warn_on_leaving_unsaved: Vor dem Verlassen einer Seite mit ungesichertem Text im Editor warnen
392 392 field_watcher: Beobachter
393 393
394 394 general_csv_decimal_separator: ','
395 395 general_csv_encoding: ISO-8859-1
396 396 general_csv_separator: ';'
397 397 general_pdf_fontname: freesans
398 398 general_first_day_of_week: '1'
399 399 general_lang_name: 'German (Deutsch)'
400 400 general_text_No: 'Nein'
401 401 general_text_Yes: 'Ja'
402 402 general_text_no: 'nein'
403 403 general_text_yes: 'ja'
404 404
405 405 label_activity: Aktivität
406 406 label_add_another_file: Eine weitere Datei hinzufügen
407 407 label_add_note: Kommentar hinzufügen
408 408 label_add_projects: Projekt hinzufügen
409 409 label_added: hinzugefügt
410 410 label_added_time_by: "Von %{author} vor %{age} hinzugefügt"
411 411 label_additional_workflow_transitions_for_assignee: Zusätzliche Berechtigungen wenn der Benutzer der Zugewiesene ist
412 412 label_additional_workflow_transitions_for_author: Zusätzliche Berechtigungen wenn der Benutzer der Autor ist
413 413 label_administration: Administration
414 414 label_age: Geändert vor
415 415 label_ago: vor
416 416 label_all: alle
417 417 label_all_time: gesamter Zeitraum
418 418 label_all_words: Alle Wörter
419 419 label_and_its_subprojects: "%{value} und dessen Unterprojekte"
420 420 label_any: alle
421 421 label_any_issues_in_project: irgendein Ticket im Projekt
422 422 label_any_issues_not_in_project: irgendein Ticket nicht im Projekt
423 423 label_api_access_key: API-Zugriffsschlüssel
424 424 label_api_access_key_created_on: Der API-Zugriffsschlüssel wurde vor %{value} erstellt
425 425 label_applied_status: Zugewiesener Status
426 426 label_ascending: Aufsteigend
427 427 label_ask: Nachfragen
428 428 label_assigned_to_me_issues: Mir zugewiesene Tickets
429 429 label_associated_revisions: Zugehörige Revisionen
430 430 label_attachment: Datei
431 431 label_attachment_delete: Anhang löschen
432 432 label_attachment_new: Neue Datei
433 433 label_attachment_plural: Dateien
434 434 label_attribute: Attribut
435 435 label_attribute_of_assigned_to: "%{name} des Bearbeiters"
436 436 label_attribute_of_author: "%{name} des Autors"
437 437 label_attribute_of_fixed_version: "%{name} der Zielversion"
438 438 label_attribute_of_issue: "%{name} des Tickets"
439 439 label_attribute_of_project: "%{name} des Projekts"
440 440 label_attribute_of_user: "%{name} des Benutzers"
441 441 label_attribute_plural: Attribute
442 442 label_auth_source: Authentifizierungs-Modus
443 443 label_auth_source_new: Neuer Authentifizierungs-Modus
444 444 label_auth_source_plural: Authentifizierungs-Arten
445 445 label_authentication: Authentifizierung
446 446 label_between: zwischen
447 447 label_blocked_by: Blockiert durch
448 448 label_blocks: Blockiert
449 449 label_board: Forum
450 450 label_board_locked: Gesperrt
451 451 label_board_new: Neues Forum
452 452 label_board_plural: Foren
453 453 label_board_sticky: Wichtig (immer oben)
454 454 label_boolean: Boolean
455 455 label_branch: Zweig
456 456 label_browse: Codebrowser
457 457 label_bulk_edit_selected_issues: Alle ausgewählten Tickets bearbeiten
458 458 label_bulk_edit_selected_time_entries: Ausgewählte Zeitaufwände bearbeiten
459 459 label_calendar: Kalender
460 460 label_change_plural: Änderungen
461 461 label_change_properties: Eigenschaften ändern
462 462 label_change_status: Statuswechsel
463 463 label_change_view_all: Alle Änderungen anzeigen
464 464 label_changes_details: Details aller Änderungen
465 465 label_changeset_plural: Changesets
466 466 label_checkboxes: Checkboxen
467 467 label_check_for_updates: Auf Updates prüfen
468 468 label_child_revision: Nachfolger
469 469 label_chronological_order: in zeitlicher Reihenfolge
470 470 label_close_versions: Vollständige Versionen schließen
471 471 label_closed_issues: geschlossen
472 472 label_closed_issues_plural: geschlossen
473 473 label_comment: Kommentar
474 474 label_comment_add: Kommentar hinzufügen
475 475 label_comment_added: Kommentar hinzugefügt
476 476 label_comment_delete: Kommentar löschen
477 477 label_comment_plural: Kommentare
478 478 label_commits_per_author: Übertragungen pro Autor
479 479 label_commits_per_month: Übertragungen pro Monat
480 480 label_completed_versions: Abgeschlossene Versionen
481 481 label_confirmation: Bestätigung
482 482 label_contains: enthält
483 483 label_copied: kopiert
484 484 label_copied_from: Kopiert von
485 485 label_copied_to: Kopiert nach
486 486 label_copy_attachments: Anhänge kopieren
487 487 label_copy_same_as_target: So wie das Ziel
488 488 label_copy_source: Quelle
489 489 label_copy_subtasks: Unteraufgaben kopieren
490 490 label_copy_target: Ziel
491 491 label_copy_workflow_from: Workflow kopieren von
492 492 label_cross_project_descendants: Mit Unterprojekten
493 493 label_cross_project_hierarchy: Mit Projekthierarchie
494 494 label_cross_project_system: Mit allen Projekten
495 495 label_cross_project_tree: Mit Projektbaum
496 496 label_current_status: Gegenwärtiger Status
497 497 label_current_version: Gegenwärtige Version
498 498 label_custom_field: Benutzerdefiniertes Feld
499 499 label_custom_field_new: Neues Feld
500 500 label_custom_field_plural: Benutzerdefinierte Felder
501 501 label_custom_field_select_type: Bitte wählen Sie den Objekttyp, zu dem das benutzerdefinierte Feld hinzugefügt werden soll
502 502 label_date: Datum
503 503 label_date_from: Von
504 504 label_date_from_to: von %{start} bis %{end}
505 505 label_date_range: Zeitraum
506 506 label_date_to: Bis
507 507 label_day_plural: Tage
508 508 label_default: Standard
509 509 label_default_columns: Standard-Spalten
510 510 label_deleted: gelöscht
511 511 label_descending: Absteigend
512 512 label_details: Details
513 513 label_diff: diff
514 514 label_diff_inline: einspaltig
515 515 label_diff_side_by_side: nebeneinander
516 516 label_disabled: gesperrt
517 517 label_display: Anzeige
518 518 label_display_per_page: "Pro Seite: %{value}"
519 519 label_display_used_statuses_only: Zeige nur Status an, die von diesem Tracker verwendet werden
520 520 label_document: Dokument
521 521 label_document_added: Dokument hinzugefügt
522 522 label_document_new: Neues Dokument
523 523 label_document_plural: Dokumente
524 524 label_downloads_abbr: D/L
525 525 label_drop_down_list: Dropdown-Liste
526 526 label_duplicated_by: Dupliziert durch
527 527 label_duplicates: Duplikat von
528 528 label_edit_attachments: Angehängte Dateien bearbeiten
529 529 label_end_to_end: Ende - Ende
530 530 label_end_to_start: Ende - Anfang
531 531 label_enumeration_new: Neuer Wert
532 532 label_enumerations: Aufzählungen
533 533 label_environment: Umgebung
534 534 label_equals: ist
535 535 label_example: Beispiel
536 536 label_export_options: "%{export_format} Export-Eigenschaften"
537 537 label_export_to: "Auch abrufbar als:"
538 538 label_f_hour: "%{value} Stunde"
539 539 label_f_hour_plural: "%{value} Stunden"
540 540 label_feed_plural: Feeds
541 541 label_feeds_access_key: Atom-Zugriffsschlüssel
542 542 label_feeds_access_key_created_on: "Atom-Zugriffsschlüssel vor %{value} erstellt"
543 543 label_fields_permissions: Feldberechtigungen
544 544 label_file_added: Datei hinzugefügt
545 545 label_file_plural: Dateien
546 546 label_filter_add: Filter hinzufügen
547 547 label_filter_plural: Filter
548 548 label_float: Fließkommazahl
549 549 label_follows: Nachfolger von
550 550 label_gantt: Gantt-Diagramm
551 551 label_gantt_progress_line: Fortschrittslinie
552 552 label_general: Allgemein
553 553 label_generate_key: Generieren
554 554 label_git_report_last_commit: Bericht des letzten Commits für Dateien und Verzeichnisse
555 555 label_greater_or_equal: ">="
556 556 label_group: Gruppe
557 557 label_group_anonymous: Anonyme Benutzer
558 558 label_group_new: Neue Gruppe
559 559 label_group_non_member: Nichtmitglieder
560 560 label_group_plural: Gruppen
561 561 label_help: Hilfe
562 562 label_hidden: Versteckt
563 563 label_history: Historie
564 564 label_home: Hauptseite
565 565 label_in: in
566 566 label_in_less_than: in weniger als
567 567 label_in_more_than: in mehr als
568 568 label_in_the_next_days: in den nächsten
569 569 label_in_the_past_days: in den letzten
570 570 label_incoming_emails: Eingehende E-Mails
571 571 label_index_by_date: Seiten nach Datum sortiert
572 572 label_index_by_title: Seiten nach Titel sortiert
573 573 label_information: Information
574 574 label_information_plural: Informationen
575 575 label_integer: Zahl
576 576 label_internal: Intern
577 577 label_issue: Ticket
578 578 label_issue_added: Ticket hinzugefügt
579 579 label_issue_assigned_to_updated: Bearbeiter aktualisiert
580 580 label_issue_category: Ticket-Kategorie
581 581 label_issue_category_new: Neue Kategorie
582 582 label_issue_category_plural: Ticket-Kategorien
583 583 label_issue_new: Neues Ticket
584 584 label_issue_note_added: Notiz hinzugefügt
585 585 label_issue_plural: Tickets
586 586 label_issue_priority_updated: Priorität aktualisiert
587 587 label_issue_status: Ticket-Status
588 588 label_issue_status_new: Neuer Status
589 589 label_issue_status_plural: Ticket-Status
590 590 label_issue_status_updated: Status aktualisiert
591 591 label_issue_tracking: Tickets
592 592 label_issue_updated: Ticket aktualisiert
593 593 label_issue_view_all: Alle Tickets anzeigen
594 594 label_issue_watchers: Beobachter
595 595 label_issues_by: "Tickets pro %{value}"
596 596 label_issues_visibility_all: Alle Tickets
597 597 label_issues_visibility_own: Tickets die folgender Benutzer erstellt hat oder die ihm zugewiesen sind
598 598 label_issues_visibility_public: Alle öffentlichen Tickets
599 599 label_item_position: "%{position}/%{count}"
600 600 label_jump_to_a_project: Zu einem Projekt springen...
601 601 label_language_based: Sprachabhängig
602 602 label_last_changes: "%{count} letzte Änderungen"
603 603 label_last_login: Letzte Anmeldung
604 604 label_last_month: voriger Monat
605 605 label_last_n_days: "die letzten %{count} Tage"
606 606 label_last_n_weeks: letzte %{count} Wochen
607 607 label_last_week: vorige Woche
608 608 label_latest_compatible_version: Letzte kompatible Version
609 609 label_latest_revision: Aktuellste Revision
610 610 label_latest_revision_plural: Aktuellste Revisionen
611 611 label_ldap_authentication: LDAP-Authentifizierung
612 612 label_less_or_equal: "<="
613 613 label_less_than_ago: vor weniger als
614 614 label_link: Link
615 615 label_link_copied_issue: Kopierte Tickets verlinken
616 616 label_link_values_to: Werte mit URL verknüpfen
617 617 label_list: Liste
618 618 label_loading: Lade...
619 619 label_logged_as: Angemeldet als
620 620 label_login: Anmelden
621 621 label_login_with_open_id_option: oder mit OpenID anmelden
622 622 label_logout: Abmelden
623 623 label_only: nur
624 624 label_max_size: Maximale Größe
625 625 label_me: ich
626 626 label_member: Mitglied
627 627 label_member_new: Neues Mitglied
628 628 label_member_plural: Mitglieder
629 629 label_message_last: Letzter Forenbeitrag
630 630 label_message_new: Neues Thema
631 631 label_message_plural: Forenbeiträge
632 632 label_message_posted: Forenbeitrag hinzugefügt
633 633 label_min_max_length: Länge (Min. - Max.)
634 634 label_missing_api_access_key: Der API-Zugriffsschlüssel fehlt.
635 635 label_missing_feeds_access_key: Der Atom-Zugriffsschlüssel fehlt.
636 636 label_modified: geändert
637 637 label_module_plural: Module
638 638 label_month: Monat
639 639 label_months_from: Monate ab
640 640 label_more: Mehr
641 641 label_more_than_ago: vor mehr als
642 642 label_my_account: Mein Konto
643 643 label_my_page: Meine Seite
644 644 label_my_page_block: Verfügbare Widgets
645 645 label_my_projects: Meine Projekte
646 646 label_my_queries: Meine eigenen Abfragen
647 647 label_new: Neu
648 648 label_new_statuses_allowed: Neue Berechtigungen
649 649 label_news: News
650 650 label_news_added: News hinzugefügt
651 651 label_news_comment_added: Kommentar zu einer News hinzugefügt
652 652 label_news_latest: Letzte News
653 653 label_news_new: News hinzufügen
654 654 label_news_plural: News
655 655 label_news_view_all: Alle News anzeigen
656 656 label_next: Weiter
657 657 label_no_change_option: (Keine Änderung)
658 658 label_no_data: Nichts anzuzeigen
659 659 label_no_issues_in_project: keine Tickets im Projekt
660 660 label_nobody: Niemand
661 661 label_none: kein
662 662 label_not_contains: enthält nicht
663 663 label_not_equals: ist nicht
664 664 label_open_issues: offen
665 665 label_open_issues_plural: offen
666 666 label_optional_description: Beschreibung (optional)
667 667 label_options: Optionen
668 668 label_overall_activity: Aktivitäten aller Projekte anzeigen
669 669 label_overall_spent_time: Aufgewendete Zeit aller Projekte anzeigen
670 670 label_overview: Übersicht
671 671 label_parent_revision: Vorgänger
672 672 label_password_lost: Kennwort vergessen
673 673 label_password_required: Bitte geben Sie Ihr Kennwort ein
674 674 label_permissions: Berechtigungen
675 675 label_permissions_report: Berechtigungsübersicht
676 676 label_personalize_page: Diese Seite anpassen
677 677 label_planning: Terminplanung
678 678 label_please_login: Anmelden
679 679 label_plugins: Plugins
680 680 label_precedes: Vorgänger von
681 681 label_preferences: Präferenzen
682 682 label_preview: Vorschau
683 683 label_previous: Zurück
684 684 label_principal_search: "Nach Benutzer oder Gruppe suchen:"
685 685 label_profile: Profil
686 686 label_project: Projekt
687 687 label_project_all: Alle Projekte
688 688 label_project_copy_notifications: Sende Mailbenachrichtigungen beim Kopieren des Projekts.
689 689 label_project_latest: Neueste Projekte
690 690 label_project_new: Neues Projekt
691 691 label_project_plural: Projekte
692 692 label_public_projects: Öffentliche Projekte
693 693 label_query: Benutzerdefinierte Abfrage
694 694 label_query_new: Neue Abfrage
695 695 label_query_plural: Benutzerdefinierte Abfragen
696 696 label_radio_buttons: Radio-Buttons
697 697 label_read: Lesen...
698 698 label_readonly: Nur-Lese-Zugriff
699 699 label_register: Registrieren
700 700 label_registered_on: Angemeldet am
701 701 label_registration_activation_by_email: Kontoaktivierung durch E-Mail
702 702 label_registration_automatic_activation: Automatische Kontoaktivierung
703 703 label_registration_manual_activation: Manuelle Kontoaktivierung
704 704 label_related_issues: Zugehörige Tickets
705 705 label_relates_to: Beziehung mit
706 706 label_relation_delete: Beziehung löschen
707 707 label_relation_new: Neue Beziehung
708 708 label_renamed: umbenannt
709 709 label_reply_plural: Antworten
710 710 label_report: Bericht
711 711 label_report_plural: Berichte
712 712 label_reported_issues: Erstellte Tickets
713 713 label_repository: Projektarchiv
714 714 label_repository_new: Neues Repository
715 715 label_repository_plural: Projektarchive
716 716 label_required: Erforderlich
717 717 label_result_plural: Resultate
718 718 label_reverse_chronological_order: in umgekehrter zeitlicher Reihenfolge
719 719 label_revision: Revision
720 720 label_revision_id: Revision %{value}
721 721 label_revision_plural: Revisionen
722 722 label_roadmap: Roadmap
723 723 label_roadmap_due_in: "Fällig in %{value}"
724 724 label_roadmap_no_issues: Keine Tickets für diese Version
725 725 label_roadmap_overdue: "seit %{value} verspätet"
726 726 label_role: Rolle
727 727 label_role_and_permissions: Rollen und Rechte
728 728 label_role_anonymous: Anonymous
729 729 label_role_new: Neue Rolle
730 730 label_role_non_member: Nichtmitglied
731 731 label_role_plural: Rollen
732 732 label_scm: Versionskontrollsystem
733 733 label_search: Suche
734 734 label_search_for_watchers: Nach hinzufügbaren Beobachtern suchen
735 735 label_search_titles_only: Nur Titel durchsuchen
736 736 label_send_information: Sende Kontoinformationen an Benutzer
737 737 label_send_test_email: Test-E-Mail senden
738 738 label_session_expiration: Ende einer Sitzung
739 739 label_settings: Konfiguration
740 740 label_show_closed_projects: Geschlossene Projekte anzeigen
741 741 label_show_completed_versions: Abgeschlossene Versionen anzeigen
742 742 label_sort: Sortierung
743 743 label_sort_by: "Sortiert nach %{value}"
744 744 label_sort_higher: Eins höher
745 745 label_sort_highest: An den Anfang
746 746 label_sort_lower: Eins tiefer
747 747 label_sort_lowest: Ans Ende
748 748 label_spent_time: Aufgewendete Zeit
749 749 label_start_to_end: Anfang - Ende
750 750 label_start_to_start: Anfang - Anfang
751 751 label_statistics: Statistiken
752 752 label_status_transitions: Statusänderungen
753 753 label_stay_logged_in: Angemeldet bleiben
754 754 label_string: Text
755 755 label_subproject_new: Neues Unterprojekt
756 756 label_subproject_plural: Unterprojekte
757 757 label_subtask_plural: Unteraufgaben
758 758 label_tag: Markierung
759 759 label_text: Langer Text
760 760 label_theme: Stil
761 761 label_this_month: aktueller Monat
762 762 label_this_week: aktuelle Woche
763 763 label_this_year: aktuelles Jahr
764 764 label_time_entry_plural: Benötigte Zeit
765 765 label_time_tracking: Zeiterfassung
766 766 label_today: heute
767 767 label_topic_plural: Themen
768 768 label_total: Gesamtzahl
769 769 label_total_time: Gesamtzeit
770 770 label_tracker: Tracker
771 771 label_tracker_new: Neuer Tracker
772 772 label_tracker_plural: Tracker
773 773 label_unknown_plugin: Unbekanntes Plugin
774 774 label_update_issue_done_ratios: Ticket-Fortschritt aktualisieren
775 775 label_updated_time: "Vor %{value} aktualisiert"
776 776 label_updated_time_by: "Von %{author} vor %{age} aktualisiert"
777 777 label_used_by: Benutzt von
778 778 label_user: Benutzer
779 779 label_user_activity: "Aktivität von %{value}"
780 780 label_user_anonymous: Anonym
781 781 label_user_mail_no_self_notified: "Ich möchte nicht über Änderungen benachrichtigt werden, die ich selbst durchführe."
782 782 label_user_mail_option_all: "Für alle Ereignisse in all meinen Projekten"
783 783 label_user_mail_option_none: Keine Ereignisse
784 784 label_user_mail_option_only_assigned: Nur für Aufgaben für die ich zuständig bin
785 785 label_user_mail_option_only_my_events: Nur für Aufgaben die ich beobachte oder an welchen ich mitarbeite
786 786 label_user_mail_option_only_owner: Nur für Aufgaben die ich angelegt habe
787 787 label_user_mail_option_selected: "Für alle Ereignisse in den ausgewählten Projekten"
788 788 label_user_new: Neuer Benutzer
789 789 label_user_plural: Benutzer
790 790 label_user_search: "Nach Benutzer suchen:"
791 791 label_users_visibility_all: Alle aktiven Benutzer
792 792 label_users_visibility_members_of_visible_projects: Mitglieder von sichtbaren Projekten
793 793 label_version: Version
794 794 label_version_new: Neue Version
795 795 label_version_plural: Versionen
796 796 label_version_sharing_descendants: Mit Unterprojekten
797 797 label_version_sharing_hierarchy: Mit Projekthierarchie
798 798 label_version_sharing_none: Nicht gemeinsam verwenden
799 799 label_version_sharing_system: Mit allen Projekten
800 800 label_version_sharing_tree: Mit Projektbaum
801 801 label_view_all_revisions: Alle Revisionen anzeigen
802 802 label_view_diff: Unterschiede anzeigen
803 803 label_view_revisions: Revisionen anzeigen
804 804 label_visibility_private: nur für mich
805 805 label_visibility_public: für jeden Benutzer
806 806 label_visibility_roles: nur für diese Rollen
807 807 label_watched_issues: Beobachtete Tickets
808 808 label_week: Woche
809 809 label_wiki: Wiki
810 810 label_wiki_content_added: Wiki-Seite hinzugefügt
811 811 label_wiki_content_updated: Wiki-Seite aktualisiert
812 812 label_wiki_edit: Wiki-Bearbeitung
813 813 label_wiki_edit_plural: Wiki-Bearbeitungen
814 814 label_wiki_page: Wiki-Seite
815 815 label_wiki_page_plural: Wiki-Seiten
816 816 label_workflow: Workflow
817 817 label_x_closed_issues_abbr:
818 818 zero: 0 geschlossen
819 819 one: 1 geschlossen
820 820 other: "%{count} geschlossen"
821 821 label_x_comments:
822 822 zero: keine Kommentare
823 823 one: 1 Kommentar
824 824 other: "%{count} Kommentare"
825 825 label_x_issues:
826 826 zero: 0 Tickets
827 827 one: 1 Ticket
828 828 other: "%{count} Tickets"
829 829 label_x_open_issues_abbr:
830 830 zero: 0 offen
831 831 one: 1 offen
832 832 other: "%{count} offen"
833 833 label_x_open_issues_abbr_on_total:
834 834 zero: 0 offen / %{total}
835 835 one: 1 offen / %{total}
836 836 other: "%{count} offen / %{total}"
837 837 label_x_projects:
838 838 zero: keine Projekte
839 839 one: 1 Projekt
840 840 other: "%{count} Projekte"
841 841 label_year: Jahr
842 842 label_yesterday: gestern
843 843
844 844 mail_body_account_activation_request: "Ein neuer Benutzer (%{value}) hat sich registriert. Sein Konto wartet auf Ihre Genehmigung:"
845 845 mail_body_account_information: Ihre Konto-Informationen
846 846 mail_body_account_information_external: "Sie können sich mit Ihrem Konto %{value} anmelden."
847 847 mail_body_lost_password: 'Benutzen Sie den folgenden Link, um Ihr Kennwort zu ändern:'
848 848 mail_body_register: 'Um Ihr Konto zu aktivieren, benutzen Sie folgenden Link:'
849 849 mail_body_reminder: "%{count} Tickets, die Ihnen zugewiesen sind, müssen in den nächsten %{days} Tagen abgegeben werden:"
850 850 mail_body_wiki_content_added: "Die Wiki-Seite '%{id}' wurde von %{author} hinzugefügt."
851 851 mail_body_wiki_content_updated: "Die Wiki-Seite '%{id}' wurde von %{author} aktualisiert."
852 852 mail_subject_account_activation_request: "Antrag auf %{value} Kontoaktivierung"
853 853 mail_subject_lost_password: "Ihr %{value} Kennwort"
854 854 mail_subject_register: "%{value} Kontoaktivierung"
855 855 mail_subject_reminder: "%{count} Tickets müssen in den nächsten %{days} Tagen abgegeben werden"
856 856 mail_subject_wiki_content_added: "Wiki-Seite '%{id}' hinzugefügt"
857 857 mail_subject_wiki_content_updated: "Wiki-Seite '%{id}' erfolgreich aktualisiert"
858 858
859 859 notice_account_activated: Ihr Konto ist aktiviert. Sie können sich jetzt anmelden.
860 860 notice_account_deleted: Ihr Benutzerkonto wurde unwiderruflich gelöscht.
861 861 notice_account_invalid_creditentials: Benutzer oder Kennwort ist ungültig.
862 862 notice_account_lost_email_sent: Eine E-Mail mit Anweisungen, ein neues Kennwort zu wählen, wurde Ihnen geschickt.
863 863 notice_account_locked: Ihr Konto ist gesperrt.
864 864 notice_account_not_activated_yet: Sie haben Ihr Konto noch nicht aktiviert. Wenn Sie die Aktivierungsmail erneut erhalten wollen, <a href="%{url}">klicken Sie bitte hier</a>.
865 865 notice_account_password_updated: Kennwort wurde erfolgreich aktualisiert.
866 866 notice_account_pending: "Ihr Konto wurde erstellt und wartet jetzt auf die Genehmigung des Administrators."
867 867 notice_account_register_done: Konto wurde erfolgreich angelegt. Eine E-Mail mit weiteren Instruktionen zur Kontoaktivierung wurde an %{email} gesendet.
868 868 notice_account_unknown_email: Unbekannter Benutzer.
869 869 notice_account_updated: Konto wurde erfolgreich aktualisiert.
870 870 notice_account_wrong_password: Falsches Kennwort.
871 871 notice_api_access_key_reseted: Ihr API-Zugriffsschlüssel wurde zurückgesetzt.
872 872 notice_can_t_change_password: Dieses Konto verwendet eine externe Authentifizierungs-Quelle. Unmöglich, das Kennwort zu ändern.
873 873 notice_default_data_loaded: Die Standard-Konfiguration wurde erfolgreich geladen.
874 874 notice_email_error: "Beim Senden einer E-Mail ist ein Fehler aufgetreten (%{value})."
875 875 notice_email_sent: "Eine E-Mail wurde an %{value} gesendet."
876 876 notice_failed_to_save_issues: "%{count} von %{total} ausgewählten Tickets konnte(n) nicht gespeichert werden: %{ids}."
877 877 notice_failed_to_save_members: "Benutzer konnte nicht gespeichert werden: %{errors}."
878 878 notice_failed_to_save_time_entries: "Gescheitert %{count} Zeiteinträge für %{total} von ausgewählten: %{ids} zu speichern."
879 879 notice_feeds_access_key_reseted: Ihr Atom-Zugriffsschlüssel wurde zurückgesetzt.
880 880 notice_file_not_found: Anhang existiert nicht oder ist gelöscht worden.
881 881 notice_gantt_chart_truncated: Die Grafik ist unvollständig, da das Maximum der anzeigbaren Aufgaben überschritten wurde (%{max})
882 882 notice_issue_done_ratios_updated: Der Ticket-Fortschritt wurde aktualisiert.
883 883 notice_issue_successful_create: Ticket %{id} erstellt.
884 884 notice_issue_update_conflict: Das Ticket wurde während Ihrer Bearbeitung von einem anderen Nutzer überarbeitet.
885 885 notice_locking_conflict: Datum wurde von einem anderen Benutzer geändert.
886 886 notice_new_password_must_be_different: Das neue Passwort muss sich vom dem aktuellen
887 887 unterscheiden
888 888 notice_no_issue_selected: "Kein Ticket ausgewählt! Bitte wählen Sie die Tickets, die Sie bearbeiten möchten."
889 889 notice_not_authorized: Sie sind nicht berechtigt, auf diese Seite zuzugreifen.
890 890 notice_not_authorized_archived_project: Das Projekt wurde archiviert und ist daher nicht nicht verfügbar.
891 891 notice_successful_connection: Verbindung erfolgreich.
892 892 notice_successful_create: Erfolgreich angelegt
893 893 notice_successful_delete: Erfolgreich gelöscht.
894 894 notice_successful_update: Erfolgreich aktualisiert.
895 895 notice_unable_delete_time_entry: Der Zeiterfassungseintrag konnte nicht gelöscht werden.
896 896 notice_unable_delete_version: Die Version konnte nicht gelöscht werden.
897 897 notice_user_successful_create: Benutzer %{id} angelegt.
898 898
899 899 permission_add_issue_notes: Kommentare hinzufügen
900 900 permission_add_issue_watchers: Beobachter hinzufügen
901 901 permission_add_issues: Tickets hinzufügen
902 902 permission_add_messages: Forenbeiträge hinzufügen
903 903 permission_add_project: Projekt erstellen
904 904 permission_add_subprojects: Unterprojekte erstellen
905 905 permission_add_documents: Dokumente hinzufügen
906 906 permission_browse_repository: Projektarchiv ansehen
907 907 permission_close_project: Schließen / erneutes Öffnen eines Projekts
908 908 permission_comment_news: News kommentieren
909 909 permission_commit_access: Commit-Zugriff
910 910 permission_delete_issue_watchers: Beobachter löschen
911 911 permission_delete_issues: Tickets löschen
912 912 permission_delete_messages: Forenbeiträge löschen
913 913 permission_delete_own_messages: Eigene Forenbeiträge löschen
914 914 permission_delete_wiki_pages: Wiki-Seiten löschen
915 915 permission_delete_wiki_pages_attachments: Anhänge löschen
916 916 permission_delete_documents: Dokumente löschen
917 917 permission_edit_issue_notes: Kommentare bearbeiten
918 918 permission_edit_issues: Tickets bearbeiten
919 919 permission_edit_messages: Forenbeiträge bearbeiten
920 920 permission_edit_own_issue_notes: Eigene Kommentare bearbeiten
921 921 permission_edit_own_messages: Eigene Forenbeiträge bearbeiten
922 922 permission_edit_own_time_entries: Selbst gebuchte Aufwände bearbeiten
923 923 permission_edit_project: Projekt bearbeiten
924 924 permission_edit_time_entries: Gebuchte Aufwände bearbeiten
925 925 permission_edit_wiki_pages: Wiki-Seiten bearbeiten
926 926 permission_edit_documents: Dokumente bearbeiten
927 927 permission_export_wiki_pages: Wiki-Seiten exportieren
928 928 permission_log_time: Aufwände buchen
929 929 permission_manage_boards: Foren verwalten
930 930 permission_manage_categories: Ticket-Kategorien verwalten
931 931 permission_manage_files: Dateien verwalten
932 932 permission_manage_issue_relations: Ticket-Beziehungen verwalten
933 933 permission_manage_members: Mitglieder verwalten
934 934 permission_manage_news: News verwalten
935 935 permission_manage_project_activities: Aktivitäten (Zeiterfassung) verwalten
936 936 permission_manage_public_queries: Öffentliche Filter verwalten
937 937 permission_manage_related_issues: Zugehörige Tickets verwalten
938 938 permission_manage_repository: Projektarchiv verwalten
939 939 permission_manage_subtasks: Unteraufgaben verwalten
940 940 permission_manage_versions: Versionen verwalten
941 941 permission_manage_wiki: Wiki verwalten
942 942 permission_move_issues: Tickets verschieben
943 943 permission_protect_wiki_pages: Wiki-Seiten schützen
944 944 permission_rename_wiki_pages: Wiki-Seiten umbenennen
945 945 permission_save_queries: Filter speichern
946 946 permission_select_project_modules: Projektmodule auswählen
947 947 permission_set_issues_private: Tickets privat oder öffentlich markieren
948 948 permission_set_notes_private: Kommentar als privat markieren
949 949 permission_set_own_issues_private: Eigene Tickets privat oder öffentlich markieren
950 950 permission_view_calendar: Kalender ansehen
951 951 permission_view_changesets: Changesets ansehen
952 952 permission_view_documents: Dokumente ansehen
953 953 permission_view_files: Dateien ansehen
954 954 permission_view_gantt: Gantt-Diagramm ansehen
955 955 permission_view_issue_watchers: Liste der Beobachter ansehen
956 956 permission_view_issues: Tickets anzeigen
957 957 permission_view_messages: Forenbeiträge ansehen
958 958 permission_view_private_notes: Private Kommentare sehen
959 959 permission_view_time_entries: Gebuchte Aufwände ansehen
960 960 permission_view_wiki_edits: Wiki-Versionsgeschichte ansehen
961 961 permission_view_wiki_pages: Wiki ansehen
962 962
963 963 project_module_boards: Foren
964 964 project_module_calendar: Kalender
965 965 project_module_documents: Dokumente
966 966 project_module_files: Dateien
967 967 project_module_gantt: Gantt
968 968 project_module_issue_tracking: Ticket-Verfolgung
969 969 project_module_news: News
970 970 project_module_repository: Projektarchiv
971 971 project_module_time_tracking: Zeiterfassung
972 972 project_module_wiki: Wiki
973 973 project_status_active: aktiv
974 974 project_status_archived: archiviert
975 975 project_status_closed: geschlossen
976 976
977 977 setting_activity_days_default: Anzahl Tage pro Seite der Projekt-Aktivität
978 978 setting_app_subtitle: Applikations-Untertitel
979 979 setting_app_title: Applikations-Titel
980 980 setting_attachment_max_size: Max. Dateigröße
981 981 setting_autofetch_changesets: Changesets automatisch abrufen
982 982 setting_autologin: Automatische Anmeldung läuft ab nach
983 983 setting_bcc_recipients: E-Mails als Blindkopie (BCC) senden
984 984 setting_cache_formatted_text: Formatierten Text im Cache speichern
985 985 setting_commit_cross_project_ref: Erlauben auf Tickets aller anderen Projekte zu referenzieren
986 986 setting_commit_fix_keywords: Schlüsselwörter (Status)
987 987 setting_commit_logtime_activity_id: Aktivität für die Zeiterfassung
988 988 setting_commit_logtime_enabled: Aktiviere Zeitlogging
989 989 setting_commit_ref_keywords: Schlüsselwörter (Beziehungen)
990 990 setting_cross_project_issue_relations: Ticket-Beziehungen zwischen Projekten erlauben
991 991 setting_cross_project_subtasks: Projektübergreifende Unteraufgaben erlauben
992 992 setting_date_format: Datumsformat
993 993 setting_default_issue_start_date_to_creation_date: Aktuelles Datum als Beginn für neue Tickets verwenden
994 994 setting_default_language: Standardsprache
995 995 setting_default_notification_option: Standard Benachrichtigungsoptionen
996 996 setting_default_projects_modules: Standardmäßig aktivierte Module für neue Projekte
997 997 setting_default_projects_public: Neue Projekte sind standardmäßig öffentlich
998 998 setting_default_projects_tracker_ids: Standardmäßig aktivierte Tracker für neue Projekte
999 999 setting_diff_max_lines_displayed: Maximale Anzahl anzuzeigender Diff-Zeilen
1000 1000 setting_display_subprojects_issues: Tickets von Unterprojekten im Hauptprojekt anzeigen
1001 1001 setting_emails_footer: E-Mail-Fußzeile
1002 1002 setting_emails_header: E-Mail-Kopfzeile
1003 1003 setting_enabled_scm: Aktivierte Versionskontrollsysteme
1004 1004 setting_feeds_limit: Max. Anzahl Einträge pro Atom-Feed
1005 1005 setting_file_max_size_displayed: Maximale Größe inline angezeigter Textdateien
1006 1006 setting_force_default_language_for_anonymous: Standardsprache für anonyme Benutzer erzwingen
1007 1007 setting_force_default_language_for_loggedin: Standardsprache für angemeldete Benutzer erzwingen
1008 1008 setting_gantt_items_limit: Maximale Anzahl von Aufgaben die im Gantt-Chart angezeigt werden
1009 1009 setting_gravatar_default: Standard-Gravatar-Bild
1010 1010 setting_gravatar_enabled: Gravatar-Benutzerbilder benutzen
1011 1011 setting_host_name: Hostname
1012 1012 setting_issue_done_ratio: Berechne den Ticket-Fortschritt mittels
1013 1013 setting_issue_done_ratio_issue_field: Ticket-Feld %-erledigt
1014 1014 setting_issue_done_ratio_issue_status: Ticket-Status
1015 1015 setting_issue_group_assignment: Ticketzuweisung an Gruppen erlauben
1016 1016 setting_issue_list_default_columns: Standard-Spalten in der Ticket-Auflistung
1017 1017 setting_issues_export_limit: Max. Anzahl Tickets bei CSV/PDF-Export
1018 1018 setting_jsonp_enabled: JSONP Unterstützung aktivieren
1019 1019 setting_link_copied_issue: Tickets beim kopieren verlinken
1020 1020 setting_login_required: Authentifizierung erforderlich
1021 1021 setting_mail_from: E-Mail-Absender
1022 1022 setting_mail_handler_api_enabled: Abruf eingehender E-Mails aktivieren
1023 1023 setting_mail_handler_api_key: API-Schlüssel
1024 1024 setting_mail_handler_body_delimiters: "Schneide E-Mails nach einer dieser Zeilen ab"
1025 1025 setting_mail_handler_excluded_filenames: Anhänge nach Namen ausschließen
1026 1026 setting_new_project_user_role_id: Rolle, die einem Nicht-Administrator zugeordnet wird, der ein Projekt erstellt
1027 1027 setting_non_working_week_days: Arbeitsfreie Tage
1028 1028 setting_openid: Erlaube OpenID-Anmeldung und -Registrierung
1029 1029 setting_password_min_length: Mindestlänge des Kennworts
1030 1030 setting_password_max_age: Erzwinge Passwortwechsel nach
1031 1031 setting_per_page_options: Objekte pro Seite
1032 1032 setting_plain_text_mail: Nur reinen Text (kein HTML) senden
1033 1033 setting_protocol: Protokoll
1034 1034 setting_repositories_encodings: Enkodierung von Anhängen und Repositories
1035 1035 setting_repository_log_display_limit: Maximale Anzahl anzuzeigender Revisionen in der Historie einer Datei
1036 1036 setting_rest_api_enabled: REST-Schnittstelle aktivieren
1037 1037 setting_self_registration: Registrierung ermöglichen
1038 1038 setting_sequential_project_identifiers: Fortlaufende Projektkennungen generieren
1039 1039 setting_session_lifetime: Längste Dauer einer Sitzung
1040 1040 setting_session_timeout: Zeitüberschreitung bei Inaktivität
1041 1041 setting_start_of_week: Wochenanfang
1042 1042 setting_sys_api_enabled: Webservice zur Verwaltung der Projektarchive benutzen
1043 1043 setting_text_formatting: Textformatierung
1044 1044 setting_thumbnails_enabled: Vorschaubilder von Dateianhängen anzeigen
1045 1045 setting_thumbnails_size: Größe der Vorschaubilder (in Pixel)
1046 1046 setting_time_format: Zeitformat
1047 1047 setting_unsubscribe: Erlaubt Benutzern das eigene Benutzerkonto zu löschen
1048 1048 setting_user_format: Benutzer-Anzeigeformat
1049 1049 setting_welcome_text: Willkommenstext
1050 1050 setting_wiki_compression: Wiki-Historie komprimieren
1051 1051
1052 1052 status_active: aktiv
1053 1053 status_locked: gesperrt
1054 1054 status_registered: nicht aktivierte
1055 1055
1056 1056 text_account_destroy_confirmation: "Möchten Sie wirklich fortfahren?\nIhr Benutzerkonto wird für immer gelöscht und kann nicht wiederhergestellt werden."
1057 1057 text_are_you_sure: Sind Sie sicher?
1058 1058 text_assign_time_entries_to_project: Gebuchte Aufwände dem Projekt zuweisen
1059 1059 text_caracters_maximum: "Max. %{count} Zeichen."
1060 1060 text_caracters_minimum: "Muss mindestens %{count} Zeichen lang sein."
1061 1061 text_comma_separated: Mehrere Werte erlaubt (durch Komma getrennt).
1062 1062 text_convert_available: ImageMagick Konvertierung verfügbar (optional)
1063 1063 text_custom_field_possible_values_info: 'Eine Zeile pro Wert'
1064 1064 text_default_administrator_account_changed: Administrator-Kennwort geändert
1065 1065 text_destroy_time_entries: Gebuchte Aufwände löschen
1066 1066 text_destroy_time_entries_question: Es wurden bereits %{hours} Stunden auf dieses Ticket gebucht. Was soll mit den Aufwänden geschehen?
1067 1067 text_diff_truncated: '... Dieser Diff wurde abgeschnitten, weil er die maximale Anzahl anzuzeigender Zeilen überschreitet.'
1068 1068 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/configuration.yml vor und starten Sie die Applikation neu."
1069 1069 text_enumeration_category_reassign_to: 'Die Objekte stattdessen diesem Wert zuordnen:'
1070 1070 text_enumeration_destroy_question: "%{count} Objekt(e) sind diesem Wert zugeordnet."
1071 1071 text_file_repository_writable: Verzeichnis für Dateien beschreibbar
1072 1072 text_git_repository_note: Repository steht für sich alleine (bare) und liegt lokal (z.B. /gitrepo, c:\gitrepo)
1073 1073 text_issue_added: "Ticket %{id} wurde erstellt von %{author}."
1074 1074 text_issue_category_destroy_assignments: Kategorie-Zuordnung entfernen
1075 1075 text_issue_category_destroy_question: "Einige Tickets (%{count}) sind dieser Kategorie zugeodnet. Was möchten Sie tun?"
1076 1076 text_issue_category_reassign_to: Tickets dieser Kategorie zuordnen
1077 1077 text_issue_conflict_resolution_add_notes: Meine Änderungen übernehmen und alle anderen Änderungen verwerfen
1078 1078 text_issue_conflict_resolution_cancel: Meine Änderungen verwerfen und %{link} neu anzeigen
1079 1079 text_issue_conflict_resolution_overwrite: Meine Änderungen trotzdem übernehmen (vorherige Notizen bleiben erhalten aber manche können überschrieben werden)
1080 1080 text_issue_updated: "Ticket %{id} wurde aktualisiert von %{author}."
1081 1081 text_issues_destroy_confirmation: 'Sind Sie sicher, dass Sie die ausgewählten Tickets löschen möchten?'
1082 1082 text_issues_destroy_descendants_confirmation: Dies wird auch %{count} Unteraufgabe/n löschen.
1083 1083 text_issues_ref_in_commit_messages: Ticket-Beziehungen und -Status in Commit-Log-Meldungen
1084 1084 text_journal_added: "%{label} %{value} wurde hinzugefügt"
1085 1085 text_journal_changed: "%{label} wurde von %{old} zu %{new} geändert"
1086 1086 text_journal_changed_no_detail: "%{label} aktualisiert"
1087 1087 text_journal_deleted: "%{label} %{old} wurde gelöscht"
1088 1088 text_journal_set_to: "%{label} wurde auf %{value} gesetzt"
1089 1089 text_length_between: "Länge zwischen %{min} und %{max} Zeichen."
1090 1090 text_line_separated: Mehrere Werte sind erlaubt (eine Zeile pro Wert).
1091 1091 text_load_default_configuration: Standard-Konfiguration laden
1092 1092 text_mercurial_repository_note: Lokales repository (e.g. /hgrepo, c:\hgrepo)
1093 1093 text_min_max_length_info: 0 heißt keine Beschränkung
1094 1094 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 diese abändern."
1095 1095 text_own_membership_delete_confirmation: "Sie sind dabei, einige oder alle Ihre Berechtigungen zu entfernen. Es ist möglich, dass Sie danach das Projekt nicht mehr ansehen oder bearbeiten dürfen.\nSind Sie sicher, dass Sie dies tun möchten?"
1096 1096 text_plugin_assets_writable: Verzeichnis für Plugin-Assets beschreibbar
1097 1097 text_project_closed: Dieses Projekt ist geschlossen und kann nicht bearbeitet werden.
1098 1098 text_project_destroy_confirmation: Sind Sie sicher, dass Sie das Projekt löschen wollen?
1099 1099 text_project_identifier_info: 'Kleinbuchstaben (a-z), Ziffern, Binde- und Unterstriche erlaubt, muss mit einem Kleinbuchstaben beginnen.<br />Einmal gespeichert, kann die Kennung nicht mehr geändert werden.'
1100 1100 text_reassign_time_entries: 'Gebuchte Aufwände diesem Ticket zuweisen:'
1101 1101 text_regexp_info: z. B. ^[A-Z0-9]+$
1102 1102 text_repository_identifier_info: 'Kleinbuchstaben (a-z), Ziffern, Binde- und Unterstriche erlaubt.<br />Einmal gespeichert, kann die Kennung nicht mehr geändert werden.'
1103 1103 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."
1104 1104 text_rmagick_available: RMagick verfügbar (optional)
1105 1105 text_scm_command: Kommando
1106 1106 text_scm_command_not_available: SCM-Kommando ist nicht verfügbar. Bitte prüfen Sie die Einstellungen im Administrationspanel.
1107 1107 text_scm_command_version: Version
1108 1108 text_scm_config: Die SCM-Kommandos können in der in config/configuration.yml konfiguriert werden. Redmine muss anschließend neu gestartet werden.
1109 1109 text_scm_path_encoding_note: "Standard: UTF-8"
1110 1110 text_select_mail_notifications: Bitte wählen Sie die Aktionen aus, für die eine Mailbenachrichtigung gesendet werden soll.
1111 1111 text_select_project_modules: 'Bitte wählen Sie die Module aus, die in diesem Projekt aktiviert sein sollen:'
1112 1112 text_session_expiration_settings: "Achtung: Änderungen können aktuelle Sitzungen beenden, Ihre eingeschlossen!"
1113 1113 text_status_changed_by_changeset: "Status geändert durch Changeset %{value}."
1114 1114 text_subprojects_destroy_warning: "Dessen Unterprojekte (%{value}) werden ebenfalls gelöscht."
1115 1115 text_subversion_repository_note: 'Beispiele: file:///, http://, https://, svn://, svn+[tunnelscheme]://'
1116 1116 text_time_entries_destroy_confirmation: Sind Sie sicher, dass Sie die ausgewählten Zeitaufwände löschen möchten?
1117 1117 text_time_logged_by_changeset: Angewendet in Changeset %{value}.
1118 1118 text_tip_issue_begin_day: Aufgabe, die an diesem Tag beginnt
1119 1119 text_tip_issue_begin_end_day: Aufgabe, die an diesem Tag beginnt und endet
1120 1120 text_tip_issue_end_day: Aufgabe, die an diesem Tag endet
1121 1121 text_tracker_no_workflow: Kein Workflow für diesen Tracker definiert.
1122 1122 text_turning_multiple_off: Wenn Sie die Mehrfachauswahl deaktivieren, werden Felder mit Mehrfachauswahl bereinigt.
1123 1123 Dadurch wird sichergestellt, dass lediglich ein Wert pro Feld ausgewählt ist.
1124 1124 text_unallowed_characters: Nicht erlaubte Zeichen
1125 1125 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)."
1126 1126 text_user_wrote: "%{value} schrieb:"
1127 1127 text_warn_on_leaving_unsaved: Die aktuellen Änderungen gehen verloren, wenn Sie diese Seite verlassen.
1128 1128 text_wiki_destroy_confirmation: Sind Sie sicher, dass Sie dieses Wiki mit sämtlichem Inhalt löschen möchten?
1129 1129 text_wiki_page_destroy_children: Lösche alle Unterseiten
1130 1130 text_wiki_page_destroy_question: "Diese Seite hat %{descendants} Unterseite(n). Was möchten Sie tun?"
1131 1131 text_wiki_page_nullify_children: Verschiebe die Unterseiten auf die oberste Ebene
1132 1132 text_wiki_page_reassign_children: Ordne die Unterseiten dieser Seite zu
1133 1133 text_workflow_edit: Workflow zum Bearbeiten auswählen
1134 1134 text_zoom_in: Ansicht vergrößern
1135 1135 text_zoom_out: Ansicht verkleinern
1136 1136
1137 1137 version_status_closed: abgeschlossen
1138 1138 version_status_locked: gesperrt
1139 1139 version_status_open: offen
1140 1140
1141 1141 warning_attachments_not_saved: "%{count} Datei(en) konnten nicht gespeichert werden."
1142 1142 label_search_attachments_yes: Namen und Beschreibungen von Anhängen durchsuchen
1143 1143 label_search_attachments_no: Keine Anhänge suchen
1144 1144 label_search_attachments_only: Nur Anhänge suchen
1145 1145 label_search_open_issues_only: Nur offene Tickets
1146 1146 field_address: E-Mail
1147 1147 setting_max_additional_emails: Maximale Anzahl zusätzlicher E-Mailadressen
1148 1148 label_email_address_plural: E-Mails
1149 1149 label_email_address_add: E-Mailadresse hinzufügen
1150 1150 label_enable_notifications: Benachrichtigungen aktivieren
1151 1151 label_disable_notifications: Benachrichtigungen deaktivieren
1152 1152 setting_search_results_per_page: Suchergebnisse pro Seite
1153 1153 label_blank_value: leer
1154 1154 permission_copy_issues: Tickets kopieren
1155 1155 error_password_expired: Your password has expired or the administrator requires you
1156 1156 to change it.
1157 1157 field_time_entries_visibility: Time logs visibility
1158 1158 label_parent_task_attributes: Parent tasks attributes
1159 1159 label_parent_task_attributes_derived: Calculated from subtasks
1160 1160 label_parent_task_attributes_independent: Independent of subtasks
1161 1161 label_time_entries_visibility_all: All time entries
1162 1162 label_time_entries_visibility_own: Time entries created by the user
1163 1163 label_member_management: Member management
1164 1164 label_member_management_all_roles: All roles
1165 1165 label_member_management_selected_roles_only: Only these roles
1166 1166 label_total_spent_time: Aufgewendete Zeit aller Projekte anzeigen
1167 1167 notice_import_finished: All %{count} items have been imported.
1168 1168 notice_import_finished_with_errors: ! '%{count} out of %{total} items could not be
1169 1169 imported.'
1170 1170 error_invalid_file_encoding: The file is not a valid %{encoding} encoded file
1171 1171 error_invalid_csv_file_or_settings: The file is not a CSV file or does not match the
1172 1172 settings below
1173 1173 error_can_not_read_import_file: An error occurred while reading the file to import
1174 1174 permission_import_issues: Import issues
1175 1175 label_import_issues: Import issues
1176 1176 label_select_file_to_import: Select the file to import
1177 1177 label_fields_separator: Field separator
1178 1178 label_fields_wrapper: Field wrapper
1179 1179 label_encoding: Encoding
1180 label_coma_char: Coma
1180 label_comma_char: Comma
1181 1181 label_semi_colon_char: Semi colon
1182 1182 label_quote_char: Quote
1183 1183 label_double_quote_char: Double quote
1184 1184 label_fields_mapping: Fields mapping
1185 1185 label_file_content_preview: File content preview
1186 1186 label_create_missing_values: Create missing values
1187 1187 button_import: Import
1188 1188 field_total_estimated_hours: Total estimated time
1189 1189 label_api: API
1190 1190 label_total_plural: Totals
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
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